content stringlengths 5 1.05M |
|---|
data:extend{
{
type = "item",
name = "cement-shoes-equipment",
icon = "__Cement Shoes__/graphics/icons/cement-shoes-equipment.png",
icon_size = 64,
placed_as_equipment_result = "cement-shoes-equipment",
flags = {},
subgroup = "equipment",
stack_size = 50,
default_request_amount = 10
},
{
type = "item",
name = "brick-shoes-equipment",
icon = "__Cement Shoes__/graphics/icons/brick-shoes-equipment.png",
icon_size = 64,
placed_as_equipment_result = "brick-shoes-equipment",
flags = {},
subgroup = "equipment",
stack_size = 50,
default_request_amount = 10
},
{
type = "item",
name = "landfill-shoes-equipment",
icon = "__Cement Shoes__/graphics/icons/landfill-shoes-equipment.png",
icon_size = 64,
placed_as_equipment_result = "landfill-shoes-equipment",
flags = {},
subgroup = "equipment",
stack_size = 50,
default_request_amount = 10
},
} |
isolated = false
local app = dofile(docroot .. "/hello.lua")
local wsx = require "wsapi.xavante"
rules = {
{
match = { "^/app$", "^/app/" },
with = wsx.makeHandler(app, "/app", docroot, docroot)
},
}
|
local migrations_utils = require "kong.cmd.utils.migrations"
local prefix_handler = require "kong.cmd.utils.prefix_handler"
local nginx_signals = require "kong.cmd.utils.nginx_signals"
local conf_loader = require "kong.conf_loader"
local kong_global = require "kong.global"
local kill = require "kong.cmd.utils.kill"
local log = require "kong.cmd.utils.log"
local DB = require "kong.db"
local function execute(args)
args.db_timeout = args.db_timeout * 1000
args.lock_timeout = args.lock_timeout
local conf = assert(conf_loader(args.conf, {
prefix = args.prefix
}, { starting = true }))
conf.pg_timeout = args.db_timeout -- connect + send + read
conf.cassandra_timeout = args.db_timeout -- connect + send + read
conf.cassandra_schema_consensus_timeout = args.db_timeout
assert(not kill.is_running(conf.nginx_pid),
"Kong is already running in " .. conf.prefix)
_G.kong = kong_global.new()
kong_global.init_pdk(_G.kong, conf, nil) -- nil: latest PDK
local db = assert(DB.new(conf))
assert(db:init_connector())
local schema_state = assert(db:schema_state())
local err
xpcall(function()
assert(prefix_handler.prepare_prefix(conf, args.nginx_conf))
if not schema_state:is_up_to_date() and args.run_migrations then
migrations_utils.up(schema_state, db, {
ttl = args.lock_timeout,
})
schema_state = assert(db:schema_state())
end
migrations_utils.check_state(schema_state)
if schema_state.missing_migrations or schema_state.pending_migrations then
local r = ""
if schema_state.missing_migrations then
log.info("Database is missing some migrations:\n%s",
tostring(schema_state.missing_migrations))
r = "\n\n"
end
if schema_state.pending_migrations then
log.info("%sDatabase has pending migrations:\n%s",
r, tostring(schema_state.pending_migrations))
end
end
assert(nginx_signals.start(conf))
log("Kong started")
end, function(e)
err = e -- cannot throw from this function
end)
if err then
log.verbose("could not start Kong, stopping services")
pcall(nginx_signals.stop(conf))
log.verbose("stopped services")
error(err) -- report to main error handler
end
end
local lapp = [[
Usage: kong start [OPTIONS]
Start Kong (Nginx and other configured services) in the configured
prefix directory.
Options:
-c,--conf (optional string) Configuration file.
-p,--prefix (optional string) Override prefix directory.
--nginx-conf (optional string) Custom Nginx configuration template.
--run-migrations (optional boolean) Run migrations before starting.
--db-timeout (default 60) Timeout, in seconds, for all database
operations (including schema consensus for
Cassandra).
--lock-timeout (default 60) When --run-migrations is enabled, timeout,
in seconds, for nodes waiting on the
leader node to finish running migrations.
]]
return {
lapp = lapp,
execute = execute
}
|
local constants = require("bufferline/constants")
local M = {}
local superscript_numbers = {
["0"] = "⁰",
["1"] = "¹",
["2"] = "²",
["3"] = "³",
["4"] = "⁴",
["5"] = "⁵",
["6"] = "⁶",
["7"] = "⁷",
["8"] = "⁸",
["9"] = "⁹",
}
local subscript_numbers = {
["0"] = "₀",
["1"] = "₁",
["2"] = "₂",
["3"] = "₃",
["4"] = "₄",
["5"] = "₅",
["6"] = "₆",
["7"] = "₇",
["8"] = "₈",
["9"] = "₉",
}
-- from number to the styled number
local convert_to_styled_num = function(t, n)
n = tostring(n)
local str = ""
for i = 1, #n do
str = str .. t[n:sub(i, i)]
end
return str
end
-- build numbers string depending on config settings
local function prefix(buffer, mode, style)
local str = "" -- a result that will be returned from the function
local function str_append_with_style(number_style, number)
if number_style == "superscript" then
str = str .. convert_to_styled_num(superscript_numbers, number)
elseif number_style == "subscript" then
str = str .. convert_to_styled_num(subscript_numbers, number)
else -- "none"
str = str .. number
end
end
-- if mode is "both" then by default numbers will look similar to lightline-bufferline
-- with buffer_id at the top left and ordinal number at the bottom right,
-- also conversely with "ordinal_first"
if mode == "both" or mode == "ordinal_first" then
-- trying to override default styles with user-defined
local first_number_style, second_number_style = style, style
if type(style) == "table" then first_number_style, second_number_style = style[1], style[2] end
first_number_style, second_number_style = first_number_style or "none", second_number_style or "subscript"
local numbers = mode == "ordinal_first" and { buffer.ordinal, buffer.id } or { buffer.id, buffer.ordinal }
-- append the first number
str_append_with_style(first_number_style, numbers[1])
-- append some sensible styling after
if first_number_style == "none" or first_number_style == "subscript" and second_number_style == "none" then
str = str .. '.' -- makes numbers less confusing in this case
elseif first_number_style == second_number_style then
str = str .. ' ' -- adds space between numbers, so they don't look like one
end
-- append the second number
str_append_with_style(second_number_style, numbers[2])
else
str_append_with_style(style, mode == "ordinal" and buffer.ordinal or buffer.id)
end
return str
end
--- @param context table
function M.component(context)
local buffer = context.buffer
local component = context.component
local options = context.preferences.options
local length = context.length
if options.numbers == "none" then
return component, length
end
local number_prefix = prefix(buffer, options.numbers, options.number_style)
local number_component = number_prefix .. constants.padding
component = number_component .. component
length = length + vim.fn.strwidth(number_component)
return component, length
end
return M
|
-- this gets called starts when the level loads.
function start(song) -- arguments, the song name
print("Succesfully loaded (suit up)... have fun ;)")
if curStep == 16 then
showOnlyStrums = true -- remove all hud elements besides notes and strums
for i=0,3 do
tweenFadeIn(i,0,0.6)
end
end
-- this gets called every frame
function update(elapsed)
local currentBeat = (songPos / 1000)*(bpm/60)
for i=0,7 do
setActorY(defaultStrum0Y + 10 * math.cos((currentBeat + i*0.25) * math.pi), i)
end
end
-- this gets called every beat
function beatHit(beat)
end
-- this gets called every step
function stepHit(step) -- arguments, the current step of the song (4 steps are in a beat)
end
end |
#!/usr/bin/lua5.3
local json = require("cjson")
local lustache = require("lustache")
local yaml = require("lyaml")
local utils = require("utils")
local conf = require("config")
function get_branches(indexes)
local res = {}
for k,v in ipairs(indexes.master.branch) do
table.insert(res, v.name)
end
return res
end
----
-- need to create one flipped table with both mirros and master
function flip_branches(branches)
local res = {}
for _,b in ipairs(branches) do
for _,r in ipairs(b.repo) do
for _,a in ipairs(r.arch) do
if type(res[b.name]) == "nil" then res[b.name] = {} end
if type(res[b.name][r.name]) == "nil" then
res[b.name][r.name] = {}
end
res[b.name][r.name][a.name] = a
end
end
end
return res
end
----
-- convert table to array (values to keys)
function get_repo_arch(indexes)
local t = {}
for _,b in ipairs(indexes.master.branch) do
for _,r in ipairs(b.repo) do
for _,a in ipairs(r.arch) do
if type(t[r.name]) == "nil" then t[r.name] = {} end
t[r.name][a.name] = 1
end
end
end
local res = {}
for repo in utils.kpairs(t, utils.sort_repo) do
for arch in utils.kpairs(t[repo], utils.sort_arch) do
table.insert(res, repo.."/"..arch)
end
end
return res
end
----
-- convert table to array (values to keys) for each mirror
function flip_mirrors(mirrors)
local res = {}
for _,m in ipairs(mirrors) do
res[m.url] = flip_branches(m.branch)
end
return res
end
----
-- format timestamp difference
function format_age(ts)
local res = {}
if ts < 3600 then
res.text = "OK"
res.class = "status-ok"
elseif ts < 86400 then
res.text = ("%dh"):format(math.ceil(ts/3600))
res.class = "status-warn"
elseif ts > 86400 then
res.text = ("%dd"):format(math.ceil(ts/86400))
res.class = "status-error"
end
return res
end
----
-- format status based on http status message
function format_status(status, age)
local res = {}
if status ~= "failed" then
if status == "200" then
res = format_age(age)
elseif status == "404" then
res.class = "status-na"
res.text = "N/A"
else
res.class = "status-unk"
res.text = status
end
else
res.class = "status-na"
res.text = "N/A"
end
return res
end
----
-- get status and format it based on http status and modified time
function get_status(fm, fb, date, mirror, branch, repo, arch)
local res = { text = "N/A", class = "status-na" }
if type(fm[mirror]) == "table" and
type(fm[mirror][branch]) == "table" and
type(fm[mirror][branch][repo]) == "table" and
type(fm[mirror][branch][repo][arch]) == "table" then
if type(fm[mirror][branch][repo][arch]) == "table" then
local mirror = fm[mirror][branch][repo][arch]
local master = fb[branch][repo][arch]
local age = 0
if type(mirror.modified) == "number" and
master.modified ~= mirror.modified then
age = master.modified - mirror.modified
end
res = format_status(mirror.status, age)
end
end
return res
end
function get_mirrors()
local mirrors = yaml.load(utils.read_file(conf.mirrors_yaml))
for a,mirror in pairs(mirrors) do
mirrors[a].location = mirror.location or "Unknown"
mirrors[a].bandwidth = mirror.bandwidth or "Unknown"
mirrors[a].num = a
if mirror.name:len() > 32 then
mirrors[a].name = ("%s..."):format(mirror.name:sub(1,32))
end
for b,url in pairs(mirror.urls) do
local scheme = url:match("(.*)://*.")
mirrors[a].urls[b] = {url = url, scheme = scheme}
end
end
return mirrors
end
----
-- build the html table
function build_status_tables(indexes)
local res = {}
local fm = flip_mirrors(indexes.mirrors)
local fb = flip_branches(indexes.master.branch)
local thead = get_branches(indexes)
table.insert(thead, 1, "branch/release")
for idx,mirror in ipairs(indexes.mirrors) do
local rows = {}
for _,ra in ipairs(get_repo_arch(indexes)) do
local repo, arch = ra:match("(.*)/(.*)")
local row = {}
table.insert(row, {text = ra})
for _,branch in ipairs(get_branches(indexes)) do
local status = get_status(fm, fb, indexes.date, mirror.url, branch, repo, arch)
table.insert(row, status)
end
table.insert(rows, { row = row })
end
res[idx] = {
url = mirror.url, thead = thead, tbody = rows, num = idx,
duration = mirror.duration, count = mirror.count
}
end
return res
end
local out_json = ("%s/%s"):format(conf.outdir, conf.status_json)
local indexes = json.decode(utils.read_file(out_json))
local status = build_status_tables(indexes)
local mirrors = get_mirrors()
local last_update = os.date("%c", indexes.date)
local view = { last_update = last_update, mirrors = mirrors, status = status }
local tpl = utils.read_file("index.tpl")
local out_html = ("%s/%s"):format(conf.outdir, conf.mirrors_html)
utils.write_file(out_html, lustache:render(tpl, view))
|
-- Sound Table
local soundDataSlap = love.sound.newSoundData('gfx/slap.wav')
local soundDataGameOver = love.sound.newSoundData('gfx/game-over.wav')
local sounds = {}
sounds.slap = function()
local slapSound = love.audio.newSource(soundDataSlap, 'static')
love.audio.setVolume(0.4)
love.audio.stop()
love.audio.play(slapSound)
end
sounds.gameOver = function()
local gameOverSound = love.audio.newSource(soundDataGameOver, 'static')
love.audio.setVolume(1)
love.audio.play(gameOverSound)
end
return sounds
|
local ffi = require "ffi"
local C = ffi.C
local ffi_new = ffi.new
local ffi_str = ffi.string
local provider_macro = require "resty.openssl.include.provider"
local crypto_macro = require("resty.openssl.include.crypto")
local OPENSSL_30 = require("resty.openssl.version").OPENSSL_30
local format_error = require("resty.openssl.err").format_error
if not OPENSSL_30 then
error("provider is only supported since OpenSSL 3.0")
end
local _M = {}
local mt = {__index = _M}
local ossl_lib_ctx_st = ffi.typeof('OSSL_LIB_CTX*')
function _M.load(name, try)
local ctx
if try then
ctx = C.OSSL_PROVIDER_try_load(nil, name)
if ctx == nil then
return nil, format_error("provider.try_load")
end
else
ctx = C.OSSL_PROVIDER_load(nil, name)
if ctx == nil then
return nil, format_error("provider.load")
end
end
return setmetatable({
ctx = ctx,
param_types = nil,
}, mt), nil
end
function _M.set_default_search_path(path)
if C.OSSL_PROVIDER_set_default_search_path(nil, path) ~= 1 then
return false, format_error("provider.set_default_search_path")
end
return true
end
function _M.is_available(name)
return C.OSSL_PROVIDER_available(nil, name) == 1
end
function _M.istype(l)
return l and l.ctx and ffi.istype(ossl_lib_ctx_st, l.ctx)
end
function _M:unload()
if C.OSSL_PROVIDER_unload(self.ctx) == nil then
return false, format_error("provider:unload")
end
return true
end
function _M:self_test()
if C.OSSL_PROVIDER_self_test(self.ctx) == nil then
return false, format_error("provider:self_test")
end
return true
end
local params_well_known = {
-- Well known parameter names that core passes to providers
["openssl-version"] = provider_macro.OSSL_PARAM_UTF8_PTR,
["provider-name"] = provider_macro.OSSL_PARAM_UTF8_PTR,
["module-filename"] = provider_macro.OSSL_PARAM_UTF8_PTR,
-- Well known parameter names that Providers can define
["name"] = provider_macro.OSSL_PARAM_UTF8_PTR,
["version"] = provider_macro.OSSL_PARAM_UTF8_PTR,
["buildinfo"] = provider_macro.OSSL_PARAM_UTF8_PTR,
["status"] = provider_macro.OSSL_PARAM_INTEGER,
["security-checks"] = provider_macro.OSSL_PARAM_INTEGER,
}
local function load_gettable_names(ctx)
local schema = {}
for k, v in pairs(params_well_known) do
schema[k] = v
end
local params = C.OSSL_PROVIDER_gettable_params(ctx)
if params == nil then
return nil, format_error("OSSL_PROVIDER_gettable_params")
end
while true do
if params.key == nil then
break
end
schema[ffi_str(params.key)] = tonumber(params.data_type)
-- pointer arithmetic
params = params + 1
end
return schema
end
function _M:get_params(...)
local keys = {...}
local key_length = #keys
if key_length == 0 then
return nil, "provider:get_params: at least one key is required"
end
if not self.param_types then
local param_types, err = load_gettable_names(self.ctx)
if err then
return nil, "provider:get_params: " .. err
end
self.param_types = param_types
end
local req = ffi_new("OSSL_PARAM[?]", key_length + 1)
local buffers = {}
for i, key in ipairs(keys) do
local typ = self.param_types[key]
if not typ then
return nil, "provider:get_params: unknown key \"" .. key .. "\""
end
local param
if typ == provider_macro.OSSL_PARAM_UTF8_PTR then
local buf = ffi_new("char*[1]")
buffers[i] = buf
param = C.OSSL_PARAM_construct_utf8_ptr(key, buf, 0)
elseif typ == provider_macro.OSSL_PARAM_INTEGER then
local buf = ffi_new("int[1]")
buffers[i] = buf
param = C.OSSL_PARAM_construct_int(key, buf)
else
return nil, "provider:get_params: not yet supported type \"" .. typ .. "\" for \"" .. key .. "\""
end
req[i-1] = param
end
req[key_length] = C.OSSL_PARAM_construct_end()
if C.OSSL_PROVIDER_get_params(self.ctx, req) ~= 1 then
return nil, format_error("provider:get_params")
end
for i=0, key_length do
local buf = buffers[i]
local key = keys[i]
local typ = self.param_types[key]
if typ == provider_macro.OSSL_PARAM_UTF8_PTR then
buffers[key] = ffi_str(buf[0])
elseif typ == provider_macro.OSSL_PARAM_INTEGER then
buffers[key] = tonumber(buf[0])
end
buffers[i] = nil
-- crypto_macro.OPENSSL_free(req[i-1].data)
end
if key_length == 1 then
return buffers[keys[1]]
end
return buffers
end
return _M |
solution("faux_engine")
configurations { "Debug", "Release" }
language "C++"
flags { "Cpp17" }
platforms "x64"
location "./build"
objdir "./build/obj"
defines { "_CRT_SECURE_NO_WARNINGS" }
libdirs { "$(VULKAN_SDK)/Lib"}
project("demo")
kind "ConsoleApp"
files {
"./examples/*.cpp",
}
includedirs {
"./include/",
"./deps/",
"$(VULKAN_SDK)/Include",
}
links { "faux_engine" }
configuration "windows"
links { "vulkan-1" }
configuration "linux"
links { "vulkan", "dl", "pthread" }
configuration "Debug"
flags {"Symbols" }
defines { "DEBUG_"}
targetdir("./bin/debug/demo")
libdirs { "./bin/debug" }
configuration "Release"
flags { "Optimize" }
targetdir("./bin/release/demo")
libdirs { "./bin/release" }
project("faux_engine")
kind "StaticLib"
--targetextension(".lib")
targetprefix ""
targetsuffix ""
includedirs {
"$(VULKAN_SDK)/Include",
"./include/",
"./src/",
"./deps/",
"./deps/glm/",
"./deps/glfw/include/",
"./deps/KHR/",
"./deps/glad/",
"./deps/easyloggingpp/",
"./deps/stb/",
"./deps/tinyobj/",
"./deps/tinygltf/",
}
files {
"./include/**.h",
"./src/**.h",
"./src/**.cpp",
"./deps/glfw/src/context.c",
"./deps/glfw/src/init.c",
"./deps/glfw/src/input.c",
"./deps/glfw/src/internal.h",
"./deps/glfw/src/mappings.h",
"./deps/glfw/src/monitor.c",
"./deps/glfw/src/vulkan.c",
"./deps/glfw/src/window.c",
"./deps/glfw/src/osmesa_context.c",
"./deps/glfw/src/osmesa_context.h",
"./deps/glfw/src/egl_context.c",
"./deps/glfw/src/egl_context.h",
"./deps/glm/**",
"./deps/glad/*",
"./deps/easyloggingpp/*",
"./deps/stb/*.h",
"./deps/tinyobj/*",
"./deps/tinygltf/*",
"./genie.lua",
}
configuration "windows"
links { "vulkan-1", "opengl32" }
defines { "FAUXENGINE_WIN32", "GLM_FORCE_AVX2", "_GLFW_WIN32" }
files {
"./deps/glfw/src/wgl_context.c",
"./deps/glfw/src/wgl_context.h",
"./deps/glfw/src/win32_init.c",
"./deps/glfw/src/win32_joystick.c",
"./deps/glfw/src/win32_joystick.h",
"./deps/glfw/src/win32_monitor.c",
"./deps/glfw/src/win32_platform.h",
"./deps/glfw/src/win32_thread.c",
"./deps/glfw/src/win32_time.c",
"./deps/glfw/src/win32_window.c",
}
configuration "linux"
links { "vulkan", "GL", "X11", "Xcursor", "Xrandr", "Xi", "dl", "pthread" }
defines { "FAUXENGINE_LINUX", "_GLFW_X11" }
files {
"./deps/glfw/src/linux_joystick.c",
"./deps/glfw/src/linux_joystick.h",
"./deps/glfw/src/x11_init.c",
"./deps/glfw/src/x11_monitor.c",
"./deps/glfw/src/x11_platform.h",
"./deps/glfw/src/x11_window.c",
"./deps/glfw/src/xkb_unicode.c",
"./deps/glfw/src/xkb_unicode.h",
"./deps/glfw/src/posix_time.c",
"./deps/glfw/src/posix_time.h",
"./deps/glfw/src/posix_thread.c",
"./deps/glfw/src/posix_thread.h",
"./deps/glfw/src/glx_context.c",
"./deps/glfw/src/glx_context.h",
}
configuration "Debug"
flags { "Symbols", "EnableAVX2" }
targetdir("./bin/debug")
defines { "DEBUG_" }
configuration "Release"
flags { "Optimize", "EnableAVX2" }
targetdir("./bin/release")
|
--ZFUNC-repeatedly-v1
local function repeatedly( n, f, ... ) --> tab
local res = {}
for i = 1,n do
table.insert( res, f( ... ) )
end
return res
end
return repeatedly
|
local skynet = require "skynet"
local kvdb = require "kvdb"
skynet.start(function()
kvdb.set("A", 1)
print(kvdb.get "A")
end)
|
local MainUITaskView = BaseClass(UINode)
function MainUITaskView:Constructor( parentTrans )
self.viewCfg = {
prefabPath = "Assets/AssetBundleRes/ui/mainui/MainUITaskView.prefab",
parentTrans = parentTrans,
}
self.model = TaskModel:GetInstance()
self:Load()
end
function MainUITaskView:OnLoad( )
local names = {
"item_scroll/Viewport/item_con","item_scroll",
}
UI.GetChildren(self, self.transform, names)
print('Cat:MainUITaskView.lua[15] on load')
self:AddEvents()
self:OnUpdate()
end
function MainUITaskView:AddEvents( )
self:BindEvent(self.model, TaskConst.Events.AckTaskList, function()
self:OnUpdate()
end)
end
function MainUITaskView:OnUpdate( )
print('Cat:MainUITaskView.lua[34] self.isLoaded', self.isLoaded)
local taskInfo = self.model:GetTaskInfos()
if not taskInfo or not taskInfo.taskList or not self.isLoaded then return end
print("Cat:MainUITaskView [start:47] taskInfo.taskList:", taskInfo.taskList)
PrintTable(taskInfo.taskList)
print("Cat:MainUITaskView [end]")
self.item_list_com = self.item_list_com or self:AddUIComponent(UI.ItemListCreator)
local info = {
data_list = taskInfo.taskList,
item_con = self.item_con,
scroll_view = self.item_scroll,
prefab_path = "Assets/AssetBundleRes/ui/mainui/MainUITaskItem.prefab",
item_height = 54,
space_y = 0,
child_names = {
"desc:txt","name:txt","status:txt","click:obj",
},
on_update_item = function(item, i, v)
self:OnUpdateItem(item, i, v)
end,
}
self.item_list_com:UpdateItems(info)
end
function MainUITaskView:OnUpdateItem( item, i, v )
local on_click = function ( click_obj )
print('Cat:MainUITaskView.lua[59] click_obj', click_obj)
if item.click_obj == click_obj then
print('Cat:MainUITaskView.lua[61]')
-- TaskController.GetInstance():DoTask({type = TaskConst.SubType.Talk, npcID = 3001})
TaskController.GetInstance():DoTask(v)
end
end
UI.BindClickEvent(item.click_obj, on_click)
local cfg = ConfigMgr:GetTaskCfg(v.taskID)
if not cfg then return end
local name = string.format("[%s]%s", TaskConst.Prefix[cfg.taskType], cfg.name)
item.name_txt.text = name
item.desc_txt.text = v.desc
item.status_txt.text = TaskConst.StatusStr[v.status]
end
return MainUITaskView |
local class = require('opus.class')
local UI = require('opus.ui')
UI.ActiveLayer = class(UI.Window)
UI.ActiveLayer.defaults = {
UIElement = 'ActiveLayer',
}
function UI.ActiveLayer:layout()
UI.Window.layout(self)
if not self.canvas then
self.canvas = self:addLayer()
else
self.canvas:resize(self.width, self.height)
end
end
function UI.ActiveLayer:enable(...)
self.canvas:raise()
self.canvas:setVisible(true)
UI.Window.enable(self, ...)
if self.parent.transitionHint then
self:addTransition(self.parent.transitionHint)
end
self:focusFirst()
end
function UI.ActiveLayer:disable()
if self.canvas then
self.canvas:setVisible(false)
end
UI.Window.disable(self)
end
|
local awful = require "awful"
local hotkeys_popup = require "awful.hotkeys_popup"
_G.Menu = {}
Menu.awesome = {
{
"hotkeys",
function()
hotkeys_popup.show_help(nil, awful.screen.focused())
end,
},
{ "edit config", editor_cmd .. " " .. awesome.conffile },
{ "restart", awesome.restart },
{
"quit",
function()
awesome.quit()
end,
},
}
Menu.main = awful.menu {
items = {
{ "awesome", Menu.awesome },
{ "terminal", terminal },
{ "browser", "brave" },
{ "emacs", "emacs" },
},
}
|
function model.removeFromPluginRepresentation()
-- Destroy/remove the plugin's counterpart to the simulation model
local data={}
data.id=model.handle
simBWF.query('object_delete',data)
model._previousPackedPluginData=nil
model._previousPackedPluginData_dynParams=nil
end
function model.updatePluginRepresentation()
-- Create or update the plugin's counterpart to the simulation model
local c=model.readInfo()
local data={}
data.id=model.handle
data.name=simBWF.getObjectAltName(model.handle)
data.pos=sim.getObjectPosition(model.handles.ragnarRef,-1)
data.quat=sim.getObjectQuaternion(model.handles.ragnarRef,-1)
data.alias=c.robotAlias
data.primaryArmLength=c.primaryArmLengthInMM/1000
data.secondaryArmLength=c.secondaryArmLengthInMM/1000
data.platformId=model.platform
data.pickTrackingWindows={}
data.placeTrackingWindows={}
data.pickFrames={}
data.placeFrames={}
data.robotAlias=c.robotAlias
data.motorType=c.motorType
for i=1,C.CIC,1 do
data.pickTrackingWindows[i]=simBWF.getReferencedObjectHandle(model.handle,model.objRefIdx.PICKTRACKINGWINDOW1+i-1)
data.placeTrackingWindows[i]=simBWF.getReferencedObjectHandle(model.handle,model.objRefIdx.PLACETRACKINGWINDOW1+i-1)
data.pickFrames[i]=simBWF.getReferencedObjectHandle(model.handle,model.objRefIdx.PICKFRAME1+i-1)
data.placeFrames[i]=simBWF.getReferencedObjectHandle(model.handle,model.objRefIdx.PLACEFRAME1+i-1)
-- trigger a window/location frame plugin update (the robot pose might have changed):
if data.pickTrackingWindows[i]~=-1 then
simBWF.callCustomizationScriptFunction('model.ext.associatedRobotChangedPose',data.pickTrackingWindows[i])
end
if data.placeTrackingWindows[i]~=-1 then
simBWF.callCustomizationScriptFunction('model.ext.associatedRobotChangedPose',data.placeTrackingWindows[i])
end
end
-- data.conveyors={simBWF.getReferencedObjectHandle(model.handle,model.objRefIdx.CONVEYOR1),simBWF.getReferencedObjectHandle(model.handle,model.objRefIdx.CONVEYOR2)}
data.inputs={}
data.outputs={}
for i=1,8,1 do
data.inputs[i]=simBWF.getReferencedObjectHandle(model.handle,model.objRefIdx.INPUT1+i-1)
data.outputs[i]=simBWF.getReferencedObjectHandle(model.handle,model.objRefIdx.OUTPUT1+i-1)
end
data.wsBox=c.wsBox
data.speed=c.maxVel
data.accel=c.maxAccel
data.waitingLocationAfterPick=c.waitLocAfterPickOrPlace[1]
data.waitingLocationAfterPlace=c.waitLocAfterPickOrPlace[2]
-- Following not really transmitted, but required to track pose change
data.robotPose={sim.getObjectPosition(model.handle,-1),sim.getObjectOrientation(model.handle,-1)}
data.pickWithoutTargetInSight=(sim.boolAnd32(c.jobBitCoded,2048)~=0)
data.ignorePartDestinations=(sim.boolAnd32(c.jobBitCoded,4096)~=0)
local packedData=sim.packTable(data)
if packedData~=model._previousPackedPluginData then -- update the plugin only if the data is different from last time here
model._previousPackedPluginData=packedData
simBWF.query('ragnar_update',data)
end
end
-------------------------------------------------------
-- JOBS:
-------------------------------------------------------
function model.handleJobConsistency(removeJobsExceptCurrent)
-- Make sure stored jobs are consistent with current scene:
model.currentJob=sim.getStringParameter(sim.stringparam_job)
local gripper=model.getGripper()
local data=model.readInfo()
simBWF.handleJobConsistencyInObjectReferences(model.handle,model.objRefJobInfo,data.jobData)
model.writeInfo(data)
if (not simBWF.isJobDataConsistent(data.jobData)) or removeJobsExceptCurrent then
-- Remove all stored models:
local serializedJobModels=model.readJobModelInfo()
-- Remove all jobs in this model:
data.jobData.jobs={}
-- Set-up job data to be identical for all jobs:
local jobNames=simBWF.getAllJobNames()
local objRefs=simBWF.readObjectReferencesForSpecificJob(model.handle,model.objRefJobInfo,1)
sim.setReferencedHandles(model.handle,{})
for i=1,#jobNames,1 do
local newJob={jobIndex=i}
data.jobData.jobs[jobNames[i]]=newJob
newJob.platform={}
newJob.gripper={}
if gripper>=0 then
newJob.gripper.id=sim.getObjectStringParameter(gripper,sim.objstringparam_unique_id)
newJob.gripper.info=sim.packTable(simBWF.callCustomizationScriptFunction('model.ext.readInfo',gripper))
newJob.gripper.altName=sim.getObjectName(gripper+sim.handleflag_altname)
end
if model.platform>=0 then
newJob.platform.id=sim.getObjectStringParameter(model.platform,sim.objstringparam_unique_id)
newJob.platform.info=sim.packTable(simBWF.callCustomizationScriptFunction('model.ext.readInfo',model.platform))
newJob.platform.altName=sim.getObjectName(model.platform+sim.handleflag_altname)
end
model.copyModelParamsToJob(data,jobNames[i])
simBWF.writeObjectReferencesForSpecificJob(model.handle,objRefs,i)
end
data.jobData.activeJobInModel=model.currentJob
model.writeInfo(data)
-- Just make sure we have also serialized the current platform and/or gripper models:
model.updateJobDataFromCurrentSituation(model.currentJob)
else
-- Switch to the correct job if needed (could have been copied before switching job, but pasted after switching job)
local jobNames=simBWF.getAllJobNames()
if #jobNames>1 then
if data.jobData.activeJobInModel~=model.currentJob then
model.switchFromJobToCurrent(data.jobData.activeJobInModel)
end
else
data.jobData.activeJobInModel=model.currentJob
model.writeInfo(data)
end
-- Just in case, remove any non-referenced stored model:
model.removeNonReferencedJobModels()
end
printJobDebugInfo()
end
function model.createNewJob()
-- Job was created by the system. Reflect changes in this model:
-- 1. Create a new job:
local oldJobName=model.currentJob
local newJobName=sim.getStringParameter(sim.stringparam_job)
model.currentJob=newJobName
model.updateJobDataFromCurrentSituation(oldJobName)
local data=model.readInfo()
local objRef_jobIndex=simBWF.createNewJobInObjectReferences(model.handle,model.objRefJobInfo,data.jobData)
data.jobData.jobs[newJobName]={jobIndex=objRef_jobIndex,platform={},gripper={}}
if model.gripper>=0 then
local id=sim.getObjectStringParameter(model.gripper,sim.objstringparam_unique_id)
data.jobData.jobs[newJobName].gripper.id=id
data.jobData.jobs[newJobName].gripper.info=sim.packTable(simBWF.callCustomizationScriptFunction('model.ext.readInfo',model.gripper))
data.jobData.jobs[newJobName].gripper.altName=sim.getObjectName(model.gripper+sim.handleflag_altname)
else
data.jobData.jobs[newJobName].gripper={}
end
if model.platform>=0 then
local id=sim.getObjectStringParameter(model.platform,sim.objstringparam_unique_id)
data.jobData.jobs[newJobName].platform.id=id
data.jobData.jobs[newJobName].platform.info=sim.packTable(simBWF.callCustomizationScriptFunction('model.ext.readInfo',model.platform))
data.jobData.jobs[newJobName].platform.altName=sim.getObjectName(model.platform+sim.handleflag_altname)
else
data.jobData.jobs[newJobName].platform={}
end
model.copyModelParamsToJob(data,newJobName)
model.writeInfo(data)
-- 2. Switch to it:
model.switchFromJobToCurrent(oldJobName)
printJobDebugInfo()
end
function model.deleteJob()
-- Job was deleted by the system. Reflect changes in this model:
-- 1. Switch to current job:
local oldJobName=model.currentJob
model.switchFromJobToCurrent(oldJobName)
-- 2. Delete previous job:
local data=model.readInfo()
simBWF.deleteJobInObjectReferences(model.handle,model.objRefJobInfo,data.jobData,oldJobName)
data.jobData.jobs[oldJobName]=nil
model.writeInfo(data)
model.removeNonReferencedJobModels()
printJobDebugInfo()
end
function model.renameJob()
-- Job was renamed by the system. Reflect changes in this model:
local oldJobName=model.currentJob
model.currentJob=sim.getStringParameter(sim.stringparam_job)
local data=model.readInfo()
data.jobData.jobs[model.currentJob]=data.jobData.jobs[oldJobName]
data.jobData.jobs[oldJobName]=nil
data.jobData.activeJobInModel=model.currentJob
model.writeInfo(data)
printJobDebugInfo()
end
function model.switchJob()
-- Switch job menu bar cmd
model.switchFromJobToCurrent(model.currentJob)
printJobDebugInfo()
end
function model.removeNonReferencedJobModels()
-- Create a map with all model ids of serialized models:
local toRemove={}
local serializedJobModels=model.readJobModelInfo()
for id,val in pairs(serializedJobModels) do
toRemove[id]=true
end
-- Go through all jobs, remove the referenced model ids from the map above:
local data=model.readInfo()
for job,val in pairs(data.jobData.jobs) do
if val.gripper.id then
toRemove[val.gripper.id]=nil -- do not remove that one
end
if val.platform.id then
toRemove[val.platform.id]=nil -- do not remove that one
end
end
-- Remove the serialized platform and grippers that are not referenced anymore:
for id,val in pairs(toRemove) do
serializedJobModels[id]=nil
end
model.writeJobModelInfo(serializedJobModels)
end
function model.switchFromJobToCurrent(oldJobName)
model.currentJob=sim.getStringParameter(sim.stringparam_job)
-- Serialize the platform and gripper if present, update the job data for the old job:
model.updateJobDataFromCurrentSituation(oldJobName)
-- Remove the platform and gripper model of the old job (the serialized version remains!):
if model.platform>=0 then
model.removeAndDeletePlatform()
end
-- prepare the new job's models (with correct job data):
local data=model.readInfo()
local oldJ=data.jobData.jobs[oldJobName]
local currentJ=data.jobData.jobs[model.currentJob]
-- oldJ.jobIndex should always be 1: we always switch from current to another
simBWF.swapJobsInObjectReferences(model.handle,model.objRefJobInfo,currentJ.jobIndex)
model.copyModelParamsToJob(data,oldJobName)
model.copyJobToModelParams(data,model.currentJob)
local tmp=oldJ.jobIndex
oldJ.jobIndex=currentJ.jobIndex
currentJ.jobIndex=tmp
local serializedJobModels=model.readJobModelInfo()
local platformId=data.jobData.jobs[model.currentJob].platform.id
if platformId then
local newPlatform=sim.loadModel(serializedJobModels[platformId])
simBWF.callCustomizationScriptFunction('model.ext.replaceInfo',newPlatform,sim.unpackTable(data.jobData.jobs[model.currentJob].platform.info))
sim.setObjectName(newPlatform+sim.handleflag_altname+sim.handleflag_silenterror,data.jobData.jobs[model.currentJob].platform.altName) -- setting name can fail (normal)
local gripperId=data.jobData.jobs[model.currentJob].gripper.id
if gripperId then
local newGripper=sim.loadModel(serializedJobModels[gripperId])
simBWF.callCustomizationScriptFunction('model.ext.attachGripper',newPlatform,newGripper)
simBWF.callCustomizationScriptFunction('model.ext.replaceInfo',newGripper,sim.unpackTable(data.jobData.jobs[model.currentJob].gripper.info))
sim.setObjectName(newGripper+sim.handleflag_altname+sim.handleflag_silenterror,data.jobData.jobs[model.currentJob].gripper.altName) -- setting name can fail (normal)
end
model.attachPlatformToEmptySpot(newPlatform)
sim.removeObjectFromSelection(sim.handle_all) -- When loaded, a model is automatically selected. Make sure this doesn't happen
end
data.jobData.activeJobInModel=model.currentJob
model.writeInfo(data)
model.hideHousing(sim.boolAnd32(data.jobBitCoded,8)~=0)
local s=0
if data.frameType~=C.FRAMETYPELIST[1] then
if sim.boolAnd32(data.jobBitCoded,16)~=0 then
s=2
else
s=1
end
end
model.setFrameState(s)
end
function model.updateJobDataFromCurrentSituation(jobName)
-- Serialize the platform and gripper if present:
local serializedJobModels=model.readJobModelInfo()
if model.gripper>=0 then
local id=sim.getObjectStringParameter(model.gripper,sim.objstringparam_unique_id)
serializedJobModels[id]=sim.saveModel(model.gripper)
end
if model.platform>=0 then
local attachPt
if model.gripper>=0 then
-- detach the gripper temporarily (otherwise it gets serialized together with the platform)
attachPt=sim.getObjectParent(model.gripper)
sim.setObjectParent(model.gripper,-1,true)
end
local id=sim.getObjectStringParameter(model.platform,sim.objstringparam_unique_id)
serializedJobModels[id]=sim.saveModel(model.platform)
if model.gripper>=0 then
-- reattach the gripper
sim.setObjectParent(model.gripper,attachPt,true)
end
end
model.writeJobModelInfo(serializedJobModels)
-- Update the job data:
local data=model.readInfo()
if model.gripper>=0 then
local id=sim.getObjectStringParameter(model.gripper,sim.objstringparam_unique_id)
data.jobData.jobs[jobName].gripper.id=id
data.jobData.jobs[jobName].gripper.info=sim.packTable(simBWF.callCustomizationScriptFunction('model.ext.readInfo',model.gripper))
data.jobData.jobs[jobName].gripper.altName=sim.getObjectName(model.gripper+sim.handleflag_altname)
else
data.jobData.jobs[jobName].gripper={}
end
if model.platform>=0 then
local id=sim.getObjectStringParameter(model.platform,sim.objstringparam_unique_id)
data.jobData.jobs[jobName].platform.id=id
data.jobData.jobs[jobName].platform.info=sim.packTable(simBWF.callCustomizationScriptFunction('model.ext.readInfo',model.platform))
data.jobData.jobs[jobName].platform.altName=sim.getObjectName(model.platform+sim.handleflag_altname)
else
data.jobData.jobs[jobName].platform={}
end
model.writeInfo(data)
-- Remove serialized models that are not used anymore:
model.removeNonReferencedJobModels()
printJobDebugInfo()
end
function printJobDebugInfo()
--[[
print("-----------------")
local serializedJobModels=model.readJobModelInfo()
for id,val in pairs(serializedJobModels) do
print("serialized model: "..id)
end
local data=model.readInfo()
for job,val in pairs(data.jobData.jobs) do
print("Job: "..job.." :")
if val.platform.id then
print(" Platform: "..val.platform.id)
else
print(" Platform: none")
end
if val.gripper.id then
print(" Gripper: "..val.gripper.id)
else
print(" Gripper: none")
end
end
print("Last stored job: "..data.jobData.activeJobInModel)
print("Current job: "..model.currentJob)
print("-----------------")
--]]
end
|
require 'TicTacToeUtil'
function TicTacToeQLearningAgent(numActions, model, stone)
local agent = {}
local util = TicTacToeUtil()
-- Choose actoin based on epsilon-greedy strategy
-- @param state
-- @param epsilon
-- @return
function agent.chooseAction(state, epsilon)
local action
if (util.randf(0, 1) <= epsilon) then
while ( true ) do
action = math.random(1, numActions)
if ( util.isActionable(state, action) ) then
print("random")
break
end
end
else
q = model:forward(state:view(-1))
_, index = torch.sort(q, 1)
for j = 1, 9 do
action = index[-j]
if ( util.isActionable(state, action) ) then
print("action: " .. action)
print(state:view(3,3))
break
end
end
end
return action
end
function agent.stone()
return stone
end
return agent
end
|
local m = require 'lpeg'
return m.P '\0'
|
local M = {}
local function log(level, ...)
local d = debug.getinfo(3)
api_log_out(level, d.short_src, d.currentline, string.format(...))
end
function M.err(...)
log(API_LOG_ERROR, ...)
end
function M.info(...)
log(API_LOG_INFO, ...)
end
return M
|
ownit = {}
ownit.modname = core.get_current_modname()
ownit.modpath = core.get_modpath(ownit.modname)
dofile(ownit.modpath .. "/wand.lua")
|
local skynet = require "skynet"
local socket = require "skynet.socket"
-- 简单echo服务
function echo(c_id, addr)
socket.start(c_id)
local str = socket.readall(c_id)
if str then
skynet.error("recv "..str)
else
skynet.error(addr .. " close")
socket.close(c_id)
return
end
end
function accept(c_id, addr)
skynet.error(addr .. " accepted")
skynet.fork(echo, c_id, addr)
end
skynet.start(function()
local addr = "0.0.0.0:8001"
skynet.error("listen "..addr)
local l_id = socket.listen(addr)
assert(l_id)
socket.start(l_id, accept)
end)
|
local function removeArrayValues(t, v)
local n = 0
for i, v2 in ipairs(t) do
if v2 ~= v then
n = n + 1
t[n] = v2
end
end
while #t > n do
t[#t] = nil
end
end
local function clear(t, v)
if v == nil then
for k in pairs(t) do
t[k] = nil
end
else
for k, v2 in pairs(t) do
if v2 == v then
t[k] = nil
end
end
end
end
local function keys(t, ks)
ks = ks or {}
for k in pairs(t) do
ks[#ks + 1] = k
end
return ks
end
local function values(t, vs)
vs = vs or {}
for k, v in pairs(t) do
vs[#vs + 1] = v
end
return vs
end
local function get(t, k, v)
local v2 = t[k]
if v2 == nil then
return v
end
return v2
end
local function get2(t, k1, k2, v)
t = t[k1]
if t == nil then
return v
end
local v2 = t[k2]
if v2 == nil then
return v
end
return v2
end
local function get3(t, k1, k2, k3, v)
t = t[k1]
if t == nil then
return v
end
t = t[k2]
if t == nil then
return v
end
local v2 = t[k3]
if v2 == nil then
return v
end
return v2
end
local function set2(t, k1, k2, v)
if v == nil then
local t2 = t[k1]
if t2 == nil then
return
end
local v2 = t2[k2]
if v2 == nil then
return
end
t2[k2] = nil
if next(t2) ~= nil then
return
end
t[k1] = nil
else
local t2 = t[k1]
if t2 == nil then
t2 = {}
t[k1] = t2
end
t2[k2] = v
end
end
local function set3(t, k1, k2, k3, v)
if v == nil then
local t2 = t[k1]
if t2 == nil then
return
end
local t3 = t2[k2]
if t3 == nil then
return
end
local v2 = t3[k3]
if v2 == nil then
return
end
t3[k3] = nil
if next(t3) ~= nil then
return
end
t2[k2] = nil
if next(t2) ~= nil then
return
end
t[k1] = nil
else
local t2 = t[k1]
if t2 == nil then
t2 = {}
t[k1] = t2
end
local t3 = t2[k2]
if t3 == nil then
t3 = {}
t2[k2] = t3
end
t3[k3] = v
end
end
return {
clear = clear,
get = get,
get2 = get2,
get3 = get3,
keys = keys,
removeArrayValues = removeArrayValues,
set2 = set2,
set3 = set3,
values = values,
}
|
--[[ PLAYER SPAWN POINT LIST
revive_point(<map_id>, <x_pos>, <y_pos>);
start_point(<map_id>, <x_pos>, <y_pos>);
respawn_point(<map_id>, <x_pos>, <y_pos>);
--]]
start_point(25, 5379.492, 5184.521);
respawn_point(25, 5156.294, 5086.163);
respawn_point(25, 5515.459, 4899.346);
respawn_point(25, 5490.361, 5359.512);
respawn_point(25, 5265.901, 5555.693);
|
local cjson = require("cjson.safe")
return {
serialize = cjson.encode,
deserialize = cjson.decode
}
|
redis = require('redis')
sjson = require('sjson')
bit = require('bit')
function processData(data)
print("Processing switch state " .. data)
data = tonumber(data)
for i=0,7,1 do
if bit.isset(data, i) then
print("Switch " .. i .. " is on")
gpio.write(i+1, gpio.LOW)
else
print("Switch " .. i .. " is off")
gpio.write(i+1, gpio.HIGH)
end
end
end
function onUpdate(channel, msg)
print("Received a PUBLISH message.")
print(msg)
processData(msg)
end
function start()
print("Started")
connection = redis.connect(REDIS_SERVER)
connection:subscribe("state." .. PACK_ID, onUpdate)
http.get(WEBDIS_SERVER.."/get/state." .. PACK_ID, nil, function(code, data)
if (code < 0) then
print("GET request failed")
else
print("Received GET response:")
print(code, data)
a = sjson.decode(data)
processData(a["get"])
end
end)
end |
return {
aes = {
key = 'change_me',
-- salt can be either nil or exactly 8 characters long
salt = 'changeme',
size = 256,
mode = 'cbc',
hash = 'sha512',
hash_rounds = 5,
},
tg = {
bot_username = 'tinystash_bot',
-- bot authorization token
token = 'bot_token',
-- tg server request timeout, seconds
request_timeout = 10,
-- secret part of the webhook url: https://www.example.com/webhook/<secret>
-- set to nil to use the authorization token as a secret
-- see also: https://core.telegram.org/bots/api#setwebhook
webhook_secret = nil,
-- chat_id (integer or string) for uploaded files
-- set to nil to disable http uploading
upload_chat_id = nil,
-- chat_id (integer or string) for forwarded messages
-- set to nil to disable message forwarding
forward_chat_id = nil,
},
nginx_conf = {
-- (int, required)
listen = 80,
-- (int | 'auto', optional, default is 'auto')
worker_processes = 'auto',
-- (int, required)
worker_connections = 1024,
-- (string, required) 20 MiB getFile API method limit + 10% (multipart/form-data overhead)
client_max_body_size = '22M',
-- (array of strings, optional)
error_log = {
-- log everything to stderr
'stderr debug',
-- uncomment the next line to log error messages to a file
-- 'logs/error.log error',
},
-- (string, optional, default is 'off') access log is disabled, set file path to enable
access_log = 'off',
-- (string, required)
resolver = '8.8.8.8 ipv6=off',
-- (boolean | 'on' | 'off', optional, default is true/'on') set to false/'off' in development mode
lua_code_cache = true,
-- (string, required)
lua_ssl_trusted_certificate = '/etc/ssl/certs/ca-certificates.crt',
-- (int, required)
lua_ssl_verify_depth = 5,
-- (boolean, optional, default is false)
resty_http_debug_logging = false,
},
-- url prefix for generated links: scheme://host[:port][/path], e.g.,
-- https://example.com/ --> https://example.com/ln/<tiny_id>
-- https://example.com/tiny --> https://example.com/tiny/ln/<tiny_id>
-- https://example.com/stash/ --> https://example.com/stash/ln/<tiny_id>
-- trailing slashes are ignored
link_url_prefix = 'https://example.com/',
-- don't show download links in bot response if content-type is image/*
hide_image_download_link = false,
-- enable direct file upload (e.g., via curl)
enable_upload_api = true,
-- Google Tag Manager ID (Container ID), string or nil
gtm_id = nil,
}
|
local Hack = {
nId = YYYYMMDD,
strName = "Name_of_the_Hack",
strDescription = "Description_of_the_Hack",
strXmlDocName = nil,
tSave = nil,
}
function Hack:Initialize()
return true
end
function Hack:Load()
end
function Hack:Unload()
end
function Hack:new(o)
o = o or {}
setmetatable(o, self)
self.__index = self
return o
end
function Hack:Register()
local addonMain = Apollo.GetAddon("HacksByAramunn")
addonMain:RegisterHack(self)
end
local HackInst = Hack:new()
HackInst:Register()
|
local COMMAND = {}
COMMAND.title = "Imitate"
COMMAND.description = "Makes a player say something in chat."
COMMAND.author = "Nub"
COMMAND.timeCreated = "Saturday, April 25, 2020 @ 12:22 AM CST"
COMMAND.category = "Fun"
COMMAND.call = "im"
COMMAND.usage = "<player> {action}"
COMMAND.server = function(caller, args)
if #args > 0 then
local targ = nadmin:FindPlayer(table.remove(args, 1), caller, nadmin.MODE_BELOW)
if table.HasValue(targ, caller) then
for i, ply in ipairs(targ) do
if ply == caller then table.remove(targ, i) end
end
end
if #targ == 1 then
if #args > 0 then
nadmin.SilentNotify = true
local mc = nadmin:GetNameColor(caller) or nadmin.colors.blue
local tc = nadmin:GetNameColor(targ[1])
nadmin:Notify(mc, caller:Nick(), nadmin.colors.white, " has imitated ", tc, targ[1]:Nick(), nadmin.colors.white, ".")
targ[1].n_Imitated = true
targ[1]:Say(table.concat(args, " "))
else
nadmin:Notify(caller, nadmin.colors.red, nadmin.errors.notEnoughArgs)
end
elseif #targ > 1 then
nadmin:Notify(caller, nadmin.colors.red, nadmin.errors.TooManyTargs)
else
nadmin:Notify(caller, nadmin.colors.red, nadmin.errors.noTargLess)
end
-- nadmin.SilentNotify = false
-- nadmin:Notify(nadmin:GetNameColor(caller) or nadmin.colors.blue, caller:Nick(), nadmin.colors.white, " ", table.concat(args, " "))
else
nadmin:Notify(caller, nadmin.colors.red, nadmin.errors.notEnoughArgs)
end
end
COMMAND.advUsage = {
{
type = "player",
text = "Player",
targetMode = nadmin.MODE_BELOW,
canTargetSelf = false
},
{
type = "string",
text = "Action"
}
}
local say = Material("icon16/user_comment.png")
COMMAND.scoreboard = {}
COMMAND.scoreboard.targetMode = nadmin.MODE_BELOW
COMMAND.scoreboard.canTargetSelf = false
COMMAND.scoreboard.iconRender = function(panel, w, h, ply)
surface.SetDrawColor(255, 255, 255)
surface.SetMaterial(say)
surface.DrawTexturedRect(w/2 - 10, 4, 20, 20)
end
COMMAND.scoreboard.OnClick = function(ply, rmb)
nadmin.scoreboard.cmd = cmd.advUsage
nadmin.scoreboard.call = cmd.call
nadmin.scoreboard:Hide()
nadmin.scoreboard:Show()
end
nadmin:RegisterCommand(COMMAND)
|
Description="Cold Plasma Dispersion" -- description or other text things.
Context="ExplicitEM"
-- SI Unit System
c = 299792458 -- m/s
qe=1.60217656e-19 -- C
me=9.10938291e-31 --kg
mp=1.672621777e-27 --kg
mp_me=1836.15267245 --
KeV = 1.1604e7 -- K
Tesla = 1.0 -- Tesla
PI=3.141592653589793
TWOPI=PI*2
k_B=1.3806488e-23 --Boltzmann_constant
--
k_parallel=18
Btor= 1.0 * Tesla
Ti = 0.03 * KeV
Te = 0.05 * KeV
N0 = 1.0e17 -- m^-3
omega_ci = qe * Btor/mp -- e/m_p B0 rad/s
vTi= math.sqrt(k_B*Ti*2/mp)
rhoi = vTi/omega_ci -- m
omega_ce = qe * Btor/me -- e/m_p B0 rad/s
vTe= math.sqrt(k_B*Te*2/me)
rhoe = vTe/omega_ce -- m
NX = 200
NY = 200
NZ = 1
LX = 1.6 --m --100000*rhoi --0.6
LY = 2.8 --2.0*math.pi/k0
LZ = 0 -- 2.0*math.pi/18
GW = 5
omega_ext=omega_ci*1.9
-- From Gan
--[[
InitN0=function(x,y,z)
local X0 = 12*LX/NX;
local DEN_JUMP = 0.4*LX;
local DEN_GRAD = 0.2*LX;
local AtX0 = 2./math.pi*math.atan((-DEN_JUMP)/DEN_GRAD);
local AtLX = 2./math.pi*math.atan((LX-DEN_JUMP-X0)/DEN_GRAD);
local DenCof = 1./(AtLX-AtX0);
local dens1 = DenCof*(2./math.pi*math.atan((x-DEN_JUMP)/DEN_GRAD)-AtX0);
return dens1*N0
end
--]]
InitN0=function(x,y,z)
local x0=0.1*LX ;
local res = 0.0;
if x>x0 then
res=0.5*N0*(1.0- math.cos(PI*(x-x0)/(LX-x0)));
end
return res
end
InitB0=function(x,y,z)
local X0 = 12*LX/NX;
local DEN_JUMP = 0.4*LX;
local DEN_GRAD = 0.2*LX;
local AtX0 = 2./math.pi*math.atan((-DEN_JUMP)/DEN_GRAD);
local AtLX = 2./math.pi*math.atan((LX-DEN_JUMP-X0)/DEN_GRAD);
local DenCof = 1./(AtLX-AtX0);
local dens1 = DenCof*(2./math.pi*math.atan((x-DEN_JUMP)/DEN_GRAD)-AtX0);
return {0,0,Btor}
end
--[[
InitValue={
-- E=function(x,y,z)
-- ---[[
-- local res = 0.0;
-- for i=1,40 do
-- res=res+math.sin(x/LX*TWOPI* i);
-- end;
-- return {res,res,res}
-- end
-- ,
B=function(x,y,z)
-- local omega_ci_x0 = 1/1.55*omega;
-- local omega_ci_lx = 1/1.45*omega;
-- local Bf_lx = omega_ci_lx*ionmass/ioncharge
-- local Bf_x0 = omega_ci_x0*ionmass/ioncharge
return {0,0,Btor}
end
,
ne= 1.0e18
}
--]]
GFile='/home/salmon/workspace/SimPla/example/gfile/g038300.03900'
Grid=
{
Type="RectMesh",
UnitSystem={Type="SI"},
Topology=
{
Type="RectMesh",
Dimensions={NX,NY,NZ}, -- number of grid, now only first dimension is valid
ArrayOrder="Fortran Order"
},
Geometry=
{
Type="Origin_DxDyDz",
Min={1.2,-1.4,0.0},
Max={2.8,1.4,LZ},
-- dt= 2.0*math.pi/omega_ci/1000.0
--dt=0.5*LX/NX/c -- time step
},
dt=1/math.sqrt(1.0e18*8.89)
}
-- Media=
-- {
-- {Tag="Vacuum",Region={{0.2*LX,0,0},{0.8*LX,0,0}},Op="Push"},
-- {Tag="Plasma",
-- Select=function(x,y,z)
-- return x>1.0 and x<2.0
-- end
-- ,Op="Register"},
-- }
---[[
Constraints=
{
---[[
{
DOF="E",IsHard=true,
Select={Type="Boundary", Material="Vacuum" },
Value= 0
},
--]]
{
DOF="J",
Region={ {2.0,0,0}},
IsHard=true,
Value=function(x,y,z,t)
local tau = t*omega_ext
Print(t)
return { 0,0,math.sin(tau)}
end
}
-- *(1-math.exp(-tau*tau)
-- {
-- DOF="J",
-- Select={Type="Media", Tag="Vacuum"},
-- Value= 0
-- },
-- {
-- DOF="Particles",
-- Select={Type="Media", Tag="Vacuum"},
-- Value= "Absorb"
-- },
}
--]]
--[[
Particles={
{Name="H",Engine="DeltaF",Mass=mp,Charge=qe,T=Ti,PIC=100, n=InitN0}
}
--]]
---[[
FieldSolver=
{
ColdFluid=
{
Nonlinear=false,
Species=
{
{Name="H",Mass=mp, Charge= qe ,T=Ti, n=1.0},
{Name="ele",Mass=me, Charge=-qe, n=1.0}
}
},
-- PML= {Width={20,20,0,0,0,0}}
}
--]]
-- The End ---------------------------------------
|
local util = require("spec.util")
describe("-q --quiet flag", function()
setup(util.chdir_setup)
teardown(util.chdir_teardown)
it("silences warnings from tlconfig.lua", function()
util.run_mock_project(finally, {
dir_structure = {
["tlconfig.lua"] = [[return { foo = "hello" }]],
},
cmd = "check",
args = { "--quiet", "tlconfig.lua" },
cmd_output = [[]],
})
end)
it("silences stdout when running tl check", function()
local name = util.write_tmp_file(finally, [[
print("hello world!")
]])
local pd = io.popen(util.tl_cmd("check", "-q", name), "r")
local output = pd:read("*a")
util.assert_popen_close(0, pd:close())
assert.match("", output, 1, true)
end)
it("does NOT silence stderr when running tl check", function()
local name = util.write_tmp_file(finally, [[
local function add(a: number, b: number): number
return a + b
end
print(add("string", 20))
print(add(10, true))
]])
local pd = io.popen(util.tl_cmd("check", "-q", name) .. "2>&1", "r")
local output = pd:read("*a")
util.assert_popen_close(1, pd:close())
assert.match("2 errors:", output, 1, true)
end)
it("silences stdout when running tl gen", function()
local name = util.write_tmp_file(finally, [[
local function add(a: number, b: number): number
return a + b
end
print(add(10, 20))
]])
local pd = io.popen(util.tl_cmd("gen", "--quiet", name), "r")
local output = pd:read("*a")
util.assert_popen_close(0, pd:close())
local lua_name = name:gsub("tl$", "lua")
assert.match("", output, 1, true)
util.assert_line_by_line([[
local function add(a, b)
return a + b
end
print(add(10, 20))
]], util.read_file(lua_name))
end)
it("does NOT silence stderr when running tl gen", function()
local name = util.write_tmp_file(finally, [[
print(add("string", 20))))))
]])
local pd = io.popen(util.tl_cmd("gen", "--quiet", name) .. "2>&1", "r")
local output = pd:read("*a")
util.assert_popen_close(1, pd:close())
assert.match("1 syntax error:", output, 1, true)
end)
end)
|
--TODO: Passive Health Regen: check percentages, substract berserker reduction, calculate frenzy reduction
if not (WolfHUD and WolfHUD:getSetting({"HUDList", "ENABLED"}, true)) then return end
if string.lower(RequiredScript) == "lib/managers/hudmanagerpd2" then
local format_time_string = function(value)
local time_str
if math.floor(value) > 60 then
time_str = string.format("%d:%02d", math.floor(value / 60), math.floor(value % 60))
elseif math.floor(value) > 9.9 then
time_str = string.format("%d", math.floor(value))
elseif value > 0 then
time_str = string.format("%.1f", value)
else
time_str = string.format("%.1f", 0)
end
return time_str
end
local function get_distance_to_player(unit)
local distance, rotation = 0, 360
local cam = managers.viewport:get_current_camera()
if alive(cam) and alive(unit) then
local vector = unit:position() - cam:position()
local forward = cam:rotation():y()
distance = (mvector3.normalize(vector) or 0) / 100
rotation = math.floor( vector:to_polar_with_reference( forward , math.UP ).spin )
end
local distance_str
if math.floor(distance) > 9.9 then
distance_str = string.format("%dm", distance)
else
distance_str = string.format("%.1fm", distance)
end
return distance_str, rotation
end
local function get_icon_data(icon)
local texture = icon.texture
local texture_rect = icon.texture_rect
if icon.skills then
texture = "guis/textures/pd2/skilltree/icons_atlas"
local x, y = unpack(icon.skills)
texture_rect = { x * 64, y * 64, 64, 64 }
elseif icon.skills_new then
texture = "guis/textures/pd2/skilltree_2/icons_atlas_2"
local x, y = unpack(icon.skills_new)
texture_rect = { x * 80, y * 80, 80, 80 }
elseif icon.perks then
texture = string.format("guis/%stextures/pd2/specialization/icons_atlas", icon.texture_bundle_folder and string.format("dlcs/%s/", tostring(icon.texture_bundle_folder)) or "")
local x, y = unpack(icon.perks)
texture_rect = { x * 64, y * 64, 64, 64 }
elseif icon.preplanning then
texture = "guis/dlcs/big_bank/textures/pd2/pre_planning/preplan_icon_types"
local x, y = unpack(icon.preplanning)
texture_rect = { x * 48, y * 48, 48, 48 }
elseif icon.hud_tweak then
texture, texture_rect = tweak_data.hud_icons:get_icon_data(icon.hud_tweak, texture_rect)
elseif icon.hud_icons then
texture = "guis/textures/hud_icons"
texture_rect = icon.hud_icons
elseif icon.hudtabs then
texture = "guis/textures/pd2/hud_tabs"
texture_rect = icon.hudtabs
elseif icon.hudpickups then
texture = "guis/textures/pd2/hud_pickups"
texture_rect = icon.hudpickups
elseif icon.waypoints then
texture = "guis/textures/pd2/pd2_waypoints"
texture_rect = icon.waypoints
end
return texture, texture_rect
end
local function get_color_from_table(value, max_value, color_table, default_color)
local color_table = color_table or {
{ ratio = 0.0, color = Color(1, 0.9, 0.1, 0.1) }, --Red
{ ratio = 0.5, color = Color(1, 0.9, 0.9, 0.1) }, --Yellow
{ ratio = 1.0, color = Color(1, 0.1, 0.9, 0.1) } --Green
}
local color = default_color or color_table[#color_table].color or Color.white
if value and max_value then
local ratio = math.clamp(value / max_value, 0 , 1)
for i, data in ipairs(color_table) do
if ratio < data.ratio then
local nxt = color_table[math.clamp(i-1, 1, #color_table)]
local scale = (ratio - data.ratio) / (nxt.ratio - data.ratio)
color = Color(
(data.color.alpha or 1) * (1-scale) + (nxt.color.alpha or 1) * scale,
(data.color.red or 0) * (1-scale) + (nxt.color.red or 0) * scale,
(data.color.green or 0) * (1-scale) + (nxt.color.green or 0) * scale,
(data.color.blue or 0) * (1-scale) + (nxt.color.blue or 0) * scale)
break
end
end
end
return color
end
local _setup_player_info_hud_pd2_original = HUDManager._setup_player_info_hud_pd2
local update_original = HUDManager.update
local show_stats_screen_original = HUDManager.show_stats_screen
local hide_stats_screen_original = HUDManager.hide_stats_screen
function HUDManager:_setup_player_info_hud_pd2(...)
_setup_player_info_hud_pd2_original(self, ...)
if managers.gameinfo then
managers.hudlist = HUDListManager:new()
else
WolfHUD:print_log("(HUDList) GameInfoManager not present!", "error")
end
end
function HUDManager:update(t, dt, ...)
if managers.hudlist then
managers.hudlist:update(Application:time(), dt) --TEST. See if this improves oddity with durations
end
return update_original(self, t, dt, ...)
end
function HUDManager:change_list_setting(setting, value)
if managers.hudlist then
return managers.hudlist:change_setting(setting, value)
else
HUDListManager.ListOptions[setting] = value
return true
end
end
function HUDManager:change_bufflist_setting(name, show)
if managers.hudlist then
return managers.hudlist:change_buff_ignore(name, not show)
else
HUDList.BuffItemBase.MAP[name].ignore = not show
return true
end
end
function HUDManager:change_pickuplist_setting(name, show)
if managers.hudlist then
return managers.hudlist:change_pickup_ignore(name, not show)
else
for _, data in pairs(HUDList.SpecialPickupItem.MAP) do
if data.category == name then
data.ignore = not show
end
end
return true
end
end
function HUDManager:show_stats_screen(...)
if managers.hudlist then
managers.hudlist:fade_lists(0.4)
end
return show_stats_screen_original(self, ...)
end
function HUDManager:hide_stats_screen(...)
if managers.hudlist then
managers.hudlist:fade_lists(1)
end
return hide_stats_screen_original(self, ...)
end
HUDListManager = HUDListManager or class()
HUDListManager.ListOptions = {
--General settings (Offsets get updated by Objective/Assault or CustomHUD)
right_list_height_offset = 0, --Margin from top for the right list
left_list_height_offset = 40, --Margin from top for the left list
buff_list_height_offset = 90, --Margin from bottom for the buff list
right_list_scale = WolfHUD:getSetting({"HUDList", "right_list_scale"}, 1), --Size scale of right list
left_list_scale = WolfHUD:getSetting({"HUDList", "left_list_scale"}, 1), --Size scale of left list
buff_list_scale = WolfHUD:getSetting({"HUDList", "buff_list_scale"}, 1), --Size scale of buff list
right_list_progress_alpha = WolfHUD:getSetting({"HUDList", "right_list_progress_alpha"}, 0.4),
left_list_progress_alpha = WolfHUD:getSetting({"HUDList", "left_list_progress_alpha"}, 0.4),
buff_list_progress_alpha = WolfHUD:getSetting({"HUDList", "buff_list_progress_alpha"}, 1.0),
--Left side list
show_timers = WolfHUD:getSetting({"HUDList", "LEFT_LIST", "show_timers"}, true), --Drills, time locks, hacking etc.
show_ammo_bags = WolfHUD:getSetting({"HUDList", "LEFT_LIST", "show_ammo_bags"}, true),
show_doc_bags = WolfHUD:getSetting({"HUDList", "LEFT_LIST", "show_doc_bags"}, true),
show_first_aid_kits = WolfHUD:getSetting({"HUDList", "LEFT_LIST", "show_first_aid_kits"}, false),
show_body_bags = WolfHUD:getSetting({"HUDList", "LEFT_LIST", "show_body_bags"}, true),
show_grenade_crates = WolfHUD:getSetting({"HUDList", "LEFT_LIST", "show_grenade_crates"}, true),
show_sentries = WolfHUD:getSetting({"HUDList", "LEFT_LIST", "show_sentries"}, true), --Deployable sentries
show_ecms = WolfHUD:getSetting({"HUDList", "LEFT_LIST", "show_ecms"}, true), --Active ECMs
show_ecm_retrigger = WolfHUD:getSetting({"HUDList", "LEFT_LIST", "show_ecm_retrigger"}, true), --Countdown for player owned ECM feedback retrigger delay
show_minions = WolfHUD:getSetting({"HUDList", "LEFT_LIST", "show_minions"}, true), --Converted enemies, type and health
show_own_minions_only = WolfHUD:getSetting({"HUDList", "LEFT_LIST", "show_own_minions_only"}, true), --Only show player-owned minions
show_pagers = WolfHUD:getSetting({"HUDList", "LEFT_LIST", "show_pagers"}, true), --Show currently active pagers
show_tape_loop = WolfHUD:getSetting({"HUDList", "LEFT_LIST", "show_tape_loop"}, true), --Show active tape loop duration
--Right side list
show_enemies = WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "show_enemies"}, true), --Currently spawned enemies
aggregate_enemies = WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "aggregate_enemies"}, false), --Aggregate all enemies into a single item
show_turrets = WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "show_turrets"}, true), --Show active SWAT turrets
show_civilians = WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "show_civilians"}, true), --Currently spawned, untied civs
show_hostages = WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "show_hostages"}, true), --Currently tied civilian and dominated cops
aggregate_hostages = WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "aggregate_hostages"}, false), --Aggregate all hostages into a single item
show_minion_count = WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "show_minion_count"}, true), --Current number of jokered enemies
show_pager_count = WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "show_pager_count"}, true), --Show number of triggered pagers (only counts pagers triggered while you were present)
show_cam_count = WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "show_cam_count"}, true),
show_bodybags_count = WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "show_bodybags_count"}, true),
show_corpse_count = WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "show_corpse_count"}, true),
show_loot = WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "show_loot"}, true), --Show spawned and active loot bags/piles (may not be shown if certain mission parameters has not been met)
aggregate_loot = WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "aggregate_loot"}, false), --Aggregate all loot into a single item
separate_bagged_loot = WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "separate_bagged_loot"}, true), --Show bagged/unbagged loot as separate values
show_potential_loot = WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "show_potential_loot"}, false),
show_special_pickups = WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "show_special_pickups"}, true), --Show number of special equipment/items
--Buff list
show_buffs = WolfHUD:getSetting({"HUDList", "BUFF_LIST", "show_buffs"}, true), --Active effects (buffs/debuffs). Also see HUDList.BuffItemBase.IGNORED_BUFFS table to ignore specific buffs that you don't want listed, or enable some of those not shown by default
list_color = WolfHUD:getColorSetting({"HUDList", "list_color"}, "white"),
list_color_bg = WolfHUD:getColorSetting({"HUDList", "list_color_bg"}, "black"),
civilian_color = WolfHUD:getColorSetting({"HUDList", "civilian_color"}, "white"),
hostage_color = WolfHUD:getColorSetting({"HUDList", "civilian_color"}, "white"),
thug_color = WolfHUD:getColorSetting({"HUDList", "thug_color"}, "white"),
enemy_color = WolfHUD:getColorSetting({"HUDList", "enemy_color"}, "white"),
guard_color = WolfHUD:getColorSetting({"HUDList", "enemy_color"}, "white"),
special_color = WolfHUD:getColorSetting({"HUDList", "special_color"}, "white"),
turret_color = WolfHUD:getColorSetting({"HUDList", "special_color"}, "white"),
}
HUDListManager.TIMER_SETTINGS = {
shoutout_raid = {
[132864] = { --Meltdown vault temperature
class = "TemperatureGaugeItem",
params = { start = 0, goal = 50 },
},
},
nail = {
[135076] = { ignore = true }, --Lab rats cloaker safe 2
[135246] = { ignore = true }, --Lab rats cloaker safe 3
[135247] = { ignore = true }, --Lab rats cloaker safe 4
},
help = {
[400003] = { ignore = true }, --Prison Nightmare Big Loot timer
},
hvh = {
[100007] = { ignore = true }, --Cursed kill room timer
[100888] = { ignore = true }, --Cursed kill room timer
[100889] = { ignore = true }, --Cursed kill room timer
[100891] = { ignore = true }, --Cursed kill room timer
[100892] = { ignore = true }, --Cursed kill room timer
[100878] = { ignore = true }, --Cursed kill room timer
[100176] = { ignore = true }, --Cursed kill room timer
[100177] = { ignore = true }, --Cursed kill room timer
[100029] = { ignore = true }, --Cursed kill room timer
[141821] = { ignore = true }, --Cursed kill room safe 1 timer
[141822] = { ignore = true }, --Cursed kill room safe 1 timer
[140321] = { ignore = true }, --Cursed kill room safe 2 timer
[140322] = { ignore = true }, --Cursed kill room safe 2 timer
[139821] = { ignore = true }, --Cursed kill room safe 3 timer
[139822] = { ignore = true }, --Cursed kill room safe 3 timer
[141321] = { ignore = true }, --Cursed kill room safe 4 timer
[141322] = { ignore = true }, --Cursed kill room safe 4 timer
[140821] = { ignore = true }, --Cursed kill room safe 5 timer
[140822] = { ignore = true }, --Cursed kill room safe 5 timer
}
}
HUDListManager.UNIT_TYPES = {
cop = { type_id = "cop", category = "enemies", long_name = "wolfhud_enemy_cop" },
cop_female = { type_id = "cop", category = "enemies", long_name = "wolfhud_enemy_cop" },
fbi = { type_id = "cop", category = "enemies", long_name = "wolfhud_enemy_fbi" },
swat = { type_id = "cop", category = "enemies", long_name = "wolfhud_enemy_swat" },
heavy_swat = { type_id = "cop", category = "enemies", long_name = "wolfhud_enemy_heavy_swat" },
heavy_swat_sniper = { type_id = "cop", category = "enemies", long_name = "wolfhud_enemy_heavy_swat_sniper" },
fbi_swat = { type_id = "cop", category = "enemies", long_name = "wolfhud_enemy_swat" },
fbi_heavy_swat = { type_id = "cop", category = "enemies", long_name = "wolfhud_enemy_heavy_swat" },
city_swat = { type_id = "cop", category = "enemies", long_name = "wolfhud_enemy_city_swat" },
security = { type_id = "security", category = "enemies", long_name = "wolfhud_enemy_security" },
security_undominatable = { type_id = "security", category = "enemies", long_name = "wolfhud_enemy_security" },
gensec = { type_id = "security", category = "enemies", long_name = "wolfhud_enemy_gensec" },
bolivian_indoors = { type_id = "security", category = "enemies", long_name = "wolfhud_enemy_bolivian_security" },
bolivian = { type_id = "thug", category = "enemies", long_name = "wolfhud_enemy_bolivian_thug" },
gangster = { type_id = "thug", category = "enemies", long_name = "wolfhud_enemy_gangster" },
mobster = { type_id = "thug", category = "enemies", long_name = "wolfhud_enemy_mobster" },
biker = { type_id = "thug", category = "enemies", long_name = "wolfhud_enemy_biker" },
biker_escape = { type_id = "thug", category = "enemies", long_name = "wolfhud_enemy_biker" },
tank = { type_id = "tank", category = "enemies", long_name = "wolfhud_enemy_tank" },
tank_hw = { type_id = "tank", category = "enemies", long_name = "wolfhud_enemy_tank_hw" },
tank_medic = { type_id = "tank", category = "enemies", long_name = "wolfhud_enemy_tank_medic" },
tank_mini = { type_id = "tank", category = "enemies", long_name = "wolfhud_enemy_tank_mini" },
spooc = { type_id = "spooc", category = "enemies", long_name = "wolfhud_enemy_spook" },
taser = { type_id = "taser", category = "enemies", long_name = "wolfhud_enemy_taser" },
shield = { type_id = "shield", category = "enemies", long_name = "wolfhud_enemy_shield" },
sniper = { type_id = "sniper", category = "enemies", long_name = "wolfhud_enemy_sniper" },
medic = { type_id = "medic", category = "enemies", long_name = "wolfhud_enemy_medic" },
biker_boss = { type_id = "thug_boss", category = "enemies", long_name = "wolfhud_enemy_biker_boss" },
chavez_boss = { type_id = "thug_boss", category = "enemies", long_name = "wolfhud_enemy_chavez_boss" },
drug_lord_boss = { type_id = "thug_boss", category = "enemies", long_name = "wolfhud_enemy_druglord_boss" },
drug_lord_boss_stealth = { type_id = "thug_boss", category = "enemies", long_name = "wolfhud_enemy_druglord_boss_stealth" },
hector_boss = { type_id = "thug_boss", category = "enemies", long_name = "wolfhud_enemy_hector_boss" },
hector_boss_no_armor = { type_id = "thug_boss", category = "enemies", long_name = "wolfhud_enemy_hector_boss_no_armor" },
mobster_boss = { type_id = "thug_boss", category = "enemies", long_name = "wolfhud_enemy_mobster_boss" },
phalanx_vip = { type_id = "phalanx", category = "enemies", long_name = "wolfhud_enemy_phalanx_vip" },
phalanx_minion = { type_id = "phalanx", category = "enemies", long_name = "wolfhud_enemy_phalanx_minion" },
civilian = { type_id = "civ", category = "civilians", long_name = "wolfhud_enemy_civilian" },
civilian_female = { type_id = "civ", category = "civilians", long_name = "wolfhud_enemy_civilian" },
bank_manager = { type_id = "civ", category = "civilians", long_name = "wolfhud_enemy_bank_manager" },
--drunk_pilot = { type_id = "unique", category = "civilians", long_name = "wolfhud_enemy_drunk_pilot" }, --White x-Mas
--escort = { type_id = "unique", category = "civilians", long_name = "wolfhud_enemy_escort" }, --?
--old_hoxton_mission = { type_id = "unique", category = "civilians", long_name = "wolfhud_enemy_old_hoxton_mission" }, --Hox Breakout / BtM (Locke)
--inside_man = { type_id = "unique", category = "civilians", long_name = "wolfhud_enemy_inside_man" }, --FWB
--boris = { type_id = "unique", category = "civilians", long_name = "wolfhud_enemy_boris" }, --Goat Sim Day 2
--escort_undercover = { type_id = "unique", category = "civilians", long_name = "wolfhud_enemy_escort_undercover" }, --Taxman, Undercover + Matt, Heat Street
--escort_chinese_prisoner = { type_id = "unique", category = "civilians", long_name = "wolfhud_enemy_escort_chinese_prisoner" }, --Kazo, Green Bridge
--spa_vip = { type_id = "unique", category = "civilians", long_name = "wolfhud_enemy_spa_vip" }, --Charon, Wick Heist
--spa_vip_hurt = { type_id = "unique", category = "civilians", long_name = "wolfhud_enemy_spa_vip_hurt" }, --Charon, Wick Heist
--Custom unit definitions
--mechanic = { type_id = "unique", category = "civilians", long_name = "wolfhud_enemy_biker_mechanic" }, -- Mechanic, Biker Heist
turret = { type_id = "turret", category = "turrets", long_name = "wolfhud_enemy_swat_van" },
cop_hostage = { type_id = "cop_hostage", category = "hostages", force_update = { "cop", "enemies" } },
sec_hostage = { type_id = "cop_hostage", category = "hostages", force_update = { "security", "enemies" } },
civ_hostage = { type_id = "civ_hostage", category = "hostages", force_update = { "civ" } },
cop_minion = { type_id = "minion", category = "minions", force_update = { "cop", "enemies" } },
sec_minion = { type_id = "minion", category = "minions", force_update = { "security", "enemies" } },
boom = { type_id = "cop", category = "enemies", long_name = "wolfhud_enemy_boom" },
omnia_lpf = { type_id = "cop", category = "enemies", long_name = "wolfhud_enemy_omnia_lpf" },
summers = { type_id = "phalanx", category = "enemies", long_name = "wolfhud_enemy_summers" },
boom_summers = { type_id = "phalanx", category = "enemies", long_name = "wolfhud_enemy_boom_summers" },
taser_summers = { type_id = "phalanx", category = "enemies", long_name = "wolfhud_enemy_taser_summers" },
medic_summers = { type_id = "phalanx", category = "enemies", long_name = "wolfhud_enemy_medic_summers" },
spring = { type_id = "phalanx", category = "enemies", long_name = "wolfhud_enemy_spring" },
fbi_vet = { type_id = "cop", category = "enemies", long_name = "wolfhud_enemy_fbi_vet" },
}
HUDListManager.SPECIAL_PICKUP_TYPES = {
gen_pku_crowbar = "crowbar",
pickup_keycard = "keycard",
pickup_hotel_room_keycard = "keycard",
gage_assignment = "courier",
pickup_case = "gage_case",
pickup_keys = "gage_key",
hold_take_mask = "paycheck_masks",
pickup_boards = "planks",
stash_planks_pickup = "planks",
muriatic_acid = "meth_ingredients",
hydrogen_chloride = "meth_ingredients",
caustic_soda = "meth_ingredients",
gen_pku_blow_torch = "blowtorch",
drk_pku_blow_torch = "blowtorch",
hold_born_receive_item_blow_torch = "blowtorch",
thermite = "thermite",
gasoline_engine = "thermite",
gen_pku_thermite = "thermite",
gen_pku_thermite_paste = "thermite",
gen_int_thermite_rig = "thermite",
hold_take_gas_can = "thermite",
gen_pku_thermite_paste_z_axis = "thermite",
c4_bag = "c4",
money_wrap_single_bundle = "small_loot",
money_wrap_single_bundle_active = "small_loot",
money_wrap_single_bundle_dyn = "small_loot",
cas_chips_pile = "small_loot",
diamond_pickup = "small_loot",
diamond_pickup_pal = "small_loot",
diamond_pickup_axis = "small_loot",
safe_loot_pickup = "small_loot",
pickup_tablet = "small_loot",
pickup_phone = "small_loot",
press_pick_up = "secret_item",
hold_pick_up_turtle = "secret_item",
diamond_single_pickup_axis = "secret_item",
ring_band = "rings",
glc_hold_take_handcuffs = "handcuffs",
hold_take_missing_animal_poster = "poster",
press_take_folder = "poster",
--take_confidential_folder_icc = "poster",
take_jfr_briefcase = "briefcase",
}
HUDListManager.LOOT_TYPES = {
ammo = "shell",
artifact_statue = "artifact",
bike_part_light = "bike",
bike_part_heavy = "bike",
circuit = "server",
cloaker_cocaine = "coke",
cloaker_gold = "gold",
cloaker_money = "money",
coke = "coke",
coke_pure = "coke",
counterfeit_money = "money",
cro_loot1 = "bomb",
cro_loot2 = "bomb",
diamonds = "jewelry",
diamond_necklace = "jewelry",
din_pig = "pig",
drk_bomb_part = "bomb",
drone_control_helmet = "drone_ctrl",
evidence_bag = "evidence",
expensive_vine = "wine",
goat = "goat",
gold = "gold",
hope_diamond = "diamond",
diamonds_dah = "diamonds",
red_diamond = "diamond",
lost_artifact = "artifact",
mad_master_server_value_1 = "server",
mad_master_server_value_2 = "server",
mad_master_server_value_3 = "server",
mad_master_server_value_4 = "server",
master_server = "server",
masterpiece_painting = "painting",
meth = "meth",
meth_half = "meth",
money = "money",
mus_artifact = "artifact",
mus_artifact_paint = "painting",
old_wine = "wine",
ordinary_wine = "wine",
painting = "painting",
person = "body",
present = "present",
prototype = "prototype",
robot_toy = "toy",
safe_ovk = "safe",
safe_wpn = "safe",
samurai_suit = "armor",
sandwich = "toast",
special_person = "body",
toothbrush = "toothbrush",
turret = "turret",
unknown = "dentist",
vr_headset = "vr",
warhead = "warhead",
weapon = "weapon",
weapon_glock = "weapon",
weapon_scar = "weapon",
women_shoes = "shoes",
yayo = "coke",
}
HUDListManager.POTENTIAL_LOOT_TYPES = {
crate = "crate",
xmas_present = "xmas_present",
shopping_bag = "shopping_bag",
showcase = "showcase",
}
HUDListManager.LOOT_TYPES_CONDITIONS = {
body = function(id, data)
if managers.job:current_level_id() == "mad" then -- Boiling Point
return data.bagged or data.unit:editor_id() ~= -1
end
end,
crate = function(id, data)
local level_id = managers.job:current_level_id()
local disabled_lvls = {
"election_day_3", -- Election Day Day 2 Warehouse
"election_day_3_skip1",
"election_day_3_skip2",
"mia_1", -- Hotline Miami Day 1
"pal" -- Counterfeit
}
return not (level_id and table.contains(disabled_lvls, level_id))
end,
showcase = function(id, data)
local level_id = managers.job:current_level_id()
local disabled_lvls = {
"mus", -- The Diamond
}
return not (level_id and table.contains(disabled_lvls, level_id))
end,
}
HUDListManager.BUFFS = {
--Buff list items affected by specific buffs/debuffs. Add entries if buff ID differs from the HUDList buff entry for some reason, or if a single buff ID affect multiple items
berserker = { "berserker", "damage_increase", "melee_damage_increase" },
berserker_aced = { "berserker", "damage_increase" }, --TODO: buff remains after expiration, base game does not reset upgrade value
bloodthirst_basic = { "bloodthirst_basic", "melee_damage_increase" },
chico_injector = { "chico_injector", "damage_reduction" },
close_contact_1 = { "close_contact", "damage_reduction" },
close_contact_2 = { "close_contact", "damage_reduction" },
close_contact_3 = { "close_contact", "damage_reduction" },
combat_medic = { "combat_medic", "damage_reduction" },
combat_medic_passive = { "combat_medic_passive", "damage_reduction" },
crew_health_regen = { "crew_health_regen", "passive_health_regen" },
die_hard = { "die_hard", "damage_reduction" },
frenzy = { "frenzy", "damage_reduction" },
hostage_situation = { "hostage_situation", "damage_reduction" },
hostage_taker = { "hostage_taker", "passive_health_regen" },
maniac = { "maniac", "damage_reduction" },
melee_stack_damage = { "melee_stack_damage", "melee_damage_increase" },
movement_dodge = { "total_dodge_chance" },
muscle_regen = { "muscle_regen", "passive_health_regen" },
overdog = { "overdog", "damage_reduction" },
overkill = { "overkill", "damage_increase" },
overkill_aced = { "overkill", "damage_increase" },
pain_killer = { "painkiller", "damage_reduction" },
pain_killer_aced = { "painkiller", "damage_reduction" },
partner_in_crime_aced = { "partner_in_crime" },
quick_fix = { "quick_fix", "damage_reduction" },
running_from_death_basic = { "running_from_death" },
running_from_death_aced = { "running_from_death" },
sicario_dodge = { "sicario_dodge", "total_dodge_chance" },
smoke_screen_grenade = { "smoke_screen_grenade", "total_dodge_chance" },
swan_song_aced = { "swan_song" },
trigger_happy = { "trigger_happy", "damage_increase" },
underdog = { "underdog", "damage_increase" },
underdog_aced = { "underdog", "damage_reduction" },
up_you_go = { "up_you_go", "damage_reduction" },
yakuza_recovery = { "yakuza" },
yakuza_speed = { "yakuza" },
armorer_9 = { "armorer" },
crew_chief_1 = { "crew_chief", "damage_reduction" }, --Bonus for <50% health changed separately through set_value
crew_chief_3 = { "crew_chief" },
crew_chief_5 = { "crew_chief" },
crew_chief_9 = { "crew_chief" }, --Damage reduction from hostages covered by hostage_situation
--Debuffs that are merged into the buff itself
composite_debuffs = {
armor_break_invulnerable_debuff = "armor_break_invulnerable",
grinder_debuff = "grinder",
chico_injector_debuff = "chico_injector",
delayed_damage_debuff = "delayed_damage",
maniac_debuff = "maniac",
sicario_dodge_debuff = "sicario_dodge",
smoke_screen_grenade_debuff = "smoke_screen_grenade",
unseen_strike_debuff = "unseen_strike",
uppers_debuff = "uppers",
interact_debuff = "interact",
},
}
function HUDListManager:init()
self._lists = {}
self._unit_count_listeners = 0
self:_setup_left_list()
self:_setup_right_list()
self:_setup_buff_list()
managers.gameinfo:register_listener("HUDList_whisper_mode_listener", "whisper_mode", "change", callback(self, self, "_whisper_mode_change"))
end
function HUDListManager:update(t, dt)
for _, list in pairs(self._lists) do
if list:is_active() then
list:update(t, dt)
end
end
end
function HUDListManager:list(name)
return self._lists[name]
end
function HUDListManager:lists()
return self._lists
end
function HUDListManager:change_setting(setting, value)
local clbk = "_set_" .. setting
if HUDListManager[clbk] and HUDListManager.ListOptions[setting] ~= value then
HUDListManager.ListOptions[setting] = value
self[clbk](self, value)
return true
end
end
function HUDListManager:change_buff_ignore(buff_id, ignore)
local buff_map = HUDList.BuffItemBase.MAP
if buff_map[buff_id] and buff_map[buff_id].ignore ~= ignore then
buff_map[buff_id].ignore = ignore
local buff_list = self:list("buff_list")
local item = buff_list and buff_list:item(buff_id)
if item then
buff_list:set_item_disabled(item, "setting", ignore)
end
end
end
function HUDListManager:change_pickup_ignore(category_id, ignore)
local pickup_list = self:list("right_side_list"):item("special_pickup_list")
for _, item in pairs(pickup_list:items()) do
local pickup_type = item:name()
local pickup_data = pickup_type and HUDList.SpecialPickupItem.MAP[pickup_type]
if pickup_data and pickup_data.category == category_id then
pickup_list:set_item_disabled(item, "setting", ignore)
pickup_data.ignore = ignore
end
end
end
function HUDListManager:fade_lists(alpha)
for _, list in pairs(self._lists) do
if list:is_active() then
list:_fade(alpha)
end
end
end
function HUDListManager:register_list(name, class, params, ...)
if not self._lists[name] then
class = type(class) == "string" and _G.HUDList[class] or class
self._lists[name] = class and class:new(nil, name, params, ...)
end
return self._lists[name]
end
function HUDListManager:unregister_list(name, instant)
if self._lists[name] then
self._lists[name]:delete(instant)
end
self._lists[name] = nil
end
function HUDListManager:_setup_left_list()
local list_width = 500
local list_height = 450
local x = 0
local y = HUDListManager.ListOptions.left_list_height_offset or 40
local scale = HUDListManager.ListOptions.left_list_scale or 1
local list = self:register_list("left_side_list", HUDList.VerticalList, { align = "left", x = x, y = y, w = list_width, h = list_height, scale = scale, top_to_bottom = true, item_margin = 5 })
--Timers
local timer_list = list:register_item("timers", HUDList.HorizontalList, { align = "top", w = list_width, h = 40 * scale, left_to_right = true, item_margin = 5, priority = 3, recheck_interval = 1 })
timer_list:set_static_item(HUDList.LeftListIcon, 1, 4/5, {
{ skills = {3, 6}, color = HUDListManager.ListOptions.list_color },
})
--Deployables
local equipment_list = list:register_item("equipment", HUDList.HorizontalList, { align = "top", w = list_width, h = 40 * scale, left_to_right = true, item_margin = 5, priority = 1 })
equipment_list:set_static_item(HUDList.LeftListIcon, 1, 1, {
{ skills = HUDList.EquipmentItem.EQUIPMENT_TABLE.ammo_bag.skills, h = 0.55, w = 0.55, valign = "top", halign = "right", color = HUDListManager.ListOptions.list_color },
{ skills = HUDList.EquipmentItem.EQUIPMENT_TABLE.doc_bag.skills, h = 0.55, w = 0.55, valign = "top", halign = "left", color = HUDListManager.ListOptions.list_color },
{ skills = HUDList.EquipmentItem.EQUIPMENT_TABLE.sentry.skills, h = 0.55, w = 0.55, valign = "bottom", halign = "right", color = HUDListManager.ListOptions.list_color },
{ skills = HUDList.EquipmentItem.EQUIPMENT_TABLE.body_bag.skills, h = 0.55, w = 0.55, valign = "bottom", halign = "left", color = HUDListManager.ListOptions.list_color },
})
--Minions
local minion_list = list:register_item("minions", HUDList.HorizontalList, { align = "top", w = list_width, h = 50 * scale, left_to_right = true, item_margin = 5, priority = 4 })
minion_list:set_static_item(HUDList.LeftListIcon, 1, 4/5, {
{ skills = {6, 8} },
})
--Pagers
local pager_list = list:register_item("pagers", HUDList.HorizontalList, { align = "top", w = list_width, h = 40 * scale, left_to_right = true, item_margin = 5, priority = 2, recheck_interval = 1 })
pager_list:set_static_item(HUDList.LeftListIcon, 1, 1, {
{ perks = {1, 4}, color = HUDListManager.ListOptions.list_color },
})
--ECMs
local ecm_list = list:register_item("ecms", HUDList.HorizontalList, { align = "top", w = list_width, h = 30 * scale, left_to_right = true, item_margin = 5, priority = 5 })
ecm_list:set_static_item(HUDList.LeftListIcon, 1, 1, {
{ skills = {1, 4}, color = HUDListManager.ListOptions.list_color },
})
--ECM trigger
local retrigger_list = list:register_item("ecm_retrigger", HUDList.HorizontalList, { align = "top", w = list_width, h = 30 * scale, left_to_right = true, item_margin = 5, priority = 6 })
retrigger_list:set_static_item(HUDList.LeftListIcon, 1, 1, {
{ skills = {6, 2}, color = HUDListManager.ListOptions.list_color },
})
--Tape loop
local tape_loop_list = list:register_item("tape_loop", HUDList.HorizontalList, { align = "top", w = list_width, h = 30 * scale, left_to_right = true, item_margin = 5, priority = 7 })
tape_loop_list:set_static_item(HUDList.LeftListIcon, 1, 1, {
{ skills = {4, 2}, color = HUDListManager.ListOptions.list_color },
})
self:_set_show_timers()
self:_set_show_ammo_bags()
self:_set_show_doc_bags()
self:_set_show_first_aid_kits()
self:_set_show_body_bags()
self:_set_show_grenade_crates()
self:_set_show_sentries()
self:_set_show_minions()
self:_set_show_pagers()
self:_set_show_ecms()
self:_set_show_ecm_retrigger()
self:_set_show_tape_loop()
end
function HUDListManager:_setup_right_list()
local list_width = 600
local list_height = 500
local x = managers.hud:script(PlayerBase.PLAYER_INFO_HUD_PD2).panel:right() - list_width
local y = HUDListManager.ListOptions.right_list_height_offset or 0
local scale = HUDListManager.ListOptions.right_list_scale or 1
local list = self:register_list("right_side_list", HUDList.VerticalList, { align = "right", x = x, y = y, w = list_width, h = list_height, scale = scale, top_to_bottom = true, item_margin = 5 })
local unit_count_list = list:register_item("unit_count_list", HUDList.HorizontalList, { align = "top", w = list_width, h = 50 * scale, right_to_left = true, item_margin = 3, priority = 1 })
local stealth_list = list:register_item("stealth_list", HUDList.HorizontalList, { align = "top", w = list_width, h = 50 * scale, right_to_left = true, item_margin = 3, priority = 4 })
local loot_list = list:register_item("loot_list", HUDList.HorizontalList, { align = "top", w = list_width, h = 50 * scale, right_to_left = true, item_margin = 3, priority = 2 })
local special_equipment_list = list:register_item("special_pickup_list", HUDList.HorizontalList, { align = "top", w = list_width, h = 50 * scale, right_to_left = true, item_margin = 3, priority = 3 })
self:_set_show_enemies()
self:_set_show_turrets()
self:_set_show_civilians()
self:_set_show_hostages()
self:_set_show_minion_count()
self:_set_show_pager_count()
self:_set_show_cam_count()
self:_set_show_bodybags_count()
self:_set_show_corpse_count()
self:_set_show_loot()
self:_set_show_potential_loot()
self:_set_show_special_pickups()
end
function HUDListManager:_setup_buff_list()
local hud_panel = managers.hud:script(PlayerBase.PLAYER_INFO_HUD_PD2).panel
local scale = HUDListManager.ListOptions.buff_list_scale or 1
local list_height = 70 * scale
local list_width = hud_panel:w()
local x = 0
local y
if HUDManager.CUSTOM_TEAMMATE_PANELS then
y = managers.hud._teammate_panels[HUDManager.PLAYER_PANEL]:panel():top() - (list_height + 10)
else
y = hud_panel:bottom() - ((HUDListManager.ListOptions.buff_list_height_offset or 90) + list_height)
end
if managers.subtitle then
local sub_presenter = managers.subtitle:presenter()
if sub_presenter and sub_presenter.set_bottom then
sub_presenter:set_bottom(y - 10)
end
end
local buff_list = self:register_list("buff_list", HUDList.HorizontalList, {
align = "center",
x = x,
y = y ,
w = list_width,
h = list_height,
scale = scale,
centered = true,
item_margin = 0,
item_move_speed = 300,
fade_time = 0.15
})
self:_set_show_buffs()
end
function HUDListManager:_whisper_mode_change(event, key, status)
--[[
for _, item in pairs(self:list("right_side_list"):item("stealth_list"):items()) do
item:set_active(item:get_count() > 0 and status)
end
for _, item in pairs(self:list("left_side_list"):item("pagers"):items()) do
item:set_active(status)
end
for _, item in pairs(self:list("left_side_list"):item("equipment"):items()) do
if item:get_type() == "body_bag" then
item:set_active(item:current_amount() > 0 and status)
end
end
]]
--[[
local body_loot_item = self:list("right_side_list"):item("loot_list"):item("body")
if body_loot_item then
body_loot_item:set_count(0, 0)
end
]]
end
function HUDListManager:_get_buff_items(id)
local buff_list = self:list("buff_list")
local items = {}
local function register_item(item_id)
local item_data = HUDList.BuffItemBase.MAP[item_id]
if item_data then
local item = buff_list:item(item_id)
if not item then
item = buff_list:register_item(item_id, item_data.class or "BuffItemBase", item_data)
buff_list:set_item_disabled(item, "setting", item_data.ignore)
end
table.insert(items, item)
end
end
if HUDListManager.BUFFS[id] then
for _, item_id in ipairs(HUDListManager.BUFFS[id]) do
register_item(item_id)
end
else
register_item(id)
end
return items
end
function HUDListManager:_get_units_by_category(category)
local all_types = {}
local all_ids = {}
for unit_id, data in pairs(HUDListManager.UNIT_TYPES) do
if data.category == category then
all_types[data.type_id] = all_types[data.type_id] or {}
table.insert(all_types[data.type_id], unit_id)
table.insert(all_ids, unit_id)
end
end
return all_types, all_ids
end
function HUDListManager:_update_unit_count_list_items(list, id, members, show)
if show then
local data = HUDList.UnitCountItem.MAP[id] or {}
local item = list:register_item(id, data.class or HUDList.UnitCountItem, id, members)
else
list:unregister_item(id, true)
end
end
function HUDListManager:_update_deployable_list_items(type, enabled)
local list = self:list("left_side_list"):item("equipment")
local listener_id = string.format("HUDListManager_%s_listener", type)
local events = { "set_active" }
local clbk = callback(self, self, string.format("_%s_event", type))
for _, event in pairs(events) do
if enabled then
managers.gameinfo:register_listener(listener_id, type, event, clbk)
else
managers.gameinfo:unregister_listener(listener_id, type, event)
end
end
for key, data in pairs(managers.gameinfo:get_deployables(type)) do
if enabled then
clbk("set_active", key, data)
else
list:unregister_item(key)
end
end
end
function HUDListManager:_bag_deployable_event(event, key, data, class, bag_type)
if data.aggregate_key then return end
local equipment_list = self:list("left_side_list"):item("equipment")
if event == "set_active" then
if data.active then
equipment_list:register_item(key, class, data, bag_type)
else
equipment_list:unregister_item(key)
end
end
end
--Event handlers
function HUDListManager:_timer_event(event, key, data)
local level_id = managers.job:current_level_id() or ""
local settings = HUDListManager.TIMER_SETTINGS[level_id] and HUDListManager.TIMER_SETTINGS[level_id][data.id] or HUDListManager.TIMER_SETTINGS[data.device_type] or HUDList.TimerItem.DEVICE_TYPES[data.device_type] or {}
if not settings.ignore then
local timer_list = self:list("left_side_list"):item("timers")
if event == "set_active" then
if data.active then
timer_list:register_item(key, settings.class or HUDList.TimerItem, data, settings.params):activate()
else
timer_list:unregister_item(key)
end
end
end
end
function HUDListManager:_unit_count_event(event, unit_type, value)
if HUDListManager.UNIT_TYPES[unit_type] then
local list = self:list("right_side_list"):item("unit_count_list")
local type_id = HUDListManager.UNIT_TYPES[unit_type].type_id
local category = HUDListManager.UNIT_TYPES[unit_type].category
local item = list:item(type_id) or list:item(category)
if item then
if event == "change" then
item:change_count(value)
elseif event == "set" then
item:set_count(value)
end
for _, id in pairs(HUDListManager.UNIT_TYPES[unit_type].force_update or {}) do
local item = list:item(id)
if item then
item:change_count(0)
end
end
end
end
end
function HUDListManager:_minion_event(event, key, data)
local minion_list = self:list("left_side_list"):item("minions")
if event == "add" then
local item = minion_list:register_item(key, HUDList.MinionItem, data)
if not HUDListManager.ListOptions.show_own_minions_only then
item:activate()
end
elseif event == "remove" then
minion_list:unregister_item(key)
end
end
function HUDListManager:_pager_event(event, key, data)
local pager_list = self:list("left_side_list"):item("pagers")
if event == "add" then
pager_list:register_item(key, HUDList.PagerItem, data):activate()
elseif event == "remove" then
pager_list:unregister_item(key)
end
end
--[[
function HUDListManager:_pager_count_event(event, key, data)
local item = self:list("right_side_list"):item("stealth_list"):item("PagerCount")
if item then
item:change_count(1)
end
end
function HUDListManager:_cam_count_event(event, key, data)
local item = self:list("right_side_list"):item("stealth_list"):item("CamCount")
if event == "add" or event == "enable" then
item:change_count(1)
elseif event == "disable" or event == "destroy" then
item:change_count(-1)
end
end
]]
function HUDListManager:_bodybag_count_event(event, key, data)
local item = self:list("right_side_list"):item("stealth_list"):item("BodyBagInv")
local whisper_mode = managers.groupai:state():whisper_mode()
if event == "set" and whisper_mode then
item:set_count(key)
end
end
function HUDListManager:_ecm_event(event, key, data)
local list = self:list("left_side_list"):item("ecms")
if event == "set_jammer_active" then
if data.jammer_active then
list:register_item(key, HUDList.ECMItem, data):activate()
else
list:unregister_item(key)
end
end
end
function HUDListManager:_ecm_retrigger_event(event, key, data)
local list = self:list("left_side_list"):item("ecm_retrigger")
if event == "set_retrigger_active" then
if data.retrigger_active then
list:register_item(string.format("%s_retrigger", key), HUDList.ECMRetriggerItem, data):activate()
else
list:unregister_item(string.format("%s_retrigger", key))
end
elseif event == "set_feedback_active" then
if data.feedback_active then
list:register_item(string.format("%s_feedback", key), HUDList.ECMFeedbackItem, data):activate()
else
list:unregister_item(string.format("%s_feedback", key))
end
end
end
function HUDListManager:_tape_loop_event(event, key, data)
local list = self:list("left_side_list"):item("tape_loop")
if event == "set_tape_loop_active" then
if data.tape_loop_active then
list:register_item(key, HUDList.TapeLoopItem, data):activate()
else
list:unregister_item(key)
end
end
end
function HUDListManager:_sentry_equipment_event(event, key, data)
local equipment_list = self:list("left_side_list"):item("equipment")
if event == "set_active" then
if data.active then
equipment_list:register_item(key, HUDList.SentryEquipmentItem, data):activate()
end
elseif event == "destroy" then
equipment_list:unregister_item(key)
end
end
function HUDListManager:_buff_event(event, id, data)
WolfHUD:print_log("(HUDList) _buff_event(%s, %s)", tostring(event), tostring(id), "info")
local items = self:_get_buff_items(id)
for _, item in ipairs(items) do
if item[event] then
item[event](item, id, data)
else
WolfHUD:print_log("HUDList) _buff_event: No matching function for event %s for buff %s", tostring(event), tostring(id), "warning")
end
end
if HUDListManager.BUFFS.composite_debuffs[id] then
if event == "activate" or event == "deactivate" or event == "set_duration" then
local debuff_parent_id = HUDListManager.BUFFS.composite_debuffs[id]
self:_buff_event(event .. "_debuff", debuff_parent_id, data)
end
end
end
function HUDListManager:_player_action_event(event, id, data)
self:_buff_event(event, id, data)
end
function HUDListManager:_ammo_bag_event(event, key, data)
self:_bag_deployable_event(event, key, data, HUDList.AmmoBagItem, "ammo_bag")
end
function HUDListManager:_doc_bag_event(event, key, data)
self:_bag_deployable_event(event, key, data, HUDList.BagEquipmentItem, "doc_bag")
end
function HUDListManager:_first_aid_kit_event(event, key, data)
self:_bag_deployable_event(event, key, data, HUDList.BagEquipmentItem, "first_aid_kit")
end
function HUDListManager:_body_bag_event(event, key, data)
self:_bag_deployable_event(event, key, data, HUDList.BodyBagItem, "body_bag")
end
function HUDListManager:_grenade_crate_event(event, key, data)
self:_bag_deployable_event(event, key, data, HUDList.BagEquipmentItem, "grenade_crate")
end
--General config
function HUDListManager:_set_right_list_scale(scale)
local list = self:list("right_side_list")
list:rescale(scale or HUDListManager.ListOptions.right_list_scale)
end
function HUDListManager:_set_left_list_scale()
local list = self:list("left_side_list")
list:rescale(scale or HUDListManager.ListOptions.left_list_scale)
end
function HUDListManager:_set_buff_list_scale()
local list = self:list("buff_list")
local bottom = list:bottom()
list:rescale(scale or HUDListManager.ListOptions.buff_list_scale)
list:set_bottom(bottom)
if managers.subtitle then
local sub_presenter = managers.subtitle:presenter()
if sub_presenter and sub_presenter.set_bottom then
sub_presenter:set_bottom(list:top() - 10)
end
end
end
function HUDListManager:_set_right_list_height_offset()
local list = self:list("right_side_list")
if list then
list:move(list:panel():x(), HUDListManager.ListOptions.right_list_height_offset or 40, false)
end
end
function HUDListManager:_set_left_list_height_offset()
local list = self:list("left_side_list")
if list then
list:move(list:panel():x(), HUDListManager.ListOptions.left_list_height_offset or 40, false)
end
end
function HUDListManager:_set_buff_list_height_offset()
local list = self:list("buff_list")
if list then
list:move(list:panel():x(), HUDListManager.ListOptions.buff_list_height_offset or 90, false)
end
end
function HUDListManager:_set_right_list_progress_alpha(alpha)
local list = self:list("right_side_list")
if list then
for _, sub_list in pairs(list:items()) do
for _, item in pairs(sub_list:items()) do
item:set_progress_alpha(alpha or HUDListManager.ListOptions.right_list_progress_alpha)
end
end
end
end
function HUDListManager:_set_left_list_progress_alpha(alpha)
local list = self:list("left_side_list")
if list then
for _, sub_list in pairs(list:items()) do
for _, item in pairs(sub_list:items()) do
item:set_progress_alpha(alpha or HUDListManager.ListOptions.left_list_progress_alpha)
end
end
end
end
function HUDListManager:_set_buff_list_progress_alpha(alpha)
local list = self:list("buff_list")
if list then
for _, item in pairs(list:items()) do
item:set_progress_alpha(alpha or HUDListManager.ListOptions.buff_list_progress_alpha)
end
end
end
function HUDListManager:_set_list_color(color)
for _, list in pairs(self:lists()) do
for _, item in pairs(list:items()) do
item:set_color(color)
end
end
end
function HUDListManager:_set_list_color_bg(color)
for _, list in pairs(self:lists()) do
for _, item in pairs(list:items()) do
item:set_bg_color(color)
end
end
end
function HUDListManager:_set_civilian_color(color)
local list = self:list("right_side_list"):item("unit_count_list")
if list then
local map = HUDList.UnitCountItem.MAP
for _, item in pairs(list:items()) do
local u_id = item:unit_id()
if map[u_id] and map[u_id].color_id == "civilian_color" then
item:set_icon_color(color or HUDListManager.ListOptions.civilian_color)
end
end
end
self:_set_hostage_color( color or HUDListManager.ListOptions.civilian_color )
end
function HUDListManager:_set_hostage_color(color)
local list = self:list("right_side_list"):item("unit_count_list")
if list then
local map = HUDList.UnitCountItem.MAP
for _, item in pairs(list:items()) do
local u_id = item:unit_id()
if map[u_id] and map[u_id].color_id == "hostage_color" then
item:set_icon_color(color or HUDListManager.ListOptions.hostage_color)
end
end
end
end
function HUDListManager:_set_thug_color(color)
local list = self:list("right_side_list"):item("unit_count_list")
if list then
local map = HUDList.UnitCountItem.MAP
for _, item in pairs(list:items()) do
local u_id = item:unit_id()
if map[u_id] and map[u_id].color_id == "thug_color" then
item:set_icon_color(color or HUDListManager.ListOptions.thug_color)
end
end
end
end
function HUDListManager:_set_enemy_color(color)
local list = self:list("right_side_list"):item("unit_count_list")
if list then
local map = HUDList.UnitCountItem.MAP
for _, item in pairs(list:items()) do
local u_id = item:unit_id()
if map[u_id] and map[u_id].color_id == "enemy_color" then
item:set_icon_color(color or HUDListManager.ListOptions.enemy_color)
end
end
end
self:_set_guard_color(color or HUDListManager.ListOptions.enemy_color)
end
function HUDListManager:_set_guard_color(color)
local list = self:list("right_side_list"):item("unit_count_list")
if list then
local map = HUDList.UnitCountItem.MAP
for _, item in pairs(list:items()) do
local u_id = item:unit_id()
if map[u_id] and map[u_id].color_id == "guard_color" then
item:set_icon_color(color or HUDListManager.ListOptions.guard_color)
end
end
end
end
function HUDListManager:_set_special_color(color)
local list = self:list("right_side_list"):item("unit_count_list")
if list then
local map = HUDList.UnitCountItem.MAP
for _, item in pairs(list:items()) do
local u_id = item:unit_id()
if map[u_id] and map[u_id].color_id == "special_color" then
item:set_icon_color(color or HUDListManager.ListOptions.special_color)
end
end
end
self:_set_turret_color(HUDListManager.ListOptions.special_color)
end
function HUDListManager:_set_turret_color(color)
local list = self:list("right_side_list"):item("unit_count_list")
if list then
local map = HUDList.UnitCountItem.MAP
for _, item in pairs(list:items()) do
local u_id = item:unit_id()
if map[u_id] and map[u_id].color_id == "turret_color" then
item:set_icon_color(color or HUDListManager.ListOptions.turret_color)
end
end
end
end
--Left list config
function HUDListManager:_set_show_timers()
local list = self:list("left_side_list"):item("timers")
local listener_id = "HUDListManager_timer_listener"
local events = { "set_active" }
local clbk = callback(self, self, "_timer_event")
for _, event in pairs(events) do
if HUDListManager.ListOptions.show_timers then
managers.gameinfo:register_listener(listener_id, "timer", event, clbk)
else
managers.gameinfo:unregister_listener(listener_id, "timer", event)
end
end
for key, data in pairs(managers.gameinfo:get_timers()) do
if HUDListManager.ListOptions.show_timers then
clbk("set_active", key, data)
else
list:unregister_item(key)
end
end
end
function HUDListManager:_set_show_minions()
local listener_id = "HUDListManager_minion_listener"
local events = { "add", "remove" }
local clbk = callback(self, self, "_minion_event")
for _, event in pairs(events) do
if HUDListManager.ListOptions.show_minions then
managers.gameinfo:register_listener(listener_id, "minion", event, clbk)
else
managers.gameinfo:unregister_listener(listener_id, "minion", event)
end
end
for key, data in pairs(managers.gameinfo:get_minions()) do
clbk(HUDListManager.ListOptions.show_minions and "add" or "remove", key, data)
end
end
function HUDListManager:_set_show_own_minions_only()
local minion_list = self:list("left_side_list"):item("minions")
for name, item in pairs(minion_list:items()) do
item:set_active(not HUDListManager.ListOptions.show_own_minions_only or data.owner == managers.network:session():local_peer():id())
end
end
function HUDListManager:_set_show_pagers()
local list = self:list("left_side_list"):item("pagers")
local pagers = managers.gameinfo:get_pagers()
local listener_id = "HUDListManager_pager_listener"
local events = { "add", "remove" }
local clbk = callback(self, self, "_pager_event")
for _, event in pairs(events) do
if HUDListManager.ListOptions.show_pagers then
managers.gameinfo:register_listener(listener_id, "pager", event, clbk)
else
managers.gameinfo:unregister_listener(listener_id, "pager", event)
end
end
for key, data in pairs(managers.gameinfo:get_pagers()) do
if HUDListManager.ListOptions.show_pagers then
if data.active then
clbk("add", key, data)
end
else
list:unregister_item(key)
end
end
end
function HUDListManager:_set_show_ecms()
local list = self:list("left_side_list"):item("ecms")
local listener_id = "HUDListManager_ecm_listener"
local events = { "set_jammer_active" }
local clbk = callback(self, self, "_ecm_event")
for _, event in pairs(events) do
if HUDListManager.ListOptions.show_ecms then
managers.gameinfo:register_listener(listener_id, "ecm", event, clbk)
else
managers.gameinfo:unregister_listener(listener_id, "ecm", event)
end
end
for key, data in pairs(managers.gameinfo:get_ecms()) do
if HUDListManager.ListOptions.show_ecms then
clbk("set_jammer_active", key, data)
else
list:unregister_item(key)
end
end
end
function HUDListManager:_set_show_ecm_retrigger()
local list = self:list("left_side_list"):item("ecm_retrigger")
local ecms = managers.gameinfo:get_ecms()
local listener_id = "HUDListManager_ecm_listener"
local events = { "set_retrigger_active", "set_feedback_active" }
local clbk = callback(self, self, "_ecm_retrigger_event")
for _, event in pairs(events) do
if HUDListManager.ListOptions.show_ecm_retrigger then
managers.gameinfo:register_listener(listener_id, "ecm", event, clbk)
else
managers.gameinfo:unregister_listener(listener_id, "ecm", event)
end
end
for key, data in pairs(managers.gameinfo:get_ecms()) do
if HUDListManager.ListOptions.show_ecm_retrigger then
clbk("set_retrigger_active", key, data)
else
list:unregister_item(key)
end
end
end
function HUDListManager:_set_show_ammo_bags()
self:_update_deployable_list_items("ammo_bag", HUDListManager.ListOptions.show_ammo_bags)
end
function HUDListManager:_set_show_doc_bags()
self:_update_deployable_list_items("doc_bag", HUDListManager.ListOptions.show_doc_bags)
end
function HUDListManager:_set_show_first_aid_kits()
self:_update_deployable_list_items("first_aid_kit", HUDListManager.ListOptions.show_first_aid_kits)
end
function HUDListManager:_set_show_body_bags()
self:_update_deployable_list_items("body_bag", HUDListManager.ListOptions.show_body_bags)
end
function HUDListManager:_set_show_grenade_crates()
self:_update_deployable_list_items("grenade_crate", HUDListManager.ListOptions.show_grenade_crates)
end
function HUDListManager:_set_show_tape_loop()
local list = self:list("left_side_list"):item("tape_loop")
local listener_id = "HUDListManager_tape_loop_listener"
local events = { "set_tape_loop_active" }
local clbk = callback(self, self, "_tape_loop_event")
for _, event in pairs(events) do
if HUDListManager.ListOptions.show_tape_loop then
managers.gameinfo:register_listener(listener_id, "camera", event, clbk)
else
managers.gameinfo:unregister_listener(listener_id, "camera", event)
end
end
for key, data in pairs(managers.gameinfo:get_cameras()) do
if data.tape_loop_expire_t and HUDListManager.ListOptions.show_tape_loop then
clbk("start_tape_loop", key, data)
else
list:unregister_item(key)
end
end
end
function HUDListManager:_set_show_sentries()
local listener_id = "HUDListManager_sentry_listener"
local events = { "set_active", "destroy" }
local spawned_items = managers.gameinfo:get_sentries()
if HUDListManager.ListOptions.show_sentries then
local clbk = callback(self, self, "_sentry_equipment_event")
for key, data in pairs(spawned_items) do
self:_sentry_equipment_event("set_active", key, data)
end
for _, event in pairs(events) do
managers.gameinfo:register_listener(listener_id, "sentry", event, clbk)
end
else
local list = self:list("left_side_list"):item("equipment")
for _, event in pairs(events) do
managers.gameinfo:unregister_listener(listener_id, "sentry", event)
end
for key, data in pairs(spawned_items) do
list:unregister_item(key)
end
end
end
--Right list config
function HUDListManager:_set_show_enemies()
local list = self:list("right_side_list"):item("unit_count_list")
local all_types, all_ids = self:_get_units_by_category("enemies")
if HUDListManager.ListOptions.aggregate_enemies then
self:_update_unit_count_list_items(list, "enemies", all_ids, HUDListManager.ListOptions.show_enemies)
else
for unit_type, unit_ids in pairs(all_types) do
self:_update_unit_count_list_items(list, unit_type, unit_ids, HUDListManager.ListOptions.show_enemies)
end
end
end
function HUDListManager:_set_aggregate_enemies()
local list = self:list("right_side_list"):item("unit_count_list")
local all_types, all_ids = self:_get_units_by_category("enemies")
all_types.enemies = {}
for unit_type, unit_ids in pairs(all_types) do
list:unregister_item(unit_type)
end
self:_set_show_enemies()
end
function HUDListManager:_set_show_civilians()
local list = self:list("right_side_list"):item("unit_count_list")
local all_types, all_ids = self:_get_units_by_category("civilians")
for unit_type, unit_ids in pairs(all_types) do
self:_update_unit_count_list_items(list, unit_type, unit_ids, HUDListManager.ListOptions.show_civilians)
end
end
function HUDListManager:_set_show_hostages()
local list = self:list("right_side_list"):item("unit_count_list")
local all_types, all_ids = self:_get_units_by_category("hostages")
if HUDListManager.ListOptions.aggregate_hostages then
self:_update_unit_count_list_items(list, "hostages", all_ids, HUDListManager.ListOptions.show_hostages)
else
for unit_type, unit_ids in pairs(all_types) do
self:_update_unit_count_list_items(list, unit_type, unit_ids, HUDListManager.ListOptions.show_hostages)
end
end
end
function HUDListManager:_set_aggregate_hostages()
local list = self:list("right_side_list"):item("unit_count_list")
local all_types, all_ids = self:_get_units_by_category("hostages")
all_types.hostages = {}
for unit_type, unit_ids in pairs(all_types) do
local item = list:item(unit_type)
if item then
item:delete(true)
else
for unit_type, unit_ids in pairs(all_types) do
self:_update_unit_count_list_items(list, unit_type, unit_ids, HUDListManager.ListOptions.show_hostages)
end
end
end
self:_set_show_hostages()
end
function HUDListManager:_set_show_minion_count()
local list = self:list("right_side_list"):item("unit_count_list")
local all_types, all_ids = self:_get_units_by_category("minions")
for unit_type, unit_ids in pairs(all_types) do
self:_update_unit_count_list_items(list, unit_type, unit_ids, HUDListManager.ListOptions.show_minion_count)
end
end
function HUDListManager:_set_show_turrets()
local list = self:list("right_side_list"):item("unit_count_list")
local all_types, all_ids = self:_get_units_by_category("turrets")
for unit_type, unit_ids in pairs(all_types) do
self:_update_unit_count_list_items(list, unit_type, unit_ids, HUDListManager.ListOptions.show_turrets)
end
end
function HUDListManager:_set_show_pager_count()
local list = self:list("right_side_list"):item("stealth_list")
if HUDListManager.ListOptions.show_pager_count then
list:register_item("PagerCount", HUDList.UsedPagersItem, { perks = {1, 4} }, { priority = 1 })
else
list:unregister_item("PagerCount", true)
end
end
function HUDListManager:_set_show_cam_count()
local list = self:list("right_side_list"):item("stealth_list")
if HUDListManager.ListOptions.show_cam_count then
list:register_item("CamCount", HUDList.CamCountItem, { skills = {4, 2} }, { priority = 2 })
else
list:unregister_item("CamCount", true)
end
end
function HUDListManager:_set_show_bodybags_count()
local list = self:list("right_side_list"):item("stealth_list")
if HUDListManager.ListOptions.show_bodybags_count then
list:register_item("BodyBagInv", HUDList.BodyBagsInvItem, { skills = { 5, 11 } }, { priority = 3 })
else
list:unregister_item("BodyBagInv", true)
end
end
function HUDListManager:_set_show_corpse_count()
local list = self:list("right_side_list"):item("stealth_list")
if HUDListManager.ListOptions.show_corpse_count then
list:register_item("CorpseCount", HUDList.CorpseCountItem, { texture = "guis/textures/pd2/risklevel_blackscreen" }, { priority = 4 })
else
list:unregister_item("CorpseCount", true)
end
end
function HUDListManager:_set_show_special_pickups()
local list = self:list("right_side_list"):item("special_pickup_list")
local all_ids = {}
local all_types = {}
for pickup_id, pickup_type in pairs(HUDListManager.SPECIAL_PICKUP_TYPES) do
all_types[pickup_type] = all_types[pickup_type] or {}
table.insert(all_types[pickup_type], pickup_id)
table.insert(all_ids, pickup_id)
end
for pickup_type, members in pairs(all_types) do
if HUDListManager.ListOptions.show_special_pickups then
local pickup_map = HUDList.SpecialPickupItem.MAP[pickup_type]
if pickup_map then
local item = list:item(pickup_type) or list:register_item(pickup_type, HUDList.SpecialPickupItem, pickup_type, members)
list:set_item_disabled(item, "setting", pickup_map.ignore)
end
else
list:unregister_item(pickup_type, true)
end
end
end
function HUDListManager:_set_show_loot()
local list = self:list("right_side_list"):item("loot_list")
local all_ids = {}
local all_types = {}
for loot_id, loot_type in pairs(HUDListManager.LOOT_TYPES) do
all_types[loot_type] = all_types[loot_type] or {}
table.insert(all_types[loot_type], loot_id)
table.insert(all_ids, loot_id)
end
if HUDListManager.ListOptions.aggregate_loot then
if HUDListManager.ListOptions.show_loot then
list:register_item("aggregate", HUDList.LootItem, "aggregate", all_ids)
else
list:unregister_item("aggregate", true)
end
else
for loot_type, members in pairs(all_types) do
if HUDListManager.ListOptions.show_loot then
list:register_item(loot_type, HUDList.LootItem, loot_type, members)
else
list:unregister_item(loot_type, true)
end
end
end
end
function HUDListManager:_set_aggregate_loot()
local list = self:list("right_side_list"):item("loot_list")
local all_ids = {}
local all_types = {}
all_types.aggregate = {}
for loot_id, loot_type in pairs(HUDListManager.LOOT_TYPES) do
all_types[loot_type] = all_types[loot_type] or {}
table.insert(all_types[loot_type], loot_id)
table.insert(all_ids, loot_id)
end
for loot_type, loot_id in pairs(all_types) do
list:unregister_item(loot_type)
end
self:_set_show_loot()
end
function HUDListManager:_set_separate_bagged_loot()
for _, item in pairs(self:list("right_side_list"):item("loot_list"):items()) do
item:update_value()
end
end
function HUDListManager:_set_show_potential_loot()
local list = self:list("right_side_list"):item("loot_list")
local all_ids = {}
local all_types = {}
for loot_id, loot_type in pairs(HUDListManager.POTENTIAL_LOOT_TYPES) do
all_types[loot_type] = all_types[loot_type] or {}
table.insert(all_types[loot_type], loot_id)
table.insert(all_ids, loot_id)
end
for loot_type, members in pairs(all_types) do
if HUDListManager.ListOptions.show_potential_loot then
list:register_item(loot_type, HUDList.LootItem, loot_type, members)
else
list:unregister_item(loot_type, true)
end
end
end
--Buff list
function HUDListManager:_set_show_buffs()
local listener_id = "HUDListManager_buff_listener"
local sources = {
buff = {
"activate",
"deactivate",
"set_duration",
"set_progress",
"set_stack_count",
"add_timed_stack",
"remove_timed_stack",
"set_value",
clbk = callback(self, self, "_buff_event"),
},
player_action = {
"activate",
"deactivate",
"set_duration",
"set_data",
clbk = callback(self, self, "_player_action_event"),
},
}
for src, data in pairs(sources) do
for _, event in ipairs(data) do
if HUDListManager.ListOptions.show_buffs then
managers.gameinfo:register_listener(listener_id, src, event, data.clbk)
else
managers.gameinfo:unregister_listener(listener_id, src, event)
end
end
end
if HUDListManager.ListOptions.show_buffs then
for id, data in pairs(managers.gameinfo:get_buffs()) do
self:_buff_event("activate", id)
if data.stacks then
self:_buff_event("add_timed_stack", id, data)
end
if data.t and data.expire_t then
self:_buff_event("set_duration", id, data)
end
if data.stack_count then
self:_buff_event("set_stack_count", id, data)
end
if data.value then
self:_buff_event("set_value", id, data)
end
end
for id, data in pairs(managers.gameinfo:get_player_actions()) do
self:_player_action_event("activate", id, data)
if data.t and data.expire_t then
self:_player_action_event("set_duration", id, data)
end
if data.data then
self:_player_action_event("set_data", id, data)
end
end
else
for _, item in pairs(self:list("buff_list"):items()) do
item:delete()
end
end
end
------------------------------------------------------------------------------------------------------------------------------------------------------------------------------
--LIST CLASS DEFINITION BLOCK
HUDList = HUDList or {}
HUDList.ItemBase = HUDList.ItemBase or class()
function HUDList.ItemBase:init(parent_list, name, params)
self._parent_list = parent_list
self._name = name
self._align = params.align or "center"
self._fade_time = params.fade_time or 0.25
self._move_speed = params.move_speed or 150
self._priority = params.priority
self._scale = params.scale or self._parent_list and self._parent_list:scale() or 1
self._listener_clbks = {}
self._disable_reason = {}
self._panel = (self._parent_list and self._parent_list:panel() or params.native_panel or managers.hud:script(PlayerBase.PLAYER_INFO_HUD_PD2).panel):panel({
name = name,
visible = true,
alpha = 0,
w = params.w or 0,
h = params.h or 0,
x = params.x or 0,
y = params.y or 0,
layer = 10
})
end
function HUDList.ItemBase:post_init()
for i, data in ipairs(self._listener_clbks) do
for _, event in pairs(data.event) do
managers.gameinfo:register_listener(data.name, data.source, event, data.clbk, data.keys, data.data_only)
end
end
end
function HUDList.ItemBase:destroy()
for i, data in ipairs(self._listener_clbks) do
for _, event in pairs(data.event) do
managers.gameinfo:unregister_listener(data.name, data.source, event)
end
end
end
function HUDList.ItemBase:_set_item_visible(status)
self._panel:set_visible(status and self:enabled())
end
function HUDList.ItemBase:rescale(new_scale)
local diff = self._scale - new_scale
if math.abs(diff) > 0.01 then
local size_mult = new_scale / self._scale
self:set_size(self:w() * size_mult, self:h() * size_mult)
self._scale = new_scale
return true, size_mult
end
end
function HUDList.ItemBase:enabled() return next(self._disable_reason) == nil end
function HUDList.ItemBase:set_disabled(reason, status, instant)
if self._parent_list then
self._parent_list:set_item_disabled(self, reason, status)
else
self:_set_disabled(reason, status, instant)
end
end
function HUDList.ItemBase:_set_disabled(reason, status, instant)
self._disable_reason[reason] = status and true or nil
local visible = self:enabled() and self:is_active()
self:_fade(visible and 1 or 0, instant)
end
function HUDList.ItemBase:set_priority(priority)
self._priority = priority
end
function HUDList.ItemBase:set_fade_time(time)
self._fade_time = time
end
function HUDList.ItemBase:set_move_speed(speed)
self._move_speed = speed
end
function HUDList.ItemBase:set_active(status)
if status then
self:activate()
else
self:deactivate()
end
end
function HUDList.ItemBase:activate()
self._active = true
self._scheduled_for_deletion = nil
self:_show()
end
function HUDList.ItemBase:deactivate()
self._active = false
self:_hide()
end
function HUDList.ItemBase:delete(instant)
self._scheduled_for_deletion = true
self._active = false
self:_hide(instant)
end
function HUDList.ItemBase:_delete()
self:destroy()
if alive(self._panel) then
--self._panel:stop() --Should technically do this, but screws with unrelated animations for some reason...
if self._parent_list then
self._parent_list:_remove_item(self)
self._parent_list:set_item_visible(self, false)
end
if alive(self._panel:parent()) then
self._panel:parent():remove(self._panel)
end
end
end
function HUDList.ItemBase:_show(instant)
if alive(self._panel) then
--self._panel:set_visible(true)
self:_set_item_visible(true)
self:_fade(1, instant)
if self._parent_list then
self._parent_list:set_item_visible(self, true)
end
end
end
function HUDList.ItemBase:_hide(instant)
if alive(self._panel) then
self:_fade(0, instant)
if self._parent_list then
self._parent_list:set_item_visible(self, false)
end
end
end
function HUDList.ItemBase:_fade(target_alpha, instant, time_override)
self._panel:stop()
--if self._panel:alpha() ~= target_alpha then
--self._active_fade = { instant = instant, alpha = target_alpha }
self._active_fade = { instant = instant or self._panel:alpha() == target_alpha, alpha = target_alpha, time_override = time_override }
--end
self:_animate_item()
end
function HUDList.ItemBase:move(x, y, instant, time_override)
if alive(self._panel) then
self._panel:stop()
--if self._panel:x() ~= x or self._panel:y() ~= y then
--self._active_move = { instant = instant, x = x, y = y }
self._active_move = { instant = instant or (self._panel:x() == x and self._panel:y() == y), x = x, y = y, time_override = time_override }
--end
self:_animate_item()
end
end
function HUDList.ItemBase:cancel_move()
self._panel:stop()
self._active_move = nil
self:_animate_item()
end
function HUDList.ItemBase:_animate_item()
if alive(self._panel) and self._active_fade then
self._panel:animate(callback(self, self, "_animate_fade"), self._active_fade.alpha, self._active_fade.instant, self._active_fade.time_override)
end
if alive(self._panel) and self._active_move then
self._panel:animate(callback(self, self, "_animate_move"), self._active_move.x, self._active_move.y, self._active_move.instant, self._active_move.time_override)
end
end
function HUDList.ItemBase:_animate_fade(panel, alpha, instant, time_override)
if not instant and self._fade_time > 0 then
local init_alpha = panel:alpha()
local fade_time = time_override and math.abs(alpha - init_alpha) / time_override or self._fade_time
local change = alpha > init_alpha and 1 or -1
local T = time_override or math.abs(alpha - init_alpha) * fade_time
local t = 0
while alive(panel) and t < T do
panel:set_alpha(math.clamp(init_alpha + t * change * 1 / fade_time, 0, 1))
t = t + coroutine.yield()
end
end
self._active_fade = nil
if alive(panel) then
panel:set_alpha(alpha)
--panel:set_visible(alpha > 0)
self:_set_item_visible(alpha > 0)
end
--if self._parent_list and alpha == 0 then
-- self._parent_list:set_item_visible(self, false)
--end
if self._scheduled_for_deletion then
self:_delete()
end
end
function HUDList.ItemBase:_animate_move(panel, x, y, instant, time_override)
if not instant and self._move_speed > 0 then
local init_x = panel:x()
local init_y = panel:y()
local move_speed = time_override and math.abs(x - init_x) / time_override or self._move_speed
local x_change = x > init_x and 1 or x < init_x and -1
local y_change = y > init_y and 1 or y < init_y and -1
local T = time_override or math.max(math.abs(x - init_x) / move_speed, math.abs(y - init_y) / move_speed)
local t = 0
while alive(panel) and t < T do
if x_change then
panel:set_x(init_x + t * x_change * move_speed)
end
if y_change then
panel:set_y(init_y + t * y_change * move_speed)
end
t = t + coroutine.yield()
end
end
self._active_move = nil
if alive(panel) then
panel:set_x(x)
panel:set_y(y)
end
end
function HUDList.ItemBase:name() return self._name end
function HUDList.ItemBase:panel() return self._panel end
function HUDList.ItemBase:alpha() return self._panel:alpha() end
function HUDList.ItemBase:w() return self._panel:w() end
function HUDList.ItemBase:h() return self._panel:h() end
function HUDList.ItemBase:x() return self._panel:x() end
function HUDList.ItemBase:y() return self._panel:y() end
function HUDList.ItemBase:left() return self._panel:left() end
function HUDList.ItemBase:right() return self._panel:right() end
function HUDList.ItemBase:top() return self._panel:top() end
function HUDList.ItemBase:bottom() return self._panel:bottom() end
function HUDList.ItemBase:center() return self._panel:center() end
function HUDList.ItemBase:center_x() return self._panel:center_x() end
function HUDList.ItemBase:center_y() return self._panel:center_y() end
function HUDList.ItemBase:visible() return self._panel:visible() end
function HUDList.ItemBase:layer() return self._panel:layer() end
function HUDList.ItemBase:text_rect() return self:x(), self:y(), self:w(), self:h() end
function HUDList.ItemBase:set_alpha(v) self._panel:set_alpha(v) end
function HUDList.ItemBase:set_x(v) self._panel:set_x(v) end
function HUDList.ItemBase:set_y(v) self._panel:set_y(v) end
function HUDList.ItemBase:set_w(v) self._panel:set_w(v) end
function HUDList.ItemBase:set_h(v) self._panel:set_h(v) end
function HUDList.ItemBase:set_size(w, h) self._panel:set_size(w, h) end
function HUDList.ItemBase:set_left(v) self._panel:set_left(v) end
function HUDList.ItemBase:set_right(v) self._panel:set_right(v) end
function HUDList.ItemBase:set_top(v) self._panel:set_top(v) end
function HUDList.ItemBase:set_bottom(v) self._panel:set_bottom(v) end
function HUDList.ItemBase:set_center(x, y) self._panel:set_center(x, y) end
function HUDList.ItemBase:set_center_x(v) self._panel:set_center_x(v) end
function HUDList.ItemBase:set_center_y(v) self._panel:set_center_y(v) end
function HUDList.ItemBase:set_layer(v) self._panel:set_layer(v) end
function HUDList.ItemBase:parent_list() return self._parent_list end
function HUDList.ItemBase:align() return self._align end
function HUDList.ItemBase:is_active() return self._active end
function HUDList.ItemBase:priority() return self._priority end
function HUDList.ItemBase:scale() return self._scale end
function HUDList.ItemBase:fade_time() return self._fade_time end
function HUDList.ItemBase:set_color(color) end
function HUDList.ItemBase:set_bg_color(color) end
function HUDList.ItemBase:set_progress_alpha(alpha) end
------------------------------------------------------------------------------------------------------------------------------------------------------------------------------
HUDList.ListBase = HUDList.ListBase or class(HUDList.ItemBase) --DO NOT INSTANTIATE THIS CLASS
function HUDList.ListBase:init(parent, name, params)
params.fade_time = params.fade_time or 0
HUDList.ListBase.super.init(self, parent, name, params)
self._stack = params.stack or false
self._queue = not self._stack
self._item_fade_time = params.item_fade_time
self._item_move_speed = params.item_move_speed
self._item_margin = params.item_margin or 0
self._margin = params.item_margin or 0
self._items = {}
self._shown_items = {}
--[[
self._bg = self._panel:rect({
name = "bg",
color = Color(math.random(), math.random(), math.random()),
alpha = 0.25,
valign = "grow",
halign = "grow",
layer = -1,
})
]]
end
function HUDList.ListBase:item(name)
return self._items[name]
end
function HUDList.ListBase:items()
return self._items
end
function HUDList.ListBase:num_items()
return table.size(self._items)
end
function HUDList.ListBase:active_items()
local count = 0
for name, item in pairs(self._items) do
if item:is_active() then
count = count + 1
end
end
return count
end
function HUDList.ListBase:shown_items()
return #self._shown_items
end
function HUDList.ListBase:update(t, dt)
for name, item in pairs(self._items) do
if item.update and item:is_active() then
item:update(t, dt)
end
end
end
function HUDList.ListBase:rescale(new_scale)
local diff = self._scale - new_scale
if math.abs(diff) > 0.01 then
local size_mult = new_scale / self._scale
self._scale = new_scale
for _, item in pairs(self:items()) do
item:rescale(new_scale)
end
self:_update_item_positions(nil, true)
return true, size_mult
end
end
function HUDList.ListBase:register_item(name, class, ...)
if not self._items[name] then
class = type(class) == "string" and _G.HUDList[class] or class
local new_item = class and class:new(self, name, ...)
if new_item then
if self._item_fade_time then
new_item:set_fade_time(self._item_fade_time)
end
if self._item_move_speed then
new_item:set_move_speed(self._item_move_speed)
end
if self._scale then
new_item:rescale(self._scale)
end
new_item:post_init(...)
self:_set_default_item_position(new_item)
end
self._items[name] = new_item
end
return self._items[name]
end
function HUDList.ListBase:unregister_item(name, instant)
if self._items[name] then
self._items[name]:delete(instant)
end
end
function HUDList.ListBase:set_static_item(class, ...)
self:delete_static_item()
if type(class) == "string" then
class = _G.HUDList[class]
end
self._static_item = class and class:new(self, "static_list_item", ...)
if self._static_item then
self:setup_static_item()
self._static_item:panel():show()
self._static_item:panel():set_alpha(1)
end
return self._static_item
end
function HUDList.ListBase:setup_static_item()
end
function HUDList.ListBase:delete_static_item()
if self._static_item then
self._static_item:delete(true)
self._static_item = nil
end
end
function HUDList.ListBase:set_item_visible(item, visible)
local index
for i, shown_item in ipairs(self._shown_items) do
if shown_item == item then
index = i
break
end
end
--local threshold = self._static_item and 1 or 0 --TODO
if visible and not index then
if #self._shown_items <= 0 then
self:activate()
end
local insert_index = #self._shown_items + 1
if item:priority() then
for i, list_item in ipairs(self._shown_items) do
if not list_item:priority() or (list_item:priority() > item:priority()) then
insert_index = i
break
end
end
end
table.insert(self._shown_items, insert_index, item)
elseif not visible and index then
table.remove(self._shown_items, index)
if #self._shown_items <= 0 then
managers.enemy:add_delayed_clbk("visibility_cbk_" .. self._name, callback(self, self, "_cbk_update_visibility"), Application:time() + item:fade_time())
--self:deactivate()
end
else
return
end
self:_update_item_positions(item)
end
function HUDList.ListBase:set_item_disabled(item, reason, status, instant)
item:_set_disabled(reason, status, instant)
self:update_item_positions()
end
function HUDList.ListBase:update_item_positions()
self:_update_item_positions(nil, true)
end
function HUDList.ListBase:_update_item_positions(insert_item, instant_move, move_timer)
end
function HUDList.ListBase:_cbk_update_visibility()
if #self._shown_items <= 0 then
self:deactivate()
end
end
function HUDList.ListBase:_remove_item(item)
self._items[item:name()] = nil
end
function HUDList.ListBase:set_color(color)
for _, item in pairs(self:items()) do
item:set_color(color)
end
end
function HUDList.ListBase:set_bg_color(color)
for _, item in pairs(self:items()) do
item:set_bg_color(color)
end
end
------------------------------------------------------------------------------------------------------------------------------------------------------------------------------
HUDList.HorizontalList = HUDList.HorizontalList or class(HUDList.ListBase)
function HUDList.HorizontalList:init(parent, name, params)
params.align = params.align == "top" and "top" or params.align == "bottom" and "bottom" or "center"
HUDList.HorizontalList.super.init(self, parent, name, params)
self._left_to_right = params.left_to_right
self._right_to_left = params.right_to_left and not self._left_to_right
self._centered = params.centered and not (self._right_to_left or self._left_to_right)
self._max_shown_items = params.max_items
self._recheck_interval = params.recheck_interval
self._next_recheck = self._recheck_interval
self:setup_expansion_item()
end
function HUDList.HorizontalList:rescale(new_scale)
local diff = self._scale - new_scale
if math.abs(diff) > 0.01 then
local size_mult = new_scale / self._scale
self:set_h(self:h() * size_mult)
self._scale = new_scale
if self._static_item then
self._static_item:rescale(new_scale)
end
for _, item in pairs(self:items()) do
item:rescale(new_scale)
end
if self._expansion_indicator then
self._expansion_indicator:rescale(new_scale)
end
self:_update_item_positions(nil, true)
return true, size_mult
end
end
function HUDList.HorizontalList:set_color(color)
if self._static_item then
self._static_item:set_color(color)
end
for _, item in pairs(self:items()) do
item:set_color(color)
end
if self._expansion_indicator then
self._expansion_indicator:set_color(color)
end
end
function HUDList.HorizontalList:set_bg_color(color)
if self._static_item then
self._static_item:set_bg_color(color)
end
for _, item in pairs(self:items()) do
item:set_bg_color(color)
end
if self._expansion_indicator then
self._expansion_indicator:set_bg_color(color)
end
end
function HUDList.HorizontalList:_set_default_item_position(item)
local offset = self._panel:h() - item:panel():h()
local y = item:align() == "top" and 0 or item:align() == "bottom" and offset or offset / 2
item:panel():set_top(y)
end
function HUDList.HorizontalList:setup_static_item()
local item = self._static_item
local offset = self._panel:h() - item:panel():h()
local y = item:align() == "top" and 0 or item:align() == "bottom" and offset or offset / 2
local x = self._left_to_right and 0 or self._panel:w() - item:panel():w()
item:panel():set_left(x)
item:panel():set_top(y)
self:_update_item_positions()
end
function HUDList.HorizontalList:setup_expansion_item()
self._expansion_indicator = HUDList.ExpansionIndicator:new(self, "expansion_indicator", 1/5, 1, {})
self._expansion_indicator:set_mirrored(self._right_to_left)
self._expansion_indicator:set_active(self._max_shown_items and self._max_shown_items >= self:shown_items())
end
function HUDList.HorizontalList:update(t, dt)
if self._recheck_interval ~= nil then
self._next_recheck = self._next_recheck - dt
if self:shown_items() > 0 and self._next_recheck <= 0 then
self:reapply_item_priorities(true, self._recheck_interval / 2)
self._next_recheck = self._recheck_interval
end
end
HUDList.HorizontalList.super.update(self, t, dt)
end
function HUDList.HorizontalList:_update_item_positions(insert_item, instant_move, move_timer)
local total_shown_items = 0
local show_expansion = false
if self._centered then
local total_width = self._static_item and (self._static_item:panel():w() + self._item_margin) or 0
local prev_disabled_i = {}
for i, item in ipairs(self._shown_items) do
local next_total_width = total_width + item:panel():w() + self._item_margin
show_expansion = show_expansion or (next_total_width > self:w())
if self._max_shown_items then
show_expansion = show_expansion or (total_shown_items >= self._max_shown_items)
end
if not item:enabled() then
table.insert(prev_disabled_i, i)
end
item:_set_disabled("max_items_reached", show_expansion)
if item:enabled() then
total_width = next_total_width
total_shown_items = total_shown_items + 1
end
end
total_width = total_width - self._item_margin
local left = (self._panel:w() - math.min(total_width, self._panel:w())) / 2
if self._static_item then
self._static_item:move(left, item:panel():y(), instant_move, move_timer)
left = left + self._static_item:panel():w() + self._item_margin
end
for i, item in ipairs(self._shown_items) do
if item:enabled() then
if insert_item and item == insert_item or table.contains(prev_disabled_i, i) then
if item:panel():x() ~= left then
item:panel():set_x(left - item:panel():w() / 2)
item:move(left, item:panel():y(), instant_move, move_timer)
end
else
item:move(left, item:panel():y(), instant_move, move_timer)
end
left = left + item:panel():w() + self._item_margin
else
item:panel():set_x(left)
end
end
if self._expansion_indicator then
self._expansion_indicator:set_active(show_expansion)
self._expansion_indicator:panel():set_x(left)
self._expansion_indicator:cancel_move()
end
else
local prev_width = self._static_item and (self._static_item:panel():w() + self._item_margin) or 0
for i, item in ipairs(self._shown_items) do
local next_width = prev_width + item:panel():w() + self._item_margin
show_expansion = show_expansion or (next_width > self:w())
if self._max_shown_items then
show_expansion = show_expansion or (total_shown_items >= self._max_shown_items)
end
local was_disabled = not item:enabled()
item:_set_disabled("max_items_reached", show_expansion)
if item:enabled() then
local width = item:panel():w()
local new_x = (self._left_to_right and prev_width) or (self._panel:w() - (width+prev_width))
if insert_item and item == insert_item or was_disabled then
item:panel():set_x(new_x)
item:cancel_move()
else
item:move(new_x, item:panel():y(), instant_move, move_timer)
end
prev_width = prev_width + width + self._item_margin
total_shown_items = total_shown_items + 1
end
end
if self._expansion_indicator then
self._expansion_indicator:set_active(show_expansion)
local width = self._expansion_indicator:panel():w()
local new_x = (self._left_to_right and math.min(prev_width, self._panel:w() - width)) or math.max(self._panel:w() - (width+prev_width), 0)
self._expansion_indicator:panel():set_x(new_x)
self._expansion_indicator:cancel_move()
end
self:set_disabled("no_visible_items", total_shown_items <= 0)
end
end
function HUDList.HorizontalList:reapply_item_priorities(update_positions, move_time_override)
local order_changed = false
if not self._reorder_in_progress then
self._reorder_in_progress = true
local swapped = false
repeat
swapped = false
for i = 2, #self._shown_items, 1 do
local prev = self._shown_items[i-1]
local cur = self._shown_items[i]
local prev_prio, cur_prio = prev and prev:priority(), cur and cur:priority()
if cur_prio then
if not prev_prio or prev_prio > cur_prio then
table.insert(self._shown_items, i, table.remove(self._shown_items, i-1))
swapped = true
end
end
end
order_changed = order_changed or swapped
until not swapped
self._reorder_in_progress = nil
if update_positions and order_changed then
self:_update_item_positions(nil, false, move_time_override)
end
end
return order_changed
end
------------------------------------------------------------------------------------------------------------------------------------------------------------------------------
HUDList.VerticalList = HUDList.VerticalList or class(HUDList.ListBase)
function HUDList.VerticalList:init(parent, name, params)
params.align = params.align == "left" and "left" or params.align == "right" and "right" or "center"
HUDList.VerticalList.super.init(self, parent, name, params)
self._top_to_bottom = params.top_to_bottom
self._bottom_to_top = params.bottom_to_top and not self._top_to_bottom
self._centered = params.centered and not (self._bottom_to_top or self._top_to_bottom)
end
function HUDList.VerticalList:_set_default_item_position(item)
local offset = self._panel:w() - item:panel():w()
local x = item:align() == "left" and 0 or item:align() == "right" and offset or offset / 2
item:panel():set_left(x)
end
function HUDList.VerticalList:setup_static_item()
local item = self._static_item
local offset = self._panel:w() - item:panel():w()
local x = item:align() == "left" and 0 or item:align() == "right" and offset or offset / 2
local y = self._top_to_bottom and 0 or self._panel:h() - item:panel():h()
item:panel():set_left(x)
item:panel():set_y(y)
self:_update_item_positions()
end
function HUDList.VerticalList:_update_item_positions(insert_item, instant_move, move_timer)
if self._centered then
local total_height = self._static_item and (self._static_item:panel():h() + self._item_margin) or 0
for i, item in ipairs(self._shown_items) do
if item:enabled() then
total_height = total_width + item:panel():h() + self._item_margin
end
end
total_height = total_height - self._item_margin
local top = (self._panel:h() - math.min(total_height, self._panel:h())) / 2
if self._static_item then
self._static_item:move(item:panel():x(), top, instant_move, move_timer)
top = top + self._static_item:panel():h() + self._item_margin
end
for i, item in ipairs(self._shown_items) do
if item:enabled() then
if insert_item and item == insert_item then
if item:panel():y() ~= top then
item:panel():set_y(top - item:panel():h() / 2)
item:move(item:panel():x(), top, instant_move, move_timer)
end
else
item:move(item:panel():x(), top, instant_move, move_timer)
end
top = top + item:panel():h() + self._item_margin
end
end
else
local prev_height = self._static_item and (self._static_item:panel():h() + self._item_margin) or 0
for i, item in ipairs(self._shown_items) do
if item:enabled() then
local height = item:panel():h()
local new_y = (self._top_to_bottom and prev_height) or (self._panel:h() - (height+prev_height))
if insert_item and item == insert_item then
item:panel():set_y(new_y)
item:cancel_move()
else
item:move(item:panel():x(), new_y, instant_move, move_timer)
end
prev_height = prev_height + height + self._item_margin
end
end
end
end
------------------------------------------------------------------------------------------------------------------------------------------------------------------------------
HUDList.ExpansionIndicator = HUDList.ExpansionIndicator or class(HUDList.ItemBase)
function HUDList.ExpansionIndicator:init(parent, name, ratio_w, ratio_h, params)
HUDList.ExpansionIndicator.super.init(self, parent, name, { align = "center", w = parent:panel():h() * (ratio_w or 1), h = parent:panel():h() * (ratio_h or 1) })
local icon = params.icon or {}
self._icon = self._panel:bitmap({
name = "icon_expansion",
texture = icon.texture or "guis/textures/hud_icons",
texture_rect = icon.texture_rect or { 434, 48, 30, 16 },
h = self:panel():h() * (icon.h or 1),
w = self:panel():w() * (icon.w or 0.8),
blend_mode = "add",
align = "center",
vertical = "center",
valign = "scale",
halign = "scale",
color = icon.color or Color.white,
})
self._icon:set_center(self._panel:center())
end
function HUDList.ExpansionIndicator:set_mirrored(status)
self._icon:set_rotation(status and 180 or 0)
end
function HUDList.ExpansionIndicator:_show(instant)
if alive(self._panel) then
self:_set_item_visible(true)
self:_fade(1, instant)
end
end
function HUDList.ExpansionIndicator:_hide(instant)
if alive(self._panel) then
self:_fade(0, instant)
end
end
function HUDList.ExpansionIndicator:set_color(color)
self._icon:set_color(color)
end
------------------------------------------------------------------------------------------------------------------------------------------------------------------------------
--LIST ITEM CLASS DEFINITION BLOCK
--Right list
HUDList.RightListItem = HUDList.RightListItem or class(HUDList.ItemBase)
function HUDList.RightListItem:init(parent, name, icon, params)
params = params or {}
params.align = params.align or "right"
params.w = params.w or parent:panel():h() / 2
params.h = params.h or parent:panel():h()
HUDList.RightListItem.super.init(self, parent, name, params)
self._default_text_color = HUDListManager.ListOptions.list_color or Color.white
self._default_icon_color = icon.color or icon.color_id and HUDListManager.ListOptions[icon.color_id]
self._change_increase_color = Color.green
self._change_decrease_color = Color.red
local texture, texture_rect = get_icon_data(icon)
self._icon = self._panel:bitmap({
name = "icon",
texture = texture,
texture_rect = texture_rect,
h = self._panel:w() * (icon.h_ratio or 1),
w = self._panel:w() * (icon.w_ratio or 1),
alpha = icon.alpha or 1,
blend_mode = icon.blend_mode or "normal",
color = self._default_icon_color or self._default_text_color,
})
self._icon:set_center(self._panel:w() * 0.5, self._panel:w() * 0.5)
--self._box = HUDBGBox_create(self._panel, { w = self._panel:w(), h = self._panel:w() }, { color = HUDListManager.ListOptions.list_color, bg_color = HUDListManager.ListOptions.list_color_bg })
--self._box:set_bottom(self._panel:bottom())
self._progress_bar = PanelFrame:new(self._panel, {
w = self._panel:w(),
h = self._panel:w(),
invert_progress = true,
bar_w = 2,
bar_color = self._default_text_color,
bg_color = (HUDListManager.ListOptions.list_color_bg or Color.black),
bar_alpha = HUDListManager.ListOptions.right_list_progress_alpha or 0.4,
add_bg = true,
})
self._progress_bar:set_ratio(1)
local box = self._progress_bar:panel()
box:set_bottom(self._panel:bottom())
self._text = box:text({
name = "text",
text = "",
align = "center",
vertical = "center",
w = box:w(),
h = box:h(),
color = self._default_text_color,
font = tweak_data.hud_corner.assault_font,
font_size = box:h() * 0.6
})
self._count = 0
end
function HUDList.RightListItem:rescale(new_scale)
local enabled, size_mult = HUDList.RightListItem.super.rescale(self, new_scale)
if enabled then
self._icon:set_size(self._icon:w() * size_mult, self._icon:h() * size_mult)
self._icon:set_center(self._panel:w() * 0.5, self._panel:w() * 0.5)
self._progress_bar:set_size(self._panel:w(), self._panel:w())
self._progress_bar:set_bottom(self._panel:bottom())
self._text:set_size(self._progress_bar:w(), self._progress_bar:h())
self._text:set_font_size(self._progress_bar:h() * 0.6)
end
return enabled, size_mult
end
function HUDList.RightListItem:set_color(color)
self._default_text_color = HUDListManager.ListOptions.list_color or Color.white
self._icon:set_color(self._default_icon_color or self._default_text_color)
self._progress_bar:set_color(self._default_text_color)
self._text:set_color(self._default_text_color)
end
function HUDList.RightListItem:set_bg_color(color)
self._progress_bar:set_bg_color(color)
end
function HUDList.RightListItem:set_icon_color(color)
self._default_icon_color = color
self._icon:set_color(self._default_icon_color or self._default_text_color)
end
function HUDList.RightListItem:set_progress_alpha(alpha)
self._progress_bar:set_alpha(alpha)
end
function HUDList.RightListItem:change_count(diff)
self:set_count(self._count + diff)
if diff ~= 0 then
self._text:stop()
self._text:animate(callback(self, self, "_animate_change"), diff, self._progress_bar)
end
end
function HUDList.RightListItem:set_count(num)
self._count = num
self._text:set_text(tostring(self._count))
self:set_active(self._count > 0)
end
function HUDList.RightListItem:get_count()
return self._count or 0
end
function HUDList.RightListItem:_animate_change(item, diff, progress_bar)
if self:is_active() and alive(item) and diff ~= 0 then
local duration = 0.5
local t = duration
local color = diff > 0 and self._change_increase_color or self._change_decrease_color
item:set_color(color)
while t > 0 do
t = t - coroutine.yield()
local ratio = math.clamp(t / duration, 0, 1)
local new_color = math.lerp(self._default_text_color, color, ratio)
item:set_color(new_color)
if progress_bar then
progress_bar:set_color(new_color)
progress_bar:set_ratio((diff > 0 and (1-ratio) or ratio))
end
end
item:set_color(self._default_text_color)
if progress_bar then
progress_bar:set_color(self._default_text_color)
progress_bar:set_ratio(1)
end
end
end
HUDList.UnitCountItem = HUDList.UnitCountItem or class(HUDList.RightListItem)
do
local buff_shield = "guis/textures/pd2/hud_buff_shield"
HUDList.UnitCountItem.MAP = {
enemies = { class = "UnitCountItem", skills = {6, 1}, color_id = "enemy_color", priority = 1, subtract = { "cop_hostage", "sec_hostage", "minions" } }, --Aggregated enemies
cop = { class = "UnitCountItem", skills = {0, 5}, color_id = "enemy_color", priority = 5, subtract = { "cop_hostage", "cop_minion" } }, --Non-special police
security = { class = "UnitCountItem", perks = {1, 4}, color_id = "guard_color", priority = 4, subtract = { "sec_hostage", "sec_minion" } },
thug = { class = "UnitCountItem", skills = {4, 12}, color_id = "thug_color", priority = 4 },
tank = { class = "UnitCountItem", skills = {3, 1}, color_id = "special_color", priority = 6 },
spooc = { class = "UnitCountItem", skills = {1, 3}, color_id = "special_color", priority = 6 },
taser = { class = "UnitCountItem", skills = {3, 5}, color_id = "special_color", priority = 6 },
shield = { class = "ShieldCountItem", texture = buff_shield, color_id = "special_color", priority = 6 },
sniper = { class = "UnitCountItem", skills = {6, 5}, color_id = "special_color", priority = 6 },
medic = { class = "UnitCountItem", skills = {5, 8}, color_id = "special_color", priority = 6 },
thug_boss = { class = "UnitCountItem", skills = {1, 1}, color_id = "thug_color", priority = 4 },
phalanx = { class = "UnitCountItem", texture = buff_shield, color_id = "special_color", priority = 7 },
turret = { class = "UnitCountItem", skills = {7, 5}, color_id = "turret_color", priority = 5 },
unique = { class = "UnitCountItem", skills = {3, 8}, color_id = "civilian_color", priority = 3 },
cop_hostage = { class = "UnitCountItem", skills = {2, 8}, color_id = "hostage_color", priority = 2 },
civ_hostage = { class = "UnitCountItem", skills = {4, 7}, color_id = "hostage_color", priority = 1 },
hostages = { class = "UnitCountItem", skills = {4, 7}, color_id = "hostage_color", priority = 1 },
minion = { class = "UnitCountItem", skills = {6, 8}, color_id = "hostage_color", priority = 0 },
civ = { class = "UnitCountItem", skills = {6, 7}, color_id = "civilian_color", priority = 3, subtract = { "civ_hostage" } },
}
end
function HUDList.UnitCountItem:init(parent, name, id, unit_types)
local unit_data = HUDList.UnitCountItem.MAP[id] or {}
local params = { priority = unit_data.priority }
HUDList.UnitCountItem.super.init(self, parent, name, unit_data, params)
self._id = id
self._unit_types = {}
self._subtract_types = {}
self._unit_count = {}
local total_count = 0
local keys = {}
for _, unit_id in pairs(unit_types or {}) do
local count = managers.gameinfo:get_unit_count(unit_id)
total_count = total_count + count
self._unit_count[unit_id] = count
self._unit_types[unit_id] = true
table.insert(keys, unit_id)
end
for _, unit_id in pairs(unit_data.subtract or {}) do
local count = managers.gameinfo:get_unit_count(unit_id)
total_count = total_count - count
self._unit_count[unit_id] = count
self._subtract_types[unit_id] = true
table.insert(keys, unit_id)
end
self._listener_clbks = {
{
name = string.format("HUDList_%s_unit_count_listener", id),
source = "unit_count",
event = { "change" },
clbk = callback(self, self, "_change_count_clbk"),
keys = keys
}
}
self:set_count(total_count)
end
function HUDList.UnitCountItem:unit_id()
return self._id
end
function HUDList.UnitCountItem:_change_count_clbk(event, unit_type, value)
self._unit_count[unit_type] = self._unit_count[unit_type] + value
if self._subtract_types[unit_type] then
self:change_count(-value)
else
self:change_count(value)
end
end
HUDList.ShieldCountItem = HUDList.ShieldCountItem or class(HUDList.UnitCountItem)
function HUDList.ShieldCountItem:init(parent, name, id, unit_types)
HUDList.ShieldCountItem.super.init(self, parent, name, id, unit_types)
self._shield_filler = self._panel:rect({
name = "shield_filler",
w = self._icon:w() * 0.4,
h = self._icon:h() * 0.4,
color = self._default_icon_color or self._default_text_color,
blend_mode = "normal",
layer = self._icon:layer() + 1,
})
self._shield_filler:set_center(self._icon:center())
end
function HUDList.ShieldCountItem:set_icon_color(color)
HUDList.ShieldCountItem.super.set_icon_color(self, color)
if self._shield_filler then
self._shield_filler:set_color(self._default_icon_color or self._default_text_color)
end
end
function HUDList.ShieldCountItem:rescale(new_scale)
local enabled, size_mult = HUDList.ShieldCountItem.super.rescale(self, new_scale)
if enabled and alive(self._shield_filler) then
self._shield_filler:set_size(self._icon:w() * 0.4, self._icon:h() * 0.4)
self._shield_filler:set_center(self._icon:center())
end
return enabled, size_mult
end
HUDList.UsedPagersItem = HUDList.UsedPagersItem or class(HUDList.RightListItem)
function HUDList.UsedPagersItem:init(...)
HUDList.UsedPagersItem.super.init(self, ...)
self._change_increase_color = Color.red
self._listener_clbks = {
{
name = "HUDList_pager_count_listener",
source = "pager",
event = { "add" },
clbk = callback(self, self, "_add_pager"),
},
{
name = "HUDList_pager_count_listener",
source = "whisper_mode",
event = { "change" },
clbk = callback(self, self, "_whisper_mode_change"),
data_only = true,
}
}
self:set_count(table.size(managers.gameinfo:get_pagers()))
end
function HUDList.UsedPagersItem:_add_pager(...)
self:change_count(1)
end
function HUDList.UsedPagersItem:_whisper_mode_change(status)
self:set_active(self._count > 0 and status)
end
function HUDList.UsedPagersItem:set_count(num)
if managers.groupai:state():whisper_mode() then
local tweak = tweak_data.player.alarm_pager.bluff_success_chance
self._default_text_color = math.lerp(Color(1, 0.2, 0), HUDListManager.ListOptions.list_color or Color.white, tweak and tweak[num] or 0)
HUDList.UsedPagersItem.super.set_count(self, num)
end
end
HUDList.CamCountItem = HUDList.CamCountItem or class(HUDList.RightListItem)
function HUDList.CamCountItem:init(...)
HUDList.CamCountItem.super.init(self, ...)
self._listener_clbks = {
{
name = "HUDList_cam_count_listener",
source = "camera_count",
event = { "set_count" },
clbk = callback(self, self, "_change_camera_count"),
data_only = true,
},
{
name = "HUDList_cam_count_listener",
source = "whisper_mode",
event = { "change" },
clbk = callback(self, self, "_whisper_mode_change"),
data_only = true,
}
}
self:set_count(managers.gameinfo:_recount_active_cameras())
end
function HUDList.CamCountItem:_change_camera_count(count)
local diff = count and (count - self._count) or 0
if diff ~= 0 then
self:change_count(diff)
end
end
function HUDList.CamCountItem:_whisper_mode_change(status)
self:set_active(self._count > 0 and status)
end
function HUDList.CamCountItem:set_count(num)
if managers.groupai:state():whisper_mode() then
HUDList.CamCountItem.super.set_count(self, num)
end
end
HUDList.BodyBagsInvItem = HUDList.BodyBagsInvItem or class(HUDList.RightListItem)
function HUDList.BodyBagsInvItem:init(...)
HUDList.BodyBagsInvItem.super.init(self, ...)
self._listener_clbks = {
{
name = "HUDList_bodybags_count_listener",
source = "bodybags",
event = { "change" },
clbk = callback(self, self, "change_count"),
data_only = true,
},
{
name = "HUDList_bodybags_count_listener",
source = "whisper_mode",
event = { "change" },
clbk = callback(self, self, "_whisper_mode_change"),
data_only = true,
}
}
self:set_count(managers.gameinfo:get_bodybag_amount())
end
function HUDList.BodyBagsInvItem:_whisper_mode_change(status)
self:set_active(self._count > 0 and status)
end
function HUDList.BodyBagsInvItem:change_count(diff)
if managers.groupai:state():whisper_mode() then
HUDList.BodyBagsInvItem.super.change_count(self, diff)
end
end
HUDList.CorpseCountItem = HUDList.CorpseCountItem or class(HUDList.RightListItem)
function HUDList.CorpseCountItem:init(...)
HUDList.CorpseCountItem.super.init(self, ...)
self._keys = {"person", "special_person"}
self._change_increase_color = Color.red
self._change_decrease_color = Color.green
self._total_count = 0
self._bagged_count = 0
self._unbagged_count = 0
self._listener_clbks = {
{
name = "HUDList_corpse_count_listener",
source = "loot_count",
event = { "change" },
clbk = callback(self, self, "_change_corpse_count"),
keys = self._keys
},
{
name = "HUDList_corpse_count_listener",
source = "pager",
event = { "add", "remove" },
clbk = callback(self, self, "_pager_event"),
},
{
name = "HUDList_corpse_count_listener",
source = "whisper_mode",
event = { "change" },
clbk = callback(self, self, "_whisper_mode_change"),
data_only = true,
}
}
local pagers = managers.gameinfo:get_pagers() or {}
for uid, data in pairs(pagers) do
if data.active then
self._unbagged_count = self._unbagged_count + 1
end
end
for _, data in pairs(managers.gameinfo:get_loot()) do
if table.contains(self._keys, data.carry_id) then
if data.bagged then
self._bagged_count = self._bagged_count + data.count
else
self._unbagged_count = self._unbagged_count + data.count
end
end
end
self:set_count(self._unbagged_count, self._bagged_count)
end
function HUDList.CorpseCountItem:_change_corpse_count(event, carry_id, bagged, value, data)
local bagged_count = self._bagged_count
local unbagged_count = self._unbagged_count
if bagged then
bagged_count = bagged_count + value
else
unbagged_count = unbagged_count + value
end
self:set_count(unbagged_count, bagged_count)
if value ~= 0 then
self._text:stop()
self._text:animate(callback(self, self, "_animate_change"), value, self._progress_bar)
end
end
function HUDList.CorpseCountItem:_pager_event(event, key, data)
local bagged_count = self._bagged_count
local unbagged_count = self._unbagged_count
if event == "add" then
unbagged_count = unbagged_count + 1
elseif event == "remove" then
unbagged_count = unbagged_count - 1
end
self:set_count(unbagged_count, bagged_count)
self._text:stop()
self._text:animate(callback(self, self, "_animate_change"), value, self._progress_bar)
end
function HUDList.CorpseCountItem:_whisper_mode_change(status)
self:set_active(self._count > 0 and status)
end
function HUDList.CorpseCountItem:set_count(unbagged, bagged)
if managers.groupai:state():whisper_mode() then
self._unbagged_count = unbagged
self._bagged_count = bagged
self._total_count = self._unbagged_count + self._bagged_count
self._text:set_text(self._unbagged_count .. "/" .. self._bagged_count)
self:set_active(self._total_count > 0)
end
end
HUDList.SpecialPickupItem = HUDList.SpecialPickupItem or class(HUDList.RightListItem)
HUDList.SpecialPickupItem.MAP = {
crowbar = { hudpickups = { 0, 64, 32, 32 }, priority = 1, category = "mission_pickups", ignore = not WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "SHOW_PICKUP_CATEGORIES", "mission_pickups"}, true) },
keycard = { hudpickups = { 32, 0, 32, 32 }, priority = 1, category = "mission_pickups", ignore = not WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "SHOW_PICKUP_CATEGORIES", "mission_pickups"}, true) },
planks = { hudpickups = { 0, 32, 32, 32 }, priority = 2, category = "mission_pickups", ignore = not WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "SHOW_PICKUP_CATEGORIES", "mission_pickups"}, true) },
meth_ingredients = { waypoints = { 192, 32, 32, 32 }, priority = 2, category = "mission_pickups", ignore = not WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "SHOW_PICKUP_CATEGORIES", "mission_pickups"}, true) },
blowtorch = { hudpickups = { 96, 192, 32, 32 }, priority = 1, category = "mission_pickups", ignore = not WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "SHOW_PICKUP_CATEGORIES", "mission_pickups"}, true) },
thermite = { hudpickups = { 64, 64, 32, 32 }, priority = 1, category = "mission_pickups", ignore = not WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "SHOW_PICKUP_CATEGORIES", "mission_pickups"}, true) },
c4 = { hudicons = { 36, 242, 32, 32 }, priority = 1, category = "mission_pickups", ignore = not WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "SHOW_PICKUP_CATEGORIES", "mission_pickups"}, true) },
small_loot = { hudpickups = { 32, 224, 32, 32}, priority = 3, category = "valuables", ignore = not WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "SHOW_PICKUP_CATEGORIES", "valuables"}, true) },
briefcase = { hudpickups = { 96, 224, 32, 32}, priority = 4, category = "collectables", ignore = not WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "SHOW_PICKUP_CATEGORIES", "collectables"}, true) },
courier = { texture = "guis/dlcs/gage_pack_jobs/textures/pd2/endscreen/gage_assignment", priority = 3, category = "collectables", ignore = not WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "SHOW_PICKUP_CATEGORIES", "collectables"}, true) }, --{ texture = "guis/textures/contact_vlad", texture_rect = {1920, 0, 64, 64}, priority = 3 }, --[[skills = { 6, 0 }]]
gage_case = { skills = { 1, 0 }, priority = 3, category = "collectables", ignore = not WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "SHOW_PICKUP_CATEGORIES", "collectables"}, true) },
gage_key = { hudpickups = { 32, 64, 32, 32 }, priority = 3, category = "collectables", ignore = not WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "SHOW_PICKUP_CATEGORIES", "collectables"}, true) },
paycheck_masks = { hudpickups = { 128, 32, 32, 32 }, priority = 4, category = "collectables", ignore = not WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "SHOW_PICKUP_CATEGORIES", "collectables"}, true) },
secret_item = { waypoints = { 96, 64, 32, 32 }, priority = 4, category = "collectables", ignore = not WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "SHOW_PICKUP_CATEGORIES", "collectables"}, true) },
rings = { texture = "guis/textures/pd2/level_ring_small", w_ratio = 0.5, h_ratio = 0.5, priority = 4, category = "collectables", ignore = not WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "SHOW_PICKUP_CATEGORIES", "collectables"}, true) },
poster = { hudpickups = { 96, 96, 32, 32 }, priority = 4, category = "collectables", ignore = not WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "SHOW_PICKUP_CATEGORIES", "collectables"}, true) },
handcuffs = { hud_icons = {294,469, 40, 40 }, priority = 4, category = "collectables", ignore = not WolfHUD:getSetting({"HUDList", "RIGHT_LIST", "SHOW_PICKUP_CATEGORIES", "collectables"}, true) },
}
function HUDList.SpecialPickupItem:init(parent, name, id, members)
local pickup_data = HUDList.SpecialPickupItem.MAP[id]
local params = { priority = pickup_data.priority }
HUDList.SpecialPickupItem.super.init(self, parent, name, pickup_data, params)
self._pickup_types = {}
local keys = {}
for _, pickup_id in pairs(members) do
self._pickup_types[pickup_id] = true
table.insert(keys, pickup_id)
end
local total_count = 0
for _, data in pairs(managers.gameinfo:get_special_equipment()) do
if self._pickup_types[data.interact_id] then
total_count = total_count + 1
end
end
self._listener_clbks = {
{
name = string.format("HUDList_%s_special_pickup_count_listener", id),
source = "special_equipment_count",
event = { "change" },
clbk = callback(self, self, "_change_special_equipment_count_clbk"),
keys = keys
}
}
self:set_count(total_count)
end
function HUDList.SpecialPickupItem:_change_special_equipment_count_clbk(event, interact_id, value, data)
self:change_count(value)
end
HUDList.LootItem = HUDList.LootItem or class(HUDList.RightListItem)
HUDList.LootItem.MAP = {
aggregate = { text = "", no_localize = true }, --Aggregated loot
armor = { text = "wolfhud_hudlist_loot_armor", priority = 1 }, -- Shaddow Raid
artifact = { text = "hud_carry_artifact", priority = 1 }, -- Schaddow Raid, The Diamond
bike = { text = "hud_carry_bike_part", priority = 1 }, -- Biker Heist
bomb = { text = "wolfhud_hudlist_loot_bomb", priority = 1 }, -- Bomb Forest & Dockyard, Murky Station EMP
coke = { text = "hud_carry_coke", priority = 1 },
dentist = { text = "???", no_localize = true, priority = 1 }, -- Golden Grin
diamond = { text = "wolfhud_hudlist_loot_diamond", priority = 1 }, -- The Diamond/Diamond Heist Red Diamond
diamonds = { text = "hud_carry_diamonds_dah", priority = 1 }, -- The Diamond Heist
drone_ctrl = { text = "hud_carry_helmet", priority = 1 }, -- Biker Heist
evidence = { text = "wolfhud_hudlist_loot_evidence", priority = 1 }, -- Hoxton revenge
goat = { text = "hud_carry_goat", priority = 1 }, -- Goat Simulator
gold = { text = "hud_carry_gold", priority = 1 },
jewelry = { text = "hud_carry_diamonds", priority = 1 },
meth = { text = "hud_carry_meth", priority = 1 },
money = { text = "hud_carry_money", priority = 1 },
painting = { text = "hud_carry_painting", priority = 1 },
pig = { text = "hud_carry_pig", priority = 1 }, -- Slaugtherhouse
present = { text = "hud_carry_present", priority = 1 }, -- Santa's Workshop
prototype = { text = "hud_carry_prototype", priority = 1 },
safe = { text = "hud_carry_safe", priority = 1 }, -- Aftershock
server = { text = "hud_carry_circuit", priority = 1 },
shell = { text = "hud_carry_ammo", priority = 1 }, -- Transport: Train
shoes = { text = "wolfhud_hudlist_loot_shoes", priority = 1 }, -- Stealing Xmas
toast = { text = "wolfhud_hudlist_loot_toast", priority = 1 }, -- White Xmas
toothbrush = { text = "wolfhud_hudlist_loot_toothbrush", priority = 1 }, -- Panic Room
toy = { text = "wolfhud_hudlist_loot_toy", priority = 1 }, -- Stealing Xmas
turret = { text = "hud_carry_turret", priority = 1 }, -- Transport: Train
vr = { text = "wolfhud_hudlist_loot_vr", priority = 1 }, -- Stealing Xmas
warhead = { text = "hud_carry_warhead", priority = 1 }, -- Meltdown
weapon = { text = "wolfhud_hudlist_loot_weapon", priority = 1 },
wine = { text = "hud_carry_wine", priority = 1 }, -- Stealing Xmas
body = { text = "hud_carry_person", priority = 1 }, -- Boiling point
crate = { text = "wolfhud_hudlist_loot_crate", priority = 2, no_separate = true },
xmas_present = { text = "hud_carry_present", priority = 2, no_separate = true }, -- White Xmas
shopping_bag = { text = "wolfhud_hudlist_loot_bag", priority = 2, no_separate = true }, -- White Xmas
showcase = { text = "wolfhud_hudlist_showcase", priority = 2, no_separate = true }, -- Diamond heist + Diamond Museum
}
function HUDList.LootItem:init(parent, name, id, members)
local loot_data = HUDList.LootItem.MAP[id]
HUDList.LootItem.super.init(self, parent, name, loot_data.icon_data or { hudtabs = { 32, 33, 32, 32 }, alpha = 0.75, w_ratio = 1.2 }, loot_data)
self._id = id
self._loot_types = {}
self._total_count = 0
self._bagged_count = 0
self._unbagged_count = 0
self._icon:set_center(self._panel:center())
self._icon:set_top(self._panel:top())
if loot_data.text then
local txt = loot_data.no_localize and loot_data.text or managers.localization:text(loot_data.text)
self._name_text = self._panel:text({
name = "text",
text = txt:sub(1, 10) or "",
align = "center",
vertical = "center",
w = self._panel:w(),
h = self._panel:w(),
color = HUDListManager.ListOptions.list_color_bg or Color(0.0, 0.5, 0.0),
blend_mode = "normal",
font = tweak_data.hud_corner.assault_font,
font_size = self._panel:w() * 0.45,
layer = 10
})
local _, _, w, h = self._name_text:text_rect()
local font_size = math.min(self._name_text:font_size() * (self._name_text:w() / w) * 0.9, self._name_text:font_size())
self._name_text:set_font_size(font_size)
self._name_text:set_center(self._icon:center())
self._name_text:set_y(self._name_text:y() + self._icon:h() * 0.1)
end
local keys = {}
for _, loot_id in pairs(members) do
self._loot_types[loot_id] = true
table.insert(keys, loot_id)
end
self._listener_clbks = {
{
name = string.format("HUDList_%s_loot_count_listener", id),
source = "loot_count",
event = { "change" },
clbk = callback(self, self, "_change_loot_count_clbk"),
keys = keys
}
}
self:update_value()
end
function HUDList.LootItem:rescale(new_scale)
local enabled, size_mult = HUDList.LootItem.super.rescale(self, new_scale)
if enabled then
self._name_text:set_size(self._panel:w(), self._panel:h())
local _, _, w, h = self._name_text:text_rect()
local font_size = math.min(self._name_text:font_size() * (self._name_text:w() / w) * 0.9, self._name_text:font_size())
self._name_text:set_font_size(font_size)
self._name_text:set_center(self._icon:center())
self._name_text:set_y(self._name_text:y() + self._icon:h() * 0.1)
end
return enabled, size_mult
end
function HUDList.LootItem:update_value()
local total_unbagged = 0
local total_bagged = 0
for _, data in pairs(managers.gameinfo:get_loot()) do
if self._loot_types[data.carry_id] then
local loot_type = HUDListManager.LOOT_TYPES[data.carry_id]
local condition_clbk = HUDListManager.LOOT_TYPES_CONDITIONS[loot_type]
if not condition_clbk or condition_clbk(loot_type, data) then
if data.bagged then
total_bagged = total_bagged + data.count
else
total_unbagged = total_unbagged + data.count
end
end
end
end
self:set_count(total_unbagged, total_bagged)
end
function HUDList.LootItem:get_count()
return self._unbagged_count or 0, self._bagged_count or 0
end
function HUDList.LootItem:set_count(unbagged, bagged)
self._unbagged_count = unbagged
self._bagged_count = bagged
self._total_count = self._unbagged_count + self._bagged_count
if HUDListManager.ListOptions.separate_bagged_loot and not HUDList.LootItem.MAP[self._id].no_separate then
self._text:set_text(self._unbagged_count .. "/" .. self._bagged_count)
else
self._text:set_text(self._total_count)
end
self:set_active(self._total_count > 0)
end
function HUDList.LootItem:_change_loot_count_clbk(event, carry_id, bagged, value, data)
local loot_type = HUDListManager.LOOT_TYPES[carry_id] or HUDListManager.POTENTIAL_LOOT_TYPES[carry_id]
local condition_clbk = HUDListManager.LOOT_TYPES_CONDITIONS[loot_type]
if not condition_clbk or condition_clbk(loot_type, data) then
local bagged_count = self._bagged_count
local unbagged_count = self._unbagged_count
if bagged then
bagged_count = bagged_count + value
else
unbagged_count = unbagged_count + value
end
self:set_count(unbagged_count, bagged_count)
if value ~= 0 then
self._text:stop()
self._text:animate(callback(self, self, "_animate_change"), value, self._progress_bar)
end
end
end
------------------------------------------------------------------------------------------------------------------------------------------------------------------------------
--Left list items
HUDList.LeftListIcon = HUDList.LeftListIcon or class(HUDList.ItemBase)
function HUDList.LeftListIcon:init(parent, name, ratio_w, ratio_h, icons)
HUDList.LeftListIcon.super.init(self, parent, name, { align = "center", w = parent:panel():h() * (ratio_w or 1), h = parent:panel():h() * (ratio_h or 1) })
self._icons = {}
for i, icon in ipairs(icons) do
local texture, texture_rect = get_icon_data(icon)
local bitmap = self._panel:bitmap({
name = "icon_" .. tostring(i),
texture = texture,
texture_rect = texture_rect or nil,
h = self:panel():w() * (icon.h or 1),
w = self:panel():w() * (icon.w or 1),
blend_mode = "add",
color = icon.color or Color.white,
})
bitmap:set_center(self._panel:center())
if icon.valign == "top" then
bitmap:set_top(self._panel:top())
elseif icon.valign == "bottom" then
bitmap:set_bottom(self._panel:bottom())
end
if icon.halign == "left" then
bitmap:set_left(self._panel:left())
elseif icon.halign == "right" then
bitmap:set_right(self._panel:right())
end
table.insert(self._icons, bitmap)
end
end
function HUDList.LeftListIcon:rescale(new_scale)
local enabled, size_mult = HUDList.LeftListIcon.super.rescale(self, new_scale)
if enabled then
for _, icon in ipairs(self._icons) do
icon:set_size(icon:w() * size_mult, icon:h() * size_mult)
icon:set_x(icon:x() * size_mult)
icon:set_y(icon:y() * size_mult)
end
end
return enabled, size_mult
end
function HUDList.LeftListIcon:set_color(color)
HUDList.LeftListIcon.super.set_color(self, color)
for _, icon in ipairs(self._icons) do
icon:set_color(color)
end
end
HUDList.LeftListItem = HUDList.LeftListItem or class(HUDList.ItemBase)
function HUDList.LeftListItem:init(parent, name, params)
params = params or {}
params.align = params.align or "left"
params.w = params.w or parent:panel():h()
params.h = params.h or parent:panel():h()
HUDList.LeftListItem.super.init(self, parent, name, params)
self._progress_bar = PanelFrame:new(self._panel, {
w = params.progress_w or self._panel:w(),
h = params.progress_h or self._panel:h(),
invert_progress = params.invert_progress ~= false,
bar_w = 2,
bar_color = params.progress_color or (HUDListManager.ListOptions.list_color or Color.white),
bg_color = (HUDListManager.ListOptions.list_color_bg or Color.black),
bar_alpha = params.progress_alpha or HUDListManager.ListOptions.left_list_progress_alpha or 0.4,
add_bg = true,
})
self._progress_bar:set_ratio(1)
end
function HUDList.LeftListItem:rescale(new_scale)
local enabled, size_mult = HUDList.LeftListItem.super.rescale(self, new_scale)
if enabled then
self._progress_bar:set_size(self._progress_bar:w() * size_mult, self._progress_bar:h() * size_mult)
end
return enabled, size_mult
end
function HUDList.LeftListItem:set_color(color)
HUDList.LeftListItem.super.set_color(self, color)
self._progress_bar:set_color(color)
end
function HUDList.LeftListItem:set_bg_color(color)
HUDList.LeftListItem.super.set_bg_color(self, color)
self._progress_bar:set_bg_color(color)
end
function HUDList.LeftListItem:set_progress_alpha(alpha)
self._progress_bar:set_alpha(alpha)
end
HUDList.TimerItem = HUDList.TimerItem or class(HUDList.LeftListItem)
HUDList.TimerItem.DEVICE_TYPES = {
digital = { class = "TimerItem", name = "wolfhud_hudlist_device_timer" },
drill = { class = "UpgradeableTimerItem", name = "wolfhud_hudlist_device_drill" },
drill_noupgrade = { class = "TimerItem", name = "wolfhud_hudlist_device_drill" },
saw = { class = "UpgradeableTimerItem", name = "wolfhud_hudlist_device_saw" },
saw_noupgrade = { class = "TimerItem", name = "wolfhud_hudlist_device_saw" },
hack = { class = "TimerItem", name = "wolfhud_hudlist_device_hack" },
timer = { class = "TimerItem", name = "wolfhud_hudlist_device_timer" },
securitylock = { class = "TimerItem", name = "wolfhud_hudlist_device_hack" },
}
function HUDList.TimerItem:init(parent, name, data)
self.STANDARD_COLOR = HUDListManager.ListOptions.list_color or Color(1, 1, 1, 1)
self.DISABLED_COLOR = Color(1, 1, 0, 0)
self.FLASH_SPEED = 2
self._show_distance = true
self._unit = data.unit
self._device_type = data.device_type
self._jammed = data.jammed
self._powered = data.powered
self._upgradable = data.upgradable
self._auto_repair = data.auto_repair
self._upgrades = data.upgrades or {}
self._show_upgrade_icons = data.can_have_upgrades or false
HUDList.TimerItem.super.init(self, parent, name, { align = "left", w = data.w or (parent:panel():h() * 4/5), h = parent:panel():h() })
local txt = HUDList.TimerItem.DEVICE_TYPES[self._device_type] and managers.localization:text(HUDList.TimerItem.DEVICE_TYPES[self._device_type].name or "N/A") or tostring(self._device_type)
self._type_text = self._panel:text({
name = "type_text",
text = txt,
align = "center",
vertical = "top",
w = self._panel:w(),
h = self._panel:h() * 0.3,
color = self.STANDARD_COLOR or Color.white,
font = tweak_data.hud_corner.assault_font,
font_size = self._panel:h() * 0.3
})
self._progress_bar:set_h(self._panel:h() * 0.7)
self._progress_bar:set_bottom(self._panel:bottom())
self._distance_text = self._panel:text({
name = "distance",
align = "center",
vertical = "top",
y = self._progress_bar:y() + 2,
w = self._progress_bar:w(),
h = self._progress_bar:h() - 2,
color = self.STANDARD_COLOR or Color.white,
font = tweak_data.hud_corner.assault_font,
font_size = self._progress_bar:h() * 0.4
})
self._time_text = self._panel:text({
name = "time",
align = "center",
vertical = "bottom",
y = self._progress_bar:y(),
w = self._progress_bar:w(),
h = self._progress_bar:h(),
color = self.STANDARD_COLOR or Color.white,
font = tweak_data.hud_corner.assault_font,
font_size = self._progress_bar:h() * 0.6
})
self._flash_color_table = {
{ ratio = 0.0, color = self.DISABLED_COLOR },
{ ratio = 1.0, color = self.STANDARD_COLOR }
}
self:_set_colors(self.STANDARD_COLOR)
self:_set_jammed(data)
self:_set_powered(data)
self:_update_timer(data)
local key = tostring(self._unit:key())
local id = string.format("HUDList_timer_listener_%s", key)
local events = {
update = callback(self, self, "_update_timer"),
set_jammed = callback(self, self, "_set_jammed"),
set_powered = callback(self, self, "_set_powered"),
}
for event, clbk in pairs(events) do
table.insert(self._listener_clbks, { name = id, source = "timer", event = { event }, clbk = clbk, keys = { key }, data_only = true })
end
end
function HUDList.TimerItem:rescale(new_scale)
local enabled, size_mult = HUDList.TimerItem.super.rescale(self, new_scale)
if enabled then
self._type_text:set_size(self._panel:w(), self._panel:h() * 0.3)
self._distance_text:set_size(self._progress_bar:w(), self._progress_bar:h() - 2)
self._distance_text:set_y(self._progress_bar:y() + 2)
self._time_text:set_size(self._progress_bar:w(), self._progress_bar:h())
self._time_text:set_y(self._progress_bar:y())
end
return enabled, size_mult
end
function HUDList.TimerItem:set_color(color)
HUDList.TimerItem.super.set_color(self, color)
self.STANDARD_COLOR = color
self:_set_colors(self.STANDARD_COLOR)
end
function HUDList.TimerItem:priority()
return self._remaining and Utl.round(self._remaining, 1) or self._priority
end
function HUDList.TimerItem:update(t, dt)
if not alive(self._unit) then
self:delete()
return
end
self._distance_text:set_text(get_distance_to_player(self._unit))
if self._jammed or not self._powered then
local new_color = get_color_from_table(math.sin(t*360 * self.FLASH_SPEED) * 0.5 + 0.5, 1, self._flash_color_table, self.STANDARD_COLOR)
self:_set_colors(new_color)
end
end
function HUDList.TimerItem:_update_timer(data)
if data.timer_value then
self._remaining = data.timer_value
self._time_text:set_text(format_time_string(self._remaining))
if data.timer_ratio then
self._progress_bar:set_ratio(data.timer_ratio)
end
end
end
function HUDList.TimerItem:_set_jammed(data)
self._jammed = data.jammed
self:_check_is_running()
end
function HUDList.TimerItem:_set_powered(data)
self._powered = data.powered
self:_check_is_running()
end
function HUDList.TimerItem:_check_is_running()
if not self._jammed and self._powered then
self:_set_colors(self._flash_color_table[2].color)
end
end
function HUDList.TimerItem:_set_colors(color)
self._time_text:set_color(color)
self._type_text:set_color(color)
self._distance_text:set_color(color)
self._progress_bar:set_color(color)
end
HUDList.UpgradeableTimerItem = HUDList.UpgradeableTimerItem or class(HUDList.TimerItem)
function HUDList.UpgradeableTimerItem:init(parent, name, data)
self.UPGRADE_COLOR = Color(1, 0.0, 0.8, 1.0)
self.AUTOREPAIR_COLOR = Color(1, 1, 0.5, 1)
self.UPGRADE_LVL_COLORS = { Color(0.3, 1, 1, 1), Color(1, 1, 1, 1), Color(1, 1, 1, 0)}
self._upgradable = data.upgradable
self._auto_repair = data.auto_repair
data.w = parent:panel():h()
HUDList.UpgradeableTimerItem.super.init(self, parent, name, data)
self._upgrade_types = { "faster", "silent", "restarter"}
self._upgrade_icons = {}
local icon_size = (self._panel:h() - self._type_text:h() - 5) / #self._upgrade_types
local y = self._time_text:y() + 3
for i, upgrade in ipairs(self._upgrade_types) do
local icon = self._panel:bitmap{
texture = "guis/textures/pd2/skilltree/drillgui_icon_" .. upgrade,
y = y + icon_size * (i-1),
w = icon_size,
h = icon_size,
align = "center",
vertical = "center",
valign = "scale",
halign = "scale",
color = self.UPGRADE_LVL_COLORS[1],
visible = true,
}
icon:set_right(self._panel:w() - 3)
self._upgrade_icons[upgrade] = icon
end
self._time_text:set_w(self._panel:w() - icon_size)
self._distance_text:set_w(self._panel:w() - icon_size)
self:_set_upgradable(data)
self:_set_upgrades(data)
self:_set_autorepair(data)
local key = tostring(self._unit:key())
local id = string.format("HUDList_timer_listener_%s", key)
local events = {
set_upgradable = callback(self, self, "_set_upgradable"),
set_upgrades = callback(self, self, "_set_upgrades"),
set_autorepair = callback(self, self, "_set_autorepair"),
}
for event, clbk in pairs(events) do
table.insert(self._listener_clbks, { name = id, source = "timer", event = { event }, clbk = clbk, keys = { key }, data_only = true })
end
end
function HUDList.UpgradeableTimerItem:rescale(new_scale)
local enabled, size_mult = HUDList.TimerItem.super.rescale(self, new_scale)
if enabled then
local y = self._time_text:y() + 3
local icon_size = (self._panel:h() - self._type_text:h() - 5) / #self._upgrade_types
for i, icon in ipairs(self._upgrade_icons) do
icon:set_size(icon_size, icon_size)
icon:set_right(self._panel:w() - 3)
icon:set_y(y + icon_size * (i-1))
end
end
return enabled, size_mult
end
function HUDList.UpgradeableTimerItem:set_color(color)
HUDList.UpgradeableTimerItem.super.set_color(self, color)
local current_color = self._auto_repair and self.AUTOREPAIR_COLOR or self._upgradable and self.UPGRADE_COLOR or self.STANDARD_COLOR
self._flash_color_table[2].color = current_color
self:_set_colors(current_color)
end
function HUDList.UpgradeableTimerItem:_set_upgradable(data)
self._upgradable = data.upgradable
local current_color = self._auto_repair and self.AUTOREPAIR_COLOR or self._upgradable and self.UPGRADE_COLOR or self.STANDARD_COLOR
self._flash_color_table[2].color = current_color
self:_set_colors(current_color)
end
function HUDList.UpgradeableTimerItem:_set_upgrades(data)
if data.upgrades then
for _, upgrade in ipairs(self._upgrade_types) do
if data.upgrades[upgrade] and self._upgrade_icons[upgrade] then
local upgrade_color = self.UPGRADE_LVL_COLORS[math.clamp((data.upgrades[upgrade] or 0) + 1, 1, #self.UPGRADE_LVL_COLORS)] or Color.red
self._upgrade_icons[upgrade]:set_color(upgrade_color)
end
end
end
end
function HUDList.UpgradeableTimerItem:_set_autorepair(data)
self._auto_repair = data.auto_repair
local current_color = self._auto_repair and self.AUTOREPAIR_COLOR or self._upgradable and self.UPGRADE_COLOR or self.STANDARD_COLOR
self._flash_color_table[2].color = current_color
self:_set_colors(current_color)
end
HUDList.TemperatureGaugeItem = HUDList.TemperatureGaugeItem or class(HUDList.TimerItem)
function HUDList.TemperatureGaugeItem:init(parent, name, timer_data, params)
self._start = params.start
self._goal = params.goal
self._last_value = self._start
HUDList.TemperatureGaugeItem.super.init(self, parent, name, timer_data)
self._type_text:set_text("Temp")
end
function HUDList.TemperatureGaugeItem:update(t, dt)
local estimate = "N/A"
if self._remaining and self._last_update_t then
local time_left = self._remaining - math.max(t - self._last_update_t, 0)
estimate = format_time_string(time_left)
end
self._time_text:set_text(estimate)
end
function HUDList.TemperatureGaugeItem:_update_timer(data)
if data.timer_value then
local dv = math.max(data.timer_value - self._last_value, 0)
if dv > 0 then
self._remaining = math.max(self._goal - data.timer_value, 0) / dv
self._last_update_t = Application:time()
end
self._distance_text:set_text(string.format("%d / %d", data.timer_value, self._goal))
self._progress_bar:set_ratio(data.timer_value / self._goal)
self._last_value = data.timer_value
end
end
HUDList.EquipmentItem = HUDList.EquipmentItem or class(HUDList.LeftListItem)
HUDList.EquipmentItem.EQUIPMENT_TABLE = {
sentry = { skills = { 7, 5 }, priority = 0 },
ammo_bag = { skills = { 1, 0 }, priority = 3 },
doc_bag = { skills = { 2, 7 }, priority = 4 },
first_aid_kit = { skills = { 3, 10 }, priority = 5 },
body_bag = { skills = { 5, 11 }, priority = 6 },
grenade_crate = { preplanning = { 1, 0 }, priority = 2 },
}
function HUDList.EquipmentItem:init(parent, name, data, equipment_type)
local icon_data = HUDList.EquipmentItem.EQUIPMENT_TABLE[equipment_type]
HUDList.EquipmentItem.super.init(self, parent, name, { align = "center", w = parent:panel():h() * 4/5, h = parent:panel():h(), priority = icon_data.priority })
self._unit = data.unit
self._key = name --normally unit:key(), exception for aggregated items that have no singular unit
self._equipment_type = equipment_type
local texture, texture_rect = get_icon_data(icon_data)
self._icon = self._panel:bitmap({
name = "icon",
texture = texture,
texture_rect = texture_rect,
h = self:panel():w() * 0.8,
w = self:panel():w() * 0.8,
blend_mode = "add",
layer = 0,
color = HUDListManager.ListOptions.list_color or Color.white,
})
self._icon:set_center(self._panel:center())
self._icon:set_top(0)
self:_set_owner(data)
local id = string.format("HUDList_equipment_listener_%s", self._key)
local events = {
set_owner = callback(self, self, "_set_owner"),
}
for event, clbk in pairs(events) do
table.insert(self._listener_clbks, { name = id, source = self._equipment_type, event = { event }, clbk = clbk, keys = { self._key }, data_only = true })
end
if not self._defer_activation then
self:activate()
end
end
function HUDList.EquipmentItem:rescale(new_scale)
local enabled, size_mult = HUDList.EquipmentItem.super.rescale(self, new_scale)
if enabled then
self._icon:set_size(self:panel():w() * 0.8, self:panel():w() * 0.8)
self._icon:set_center_x(self:panel():w() * 0.5)
end
return enabled, size_mult
end
function HUDList.EquipmentItem:set_color(color)
HUDList.EquipmentItem.super.set_color(self, color)
if not self._owner then
self._icon:set_color(color)
end
end
function HUDList.EquipmentItem:_set_owner(data)
if data.owner then
self._owner = data.owner
self:_set_color()
end
end
function HUDList.EquipmentItem:is_player_owner()
return self._owner == managers.network:session():local_peer():id()
end
function HUDList.EquipmentItem:get_type()
return self._equipment_type
end
function HUDList.EquipmentItem:_set_color()
local color = self._owner and self._owner > 0 and tweak_data.chat_colors[self._owner]:with_alpha(1) or HUDListManager.ListOptions.list_color or Color.white
self._icon:set_color(color)
end
HUDList.BagEquipmentItem = HUDList.BagEquipmentItem or class(HUDList.EquipmentItem)
function HUDList.BagEquipmentItem:init(parent, name, data, equipment_type)
HUDList.BagEquipmentItem.super.init(self, parent, name, data, equipment_type)
self._info_text = self._panel:text({
name = "info",
align = "center",
vertical = "bottom",
w = self._panel:w(),
h = self._panel:h() * 0.4,
color = Color.white,
layer = 1,
font = tweak_data.hud_corner.assault_font,
font_size = self._panel:h() * 0.4,
})
self._info_text:set_bottom(self._panel:h())
self:_set_max_amount(data)
self:_set_amount(data)
self:_set_amount_offset(data)
local id = string.format("HUDList_equipment_listener_%s", self._key)
local events = {
set_max_amount = callback(self, self, "_set_max_amount"),
set_amount = callback(self, self, "_set_amount"),
set_amount_offset = callback(self, self, "_set_amount_offset"),
}
for event, clbk in pairs(events) do
table.insert(self._listener_clbks, { name = id, source = self._equipment_type, event = { event }, clbk = clbk, keys = { self._key }, data_only = true })
end
end
function HUDList.BagEquipmentItem:rescale(new_scale)
local enabled, size_mult = HUDList.BagEquipmentItem.super.rescale(self, new_scale)
if enabled then
self._info_text:set_font_size(self._panel:h() * 0.4)
self._info_text:set_size(self._panel:w(), self._panel:h() * 0.4)
self._info_text:set_bottom(self._panel:h())
end
return enabled, size_mult
end
function HUDList.BagEquipmentItem:priority()
return HUDList.BagEquipmentItem.super.priority(self) - Utl.round(self:amount() * 0.1, 3)
end
function HUDList.BagEquipmentItem:amount()
return (self._amount or 1) + (self._amount_offset or 0)
end
function HUDList.BagEquipmentItem:max_amount()
return (self._max_amount or 1) + (self._amount_offset or 0)
end
function HUDList.BagEquipmentItem:amount_ratio()
return math.clamp(self:amount() / self:max_amount(), 0, 1)
end
function HUDList.BagEquipmentItem:_set_max_amount(data)
if data.max_amount then
self._max_amount = data.max_amount
self:_update_info_text()
end
end
function HUDList.BagEquipmentItem:_set_amount(data)
if data.amount then
self._amount = data.amount
self._max_amount = self._max_amount or self._amount
self:_update_info_text()
end
end
function HUDList.BagEquipmentItem:_set_amount_offset(data)
if data.amount_offset then
self._amount_offset = data.amount_offset
self:_update_info_text()
end
end
function HUDList.BagEquipmentItem:_update_info_text()
if self._amount then
self._info_text:set_text(string.format("%.0f", self:amount()))
self._progress_bar:set_ratio(self:amount_ratio())
local new_color = get_color_from_table(self:amount(), self:max_amount())
self._info_text:set_color(new_color)
self._progress_bar:set_color(new_color)
if self._parent_list then
self._parent_list:reapply_item_priorities(true, 0.5)
end
end
end
HUDList.AmmoBagItem = HUDList.AmmoBagItem or class(HUDList.BagEquipmentItem)
function HUDList.AmmoBagItem:_update_info_text()
if self._amount then
self._info_text:set_text(string.format("%.0f%%", self:amount() * 100))
self._progress_bar:set_ratio(self:amount_ratio())
local new_color = get_color_from_table(self:amount(), self:max_amount())
self._info_text:set_color(new_color)
self._progress_bar:set_color(new_color)
if self._parent_list then
self._parent_list:reapply_item_priorities(true, 0.5)
end
end
end
HUDList.BodyBagItem = HUDList.BodyBagItem or class(HUDList.BagEquipmentItem)
function HUDList.BodyBagItem:init(...)
self._defer_activation = true
HUDList.BodyBagItem.super.init(self, ...)
table.insert(self._listener_clbks, {
name = string.format("HUDList_equipment_listener_%s", self._key),
source = "whisper_mode",
event = { "change" },
clbk = callback(self, self, "_whisper_mode_change"),
data_only = true,
})
self:set_active(managers.groupai:state():whisper_mode())
end
function HUDList.BodyBagItem:_whisper_mode_change(status)
self:set_active(self:amount() > 0 and status)
end
HUDList.SentryEquipmentItem = HUDList.SentryEquipmentItem or class(HUDList.EquipmentItem)
function HUDList.SentryEquipmentItem:init(parent, name, data)
HUDList.SentryEquipmentItem.super.init(self, parent, name, data, "sentry")
self._bar_bg = self._panel:rect({
name = "bar_bg",
x = self._panel:w() * 0.1,
w = self._panel:w() * 0.8,
h = self._panel:h() * 0.3,
color = Color.black,
alpha = 0.5,
layer = 0,
})
self._bar_bg:set_bottom(self._panel:h() * 0.9)
self._health_bar = self._panel:rect({
name = "health_bar",
x = self._bar_bg:x(),
y = self._bar_bg:y(),
h = self._bar_bg:h() * 0.5,
color = Color(0.7, 0.0, 0.0),
layer = 1,
})
self._ammo_bar = self._panel:rect({
name = "ammo_bar",
x = self._bar_bg:x(),
y = self._bar_bg:y() + self._bar_bg:h() * 0.5,
h = self._bar_bg:h() * 0.5,
color = Color(0.0, 0.7, 0.0),
layer = 1,
})
self._kills = self._panel:text({
name = "kills",
text = "0",
align = "left",
vertical = "top",
x = 3,
y = 2,
w = self._panel:w(),
h = self._panel:h(),
color = Color.white,
alpha = 0.75,
layer = 10,
font = tweak_data.hud_corner.assault_font,
font_size = self._panel:h() * 0.3,
})
self:_set_ammo_ratio(data)
self:_set_health_ratio(data)
local id = string.format("HUDList_equipment_listener_%s", self._key)
local events = {
set_ammo_ratio = callback(self, self, "_set_ammo_ratio"),
set_health_ratio = callback(self, self, "_set_health_ratio"),
set_kills = callback(self, self, "_set_kills"),
}
for event, clbk in pairs(events) do
table.insert(self._listener_clbks, { name = id, source = "sentry", event = { event }, clbk = clbk, keys = { self._key }, data_only = true })
end
end
function HUDList.SentryEquipmentItem:rescale(new_scale)
local enabled, size_mult = HUDList.SentryEquipmentItem.super.rescale(self, new_scale)
if enabled then
self._bar_bg:set_size(self._panel:w() * 0.8, self._panel:h() * 0.3)
self._bar_bg:set_x(self._panel:w() * 0.1)
self._bar_bg:set_bottom(self._panel:h() * 0.9)
self._health_bar:set_size(self._health_bar:w() * size_mult, self._bar_bg:h() * 0.5)
self._health_bar:set_x(self._bar_bg:x())
self._health_bar:set_y(self._bar_bg:y())
self._ammo_bar:set_size(self._ammo_bar:w() * size_mult, self._bar_bg:h() * 0.5)
self._ammo_bar:set_x(self._bar_bg:x())
self._ammo_bar:set_y(self._bar_bg:y() + self._bar_bg:h() * 0.5)
self._kills:set_size(self._panel:w(), self._panel:h())
self._kills:set_font_size(self._panel:h() * 0.3)
end
return enabled, size_mult
end
function HUDList.SentryEquipmentItem:_set_ammo_ratio(data)
if data.ammo_ratio then
self._ammo_ratio = data.ammo_ratio or 0
self._ammo_bar:set_w(self._bar_bg:w() * self._ammo_ratio)
self._progress_bar:set_ratio(self._ammo_ratio)
if self._ammo_ratio <= 0 then
self:_set_inactive(nil)
end
end
end
function HUDList.SentryEquipmentItem:_set_health_ratio(data)
if data.health_ratio then
self._health_ratio = data.health_ratio or 0
self._health_bar:set_w(self._bar_bg:w() * self._health_ratio)
self._progress_bar:set_color(math.lerp(get_color_from_table(self._health_ratio, 1), (HUDListManager.ListOptions.list_color or Color.white), 0.4))
if self._health_ratio <= 0 then
self:_set_inactive(nil)
end
end
end
function HUDList.SentryEquipmentItem:_set_kills(data)
if data.kills == 10 then
self._kills:set_font_size(self._panel:h() * 0.25)
end
self._kills:set_text(tostring(data.kills))
end
function HUDList.SentryEquipmentItem:_set_inactive(duration)
if self:is_player_owner() then
if not self._animating then
self._icon:animate(callback(self, self, "_animate_inactive"), Color.red, duration, callback(self, self, "deactivate"))
end
else
self:deactivate()
end
end
function HUDList.SentryEquipmentItem:_animate_inactive(icon, flash_color, duration, expire_clbk)
self._animating = true
local base_color = icon:color()
local t = 0
while self._animating and (not duration or duration > t) do
local s = math.sin(t*720) * 0.5 + 0.5
local r = math.lerp(base_color.r, flash_color.r, s)
local g = math.lerp(base_color.g, flash_color.g, s)
local b = math.lerp(base_color.b, flash_color.b, s)
icon:set_color(Color(r, g, b))
t = t + coroutine.yield()
end
self:_set_color()
self._animating = nil
if expire_clbk then
expire_clbk()
end
end
HUDList.MinionItem = HUDList.MinionItem or class(HUDList.ItemBase)
HUDList.MinionItem.name_max = 10
function HUDList.MinionItem:init(parent, name, data)
HUDList.MinionItem.super.init(self, parent, name, { align = "center", w = parent:panel():h() * 4/5, h = parent:panel():h() })
self._unit = data.unit
local type_table = self._unit:base()._tweak_table and HUDListManager.UNIT_TYPES[self._unit:base()._tweak_table] or false
local type_string = type_table and managers.localization:to_upper_text(type_table.long_name) or "UNKNOWN"
if type_string:len() > self.name_max then
type_string = type_string:match("(%S+)(.+)")
type_string = type_string:sub(0, self.name_max)
end
self._health_bar = self._panel:bitmap({
name = "radial_health",
texture = "guis/textures/pd2/hud_health",
render_template = "VertexColorTexturedRadial",
blend_mode = "add",
layer = 2,
color = Color(1, 1, 0, 0),
w = self._panel:w(),
h = self._panel:w(),
})
self._health_bar:set_texture_rect(self._health_bar:texture_width(), 0, -self._health_bar:texture_width(), self._health_bar:texture_height())
self._health_bar:set_bottom(self._panel:bottom())
self._hit_indicator = self._panel:bitmap({
name = "hit_indicator",
texture = "guis/textures/pd2/hud_radial_rim",
blend_mode = "add",
layer = 1,
color = Color.red,
alpha = 0,
w = self._panel:w(),
h = self._panel:w(),
})
self._hit_indicator:set_center(self._health_bar:center())
self._outline = self._panel:bitmap({
name = "outline",
texture = "guis/textures/pd2/hud_shield",
blend_mode = "add",
w = self._panel:w() * 0.95,
h = self._panel:w() * 0.95,
layer = 1,
alpha = 0.3,
color = Color(0.8, 0.8, 1.0),
})
self._outline:set_texture_rect(self._outline:texture_width(), 0, -self._outline:texture_width(), self._outline:texture_height())
self._outline:set_center(self._health_bar:center())
self._damage_upgrade_text = self._panel:text({
name = "dmg_upgrade",
text = utf8.char(57364),
align = "center",
vertical = "center",
w = self._panel:w(),
h = self._panel:w(),
color = Color.white,
layer = 3,
font = tweak_data.hud_corner.assault_font,
font_size = self._panel:w() * 0.4,
alpha = 0.3
})
self._damage_upgrade_text:set_bottom(self._panel:bottom())
self._unit_type = self._panel:text({
name = "type",
text = type_string,
align = "center",
vertical = "top",
w = self._panel:w(),
h = self._panel:w() * 0.3,
color = Color.white,
layer = 3,
font = tweak_data.hud_corner.assault_font,
font_size = math.min(8 / string.len(type_string), 1) * 0.25 * self._panel:h(),
})
self._kills = self._panel:text({
name = "kills",
text = "0",
align = "right",
vertical = "bottom",
w = self._panel:w(),
h = self._panel:w(),
color = Color.white,
alpha = 0.75,
layer = 10,
font = tweak_data.hud_corner.assault_font,
font_size = self._panel:w() * 0.3,
})
self._kills:set_center(self._health_bar:center())
if data.health_ratio then
self:_set_health_ratio(data, true)
end
if data.damage_resistance then
self:_set_damage_resistance(data)
end
if data.damage_multiplier then
self:_set_damage_multiplier(data)
end
local key = tostring(self._unit:key())
local id = string.format("HUDList_minion_listener_%s", key)
local events = {
set_health_ratio = callback(self, self, "_set_health_ratio"),
set_owner = callback(self, self, "_set_owner"),
set_kills = callback(self, self, "_set_kills"),
set_damage_resistance = callback(self, self, "_set_damage_resistance"),
set_damage_multiplier = callback(self, self, "_set_damage_multiplier"),
}
for event, clbk in pairs(events) do
table.insert(self._listener_clbks, { name = id, source = "minion", event = { event }, clbk = clbk, keys = { key }, data_only = true })
end
end
function HUDList.MinionItem:rescale(new_scale)
local enabled, size_mult = HUDList.MinionItem.super.rescale(self, new_scale)
if enabled then
self._health_bar:set_size(self._panel:w(), self._panel:w())
self._health_bar:set_bottom(self._panel:h())
self._hit_indicator:set_size(self._panel:w(), self._panel:w())
self._hit_indicator:set_center(self._health_bar:center())
self._outline:set_size(self._panel:w() * 0.95, self._panel:w() * 0.95)
self._outline:set_center(self._health_bar:center())
self._damage_upgrade_text:set_size(self._panel:w(), self._panel:w())
self._damage_upgrade_text:set_font_size(self._panel:w() * 0.4)
self._damage_upgrade_text:set_bottom(self._panel:h())
self._unit_type:set_size(self._panel:w(), self._panel:w() * 0.3)
self._kills:set_size(self._panel:w(), self._panel:w())
self._kills:set_font_size(self._kills:font_size() * size_mult)
self._kills:set_center(self._health_bar:center())
end
return enabled, size_mult
end
function HUDList.MinionItem:set_color(color)
HUDList.MinionItem.super.set_color(self, color)
if not self._owner then
self._unit_type:set_color(color)
end
end
function HUDList.MinionItem:owner()
return self._owner
end
function HUDList.MinionItem:_set_health_ratio(data, skip_animate)
self._health_bar:set_color(Color(1, data.health_ratio, 1, 1))
if not skip_animate then
self._hit_indicator:stop()
self._hit_indicator:animate(callback(self, self, "_animate_damage"))
end
end
function HUDList.MinionItem:_set_owner(data)
if data.owner then
self._owner = data.owner
self._unit_type:set_color(tweak_data.chat_colors[data.owner]:with_alpha(1) or Color(1, 1, 1, 1))
if HUDListManager.ListOptions.show_own_minions_only then
self:set_active(data.owner == managers.network:session():local_peer():id())
end
end
end
function HUDList.MinionItem:_set_kills(data)
if data.kills == 10 then
self._kills:set_font_size(self._panel:w() * 0.2)
end
self._kills:set_text(data.kills)
end
function HUDList.MinionItem:_set_damage_resistance(data)
local max_mult = tweak_data.upgrades.values.player.convert_enemies_health_multiplier[1] * tweak_data.upgrades.values.player.passive_convert_enemies_health_multiplier[2]
local alpha = math.clamp(1 - (data.damage_resistance - max_mult) / (1 - max_mult), 0, 1) * 0.7 + 0.3
self._outline:set_alpha(alpha)
end
function HUDList.MinionItem:_set_damage_multiplier(data)
local max_mult = tweak_data.upgrades.values.player.convert_enemies_damage_multiplier[1] --* tweak_data.upgrades.values.player.passive_convert_enemies_damage_multiplier[1]
local alpha = math.clamp(1 - (data.damage_multiplier - max_mult) / (1 - max_mult), 0, 1) * 0.7 + 0.3
self._damage_upgrade_text:set_alpha(alpha)
end
function HUDList.MinionItem:_animate_damage(icon)
local duration = 1
local t = duration
icon:set_alpha(1)
while t > 0 do
local dt = coroutine.yield()
t = math.clamp(t - dt, 0, duration)
icon:set_alpha(t/duration)
end
icon:set_alpha(0)
end
HUDList.PagerItem = HUDList.PagerItem or class(HUDList.LeftListItem)
function HUDList.PagerItem:init(parent, name, data)
HUDList.PagerItem.super.init(self, parent, name, { align = "left", w = parent:panel():h(), h = parent:panel():h() })
self._unit = data.unit
self._start_t = data.start_t
self._expire_t = data.expire_t
self._remaining = data.expire_t - Application:time()
self._duration = data.expire_t - data.start_t
self._timer_text = self._panel:text({
name = "time",
align = "center",
vertical = "center",
w = self._panel:w(),
h = self._panel:h() * 0.6,
color = Color.red,
font = tweak_data.hud_corner.assault_font,
font_size = self._panel:h() * 0.6,
})
self._distance_text = self._panel:text({
name = "distance",
align = "center",
vertical = "center",
y = self._timer_text:bottom(),
w = self._panel:w() * 0.65,
h = self._panel:h() * 0.4,
color = HUDListManager.ListOptions.list_color or Color.white,
font = tweak_data.hud_corner.assault_font,
font_size = self._panel:h() * 0.35,
text = "DIST"
})
self._direction_icon = self._panel:bitmap({
name = "direction",
texture = "guis/textures/hud_icons",
texture_rect = { 434, 46, 30, 19 },
align = "center",
vertical = "center",
valign = "scale",
halign = "scale",
w = self._panel:h() * 0.3,
h = self._panel:h() * 0.2,
rotation = 270,
})
self._direction_icon:set_center(self._panel:w() * 0.8, self._panel:h() * 0.75)
local key = tostring(self._unit:key())
table.insert(self._listener_clbks, {
name = string.format("HUDList_pager_listener_%s", key),
source = "pager",
event = { "set_answered" },
clbk = callback(self, self, "_set_answered"),
keys = { key },
data_only = true
})
end
function HUDList.PagerItem:rescale(new_scale)
local enabled, size_mult = HUDList.PagerItem.super.rescale(self, new_scale)
if enabled then
self._timer_text:sei_size(self._panel:w(), self._panel:h() * 0.6)
self._distance_text:sei_size(self._panel:w() * 0.65, self._panel:h() * 0.4)
self._distance_text:set_y(self._timer_text:bottom())
self._direction_icon:set_size(self._panel:h() * 0.3, self._panel:h() * 0.2)
self._direction_icon:set_center(self._panel:w() * 0.8, self._panel:h() * 0.75)
end
return enabled, size_mult
end
function HUDList.PagerItem:set_color(color)
HUDList.PagerItem.super.set_color(self, color)
self._distance_text:set_color(color)
self._direction_icon:set_color(color)
end
function HUDList.PagerItem:priority()
return self._remaining and Utl.round(self._remaining, 1) + (self._answered and 0.5 or 0)
end
function HUDList.PagerItem:_set_answered()
if not self._answered then
self._answered = true
self._timer_text:set_color(Color(1, 0.1, 0.9, 0.1))
self._progress_bar:set_color(Color(1, 0.1, 0.9, 0.1))
end
end
function HUDList.PagerItem:update(t, dt)
if not self._answered then
self._remaining = math.max(self._remaining - dt, 0)
self._timer_text:set_text(format_time_string(self._remaining))
self._timer_text:set_color(get_color_from_table(self._remaining, self._duration))
self._progress_bar:set_ratio(self._remaining / self._duration)
end
local distance, rotation = get_distance_to_player(self._unit)
self._distance_text:set_text(distance)
self._direction_icon:set_rotation(270 - rotation)
end
HUDList.ECMItem = HUDList.ECMItem or class(HUDList.LeftListItem)
function HUDList.ECMItem:init(parent, name, data)
HUDList.ECMItem.super.init(self, parent, name, { align = "right", w = parent:panel():h(), h = parent:panel():h() })
self.STANDARD_COLOR = HUDListManager.ListOptions.list_color or Color(1, 1, 1, 1)
self.DISABLED_COLOR = Color(1, 1, 0, 0)
self.FLASH_SPEED = 2
self._unit = data.unit
self._max_duration = tweak_data.upgrades.ecm_jammer_base_battery_life
self._flash_color_table = {
{ ratio = 0.0, color = self.DISABLED_COLOR },
{ ratio = 1.0, color = self.STANDARD_COLOR }
}
self._text = self._panel:text({
name = "text",
align = "center",
vertical = "center",
w = self._panel:w(),
h = self._panel:h() * 0.7,
color = HUDListManager.ListOptions.list_color or Color.white,
font = tweak_data.hud_corner.assault_font,
font_size = self._panel:h() * 0.6,
layer = 10,
})
self._upgrade_lvl3 = self._panel:bitmap({
name = "upgrade_level_3",
texture = "guis/textures/pd2/skilltree/icons_atlas",
texture_rect = { 3 * 64, 4 * 64, 64, 64 },
blend_mode = "normal",
w = self._panel:w() * 0.4,
h = self._panel:w() * 0.4,
layer = 11,
color = Color(1, 0.2, 0),
visible = false,
})
self._upgrade_lvl3:set_bottom(self._panel:h() - 2)
self._level = self._panel:text({
name = "text",
align = "center",
vertical = "bottom",
text = "",
w = self._panel:w(),
h = self._panel:h(),
color = HUDListManager.ListOptions.list_color or Color.white,
font = tweak_data.hud_corner.assault_font,
font_size = self._panel:h() * 0.4,
layer = 10,
})
self:_set_owner(data)
self:_set_jammer_battery(data)
self:_set_upgrade_level(data)
self:_set_battery_low(data)
local key = tostring(self._unit:key())
local id = string.format("HUDList_ecm_jammer_listener_%s", key)
local events = {
set_owner = callback(self, self, "_set_owner"),
set_upgrade_level = callback(self, self, "_set_upgrade_level"),
set_jammer_battery = callback(self, self, "_set_jammer_battery"),
set_battery_low = callback(self, self, "_set_battery_low"),
}
for event, clbk in pairs(events) do
table.insert(self._listener_clbks, { name = id, source = "ecm", event = { event }, clbk = clbk, keys = { key }, data_only = true })
end
end
function HUDList.ECMItem:rescale(new_scale)
local enabled, size_mult = HUDList.ECMItem.super.rescale(self, new_scale)
if enabled then
self._text:set_size(self._panel:w(), self._panel:h() * 0.7)
self._text:set_font_size(self._panel:h() * 0.6)
self._upgrade_lvl3:set_size(self._panel:w() * 0.4, self._panel:w() * 0.4)
self._upgrade_lvl3:set_bottom(self._panel:h() - 2)
self._level:set_size(self._panel:w() * (self._blocks_pager and 0.6 or 1), self._panel:h())
self._level:set_font_size(self._panel:h() * 0.4)
self._level:set_x(self._blocks_pager and (self._upgrade_lvl3:w() - 2) or 0)
end
return enabled, size_mult
end
function HUDList.ECMItem:set_color(color)
HUDList.ECMItem.super.set_color(self, color)
if not self._owner then
self._text:set_color(color)
self.STANDARD_COLOR = color
self._flash_color_table[2].color = color
end
self._level:set_color(color)
end
function HUDList.ECMItem:priority()
return self._remaining and Utl.round(self._remaining, 1)
end
function HUDList.ECMItem:_animate_battery_low(text, progress_bar)
local t = Application:time()
while self._animating_low_battery do
t = t + coroutine.yield()
local new_color = get_color_from_table(math.sin(t*360 * self.FLASH_SPEED) * 0.5 + 0.5, 1, self._flash_color_table, self.STANDARD_COLOR)
text:set_color(new_color)
if progress_bar then
progress_bar:set_color(new_color)
end
end
text:set_color(self.STANDARD_COLOR or Color.white)
if progress_bar then
progress_bar:set_color(HUDListManager.ListOptions.list_color or Color.white)
end
end
function HUDList.ECMItem:_set_owner(data)
if data.owner then
self._owner = data.owner
local color = self._owner > 0 and tweak_data.chat_colors[self._owner]:with_alpha(1) or Color.white
self._text:set_color(color)
self.STANDARD_COLOR = color
self._flash_color_table[2].color = color
end
end
function HUDList.ECMItem:_set_upgrade_level(data)
if data.upgrade_level then
self._max_duration = tweak_data.upgrades.ecm_jammer_base_battery_life * ECMJammerBase.battery_life_multiplier[data.upgrade_level]
self._blocks_pager = data.upgrade_level == 3
self._upgrade_lvl3:set_visible(self._blocks_pager)
self._level:set_text(string.format("Lv. %i", data.upgrade_level))
self._level:set_x(self._blocks_pager and (self._upgrade_lvl3:w() - 2) or 0)
self._level:set_w(self._panel:w() * (self._blocks_pager and 0.6 or 1))
end
end
function HUDList.ECMItem:_set_jammer_battery(data)
if data.jammer_battery then
self._remaining = data.jammer_battery
self._text:set_text(format_time_string(data.jammer_battery))
self._progress_bar:set_ratio(data.jammer_battery / self._max_duration)
end
end
function HUDList.ECMItem:_set_battery_low(data)
if data.battery_low and not self._animating_low_battery then
self._animating_low_battery = true
self._text:animate(callback(self, self, "_animate_battery_low"), self._progress_bar)
elseif not data.battery_low then
self._animating_low_battery = nil
end
end
HUDList.ECMRetriggerItem = HUDList.ECMRetriggerItem or class(HUDList.LeftListItem)
function HUDList.ECMRetriggerItem:init(parent, name, data)
HUDList.ECMRetriggerItem.super.init(self, parent, name, { align = "right", w = parent:panel():h(), h = parent:panel():h() })
self.STANDARD_COLOR = HUDListManager.ListOptions.list_color or Color.white
self._unit = data.unit
self._max_duration = tweak_data.upgrades.ecm_feedback_retrigger_interval or 60
self._flash_color_table = {
{ ratio = 0.00, color = self.STANDARD_COLOR },
{ ratio = 0.75, color = self.STANDARD_COLOR },
{ ratio = 1.00, color = Color('00FF00') }
}
self._text = self._panel:text({
name = "text",
align = "center",
vertical = "center",
w = self._panel:w(),
h = self._panel:h(),
color = self.STANDARD_COLOR,
font = tweak_data.hud_corner.assault_font,
font_size = self._panel:h() * 0.6,
})
self:_set_retrigger_delay(data)
local key = tostring(data.unit:key())
table.insert(self._listener_clbks, {
name = string.format("HUDList_ecm_retrigger_listener_%s", key),
source = "ecm",
event = { "set_retrigger_delay" },
clbk = callback(self, self, "_set_retrigger_delay"),
keys = { key },
data_only = true
})
end
function HUDList.ECMRetriggerItem:rescale(new_scale)
local enabled, size_mult = HUDList.ECMRetriggerItem.super.rescale(self, new_scale)
if enabled then
self._text:set_size(self._panel:w(), self._panel:h())
self._text:set_font_size(self._panel:h() * 0.6)
end
return enabled, size_mult
end
function HUDList.ECMRetriggerItem:set_color(color)
HUDList.ECMRetriggerItem.super.set_color(self, color)
self._text:set_color(color)
self.STANDARD_COLOR = color
self._flash_color_table[1].color = color
self._flash_color_table[2].color = color
end
function HUDList.ECMRetriggerItem:priority()
return self._remaining and Utl.round(self._remaining, 1)
end
function HUDList.ECMRetriggerItem:_set_retrigger_delay(data)
if data.retrigger_delay then
self._remaining = data.retrigger_delay
self._text:set_text(format_time_string(data.retrigger_delay))
self._progress_bar:set_ratio(data.retrigger_delay / self._max_duration)
local new_color = get_color_from_table(self._max_duration - data.retrigger_delay, self._max_duration, self._flash_color_table, self.STANDARD_COLOR)
self._text:set_color(new_color)
--self._progress_bar:set_color(new_color)
end
end
HUDList.ECMFeedbackItem = HUDList.ECMFeedbackItem or class(HUDList.LeftListItem)
function HUDList.ECMFeedbackItem:init(parent, name, data)
HUDList.ECMFeedbackItem.super.init(self, parent, name, { align = "right", w = parent:panel():h(), h = parent:panel():h(), priority = 0 })
self.STANDARD_COLOR = Color(1, 0.0, 0.8, 1.0)
self.DISABLED_COLOR = Color(1, 1, 0, 0)
self.FLASH_SPEED = 2
self._unit = data.unit
self._max_duration = 60
self._expire_t = 0
self._flash_color_table = {
{ ratio = 0.0, color = self.DISABLED_COLOR },
{ ratio = 1.0, color = self.STANDARD_COLOR }
}
self._text = self._panel:text({
name = "text",
text = "Active",
align = "center",
vertical = "center",
w = self._panel:w(),
h = self._panel:h() * 0.7,
color = self.STANDARD_COLOR,
font = tweak_data.hud_corner.assault_font,
font_size = self._panel:h() * 0.5,
})
self._distance_text = self._panel:text({
name = "distance",
align = "center",
vertical = "bottom",
w = self._panel:w(),
h = self._panel:h(),
color = HUDListManager.ListOptions.list_color or Color.white,
font = tweak_data.hud_corner.assault_font,
font_size = self._panel:h() * 0.4
})
self:_set_feedback_duration(data)
self:_set_feedback_low(data)
local key = tostring(data.unit:key())
table.insert(self._listener_clbks, {
name = string.format("HUDList_ecm_feedback_listener_%s", key),
source = "ecm",
event = { "set_feedback_duration" },
clbk = callback(self, self, "_set_feedback_duration"),
keys = { key },
data_only = true
})
table.insert(self._listener_clbks, {
name = string.format("HUDList_ecm_feedback_listener_%s", key),
source = "ecm",
event = { "set_feedback_low" },
clbk = callback(self, self, "_set_feedback_low"),
keys = { key },
data_only = true
})
end
function HUDList.ECMFeedbackItem:rescale(new_scale)
local enabled, size_mult = HUDList.ECMFeedbackItem.super.rescale(self, new_scale)
if enabled then
self._text:set_size(self._panel:w(), self._panel:h() * 0.7)
self._text:set_font_size(self._panel:h() * 0.5)
self._distance_text:set_size(self._panel:w(), self._panel:h())
self._distance_text:set_font_size(self._panel:h() * 0.4)
end
return enabled, size_mult
end
function HUDList.ECMFeedbackItem:set_color(color)
HUDList.ECMFeedbackItem.super.set_color(self, color)
self._distance_text:set_color(color)
end
function HUDList.ECMFeedbackItem:priority()
return self._remaining and Utl.round(self._remaining, 1) or self._priority
end
function HUDList.ECMFeedbackItem:_animate_battery_low(text, progress_bar)
local t = Application:time()
while self._animating_low_battery do
t = t + coroutine.yield()
local new_color = get_color_from_table(math.sin(t*360 * self.FLASH_SPEED) * 0.5 + 0.5, 1, self._flash_color_table, self.STANDARD_COLOR)
text:set_color(new_color)
if progress_bar then
progress_bar:set_color(new_color)
end
end
text:set_color(self.STANDARD_COLOR or Color.white)
if progress_bar then
progress_bar:set_color(HUDListManager.ListOptions.list_color or Color.white)
end
end
function HUDList.ECMFeedbackItem:_set_feedback_duration(data)
if data.feedback_active and (data.feedback_duration or data.feedback_expire_t) then
local t = Application:time()
self._max_duration = data.feedback_duration or (data.feedback_expire_t - t) or 15
self._expire_t = data.feedback_expire_t or (t + data.feedback_duration) or 0
self._text:set_font_size(self._panel:h() * 0.6)
end
end
function HUDList.ECMFeedbackItem:_set_feedback_low(data)
if data.feedback_low and not self._animating_low_battery then
self._animating_low_battery = true
self._text:animate(callback(self, self, "_animate_battery_low"), self._progress_bar)
elseif not data.feedback_low then
self._animating_low_battery = nil
end
end
function HUDList.ECMFeedbackItem:update(t, dt)
if self._expire_t >= t then
self._remaining = math.max(0, self._expire_t - t)
self._text:set_text(format_time_string(self._remaining))
self._progress_bar:set_ratio(self._remaining / self._max_duration)
end
self._distance_text:set_text(get_distance_to_player(self._unit))
end
HUDList.TapeLoopItem = HUDList.TapeLoopItem or class(HUDList.LeftListItem)
function HUDList.TapeLoopItem:init(parent, name, data)
HUDList.TapeLoopItem.super.init(self, parent, name, { align = "right", w = parent:panel():h(), h = parent:panel():h() })
self.STANDARD_COLOR = HUDListManager.ListOptions.list_color or Color(1, 1, 1, 1)
self.DISABLED_COLOR = Color(1, 1, 0, 0)
self.FLASH_SPEED = 0.8
self._unit = data.unit
self._flash_color_table = {
{ ratio = 0.0, color = self.DISABLED_COLOR },
{ ratio = 1.0, color = self.STANDARD_COLOR }
}
self._text = self._panel:text({
name = "text",
align = "center",
vertical = "center",
w = self._panel:w(),
h = self._panel:h(),
color = self.STANDARD_COLOR or Color.white,
font = tweak_data.hud_corner.assault_font,
font_size = self._panel:h() * 0.6,
})
self:_set_expire_t(data)
local key = tostring(self._unit:key())
local id = string.format("HUDList_tape_loop_listener_%s", key)
local events = {
set_tape_loop_expire_t = callback(self, self, "_set_expire_t"),
set_tape_loop_restart_active = callback(self, self, "_set_restart_active"),
}
for event, clbk in pairs(events) do
table.insert(self._listener_clbks, { name = id, source = "camera", event = { event }, clbk = clbk, keys = { key }, data_only = true })
end
end
function HUDList.TapeLoopItem:rescale(new_scale)
local enabled, size_mult = HUDList.TapeLoopItem.super.rescale(self, new_scale)
if enabled then
self._text:set_size(self._panel:w(), self._panel:h())
end
return enabled, size_mult
end
function HUDList.TapeLoopItem:set_color(color)
HUDList.TapeLoopItem.super.set_color(self, color)
self._text:set_color(color)
self.STANDARD_COLOR = color
self._flash_color_table[2].color = color
end
function HUDList.TapeLoopItem:priority()
return self._remaining and Utl.round(self._remaining, 1)
end
function HUDList.TapeLoopItem:_animate_restart_active(text, progress_bar)
local t = Application:time()
while self._animating_restart do
t = t + coroutine.yield()
local new_color = get_color_from_table(math.sin(t*360 * self.FLASH_SPEED) * 0.5 + 0.5, 1, self._flash_color_table, self.STANDARD_COLOR)
text:set_color(new_color)
if progress_bar then
progress_bar:set_color(new_color)
end
end
text:set_color(self.STANDARD_COLOR or Color.white)
if progress_bar then
progress_bar:set_color(self.STANDARD_COLOR or Color.white)
end
end
function HUDList.TapeLoopItem:update(t, dt)
self._remaining = math.max(0, (self._expire_t or t) - t)
self._text:set_text(format_time_string(self._remaining))
self._progress_bar:set_ratio(self._remaining / self._max_duration)
end
function HUDList.TapeLoopItem:_set_expire_t(data)
if data.tape_loop_active and data.tape_loop_expire_t then
self._max_duration = data.tape_loop_expire_t - Application:time()
self._expire_t = data.tape_loop_expire_t
end
end
function HUDList.TapeLoopItem:_set_restart_active(data)
if data.tape_loop_restart_active and not self._animating_restart then
self._animating_restart = true
self._text:animate(callback(self, self, "_animate_restart_active"), self._progress_bar)
elseif not data.tape_loop_restart_active then
self._animating_restart = nil
end
end
------------------------------------------------------------------------------------------------------------------------------------------------------------------------------
--Buff list
HUDList.BuffItemBase = HUDList.BuffItemBase or class(HUDList.ItemBase)
HUDList.BuffItemBase.ICON_COLOR = {
STANDARD = Color('FFFFFF'),
DEBUFF = Color('FF7575'),
TEAM = Color('75FF75'),
}
HUDList.BuffItemBase.VALUE_FUNC = {
IN_PERCENT = function(value)
return string.format(str_format or "%.0f%%", value * 100)
end,
IN_PERCENT_INVERTED = function(value)
return string.format(str_format or "%.0f%%", (1 - value) * 100)
end,
MULT_IN_PERCENT = function(value)
return string.format(str_format or "%.0f%%", (value - 1) * 100)
end,
}
HUDList.BuffItemBase.MAP = {
--Buffs
aggressive_reload_aced = {
skills_new = tweak_data.skilltree.skills.speedy_reload.icon_xy,
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "MASTERMIND_BUFFS", "aggressive_reload_aced"}, true),
},
ammo_efficiency = {
skills_new = tweak_data.skilltree.skills.single_shot_ammo_return.icon_xy,
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "MASTERMIND_BUFFS", "ammo_efficiency"}, true)
},
armor_break_invulnerable = {
perks = {6, 1},
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "PERK_BUFFS", "armor_break_invulnerable"}, true),
},
berserker = {
skills_new = tweak_data.skilltree.skills.wolverine.icon_xy,
class = "BuffItemBase",
priority = 3,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
show_value = HUDList.BuffItemBase.VALUE_FUNC.IN_PERCENT,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "FUGITIVE_BUFFS", "berserker"}, true),
},
biker = {
perks = {0, 0},
texture_bundle_folder = "wild",
class = "BikerBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "PERK_BUFFS", "biker"}, true),
},
bloodthirst_aced = {
skills_new = tweak_data.skilltree.skills.bloodthirst.icon_xy,
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ace_icon = true,
title = "wolfhud_hudlist_buff_aced",
localized = true,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "FUGITIVE_BUFFS", "bloodthirst_aced"}, true),
},
bloodthirst_basic = {
skills_new = tweak_data.skilltree.skills.bloodthirst.icon_xy,
class = "BuffItemBase",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
title = "wolfhud_hudlist_buff_basic",
localized = true,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "FUGITIVE_BUFFS", "bloodthirst_basic"}, false),
},
bullet_storm = {
skills_new = tweak_data.skilltree.skills.ammo_reservoir.icon_xy,
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "ENFORCER_BUFFS", "bullet_storm"}, true),
},
chico_injector = {
perks = {0, 0},
texture_bundle_folder = "chico",
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "PERK_BUFFS", "chico_injector"}, false) and (WolfHUD:getSetting({"CustomHUD", "PLAYER", "STATUS"}, true) or WolfHUD:getSetting({"CustomHUD", "ENABLED"}, false)),
},
close_contact = {
perks = {5, 4},
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "PERK_BUFFS", "close_contact"}, true),
},
combat_medic = {
skills_new = tweak_data.skilltree.skills.combat_medic.icon_xy,
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "MASTERMIND_BUFFS", "combat_medic"}, true),
},
combat_medic_passive = {
skills_new = tweak_data.skilltree.skills.combat_medic.icon_xy,
class = "BuffItemBase",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "MASTERMIND_BUFFS", "combat_medic_passive"}, false),
},
delayed_damage = {
perks = {3, 0},
texture_bundle_folder = "myh",
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
show_value = "-%.0f",
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "PERK_BUFFS", "delayed_damage"}, true),
},
desperado = {
skills_new = tweak_data.skilltree.skills.expert_handling.icon_xy,
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "FUGITIVE_BUFFS", "desperado"}, true),
},
die_hard = {
skills_new = tweak_data.skilltree.skills.show_of_force.icon_xy,
class = "BuffItemBase",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "ENFORCER_BUFFS", "die_hard"}, false),
},
dire_need = {
skills_new = tweak_data.skilltree.skills.dire_need.icon_xy,
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "GHOST_BUFFS", "dire_need"}, true),
},
frenzy = {
skills_new = tweak_data.skilltree.skills.frenzy.icon_xy,
class = "BuffItemBase",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
show_value = HUDList.BuffItemBase.VALUE_FUNC.IN_PERCENT,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "FUGITIVE_BUFFS", "frenzy"}, false),
},
grinder = {
perks = {4, 6},
class = "TimedStacksBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "PERK_BUFFS", "grinder"}, true),
},
hostage_situation = {
perks = {0, 1},
class = "BuffItemBase",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "PERK_BUFFS", "hostage_situation"}, false),
},
hostage_taker = {
skills_new = tweak_data.skilltree.skills.black_marketeer.icon_xy,
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
invert_timers = true,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "MASTERMIND_BUFFS", "hostage_taker"}, false),
},
inspire = {
skills_new = tweak_data.skilltree.skills.inspire.icon_xy,
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "MASTERMIND_BUFFS", "inspire"}, true),
},
lock_n_load = {
skills_new = tweak_data.skilltree.skills.shock_and_awe.icon_xy,
class = "BuffItemBase",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
show_value = HUDList.BuffItemBase.MULT_IN_PERCENT,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "TECHNICIAN_BUFFS", "lock_n_load"}, true),
},
maniac = {
perks = {0, 0},
texture_bundle_folder = "coco",
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
show_value = "-%.1f",
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "PERK_BUFFS", "maniac"}, false) and (WolfHUD:getSetting({"CustomHUD", "PLAYER", "STATUS"}, true) or WolfHUD:getSetting({"CustomHUD", "ENABLED"}, false)),
},
messiah = {
skills_new = tweak_data.skilltree.skills.messiah.icon_xy,
class = "BuffItemBase",
priority = 3,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "FUGITIVE_BUFFS", "messiah"}, true)
},
melee_stack_damage = {
perks = {5, 4},
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "PERK_BUFFS", "melee_stack_damage"}, false),
},
muscle_regen = {
perks = { 4, 1 },
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
invert_timers = true,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "PERK_BUFFS", "muscle_regen"}, false),
},
overdog = {
perks = {6, 4},
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "PERK_BUFFS", "overdog"}, false)
},
overkill = {
skills_new = tweak_data.skilltree.skills.overkill.icon_xy,
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "ENFORCER_BUFFS", "overkill"}, false),
},
painkiller = {
skills_new = tweak_data.skilltree.skills.fast_learner.icon_xy,
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "MASTERMIND_BUFFS", "painkiller"}, false),
},
partner_in_crime = {
skills_new = tweak_data.skilltree.skills.control_freak.icon_xy,
class = "BuffItemBase",
priority = 3,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "MASTERMIND_BUFFS", "partner_in_crime"}, false),
},
running_from_death = {
skills_new = tweak_data.skilltree.skills.running_from_death.icon_xy,
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "FUGITIVE_BUFFS", "running_from_death"}, true),
},
quick_fix = {
skills_new = tweak_data.skilltree.skills.tea_time.icon_xy,
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "MASTERMIND_BUFFS", "quick_fix"}, false),
},
second_wind = {
skills_new = tweak_data.skilltree.skills.scavenger.icon_xy,
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "GHOST_BUFFS", "second_wind"}, true),
},
sicario_dodge = {
perks = {1, 0},
texture_bundle_folder = "max",
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
show_value = HUDList.BuffItemBase.VALUE_FUNC.IN_PERCENT,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "PERK_BUFFS", "sicario_dodge"}, true),
},
sixth_sense = {
skills_new = tweak_data.skilltree.skills.chameleon.icon_xy,
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "GHOST_BUFFS", "sixth_sense"}, true),
},
smoke_screen_grenade = {
perks = {0, 0},
texture_bundle_folder = "max",
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "PERK_BUFFS", "smoke_screen_grenade"}, true),
},
swan_song = {
skills_new = tweak_data.skilltree.skills.perseverance.icon_xy,
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "FUGITIVE_BUFFS", "swan_song"}, false) and (WolfHUD:getSetting({"CustomHUD", "PLAYER", "STATUS"}, true) or WolfHUD:getSetting({"CustomHUD", "ENABLED"}, false)),
},
tooth_and_claw = {
perks = {0, 3},
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "PERK_BUFFS", "tooth_and_claw"}, true),
},
trigger_happy = {
skills_new = tweak_data.skilltree.skills.trigger_happy.icon_xy,
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "FUGITIVE_BUFFS", "trigger_happy"}, false),
},
underdog = {
skills_new = tweak_data.skilltree.skills.underdog.icon_xy,
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "ENFORCER_BUFFS", "underdog"}, false),
},
unseen_strike = {
skills_new = tweak_data.skilltree.skills.unseen_strike.icon_xy,
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "GHOST_BUFFS", "unseen_strike"}, true),
},
up_you_go = {
skills_new = tweak_data.skilltree.skills.up_you_go.icon_xy,
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "FUGITIVE_BUFFS", "up_you_go"}, false),
},
uppers = {
skills_new = tweak_data.skilltree.skills.tea_cookies.icon_xy,
class = "TimedBuffItem",
priority = 4,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "MASTERMIND_BUFFS", "uppers"}, true),
},
yakuza = {
perks = {2, 7},
class = "BuffItemBase",
priority = 3,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
show_value = HUDList.BuffItemBase.VALUE_FUNC.IN_PERCENT,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "PERK_BUFFS", "yakuza"}, false),
},
--Debuffs
anarchist_armor_recovery_debuff = {
perks = {0, 1},
texture_bundle_folder = "opera",
class = "TimedBuffItem",
priority = 8,
color = HUDList.BuffItemBase.ICON_COLOR.DEBUFF,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "PERK_BUFFS", "anarchist_armor_recovery_debuff"}, true),
},
ammo_give_out_debuff = {
perks = {5, 5},
class = "TimedBuffItem",
priority = 8,
color = HUDList.BuffItemBase.ICON_COLOR.DEBUFF,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "PERK_BUFFS", "ammo_give_out_debuff"}, true),
},
armor_break_invulnerable_debuff = {
perks = {6, 1},
class = "TimedBuffItem",
priority = 8,
color = HUDList.BuffItemBase.ICON_COLOR.DEBUFF,
ignore = true, --Composite debuff
},
bullseye_debuff = {
skills_new = tweak_data.skilltree.skills.prison_wife.icon_xy,
class = "TimedBuffItem",
priority = 8,
color = HUDList.BuffItemBase.ICON_COLOR.DEBUFF,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "ENFORCER_BUFFS", "bullseye_debuff"}, true),
},
grinder_debuff = {
perks = {4, 6},
class = "TimedBuffItem",
priority = 8,
color = HUDList.BuffItemBase.ICON_COLOR.DEBUFF,
ignore = true, --Composite debuff
},
chico_injector_debuff = {
perks = {0, 0},
texture_bundle_folder = "chico",
class = "TimedBuffItem",
priority = 8,
color = HUDList.BuffItemBase.ICON_COLOR.DEBUFF,
ignore = true, --Composite debuff
},
delayed_damage_debuff = {
perks = {3, 0},
texture_bundle_folder = "myh",
class = "TimedBuffItem",
priority = 8,
show_value = "-%.1f",
ignore = true, --Coposite debuff
},
inspire_debuff = {
skills_new = tweak_data.skilltree.skills.inspire.icon_xy,
class = "TimedBuffItem",
priority = 8,
color = HUDList.BuffItemBase.ICON_COLOR.DEBUFF,
title = "wolfhud_hudlist_buff_boost",
localized = true,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "MASTERMIND_BUFFS", "inspire_debuff"}, true),
},
inspire_revive_debuff = {
skills_new = tweak_data.skilltree.skills.inspire.icon_xy,
class = "TimedBuffItem",
priority = 8,
color = HUDList.BuffItemBase.ICON_COLOR.DEBUFF,
ace_icon = true,
title = "wolfhud_hudlist_buff_revive",
localized = true,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "MASTERMIND_BUFFS", "inspire_revive_debuff"}, true),
},
life_drain_debuff = {
perks = {7, 4},
class = "TimedBuffItem",
priority = 8,
color = HUDList.BuffItemBase.ICON_COLOR.DEBUFF,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "PERK_BUFFS", "life_drain_debuff"}, true),
},
maniac_debuff = {
perks = {0, 0},
texture_bundle_folder = "coco",
class = "TimedBuffItem",
priority = 8,
color = HUDList.BuffItemBase.ICON_COLOR.DEBUFF,
ignore = true, --Composite debuff
},
medical_supplies_debuff = {
perks = {4, 5},
class = "TimedBuffItem",
priority = 8,
color = HUDList.BuffItemBase.ICON_COLOR.DEBUFF,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "PERK_BUFFS", "medical_supplies_debuff"}, true),
},
sicario_dodge_debuff = {
perks = {1, 0},
texture_bundle_folder = "max",
class = "TimedBuffItem",
priority = 8,
color = HUDList.BuffItemBase.ICON_COLOR.DEBUFF,
ignore = true, --Composite debuff
},
smoke_screen_grenade_debuff = {
perks = {0, 0},
texture_bundle_folder = "max",
class = "TimedBuffItem",
priority = 8,
color = HUDList.BuffItemBase.ICON_COLOR.DEBUFF,
ignore = true, --Composite debuff
},
sociopath_debuff = {
perks = {3, 5},
class = "TimedBuffItem",
priority = 8,
color = HUDList.BuffItemBase.ICON_COLOR.DEBUFF,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "PERK_BUFFS", "sociopath_debuff"}, true),
},
damage_control_debuff = {
perks = {2, 0},
texture_bundle_folder = "myh",
class = "TimedBuffItem",
priority = 8,
color = HUDList.BuffItemBase.ICON_COLOR.DEBUFF,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "PERK_BUFFS", "damage_control_debuff"}, false),
},
unseen_strike_debuff = {
skills_new = tweak_data.skilltree.skills.unseen_strike.icon_xy,
class = "TimedBuffItem",
priority = 8,
color = HUDList.BuffItemBase.ICON_COLOR.DEBUFF,
ignore = true, --Composite debuff
},
uppers_debuff = {
skills_new = tweak_data.skilltree.skills.tea_cookies.icon_xy,
class = "TimedBuffItem",
priority = 8,
color = HUDList.BuffItemBase.ICON_COLOR.DEBUFF,
ignore = true, --Composite debuff
},
--Team buffs
armorer = {
perks = {6, 0},
class = "TeamBuffItem",
priority = 1,
color = HUDList.BuffItemBase.ICON_COLOR.TEAM,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "PERK_BUFFS", "armorer"}, true),
},
bulletproof = { --TODO: Needs new icon (Faster Team armor recovery)
--skills_new = tweak_data.skilltree.skills.iron_man.icon_xy,
perks = {6, 2},
class = "TeamBuffItem",
priority = 1,
color = HUDList.BuffItemBase.ICON_COLOR.TEAM,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "ENFORCER_BUFFS", "bulletproof"}, true),
},
crew_chief = {
perks = {2, 0},
class = "TeamBuffItem",
priority = 1,
color = HUDList.BuffItemBase.ICON_COLOR.TEAM,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "PERK_BUFFS", "crew_chief"}, true),
},
endurance = {
skills_new = tweak_data.skilltree.skills.triathlete.icon_xy,
class = "TeamBuffItem",
priority = 1,
color = HUDList.BuffItemBase.ICON_COLOR.TEAM,
ignore = true,
},
forced_friendship = {
skills = tweak_data.skilltree.skills.triathlete.icon_xy,
class = "TeamBuffItem",
priority = 1,
color = HUDList.BuffItemBase.ICON_COLOR.TEAM,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "MASTERMIND_BUFFS", "forced_friendship"}, true),
},
--Gage Boosts
invulnerable_buff = {
hud_tweak = "csb_melee",
class = "TimedBuffItem",
priority = 10,
color = HUDList.BuffItemBase.ICON_COLOR.BUFF,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "GAGE_BOOSTS", "invulnerable_buff"}, true),
},
life_steal_debuff = {
hud_tweak = "csb_lifesteal",
class = "TimedBuffItem",
priority = 10,
color = HUDList.BuffItemBase.ICON_COLOR.DEBUFF,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "GAGE_BOOSTS", "life_steal_debuff"}, true),
},
--Henchman boosts
crew_inspire_debuff = {
hud_tweak = "ability_1",
class = "TimedBuffItem",
priority = 10,
title = "wolfhud_hudlist_buff_crew_inspire_debuff",
localized = true,
color = HUDList.BuffItemBase.ICON_COLOR.DEBUFF,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "AI_SKILLS", "crew_inspire_debuff"}, true),
},
crew_throwable_regen = {
hud_tweak = "skill_7",
class = "BuffItemBase",
priority = 10,
color = HUDList.BuffItemBase.ICON_COLOR.BUFF,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "AI_SKILLS", "crew_throwable_regen"}, true),
},
crew_health_regen = {
hud_tweak = "skill_5",
class = "TimedBuffItem",
priority = 10,
color = HUDList.BuffItemBase.ICON_COLOR.BUFF,
invert_timers = true,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "AI_SKILLS", "crew_health_regen"}, true),
},
--Composite buffs
damage_increase = {
skills_new = tweak_data.skilltree.skills.prison_wife.icon_xy,
class = "DamageIncreaseBuff",
priority = 2,
color = Color(1, 1, 0),
title = "wolfhud_hudlist_buff_dmg_inc",
localized = true,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "damage_increase"}, true),
},
damage_reduction = {
skills_new = tweak_data.skilltree.skills.disguise.icon_xy,
class = "DamageReductionBuff",
priority = 2,
color = Color(0, 1, 1),
title = "wolfhud_hudlist_buff_dmg_dec",
localized = true,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "damage_reduction"}, true),
},
melee_damage_increase = {
skills_new = tweak_data.skilltree.skills.hidden_blade.icon_xy,
class = "MeleeDamageIncreaseBuff",
priority = 2,
color = Color(1, 0, 1),
title = "wolfhud_hudlist_buff_mdmg_inc",
localized = true,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "melee_damage_increase"}, true),
},
passive_health_regen = {
--perks = {4, 1},
skills_new = {1, 11},
class = "PassiveHealthRegenBuff",
priority = 2,
color = Color(0.1, 1, 0.1),
title = "wolfhud_hudlist_buff_phealth_reg",
localized = true,
invert_timers = true,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "passive_health_regen"}, true),
},
total_dodge_chance = { --missing some skills:
--perks = {1, 0},
skills_new = {1, 12},
texture_bundle_folder = "max",
class = "TotalDodgeChanceBuff",
priority = 2,
color = Color(1, 0.5, 0),
title = "wolfhud_hudlist_buff_tot_dodge",
localized = true,
ignore = not WolfHUD:getSetting({"HUDList", "BUFF_LIST", "total_dodge_chance"}, true),
},
--Player actions
anarchist_armor_regeneration = {
perks = {0, 0},
texture_bundle_folder = "opera",
class = "TimedBuffItem",
priority = 12,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
invert_timers = true,
ignore = false,
},
standard_armor_regeneration = {
perks = {6, 0},
class = "TimedBuffItem",
priority = 12,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
invert_timers = true,
ignore = false,
},
weapon_charge = {
texture = "guis/textures/contact_vlad",
texture_rect = {1984, 0, 64, 64},
class = "TimedBuffItem",
priority = 15,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = false,
},
melee_charge = {
--skills_new = tweak_data.skilltree.skills.hidden_blade.icon_xy,
skills = tweak_data.skilltree.skills.hidden_blade.icon_xy,
class = "TimedBuffItem",
priority = 15,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = WolfHUD:getSetting({"INTERACTION", "SHOW_MELEE"}, true)
},
reload = {
--skills_new = tweak_data.skilltree.skills.speedy_reload.icon_xy,
skills = {0, 9},
class = "TimedBuffItem",
priority = 15,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = WolfHUD:getSetting({"INTERACTION", "SHOW_RELOAD"}, true)
},
interact = {
--skills_new = tweak_data.skilltree.skills.second_chances.icon_xy,
texture = "guis/textures/pd2/skilltree/drillgui_icon_faster",
class = "TimedInteractionItem",
priority = 15,
color = HUDList.BuffItemBase.ICON_COLOR.STANDARD,
ignore = (WolfHUD:getSetting({"INTERACTION", "SHOW_CIRCLE"}, true) or WolfHUD:getSetting({"INTERACTION", "SHOW_TIME_REMAINING"}, true))
},
interact_debuff = {
--skills_new = tweak_data.skilltree.skills.second_chances.icon_xy,
texture = "guis/textures/pd2/skilltree/drillgui_icon_faster",
class = "TimedInteractionItem",
priority = 15,
color = HUDList.BuffItemBase.ICON_COLOR.DEBUFF,
ignore = true --Composite debuff
}
}
function HUDList.BuffItemBase:init(parent, name, icon, w, h)
HUDList.BuffItemBase.super.init(self, parent, name, { priority = icon.priority, align = "bottom", w = w or parent:panel():h() * 0.6, h = h or parent:panel():h() })
local texture, texture_rect = get_icon_data(icon)
self._default_icon_color = icon.color or HUDList.BuffItemBase.ICON_COLOR.STANDARD or Color.white
self._show_value = icon.show_value
local progress_bar_width = self._panel:w() * 0.05
local icon_size = self._panel:w() - progress_bar_width * 4
self._icon = self._panel:bitmap({
name = "icon",
texture = texture,
texture_rect = texture_rect,
valign = "center",
align = "center",
h = icon_size,
w = icon_size,
blend_mode = icon.blend_mode or "normal",
color = self._default_icon_color,
rotation = icon.icon_rotation or 0,
})
self._icon:set_center(self:panel():center())
self._ace_icon = self._panel:bitmap({
name = "ace_icon",
texture = "guis/textures/pd2/skilltree_2/ace_symbol",
valign = "center",
align = "center",
h = icon_size * 1.5,
w = icon_size * 1.5,
blend_mode = "normal",
color = self._default_icon_color,
layer = self._icon:layer() - 1,
visible = icon.ace_icon and true or false,
})
self._ace_icon:set_center(self._icon:center())
self._bg = self._panel:rect({
name = "bg",
h = self._icon:h(),
w = self._icon:w(),
blend_mode = "normal",
layer = self._ace_icon:layer() - 1,
color = Color.black,
alpha = 0.2,
})
self._bg:set_center(self._icon:center())
self._title = self._panel:text({
name = "title",
text = icon.localized and managers.localization:text(icon.title) or icon.title or "",
align = "center",
vertical = "top",
w = self._panel:w(),
h = (self._panel:h() - icon_size) / 2,
layer = 10,
color = self._default_icon_color,
font = tweak_data.hud_corner.assault_font,
font_size = 0.7 * (self._panel:h() - icon_size) / 2,
blend_mode = "normal",
})
self._value = self._panel:text({
name = "value",
align = "center",
vertical = "bottom",
w = self._panel:w(),
h = (self._panel:h() - icon_size) / 2,
layer = 10,
color = self._default_icon_color,
font = tweak_data.hud_corner.assault_font,
font_size = 0.7 * (self._panel:h() - icon_size) / 2,
blend_mode = "normal",
})
self._value:set_bottom(self._panel:h() + progress_bar_width)
self._progress_bar_debuff = PanelFrame:new(self._panel, {
invert_progress = icon.invert_debuff,
bar_w = progress_bar_width,
w = self._panel:w(),
h = self._panel:w(),
color = HUDList.BuffItemBase.ICON_COLOR.DEBUFF,
alpha = HUDListManager.ListOptions.buff_list_progress_alpha or 1,
})
self._progress_bar_debuff:set_center(self._icon:center())
self._progress_bar_debuff:set_visible(false)
self._progress_bar_debuff:set_ratio(1)
self._progress_bar = PanelFrame:new(self._panel, {
invert_progress = icon.invert_timers,
bar_w = progress_bar_width,
w = self._panel:w() - (progress_bar_width+1),
h = self._panel:w() - (progress_bar_width+1),
color = icon.progress_color or self._default_icon_color,
alpha = HUDListManager.ListOptions.buff_list_progress_alpha or 1,
})
self._progress_bar:set_center(self._icon:center())
self._progress_bar:set_visible(false)
self._progress_bar:set_ratio(1)
self._progress_bar_inner = PanelFrame:new(self._panel, {
invert_progress = icon.invert_timers,
bar_w = progress_bar_width,
w = self._panel:w() - (progress_bar_width+1) * 2,
h = self._panel:w() - (progress_bar_width+1) * 2,
color = icon.progress_color or self._default_icon_color,
alpha = HUDListManager.ListOptions.buff_list_progress_alpha or 1,
})
self._progress_bar_inner:set_center(self._icon:center())
self._progress_bar_inner:set_visible(false)
self._progress_bar_inner:set_ratio(1)
self._stack_bg = self._panel:bitmap({
w = self._icon:w() * 0.4,
h = self._icon:h() * 0.4,
blend_mode = "normal",
texture = "guis/textures/pd2/equip_count",
texture_rect = { 5, 5, 22, 22 },
layer = 2,
alpha = 0.8,
visible = false
})
self._stack_bg:set_right(self._icon:right())
self._stack_bg:set_bottom(self._icon:bottom())
self._stack_text = self._panel:text({
name = "stack_text",
text = "",
valign = "center",
align = "center",
vertical = "center",
w = self._stack_bg:w(),
h = self._stack_bg:h(),
layer = 3,
color = Color.black,
blend_mode = "normal",
font = tweak_data.hud.small_font,
font_size = self._stack_bg:h() * 0.85,
visible = false,
})
self._stack_text:set_center(self._stack_bg:center())
end
function HUDList.BuffItemBase:post_init()
self:set_fade_time(0)
self:set_move_speed(0)
end
function HUDList.BuffItemBase:rescale(new_scale)
local enabled, size_mult = HUDList.BuffItemBase.super.rescale(self, new_scale)
if enabled then
local progress_bar_width = self._panel:w() * 0.05
local icon_size = self._panel:w() - progress_bar_width * 4
self._icon:set_size(icon_size, icon_size)
self._icon:set_center(self:w() * 0.5, self:h() * 0.5)
self._ace_icon:set_size(icon_size * 1.5, icon_size * 1.5)
self._ace_icon:set_center(self:w() * 0.5, self:h() * 0.5)
self._bg:set_size(self._icon:w(), self._icon:h())
self._bg:set_center(self._icon:center())
self._title:set_size(self._panel:w(), (self._panel:h() - icon_size) / 2)
self._title:set_font_size(0.7 * (self._panel:h() - icon_size) / 2)
self._value:set_size(self._panel:w(), (self._panel:h() - icon_size) / 2)
self._value:set_font_size(0.7 * (self._panel:h() - icon_size) / 2)
self._value:set_bottom(self._panel:h() + progress_bar_width)
self._progress_bar_debuff:set_size(self._panel:w(), self._panel:w())
self._progress_bar_debuff:set_center(self._icon:center())
self._progress_bar_debuff:set_width(progress_bar_width)
self._progress_bar:set_size(self._panel:w() - (progress_bar_width+1), self._panel:w() - (progress_bar_width+1))
self._progress_bar:set_center(self._icon:center())
self._progress_bar:set_width(progress_bar_width)
self._progress_bar_inner:set_size(self._panel:w() - (progress_bar_width+1) * 2, self._panel:w() - (progress_bar_width+1) * 2)
self._progress_bar_inner:set_center(self._icon:center())
self._progress_bar_inner:set_width(progress_bar_width)
self._stack_bg:set_size(self._icon:w() * 0.4, self._icon:h() * 0.4)
self._stack_bg:set_right(self._icon:right())
self._stack_bg:set_bottom(self._icon:bottom())
self._stack_text:set_size(self._stack_bg:w(), self._stack_bg:h())
self._stack_text:set_font_size(self._stack_bg:h() * 0.85)
self._stack_text:set_center(self._stack_bg:center())
end
return enabled, size_mult
end
function HUDList.BuffItemBase:set_bg_color(color)
HUDList.BuffItemBase.super.set_bg_color(self, color)
self._bg:set_color(color)
end
function HUDList.BuffItemBase:set_progress_alpha(alpha)
self._progress_bar_debuff:set_alpha(alpha)
self._progress_bar:set_alpha(alpha)
self._progress_bar_inner:set_alpha(alpha)
end
function HUDList.BuffItemBase:activate(id)
self._buff_active = true
self:_set_progress(0)
self:_set_progress_inner(0)
HUDList.BuffItemBase.super.activate(self)
end
function HUDList.BuffItemBase:deactivate(id)
self._buff_active = false
self._expire_t = nil
self._start_t = nil
self:_set_progress(0)
self:_set_progress_inner(0)
if not self._debuff_active then
HUDList.BuffItemBase.super.deactivate(self)
else
self._icon:set_color(HUDList.BuffItemBase.ICON_COLOR.DEBUFF)
self._ace_icon:set_color(HUDList.BuffItemBase.ICON_COLOR.DEBUFF)
self._value:set_text("")
end
end
function HUDList.BuffItemBase:activate_debuff(id)
if not self._debuff_active then
self._debuff_active = true
self._icon:set_color(HUDList.BuffItemBase.ICON_COLOR.DEBUFF)
self._ace_icon:set_color(HUDList.BuffItemBase.ICON_COLOR.DEBUFF)
HUDList.BuffItemBase.super.activate(self)
end
end
function HUDList.BuffItemBase:deactivate_debuff(id)
if self._debuff_active then
self._debuff_active = false
if self._debuff_expire_t and not self._has_text then
self._value:set_text("")
end
self._debuff_expire_t = nil
self._debuff_start_t = nil
self._progress_bar_debuff:set_visible(false)
self._icon:set_color(self._default_icon_color)
self._ace_icon:set_color(self._default_icon_color)
if not self._buff_active then
HUDList.BuffItemBase.super.deactivate(self)
end
end
end
function HUDList.BuffItemBase:set_duration(id, data)
self._start_t = data.t
self._expire_t = data.expire_t
self._progress_bar:set_visible(true)
if self._debuff_active and self._debuff_expire_t and self._expire_t < self._debuff_expire_t then
self._icon:set_color(self._default_icon_color)
self._ace_icon:set_color(self._default_icon_color)
end
end
function HUDList.BuffItemBase:set_duration_debuff(id, data)
self._debuff_start_t = data.t
self._debuff_expire_t = data.expire_t
self._progress_bar_debuff:set_visible(true)
if self._buff_active and self._expire_t and self._expire_t < self._debuff_expire_t then
self._icon:set_color(self._default_icon_color)
self._ace_icon:set_color(self._default_icon_color)
end
end
function HUDList.BuffItemBase:set_progress(id, data)
if self._buff_active and not self._expire_t then
self._progress_bar:set_visible(true)
self:_set_progress(data.progress)
end
end
function HUDList.BuffItemBase:set_progress_debuff(id, data)
if self._debuff_active and not self._debuff_expire_t then
self._progress_bar_debuff:set_visible(true)
self:_set_progress_debuff(data.progress)
end
end
function HUDList.BuffItemBase:set_stack_count(id, data)
self:_set_stack_count(data.stack_count)
end
function HUDList.BuffItemBase:set_value(id, data)
if self._show_value then
local str = ""
if type(self._show_value) == "function" then
str = self._show_value(data.value, self._value_frmt)
elseif type(self._show_value) == "string" then
str = string.format(self._show_value, data.value)
else
str = tostring(data.value)
end
self:_set_text(str)
end
end
function HUDList.BuffItemBase:set_data(id, data)
-- Unused, only called for interact Item...
self._data = data.data
end
function HUDList.BuffItemBase:_update_debuff(t, dt)
self:_set_progress_debuff((t - self._debuff_start_t) / (self._debuff_expire_t - self._debuff_start_t))
if t > self._debuff_expire_t then
self._debuff_start_t = nil
self._debuff_expire_t = nil
self._progress_bar_debuff:set_visible(false)
end
end
function HUDList.BuffItemBase:_set_progress(r)
self._progress_bar:set_ratio(1-r)
end
function HUDList.BuffItemBase:_set_progress_inner(r)
self._progress_bar_inner:set_ratio(1-r)
end
function HUDList.BuffItemBase:_set_progress_debuff(r)
self._progress_bar_debuff:set_ratio(r)
end
function HUDList.BuffItemBase:_set_stack_count(count)
self._stack_bg:set_visible(count and true or false)
self._stack_text:set_visible(count and true or false)
self._stack_text:set_text(count or 0)
end
function HUDList.BuffItemBase:_set_text(str)
self._has_text = str and str:len() > 0 and true or false
if alive(self._value) then
self._value:set_text(tostring(str or ""))
end
end
HUDList.TimedBuffItem = HUDList.TimedBuffItem or class(HUDList.BuffItemBase)
function HUDList.TimedBuffItem:init(...)
HUDList.TimedBuffItem.super.init(self, ...)
end
function HUDList.TimedBuffItem:update(t, dt)
local time_str = {}
if self._debuff_active and self._debuff_expire_t then
self:_update_debuff(t, dt)
if self._debuff_expire_t and self._debuff_expire_t > t then
table.insert(time_str, {
str = string.format("%.1fs", self._debuff_expire_t - t),
color = HUDList.BuffItemBase.ICON_COLOR.DEBUFF
})
end
end
if self._buff_active and self._expire_t then
self:_set_progress((t - self._start_t) / (self._expire_t - self._start_t))
if t > self._expire_t then
self._start_t = nil
self._expire_t = nil
self._progress_bar:set_visible(false)
end
if self._expire_t and self._expire_t > t then
table.insert(time_str, {
str = string.format("%.1fs", self._expire_t - t),
color = self._default_icon_color
})
end
end
if not self._has_text then
if #time_str > 0 then
local color_ranges = {}
local str = ""
local offset = 0
for i, data in ipairs(time_str) do
str = str .. data.str
table.insert(color_ranges, { offset, string.len(str), data.color or HUDList.BuffItemBase.ICON_COLOR.STANDARD })
if i < #time_str then
str = str .. " "
end
offset = offset + string.len(str)
end
self._value:set_text(str)
for _, data in ipairs(color_ranges) do
self._value:set_range_color(data[1], data[2], data[3])
end
else
self._value:set_text("")
end
end
end
HUDList.TimedStacksBuffItem = HUDList.TimedStacksBuffItem or class(HUDList.BuffItemBase)
function HUDList.TimedStacksBuffItem:init(...)
HUDList.TimedStacksBuffItem.super.init(self, ...)
self._stacks = {}
end
function HUDList.TimedStacksBuffItem:update(t, dt)
local time_str = {}
if self._debuff_active and self._debuff_expire_t then
self:_update_debuff(t, dt)
if self._debuff_expire_t and self._debuff_expire_t > t then
table.insert(time_str, {
str = string.format("%.1fs", self._debuff_expire_t - t),
color = HUDList.BuffItemBase.ICON_COLOR.DEBUFF
})
end
end
if #self._stacks > 0 then
local stack = self._stacks[#self._stacks]
self:_set_progress((stack.expire_t - t) / (stack.expire_t - stack.t))
else
self:_set_progress(0)
end
if #self._stacks > 1 then
local stack = self._stacks[1]
self:_set_progress_inner((stack.expire_t - t) / (stack.expire_t - stack.t))
else
self:_set_progress_inner(0)
end
if not self._has_text then
if #time_str > 0 then
local color_ranges = {}
local str = ""
local offset = 0
for i, data in ipairs(time_str) do
str = str .. data.str
table.insert(color_ranges, { offset, string.len(str), data.color or self._default_icon_color or HUDList.BuffItemBase.ICON_COLOR.STANDARD })
if i < #time_str then
str = str .. " "
end
offset = offset + string.len(str)
end
self._value:set_text(str)
for _, data in ipairs(color_ranges) do
self._value:set_range_color(data[1], data[2], data[3])
end
else
self._value:set_text("")
end
end
end
function HUDList.TimedStacksBuffItem:add_timed_stack(id, data)
self:_update_stacks(data.stacks)
end
function HUDList.TimedStacksBuffItem:remove_timed_stack(id, data)
self:_update_stacks(data.stacks)
end
function HUDList.TimedStacksBuffItem:_update_stacks(stacks)
self._stacks = stacks
self:_set_stack_count(#self._stacks)
self._progress_bar:set_visible(#self._stacks > 0)
self._progress_bar_inner:set_visible(#self._stacks > 1)
end
HUDList.BikerBuffItem = HUDList.BikerBuffItem or class(HUDList.TimedStacksBuffItem)
function HUDList.BikerBuffItem:_set_stack_count(count)
local charges = tweak_data.upgrades.wild_max_triggers_per_time - count
if charges <= 0 then
self:activate_debuff()
else
self:deactivate_debuff()
end
HUDList.BikerBuffItem.super._set_stack_count(self, math.max(charges, 0))
end
HUDList.TeamBuffItem = HUDList.TeamBuffItem or class(HUDList.BuffItemBase)
function HUDList.TeamBuffItem:init(...)
HUDList.TeamBuffItem.super.init(self, ...)
self._members = {}
end
function HUDList.TeamBuffItem:set_stack_count(id, data)
--HUDList.TeamBuffItem.super.set_stack_count(self, data)
self._members[id] = { level = data.level, count = data.stack_count or 0 }
self:_recheck_level()
end
function HUDList.TeamBuffItem:_recheck_level()
local max_level = 0
for id, data in pairs(self._members) do
if data.count > 0 then
max_level = math.max(data.level, max_level)
end
end
self:_set_text(max_level > 0 and ("Lv. " .. tostring(max_level)) or "")
end
HUDList.CompositeBuff = HUDList.CompositeBuff or class(HUDList.BuffItemBase)
function HUDList.CompositeBuff:init(...)
HUDList.CompositeBuff.super.init(self, ...)
self._member_buffs = {}
self._progress_bar:set_visible(true)
self._progress_bar_inner:set_visible(true)
end
function HUDList.CompositeBuff:activate(id)
HUDList.CompositeBuff.super.activate(self, id)
if not self._member_buffs[id] then
self._member_buffs[id] = {}
--self:_check_buffs()
end
end
function HUDList.CompositeBuff:deactivate(id)
if self._member_buffs[id] then
self._member_buffs[id] = nil
self:_check_buffs()
if next(self._member_buffs) == nil then
HUDList.CompositeBuff.super.deactivate(self, id)
end
end
end
function HUDList.CompositeBuff:activate_debuff(id)
-- TODO?
end
function HUDList.CompositeBuff:deactivate_debuff(id)
-- TODO?
end
function HUDList.CompositeBuff:update(t, dt)
if self._min_expire_buff then
self:_set_progress_inner((t - self._member_buffs[self._min_expire_buff].start_t) / (self._member_buffs[self._min_expire_buff].expire_t - self._member_buffs[self._min_expire_buff].start_t))
end
if self._max_expire_buff then
self:_set_progress((t - self._member_buffs[self._max_expire_buff].start_t) / (self._member_buffs[self._max_expire_buff].expire_t - self._member_buffs[self._max_expire_buff].start_t))
end
end
function HUDList.CompositeBuff:set_duration(id, data)
if self._member_buffs[id] then
self._member_buffs[id].start_t = data.t
self._member_buffs[id].expire_t = data.expire_t
self:_check_buffs()
end
end
function HUDList.CompositeBuff:set_stack_count(id, data)
if self._member_buffs[id] and self._member_buffs[id].stack_count ~= data.stack_count then
self._member_buffs[id].stack_count = data.stack_count
--self:_check_buffs()
end
end
function HUDList.CompositeBuff:set_value(id, data)
if self._member_buffs[id] and self._member_buffs[id].value ~= data.value then
WolfHUD:print_log("(HUDList) CompositeBuff:set_value(%s, %s)", tostring(id), tostring(data.value), "info")
self._member_buffs[id].value = data.value
self:_check_buffs()
end
end
function HUDList.CompositeBuff:_check_buffs()
local max_expire
local min_expire
for id, data in pairs(self._member_buffs) do
if data.expire_t then
if not max_expire or data.expire_t > self._member_buffs[max_expire].expire_t then
max_expire = id
end
if not min_expire or data.expire_t < self._member_buffs[min_expire].expire_t then
min_expire = id
end
end
end
self._max_expire_buff = max_expire
self._min_expire_buff = min_expire
if not self._max_expire_buff then
self._progress_bar:set_visible(false)
else
self._progress_bar:set_visible(true)
end
if not self._min_expire_buff or self._member_buffs[self._min_expire_buff].expire_t == self._member_buffs[self._max_expire_buff].expire_t then
self._min_expire_buff = nil
self._progress_bar_inner:set_visible(false)
else
self._progress_bar_inner:set_visible(true)
end
self:_update_value()
end
HUDList.DamageIncreaseBuff = HUDList.DamageIncreaseBuff or class(HUDList.CompositeBuff)
function HUDList.DamageIncreaseBuff:init(...)
HUDList.DamageIncreaseBuff.super.init(self, ...)
self._buff_weapon_requirements = {
overkill = {
shotgun = true,
saw = true,
},
berserker = {
saw = true,
},
}
self._buff_weapon_exclusions = {
overkill_aced = {
shotgun = true,
saw = true,
},
berserker_aced = {
saw = true,
},
}
self._buff_effects = {
berserker = function(value)
return 1 + (value or 0) * managers.player:upgrade_value("player", "melee_damage_health_ratio_multiplier", 0)
end,
berserker_aced = function(value)
return 1 + (value or 0) * managers.player:upgrade_value("player", "damage_health_ratio_multiplier", 0)
end,
}
end
function HUDList.DamageIncreaseBuff:update(t, dt)
HUDList.DamageIncreaseBuff.super.update(self, t, dt)
if not alive(self._player_unit) and alive(managers.player:player_unit()) then
self._player_unit = managers.player:player_unit()
self._player_unit:inventory():add_listener("DamageIncreaseBuff", { "equip" }, callback(self, self, "_on_weapon_equipped"))
self:_on_weapon_equipped(self._player_unit)
end
end
function HUDList.DamageIncreaseBuff:_on_weapon_equipped(unit)
self._weapon_unit = unit:inventory():equipped_unit()
self._weapon_id = self._weapon_unit:base():get_name_id()
self._weapon_tweak = self._weapon_unit:base():weapon_tweak_data()
self:_update_value()
end
function HUDList.DamageIncreaseBuff:_update_value()
local text = ""
if alive(self._weapon_unit) then
if self._weapon_tweak.ignore_damage_upgrades then
text = "(0%)"
else
local weapon_categories = self._weapon_tweak.categories
local value = 1
for id, data in pairs(self._member_buffs) do
for _, category in ipairs(weapon_categories) do
if not self._buff_weapon_requirements[id] or self._buff_weapon_requirements[id][category] then
if not (self._buff_weapon_exclusions[id] and self._buff_weapon_exclusions[id][category]) then
local clbk = self._buff_effects[id]
value = value * (data.value and (clbk and clbk(data.value) or data.value) or 1)
break
end
end
end
end
text = string.format("+%.0f%%", (value-1)*100)
end
end
self:_set_text(text)
end
HUDList.MeleeDamageIncreaseBuff = HUDList.MeleeDamageIncreaseBuff or class(HUDList.CompositeBuff)
function HUDList.MeleeDamageIncreaseBuff:init(...)
HUDList.MeleeDamageIncreaseBuff.super.init(self, ...)
self._buff_effects = {
berserker = function(value)
return 1 + (value or 0) * managers.player:upgrade_value("player", "melee_damage_health_ratio_multiplier", 0)
end,
}
end
function HUDList.MeleeDamageIncreaseBuff:_update_value()
local value = 1
for id, data in pairs(self._member_buffs) do
local clbk = self._buff_effects[id]
value = value * (data.value and (clbk and clbk(data.value) or data.value) or 1)
end
self:_set_text(string.format("x%.0f", (value-1)))
end
HUDList.DamageReductionBuff = HUDList.DamageReductionBuff or class(HUDList.CompositeBuff)
function HUDList.DamageReductionBuff:init(...)
HUDList.DamageReductionBuff.super.init(self, ...)
self._buff_effects = {
chico_injector = function(value)
local player = managers.player:player_unit()
local health_ratio = alive(player) and player:character_damage():health_ratio() or 1
if managers.player:has_category_upgrade("player", "chico_injector_low_health_multiplier") then
local upg_values = managers.player:upgrade_value("player", "chico_injector_low_health_multiplier")
if health_ratio < upg_values[1] then
value = value + upg_values[2]
end
end
return 1 - value
end,
frenzy = function(value)
return 1 - value
end,
maniac = function(value)
local new_value = 1
local player = managers.player:player_unit()
local player_damage = alive(player) and player:character_damage()
if player_damage then
if player_damage:get_real_armor() > 0 then
new_value = value / (player_damage:_max_armor() * 10)
else
new_value = value / (player_damage:_max_health() * 10)
end
end
return 1 - new_value
end
}
end
function HUDList.DamageReductionBuff:_update_value()
local value = 1
for id, data in pairs(self._member_buffs) do
local clbk = self._buff_effects[id]
value = value * (data.value and (clbk and clbk(data.value) or data.value) or 1)
end
self:_set_text(string.format("-%.0f%%", math.min(1 - value, 1) * 100))
end
HUDList.PassiveHealthRegenBuff = HUDList.PassiveHealthRegenBuff or class(HUDList.CompositeBuff)
function HUDList.PassiveHealthRegenBuff:init(...)
HUDList.PassiveHealthRegenBuff.super.init(self, ...)
self._buff_effects = {
crew_health_regen = function(value)
local new_value = 0
local player = managers.player:player_unit()
local player_damage = alive(player) and player:character_damage()
if player_damage then
new_value = value / (player_damage:_max_health() * 10)
end
return new_value
end
}
end
function HUDList.PassiveHealthRegenBuff:_update_value()
local value = 0
for id, data in pairs(self._member_buffs) do
local clbk = self._buff_effects[id]
value = value + (data.value and (clbk and clbk(data.value) or data.value) or 0)
end
self:_set_text(string.format("%.1f%%", value * 100))
end
HUDList.TotalDodgeChanceBuff = HUDList.TotalDodgeChanceBuff or class(HUDList.CompositeBuff)
function HUDList.TotalDodgeChanceBuff:init(...)
HUDList.TotalDodgeChanceBuff.super.init(self, ...)
self._member_buffs["base_dodge"] = { value = (tweak_data.player.damage.DODGE_INIT or 0) + managers.player:body_armor_value("dodge") }
self._member_buffs["crook_dodge"] = { value = managers.player:upgrade_value("player", "passive_dodge_chance", 0)
+ managers.player:upgrade_value("player", tostring(managers.blackmarket:equipped_armor(true, true)) .. "_dodge_addend", 0) -- Crook Perk
}
self._member_buffs["burglar_dodge"] = { value = managers.player:upgrade_value("player", "tier_dodge_chance", 0) } -- Burglar Perk
self._member_buffs["jail_diet"] = { value = managers.player:get_value_from_risk_upgrade(managers.player:upgrade_value("player", "detection_risk_add_dodge_chance"))}
self._member_buffs["henchman_dodge"] = { value = managers.player:upgrade_value("team", "crew_add_dodge", 0) }
self._buff_effects = {
}
self:_check_buffs()
end
function HUDList.TotalDodgeChanceBuff:_update_value()
local value = 0
for id, data in pairs(self._member_buffs) do
local clbk = self._buff_effects[id]
value = value + (data.value and (clbk and clbk(data.value) or data.value) or 0)
end
if self._member_buffs["smoke_screen_grenade"] then
value = 1 - (1 - value) * (1 - tweak_data.projectiles.smoke_screen_grenade.dodge_chance)
end
self:_set_text(string.format("%.0f%%", math.max(value * 100, 0)))
if value <= 0 then
HUDList.TotalDodgeChanceBuff.super.super.deactivate(self, "nil")
else
HUDList.TotalDodgeChanceBuff.super.super.activate(self, "nil")
end
end
function HUDList.TotalDodgeChanceBuff:activate(id)
if not self._member_buffs[id] then
self._member_buffs[id] = {}
end
end
function HUDList.TotalDodgeChanceBuff:deactivate(id)
if self._member_buffs[id] then
self._member_buffs[id] = nil
self:_check_buffs()
end
end
HUDList.TimedInteractionItem = HUDList.TimedInteractionItem or class(HUDList.TimedBuffItem)
HUDList.TimedInteractionItem.INTERACT_ID_TO_ICON = {
default = { texture = "guis/textures/pd2/skilltree/drillgui_icon_faster" },
mask_up = { texture = "guis/textures/contact_vlad", texture_rect = {1920, 256, 128, 130} },
ammo_bag = { skills = {1, 0} },
doc_bag = { skills = {2, 7} },
first_aid_kit = { skills = {3, 10}, },
body_bag = { skills = {5, 11}, },
grenade_crate = { preplanning = {1, 0} },
ecm_jammer = { skills = {1, 4}, },
corpse_alarm_pager = { skills = {1, 4}, },
pick_lock_easy_no_skill = { skills = {5, 4} },
intimidate = { hud_tweak = "equipment_cable_ties" },
c4_consume = { hud_tweak = "equipment_c4" },
drill = { hud_tweak = "pd2_drill" },
hack = { hud_tweak = "pd2_computer" },
saw = { hud_tweak = "wp_saw" },
timer = { hud_tweak = "pd2_computer" },
securitylock = { hud_tweak = "pd2_computer" },
digital = { hud_tweak = "pd2_computer" },
}
function HUDList.TimedInteractionItem:init(...)
HUDList.TimedInteractionItem.super.init(self, ...)
end
function HUDList.TimedInteractionItem:activate_debuff()
if not self._debuff_active then
HUDList.TimedInteractionItem.super.activate_debuff(self)
self:_set_icon("default")
end
end
function HUDList.TimedInteractionItem:set_data(id, data)
HUDList.TimedInteractionItem.super.set_data(self, id, data)
if data.data then
self:_set_icon(data.data.interact_id)
local color = self._default_icon_color
if data.data.invalid then
color = HUDList.BuffItemBase.ICON_COLOR.DEBUFF
end
self._icon:set_color(color)
self._ace_icon:set_color(color)
end
end
function HUDList.TimedInteractionItem:_set_icon(interact_id)
local lookup = HUDList.TimedInteractionItem.INTERACT_ID_TO_ICON
local icon_data = lookup[interact_id] or lookup["default"]
if icon_data and alive(self._icon) then
local texture, texture_rect = get_icon_data(icon_data)
self._icon:set_image(texture)
if texture_rect then
self._icon:set_texture_rect(unpack(texture_rect))
end
end
end
PanelFrame = PanelFrame or class()
function PanelFrame:init(parent, settings)
settings = settings or {}
local h = settings.h or parent:h()
local w = settings.w or parent:w()
self._panel = parent:panel({
w = w,
h = h,
alpha = settings.alpha or 1,
})
if settings.add_bg then
self._bg = self._panel:rect({
name = "bg",
valign = "grow",
halign = "grow",
blend_mode = "normal",
layer = self._panel:layer() - 1,
color = settings.bg_color or settings.color or Color.black,
alpha = settings.bg_alpha or settings.alpha or 0.25,
})
end
self._invert_progress = settings.invert_progress
self._top = self._panel:rect({})
self._bottom = self._panel:rect({})
self._left = self._panel:rect({})
self._right = self._panel:rect({})
self:set_width(settings.bar_w or 2)
self:set_color(settings.bar_color or settings.color or Color.white, settings.alpha or settings.bar_alpha or 1)
self:reset()
end
function PanelFrame:panel()
return self._panel
end
function PanelFrame:set_width(w)
local pw, ph = self._panel:w(), self._panel:h()
local total = 2*pw + 2*ph
self._bar_w = w
self._stages = { 0, (pw - 2*self._bar_w)/total, (pw+ph-self._bar_w)/total, (2*pw+ph-2*self._bar_w)/total, 1 }
self._top:set_h(w)
self._top:set_top(0)
self._bottom:set_h(w)
self._bottom:set_bottom(self._panel:h())
self._left:set_w(w)
self._left:set_left(0)
self._right:set_w(w)
self._right:set_right(self._panel:w())
end
function PanelFrame:set_color(c, alpha)
self._top:set_color(c)
self._bottom:set_color(c)
self._left:set_color(c)
self._right:set_color(c)
if alpha then
self._top:set_alpha(alpha)
self._bottom:set_alpha(alpha)
self._left:set_alpha(alpha)
self._right:set_alpha(alpha)
end
end
function PanelFrame:set_bg_color(c, alpha)
if alive(self._bg) then
self._bg:set_color(c)
if alpha then
self._bg:set_alpha(alpha)
end
end
end
function PanelFrame:set_alpha(alpha)
self._top:set_alpha(alpha)
self._bottom:set_alpha(alpha)
self._left:set_alpha(alpha)
self._right:set_alpha(alpha)
end
function PanelFrame:set_bg_alpha(alpha)
if alive(self._bg) then
self._bg:set_alpha(alpha)
end
end
function PanelFrame:reset()
self._current_stage = 1
self._top:set_w(self._panel:w() - 2 * self._bar_w)
self._top:set_left(self._bar_w)
self._right:set_h(self._panel:h())
self._right:set_bottom(self._panel:h())
self._bottom:set_w(self._panel:w() - 2 * self._bar_w)
self._bottom:set_right(self._panel:w() - self._bar_w)
self._left:set_h(self._panel:h())
end
function PanelFrame:set_ratio(r)
r = math.clamp(r, 0, 1)
self._current_ratio = r
if self._invert_progress then
r = 1-r
end
if r < self._stages[self._current_stage] then
self:reset()
end
while r > self._stages[self._current_stage + 1] do
if self._current_stage == 1 then
self._top:set_w(0)
elseif self._current_stage == 2 then
self._right:set_h(0)
elseif self._current_stage == 3 then
self._bottom:set_w(0)
elseif self._current_stage == 4 then
self._left:set_h(0)
end
self._current_stage = self._current_stage + 1
end
local low = self._stages[self._current_stage]
local high = self._stages[self._current_stage + 1]
local stage_progress = (r - low) / (high - low)
if self._current_stage == 1 then
self._top:set_w((self._panel:w() - 2 * self._bar_w) * (1-stage_progress))
self._top:set_right(self._panel:w() - self._bar_w)
elseif self._current_stage == 2 then
self._right:set_h(self._panel:h() * (1-stage_progress))
self._right:set_bottom(self._panel:h())
elseif self._current_stage == 3 then
self._bottom:set_w((self._panel:w() - 2 * self._bar_w) * (1-stage_progress))
elseif self._current_stage == 4 then
self._left:set_h(self._panel:h() * (1-stage_progress))
end
end
function PanelFrame:ratio()
local r = self._current_ratio or 0
if self._invert_progress then
r = 1-r
end
return r
end
function PanelFrame:alpha() return self._panel:alpha() end
function PanelFrame:w() return self._panel:w() end
function PanelFrame:h() return self._panel:h() end
function PanelFrame:x() return self._panel:x() end
function PanelFrame:y() return self._panel:y() end
function PanelFrame:left() return self._panel:left() end
function PanelFrame:right() return self._panel:right() end
function PanelFrame:top() return self._panel:top() end
function PanelFrame:bottom() return self._panel:bottom() end
function PanelFrame:center() return self._panel:center() end
function PanelFrame:center_x() return self._panel:center_x() end
function PanelFrame:center_y() return self._panel:center_y() end
function PanelFrame:visible() return self._panel:visible() end
function PanelFrame:layer() return self._panel:layer() end
function PanelFrame:text_rect() return self:x(), self:y(), self:w(), self:h() end
function PanelFrame:set_x(v) self._panel:set_x(v) end
function PanelFrame:set_y(v) self._panel:set_y(v) end
function PanelFrame:set_w(v) self:set_size(v, nil) end
function PanelFrame:set_h(v) self:set_size(nil, v) end
function PanelFrame:set_size(w, h)
w = w or self:w()
h = h or self:h()
self._panel:set_size(w, h)
self:set_width(self._bar_w)
self:reset()
self:set_ratio(self._current_ratio or 1)
end
function PanelFrame:set_left(v) self._panel:set_left(v) end
function PanelFrame:set_right(v) self._panel:set_right(v) end
function PanelFrame:set_top(v) self._panel:set_top(v) end
function PanelFrame:set_bottom(v) self._panel:set_bottom(v) end
function PanelFrame:set_center(x, y) self._panel:set_center(x, y) end
function PanelFrame:set_center_x(v) self._panel:set_center_x(v) end
function PanelFrame:set_center_y(v) self._panel:set_center_y(v) end
function PanelFrame:set_visible(v) self._panel:set_visible(v) end
function PanelFrame:set_layer(v) self._panel:set_layer(v) end
end
if string.lower(RequiredScript) == "lib/managers/objectinteractionmanager" then
local init_original = ObjectInteractionManager.init
function ObjectInteractionManager:init(...)
init_original(self, ...)
if managers.gameinfo and WolfHUD:getSetting({"HUDSuspicion", "REMOVE_ANSWERED_PAGER_CONTOUR"}, true) then
managers.gameinfo:register_listener("pager_contour_remover", "pager", "set_answered", callback(nil, _G, "pager_answered_clbk"))
end
end
function pager_answered_clbk(event, key, data)
managers.enemy:add_delayed_clbk("contour_remove_" .. key, callback(nil, _G, "remove_answered_pager_contour_clbk", data.unit), Application:time() + 0.01)
end
function remove_answered_pager_contour_clbk(unit)
if alive(unit) then
unit:contour():remove(tweak_data.interaction.corpse_alarm_pager.contour_preset)
end
end
end
if string.lower(RequiredScript) == "lib/managers/hud/hudassaultcorner" then
local HUDAssaultCorner_init = HUDAssaultCorner.init
function HUDAssaultCorner:init(...)
HUDAssaultCorner_init(self, ...)
local hostages_panel = self._hud_panel:child("hostages_panel")
if alive(hostages_panel) then
hostages_panel:set_alpha(0)
end
end
end
|
pg = pg or {}
pg.enemy_data_statistics_140 = {
[10070394] = {
cannon = 220,
reload = 150,
speed_growth = 0,
cannon_growth = 0,
pilot_ai_template_id = 30003,
air = 0,
rarity = 5,
dodge = 19,
torpedo = 180,
durability_growth = 0,
antiaircraft = 240,
reload_growth = 0,
dodge_growth = 270,
hit_growth = 210,
star = 5,
hit = 50,
antisub_growth = 0,
air_growth = 0,
battle_unit_type = 90,
base = 248,
durability = 15000,
armor_growth = 0,
torpedo_growth = 0,
luck_growth = 0,
speed = 18,
luck = 60,
id = 10070394,
antiaircraft_growth = 0,
antisub = 0,
armor = 0,
appear_fx = {
"bossguangxiao",
"appearQ"
},
equipment_list = {
533540,
533541
}
},
[10070401] = {
cannon = 8,
prefab = "srDD2",
reload = 150,
cannon_growth = 560,
speed_growth = 0,
air = 0,
rarity = 3,
dodge = 0,
torpedo = 36,
durability_growth = 16500,
antiaircraft = 80,
reload_growth = 0,
dodge_growth = 0,
luck = 0,
star = 3,
hit = 10,
antisub_growth = 0,
air_growth = 0,
hit_growth = 144,
base = 123,
durability = 750,
armor_growth = 0,
torpedo_growth = 3250,
luck_growth = 0,
speed = 15,
armor = 0,
battle_unit_type = 25,
antisub = 0,
id = 10070401,
antiaircraft_growth = 1000,
appear_fx = {
"appearQ"
},
equipment_list = {
100219,
535001,
313091
}
},
[10070402] = {
cannon = 16,
prefab = "srCL2",
reload = 150,
cannon_growth = 880,
speed_growth = 0,
air = 0,
rarity = 3,
dodge = 0,
torpedo = 28,
durability_growth = 26000,
antiaircraft = 240,
reload_growth = 0,
dodge_growth = 0,
luck = 0,
star = 3,
hit = 10,
antisub_growth = 0,
air_growth = 0,
hit_growth = 144,
base = 124,
durability = 1050,
armor_growth = 0,
torpedo_growth = 2250,
luck_growth = 0,
speed = 15,
armor = 0,
battle_unit_type = 30,
antisub = 0,
id = 10070402,
antiaircraft_growth = 2250,
appear_fx = {
"appearQ"
},
equipment_list = {
530500,
100349
}
},
[10070403] = {
cannon = 21,
prefab = "srCA2",
reload = 150,
cannon_growth = 1800,
speed_growth = 0,
air = 0,
rarity = 3,
dodge = 0,
torpedo = 18,
durability_growth = 46000,
antiaircraft = 180,
reload_growth = 0,
dodge_growth = 0,
luck = 0,
star = 3,
hit = 10,
antisub_growth = 0,
air_growth = 0,
hit_growth = 144,
base = 125,
durability = 2000,
armor_growth = 0,
torpedo_growth = 1250,
luck_growth = 0,
speed = 15,
armor = 0,
battle_unit_type = 35,
antisub = 0,
id = 10070403,
antiaircraft_growth = 1400,
appear_fx = {
"appearQ"
},
equipment_list = {
100206,
100519,
535002
}
},
[10070404] = {
cannon = 47,
prefab = "srBB2",
reload = 150,
cannon_growth = 2200,
speed_growth = 0,
air = 0,
rarity = 3,
dodge = 0,
torpedo = 0,
durability_growth = 88000,
antiaircraft = 140,
reload_growth = 0,
dodge_growth = 0,
luck = 0,
star = 3,
hit = 10,
antisub_growth = 0,
air_growth = 0,
hit_growth = 144,
base = 126,
durability = 6200,
armor_growth = 0,
torpedo_growth = 0,
luck_growth = 0,
speed = 15,
armor = 0,
battle_unit_type = 60,
antisub = 0,
id = 10070404,
antiaircraft_growth = 1400,
appear_fx = {
"appearQ"
},
equipment_list = {
534033,
534034,
534035
}
},
[10070405] = {
cannon = 0,
prefab = "srCV2",
rarity = 3,
speed_growth = 0,
speed = 15,
air = 60,
luck = 0,
dodge = 0,
antiaircraft_growth = 1800,
cannon_growth = 0,
reload = 150,
reload_growth = 0,
dodge_growth = 0,
antisub = 0,
star = 3,
hit = 10,
antisub_growth = 0,
air_growth = 2000,
torpedo = 0,
base = 127,
durability = 5500,
armor_growth = 0,
torpedo_growth = 0,
luck_growth = 0,
hit_growth = 144,
armor = 0,
durability_growth = 82000,
antiaircraft = 260,
id = 10070405,
battle_unit_type = 65,
bound_bone = {
cannon = {
{
1.8,
1.14,
0
}
},
torpedo = {
{
1.07,
0.24,
0
}
},
antiaircraft = {
{
1.8,
1.14,
0
}
},
plane = {
{
1.8,
1.14,
0
}
}
},
appear_fx = {
"appearQ"
},
equipment_list = {
534029,
534030,
534031,
534032
}
},
[10070406] = {
cannon = 75,
reload = 150,
speed_growth = 0,
cannon_growth = 900,
rarity = 4,
air = 0,
torpedo = 160,
dodge = 11,
durability_growth = 48500,
antiaircraft = 120,
luck = 30,
reload_growth = 0,
dodge_growth = 156,
hit_growth = 210,
star = 4,
hit = 25,
antisub_growth = 0,
air_growth = 0,
battle_unit_type = 60,
base = 248,
durability = 13600,
armor_growth = 0,
torpedo_growth = 6000,
luck_growth = 0,
speed = 20,
armor = 0,
id = 10070406,
antiaircraft_growth = 2500,
antisub = 0,
scale = 150,
equipment_list = {
534001,
534002,
534003,
534004
}
},
[10070407] = {
cannon = 115,
reload = 150,
speed_growth = 0,
cannon_growth = 1400,
rarity = 4,
air = 0,
torpedo = 100,
dodge = 11,
durability_growth = 65000,
antiaircraft = 280,
luck = 30,
reload_growth = 0,
dodge_growth = 156,
hit_growth = 210,
star = 4,
hit = 25,
antisub_growth = 0,
air_growth = 0,
battle_unit_type = 65,
base = 249,
durability = 16400,
armor_growth = 0,
torpedo_growth = 4500,
luck_growth = 0,
speed = 20,
armor = 0,
id = 10070407,
antiaircraft_growth = 3800,
antisub = 0,
scale = 150,
equipment_list = {
534005,
534006,
534007,
534008
}
},
[10070408] = {
cannon = 175,
reload = 150,
speed_growth = 0,
cannon_growth = 2000,
rarity = 4,
air = 0,
torpedo = 60,
dodge = 11,
durability_growth = 84000,
antiaircraft = 220,
luck = 30,
reload_growth = 0,
dodge_growth = 156,
hit_growth = 210,
star = 4,
hit = 25,
antisub_growth = 0,
air_growth = 0,
battle_unit_type = 70,
base = 250,
durability = 22200,
armor_growth = 0,
torpedo_growth = 2400,
luck_growth = 0,
speed = 20,
armor = 0,
id = 10070408,
antiaircraft_growth = 2800,
antisub = 0,
scale = 150,
equipment_list = {
534009,
534010,
534011,
534012
}
},
[10070409] = {
cannon = 200,
reload = 150,
speed_growth = 0,
cannon_growth = 2000,
rarity = 4,
air = 0,
torpedo = 0,
dodge = 11,
durability_growth = 132000,
antiaircraft = 180,
luck = 30,
reload_growth = 0,
dodge_growth = 156,
hit_growth = 210,
star = 4,
hit = 25,
antisub_growth = 0,
air_growth = 0,
battle_unit_type = 75,
base = 251,
durability = 28200,
armor_growth = 0,
torpedo_growth = 0,
luck_growth = 0,
speed = 20,
armor = 0,
id = 10070409,
antiaircraft_growth = 3400,
antisub = 0,
scale = 150,
equipment_list = {
534013,
534014,
534015,
534016,
534017
},
buff_list = {
{
ID = 50510,
LV = 4
}
}
},
[10070410] = {
cannon = 165,
reload = 150,
speed_growth = 0,
cannon_growth = 0,
rarity = 4,
air = 85,
torpedo = 0,
dodge = 11,
durability_growth = 124000,
antiaircraft = 280,
luck = 30,
reload_growth = 0,
dodge_growth = 156,
hit_growth = 210,
star = 4,
hit = 25,
antisub_growth = 0,
air_growth = 4000,
battle_unit_type = 80,
base = 252,
durability = 23800,
armor_growth = 0,
torpedo_growth = 0,
luck_growth = 0,
speed = 20,
armor = 0,
id = 10070410,
antiaircraft_growth = 4400,
antisub = 0,
scale = 150,
equipment_list = {
534018,
534019,
534020,
534021,
534022
}
},
[10070411] = {
cannon = 490,
name = "测试者β型",
type = 5,
speed_growth = 0,
antiaircraft_growth = 0,
air = 460,
rarity = 6,
icon_type = 5,
armor = 0,
antisub = 0,
luck_growth = 0,
battle_unit_type = 95,
dodge_growth = 360,
star = 6,
antisub_growth = 0,
air_growth = 0,
base = 247,
durability = 122000,
armor_growth = 0,
torpedo_growth = 0,
speed = 17,
luck = 0,
id = 10070411,
scale = 120,
cannon_growth = 0,
pilot_ai_template_id = 10001,
reload = 150,
dodge = 32,
reload_growth = 0,
hit = 8,
torpedo = 200,
durability_growth = 0,
antiaircraft = 840,
hit_growth = 144,
bound_bone = {
cannon = {
{
-0.27,
0.64,
0
}
},
vicegun = {
{
3.87,
4.63,
0
}
},
torpedo = {
{
-0.13,
0.12,
0
}
},
antiaircraft = {
{
3.87,
4.63,
0
}
},
plane = {
{
0.94,
4.3,
0
}
}
},
appear_fx = {
"appearQ"
},
equipment_list = {
534023,
534024,
534025,
534026,
534027,
534028
},
buff_list = {
{
ID = 50500,
LV = 4
}
}
},
[10070412] = {
cannon = 110,
battle_unit_type = 55,
rarity = 4,
speed_growth = 0,
pilot_ai_template_id = 20001,
air = 0,
luck = 0,
dodge = 11,
id = 10070412,
cannon_growth = 1150,
speed = 20,
reload_growth = 0,
dodge_growth = 156,
reload = 150,
star = 4,
hit = 14,
antisub_growth = 0,
air_growth = 0,
torpedo = 90,
base = 250,
durability = 2750,
armor_growth = 0,
torpedo_growth = 3650,
luck_growth = 0,
hit_growth = 210,
armor = 0,
durability_growth = 42500,
antiaircraft = 70,
antisub = 0,
antiaircraft_growth = 4500,
scale = 150,
smoke = {
{
50,
{
{
"smoke",
{
-0.64,
2.22,
0
}
}
}
}
},
equipment_list = {
534009,
534010,
534011,
534012
}
},
[10070450] = {
cannon = 0,
reload = 150,
speed_growth = 0,
cannon_growth = 0,
pilot_ai_template_id = 20001,
air = 0,
rarity = 1,
dodge = 0,
torpedo = 0,
durability_growth = 6800,
antiaircraft = 0,
reload_growth = 0,
dodge_growth = 0,
speed = 30,
star = 2,
hit = 8,
antisub_growth = 0,
air_growth = 0,
hit_growth = 120,
base = 90,
durability = 850,
armor_growth = 0,
torpedo_growth = 0,
luck_growth = 0,
antiaircraft_growth = 0,
luck = 0,
battle_unit_type = 20,
id = 10070450,
antisub = 0,
armor = 0,
appear_fx = {
"appearsmall"
}
},
[10070451] = {
cannon = 0,
battle_unit_type = 35,
rarity = 1,
speed_growth = 0,
pilot_ai_template_id = 20001,
air = 0,
luck = 0,
dodge = 0,
wave_fx = "danchuanlanghuaxiao2",
cannon_growth = 0,
speed = 15,
reload_growth = 0,
dodge_growth = 0,
id = 10070451,
star = 1,
hit = 8,
antisub_growth = 0,
air_growth = 0,
reload = 150,
base = 70,
durability = 320,
armor_growth = 0,
torpedo_growth = 864,
luck_growth = 0,
hit_growth = 120,
armor = 0,
torpedo = 70,
durability_growth = 2550,
antisub = 0,
antiaircraft = 0,
antiaircraft_growth = 0,
appear_fx = {
"appearsmall"
},
equipment_list = {
534100
}
},
[10070452] = {
cannon = 100,
reload = 150,
speed_growth = 0,
cannon_growth = 0,
pilot_ai_template_id = 80000,
air = 0,
rarity = 1,
dodge = 0,
torpedo = 180,
durability_growth = 2550,
antiaircraft = 0,
reload_growth = 0,
dodge_growth = 0,
hit_growth = 1200,
star = 2,
hit = 81,
antisub_growth = 0,
air_growth = 0,
battle_unit_type = 15,
base = 80,
durability = 88,
armor_growth = 0,
torpedo_growth = 900,
luck_growth = 0,
speed = 30,
luck = 0,
id = 10070452,
antiaircraft_growth = 0,
antisub = 0,
armor = 0,
appear_fx = {
"appearsmall"
},
equipment_list = {
534101
}
}
}
return
|
local getPath = function (from, to)
if from == to then
return nil
end
local visitedNode = {}
-- First step, we backtrack to the first ancestor that has
-- more than one parent to reduce the overhead.
local path = {}
while true do
if visitedNode[to] then
return redis.error_reply("ERR infinite loop (parent) found in 'tpath' command")
end
visitedNode[to] = true
local parents = redis.call('smembers', prefix .. to .. '::P')
local length = #parents
if length == 0 then
return nil
else
for _, parent in ipairs(parents) do
if parent == from then
return path
end
end
if length == 1 then
to = parents[1]
table.insert(path, 1, to)
else
break
end
end
end
local copyTable = function (t)
local t2 = {}
for k, v in pairs(t) do
t2[k] = v
end
return t2
end
local queue = { {from} }
-- push the first path into the queue
while #queue > 0 do
-- get the first path from the queue
local lpath = table.remove(queue, 1)
-- get the last node from the lpath
local node = lpath[#lpath]
-- enumerate all adjacent nodes, construct a new lpath and push it into the queue
local children = redis.call('get', prefix .. node)
if children then
children = cmsgpack.unpack(children)
for _, child in ipairs(children) do
if child[1] == to then
for _, v in ipairs(path) do
lpath[#lpath + 1] = v
end
table.remove(lpath, 1)
return lpath
end
if child[2] ~= 0 then
if child[1] == lpath[#lpath] then
return redis.error_reply("ERR infinite loop (children) found in 'tpath' command")
end
local newPath = copyTable(lpath)
newPath[#newPath + 1] = child[1]
queue[#queue + 1] = newPath
end
end
end
end
return nil
end
|
local Bot = {}
-- high score = 23,650
local currentAltitude
local currentIsOnBase
predictedx = 0 -- this is the lookahead ability
predictedy = 0 -- this is the lookahead ability
perfecty = 0 -- the y value that is just right
local currentDistanceToBase
local predictedYgroundValue -- the ground y value at the predicted point
local toohigh
local toolow
local tooleft
local tooright
local tooslow
local toofast
local closestbase -- object
local lookahead = 240 -- how far to look ahead
local function GetDistanceToFueledBase(uuid,xvalue, intBaseType)
-- uuid is the lander ID. This is needed as each lander has their own instance of fuel bases
-- returns two values: the distance to the closest base with fuel, and the object/table item for that base
-- note: if distance is a negative value then the Lander has not yet passed the base
local closestdistance = -1
local closestbase = {}
local absdist
local realdist
for k,v in pairs(OBJECTS) do
if v.objecttype == intBaseType then
-- print(Inspect(v))
-- print(uuid)
if v.fuelLeft[uuid] == nil then v.fuelLeft[uuid] = Enum.baseMaxFuel end
if (v.fuelLeft[uuid] == nil or v.fuelLeft[uuid] > 1) then
if (v.hasLanded[uuid] == nil or v.hasLanded[uuid] == false) then
-- the + bit is an offset to calculate the landing pad and not the image
absdist = math.abs(xvalue - (v.x + 85))
if closestdistance == -1 or absdist <= closestdistance then
closestdistance = absdist
closestbase = v
end
end
end
end
end
-- now we have the closest base, work out the distance to the landing pad for that base
if closestbase.x ~= nil then
-- the + bit is an offset to calculate the landing pad and not the image
realdist = xvalue - (closestbase.x + 85)
end
return realdist, closestbase
end
local function GetCurrentState(lander)
-- predictedx is the x value the lander is predicted to be at based on current trajectory
-- predictedy is the y value the lander is predicted to be at based on current trajectory
-- predictedYgroundValue is the y value for the terrain when looking ahead
predictedx = lander.x + (lander.vx * lookahead)
if predictedx < 0 then predictedx = 0 end
currentAltitude = Fun.getAltitude(lander) -- distance above ground level
-- negative value means not yet past the base
currentDistanceToBase, closestbase = GetDistanceToFueledBase(lander.uuid, predictedx, Enum.basetypeFuel)
-- searching for a base can outstrip the terrain so guard against that.
while closestbase.x == nil or predictedx > #GROUND do
Terrain.generate(SCREEN_WIDTH * 4)
currentDistanceToBase, closestbase = GetDistanceToFueledBase(lander.uuid, predictedx, Enum.basetypeFuel)
print("Adding more terrain for bot")
end
currentIsOnBase = Lander.isOnLandingPad(lander, Enum.basetypeFuel)
if currentIsOnBase then
if closestbase[lander.uuid] == nil then closestbase[lander.uuid] = {} end
closestbase[lander.uuid].hasLanded = true
end
-- ensure this block is below the above WHILE loop
predictedy = lander.y + (lander.vy * lookahead)
predictedYgroundValue = GROUND[Cf.round(predictedx,0)]
if predictedYgroundValue == nil then
print(#GROUND, predictedx, predictedy, predictedYgroundValue)
error("oops - check the console for debug info")
end
-- ensure this is after the terrain.generate
-- look far ahead for long distances
if math.abs(currentDistanceToBase) > 2000 then
lookahead = 240
else
lookahead = 120
end
-- the perfecty value is a 45 degree angle from the base to the sky
perfecty = predictedYgroundValue - math.abs(currentDistanceToBase)
if perfecty < SCREEN_HEIGHT / 3 then perfecty = SCREEN_HEIGHT / 3 end
perfectvx = currentDistanceToBase / -120 -- some constant that determines best vx
if predictedy < perfecty then
toohigh = true
toolow = false
else
toohigh = false
toolow = true
end
if currentDistanceToBase < 0 then
tooleft = true
tooright = false
else
tooleft = false
tooright = true
end
if lander.vx < perfectvx then
tooslow = true
toofast = false
else
tooslow = false
toofast = true
end
end
function Bot.turnTowardsAngle(lander, angle, dt)
-- given an angle, turn left or right to meet it
if lander.angle < angle then
-- turn right/clockwise
lander.angle = lander.angle + (90 * dt)
if lander.angle > angle then lander.angle = angle end
elseif lander.angle > angle then
-- turn left/anti-clockwise
lander.angle = lander.angle - (90 * dt)
if lander.angle < angle then lander.angle = angle end
else
-- on target. Do nothing
end
end
local function DetermineAction(lander, dt)
local thisbase -- the base the lander is currently landed on
local takeaction = false
if not Lander.isOnLandingPad(lander, Enum.basetypeFuel) then
takeaction = true
-- print("not on landing pad")
else
-- lander has landed
-- check for full tank
_, thisbase = Fun.GetDistanceToClosestBase(lander.x, Enum.basetypeFuel)
if lander.fuel >= (lander.fuelCapacity) then
thisbase.fuelLeft[lander.uuid] = 0 -- fudge. Drain the fuel so the bot moves on
takeaction = true
print("fuel is full")
end
-- check if base is out of fuel
if thisbase.fuelLeft[lander.uuid] <= 1 then
takeaction = true
-- print("base is empty")
end
end
if takeaction then
if toolow and tooslow then
-- turn to 315
Bot.turnTowardsAngle(lander, 315, dt)
Lander.doThrust(lander, dt)
elseif toolow and toofast then
-- turn to 235
Bot.turnTowardsAngle(lander, 235, dt)
Lander.doThrust(lander, dt)
elseif toohigh and toofast then
-- turn left
Bot.turnTowardsAngle(lander, 180, dt)
if lander.angle < 215 then
Lander.doThrust(lander, dt)
end
elseif toohigh and tooslow then
Bot.turnTowardsAngle(lander, 359, dt)
if lander.angle > 345 then
Lander.doThrust(lander, dt)
end
else
print("undedetected scenario")
end
else
-- is on base or close to base or refuelling
-- do nothing
end
end
function Bot.update(dt)
if Fun.CurrentScreenName() == "World" then
for k, lander in pairs(LANDERS) do
if lander.isBot then
GetCurrentState(lander)
DetermineAction(lander, dt)
end
end
end
end
return Bot
|
--------------------------------------------------------------------------------
-- Module Declaration
--
local mod, CL = BigWigs:NewBoss("Mephistroth", 1677, 1878)
if not mod then return end
mod:RegisterEnableMob(116944)
mod.engageId = 2039
--------------------------------------------------------------------------------
-- Locals
--
local phase = 1
local timeLost = 0
local upheavalWarned = {}
--------------------------------------------------------------------------------
-- Localization
--
local L = mod:GetLocale("enUS", true)
if L then
L.custom_on_time_lost = "Time lost during Shadow Fade"
L.custom_on_time_lost_desc = "Show the time lost during Shadow Fade on the bar in |cffff0000red|r."
L.custom_on_time_lost_icon = "ability_racial_timeismoney"
L.time_lost = "%s |cffff0000(+%ds)|r"
end
--------------------------------------------------------------------------------
-- Initialization
--
function mod:GetOptions()
return {
233155, -- Carrion Swarm
{233196, "SAY", "FLASH"}, -- Demonic Upheaval
{234817, "PROXIMITY"}, -- Dark Solitude
233206, -- Shadow Fade
"custom_on_time_lost",
},{
[233155] = -14949,
[233206] = -14950,
}
end
function mod:OnBossEnable()
self:RegisterUnitEvent("UNIT_SPELLCAST_SUCCEEDED", nil, "boss1", "boss2")
self:Log("SPELL_CAST_START", "CarrionSwarm", 233155)
self:Log("SPELL_CAST_START", "DemonicUpheaval", 233196)
self:RegisterEvent("UNIT_AURA") -- Demonic Upheaval debuff tracking
self:Log("SPELL_CAST_START", "DarkSolitude", 234817)
self:Log("SPELL_AURA_APPLIED", "ShadowFade", 233206)
self:Log("SPELL_AURA_REMOVED", "ShadowFadeRemoved", 233206)
end
function mod:OnEngage()
phase = 1
timeLost = 0
wipe(upheavalWarned)
self:OpenProximity(234817, 8) -- Dark Solitude
self:Bar(233196, 3.5) -- Demonic Upheaval
self:Bar(234817, 7.1) -- Dark Solitude
self:Bar(233155, 18.1) -- Carrion Swarm
self:Bar(233206, 44.2) -- Shadow Fade
end
--------------------------------------------------------------------------------
-- Event Handlers
--
function mod:UNIT_SPELLCAST_SUCCEEDED(_, _, _, spellId)
if spellId == 234283 and phase == 2 then -- Expel Shadows
self:Message(233206, "yellow", "Warning", 234283)
local timeLeft = 0
if timeLost == 0 or not self:GetOption("custom_on_time_lost") then
timeLeft = self:BarTimeLeft(233206) -- Shadow Fade
else
timeLeft = self:BarTimeLeft(L.time_lost:format(self:SpellName(233206), timeLost)) -- Shadow Fade
end
self:StopBar(233206) -- Shadow Fade
self:StopBar(L.time_lost:format(self:SpellName(233206), timeLost)) -- Shadow Fade (-xs)
local newTime = timeLeft + 7.5
timeLost = timeLost + 7.5
if self:GetOption("custom_on_time_lost") then
self:Bar(233206, newTime <= 30 and newTime or 30, L.time_lost:format(self:SpellName(233206), timeLost)) -- Takes 30s to go from 0-300 UNIT_POWER, max 30s bar.
else
self:Bar(233206, newTime <= 30 and newTime or 30, self:SpellName(233206))
end
end
end
function mod:CarrionSwarm(args)
self:Message(args.spellId, "yellow", "Alarm")
if self:BarTimeLeft(233206) > 18.2 then -- Shadow Fade
self:Bar(args.spellId, 19.8)
end
end
function mod:DemonicUpheaval(args)
self:Message(args.spellId, "yellow", "Alert", CL.incoming:format(args.spellName))
if self:BarTimeLeft(233206) > 31.9 then -- Shadow Fade
self:Bar(args.spellId, 31.9)
end
end
do
local list, guid = mod:NewTargetList(), nil
function mod:UNIT_AURA(_, unit)
local name = self:UnitDebuff(unit, 233963) -- Demonic Upheaval Debuff Id
local n = self:UnitName(unit)
if upheavalWarned[n] and not name then
upheavalWarned[n] = nil
elseif name and not upheavalWarned[n] then
guid = UnitGUID(n)
list[#list+1] = n
if #list == 1 then
self:ScheduleTimer("TargetMessage", 1, 233196, list, "red", "Warning", 233963) -- Travel time
end
if self:Me(guid) then
self:Say(233196)
self:Flash(233196)
end
upheavalWarned[n] = true
end
end
end
function mod:DarkSolitude(args)
self:Message(args.spellId, "yellow", "Alarm")
if self:BarTimeLeft(233206) > 8.5 then -- Shadow Fade
self:CDBar(args.spellId, 8.5)
end
end
function mod:ShadowFade(args)
phase = 2
timeLost = 0
self:CloseProximity(234817) -- Dark Solitude
self:Message(args.spellId, "green", "Long")
self:Bar(args.spellId, 34)
end
function mod:ShadowFadeRemoved(args)
phase = 1
self:OpenProximity(234817, 8) -- Dark Solitude
self:Message(args.spellId, "green", "Long", CL.removed:format(args.spellName))
self:Bar(args.spellId, 79.3)
self:Bar(233196, 3.5) -- Demonic Upheaval
self:Bar(234817, 7.1) -- Dark Solitude
self:Bar(233155, 18.1) -- Carrion Swarm
end
|
-- import
local candy = require 'candy'
local RenderContext = candy.RenderContext
local Viewport = candy.Viewport
local RenderTarget = candy.RenderTarget
local TextureRenderTarget = candy.TextureRenderTarget
local RenderManagerModule = require 'candy.RenderManager'
local getRenderManager = RenderManagerModule.getRenderManager
-- module
local RenderContextModule = {}
-- function
local createRenderContext
local addContextChangeListeners
local removeContextChangeListener
local changeRenderContext
local getCurrentRenderContextKey
local getCurrentRenderContext
local getRenderContext
local setCurrentRenderContextActionRoot
local setRenderContextActionRoot
local getKeyName
local function _valueList ( ... )
local output = {}
local insert = table.insert
local n = select ( "#", ... )
for i = 1, n do
local v = select ( i, ... )
if v then
insert ( output, v )
end
end
return output
end
--[[
EditorRenderContext incluces:
1. an action root
2. a render table
shares:
layer information
prop
assets
]]
-- local renderContextTable = {}
-- local currentContext = false ---@type RenderContext
local ContextChangeListeners = {}
local OriginalMOAIActionRoot = MOAIActionMgr.getRoot ()
--------------------------------------------------------------------
---@class EditorRenderContext : RenderContext
local EditorRenderContext = CLASS: EditorRenderContext ( RenderContext )
function EditorRenderContext:__init ( clearColor )
self.clearColor = clearColor or { 0.1, 0.1, 0.1, 1 }
local root = MOAIAction.new ()
root:setAutoStop ( false )
self.actionRoot = root ---@type MOAIAction
end
function EditorRenderContext:onInit ()
_stat ( "init editor render context" )
self:initTextureOutputRenderTarget ()
self:initPlaceHolderRenderTable ()
self:setFrameBuffer ()
end
---@param actionRoot MOAIAction
function EditorRenderContext:setActionRoot ( actionRoot )
self.actionRoot = actionRoot
end
function EditorRenderContext:setOutputScale ( scl )
self.outputViewport:setFixedScale ( 1 / scl, 1 / scl )
end
function EditorRenderContext:initTextureOutputRenderTarget ()
local w, h = self:getContentSize ()
_stat ( "init texture ouput render target", w, h )
local mainRenderTarget = TextureRenderTarget ()
local option = {
useStencilBuffer = false,
useDepthBuffer = false,
filter = MOAITexture.GL_LINEAR,
colorFormat = MOAITexture.GL_RGBA8
}
mainRenderTarget:initFrameBuffer ( option )
mainRenderTarget:setDebugName ( "editorTRT" )
mainRenderTarget.mode = "fixed"
mainRenderTarget:setPixelSize ( w, h )
mainRenderTarget:setFixedScale ( w, h )
mainRenderTarget.__main = true
local quad = MOAISpriteDeck2D.new ()
quad:setRect ( -0.5, -0.5, 0.5, 0.5 )
if RenderManagerModule.getRenderManager ().flipRenderTarget then
quad:setUVRect ( 0, 1, 1, 0 )
else
quad:setUVRect ( 0, 0, 1, 1 )
end
local outputRenderProp = createRenderProp ()
outputRenderProp:setDeck ( quad )
setPropBlend ( outputRenderProp, "solid" )
outputRenderProp:setDepthTest ( 0 )
outputRenderProp:setColor ( 1, 1, 1, 1 )
quad:setTexture ( mainRenderTarget:getFrameBuffer () )
local viewport = Viewport ()
viewport:setMode ( "relative" )
viewport:setFixedScale ( 1, 1 )
viewport:setAspectRatio ( w / h )
viewport:setKeepAspect ( true )
viewport:setParent ( game:getDeviceRenderTarget () )
viewport._main = true
local outputRenderPass = MOAITableViewLayer.new ()
outputRenderPass:setClearColor ( 0, 0, 0, 1 )
outputRenderPass:setClearMode ( MOAILayer.CLEAR_NEVER )
outputRenderPass:setViewport ( viewport:getMoaiViewport () )
outputRenderPass:setFrameBuffer ( MOAIGfxMgr.getFrameBuffer () )
outputRenderPass:setRenderTable ( { outputRenderProp } )
self.outputViewport = viewport
self.outputRenderPass = outputRenderPass
self.outputRenderProp = outputRenderProp
self.mainRenderTarget = mainRenderTarget
self.textureRenderTarget = mainRenderTarget
self:setRenderTarget ( mainRenderTarget )
self:updateViewportDeviceMapping ()
local mainClearRenderPass = RenderManagerModule.createTableRenderLayer ()
mainClearRenderPass:setClearColor ( unpack ( self.clearColor ) )
mainClearRenderPass:setFrameBuffer ( mainRenderTarget:getFrameBuffer () )
mainClearRenderPass:setClearMode ( MOAILayer.CLEAR_ALWAYS )
self.mainClearRenderPass = mainClearRenderPass
end
---
-- 当渲染内容为空的时候将使用默认的渲染表
-- 默认渲染顺序:
-- clearPass
function EditorRenderContext:initPlaceHolderRenderTable ()
local clearPass = RenderManagerModule.createTableRenderLayer ()
clearPass:setClearColor ( 0, 0.2, 0, 1 )
clearPass:setFrameBuffer ( MOAIGfxMgr.getFrameBuffer () )
clearPass:setClearMode ( MOAILayer.CLEAR_ALWAYS )
local async = false --MOAIRenderMgr.isAsync ()
self.placeHolderRenderTable = _valueList ( {
-- not async and function ()
-- return game:preSyncRender ()
-- end,
clearPass,
-- getLogViewManager ():getRenderLayer (),
-- not candy.__nodebug and getDebugUIManager ():getRenderLayer () or false,
-- not async and function ()
-- return game:postRender ()
-- end,
-- getUICursorManager ():getRenderLayer ()
} )
end
function EditorRenderContext:applyPlaceHolderRenderTable ()
_stat ( "apply placeholder render table" )
self:getRenderRoot ():setRenderTable ( self.placeHolderRenderTable )
end
---
-- 当存在渲染内容的时候的apply方法
-- 渲染顺序:
-- self.mainClearRenderPass -> contentTable -> outputRenderPass
function EditorRenderContext:applyMainRenderTable ( contentTable )
local async = false --MOAIRenderMgr.isAsync ()
_stat ( "apply main render table", contentTable, contentTable and #contentTable )
local game = game
local insert = table.insert
local allowDebug = false--not candy.__nodebug
local finalTable = _valueList (
--not async and function ()
-- return game:preSyncRender ()
--end,
--game.baseClearRenderPass,
self.mainClearRenderPass or false,
--game.preRenderTable,
contentTable or false,
self.outputRenderPass
--allowDebug and getTopOverlayManager ():getRenderLayer () or false,
--allowDebug and getLogViewManager ():getRenderLayer () or false,
--allowDebug and getDebugUIManager ():getRenderLayer () or false,
--not async and function ()
-- return game:postRender ()
--end,
-- getUICursorManager ():getRenderLayer () or false,
--game.postRenderTable
)
self:getRenderRoot ():setRenderTable ( finalTable )
end
function EditorRenderContext:setRenderTable ( contentTable )
if not contentTable then
return self:applyPlaceHolderRenderTable ()
else
return self:applyMainRenderTable ( contentTable )
end
end
function EditorRenderContext:deviceToViewport ( x, y )
return x, y
end
function EditorRenderContext:viewportToDevice ( x, y )
return x, y
end
function EditorRenderContext:onResize ()
self:updateViewportDeviceMapping ()
end
function EditorRenderContext:updateViewportDeviceMapping ()
local x0, y0, x1, y1 = self.outputViewport:getAbsPixelRect ()
local vw = x1 - x0
local vh = y1 - y0
local w, h = self:getContentSize ()
function self.deviceToContext ( _, x, y )
local ox = x - x0
local oy = y - y0
return ox / vw * w, oy / vh * h
end
function self.contextToDevice ( _, x, y )
return x / w * vw + x0, y / h * vh + y0
end
end
--------------------------------------------------------------------
function createRenderContext ( key, cr, cg, cb, ca )
--[[
local clearColor = { 0,0,0,1 }
if cr == false then
clearColor = false
else
clearColor = { cr or 0, cg or 0, cb or 0, ca or 0 }
end
local root = MOAIAction.new ()
root:setAutoStop ( false )
root._contextKey = key
local context = {
key = key,
w = false,
h = false,
clearColor = clearColor,
actionRoot = root,
bufferTable = {},
renderTableMap = {},
}
renderContextTable[ key ] = context
]]
local context = EditorRenderContext ( { cr or 0, cg or 0, cb or 0, ca or 0 } )
context:setName ( key )
getRenderManager ():registerContext ( key, context )
return context
end
function addContextChangeListeners ( f )
ContextChangeListeners[ f ] = true
end
function removeContextChangeListener ( f )
ContextChangeListeners[ f ] = nil
end
function changeRenderContext ( key, w, h )
if getRenderManager ():getCurrentContext ().name == key then return end
local context = getRenderManager ():getContext ( key ) ---@type EditorRenderContext
assert ( context, 'no render context for:' .. tostring ( key ) )
for f in pairs ( ContextChangeListeners ) do
--- key The new key
--- key The new key
f ( key, getRenderManager ():getCurrentContext ().name )
end
--[[
local deviceBuffer = MOAIGfxMgr.getFrameBuffer ()
if currentContext then --persist context
local bufferTable = MOAIRenderMgr.getBufferTable ()
local renderTableMap = {}
local hasDeviceBuffer = false
for i, fb in pairs ( bufferTable ) do
if fb.getRenderTarget then
renderTableMap[ fb ] = fb:getRenderTable ()
end
end
currentContext.bufferTable = bufferTable
currentContext.renderTableMap = renderTableMap
if currentContext.deviceRenderTable ~= false then
currentContext.deviceRenderTable = deviceBuffer:getRenderTable ()
end
currentContext.actionRoot = assert( currentContext.actionRoot )
end
--TODO: persist clear depth& color flag(need to modify moai)
currentContext = context
currentContextKey = key
currentContext.w = w
currentContext.h = h
local clearColor = currentContext.clearColor
--if clearColor then
-- MOAIGfxMgr.getFrameBuffer ():setClearColor ( unpack ( clearColor ) )
--else
-- MOAIGfxMgr.getFrameBuffer ():setClearColor ()
--end
for fb, rt in pairs ( currentContext.renderTableMap ) do
fb:setRenderTable ( rt )
end
--MOAIRenderMgr.setBufferTable ( currentContext.bufferTable )
if currentContext.deviceRenderTable then
deviceBuffer:setRenderTable ( currentContext.deviceRenderTable )
end
MOAIActionMgr.setRoot ( currentContext.actionRoot )
]]
RenderManagerModule.getRenderManager ():setCurrentContext ( context )
MOAIActionMgr.setRoot ( context.actionRoot )
end
function getCurrentRenderContextKey ()
return getRenderManager ():getCurrentContext ().name
end
function getCurrentRenderContext ()
return getRenderManager ():getCurrentContext ()
end
function getRenderContext ( key )
return getRenderManager ():getContext ( key )
end
function setCurrentRenderContextActionRoot ( root )
getRenderManager ():getCurrentContext ().actionRoot = root
MOAIActionMgr.setRoot ( root )
end
function setRenderContextActionRoot ( key, root )
local context = getRenderContext ( key )
if key == getCurrentRenderContextKey () then
MOAIActionMgr.setRoot ( root )
end
if context then
context.actionRoot = root
end
end
--------------------------------------------------------------------
local keymap_CANDY = {
["alt"] = 163;
["pause"] = 168;
["menu"] = 245;
[","] = 44;
["0"] = 48;
["4"] = 52;
["8"] = 56;
["sysreq"] = 170;
["@"] = 64;
["return"] = 164;
["7"] = 55;
["\\"] = 92;
["insert"] = 166;
["d"] = 68;
["h"] = 72;
["l"] = 76;
["p"] = 80;
["t"] = 84;
["x"] = 88;
["right"] = 180;
["meta"] = 162;
["escape"] = 160;
["home"] = 176;
["'"] = 96;
["space"] = 32;
["3"] = 51;
["backspace"] = 163;
["pagedown"] = 183;
["slash"] = 47;
[";"] = 59;
["scrolllock"] = 166;
["["] = 91;
["c"] = 67;
["z"] = 90;
["g"] = 71;
["shift"] = 160;
["k"] = 75;
["o"] = 79;
["s"] = 83;
["w"] = 87;
["delete"] = 167;
["down"] = 181;
["."] = 46;
["2"] = 50;
["6"] = 54;
[":"] = 58;
["b"] = 66;
["f"] = 70;
["j"] = 74;
["pageup"] = 182;
["up"] = 179;
["n"] = 78;
["r"] = 82;
["v"] = 86;
["f12"] = 187;
["f13"] = 188;
["f10"] = 185;
["f11"] = 186;
["f14"] = 189;
["f15"] = 190;
["control"] = 161;
["f1"] = 176;
["f2"] = 177;
["f3"] = 178;
["f4"] = 179;
["f5"] = 180;
["f6"] = 181;
["f7"] = 182;
["f8"] = 183;
["f9"] = 184;
["tab"] = 161;
["numlock"] = 165;
["end"] = 177;
["-"] = 45;
["1"] = 49;
["5"] = 53;
["9"] = 57;
["="] = 61;
["]"] = 93;
["a"] = 65;
["e"] = 69;
["i"] = 73;
["m"] = 77;
["q"] = 81;
["u"] = 85;
["y"] = 89;
["left"] = 178;
["shift"] = 256;
["control"] = 257;
["alt"] = 258;
}
local keyname = {}
for k,v in pairs ( keymap_CANDY ) do
keyname[ v ] = k
end
function getKeyName ( code )
return keyname[ code ]
end
RenderContextModule.EditorRenderContext = EditorRenderContext
RenderContextModule.createRenderContext = createRenderContext
RenderContextModule.addContextChangeListeners = addContextChangeListeners
RenderContextModule.removeContextChangeListener = removeContextChangeListener
RenderContextModule.changeRenderContext = changeRenderContext
RenderContextModule.getCurrentRenderContextKey = getCurrentRenderContextKey
RenderContextModule.getCurrentRenderContext = getCurrentRenderContext
RenderContextModule.getRenderContext = getRenderContext
RenderContextModule.setCurrentRenderContextActionRoot = setCurrentRenderContextActionRoot
RenderContextModule.setRenderContextActionRoot = setRenderContextActionRoot
RenderContextModule.getKeyName = getKeyName
return RenderContextModule |
local deleteCount = 0
local destroyNode
destroyNode = function (id)
local parents = redis.call('smembers', prefix .. id .. '::P')
for _, parent in ipairs(parents) do
deleteReference(parent, id, 0)
end
local value = redis.call('get', prefix .. id)
if #parents > 0 or value then
deleteCount = deleteCount + 1
end
if not value then
return
end
local list = cmsgpack.unpack(value)
-- deleteCount = deleteCount + #list
for _, node in ipairs(list) do
destroyNode(node[1])
end
redis.call('del', prefix .. id)
end
destroyNode(id)
return deleteCount
|
counter = 0
function test()
print("Depth:", counter)
counter = counter + 1
test()
end
test()
|
local me = microexpansion
me.networks = {}
local networks = me.networks
local path = microexpansion.get_module_path("network")
-- get a node, if nessecary load it
function me.get_node(pos)
local node = minetest.get_node_or_nil(pos)
if node then return node end
local vm = VoxelManip()
local MinEdge, MaxEdge = vm:read_from_map(pos, pos)
return minetest.get_node(pos)
end
-- load Resources
dofile(path.."/network.lua") -- Network Management
-- generate iterator to find all connected nodes
function me.connected_nodes(start_pos)
-- nodes to be checked
local open_list = {start_pos}
-- nodes that were checked
local closed_set = {}
-- local connected nodes function to reduce table lookups
local adjacent_connected_nodes = me.network.adjacent_connected_nodes
-- return the generated iterator
return function ()
-- start looking for next pos
local found = false
-- pos to be checked
local current_pos
-- find next unclosed
while not found do
-- get unchecked pos
current_pos = table.remove(open_list)
-- none are left
if current_pos == nil then return end
-- check the closed positions
for _,closed in pairs(closed_set) do
-- if current is unclosed
if not vector.equals(closed,current_pos) then
--found next unclosed
found = true
end
end
end
-- get all connected nodes
local next_pos = adjacent_connected_nodes(current_pos)
-- iterate through them
for _,p in pairs(next_pos) do
-- mark position to be checked
table.insert(open_set,p)
end
-- add this one to the closed set
table.insert(closed_set,current_pos)
-- return the one to be checked
return current_pos
end
end
-- get network connected to position
function me.get_network(start_pos)
for npos in me.connected_nodes(start_pos) do
if me.get_node(npos).name == "microexpansion:ctrl" then
for _,net in pairs(networks) do
if vector.equals(npos, net.pos) then
return net
end
end
end
end
end
-- load networks
function me.load()
local res = io.open(me.worldpath.."/microexpansion.txt", "r")
if res then
res = minetest.deserialize(res:read("*all"))
if type(res) == "table" then
for _,n in pairs(res.networks) do
table.insert(networks,me.network:new(n))
end
end
end
end
-- load now
me.load()
-- save networks
function me.save()
local data = {
networks = networks,
}
io.open(me.worldpath.."/microexpansion.txt", "w"):write(minetest.serialize(data))
end
-- save on server shutdown
minetest.register_on_shutdown(me.save)
|
-- gearman client...
--
protocol_util = require('protocol_util')
require('protocol_gearman/protocol_gearman')
local pru = protocol_util
local pgm = protocol_gearman
local network_bytes = pru.network_bytes
local network_bytes_string_to_number = pru.network_bytes_string_to_number
------------------------------------------------
local function create_request_handler(name)
local spec = assert(pgm.client.request_by_name[name])
local spec_params = spec.params or {}
local function h(conn, recv_callback, args)
local size = 0
for i = 1, #spec_params do
local spec_param = spec_params[i]
local data_param = assert(args[spec_param.name], spec_param.name)
size = size + string.len(data_param)
if param.null_terminated then
size = size + 1
end
end
local buf_magic = pgm.magic_req
local buf_type = string.char(network_bytes(spec.id, 4))
local buf_size = string.char(network_bytes(size, 4))
end
return h
end
------------------------------------------------
gearman_client = {
ECHO_REQ =
create_request_handler("ECHO_REQ"),
SUBMIT_JOB =
create_request_handler("SUBMIT_JOB"),
SUBMIT_JOB_BG =
create_request_handler("SUBMIT_JOB_BG"),
SUBMIT_JOB_LOW =
create_request_handler("SUBMIT_JOB_LOW"),
SUBMIT_JOB_LOW_BG =
create_request_handler("SUBMIT_JOB_LOW_BG"),
SUBMIT_JOB_HIGH =
create_request_handler("SUBMIT_JOB_HIGH"),
SUBMIT_JOB_HIGH_BG =
create_request_handler("SUBMIT_JOB_HIGH_BG"),
SUBMIT_JOB_EPOCH =
create_request_handler("SUBMIT_JOB_EPOCH"),
SUBMIT_JOB_SCHED =
create_request_handler("SUBMIT_JOB_SCHED"),
OPTION_REQ =
create_request_handler("OPTION_REQ"),
GET_STATUS =
create_request_handler("GET_STATUS")
}
|
--[[
TheNexusAvenger
Interface representing a view frame.
--]]
local NexusGit = require(script.Parent.Parent.Parent.Parent):GetContext(script)
local NexusInterface = NexusGit:GetResource("NexusPluginFramework.NexusInstance.NexusInterface")
local IViewFrame = NexusInterface:Extend()
IViewFrame:SetClassName("IViewFrame")
--[[
Closes the view.
--]]
IViewFrame:MustImplement("Close")
return IViewFrame |
addEvent('onRaceStateChanging')
addEventHandler('onRaceStateChanging', root, function (new)
if (new ~= 'GridCountdown') then
return
end
for i, blip in ipairs(getElementsByType('blip')) do
setBlipColor(blip, 0, 0, 0, 0)
end
for j, player in ipairs(getElementsByType('player')) do
if (player.vehicle.model == 480) then
setPlayerWantedLevel(player, 2)
end
setVehicleDamageProof(player.vehicle, true)
end
triggerClientEvent('onClientScreenFadedOut', root)
end)
addEventHandler('onVehicleDamage', root, function (loss)
if (loss < (1000 - 249)) then
setElementHealth(source, 1000)
end
end)
addEventHandler('onVehicleExplode', root, function ()
if (source.model == 480) then
outputChatBox("We can't prosecute the dead! You're working the beat until I have regained confidence in your abilities.")
end
end)
|
return {
level = 57,
need_exp = 110000,
clothes_attrs = {
0,
0,
0,
0,
0,
1,
1,
1,
1,
1,
},
} |
local helper = require 'arken.Helper'
local test = {}
test.return_self = function()
assert( helper:dateFormat("mydate") == "mydate" )
end
return test
|
-- Anytranslate
hs.hotkey.bind({"cmd", "alt", "ctrl"}, "T", function()
-- Basic api URL's
local DETECT = "https://translate.yandex.net/api/v1.5/tr.json/detect?"
local DICT = "https://dictionary.yandex.net/api/v1/dicservice.json/lookup?"
-- Insert your keys here
local TRANS_KEY = "<YOUR KEY>"
local DICT_KEY = "<YOUR KEY>"
-- Define the language you want to use
local NATIVE_LANG = "de"
local INTO_LANG = "en"
local LANG_HINTS = "de,en"
local current = hs.application.frontmostApplication()
local chooser = hs.chooser.new(function(choosen)
current:activate()
hs.eventtap.keyStrokes(choosen.text)
end)
chooser:queryChangedCallback(function(string)
if (string.len(string) < 1) then return end
-- make sure e.g. ä ö ü work
local query = hs.http.encodeForQuery(string)
local trans_query = DETECT .. "key=" .. TRANS_KEY .. "&text=" .. query .. "&hint=" .. LANG_HINTS
-- detect language of input
hs.http.asyncGet(trans_query, nil, function(code, body)
if code ~= 200 then return end
local query_lang = hs.json.decode(body)["lang"]
local translate_lang = INTO_LANG
local dest_lang = NATIVE_LANG
if query_lang == NATIVE_LANG then
translate_lang = NATIVE_LANG
dest_lang = INTO_LANG
else
translate_lang = query_lang
dest_lang = NATIVE_LANG
end
local from_to = translate_lang .. "-" .. dest_lang
local query_string = DICT .. "key=" .. DICT_KEY .. "&lang=" .. from_to .. "&text=" .. query
-- get dictionary entries
hs.http.asyncGet(query_string, nil, function(status, data)
if not data then return end
local ok, results = pcall(function() return hs.json.decode(data) end)
if not ok then return end
if not results["def"] or not next(results["def"]) then return end
local result_arr = {}
table.insert(result_arr, results["def"][1]["tr"][1]["text"])
if results["def"][1]["tr"][1]["syn"] then
for i in pairs(results["def"][1]["tr"][1]["syn"]) do
table.insert(result_arr, results["def"][1]["tr"][1]["syn"][i]["text"])
end
end
-- insert the found words into the
choices = hs.fnutils.imap(result_arr, function(result)
return {
["text"] = result,
}
end)
chooser:choices(choices)
end)
end)
end)
chooser:searchSubText(false)
chooser:show()
end)
|
return {
author = "Alpin 3D Design & SRTD",
version = "1.1.6",
title = "A3D SNOW.Control",
description = "Alpin 3D design and SRTD present the original SNOW.Control mod with many original manufacturers for the winter resort simulator. Experience the highest level of detail in the field of snowmaking and grooming, now also available for free in Multiplayer.\nWe wish you much fun!",
targetGame = 'WRS-S2',
supportsMultiplayer = true,
scripts = {
-- settings
"inputDesc.lua",
-- A3D Base System
"A3DUtils.lua",
"A3DBaseSystem.lua",
-- ASC Clients
"DeveloperRights.lua",
"SufagUI.lua",
"SufagEnergy.lua",
"SufagControlManagerEvent.lua",
"SufagControlManager.lua",
"alignment.lua",
"SufagUpdateInfo.lua",
"swivelArm.lua",
"visible.lua",
"SnowSat.lua",
-- vehicleDesc
"Sufag-Peak.lua",
"Sufag-Power.lua",
"TA_TL6.lua",
"TA_TR10.lua",
"TA_TT10.lua",
-- "TA_T40.lua",
"Prinoth_Bison.lua",
"DemacLenkoFA.lua",
"Transportbox.lua",
},
}; |
return {
code = 'ROLE_CREATE_INVALID_PROFESSION',
key = "ROLE_CREATE_INVALID_PROFESSION",
} |
local KUI, E, L, V, P, G = unpack(select(2, ...))
local KS = KUI:GetModule("KuiSkins")
local S = E:GetModule("Skins")
--Cache global variables
local _G = _G
local unpack = unpack
--WoW API / Variables
--Global variables that we don't cache, list them here for the mikk's Find Globals script
-- GLOBALS:
local r, g, b = unpack(E["media"].rgbvaluecolor)
local function styleUIDropDownMenu()
if E.private.skins.blizzard.enable ~= true then return end
hooksecurefunc("UIDropDownMenu_SetIconImage", function(icon, texture)
if texture:find("Divider") then
icon:SetColorTexture(r, g, b, 0.45)
icon:SetHeight(1)
end
end)
hooksecurefunc("UIDropDownMenu_CreateFrames", function(_, index)
for i = 1, UIDROPDOWNMENU_MAXLEVELS do
local listFrame = _G["DropDownList"..i]
local listFrameName = listFrame:GetName()
local index = listFrame and (listFrame.numButtons + 1) or 1
local expandArrow = _G[listFrameName.."Button"..index.."ExpandArrow"]
if expandArrow then
expandArrow:SetNormalTexture('Interface\\AddOns\\ElvUI_KlixUI\\media\\textures\\arrow')
expandArrow:SetSize(12, 12)
expandArrow:GetNormalTexture():SetVertexColor(1, 1, 1)
expandArrow:GetNormalTexture():SetRotation(KS.ArrowRotation['RIGHT'])
end
end
end)
hooksecurefunc("ToggleDropDownMenu", function(level)
if not level then level = 1 end
for i = 1, UIDROPDOWNMENU_MAXBUTTONS do
local button = _G["DropDownList"..level.."Button"..i]
local check = _G["DropDownList"..level.."Button"..i.."Check"]
local uncheck = _G["DropDownList"..level.."Button"..i.."UnCheck"]
local highlight = _G["DropDownList"..level.."Button"..i.."Highlight"]
highlight:SetColorTexture(r, g, b, .35)
KS:CreateBackdrop(check)
if check.backdrop then
check.backdrop:Hide()
end
if not button.notCheckable then
uncheck:SetTexture("")
local _, co = check:GetTexCoord()
if co == 0 then
check:SetTexture("Interface\\Buttons\\UI-CheckBox-Check")
check:SetVertexColor(r, g, b, 1)
check:SetSize(20, 20)
check:SetDesaturated(true)
else
check:SetTexture(E.LSM:Fetch("statusbar", "Klix"))
check:SetVertexColor(r, g, b, .6)
check:SetSize(10, 10)
check:SetDesaturated(false)
end
check:SetTexCoord(0, 1, 0, 1)
check.backdrop:Show()
else
check:SetSize(16, 16)
end
end
end)
end
S:AddCallback("KuiUIDropDownMenu", styleUIDropDownMenu)
|
local M = {}
function M.tstring(t)
local strings = {}
for k, v in pairs(t) do
strings[#strings + 1] = tostring(k) .. ': ' .. tostring(v) .. '\n'
end
return table.concat(strings, ' ')
end
function M.copy(t)
local copy = {}
for k, v in pairs(t) do
copy[k] = v
end
local mt = getmetatable(t)
if mt then
setmetatable(copy, mt)
end
return copy
end
function M.setdefault(t, k, v)
if t[k] == nil then
t[k] = v
end
return t[k]
end
function M.contains(t, value)
for _, v in pairs(t) do
if v == value then
return true
end
end
return false
end
function M.length(t)
local length = 0
for _, v in pairs(t) do
length = length + 1
end
return length
end
function M.round(num, mult)
mult = mult or 10
if num >= 0 then return math.floor(num * mult + 0.5) / mult
else return math.ceil(num * mult - 0.5) / mult end
end
function M.reverse(t)
new_t = {}
for i, v in ipairs(t) do
new_t[#t - (i - 1)] = v
end
return new_t
end
function M.find_center(size1, size2)
return size1 / 2 - size2 / 2
end
return M
|
-------------------------------------------------------------------------------
-- PATH
-------------------------------------------------------------------------------
package.path = package.path .. ";app/models/?.lua"
package.path = package.path .. ";app/controllers/?.lua"
package.path = package.path .. ";app/helpers/?.lua"
package.path = package.path .. ";lib/?.lua"
-------------------------------------------------------------------------------
-- GLOBALS
-------------------------------------------------------------------------------
CHARON_TASK = false
APP_PATH = os.pwd()
CHARON_ENV = os.getenv("CHARON_ENV") or "development"
Object = require('charon.oop.Object')
Class = require('charon.oop.Class')
ActiveRecord = require "charon.ActiveRecord"
-------------------------------------------------------------------------------
-- ACTIVE RECORD
-------------------------------------------------------------------------------
ActiveRecord.query_prefix = "app/"
ActiveRecord.debug = (CHARON_ENV == 'development')
-------------------------------------------------------------------------------
-- LOCALE
-------------------------------------------------------------------------------
os.setlocale("C", "numeric")
|
--
-- Created by IntelliJ IDEA.
-- User: damian
-- Date: 13/01/2017
-- Time: 23:51
-- To change this template use File | Settings | File Templates.
--
require "FallBehaviour"
require "FadeBehaviour"
SectionA = {}
function SectionA:new()
o = {activeBassBlocks = {}}
setmetatable(o, self)
self.__index = self
return o
end
function SectionA:HandleKick()
local pos = kll.gvec3(0,0.1,0)
local block = gEnvironment:AddBlock(pos, kll.gvec3(0.5,0.05,0.05))
block:SetVelocity(kll.gvec3(0,0,0))
block:SetShininess(1)
--local fall = FallBehaviour:new(block, kll.gvec3(0, 3, 0))
--gBehaviours:AddBehaviour(fall)
local towardScreen = FallBehaviour:new(block, kll.gvec3(0,0,5))
gBehaviours:AddBehaviour(towardScreen)
--local addRotation = AddRotationBehaviour:new(block, kll.gvec3(0, 3*kll.RandomNormal(), 2*kll.RandomNormal()))
--gBehaviours:AddBehaviour(addRotation)
end
gHihatToggle = 1
function SectionA:HandleHiHat()
local phase = kll.Clock.Get():GetPhase(8)
local x = 0.2 * gHihatToggle;
gHihatToggle = gHihatToggle * -1
--local x = 0
--local center = kll.gvec3(x, 0.5, 0.0)
--local block = gEnvironment:AddBlock(center, kll.gvec3(0.1,0.001, 0.01))
local pos = kll.gvec3(x, 0, -5)
local size = kll.gvec3(0.001, 4, 0.01)
local block = gEnvironment:AddBlock(pos, size)
block:SetLightingEnabled(false)
block:SetVelocity(kll.gvec3(0,0,0))
--local screenCenter = kll.gvec3(0,0,0)
--local towardsCenter = kll.Normalize(screenCenter - center)
local flyAway = FallBehaviour:new(block, kll.gvec3(0,0,kll.Random(9.9, 10.1)))
gBehaviours:AddBehaviour(flyAway)
end
function SectionA:HandleSnare()
--local size = kll.RandomNormal(0.6, 0.8);
--local length = 10
--local section = gEnvironment:AddTunnelSection(length, size, 32, 5)
--section:SetPosition(kll.gvec3(0,0,-1))
--section:SetAlpha(0.5)
local pos = kll.gvec3(0,0,-1)
local size = kll.gvec3(1.0, 8, 0.01)
local block = gEnvironment:AddBlock(pos, size)
block:SetLightingEnabled(false)
block:SetShininess(0)
if gScenes:GetSceneIndex()==5 then
local phase = kll.Clock.Get():GetPhase(16)
local angle = -phase*math.pi
local q = kll.gquat(angle, kll.gvec3(0,0,1))
block:SetOrientation(q)
end
local fade = FadeBehaviour:new(block, 0.0001)
gBehaviours:AddBehaviour(fade)
gLighting:InjectEnergy(1)
end
function SectionA:HandleBassNoteOn(pitch, velocity)
local height = 0.01*(velocity/100)
local depth = kll.RandomNormal(0.02, 0.05)
local width = 0.02
if gScenes:GetSceneIndex() >= 3 then
width = (velocity/100)*0.1
height = 0.005
end
local size = kll.gvec3(width, height, depth)
size = size*4;
local startPitch = 50
local pitchYScale = 1/100
local y = ((pitch-startPitch)*pitchYScale)
local z = 0
--print("p " .. pitch .. " v " .. velocity)
local block = gEnvironment:AddBlock(kll.gvec3(0,y,z), size)
block:SetAlpha(velocity/100)
--block:SetVelocity(kll.gvec3(0,0,1))
local fall = FallBehaviour:new(block, kll.gvec3(0,0,4))
gBehaviours:AddBehaviour(fall)
--local rotate = AddRotationBehaviour:new(block, kll.gvec3(0, 10*kll.RandomNormal(), 0))
--gBehaviours:AddBehaviour(rotate)
local fade = FadeBehaviour:new(block, 0.02)
gBehaviours:AddBehaviour(fade)
self.activeBassBlocks[pitch] = block
end
function SectionA:HandleBassNoteOff(pitch, velocity)
self.activeBassBlocks[pitch] = nil
end
function SectionA:HandleVocalNoteOn(pitch, velocity)
local scene = gScenes:GetSceneIndex()
if scene == 2 then
local x = -(((pitch - 52)/10) * 5)
gBoids:SetFlockCenter(kll.gvec3(0, 0, x), 3)
elseif scene == 3 then
local x = -(((pitch - 52)/10) * 5) - 1
gBoids:SetFlockCenter(kll.gvec3(0, 0, x), 3)
else
local x = -(((pitch - 52)/10) * 5) - 2
gBoids:SetFlockCenter(kll.gvec3(0, 0, x), 3)
end
gBoids:SetCohesion(0, 10)
end
function SectionA:HandleVocalNoteOff(pitch, velocity)
gBoids:SetFlockCenter(kll.gvec3(0, 0, -5), 0.05)
gBoids:SetCohesion(0.2, 0)
end
function SectionA:Enter()
gBoids:SetFlockCenter(kll.gvec3(0, 0, -10), 0.05)
gBoids:Reset()
print("section a enter")
end
function SectionA:Update(dt)
self:GrowActiveBassBlocks(dt)
end
function SectionA:GrowActiveBassBlocks(dt)
for index,block in pairs(self.activeBassBlocks) do
if gEnvironment:HasObject(block) then
local d = block:GetScaledDimensions()
local GROW_SPEED = 2
d.z = d.z + dt * GROW_SPEED
block:SetScaledDimensions(d)
end
end
end
|
---
-- Test ZMQ_REQ_RELAXED mode and reconnect socket
-- This test requires [lua-llthreads2](https://github.com/moteus/lua-llthreads2) library
local zmq = require "lzmq"
local ztimer = require "lzmq.timer"
local zthreads = require "lzmq.threads"
local zassert = zmq.assert
local ENDPOINT = "tcp://127.0.0.1:5555"
local CLIENT_SOCKET_TYPE = zmq.REQ
-----------------------------------------------------------------------------
-- START - start server thread
-- FINISH - stop server thread and wait until it stopped
-- ECHO - send echo msg to server, wait and check response
local START, FINISH, ECHO, RECONNECT, WAIT do
local proc
local ctx = zmq.context()
local pipe
if CLIENT_SOCKET_TYPE == zmq.REQ then
pipe = zassert(ctx:socket{zmq.REQ,
sndtimeo = 1000, rcvtimeo = 1000, linger = 0,
req_relaxed = 1, req_correlate = 1,
connect = ENDPOINT,
})
else
assert(zmq.DEALER == CLIENT_SOCKET_TYPE)
pipe = zassert(ctx:socket{zmq.DEALER,
sndtimeo = 1000, rcvtimeo = 1000, linger = 0,
connect = ENDPOINT,
})
end
local SERVER = string.dump(function(ENDPOINT)
local zmq = require "lzmq"
local ztimer = require "lzmq.timer"
local zthreads = require "lzmq.threads"
local zassert = zmq.assert
local ctx = zthreads.get_parent_ctx() or zmq.context()
local srv = zassert(ctx:socket{zmq.ROUTER, bind = ENDPOINT})
print("== SERVER START: ")
local msg, err
while true do
msg, err = srv:recv_all()
if not msg then
print('== SERVER RECV: ' .. tostring(err))
if err:mnemo() ~= 'EAGAIN' then
break
end
else
print('== SERVER RECV: ' .. msg[#msg])
local ok, err = srv:send_all(msg)
print('== SERVER SEND: ' .. (ok and msg[#msg] or tostring(err)))
if msg[#msg] == 'FINISH' then break end
end
end
print("== SERVER FINISH: ")
end)
function START()
local thread = assert(zthreads.run(ctx, SERVER, ENDPOINT)):start(true, true)
ztimer.sleep(1000)
local ok, err = thread:join(0)
assert(err == 'timeout')
proc = thread
end
function FINISH()
zassert(pipe:send('FINISH'))
zassert(pipe:recvx())
for i = 1, 100 do
local ok, err = proc:join(0)
if ok then return end
ztimer.sleep(500)
end
assert(false)
end
local echo_no = 0
local function ECHO_()
echo_no = echo_no + 1
local msg = "hello:" .. echo_no
local ok, err = pipe:send(msg)
print("== CLIENT SEND:", (ok and msg or tostring(err)))
if not ok then return end
while true do
ok, err = pipe:recvx()
print("== CLIENT RECV:", ok or err)
if zmq.REQ == CLIENT_SOCKET_TYPE then
if ok then assert(ok == msg) end
break
end
if ok then
if(ok == msg) then break end
else
break
end
end
end
function ECHO(N)
for i = 1, (N or 1) do ECHO_() end
end
function RECONNECT()
pipe:disconnect(ENDPOINT)
zassert(pipe:connect(ENDPOINT))
print("== CLIENT RECONNECT")
end
function WAIT(n)
ztimer.sleep(n or 100)
end
end
-----------------------------------------------------------------------------
print("==== ZeroMQ version " .. table.concat(zmq.version(), '.') .. " ===")
START()
ECHO(2)
FINISH()
ECHO(2)
START()
ECHO(2)
-- With reconnect test pass
-- RECONNECT()
ECHO(2)
FINISH()
|
local parser = clink.arg.new_parser
local addon_parser = parser({
"--dry-run", "-d",
"--verbose", "-v",
"--blueprint", "-b",
"--skip-npm", "-sn",
"--skip-bower", "-sb",
"--skip-git", "-sg",
"--directory", "-dir"
})
local asset_sizes_parser = parser({
"--output-path", "-o"
})
local build_parser = parser({
"--environment=", "-e",
"--environment=dev", "-dev",
"--environment=prod", "-prod",
"--output-path", "-o",
"--watch", "-w",
"--watcher",
"--suppress-sizes",
"--target", "-t",
"--target=development", "-dev",
"--target=production", "-prod",
"--base-href", "-bh",
"--aot"
})
local destroy_parser = parser({
"--dry-run", "-d",
"--verbose", "-v",
"--pod", "-p",
"--classic", "-c",
"--dummy", "-dum", "-id",
"--in-repo-addon", "--in-repo", "-ir"
})
local generate_parser = parser({
"class", "cl",
"component", "c",
"directive", "d",
"enum", "e",
"module", "m",
"pipe", "p",
"route", "r",
"service", "s"
},{
"--dry-run", "-d",
"--verbose", "-v",
"--pod", "-p",
"--classic", "-c",
"--dummy", "-dum", "-id",
"--in-repo-addon", "--in-repo", "-ir"
})
local help_parser = parser({
"--verbose", "-v",
"--json"
})
local init_parser = parser({
"--dry-run", "-d",
"--verbose", "-v",
"--blueprint", "-b",
"--skip-npm", "-sn",
"--skip-bower", "-sb",
"--name", "-n",
"--link-cli", "-lc",
"--source-dir", "-sd",
"--style", "--style=sass", "--style=scss", "--style=less", "--style=stylus",
"--prefix", "-p",
"--mobile",
"--routing",
"--inline-style", "-is",
"--inline-template", "-it"
})
local new_parser = parser({
"--dry-run", "-d",
"--verbose", "-v",
"--blueprint", "-b",
"--skip-npm", "-sn",
"--skip-git", "-sg",
"--directory", "-dir",
"--link-cli", "-lc",
"--source-dir", "-sd",
"--style",
"--prefix", "-p",
"--mobile",
"--routing",
"--inline-style", "-is",
"--inline-template", "-it"
})
local serve_parser = parser({
"--port", "-p",
"--host", "-H",
"--proxy", "-pr", "-pxy",
"--proxy-config", "-pc",
"--insecure-proxy", "--inspr",
"--watcher", "-w",
"--live-reload", "-lr",
"--live-reload-host", "-lrh",
"--live-reload-base-url", "-lrbu",
"--live-reload-port", "-lrp",
"--live-reload-live-css",
"--environment", "-e",
"--environment=development", "-dev",
"--environment=production", "-prod",
"--output-path", "-op", "-out",
"--ssl",
"--ssl-key",
"--ssl-cert",
"--target", "-t",
"--target=development", "-dev",
"--target=production", "-prod",
"--aot",
"--open", "-o"
})
local get_parser = parser({
"--global"
})
local set_parser = parser({
"--global", "-g"
})
local github_pages_parser = parser({
"--message",
"--environment",
"--branch",
"--skip-build",
"--gh-token",
"--gh-username",
"--user-page"
})
local test_parser = parser({
"--environment", "-e",
"--config-file", "-c", "-cf",
"--server", "-s",
"--host", "-H",
"--test-port", "-tp",
"--filter", "-f",
"--module", "-m",
"--watch", "--watcher", "-w",
"--launch",
"--reporter", "-r",
"--silent",
"--test-page",
"--page",
"--query",
"--code-coverage", "-cc",
"--lint", "-l",
"--browsers",
"--colors",
"--log-levevl",
"--port",
"--reporters",
"--build"
})
local version_parser = parser({
"--verbose"
})
local ng_parser = parser({
"addon"..addon_parser,
"asset-sizes"..asset_sizes_parser,
"build"..build_parser, "b"..build_parser,
"destroy"..destroy_parser, "d"..destroy_parser,
"generate"..generate_parser, "g"..generate_parser,
"help"..help_parser, "h"..help_parser, "--help"..help_parser, "-h"..help_parser,
"init"..init_parser,
"install", "i",
"new"..new_parser,
"serve"..serve_parser, "server"..serve_parser, "s"..serve_parser,
"test"..test_parser, "t"..test_parser,
"e2e",
"lint",
"version"..version_parser, "v"..version_parser, "--version"..version_parser, "-v"..version_parser,
"completion",
"doc",
"make-this-awesome",
"set"..set_parser,
"get"..get_parser,
"github-pages:deploy"..github_pages_parser
})
clink.arg.register_parser("ng", ng_parser) |
AddCSLuaFile("cl_init.lua")
AddCSLuaFile("shared.lua")
include('shared.lua')
function ENT:Initialize()
self:SetModel( "models/thedoctor/crackmachine_on.mdl")
self:PhysicsInit( SOLID_VPHYSICS )
self:SetMoveType( MOVETYPE_VPHYSICS )
self:SetSolid( SOLID_VPHYSICS )
self:SetUseType( SIMPLE_USE )
self.phys = self:GetPhysicsObject()
if self.phys:IsValid() then
self.phys:Wake()
end
--self:SetCollisionGroup( COLLISION_GROUP_DEBRIS )
self.NextBeep = 5
self.NextBeepTime = CurTime() + 2
self.Waiting = true
self.StopTime = CurTime() + math.Rand(15,70)
self.ATMTime = self.StopTime + math.Rand(5,3)
self.OldPos = Vector(0,0,0)
self.Speed = 0
self.SpeedTime = CurTime() + 15
self.LastPhysUpdate = CurTime()
end
function ENT:SpawnFunction( ply, tr )
if ( !tr.Hit ) then return end
local blarg = ents.Create ("sent_arc_atm_rocket")
blarg:SetPos(tr.HitPos + tr.HitNormal * 40)
blarg:Spawn()
blarg:Activate()
return blarg
end
function ENT:Use( ply, caller )
end
function ENT:OnTakeDamage(dmg)
end
function ENT:Think()
if !self:IsInWorld() then self:Remove() end
if self.NextBeep < 0.00000001 then
if self.StopTime > CurTime() then
if self.Waiting then
self.LastPhysUpdate = CurTime()
self.phys:Wake()
self.RocketSound = CreateSound( self, "^thrusters/rocket04.wav" )
self.Waiting = false
self.RocketSound:PlayEx(2, 100)
self.RocketSound:SetSoundLevel( 180 )
end
for i = -7,8 do
local relpoint = Vector(((i-1)%4)*2,math.ceil(i/4)*2,0)
local vPoint = self:LocalToWorld(Vector(-17,-3,-46)+relpoint)
local effectdata = EffectData()
effectdata:SetStart( vPoint ) -- not sure if ( we need a start and origin ( endpoint ) for this effect, but whatever
effectdata:SetOrigin( vPoint )
effectdata:SetScale( 0.1 )
util.Effect( "MuzzleEffect", effectdata )
end
self:NextThink(CurTime())
if self.Random then
if self.SpeedTime <= CurTime() then
self.Speed = math.floor(self.OldPos:Distance(self:GetPos()))
--MsgN(self.Speed)
if self.Speed == 0 then
self:EmitSound("ambient/levels/labs/electric_explosion"..math.random(1,5)..".wav")
self:SetAngles(AngleRand())
end
self.OldPos = self:GetPos()
self.SpeedTime = CurTime() + 1
end
end
return true
else
if self.RocketSound:IsPlaying() then
self.RocketSound:Stop()
end
if self.ATMTime < CurTime() then
self:Remove()
end
end
else
if self.NextBeepTime < CurTime() then
self.NextBeepTime = CurTime() + self.NextBeep
self.NextBeep = self.NextBeep*0.5
self:EmitSound("buttons/blip1.wav")
self:NextThink(CurTime())
return true
end
end
end
function ENT:PhysicsUpdate( phys )
local diff = CurTime() - self.LastPhysUpdate
self.LastPhysUpdate = CurTime()
if self.StopTime > CurTime() && self.NextBeep < 0.00000001 then
self.phys:ApplyForceCenter(self:GetUp()*phys:GetMass()*700*diff)
end
end
function ENT:OnRemove()
if self.RocketSound then
self.RocketSound:Stop()
end
if self.MapEnt then
local effectdata = EffectData()
effectdata:SetEntity( self )
util.Effect( "entity_remove", effectdata )
self:EmitSound("Airboat.FireGunRevDown")
timer.Simple(0.01,function()
if IsValid(self) then
self:Remove()
end
end)
end
local OldVel = self.phys:GetVelocity()
local OldAVel = self.phys:GetAngleVelocity()
local oldpos = self:GetPos()
local oldang = self:GetAngles()
local welddummeh = ents.Create ("sent_arc_atm");
if self.MapEnt then
welddummeh:SetPos(self.MapEnt[1]);
welddummeh:SetAngles(self.MapEnt[2])
welddummeh:Spawn()
--dummeh:SetColor( Color(0,0,0,0) )
welddummeh.ARCBank_MapEntity = true
local phys = welddummeh:GetPhysicsObject()
if IsValid(phys) then
phys:EnableMotion( false )
end
timer.Simple(0.01,function()
local effectdata = EffectData()
effectdata:SetEntity( welddummeh )
util.Effect( "propspawn", effectdata )
end)
else
welddummeh:SetPos(oldpos);
welddummeh:SetAngles(oldang)
welddummeh:Spawn()
--dummeh:SetColor( Color(0,0,0,0) )
welddummeh:GetPhysicsObject():SetVelocityInstantaneous(OldVel)
welddummeh:GetPhysicsObject():AddAngleVelocity(OldAVel)
end
end
|
--
-- Upcoming uniques will live here until their mods/rolls are finalised
--
data.uniques.new = {
[[
Speaker's Wreath
Prophet Crown
Unreleased: true
Requires Level 63
+23 to Dexterity
14% increased Skill Effect Duration
2% increased Minion Attack Speed per 50 Dexterity
2% increased Minion Movement Speed per 50 Dexterity
Minions' Hits can only Kill Ignited Enemies
]],[[
Tinkerskin
Sadist Garb
Unreleased: true
Requires Level 68
159% increased Evasion and Energy Shield
+60 to maximum Life
22% increased Cooldown Recovery Speed for throwing Traps
15% chance to gain a Frenzy Charge when your Trap is triggered by an Enemy
30% chance to gain Phasing for 4 seconds when your Trap is triggered by an Enemy
Recover 100 Life when your Trap is triggered by an Enemy
Recover 50 Energy Shield when your Trap is triggered by an Enemy
]],[[
Soul Tether
Cloth Belt
Unreleased: true
Requires Level 16
(15-25)% increased Stun and Block Recovery
+40 to Intelligence
Your Energy Shield starts at zero
You cannot Recharge Energy Shield
You cannot Regenerate Energy Shield
You lose (4-6)% Energy Shield per second
Life Leech is applied to Energy Shield instead when on Full Life
Gain (4-6)% of Maximum Life as Extra Maximum Energy Shield
]],[[
Ahn's Might
Midnight Blade
Unreleased: true
Requires Level 68
40% increased Accuracy Rating
Adds 85 to 186 Physical Damage
-1 to Maximum Frenzy Charges
+200 Strength Requirement
+50% Global Critical Strike Multiplier while at Maximum Frenzy Charges
15% increased Area of Effect of Skills while you have no Frenzy Charges
Movement Attack Skills have 40% reduced Attack Speed
]],[[
Spreading Rot
Cobalt Jewel
Unreleased: true
Limited to: 2
Radius: Medium
(10-15)% increased Chaos Damage
With at least 40 Intelligence in Radius, Blight has 50% increased Hinder Duration
With at least 40 Intelligence in Radius, Enemies Hindered by Blight take 25% increased Chaos Damage
]],[[
Hazardous Research
Cobalt Jewel
Unreleased: true
Limited to: 2
Radius: Medium
(10-15)% increased Lightning Damage
With at least 40 Intelligence in Radius, Spark fires 2 additional Projectiles
With at least 40 Intelligence in Radius, Spark fires Projectiles in a Nova
25% reduced Spark Duration
]],[[
Inya's Epiphany
Arcanist Slippers
Unreleased: true
Requires Level 61
+63 to maximum Life
25% increased Movement Speed
5% increased Intelligence
5% increased Damage per Power Charge
25% chance that if you would gain Power Charges, you instead gain
up to your maximum number of Power Charges
]],[[
Volkuur's Guidance
Zealot Gloves
Unreleased: true
Requires Level 43
Adds 17 to 28 Cold Damage to Spells and Attacks
+67 to maximum Life
+37% to Cold Resistance
50% less Poison Duration
Cold Damage can Poison
Cold Skills have 20% chance to Poison on Hit
]],[[
The Coming Calamity
Destroyer Regalia
Requires Level 53
Unreleased: true
86% increased Energy Shield
35% chance to avoid being Stunned for each Herald Skill affecting you
Mana Reservation of Herald Skills is always 45%
+2 to Level of Socketed Herald Gems
]],
} |
-- global
DB = nil
if not Config.database then
log.error("Database config file not found.")
ServerExit()
return
end
mariadb_log(Config.database['log_level'])
local port = 3306
if Config.database['port'] ~= nil then
port = tonumber(Config.database['port'])
end
DB = mariadb_connect(Config.database['host'] .. ':' .. port, Config.database['user'], Config.database['password'],
Config.database['name'])
if DB == false then
print("MariaDB: Connection failed to " .. Config.database['host'] .. ", see mariadb_log file")
ServerExit()
return
end
log.info("MariaDB: Connected to " .. Config.database['host'])
local charset = 'utf8'
if Config.database['charset'] ~= nil then
charset = Config.database['charset']
end
mariadb_set_charset(DB, charset)
--[[ # OnServerExit ???
mariadb_close(DB)
]]
AddEvent("OnQueryError", function(errorid, error_str, query_str, handle_id)
log.error("DATABASE ERROR: " .. error_str)
end)
--
-- Schema tables / Database API
--
local Tables = {}
function InitTable(name, fields, force_recreate)
Tables[name] = Table.new(DB, name, fields)
-- create schema, force recreate if specified
local force_recreate = force_recreate or false
Tables[name].create_schema(force_recreate)
end
function InsertRow(name, params, callback)
return Tables[name].insert(params, callback)
end
function UpdateRows(name, params, where)
return Tables[name].update(params, where)
end
function TruncateTable(name)
return Tables[name].truncate()
end
function SelectRows(name, fields, where, callback)
if not callback then
log.warn("SelectRows missing callback!")
end
return Tables[name].select(fields, where, callback)
end
function SelectFirst(name, where, callback)
if not callback then
log.warn("SelectFirst missing callback!")
end
return Tables[name].first(where, callback)
end
function DeleteRow(name, where)
return Tables[name].delete(where)
end
--
-- Schema table functions
--
function FormatDateTime(time)
return os.date("%Y-%m-%d %H:%M:%S", time)
end
AddFunctionExport("FormatDateTime", FormatDateTime)
function FormatDataType(type)
if type == "number" then
return "INT"
elseif type == "char" then
return "VARCHAR"
elseif type == "bool" then
return "TINYINT"
elseif type == "text" then
return "TEXT"
elseif type == "json" then
return "LONGTEXT"
elseif type == "datetime" then
return "DATETIME"
else
log.error("Unreconized data type: "..type)
return type
end
end
-- Handles NULL strings and quotes for SQL statements
-- Must return a string
function FormatValue(value, field)
if field.type == "char" or field.type == "text" or field.type == "datetime" then
if value == nil and field.null ~= false then
return "NULL"
else
return "'" .. tostring(mariadb_escape_string(DB, value)) .. "'"
end
elseif field.type == "json" then
return "'" .. json_encode(value) .. "'"
elseif field.type == "bool" then
if value then
return "1"
else
return "0"
end
else
-- integers
if value == nil then
return "NULL"
else
return tostring(value)
end
end
end
-- TODO
function ValidateDataType(value, field)
return true
end
|
require("bufferline").setup({
options = {
separator_syle = "thin",
numbers = "none",
offsets = {
{
filetype = "NvimTree",
text = "Files",
text_align = "center",
},
},
diagnostics = "nvim_lsp",
},
})
|
while true do
f = Instance.new("ForceField")
f.Parent = Game.Workspace.acb227
wait(0.01)
end |
function LoadUDM(property)
local udm = require("UdmLoader")()
udm:Load(property.filepath)
local udminst = {
Tetra = function()
return udm:TetraData()
end,
Mesh = function ()
return udm:MeshData()
end,
ExtraP = function ()
return udm:ExtraData('P')
end,
ExtraT = function ()
return udm:ExtraData('TEMPARATURE')
end,
ExtraU = function ()
return udm:ExtraData('U')
end,
ExtraV = function ()
return udm:ExtraData('V')
end,
ExtraW = function ()
return udm:ExtraData('W')
end
}
return udminst
end
|
-- Day15 with actual closure-based generators (iterators) in Lua...
function genGenerator(factor, START, mod2)
local DIVISOR = 2147483647
local value = START
mod2 = mod2 or 1
return function ()
repeat
value = value * factor % DIVISOR
until (value % mod2) == 0
return value
end
end
function iter(num, GenA, GenB)
local count, band, mask = 0, bit.band, 0xFFFF
for i = 1, num do
if (band(GenA(), mask) == band(GenB(), mask)) then
count = count + 1
end
end
return count
end
function Day15(STARTA, STARTB)
print("--------------- Day 15 -------------")
print("Part A Count: " .. iter(40000000, genGenerator(16807, STARTA), genGenerator(48271, STARTB)))
print("Part B Count: " .. iter(5000000, genGenerator(16807, STARTA, 4), genGenerator(48271, STARTB, 8)))
end
--Day15(65, 8921) -- Test Values
Day15(618, 814) -- My Values
|
-- Initialization function for this job file.
function get_sets()
mote_include_version = 2
include('Mote-Include.lua')
end
-- //gs debugmode
-- //gs showswaps
function user_setup()
-- Options: Override default values
state.OffenseMode:options('Normal', 'Acc')
state.WeaponskillMode:options('Normal', 'Acc')
state.HybridMode:options('Normal', 'PDT')
state.CastingMode:options('Normal', 'Resistant')
state.IdleMode:options('Normal','PDT')
state.PhysicalDefenseMode:options('PDT', 'MDT')
update_combat_form()
end
-- Called when this job file is unloaded (eg: job change)
function file_unload()
if binds_on_unload then
binds_on_unload()
end
end
-- Set up gear sets.
function init_gear_sets()
-- See the sidecar file in gear/WAR.lua for gear.
end
-- Job-specific hooks for standard casting events.
function job_midcast(spell, action, spellMap, eventArgs)
end
function job_buff_change(buff, gain)
update_combat_form()
end
-- Called when the player's status changes.
function job_state_change(field, new_value, old_value)
update_combat_form()
end
function update_combat_form()
-- Check Weapontype
if S{"Ragnarok","Chango","Nandaka","Shining One"}:contains(player.equipment.main) then
state.CombatForm:set(player.equipment.main)
elseif S{"Drepanum"}:contains(player.equipment.main) then
state.CombatForm:set("Scythe")
elseif S{"Karambit"}:contains(player.equipment.main) then
state.CombatForm:set("H2H")
elseif (player.sub_job == 'NIN' or player.sub_job == 'DNC') and
player.equipment.sub and not player.equipment.sub:contains('Shield')
and not player.equipment.sub:contains('Grip') and not player.equipment.sub:contains('empty') then
state.CombatForm:set('DW')
else
state.CombatForm:reset()
end
end
-- Called by the 'update' self-command, for common needs.
-- Set eventArgs.handled to true if we don't want automatic equipping of gear.
function job_update(cmdParams, eventArgs)
update_combat_form()
end
-- eventArgs is the same one used in job_precast, in case information needs to be persisted.
moonshade_WS = S{"Resolution", "Torcleaver"}
function job_post_precast(spell, action, spellMap, eventArgs)
-- Make sure abilities using head gear don't swap
if spell.type:lower() == 'weaponskill' then
if world.time >= (17*60) or world.time <= (7*60) then
equip(sets.Lugra)
end
end
end
-- eventArgs is the same one used in job_midcast, in case information needs to be persisted.
function job_post_midcast(spell, action, spellMap, eventArgs)
if spellMap == 'Cure' and spell.target.type == 'SELF' then
equip(sets.midcast.CureSelf)
end
end
-- Select default macro book on initial load or subjob change.
function select_default_macro_book()
end
|
--[[
© CloudSixteen.com do not share, re-distribute or modify
without permission of its author (kurozael@gmail.com).
Clockwork was created by Conna Wiles (also known as kurozael.)
http://cloudsixteen.com/license/clockwork.html
--]]
function cwCloudSixteenForums:MenuItemsAdd(menuItems)
menuItems:Add(L("MenuNameCommunity"), "cwCloudSixteenForums", L("MenuDescCommunity"), Clockwork.option:GetKey("icon_data_plugin_center"));
end;
|
Rain = require 'rain'
function love.load()
-- Window
love.window.setTitle("rain")
windowWidth = 800
windowHeight = 600
love.window.setMode(windowWidth, windowHeight)
--[[
Rain variables
deltaX: distance in pixels from the x1 value of a rain line to the x2
deltaY: distance in pixels from the y1 value of a rain line to the y2
rainAmount: amount of rain drops
]]--
deltaX = 3
deltaY = 10
rainAmount = 1000
--Rain sound
sound = {}
sound[0] = love.audio.newSource("rain.ogg", "stream")
sound[1] = love.audio.newSource("rain.ogg", "stream")
sound[0]:setLooping(true)
sound[0]:play()
sound_time = 0
-- Instantiate rain
rain = Rain:new (nil, windowWidth, windowHeight, deltaX, deltaY, rainAmount)
end
function love.update(dt)
-- Rain soud
sound_time = sound_time + dt
if sound_time >= 20 then
sound[1]:setVolume(0.8)
sound[1]:play()
sound_time = 0
end
-- Rain update
rain:update(dt)
end
function love.draw()
-- Rain draw
rain:draw()
end
|
local sum = 0
local maxJ = 1000
for j = 1,maxJ do
for i = 1,10000 do
sum = sum + 1
end
end
print (sum)
|
snet.Callback('qsystem_sync_npcs', function(_, ent, npcs)
ent.npcs = npcs
QuestSystem:Debug('SyncNPCs (' .. table.Count(npcs) .. ') - ' .. table.ToString(npcs))
end).Validator(SNET_ENTITY_VALIDATOR).Register() |
return {
{
file = "example-article",
title = "An example article",
date = "2020-06-25",
},
}
|
--[[
This file was extracted by 'EsoLuaGenerator' at '2021-09-04 16:42:26' using the latest game version.
NOTE: This file should only be used as IDE support; it should NOT be distributed with addons!
****************************************************************************
CONTENTS OF THIS FILE IS COPYRIGHT ZENIMAX MEDIA INC.
****************************************************************************
]]
------------------
-- Guild Finder: Guild Browser Manager --
--
-- Manages Guild Browser data in lua
------------------
ZO_GUILD_BROWSER_META_DATA_ATTRIBUTES =
{
GUILD_META_DATA_ATTRIBUTE_NAME,
GUILD_META_DATA_ATTRIBUTE_RECRUITMENT_MESSAGE,
GUILD_META_DATA_ATTRIBUTE_LANGUAGES,
GUILD_META_DATA_ATTRIBUTE_ACTIVITIES,
GUILD_META_DATA_ATTRIBUTE_PERSONALITIES,
GUILD_META_DATA_ATTRIBUTE_ALLIANCE,
GUILD_META_DATA_ATTRIBUTE_SIZE,
GUILD_META_DATA_ATTRIBUTE_KIOSK,
GUILD_META_DATA_ATTRIBUTE_HERALDRY,
GUILD_META_DATA_ATTRIBUTE_FOUNDED_DATE,
GUILD_META_DATA_ATTRIBUTE_PRIMARY_FOCUS,
GUILD_META_DATA_ATTRIBUTE_SECONDARY_FOCUS,
GUILD_META_DATA_ATTRIBUTE_MINIMUM_CP,
GUILD_META_DATA_ATTRIBUTE_ROLES,
GUILD_META_DATA_ATTRIBUTE_START_TIME,
GUILD_META_DATA_ATTRIBUTE_END_TIME,
GUILD_META_DATA_ATTRIBUTE_HEADER_MESSAGE,
}
ZO_GuildBrowser_Manager = ZO_CallbackObject:Subclass()
function ZO_GuildBrowser_Manager:New(...)
local manager = ZO_CallbackObject.New(self)
manager:Initialize(...)
return manager
end
function ZO_GuildBrowser_Manager:Initialize()
self.currentFoundGuilds = {}
self.guildDataList = {}
self.guildDataRequestQueue = {}
self.currentApplications = {}
self.searchState = GUILD_FINDER_SEARCH_STATE_NONE
local function CreateGuildData(objectPool)
return
{
initialized = {},
}
end
local function ResetGuildData(object)
object =
{
initialized = {},
}
end
RequestGuildFinderAccountApplications()
self.guildDataPool = ZO_ObjectPool:New(CreateGuildData, ResetGuildData)
local function OnGuildDataRequestComplete(eventId, guildId)
local requestedGuildId = table.remove(self.guildDataRequestQueue, 1)
if guildId == requestedGuildId then
local hasGuildData = DoesGuildDataHaveInitializedAttributes(guildId, unpack(ZO_GUILD_BROWSER_META_DATA_ATTRIBUTES))
if hasGuildData then
self:PopulateGuildData(requestedGuildId)
end
self:FireCallbacks("OnGuildDataReady", requestedGuildId)
end
end
local function OnGuildFinderSearchComplete(eventId, searchId)
if self.searchState == GUILD_FINDER_SEARCH_STATE_QUEUED or searchId ~= self.currentSearchId then
return -- Don't update when the search complete is not for our current search or we are waiting to do a new search immediately
end
self:ClearCurrentFoundGuilds()
local numResults = GuildFinderGetNumSearchResults()
for i = 1, numResults do
local foundGuildId = GuildFinderGetSearchResultGuildId(i)
table.insert(self.currentFoundGuilds, foundGuildId)
end
self:SetSearchState(GUILD_FINDER_SEARCH_STATE_COMPLETE)
self:FireCallbacks("OnGuildFinderSearchResultsReady")
end
local function OnAddOnLoaded(event, name)
if name == "ZO_Ingame" then
local defaults = { applicationText = "", reportedGuilds = {} }
self.savedVars = ZO_SavedVars:NewAccountWide("ZO_Ingame_SavedVariables", 1, "ZO_GuildBrowser_ApplicationMessage", defaults)
EVENT_MANAGER:UnregisterForEvent("ZO_GuildBrowser_Manager", EVENT_ADD_ON_LOADED)
end
end
local function OnGuildFinderSearchCooldownUpdate(event, cooldownTimeMs)
if self:IsSearchStateReady() and cooldownTimeMs > 0 then
self:SetSearchState(GUILD_FINDER_SEARCH_STATE_WAITING)
elseif self.searchState == GUILD_FINDER_SEARCH_STATE_QUEUED and cooldownTimeMs == 0 then
self:ExecuteSearchInternal()
end
end
local function OnGuildFinderApplicationResults()
self:BuildApplications()
self:FireCallbacks("OnApplicationsChanged")
end
local function OnApplicationResponse(event, guildId, result)
if result == GUILD_APP_RESPONSE_APPLICATION_SENT then
local guildData = self:GetGuildData(guildId)
local guildName = ZO_WHITE:Colorize(guildData.guildName)
local decoratedGuildName = ZO_AllianceIconNameFormatter(guildData.alliance, guildName)
ZO_Dialogs_ShowPlatformDialog("GUILD_FINDER_APPLICATION_SUBMITTED", nil, { mainTextParams = { decoratedGuildName } })
else
ZO_Dialogs_ShowPlatformDialog("GUILD_FINDER_APPLICATION_FAILED", nil, { mainTextParams = { GetString("SI_GUILDAPPLICATIONRESPONSE", result) } })
end
end
EVENT_MANAGER:RegisterForEvent("ZO_GuildBrowser_Manager", EVENT_ADD_ON_LOADED, OnAddOnLoaded)
EVENT_MANAGER:RegisterForEvent("ZO_GuildBrowser_Manager", EVENT_GUILD_INFO_REQUEST_COMPLETE, OnGuildDataRequestComplete)
EVENT_MANAGER:RegisterForEvent("ZO_GuildBrowser_Manager", EVENT_GUILD_FINDER_SEARCH_COMPLETE, OnGuildFinderSearchComplete)
EVENT_MANAGER:RegisterForEvent("ZO_GuildBrowser_Manager", EVENT_GUILD_FINDER_SEARCH_COOLDOWN_UPDATE, OnGuildFinderSearchCooldownUpdate)
EVENT_MANAGER:RegisterForEvent("ZO_GuildBrowser_Manager", EVENT_GUILD_FINDER_APPLICATION_RESULTS_PLAYER, OnGuildFinderApplicationResults)
EVENT_MANAGER:RegisterForEvent("ZO_GuildBrowser_Manager", EVENT_GUILD_FINDER_APPLICATION_RESPONSE, OnApplicationResponse)
end
function ZO_GuildBrowser_Manager:BuildApplications()
ZO_ClearNumericallyIndexedTable(self.currentApplications)
local numApps = GetGuildFinderNumAccountApplications()
for i = 1, numApps do
local guildId, level, championPoints, alliance, classId, guildName, guildAlliance, accountName, characterName, achievementPoints, applicationMessage = GetGuildFinderAccountApplicationInfo(i)
local timeRemainingS = GetGuildFinderAccountApplicationDuration(i)
local applicationData =
{
index = i,
guildId = guildId,
name = accountName,
characterName = characterName,
guildName = guildName,
guildAlliance = guildAlliance,
level = level,
class = classId,
alliance = alliance,
championPoints = championPoints,
achievementPoints = achievementPoints,
message = applicationMessage,
durationS = timeRemainingS,
}
table.insert(self.currentApplications, applicationData)
end
end
function ZO_GuildBrowser_Manager:HasGuildData(guildId)
return self.guildDataList[guildId] ~= nil
end
do
local function SetupHeraldryData(guildData)
-- Retrieve Heraldry Info
local bgCategory, bgStyle, backgroundPrimaryColorIndex, backgroundSecondaryColorIndex, crestCategoryIndex, crestStyleIndex, crestColorIndex = GetGuildHeraldryAttribute(guildData.guildId)
local bgCategoryIconPath = GetHeraldryGuildFinderBackgroundCategoryIcon(bgCategory)
local bgStyleIconPath = GetHeraldryGuildFinderBackgroundStyleIcon(bgCategory, bgStyle)
local crestIconPath = GetHeraldryGuildFinderCrestStyleIcon(crestCategoryIndex, crestStyleIndex)
local _, _, crestR, crestG, crestB = GetHeraldryColorInfo(crestColorIndex)
local _, _, backgroundPrimaryR, backgroundPrimaryG, backgroundPrimaryB = GetHeraldryColorInfo(backgroundPrimaryColorIndex)
local _, _, backgroundSecondaryR, backgroundSecondaryG, backgroundSecondaryB = GetHeraldryColorInfo(backgroundSecondaryColorIndex)
guildData.heraldry = {}
guildData.heraldry.hasHeraldry = not (backgroundPrimaryColorIndex == 1 and backgroundSecondaryColorIndex == 1 and crestCategoryIndex == 1 and crestStyleIndex == 1 and crestColorIndex == 1)
guildData.heraldry.bgCategoryIconPath = bgCategoryIconPath
guildData.heraldry.bgStyleIconPath = bgStyleIconPath
guildData.heraldry.crestIconPath = crestIconPath
guildData.heraldry.crestColor = { crestR, crestG, crestB }
guildData.heraldry.primaryBackgroundColor = { backgroundPrimaryR, backgroundPrimaryG, backgroundPrimaryB }
guildData.heraldry.secondaryBackgroundColor = { backgroundSecondaryR, backgroundSecondaryG, backgroundSecondaryB }
end
local function SetupRoleData(guildData)
guildData.roles = {}
local guildId = guildData.guildId
for i, role in ipairs(ZO_GUILD_FINDER_ROLE_ORDER) do
if DoesGuildHaveRoleAttribute(guildId, role) then
table.insert(guildData.roles, role)
end
end
end
local GUILD_BROWSER_DISPLAY_ATTRIBUTE_FUNCTION =
{
[GUILD_META_DATA_ATTRIBUTE_NAME] = function(guildData) guildData.guildName = GetGuildNameAttribute(guildData.guildId) end,
[GUILD_META_DATA_ATTRIBUTE_RECRUITMENT_MESSAGE] = function(guildData) guildData.recruitmentMessage = GetGuildRecruitmentMessageAttribute(guildData.guildId) end,
[GUILD_META_DATA_ATTRIBUTE_LANGUAGES] = function(guildData) guildData.language = GetGuildLanguageAttribute(guildData.guildId) end,
[GUILD_META_DATA_ATTRIBUTE_ACTIVITIES] = function(guildData) guildData.activitiesText = ZO_GuildFinder_Manager.GetAttributeCommaFormattedList(guildData.guildId, GUILD_ACTIVITY_ATTRIBUTE_VALUE_ITERATION_BEGIN, GUILD_ACTIVITY_ATTRIBUTE_VALUE_ITERATION_END, DoesGuildHaveActivityAttribute, "SI_GUILDACTIVITYATTRIBUTEVALUE") end,
[GUILD_META_DATA_ATTRIBUTE_PERSONALITIES] = function(guildData) guildData.personality = GetGuildPersonalityAttribute(guildData.guildId) end,
[GUILD_META_DATA_ATTRIBUTE_ALLIANCE] = function(guildData) guildData.alliance = GetGuildAllianceAttribute(guildData.guildId) end,
[GUILD_META_DATA_ATTRIBUTE_SIZE] = function(guildData) guildData.size = GetGuildSizeAttribute(guildData.guildId) end,
[GUILD_META_DATA_ATTRIBUTE_KIOSK] = function(guildData) guildData.guildTraderText = GetGuildKioskAttribute(guildData.guildId) or GetString(SI_GUILD_FINDER_GUILD_INFO_DEFAULT_ATTRIBUTE_VALUE) end,
[GUILD_META_DATA_ATTRIBUTE_HERALDRY] = SetupHeraldryData,
[GUILD_META_DATA_ATTRIBUTE_FOUNDED_DATE] = function(guildData) guildData.foundedDateText = GetGuildFoundedDateAttribute(guildData.guildId) end,
[GUILD_META_DATA_ATTRIBUTE_PRIMARY_FOCUS] = function(guildData) guildData.primaryFocus = GetGuildPrimaryFocusAttribute(guildData.guildId) end,
[GUILD_META_DATA_ATTRIBUTE_SECONDARY_FOCUS] = function(guildData) guildData.secondaryFocus = GetGuildSecondaryFocusAttribute(guildData.guildId) end,
[GUILD_META_DATA_ATTRIBUTE_MINIMUM_CP] = function(guildData) guildData.minimumCP = GetGuildMinimumCPAttribute(guildData.guildId) end,
[GUILD_META_DATA_ATTRIBUTE_ROLES] = SetupRoleData,
[GUILD_META_DATA_ATTRIBUTE_START_TIME] = function(guildData) guildData.startTimeHour = GetGuildLocalStartTimeAttribute(guildData.guildId) end,
[GUILD_META_DATA_ATTRIBUTE_END_TIME] = function(guildData) guildData.endTimeHour = GetGuildLocalEndTimeAttribute(guildData.guildId) end,
[GUILD_META_DATA_ATTRIBUTE_HEADER_MESSAGE] = function(guildData) guildData.headerMessage = GetGuildHeaderMessageAttribute(guildData.guildId) end,
}
function ZO_GuildBrowser_Manager:PopulateGuildData(guildId)
if not self.guildDataList[guildId] then
self.guildDataList[guildId] = self.guildDataPool:AcquireObject()
self.guildDataList[guildId].guildId = guildId
end
local guildData = self.guildDataList[guildId]
for _, data in ipairs(ZO_GUILD_BROWSER_META_DATA_ATTRIBUTES) do
GUILD_BROWSER_DISPLAY_ATTRIBUTE_FUNCTION[data](guildData)
end
end
end
function ZO_GuildBrowser_Manager:GetGuildData(guildId)
local hasGuildData = DoesGuildDataHaveInitializedAttributes(guildId, unpack(ZO_GUILD_BROWSER_META_DATA_ATTRIBUTES))
if hasGuildData then
self:PopulateGuildData(guildId)
return self.guildDataList[guildId]
end
return nil
end
function ZO_GuildBrowser_Manager:RequestGuildData(guildId)
if not self:GetGuildData(guildId) and not self:IsRequestingGuildData(guildId) then
local didRequest = RequestGuildFinderAttributesForGuild(guildId)
if didRequest then
table.insert(self.guildDataRequestQueue, guildId)
end
return didRequest
end
return false
end
function ZO_GuildBrowser_Manager:IsRequestingGuildData(guildId)
for i, requestedGuildId in ipairs(self.guildDataRequestQueue) do
if requestedGuildId == guildId then
return true
end
end
return false
end
function ZO_GuildBrowser_Manager:HasCurrentFoundGuilds()
return #self.currentFoundGuilds > 0
end
function ZO_GuildBrowser_Manager:ClearCurrentFoundGuilds()
ZO_ClearNumericallyIndexedTable(self.currentFoundGuilds)
end
function ZO_GuildBrowser_Manager:CurrentFoundGuildsListIterator()
return ipairs(self.currentFoundGuilds)
end
function ZO_GuildBrowser_Manager:GetCurrentApplicationsList()
return self.currentApplications
end
function ZO_GuildBrowser_Manager:HasPendingApplicationToGuild(guildId)
for i, application in ipairs(self.currentApplications) do
if application.guildId == guildId then
return true
end
end
return false
end
function ZO_GuildBrowser_Manager:GetSavedApplicationMessage()
return self.savedVars.applicationText
end
function ZO_GuildBrowser_Manager:SetSavedApplicationMessage(text)
self.savedVars.applicationText = text
ZO_SavePlayerConsoleProfile()
end
function ZO_GuildBrowser_Manager:AddReportedGuild(guildId)
self.savedVars.reportedGuilds[guildId] = true
ZO_SavePlayerConsoleProfile()
end
function ZO_GuildBrowser_Manager:IsGuildReported(guildId)
return self.savedVars.reportedGuilds[guildId] == true
end
function ZO_GuildBrowser_Manager:ExecuteSearch()
if self:CanSearchGuilds() then
self:ExecuteSearchInternal()
else
self:SetSearchState(GUILD_FINDER_SEARCH_STATE_QUEUED)
end
end
function ZO_GuildBrowser_Manager:ExecuteSearchInternal()
local searchId = GuildFinderRequestSearch()
if searchId ~= nil then
self.currentSearchId = searchId
self:SetSearchState(GUILD_FINDER_SEARCH_STATE_WAITING)
end
end
function ZO_GuildBrowser_Manager:SetSearchState(searchState)
if self.searchState ~= searchState then
self.searchState = searchState
self:FireCallbacks("OnSearchStateChanged", searchState)
end
end
function ZO_GuildBrowser_Manager:GetSearchState()
return self.searchState
end
function ZO_GuildBrowser_Manager:IsSearchStateReady()
return self.searchState == GUILD_FINDER_SEARCH_STATE_NONE or self.searchState == GUILD_FINDER_SEARCH_STATE_COMPLETE
end
function ZO_GuildBrowser_Manager:CanSearchGuilds()
return not GuildFinderIsSearchOnCooldown()
end
do
local DEFAULT_BANNER_TEXTURE = "EsoUI/Art/GuildFinder/tabard_no_heraldry.dds"
function ZO_GuildBrowser_Manager:BuildGuildHeraldryControl(guildHeraldry, guildData)
local heraldryData = guildData.heraldry
if heraldryData.hasHeraldry then
guildHeraldry.banner:SetColor(unpack(heraldryData.primaryBackgroundColor))
guildHeraldry.banner:SetTexture(heraldryData.bgCategoryIconPath)
guildHeraldry.pattern:SetHidden(false)
guildHeraldry.pattern:SetColor(unpack(heraldryData.secondaryBackgroundColor))
guildHeraldry.pattern:SetTexture(heraldryData.bgStyleIconPath)
guildHeraldry.crest:SetHidden(false)
guildHeraldry.crest:SetColor(unpack(heraldryData.crestColor))
guildHeraldry.crest:SetTexture(heraldryData.crestIconPath)
else
guildHeraldry.crest:SetHidden(true)
guildHeraldry.pattern:SetHidden(true)
guildHeraldry.banner:SetTexture(DEFAULT_BANNER_TEXTURE)
guildHeraldry.banner:SetColor(ZO_WHITE:UnpackRGB())
end
end
end
-- Debug only command
function ZO_GuildBrowser_Manager:ClearReportedGuilds()
ZO_ClearTable(self.savedVars.reportedGuilds)
ZO_SavePlayerConsoleProfile()
end
function ZO_GuildBrowser_Manager:WipeAllData()
self.guildDataPool:ReleaseAllObjects()
self.guildDataList = {}
end
GUILD_BROWSER_MANAGER = ZO_GuildBrowser_Manager:New() |
local status_ok, impatient = pcall(require, 'impatient')
if not status_ok then
vim.notify('The `lewis6991/impatient.nvim` was not found.')
return
end
impatient.enable_profile()
|
SafeAddString("SI_IMPROVED_DEATH_RECAP_LANG", "en")
SafeAddString("SI_IMPROVED_DEATH_RECAP_FONT", "$(MEDIUM_FONT)") -- EsoUi/Common/Fonts/Univers57.otf
SafeAddString("SI_IMPROVED_DEATH_TITLE_FONT", "$(ANTIQUE_FONT)|24")
-- Options Menu
SafeAddString("SI_IMPROVED_DEATH_RECAP_MENU_HEADER", "Allgemeine Einstellungen")
SafeAddString("SI_IMPROVED_DEATH_RECAP_MENU_SAVEDEVENTS", "Anzahl der Ereignisse")
SafeAddString("SI_IMPROVED_DEATH_RECAP_MENU_SAVEDEVENTS_TT", "Anzahl der Ereignisse (wie Schaden, Heilung, ...), die pro Kampf gespeichert werden")
SafeAddString("SI_IMPROVED_DEATH_RECAP_MENU_SAVEDDEATHS", "Anzahl der Tode")
SafeAddString("SI_IMPROVED_DEATH_RECAP_MENU_SAVEDDEATHS_TT", "Anzahl der Tode, die gespeichert werden")
SafeAddString("SI_IMPROVED_DEATH_RECAP_MENU_LOCKWINDOW", "Fenster Sperren")
SafeAddString("SI_IMPROVED_DEATH_RECAP_MENU_LOCKWINDOW_TT", "Sperrt das Improved Death Recap Fenster")
SafeAddString("SI_IMPROVED_DEATH_RECAP_MENU_OPACITY", "Transparenz")
SafeAddString("SI_IMPROVED_DEATH_RECAP_MENU_OPACITY_TT", "Transparenz des Improved Death Recap Fensters")
SafeAddString("SI_IMPROVED_DEATH_RECAP_MENU_FONTSIZE", "Schriftgröße")
SafeAddString("SI_IMPROVED_DEATH_RECAP_MENU_FONTSIZE_TT", "Schriftgröße des Textes im Improved Death Recap Fenster")
SafeAddString("SI_IMPROVED_DEATH_RECAP_MENU_HIDEONREVIVE", "Ausblenden beim wiederbeleben")
SafeAddString("SI_IMPROVED_DEATH_RECAP_MENU_HIDEONREVIVE_TT", "Blendet das Improved Death Recap Fenster aus, wenn du von den Toten zurückkehrst")
SafeAddString("SI_IMPROVED_DEATH_RECAP_MENU_HIDEONREVIVE_DELAY", "Verzögerung beim Fenster schließen")
SafeAddString("SI_IMPROVED_DEATH_RECAP_MENU_HIDEONREVIVE_DELAY_TT", "Blendet das Improved Death Recap Fenster erst x Sekunden nachdem du zurückgekehrt bist, aus")
SafeAddString("SI_IMPROVED_DEATH_RECAP_MENU_HIDEINCOMBAT", "Ausblenden im Kampf")
SafeAddString("SI_IMPROVED_DEATH_RECAP_MENU_HIDEINCOMBAT_TT", "Blendet das Improved Death Recap Fenster während des Kampfes aus")
SafeAddString("SI_IMPROVED_DEATH_RECAP_MENU_SHOWAFTERCOMBAT", "Wiedereinblenden nach dem Kampf")
SafeAddString("SI_IMPROVED_DEATH_RECAP_MENU_SHOWAFTERCOMBAT_TT", "Blendet das Improved Death Recap Fenster nach dem Kampf wieder ein, falls es vorher eingeblendet war")
SafeAddString("SI_IMPROVED_DEATH_RECAP_MENU_STAMINATHRESHOLD", "Ausdauer Grenzwert")
SafeAddString("SI_IMPROVED_DEATH_RECAP_MENU_STAMINATHRESHOLD_TT", "Wenn die Ausdauer unter dem Grenzwert liegt wird sie im Improved Death Recap Fenster mit angezeigt. Ist der wert auf 0 gesetzt wird die Ausdauer immer angezeigt")
SafeAddString("SI_IMPROVED_DEATH_RECAP_HELPTEXT", "Du kannst die folgenden Befehle verwenden:\n/idr help - Zeigt diese Hilfe an\n/idr show - Blendet das Improved Death Recap Fenster ein\n/idr hide - Blendet das Improved Death Recap Fenster aus")
|
-- _.isNumber.lua
--
-- Checks if value is classified as a number primitive.
-- @usage _.print(_.isNumber(1))
-- --> true
-- _.print(_.isNumber('1'))
-- --> false
--
-- @param value the value to check
-- @return Returns true if value is correctly classified, else false.
_.isNumber = function(value)
return type(value) == 'number'
end
|
if not _G.CTH then
dofile(ModPath .. 'setup.lua')
end
-- remove display of cableties from HUD, since you have infinite anyways.
if CTH.settings.cth_hidehud then
function HUDManager:set_cable_ties_amount(i, amount)
if i == HUDManager.PLAYER_PANEL then
amount = 0
end
self._teammate_panels[i]:set_cable_ties_amount(amount)
end
function HUDManager:set_cable_tie(i, data)
if i == HUDManager.PLAYER_PANEL then
data.amount = 0
end
self._teammate_panels[i]:set_cable_tie(data)
end
end
|
---------------------------------------------------------------------------------------------------
-- Proposal: https://github.com/smartdevicelink/sdl_evolution/blob/master/proposals/0240-sdl-js-pwa.md
--
-- Description:
-- Verify that the SDL does not establish WebSocket-Secure connection in case of WS Client Certificate is self signed
--
-- Precondition:
-- 1. SDL and HMI are started
--
-- Sequence:
-- 1. Create WebSocket-Secure connection
-- a. SDL does not establish WebSocket-Secure connection
---------------------------------------------------------------------------------------------------
--[[ General test configuration ]]
config.defaultMobileAdapterType = "WSS"
--[[ Required Shared libraries ]]
local runner = require('user_modules/script_runner')
local common = require('test_scripts/WebEngine/commonWebEngine')
--[[ General configuration parameters ]]
runner.testSettings.isSelfIncluded = false
runner.testSettings.restrictions.sdlBuildOptions = {{webSocketServerSupport = {"ON"}}}
config.wssCertificateCAPath = "./files/Security/WebEngine/ca-cert.pem"
config.wssCertificateClientPath = "./files/Security/WebEngine/SelfSigned/client-cert.pem"
config.wssPrivateKeyPath = "./files/Security/WebEngine/SelfSigned/client-key.pem"
--[[ Scenario ]]
runner.Title("Preconditions")
runner.Step("Clean environment", common.preconditions)
runner.Step("Add certificates for WS Server in smartDeviceLink.ini file", common.addAllCertInIniFile)
runner.Step("Start SDL, HMI, connect regular mobile, start Session", common.startWOdeviceConnect)
runner.Title("Test")
runner.Step("Connect WebEngine device", common.connectWSSWebEngine)
runner.Title("Postconditions")
runner.Step("Stop SDL", common.postconditions)
|
package.path = package.path .. ";data/scripts/lib/?.lua"
package.path = package.path .. ";data/scripts/?.lua"
include ("stringutility")
include ("callable")
include ("galaxy")
include("randomext")
local AsyncPirateGenerator = include ("asyncpirategenerator")
local AsyncShipGenerator = include ("asyncshipgenerator")
local SectorSpecifics = include ("sectorspecifics")
local SpawnUtility = include ("spawnutility")
local ITUtil = include ("increasingthreatutility")
local target = nil
local generated = 0
local pirates = {}
local traders = {}
local participants = {}
local groups_remaining = 4
local timeSinceCall = 0
local piratesGenerated = false
local tradersGenerated = false
local allGenerated = false
local triggeredambush = false
local sentfirsttaunt = false
local sentfirstwavetaunt = false
local traderfaction = nil
local piratefaction = nil
local hatredlevel = 0
local _Debug = 0
local ambush_taunts = {
"We've got you now! Hope you're ready to die!",
"Switch our IFF! Power up the turrets now! Fire! Fire! Fire!",
"You fool! You fell right into our trap.",
"Send out our coordinates! We're closing the jaws right now!",
"The target is here! Jump the fleet in NOW!"
}
local firstwave_taunts = {
"You'll pay for what you did to our friends!",
"You killed our comrades! Now, we'll kill you!",
"You're dead! Your pathetic begging won't save you!",
"Closing the jaws.",
"You won't make it out of this sector alive!"
}
local playerran_taunts = {
"Haha, you ran with your tail between your legs.",
"Really, you're just going to run? We'll get you next time, coward.",
"Looks like the target escaped. One day, you won't be so lucky.",
"One day, your luck will run out. When that happens, we'll be waiting."
}
if onServer() then
function getUpdateInterval()
if not triggeredambush then
--Update more frequently before the big ambush is triggered.
return 1
else
return 5
end
end
function secure()
return {
_GroupsRemaining = groups_remaining,
_PirateFaction = piratefaction.index,
_HatredLevel = hatredlevel,
_TriggeredAmbush = triggeredambush,
_SentFirstTaunt = sentfirsttaunt,
_SentFirstWaveTaunt = sentfirstwavetaunt
}
end
function restore(_Data)
groups_remaining = _Data._GroupsRemaining
piratefaction = Faction(_Data._PirateFaction)
hatredlevel = _Data._HatredLevel
triggeredambush = _Data._TriggeredAmbush
sentfirsttaunt = _Data._SentFirstTaunt
sentfirstwavetaunt = _Data._SentFirstWaveTaunt
end
function initialize(firstInitialization)
local _MethodName = "Initialize"
local specs = SectorSpecifics()
local x, y = Sector():getCoordinates()
local coords = specs.getShuffledCoordinates(random(), x, y, 7, 12)
target = nil
for _, coord in pairs(coords) do
local regular, offgrid, blocked, home = specs:determineContent(coord.x, coord.y, Server().seed)
if not regular and not offgrid and not blocked and not home then
target = {x=coord.x, y=coord.y}
break
end
end
-- if no empty sector could be found, exit silently
if not target then
ITUtil.unpauseEvents()
terminate()
return
end
local pirateGenerator = AsyncPirateGenerator(nil, onPiratesFinished)
local player = Player()
piratefaction = pirateGenerator:getPirateFaction()
--These start showing up with a 20% chance @ 300 hatred. This caps at 50% at 1000.
local hatredindex = "_increasingthreat_hatred_" .. piratefaction.index
hatredlevel = player:getValue(hatredindex) or 0
if hatredlevel >= 300 then
local chance = 20 + math.min(30, math.max(0, hatredlevel - 200) / 23)
if math.random(100) > chance then
Log(_MethodName, "rolled higher than " .. tostring(chance) .. " - terminating the event.")
ITUtil.unpauseEvents()
terminate()
return
end
else
Log(_MethodName, "pirate faction " .. piratefaction.name .. " does not hate " .. player.name .. " enough to do a deepfake.")
ITUtil.unpauseEvents()
terminate()
return
end
if hatredlevel >= 1000 then
groups_remaining = groups_remaining + 1
end
local _Brutish = piratefaction:getTrait("brutish")
if _Brutish and _Brutish >= 0.25 then
groups_remaining = groups_remaining + 1
end
player:registerCallback("onSectorEntered", "onSectorEntered")
player:registerCallback("onSectorLeft", "onSectorLeft")
if firstInitialization then
local messages =
{
"Mayday! Mayday! We are under attack by pirates! Our position is \\s(%1%:%2%), someone help, please!"%_t,
"Mayday! CHRRK ... under attack CHRRK ... pirates ... CHRRK ... position \\s(%1%:%2%) ... help!"%_t,
"Can anybody hear us? We have been ambushed by pirates! Our position is \\s(%1%:%2%) Help!"%_t,
"This is a distress call! Our position is \\s(%1%:%2%) We are under attack by pirates, please help!"%_t,
}
player:sendChatMessage("Unknown"%_t, 0, messages[random():getInt(1, #messages)], target.x, target.y)
player:sendChatMessage("", 3, "You have received a distress signal from an unknown source."%_t)
end
end
function updateServer(timeStep)
local _Sector = Sector()
local x, y = _Sector:getCoordinates()
if x == target.x and y == target.y then
if allGenerated then
updatePresentShips()
local piratesLeft = tablelength(pirates)
local tradersLeft = tablelength(traders)
local _PiratesInSector = {Sector():getEntitiesByFaction(piratefaction)}
local _PiratesInSectorCt = #_PiratesInSector
if triggeredambush and groups_remaining > 0 and _PiratesInSectorCt < 40 then
--Spawn another 4-5 ships in. Use the hatred table that the player has accrued.
local hatredTable = ITUtil.getHatredTable(hatredlevel)
local hatredShips = math.random(4, 5)
local pirateBatch = {}
local pirateGenerator = AsyncPirateGenerator(nil, onPiratesFinished)
local _Distance = 250 --_#DistAdj
--Figure out if HET is enabled.
local _ActiveMods = Mods()
local _HETActive = false
for _, _Xmod in pairs(_ActiveMods) do
if _Xmod.id == "1821043731" then --HET
_HETActive = true
end
end
for _ = 1, hatredShips do
table.insert(pirateBatch, hatredTable[math.random(1, #hatredTable)])
end
table.insert(pirateBatch, "Jammer")
if _HETActive then
_Distance = 400
table.insert(pirateBatch, "Executioner")
end
local piratePositions = pirateGenerator:getStandardPositions(#pirateBatch, _Distance)
local posidx = 1
pirateGenerator:startBatch()
for _, p in pairs(pirateBatch) do
if p == "Executioner" then
pirateGenerator:createScaledExecutioner(piratePositions[posidx], hatredlevel)
else
pirateGenerator:createScaledPirateByName(p, piratePositions[posidx])
end
posidx = posidx + 1
end
pirateGenerator:endBatch()
groups_remaining = groups_remaining - 1
end
if tradersLeft == 0 and piratesLeft == 0 then
endEvent()
end
end
elseif generated == 0 then
timeSinceCall = timeSinceCall + timeStep
if timeSinceCall > 10 * 60 then
terminate()
end
end
end
function updatePresentShips()
for i, pirate in pairs(pirates) do
if not valid(pirate) then
pirates[i] = nil
else
--Check distance to all enemies. If anything is less than 5km away that is NOT the trader faction, power weapons back up.
local pirateai = ShipAI(pirate)
local ships = {Sector():getEntitiesByType(EntityType.Ship)}
for _, s in pairs(ships) do
if pirateai:isEnemy(s) and s.factionIndex ~= traderfaction.index then
local threshold = 500
if pirate.damageMultiplier < 1 and distance(pirate.translationf, s.translationf) <= threshold then
local powerupval = pirate:getValue("_increasingthreat_deepfake_powerup")
if powerupval then
print(s.name .. "is close - returning pirate " .. pirate.name .. " to original firepower multiplier of " .. powerupval)
pirate.damageMultiplier = powerupval
end
end
end
end
end
end
for i, trader in pairs(traders) do
if not valid(trader) then
traders[i] = nil
else
--Check distance to all player / alliance ships. If anything is less than 0.5km away, power weapons back up and trigger ambush.
local ships = {Sector():getEntitiesByType(EntityType.Ship)}
for _, s in pairs(ships) do
local sfaction = Faction(s.factionIndex)
if sfaction.isPlayer or sfaction.isAlliance then
local threshold = 200
if distance(trader.translationf, s.translationf) <= threshold and not triggeredambush then
sentfirsttaunt = true
Sector():broadcastChatMessage(trader, ChatMessageType.Chatter, ambush_taunts[math.random(#ambush_taunts)])
startAmbush()
break
end
end
end
end
end
if tablelength(pirates) == 0 and not triggeredambush then
startAmbush()
end
end
function startAmbush()
--print("starting pirate ambush")
--Power all ship weapons back up.
local ships = {Sector():getEntitiesByType(EntityType.Ship)}
for _, ship in pairs(ships) do
--Only do this for pirate or trader ships.
if ship.factionIndex == piratefaction.index or ship.factionIndex == traderfaction.index then
--Bump damage multiplier back up again
if ship.damageMultiplier < 1 then
local powerupval = ship:getValue("_increasingthreat_deepfake_powerup")
if powerupval then
ship.damageMultiplier = powerupval
end
end
end
--If it is a pirate, unregister all traders as enemies.
if ship.factionIndex == piratefaction.index then
local pirateai = ShipAI(ship)
pirateai:registerFriendFaction(traderfaction.index)
for _, tship in pairs(traders) do
pirateai:registerFriendEntity(tship.id)
end
pirateai:stop()
pirateai:setAggressive(1)
end
--If it is a trader, unregister all pirates as enemies and swap to pirate faction.
if ship.factionIndex == traderfaction.index then
if not sentfirsttaunt then
Sector():broadcastChatMessage(ship, ChatMessageType.Chatter, ambush_taunts[math.random(#ambush_taunts)])
sentfirsttaunt = true
end
ship:removeScript("civilship.lua")
ship:removeScript("dialogs/storyhints.lua")
ship:setValue("is_civil", nil)
ship:setValue("npc_chatter", false)
ship.factionIndex = piratefaction.index
local traderai = ShipAI(ship)
traderai:registerFriendFaction(piratefaction.index)
for _, pship in pairs(pirates) do
traderai:registerFriendEntity(pship.id)
end
traderai:stop()
traderai:setAggressive(1)
end
end
--Start spawning enemies.
triggeredambush = true
end
function onSectorLeft(player, x, y, switchType)
-- only react when the player left the correct Sector
if x ~= target.x or y ~= target.y then return end
updatePresentShips()
if tablelength(pirates) > 0 or tablelength(traders) > 0 then
local deleteEnemyShips = false
if switchType == sectorChangeType.Jump then
local sender = piratefaction.name
Player():sendChatMessage(sender, 0, playerran_taunts[math.random(#playerran_taunts)])
deleteEnemyShips = true
elseif switchType == sectorChangeType.Forced then
deleteEnemyShips = true
end
if deleteEnemyShips then
for _, pirate in pairs(pirates) do
Sector():deleteEntity(pirate)
end
for _, trader in pairs(traders) do
Sector():deleteEntity(trader)
end
ITUtil.unpauseEvents()
terminate()
end
end
if tablelength(pirates) == 0 and tablelength(traders) == 0 then
endEvent()
end
end
function onSectorEntered(player, x, y)
if x ~= target.x or y ~= target.y then return end
generated = 1
-- spawn 3 ships and 10 pirates
traderfaction = Galaxy():getNearestFaction(x, y)
local volume = Balancing_GetSectorShipVolume(x, y) * 2
local look = vec3(1, 0, 0)
local up = vec3(0, 1, 0)
local onShipsFinished = function (ships)
for _, ship in pairs(ships) do
table.insert(traders, ship)
ShipAI(ship.index):setPassiveShooting(true)
ship:setValue("_increasingthreat_deepfake_powerup", 6)
ship.damageMultiplier = 0.05
end
tradersGenerated = true
allGenerated = piratesGenerated and tradersGenerated
end
local shipGenerator = AsyncShipGenerator(nil, onShipsFinished)
shipGenerator:startBatch()
shipGenerator:createFreighterShip(traderfaction, MatrixLookUpPosition(look, up, vec3(100, 50, 50)), volume)
shipGenerator:createFreighterShip(traderfaction, MatrixLookUpPosition(look, up, vec3(0, -50, 0)), volume)
shipGenerator:createTradingShip(traderfaction, MatrixLookUpPosition(look, up, vec3(-100, -50, -50)), volume)
shipGenerator:createFreighterShip(traderfaction, MatrixLookUpPosition(look, up, vec3(-200, 50, -50)), volume)
shipGenerator:createFreighterShip(traderfaction, MatrixLookUpPosition(look, up, vec3(-300, -50, 50)), volume)
shipGenerator:endBatch()
local pirateBatch = { "Marauder", "Marauder", "Marauder", "Pirate", "Pirate", "Pirate", "Bandit", "Bandit", "Bandit" }
local pirateGenerator = AsyncPirateGenerator(nil, onPiratesFinished)
pirateGenerator:startBatch()
for _, p in pairs(pirateBatch) do
pirateGenerator:createPirateByName(p, pirateGenerator:getStandardPositions(1)[1])
end
pirateGenerator:endBatch()
end
function onPiratesFinished(ships)
for _, ship in pairs(ships) do
table.insert(pirates, ship)
ship:registerCallback("onDestroyed", "onPirateDestroyed")
end
piratesGenerated = true
-- add enemy buffs
SpawnUtility.addEnemyBuffs(ships) --Covered IT Extra Scripts
local _WilyTrait = piratefaction:getTrait("wily") or 0
SpawnUtility.addITEnemyBuffs(ships, _WilyTrait, hatredlevel)
for _, ship in pairs(ships) do
ship:setValue("_increasingthreat_deepfake_powerup", ship.damageMultiplier)
ship.damageMultiplier = 0.05
end
allGenerated = piratesGenerated and tradersGenerated
end
function onPirateDestroyed(shipIndex)
local ship = Entity(shipIndex)
local damagers = {ship:getDamageContributors()}
for _, damager in pairs(damagers) do
local faction = Faction(damager)
if faction and (faction.isPlayer or faction.isAlliance) then
participants[damager] = damager
end
end
end
function endEvent()
local _MethodName = "End Event"
Log(_MethodName, "ending deepfake distress - increasing hatred for all participants")
local _IncreasedHatredFor = {}
local players = {Sector():getPlayers()}
for _, participant in pairs(participants) do
local participantFaction = Faction(participant)
if participantFaction then
if participantFaction.isPlayer and not _IncreasedHatredFor[participantFaction.index] then
Log(_MethodName, "Have not yet increased hatred for faction index " .. tostring(participantFaction.index) .. " - increasing hatred.")
increaseHatred(participantFaction)
_IncreasedHatredFor[participantFaction.index] = true
end
if participantFaction.isAlliance then
local _Alliance = Alliance(participant)
for _, _Pl in pairs(players) do
if _Alliance:contains(_Pl.index) and not _IncreasedHatredFor[_Pl.index] then
increaseHatred(_Pl)
_IncreasedHatredFor[_Pl.index] = true
else
Log(_MethodName, "Have either increased hatred for faciton index " .. tostring(_Pl.index) .. " or they are not part of the alliance.")
end
end
end
end
end
terminate()
end
function sendCoordinates()
invokeClientFunction(Player(callingPlayer), "receiveCoordinates", target)
end
callable(nil, "sendCoordinates")
end
function abandon()
if onClient() then
invokeServerFunction("abandon")
return
end
terminate()
end
callable(nil, "abandon")
if onClient() then
function initialize()
invokeServerFunction("sendCoordinates")
target = {x=0, y=0}
end
function receiveCoordinates(target_in)
target = target_in
end
function getMissionBrief()
return "Distress Signal"%_t
end
function getMissionDescription()
if not target then return "" end
return "You have received a distress call from an unknown source. Their last reported position was (${xCoord}, ${yCoord})."%_t % {xCoord = target.x, yCoord = target.y}
end
function getMissionLocation()
if not target then return 0, 0 end
return target.x, target.y
end
end
--region #SERVER / CLIENT CALLS
function increaseHatred(_Faction)
local _MethodName = "Increase Hatred"
local hatredindex = "_increasingthreat_hatred_" .. piratefaction.index
local hatred = _Faction:getValue(hatredindex)
local xmultiplier = 1
local _Difficulty = GameSettings().difficulty
if _Difficulty == Difficulty.Veteran then
xmultiplier = 1.15
elseif _Difficulty == Difficulty.Expert then
xmultiplier = 1.3
elseif _Difficulty > Difficulty.Expert then
xmultiplier = 1.5
end
local hatredincrement = 15 * xmultiplier
local _Tempered = piratefaction:getTrait("tempered")
if _Tempered then
local _TemperedFactor = 1.0
if _Tempered >= 0.25 then
_TemperedFactor = 0.8
end
if _Tempered >= 0.75 then
_TemperedFactor = 0.7
end
Log(_MethodName, "Faction is tempered - hatred multiplier is (" .. tostring(_TemperedFactor) .. ")")
hatredincrement = hatredincrement * _TemperedFactor
end
hatredincrement = math.ceil(hatredincrement)
if hatred then
Log(_MethodName, "hatred value is " .. hatred)
hatred = hatred + hatredincrement
else
Log(_MethodName, "hatred value is 0")
hatred = hatredincrement
end
Log(_MethodName, "new hatred value is " .. hatred)
_Faction:setValue(hatredindex, hatred)
if hatred >= 700 then
Log(_MethodName, "Hatred is greater than 700. Setting traits for pirates.")
ITUtil.setIncreasingThreatTraits(piratefaction)
end
end
function Log(_MethodName, _Msg)
if _Debug == 1 then
print("[IT Deepfake Distress Signal] - [" .. tostring(_MethodName) .. "] - " .. tostring(_Msg))
end
end
--endregion |
local missions = {
{
name = "Black Export",
resource = "mtatr_blackexport",
start = "startBlackExport",
stop = "stopBlackExport",
timeout = 6,
args = {}
},
};
local missions_info = {};
local missions_index = 1;
local missions_timeout = 60;
local function mission_start (mission)
for i, v in pairs (missions_info) do
if isTimer (v) then
killTimer (v);
end
end
Timer (
function ()
mission_inc ();
missions_cycle();
end,
missions_timeout*60*1000, 1);
end
addEvent ("onMissionFinished");
addEventHandler ("onMissionFinished", root, mission_start);
function missions_cycle ()
for i, v in pairs (missions_info) do
if isTimer (v) then
killTimer (v);
end
end
local time = 1000;
if eventName == "onResourceStart" then
-- time = 10*60*1000;
end
setTimer (
function ()
local current = missions[missions_index];
local available = call (getResourceFromName (current.resource), current.start, unpack (current.args));
if available then
local _index = missions_index;
missions_info[missions_index] = setTimer (
function (ind)
call (getResourceFromName (current.resource), current.stop);
missions_info[ind] = nil;
end,
current.timeout * 60 * 1000, 1, _index);
else
mission_inc();
missions_cycle();
end
end,
time, 1);
end
addEventHandler ("onResourceStart", resourceRoot, missions_cycle);
addEventHandler ("onResourceStop", root,
function (res)
if res == getThisResource() then
for i, v in ipairs (missions) do
call(getResourceFromName (v.resource), v.stop);
end
end
end
);
function getMissionTimerDetails (mission)
local index = table_find (missions, "name", mission);
local timer = missions_info[index];
if timer then
if isTimer (timer) then
return getTimerDetails (timer);
end
end
return false;
end
function mission_inc ()
missions_index = missions_index + 1;
if not missions[missions_index] then
missions_index = 1;
end
end |
--
-- Generated from stack.lt
--
local stack, s = {}, 0
local top = function()
return stack[s]
end
local push = function(input)
s = s + 1
stack[s] = input
end
local pop = function()
local output = stack[s]
s = s - 1
return output
end
return {top = top, push = push, pop = pop}
|
function onCreate()
-- background shit
makeLuaSprite('studio-background', 'studio-background', -620, -880);
setScrollFactor('studio-background', 0.95, 0.95);
scaleObject('studio-background', 0.8, 0.8);
makeLuaSprite('studio-desk', 'studio-desk', 320, -230);
setScrollFactor('studio-desk', 1, 1);
scaleObject('studio-desk', 0.7, 0.7);
makeLuaSprite('studio-foreground', 'studio-foreground', -660, 140);
setScrollFactor('studio-foreground', 1.05, 1.05);
scaleObject('studio-foreground', 0.85, 0.85);
addLuaSprite('studio-background', false);
addLuaSprite('studio-desk', false);
addLuaSprite('studio-foreground', false);
close(true); --For performance reasons, close this script once the stage is fully loaded, as this script won't be used anymore after loading the stage
end |
local auxlib = require 'cqueues.auxlib'
local condition = require 'cqueues.condition'
local lu = require 'luaunit'
local socket = require 'cqueues.socket'
local App = require 'tulip.App'
local M = {}
function M.test_metrics()
local app = App{
metrics = {
allowed_metrics = {'a', 'b', 'c'},
host = '127.0.0.1',
port = 10111,
write_timeout = 1,
},
}
local server = auxlib.assert(socket.listen {
type = socket.SOCK_DGRAM,
host = '127.0.0.1',
port = 10111,
}:listen())
app.main = function(_, cq)
local received = {}
local cond = condition.new()
cq:wrap(function()
while true do
local s, err = server:xread('*a', 1)
if (not s) and err then
-- done receiving
cond:signal()
return
end
table.insert(received, s)
end
end)
cq:wrap(function()
-- use an invalid metric name
local ok, err = app:metrics('d', 'counter')
lu.assertNil(ok)
lu.assertStrContains(tostring(err), 'name is invalid')
-- use an invalid metric type
lu.assertErrorMsgContains('"zzz" is invalid', function()
app:metrics('a', 'zzz')
end)
local want = {}
-- valid call, defaults to 1
ok, err = app:metrics('a', 'counter')
lu.assertNil(err)
lu.assertTrue(ok)
table.insert(want, 'a:1|c')
-- valid call, explicit value
ok, err = app:metrics('b', 'gauge', 2)
lu.assertNil(err)
lu.assertTrue(ok)
table.insert(want, 'b:2|g')
-- valid call, sampled
ok, err = app:metrics('c', 'counter', 3, {['@'] = 0.5})
lu.assertNil(err)
lu.assertTrue(ok)
table.insert(want, 'c:3|c|@0.5')
-- valid call, tags
ok, err = app:metrics('c', 'counter', 4, {x='i', y='ii'})
lu.assertNil(err)
lu.assertTrue(ok)
table.insert(want, 'c#x=i,y=ii:4|c')
-- valid call, tags and sampled
ok, err = app:metrics('c', 'counter', 5, {['@'] = 0.9, x='i', y='ii'})
lu.assertNil(err)
lu.assertTrue(ok)
table.insert(want, 'c#x=i,y=ii:5|c|@0.9')
ok = cond:wait(1)
lu.assertTrue(ok)
-- check the received strings, will always have at least 3 results
lu.assertTrue(#received >= 3)
-- now check each received string
for _, v in ipairs(received) do
local ix = tonumber(string.match(v, ':(%d)|'))
if ix == 3 then
print('> wrote the 0.5 sample')
elseif ix == 5 then
print('> wrote the 0.9 sample')
end
lu.assertEquals(v, want[ix])
end
end)
assert(cq:loop())
end
app:run()
end
function M.test_metrics_datadog()
local app = App{
metrics = {
allowed_metrics = {'a', 'b', 'c'},
host = '127.0.0.1',
port = 10112,
format = 'datadog',
write_timeout = 1,
},
}
local server = auxlib.assert(socket.listen {
type = socket.SOCK_DGRAM,
host = '127.0.0.1',
port = 10112,
}:listen())
app.main = function(_, cq)
local received = {}
local cond = condition.new()
cq:wrap(function()
while true do
local s, err = server:xread('*a', 1)
if (not s) and err then
-- done receiving
cond:signal()
return
end
table.insert(received, s)
end
end)
cq:wrap(function()
local want = {}
-- valid call, defaults to 1
local ok, err = app:metrics('a', 'counter')
lu.assertNil(err)
lu.assertTrue(ok)
table.insert(want, 'a:1|c')
-- valid call, explicit value
ok, err = app:metrics('b', 'gauge', 2)
lu.assertNil(err)
lu.assertTrue(ok)
table.insert(want, 'b:2|g')
-- valid call, sampled
ok, err = app:metrics('c', 'counter', 3, {['@'] = 0.5})
lu.assertNil(err)
lu.assertTrue(ok)
table.insert(want, 'c:3|c|@0.5')
-- valid call, tags
ok, err = app:metrics('c', 'counter', 4, {x='i', y='ii'})
lu.assertNil(err)
lu.assertTrue(ok)
table.insert(want, 'c:4|c|#x:i,y:ii')
-- valid call, tags and sampled
ok, err = app:metrics('c', 'counter', 5, {['@'] = 0.9, x='i', y='ii'})
lu.assertNil(err)
lu.assertTrue(ok)
table.insert(want, 'c:5|c|@0.9|#x:i,y:ii')
ok = cond:wait(1)
lu.assertTrue(ok)
-- check the received strings, will always have at least 3 results
lu.assertTrue(#received >= 3)
-- now check each received string
for _, v in ipairs(received) do
local ix = tonumber(string.match(v, ':(%d)|'))
if ix == 3 then
print('> wrote the 0.5 sample')
elseif ix == 5 then
print('> wrote the 0.9 sample')
end
lu.assertEquals(v, want[ix])
end
end)
assert(cq:loop())
end
app:run()
end
return M
|
--[[
We're inlining lone children into parents trying to get
"saturated" record with following structure:
--+---------+--+---------+--+----------+--
+-| opt |-+ `-| rep |-' `-| name |-'
`-| neg |-'
]]
local to_str = request('!.formats.lua_table_code.save')
local assembly_order = request('!.mechs.graph.assembly_order')
local get_num_refs =
function(node_rec)
local result = 0
if node_rec.refs then
for parent, parent_keys in pairs(node_rec.refs) do
for field in pairs(parent_keys) do
result = result + 1
end
end
end
return result
end
local get_first_parent =
function(node_rec)
local parent, child_key
if node_rec.refs then
parent, child_key = next(node_rec.refs)
child_key = next(child_key)
end
return parent, child_key
end
local not_both =
function(a, b)
return not (a and b)
end
local modes_are_compatible =
function(mode_a, mode_b)
return (not mode_a and not mode_b) or (mode_a == mode_b)
end
return
function(grammar)
-- print('Source grammar:')
-- print(to_str(grammar))
local embed =
function(parent, child_key, node)
parent.name = parent.name or node.name
parent.op = parent.op or node.op
parent.f_rep = parent.f_rep or node.f_rep
table.remove(parent, child_key)
for j = #node, 1, -1 do
table.insert(parent, child_key, node[j])
end
end
:: restart ::
local node_recs, node_order = assembly_order(grammar, {table_iterator = pairs})
for i = 1, #node_order do
local node = node_order[i]
-- If is rule node:
if (#node > 0) then
local node_rec = node_recs[node]
if (get_num_refs(node_rec) <= 1) then
local parent, child_key = get_first_parent(node_rec)
if parent then
if
(#parent == 1) and
not_both(parent.name, node.name) and
modes_are_compatible(parent.mode_choice, node.mode_choice) and
(
(not parent.op) or
(not node.op) or
((parent.op == 'opt') and (node.op == 'opt'))
)
then
embed(parent, child_key, node)
elseif
not node.name and
modes_are_compatible(parent.mode_choice, node.mode_choice) and
(not parent.f_rep and not node.f_rep) and
(not parent.op and not node.op)
then
embed(parent, child_key, node)
goto restart
end
end
end
end
end
-- print('Optimized grammar:')
-- print(to_str(grammar))
end
|
--
--
--
require 'globals'
require 'python'
-- require 'csharp'
globals.init()
--
-- osg - Python
--
project.name = "osgBindings"
project.configs = { "Debug", "Release" }
if (target == "vs2003") then
project.path = "../VisualStudio/VS2003"
elseif (target == "vs2005") then
project.path = "../VisualStudio/VS2005"
end
package = createPythonWrapper("osg")
package = createPythonWrapper("osgDB")
package = createPythonWrapper("osgUtil")
package = createPythonWrapper("osgGA")
package = createPythonWrapper("osgFX")
package = createPythonWrapper("osgShadow")
package = createPythonWrapper("osgSim")
package = createPythonWrapper("osgTerrain")
package = createPythonWrapper("osgText")
package = createPythonWrapper("osgParticle")
package = createPythonWrapper("osgManipulator")
package = createPythonWrapper("osgViewer")
package = createPythonWrapper("osgVRPN")
table.insert(package.links,{"osgGA"})
--[[
table.insert(package.links,{"osg"})
table.insert(package.links,{"osgDB"})
table.insert(package.links,{"osgUtil"})
package = createPythonWrapper("osgVRPN")
table.insert(package.links,{"osgGA"})
--]]
package = createPythonWrapper("osgART")
-- Producer (deprecated!)
-- package = createPythonWrapper("osgProducer")
-- table.insert(package.links,{"Producer", "osgGA"})
-- createCSWrapper("osg")
-- createCSWrapper("osgViewer")
-- table.insert(package.links,{"osgGA"})
|
local metric = monitoring.gauge("forceload_blocks_count", "number of forceload blocks")
-- stolen from https://github.com/minetest/minetest/blob/master/builtin/game/forceloading.lua
local wpath = minetest.get_worldpath()
local function read_file(filename)
local f = io.open(filename, "r")
if f==nil then return {} end
local t = f:read("*all")
f:close()
if t=="" or t==nil then return {} end
return minetest.deserialize(t) or {}
end
local timer = 0
minetest.register_globalstep(function(dtime)
timer = timer + dtime
if timer < 5 then return end
timer=0
local total_forceloaded = 0
local blocks_forceloaded = read_file(wpath.."/force_loaded.txt")
for _ in pairs(blocks_forceloaded) do
total_forceloaded = total_forceloaded + 1
end
metric.set(total_forceloaded)
end)
|
--shameless copy-pasta of SkyLight's micro_item_salainen_puulle which was a copy-pasta of SkyLight's micro_item_salainen_kookospahkina_puu7 which was a copy-pasta of SkyLight's micro_item_salainen_kookospahkina_puu6 which was a copy-pasta of SkyLight's micro_item_salainen_kookospahkina_puu5 which was a copy-pasta of SkyLight's micro_item_salainen_kookospahkina_puu4 which was a copy-pasta of SkyLight's micro_item_salainen_kookospahkina_puu3 which was a copy-pasta of SkyLight's micro_item_salainen_kookospahkina_puu2 which was a copy-pasta of SkyLight's micro_item_salainen_kookospahkina_puu1 which was a copy-pasta of SkyLight's micro_item_salainen_kookospahkina_puu which was a copy-pasta of SkyLight's micro_item_secrete_hd which was a copy-pasta of SkyLight's micro_collectable_food which was a copy-pasta of SkyLight's micro_item_armorkit.lua which was a copy-pasta of Parakeet's micro_item_medkit.lua
--gottem
--kanto: stump
AddCSLuaFile()
ENT.Type = "anim"
--ENT.ItemName = "Kanto"
ENT.ItemModel = "models/props_docks/channelmarker_gib01.mdl" --"models/props/de_venice/canal_poles/canal_pole_3.mdl" --csgo model
function ENT:Initialize()
if SERVER then
self:SetModel(self.ItemModel)
self:SetMaterial("models/props_foliage/trees_city")
--self:PhysicsInitStandard()
--self:PhysicsInit(SOLID_VPHYSICS)
--self:SetMoveType(MOVETYPE_VPHYSICS)
self:SetSolid(SOLID_VPHYSICS)
--self:SetMoveType(0)
self.health = 400
--energy timer
local timer_name = "kantoEnergyDepletion_" .. self:EntIndex()
timer.Create(timer_name,30,0, function() --every 100s, update energy status
--print("100 seconds pass")
if IsValid(self)then
self.health = self.health - 100
if self.health <= 0 then --KILL FUNCTION; SLAYER
self:Remove()
end
if self:IsOnFire() then
self:Remove()
end
else
timer.Remove(timer_name)
end
end)
--print("kanto: "..self:EntIndex())
end
end
function ENT:OnTakeDamage(damageto)
self.health = self.health - damageto:GetDamage()
self:SetHealth(self.health) --make invincible?
if self.health <= 0 then
self:EmitSound("weapons/debris1.wav")
--PRODUCE gibs HERE
--puulle = ents.Create("prop_physics")
--if ( !IsValid( puulle ) ) then return end
--puulle:SetModel("GIB MODEL")
--puulle:SetPos(self:GetPos() + Vector(0,0,5))
--puulle:Spawn()
self:Remove()
end
end |
--------------------------------
-- markdown specific settings --
--------------------------------
-- vim.bo.conceallevel = 2
|
-- made by xFunnieuss
-- Script (do not modify)
local ScreenGui = Instance.new("ScreenGui")
local Frame = Instance.new("Frame")
local TextLabel = Instance.new("TextLabel")
local Off = Instance.new("TextButton")
local On = Instance.new("TextButton")
ScreenGui.Parent = game:GetService('CoreGui')
ScreenGui.Name = "blinkgui"
Frame.Parent = ScreenGui
Frame.Active = true
Frame.BackgroundColor3 = Color3.new(0.027451, 0.823529, 1)
Frame.BorderSizePixel = 5
Frame.Draggable = true
Frame.Position = UDim2.new(0.0222392641, 0, 0.790732443, 0)
Frame.Size = UDim2.new(0, 343, 0, 106)
TextLabel.Parent = Frame
TextLabel.BackgroundColor3 = Color3.new(1, 1, 1)
TextLabel.BackgroundTransparency = 1
TextLabel.Position = UDim2.new(0.183673471, 0, 0, 0)
TextLabel.Size = UDim2.new(0, 217, 0, 40)
TextLabel.Font = Enum.Font.Code
TextLabel.Text = "FE Blink GUI By xFunnieuss"
TextLabel.TextSize = 16
Off.Parent = Frame
Off.BackgroundColor3 = Color3.new(1, 1, 1)
Off.BackgroundTransparency = 1
Off.Position = UDim2.new(0.548104942, 0, 0.377358496, 0)
Off.Size = UDim2.new(0, 138, 0, 49)
Off.Font = Enum.Font.Code
Off.Text = "Off"
Off.TextSize = 20
On.Parent = Frame
On.BackgroundColor3 = Color3.new(1, 1, 1)
On.BackgroundTransparency = 1
On.Position = UDim2.new(0.0612244904, 0, 0.377358496, 0)
On.Size = UDim2.new(0, 134, 0, 49)
On.Font = Enum.Font.Code
On.Text = "On"
On.TextSize = 20
On.MouseButton1Down:connect(function()
local fat = Instance.new'Animation'
fat.AnimationId = 'rbxassetid://218504594'
game:GetService('Players').LocalPlayer.Character:FindFirstChildOfClass'Humanoid':LoadAnimation(fat):Play(0,0,0)
game:GetService('Players').LocalPlayer.Character.HumanoidRootPart.Anchored = true
fat:Destroy()
game:GetService('StarterGui'):SetCore("SendNotification", {Title = "Blink GUI Notification", Text = "Blink Is On, Press OFF to return to normal!"})
end)
Off.MouseButton1Down:connect(function()
game:GetService('Players').LocalPlayer.Character.HumanoidRootPart.Anchored = false
game:GetService('StarterGui'):SetCore("SendNotification", {Title = "Blink GUI Notification", Text = "Blink Is Off, You have returned back to normal"})
end) |
-- Forces an event (wrapper for modtools/force)
--[====[
force
=====
A simpler wrapper around the `modtools/force` script.
Usage:
- ``force event_type``
- ``force event_type civ_id`` - civ ID required for ``Diplomat`` and ``Caravan``
events
See `modtools/force` for a complete list of event types.
]====]
utils = require 'utils'
args = {...}
if #args < 1 then qerror('missing event type') end
eventType = nil
for _, type in ipairs(df.timed_event_type) do
if type:lower() == args[1]:lower() then
eventType = type
end
end
if not eventType then
qerror('unknown event type: ' .. args[1])
end
newArgs = {'-eventType', eventType}
if eventType == 'Caravan' or eventType == 'Diplomat' then
if not args[2] then
qerror('event type ' .. eventType .. ' requires civ ID')
else
table.insert(newArgs, '-civ')
table.insert(newArgs, args[2])
end
end
dfhack.run_script('modtools/force', table.unpack(newArgs))
|
-- Copyright (C) YuanSheng Wang (membphis)
local setmetatable = setmetatable
local ngx = ngx
local table = table
local str_fmt= string.format
local unpack = unpack
local type = type
local pairs = pairs
local pcall = pcall
local _M = {
_VERSION = '0.02',
}
local mt = { __index = _M }
function _M.new(opts)
opts = opts or {}
local unit_name = opts.unit_name
local write_log = (nil == opts.write_log) and true or opts.write_log
return setmetatable({start_time=ngx.now(), unit_name = unit_name,
write_log = write_log, _test_inits = opts.test_inits,
processing=nil, count = 0,
count_fail=0, count_succ=0}, mt)
end
function _M._log(self, color, ...)
local logs = {...}
local color_d = {black=30, green=32, red=31, yellow=33, blue=34, purple=35,
dark_green=36, white=37}
if color_d[color] then
local function format_color(cur_color)
return "\x1b[" .. cur_color .. "m"
end
ngx.print(format_color(color_d[color])
.. table.concat(logs, " ") ..'\x1b[m')
else
ngx.print(...)
end
ngx.flush()
end
function _M._log_standard_head( self )
if not self.write_log then
return
end
local fun_format
if nil == self.processing then
fun_format = str_fmt("[%s] ", self.unit_name)
else
fun_format = str_fmt(" \\_[%s] ", self.processing)
end
self:_log("default", str_fmt("%0.3f", ngx.now() - self.start_time),
" ")
self:_log("green", fun_format)
end
function _M.log( self, ... )
if not self.write_log then
return
end
local log = {...}
table.insert(log, "\n")
self:_log_standard_head()
if self.processing then
table.insert(log, 1, "↓")
end
self:_log("default", unpack(log))
end
function _M.log_finish_fail( self, ... )
if not self.write_log then
return
end
local log = {...}
table.insert(log, "\n")
self:_log_standard_head(self)
self:_log("yellow", "fail", unpack(log))
end
function _M.log_finish_succ( self, ... )
if not self.write_log then
return
end
local log = {...}
table.insert(log, "\n")
self:_log_standard_head(self)
self:_log("green", unpack(log))
end
function _M._init_test_units( self )
if self._test_inits then
return self._test_inits
end
local test_inits = {}
for k,v in pairs(self) do
if k:lower():sub(1, 4) == "test" and type(v) == "function" then
table.insert(test_inits, k)
end
end
table.sort( test_inits )
self._test_inits = test_inits
return self._test_inits
end
function _M.run(self, loop_count)
if self.unit_name then
self:log_finish_succ("unit test start")
end
self:_init_test_units()
loop_count = loop_count or 1
self.time_start = ngx.now()
for _ = 1, loop_count do
if self.init then
self:init()
end
for _,k in pairs(self._test_inits) do
self.processing = k
local _, err = pcall(self[k], self)
if err then
self:log_finish_fail(err)
self.count_fail = self.count_fail + 1
else
self:log_finish_succ("PASS")
self.count_succ = self.count_succ + 1
end
self.processing = nil
ngx.flush()
end
if self.destroy then
self:destroy()
end
end
self.time_ended = ngx.now()
if self.unit_name then
self:log_finish_succ("unit test complete")
end
end
return _M
|
-- THIS FILE IS SAFE TO EDIT. It will not be overwritten when rerunning go-raml.
local schema = require("handlers.schemas.schema")
function get_user_address_by_id_handler(request)
-- handler for GET /users/:userId/address/:addressId
-- response body for 200 should match schema.Address
local resp = {
}
return resp
end
return get_user_address_by_id_handler |
local defaultSound = "tsctra00.wav"
local radioOptions = {
dropSmoke = false,
}
local function setGroupAltitude(groupData, newAlt)
if ( groupData.route and groupData.units and newAlt ) then
for i,u in pairs(groupData.units) do
groupData.units[i].alt = newAlt
end
for i,wp in pairs(groupData.route) do
groupData.route[i].alt = newAlt
end
end
end
local function offsetRoute(groupData, newPos)
if ( groupData.groupName ) then
env.info(string.format("Adjusting waypoints relative to markpoint for group %s", groupData.groupName))
else
env.info("Adjusting waypoints relative to markpoint for cloned group")
end
local route = groupData.route
env.info((string.format("Markpoint is at %0.02f, %0.02f, WP1 is at %0.02f, %0.02f", newPos.x, newPos.z, route[1].x, route[1].y)));
local Xdiff = newPos.x - route[1].x
local Ydiff = newPos.z - route[1].y -- markPoint is vec3, route wps are vec2
env.info((string.format("Offset: %0.2f X, %0.2f Y", Xdiff, Ydiff)))
for i,wp in pairs(route) do
--env.info((string.format("WP altitude: %d", wp.alt)))
route[i].x = wp.x + Xdiff
route[i].y = wp.y + Ydiff
end
end
local function offsetUnits(groupData, newPos, lookAt)
env.info("offsetUnits called")
if ( groupData.groupName ) then
env.info(string.format("Adjusting unit start point(s) for group %s", groupData.groupName))
else
env.info("Adjusting unit start point(s) for cloned group")
end
local units = groupData.units
env.info("Got units")
env.info((string.format("Markpoint is at %0.02f, %0.02f, Unit 1 is at %0.02f, %0.02f", newPos.x, newPos.z, units[1].x, units[1].y)));
local Xdiff = newPos.x - units[1].x
local Ydiff = newPos.z - units[1].y -- markPoint is vec3, route wps are vec2
env.info((string.format("Offset: %0.2f X, %0.2f Y", Xdiff, Ydiff)))
for i,u in pairs(units) do
units[i].x = u.x + Xdiff
units[i].y = u.y + Ydiff
if ( lookAt ) then
env.info("Trying math.atan2")
local newHeading = getHeading(newPos, lookAt)
if newHeading < 0 then
newHeading = newHeading + 2*math.pi -- put heading in range of 0 to 2*pi
end
env.info(newHeading)
env.info("Setting new heading")
units[i].heading = newHeading
units[i].psi = newHeading * -1
end
end
end
local function printSpawned(args)
local group = args.group
local msg = {}
msg.text = string.format('Respawned: %s', group.description)
msg.displayTime = 20
msg.msgFor = {coa = {'all'}}
if ( args.sound ) then
if ( group.sound ) then msg.sound = group.sound else msg.sound = defaultSound end
end
mist.message.add(msg)
end
local function stripIdentifiers(groupData)
-- Remove top level group identifiers
groupData.groupName = nil
groupData.groupId = nil
env.info("Top Level group info scrubbed")
-- Now remove it from all units
for k,unit in pairs(groupData.units) do
unit.groupName = nil
env.info("Unit group name")
unit.groupId = nil
env.info("Unit group id")
unit.unitId = nil
env.info("Unit ID")
unit.unitName = nil
env.info("Unit Name")
end
env.info("Unit level info scrubbed")
end
local function hasRaceTrack(groupData)
env.info("Getting tasks")
local tasks = groupData.route[1].task.params.tasks
env.info("Checking tasks")
for k,task in pairs(tasks) do
env.info(string.format("Checking Task %d", k))
if ( task.params.pattern and task.params.pattern == "Race-Track" ) then
env.info("Found Race-Track Task")
return true
end
end
env.info("Did not find Race-Track Task")
return false
end
function setRaceTrack(groupData, A, B)
env.info(string.format("Updating unit start points for group %s", groupData.groupName))
offsetUnits(groupData, A, B)
env.info("Updating route wp1 and wp2")
groupData.route[1].x = A.x
groupData.route[1].y = A.z
groupData.route[2].x = B.x
groupData.route[2].y = B.z
end
function setCircle(groupData)
env.info(string.format("Setting 'Circle' Orbit Pattern for group %s", groupData.groupName))
-- Get tasks for this group
local tasks = groupData.route[1].task.params.tasks
-- Look for the Orbit task, change the pattern type to Circle
for num,task in ipairs(tasks) do
--env.info(string.format("Checking Task %s", num))
if ( task.id == "Orbit" ) then
env.info("Found Orbit Task -- Updating Pattern Type to 'Circle'")
task.params.pattern = 'Circle'
end
end
-- Remove the second waypoint
table.remove(groupData.route, 2)
end
function setBfm(spawnData, clientData, A, B)
env.info(string.format("Setting BFM route for group %s to attack %s", spawnData.groupName, clientData.groupName))
-- Make the spawned group engage the client group
local tasks = spawnData.route[1].task.params.tasks
env.info("Got tasks")
for num,task in ipairs(tasks) do
if ( task.id == "EngageGroup" ) then
env.info("Found Engage Group Task -- Updating Group ID to Client's ID")
task.params.groupId = clientData.groupId
end
end
-- Update the group's altitude
setGroupAltitude(spawnData, clientData.units[1].alt)
-- Update Spawn and WP1 coords
offsetUnits(spawnData, A, B)
spawnData.route[1].x = A.x
spawnData.route[1].y = A.z
env.info("Updated Spawn Coords")
spawnData.route[2].x = B.x
spawnData.route[2].y = B.z
env.info("Updated WP1 Coords")
end
-- Given a start point, a radian heading, and a distance in meters, calculate the endpoint
function getEndPoint(startPoint, rads, dist)
local endPoint = {}
-- rads in DCS range from 0 to 2pi
-- We need to condense it down to <= pi/2 for right triangle calculations
-- and then correlate the resulting a and b sides to the proper X and Y positional axes.
local alpha = rads
env.info(string.format("getEndPoints was passed an angle of %0.2f rad", rads))
while alpha > (math.pi/2) do alpha = alpha - (math.pi/2) end -- Reduce the angle by 90 degrees until it is less than or equal to 90 degrees
env.info(string.format("Right Triangle angle: %0.2f rad", alpha))
local sideA = dist * math.sin(alpha)
env.info(string.format("Side A is %0.2f", sideA))
local sideB = math.sqrt( (dist*dist) - (sideA*sideA) )
env.info(string.format("Side B is %0.2f", sideB))
-- X+ is up
-- X- is down
-- Z+ is right
-- Z- is left
if rads <= (math.pi/2) then
env.info("Quadrant 1")
endPoint.x = startPoint.x + sideB
endPoint.z = startPoint.z + sideA
elseif rads <= math.pi then
env.info("Quadrant 2")
endPoint.x = startPoint.x - sideA
endPoint.z = startPoint.z + sideB
elseif rads <= 1.5*math.pi then
env.info("Quadrant 3")
endPoint.x = startPoint.x - sideB
endPoint.z = startPoint.z - sideA
elseif rads <= 2*math.pi then
env.info("Quadrant 4")
endPoint.x = startPoint.x + sideA
endPoint.z = startPoint.z - sideB
else
env.info("wtf")
end
env.info(string.format("New Endpoint: %0.2f, %0.2f", endPoint.x, endPoint.z))
return endPoint
end
function smokeIfAlive(group)
-- Check inputs
if group and group.units then
if (Group.getByName(group.name) and Group.getByName(group.name):isExist() == false) or (Group.getByName(group.name) and #Group.getByName(group.name):getUnits() < 1) or not Group.getByName(group.name) then
env.info("Group is dead, stop spawning smoke")
else -- Group is alive
local avgPoint = avgUnitsPos(group.units)
if ( avgPoint ) then
env.info("Got avg point vec2")
avgPoint.y = land.getHeight({x=avgPoint.x, y=avgPoint.z})
env.info("Got avg point vec3")
smokeAtCoords(avgPoint)
env.info("Smoke dropped at coords")
return timer.getTime() + 300
end
end
else
env.info("smokeIfAlive was not passed valid group data")
dumper(group)
end
end
function smokeForMinutes(mins)
-- Unfinished. For now smoke is permanent.
smokeAtCoords(markPoint)
return timer.getTime() + 300
end
function spawnSmoke(args)
timer.scheduleFunction(smokeForMinutes, 20, timer.getTime() + 1)
end
function spawnGroup(args)
env.info("Adding Dynamic Group")
--dumper(args)
local groupName = args.group.name
env.info("Group Name")
env.info((groupName))
env.info("Copying group data")
local groupData = mist.utils.deepCopy(exported.groupData[groupName])
env.info("Group data copied")
groupData.clone = false
groupData.action = args.group.action
env.info("Group Action Set")
-- Limitation right now requires the groupData to have a racetrack orbit set
if ( hasRaceTrack(groupData) ) then
env.info("This group has a Racetrack task and needs points updated")
local clientPos = mist.getLeadPos(args.clientGroup)
local clientHeading = mist.getHeading(Group.getByName(args.clientGroup):getUnit(1))
-- Magic Tanker spawns in front of the client matching their heading
if ( args.magic and args.racetrack ) then
env.info("This is a magic racetrack tanker")
local A = getEndPoint(clientPos, clientHeading, 925) -- 1/2 nm
local B = getEndPoint(A, clientHeading, 203720) -- 110nm
setRaceTrack(groupData, A, B)
elseif ( args.magic and args.circle ) then
env.info("This is a magic circle tanker")
local A = getEndPoint(clientPos, clientHeading, 925)
local B = getEndPoint(clientPos, clientHeading, 10000)
setRaceTrack(groupData, A, B)
setCircle(groupData)
-- Normal racetrack tanker. Requires A and B markpoints
elseif ( args.racetrack and aPoint.x and bPoint.x ) then
env.info("This is a non-magic tanker spawn with a Racetrack Orbit")
setRaceTrack(groupData, aPoint, bPoint)
-- Circle tanker only requires an unnamed markpoint
elseif ( args.circle and markPoint.x ) then
env.info("This is a normal circle tanker")
local B = getEndPoint(markPoint, clientHeading, 100)
setRaceTrack(groupData, markPoint, B)
setCircle(groupData)
-- Not a tanker, but has a racetrack. Requires A and B markpoints
elseif ( aPoint.x and bPoint.x ) then
env.info("This is a non-magic non-tanker spawn with a Racetrack Orbit")
setRaceTrack(groupData, aPoint, bPoint)
else
sendError("This group has a Racetrack Orbit; Please create then delete two waypoints named A and B, then try again")
return nil
end
elseif ( args.magic and args.bfm ) then
env.info("Spawning Magic BFM Group")
local clientPos = mist.getLeadPos(args.clientGroup)
env.info("Got client position")
local clientHeading = mist.getHeading(Group.getByName(args.clientGroup):getUnit(1))
env.info("Got client heading")
local spawnPoint = getEndPoint(clientPos, clientHeading, 1900)
env.info("Got spawn point")
local clientData = mist.getCurrentGroupData(args.clientGroup)
dumper(clientData)
setBfm(groupData, clientData, spawnPoint, clientPos)
env.info("Set BFM route")
elseif ( markPoint.x and markPoint.z ) then
env.info("Spawning a non-race-track group")
offsetRoute(groupData, markPoint)
offsetUnits(groupData, markPoint)
else
sendError("You must create and delete a markpoint before you can spawn anything.")
return nil
end
-- Strip ID and Group Name if cloning
if ( args.group.action == 'clone' ) then
env.info("Group will be cloned")
stripIdentifiers(groupData)
groupData.clone = true
end
env.info("Attempting to spawn group")
dumper(groupData)
spawnedData = mist.dynAdd(groupData)
printSpawned(args)
if ( args.group.smoke and radioOptions.dropSmoke ) then
env.info("Dropping Smoke")
timer.scheduleFunction(smokeIfAlive, spawnedData, timer.getTime() + 1)
end
end
|
AAPClassic["itemsNames"]={
[25]="Worn Shortsword",
[35]="Bent Staff",
[36]="Worn Mace",
[37]="Worn Axe",
[38]="Recruit\'s Shirt",
[39]="Recruit\'s Pants",
[40]="Recruit\'s Boots",
[43]="Squire\'s Boots",
[44]="Squire\'s Pants",
[45]="Squire\'s Shirt",
[47]="Footpad\'s Shoes",
[48]="Footpad\'s Pants",
[49]="Footpad\'s Shirt",
[51]="Neophyte\'s Boots",
[52]="Neophyte\'s Pants",
[53]="Neophyte\'s Shirt",
[55]="Apprentice\'s Boots",
[56]="Apprentice\'s Robe",
[57]="Acolyte\'s Robe",
[59]="Acolyte\'s Shoes",
[60]="Layered Tunic",
[61]="Dwarven Leather Pants",
[79]="Dwarven Cloth Britches",
[80]="Soft Fur-lined Shoes",
[85]="Dirty Leather Vest",
[117]="Tough Jerky",
[118]="Minor Healing Potion",
[120]="Thug Pants",
[121]="Thug Boots",
[127]="Trapper\'s Shirt",
[128]="Deprecated Tauren Trapper\'s Pants",
[129]="Rugged Trapper\'s Boots",
[139]="Brawler\'s Pants",
[140]="Brawler\'s Boots",
[147]="Rugged Trapper\'s Pants",
[148]="Rugged Trapper\'s Shirt",
[153]="Primitive Kilt",
[154]="Primitive Mantle",
[159]="Refreshing Spring Water",
[182]="Garrick\'s Head",
[193]="Tattered Cloth Vest",
[194]="Tattered Cloth Pants",
[195]="Tattered Cloth Boots",
[200]="Thick Cloth Vest",
[201]="Thick Cloth Pants",
[202]="Thick Cloth Shoes",
[203]="Thick Cloth Gloves",
[209]="Dirty Leather Pants",
[210]="Dirty Leather Boots",
[236]="Cured Leather Armor",
[237]="Cured Leather Pants",
[238]="Cured Leather Boots",
[239]="Cured Leather Gloves",
[285]="Scalemail Vest",
[286]="Scalemail Pants",
[287]="Scalemail Boots",
[414]="Dalaran Sharp",
[422]="Dwarven Mild",
[537]="Dull Frenzy Scale",
[555]="Rough Vulture Feathers",
[556]="Buzzard Beak",
[647]="Destiny",
[710]="Bracers of the People\'s Militia",
[711]="Tattered Cloth Gloves",
[714]="Dirty Leather Gloves",
[718]="Scalemail Gloves",
[719]="Rabbit Handler Gloves",
[720]="Brawler Gloves",
[723]="Goretusk Liver",
[724]="Goretusk Liver Pie",
[725]="Gnoll Paw",
[727]="Notched Shortsword",
[728]="Recipe: Westfall Stew",
[729]="Stringy Vulture Meat",
[730]="Murloc Eye",
[731]="Goretusk Snout",
[732]="Okra",
[733]="Westfall Stew",
[735]="Rolf and Malakai\'s Medallions",
[737]="Holy Spring Water",
[738]="Sack of Barley",
[739]="Sack of Corn",
[740]="Sack of Rye",
[742]="A Sycamore Branch",
[743]="Bundle of Charred Oak",
[744]="Thunderbrew\'s Boot Flask",
[745]="Marshal McBride\'s Documents",
[748]="Stormwind Armor Marker",
[750]="Tough Wolf Meat",
[752]="Red Burlap Bandana",
[753]="Dragonmaw Shortsword",
[754]="Shortsword of Vengeance",
[755]="Melted Candle",
[756]="Tunnel Pick",
[763]="Ice-covered Bracers",
[765]="Silverleaf",
[766]="Flanged Mace",
[767]="Long Bo Staff",
[768]="Lumberjack Axe",
[769]="Chunk of Boar Meat",
[770]="Pointy Crocolisk Tooth",
[771]="Chipped Boar Tusk",
[772]="Large Candle",
[773]="Gold Dust",
[774]="Malachite",
[776]="Vendetta",
[777]="Prowler Teeth",
[778]="Kobold Excavation Pick",
[779]="Shiny Seashell",
[780]="Torn Murloc Fin",
[781]="Stone Gnoll Hammer",
[782]="Painted Gnoll Armband",
[783]="Light Hide",
[785]="Mageroyal",
[787]="Slitherskin Mackerel",
[789]="Stout Battlehammer",
[790]="Forester\'s Axe",
[791]="Gnarled Ash Staff",
[792]="Knitted Sandals",
[793]="Knitted Gloves",
[794]="Knitted Pants",
[795]="Knitted Tunic",
[796]="Rough Leather Boots",
[797]="Rough Leather Gloves",
[798]="Rough Leather Pants",
[799]="Rough Leather Vest",
[804]="Large Blue Sack",
[805]="Small Red Pouch",
[809]="Bloodrazor",
[810]="Hammer of the Northern Wind",
[811]="Axe of the Deep Woods",
[812]="Glowing Brightwood Staff",
[814]="Flask of Oil",
[816]="Small Hand Blade",
[818]="Tigerseye",
[820]="Slicer Blade",
[821]="Riverpaw Leather Vest",
[826]="Brutish Riverpaw Axe",
[827]="Wicked Blackjack",
[828]="Small Blue Pouch",
[829]="Red Leather Bandana",
[832]="Silver Defias Belt",
[833]="Lifestone",
[835]="Large Rope Net",
[837]="Heavy Weave Armor",
[838]="Heavy Weave Pants",
[839]="Heavy Weave Gloves",
[840]="Heavy Weave Shoes",
[841]="Furlbrow\'s Pocket Watch",
[843]="Tanned Leather Boots",
[844]="Tanned Leather Gloves",
[845]="Tanned Leather Pants",
[846]="Tanned Leather Jerkin",
[847]="Chainmail Armor",
[848]="Chainmail Pants",
[849]="Chainmail Boots",
[850]="Chainmail Gloves",
[851]="Cutlass",
[852]="Mace",
[853]="Hatchet",
[854]="Quarter Staff",
[856]="Blue Leather Bag",
[857]="Large Red Sack",
[858]="Lesser Healing Potion",
[859]="Fine Cloth Shirt",
[860]="Cavalier\'s Boots",
[862]="Runed Ring",
[863]="Gloom Reaper",
[864]="Knightly Longsword",
[865]="Leaden Mace",
[866]="Monk\'s Staff",
[867]="Gloves of Holy Might",
[868]="Ardent Custodian",
[869]="Dazzling Longsword",
[870]="Fiery War Axe",
[871]="Flurry Axe",
[872]="Rockslicer",
[873]="Staff of Jordan",
[878]="Fist-sized Spinneret",
[880]="Staff of Horrors",
[884]="Ghoul Rib",
[885]="Black Metal Axe",
[886]="Black Metal Shortsword",
[887]="Pound of Flesh",
[888]="Naga Battle Gloves",
[889]="A Dusty Unsent Letter",
[890]="Twisted Chanter\'s Staff",
[892]="Gnoll Casting Gloves",
[893]="Dire Wolf Fang",
[895]="Worgen Skull",
[896]="Worgen Fang",
[897]="Madwolf Bracers",
[899]="Venom Web Fang",
[910]="An Undelivered Letter",
[911]="Ironwood Treebranch",
[914]="Large Ogre Chain Armor",
[915]="Red Silk Bandana",
[916]="A Torn Journal Page",
[918]="Deviate Hide Pack",
[920]="Wicked Spiked Mace",
[921]="A Faded Journal Page",
[922]="Dacian Falx",
[923]="Longsword",
[924]="Maul",
[925]="Flail",
[926]="Battle Axe",
[927]="Double Axe",
[928]="Long Staff",
[929]="Healing Potion",
[932]="Fel Steed Saddlebags",
[933]="Large Rucksack",
[934]="Stalvan\'s Reaper",
[935]="Night Watch Shortsword",
[936]="Midnight Mace",
[937]="Black Duskwood Staff",
[938]="Muddy Journal Pages",
[939]="A Bloodstained Journal Page",
[940]="Robes of Insight",
[942]="Freezing Band",
[943]="Warden Staff",
[944]="Elemental Mage Staff",
[954]="Scroll of Strength",
[955]="Scroll of Intellect",
[957]="William\'s Shipment",
[961]="Healing Herb",
[962]="Pork Belly Pie",
[981]="Bernice\'s Necklace",
[983]="Red Linen Sash",
[997]="Fire Sword of Crippling",
[1006]="Brass Collar",
[1008]="Well-used Sword",
[1009]="Compact Hammer",
[1010]="Gnarled Short Staff",
[1011]="Sharp Axe",
[1013]="Iron Rivet",
[1015]="Lean Wolf Flank",
[1017]="Seasoned Wolf Kabob",
[1019]="Red Linen Bandana",
[1024]="Plate Helmet D2 (test)",
[1027]="Mail Helmet A (Test)",
[1074]="Hard Spider Leg Tip",
[1075]="Shadowhide Pendant",
[1076]="Defias Renegade Ring",
[1077]="Defias Mage Ring",
[1080]="Tough Condor Meat",
[1081]="Crisp Spider Meat",
[1082]="Redridge Goulash",
[1083]="Glyph of Azora",
[1113]="Conjured Bread",
[1114]="Conjured Rye",
[1116]="Ring of Pure Silver",
[1121]="Feet of the Lynx",
[1127]="Flash Bundle",
[1129]="Ghoul Fang",
[1130]="Vial of Spider Venom",
[1131]="Totem of Infliction",
[1132]="Horn of the Timber Wolf",
[1154]="Belt of the People\'s Militia",
[1155]="Rod of the Sleepwalker",
[1156]="Lavishly Jeweled Ring",
[1158]="Solid Metal Club",
[1159]="Militia Quarterstaff",
[1161]="Militia Shortsword",
[1166]="Dented Buckler",
[1167]="Small Targe",
[1168]="Skullflame Shield",
[1169]="Blackskull Shield",
[1171]="Well-stitched Robe",
[1172]="Grayson\'s Torch",
[1173]="Weather-worn Boots",
[1175]="A Gold Tooth",
[1177]="Oil of Olaf",
[1178]="Explosive Rocket",
[1179]="Ice Cold Milk",
[1180]="Scroll of Stamina",
[1181]="Scroll of Spirit",
[1182]="Brass-studded Bracers",
[1183]="Elastic Wristguards",
[1187]="Spiked Collar",
[1189]="Overseer\'s Ring",
[1190]="Overseer\'s Cloak",
[1191]="Bag of Marbles",
[1193]="Banded Buckler",
[1194]="Bastard Sword",
[1195]="Kobold Mining Shovel",
[1196]="Tabar",
[1197]="Giant Mace",
[1198]="Claymore",
[1200]="Large Wooden Shield",
[1201]="Dull Heater Shield",
[1202]="Wall Shield",
[1203]="Aegis of Stormwind",
[1204]="The Green Tower",
[1205]="Melon Juice",
[1206]="Moss Agate",
[1207]="Murphstar",
[1208]="Maybell\'s Love Letter",
[1210]="Shadowgem",
[1211]="Gnoll War Harness",
[1212]="Gnoll Spittle",
[1213]="Gnoll Kindred Bracers",
[1214]="Gnoll Punisher",
[1215]="Support Girdle",
[1217]="Unknown Reward",
[1218]="Heavy Gnoll War Club",
[1219]="Redridge Machete",
[1220]="Lupine Axe",
[1221]="Underbelly Whelp Scale",
[1251]="Linen Bandage",
[1252]="Gramma Stonefield\'s Note",
[1254]="Lesser Firestone",
[1255]="Brackwater Bracers",
[1256]="Crystal Kelp Frond",
[1257]="Invisibility Liquor",
[1260]="Tharil\'zun\'s Head",
[1261]="Midnight Orb",
[1262]="Keg of Thunderbrew Lager",
[1263]="Brain Hacker",
[1264]="Headbasher",
[1265]="Scorpion Sting",
[1270]="Finely Woven Cloak",
[1273]="Forest Chain",
[1274]="Hops",
[1275]="Deputy Chain Coat",
[1276]="Fire Hardened Buckler",
[1280]="Cloaked Hood",
[1282]="Sparkmetal Coif",
[1283]="Verner\'s Note",
[1284]="Crate of Horseshoes",
[1287]="Giant Tarantula Fang",
[1288]="Large Venom Sac",
[1292]="Butcher\'s Cleaver",
[1293]="The State of Lakeshire",
[1294]="The General\'s Response",
[1296]="Blackrock Mace",
[1297]="Robes of the Shadowcaster",
[1299]="Lesser Belt of the Spire",
[1300]="Lesser Staff of the Spire",
[1302]="Black Whelp Gloves",
[1303]="Bridgeworker\'s Gloves",
[1304]="Riding Gloves",
[1306]="Wolfmane Wristguards",
[1307]="Gold Pickup Schedule",
[1309]="Oslow\'s Toolbox",
[1310]="Smith\'s Trousers",
[1314]="Ghoul Fingers",
[1315]="Lei of Lilies",
[1317]="Hardened Root Staff",
[1318]="Night Reaver",
[1319]="Ring of Iron Will",
[1322]="Fishliver Oil",
[1325]="Daffodil Bouquet",
[1326]="Sauteed Sunfish",
[1327]="Wiley\'s Note",
[1349]="Abercrombie\'s Crate",
[1351]="Fingerbone Bracers",
[1353]="Shaw\'s Report",
[1355]="Buckskin Cape",
[1357]="Captain Sander\'s Treasure Map",
[1358]="A Clue to Sander\'s Treasure",
[1359]="Lion-stamped Gloves",
[1360]="Stormwind Chain Gloves",
[1361]="Another Clue to Sander\'s Treasure",
[1362]="Final Clue to Sander\'s Treasure",
[1364]="Ragged Leather Vest",
[1366]="Ragged Leather Pants",
[1367]="Ragged Leather Boots",
[1368]="Ragged Leather Gloves",
[1369]="Ragged Leather Belt",
[1370]="Ragged Leather Bracers",
[1372]="Ragged Cloak",
[1374]="Frayed Shoes",
[1376]="Frayed Cloak",
[1377]="Frayed Gloves",
[1378]="Frayed Pants",
[1380]="Frayed Robe",
[1381]="A Mysterious Message",
[1382]="Rock Mace",
[1383]="Stone Tomahawk",
[1384]="Dull Blade",
[1386]="Thistlewood Axe",
[1387]="Ghoulfang",
[1388]="Crooked Staff",
[1389]="Kobold Mining Mallet",
[1391]="Riverpaw Mystic Staff",
[1394]="Driftwood Club",
[1395]="Apprentice\'s Pants",
[1396]="Acolyte\'s Pants",
[1399]="Magic Candle",
[1401]="Green Tea Leaf",
[1404]="Tidal Charm",
[1405]="Foamspittle Staff",
[1406]="Pearl-encrusted Spear",
[1407]="Solomon\'s Plea to Westfall",
[1408]="Stoutmantle\'s Response to Solomon",
[1409]="Solomon\'s Plea to Darkshire",
[1410]="Ebonlocke\'s Response to Solomon",
[1411]="Withered Staff",
[1412]="Crude Bastard Sword",
[1413]="Feeble Sword",
[1414]="Cracked Sledge",
[1415]="Carpenter\'s Mallet",
[1416]="Rusty Hatchet",
[1417]="Beaten Battle Axe",
[1418]="Worn Leather Belt",
[1419]="Worn Leather Boots",
[1420]="Worn Leather Bracers",
[1421]="Worn Hide Cloak",
[1422]="Worn Leather Gloves",
[1423]="Worn Leather Pants",
[1425]="Worn Leather Vest",
[1427]="Patchwork Shoes",
[1429]="Patchwork Cloak",
[1430]="Patchwork Gloves",
[1431]="Patchwork Pants",
[1433]="Patchwork Armor",
[1434]="Glowing Wax Stick",
[1436]="Frontier Britches",
[1438]="Warrior\'s Shield",
[1440]="Gnoll Skull Basher",
[1443]="Jeweled Amulet of Cainwyn",
[1445]="Blackrock Pauldrons",
[1446]="Blackrock Boots",
[1447]="Ring of Saviors",
[1448]="Blackrock Gauntlets",
[1449]="Minor Channeling Ring",
[1451]="Bottle of Zombie Juice",
[1453]="Spectral Comb",
[1454]="Axe of the Enforcer",
[1455]="Blackrock Champion\'s Axe",
[1457]="Shadowhide Mace",
[1458]="Shadowhide Maul",
[1459]="Shadowhide Scalper",
[1460]="Shadowhide Two-handed Sword",
[1461]="Slayer\'s Battle Axe",
[1462]="Ring of the Shadow",
[1464]="Buzzard Talon",
[1465]="Tigerbane",
[1467]="Spotted Sunfish",
[1468]="Murloc Fin",
[1469]="Scimitar of Atun",
[1470]="Murloc Skin Bag",
[1473]="Riverside Staff",
[1475]="Small Venom Sac",
[1476]="Snapped Spider Limb",
[1477]="Scroll of Agility II",
[1478]="Scroll of Protection II",
[1479]="Salma\'s Oven Mitts",
[1480]="Fist of the People\'s Militia",
[1481]="Grimclaw",
[1482]="Shadowfang",
[1483]="Face Smasher",
[1484]="Witching Stave",
[1485]="Pitchfork",
[1486]="Tree Bark Jacket",
[1487]="Conjured Pumpernickel",
[1488]="Avenger\'s Armor",
[1489]="Gloomshroud Armor",
[1490]="Guardian Talisman",
[1491]="Ring of Precision",
[1493]="Heavy Marauder Scimitar",
[1495]="Calico Shoes",
[1497]="Calico Cloak",
[1498]="Calico Gloves",
[1499]="Calico Pants",
[1501]="Calico Tunic",
[1502]="Warped Leather Belt",
[1503]="Warped Leather Boots",
[1504]="Warped Leather Bracers",
[1505]="Warped Cloak",
[1506]="Warped Leather Gloves",
[1507]="Warped Leather Pants",
[1509]="Warped Leather Vest",
[1510]="Heavy Hammer",
[1511]="Commoner\'s Sword",
[1512]="Crude Battle Axe",
[1513]="Old Greatsword",
[1514]="Rusty Warhammer",
[1515]="Rough Wooden Staff",
[1516]="Worn Hatchet",
[1518]="Ghost Hair Comb",
[1519]="Bloodscalp Ear",
[1520]="Troll Sweat",
[1521]="Lumbering Ogre Axe",
[1522]="Headhunting Spear",
[1523]="Huge Stone Club",
[1524]="Skullsplitter Tusk",
[1528]="Handful of Oats",
[1529]="Jade",
[1532]="Shrunken Head",
[1537]="Old Blanchy\'s Feed Pouch",
[1539]="Gnarled Hermit\'s Staff",
[1547]="Shield of the Faith",
[1557]="Buckler of the Seas",
[1560]="Bluegill Sandals",
[1561]="Harvester\'s Robe",
[1566]="Edge of the People\'s Militia",
[1596]="Ghost Hair Thread",
[1598]="Rot Blossom",
[1602]="Sickle Axe",
[1604]="Chromatic Sword",
[1607]="Soulkeeper",
[1608]="Skullcrusher Mace",
[1613]="Spiritchaser Staff",
[1624]="Skullsplitter Helm",
[1625]="Exquisite Flamberge",
[1630]="Broken Electro-lantern",
[1637]="Letter to Ello",
[1639]="Grinning Axe",
[1640]="Monstrous War Axe",
[1645]="Moonberry Juice",
[1652]="Sturdy Lunchbox",
[1656]="Translated Letter",
[1659]="Engineering Gloves",
[1664]="Spellforce Rod",
[1677]="Drake-scale Vest",
[1678]="Black Ogre Kickers",
[1679]="Korg Bat",
[1680]="Headchopper",
[1685]="Troll-hide Bag",
[1686]="Bristly Whisker",
[1687]="Retractable Claw",
[1688]="Long Soft Tail",
[1696]="Curved Raptor Talon",
[1697]="Keen Raptor Tooth",
[1701]="Curved Basilisk Claw",
[1702]="Intact Basilisk Spine",
[1703]="Crystal Basilisk Spine",
[1705]="Lesser Moonstone",
[1706]="Azuredeep Shards",
[1707]="Stormwind Brie",
[1708]="Sweet Nectar",
[1710]="Greater Healing Potion",
[1711]="Scroll of Stamina II",
[1712]="Scroll of Spirit II",
[1713]="Ankh of Life",
[1714]="Necklace of Calisea",
[1715]="Polished Jazeraint Armor",
[1716]="Robe of the Magi",
[1717]="Double Link Tunic",
[1718]="Basilisk Hide Pants",
[1720]="Tanglewood Staff",
[1721]="Viking Warhammer",
[1722]="Thornstone Sledgehammer",
[1725]="Large Knapsack",
[1726]="Poison-tipped Bone Spear",
[1727]="Sword of Decay",
[1728]="Teebu\'s Blazing Longsword",
[1729]="Gunnysack of the Night Watch",
[1730]="Worn Mail Belt",
[1731]="Worn Mail Boots",
[1732]="Worn Mail Bracers",
[1733]="Worn Cloak",
[1734]="Worn Mail Gloves",
[1735]="Worn Mail Pants",
[1737]="Worn Mail Vest",
[1738]="Laced Mail Belt",
[1739]="Laced Mail Boots",
[1740]="Laced Mail Bracers",
[1741]="Laced Cloak",
[1742]="Laced Mail Gloves",
[1743]="Laced Mail Pants",
[1744]="Laced Mail Shoulderpads",
[1745]="Laced Mail Vest",
[1746]="Linked Chain Belt",
[1747]="Linked Chain Boots",
[1748]="Linked Chain Bracers",
[1749]="Linked Chain Cloak",
[1750]="Linked Chain Gloves",
[1751]="Linked Chain Pants",
[1752]="Linked Chain Shoulderpads",
[1753]="Linked Chain Vest",
[1754]="Reinforced Chain Belt",
[1755]="Reinforced Chain Boots",
[1756]="Reinforced Chain Bracers",
[1757]="Reinforced Chain Cloak",
[1758]="Reinforced Chain Gloves",
[1759]="Reinforced Chain Pants",
[1760]="Reinforced Chain Shoulderpads",
[1761]="Reinforced Chain Vest",
[1764]="Canvas Shoes",
[1766]="Canvas Cloak",
[1767]="Canvas Gloves",
[1768]="Canvas Pants",
[1769]="Canvas Shoulderpads",
[1770]="Canvas Vest",
[1772]="Brocade Shoes",
[1774]="Brocade Cloak",
[1775]="Brocade Gloves",
[1776]="Brocade Pants",
[1777]="Brocade Shoulderpads",
[1778]="Brocade Vest",
[1780]="Cross-stitched Sandals",
[1782]="Cross-stitched Cloak",
[1783]="Cross-stitched Gloves",
[1784]="Cross-stitched Pants",
[1785]="Cross-stitched Shoulderpads",
[1786]="Cross-stitched Vest",
[1787]="Patched Leather Belt",
[1788]="Patched Leather Boots",
[1789]="Patched Leather Bracers",
[1790]="Patched Cloak",
[1791]="Patched Leather Gloves",
[1792]="Patched Leather Pants",
[1793]="Patched Leather Shoulderpads",
[1794]="Patched Leather Jerkin",
[1795]="Rawhide Belt",
[1796]="Rawhide Boots",
[1797]="Rawhide Bracers",
[1798]="Rawhide Cloak",
[1799]="Rawhide Gloves",
[1800]="Rawhide Pants",
[1801]="Rawhide Shoulderpads",
[1802]="Rawhide Tunic",
[1803]="Tough Leather Belt",
[1804]="Tough Leather Boots",
[1805]="Tough Leather Bracers",
[1806]="Tough Cloak",
[1807]="Tough Leather Gloves",
[1808]="Tough Leather Pants",
[1809]="Tough Leather Shoulderpads",
[1810]="Tough Leather Armor",
[1811]="Blunt Claymore",
[1812]="Short-handled Battle Axe",
[1813]="Chipped Quarterstaff",
[1814]="Battered Mallet",
[1815]="Ornamental Mace",
[1816]="Unbalanced Axe",
[1817]="Stock Shortsword",
[1818]="Standard Claymore",
[1819]="Gouging Pick",
[1820]="Wooden Maul",
[1821]="Warped Blade",
[1822]="Cedar Walking Stick",
[1823]="Bludgeoning Cudgel",
[1824]="Shiny War Axe",
[1825]="Bulky Bludgeon",
[1826]="Rock Maul",
[1827]="Meat Cleaver",
[1828]="Stone War Axe",
[1829]="Short Cutlass",
[1830]="Long Bastard Sword",
[1831]="Oaken War Staff",
[1832]="Lucky Trousers",
[1835]="Dirty Leather Belt",
[1836]="Dirty Leather Bracers",
[1839]="Rough Leather Belt",
[1840]="Rough Leather Bracers",
[1843]="Tanned Leather Belt",
[1844]="Tanned Leather Bracers",
[1845]="Chainmail Belt",
[1846]="Chainmail Bracers",
[1849]="Cured Leather Belt",
[1850]="Cured Leather Bracers",
[1852]="Scalemail Bracers",
[1853]="Scalemail Belt",
[1875]="Thistlenettle\'s Badge",
[1893]="Miner\'s Revenge",
[1894]="Miners\' Union Card",
[1913]="Studded Blackjack",
[1917]="Jeweled Dagger",
[1922]="Supplies for Sven",
[1923]="Ambassador\'s Satchel",
[1925]="Defias Rapier",
[1926]="Weighted Sap",
[1927]="Deadmines Cleaver",
[1928]="Defias Mage Staff",
[1929]="Silk-threaded Trousers",
[1930]="Stonemason Cloak",
[1931]="Huge Gnoll Claw",
[1933]="Staff of Conjuring",
[1934]="Stonemason Trousers",
[1935]="Assassin\'s Blade",
[1936]="Goblin Screwdriver",
[1937]="Buzz Saw",
[1938]="Block Mallet",
[1939]="Skin of Sweet Rum",
[1941]="Cask of Merlot",
[1942]="Bottle of Moonshine",
[1943]="Goblin Mail Leggings",
[1944]="Metalworking Gloves",
[1945]="Woodworking Gloves",
[1946]="Mary\'s Looking Glass",
[1951]="Blackwater Cutlass",
[1955]="Dragonmaw Chain Boots",
[1956]="Faded Shadowhide Pendant",
[1958]="Petrified Shinbone",
[1959]="Cold Iron Pick",
[1962]="Glowing Shadowhide Pendant",
[1965]="White Wolf Gloves",
[1968]="Ogre\'s Monocle",
[1970]="Restoring Balm",
[1971]="Furlbrow\'s Deed",
[1972]="Westfall Deed",
[1973]="Orb of Deception",
[1974]="Mindthrust Bracers",
[1975]="Pysan\'s Old Greatsword",
[1976]="Slaghammer",
[1978]="Wolfclaw Gloves",
[1979]="Wall of the Dead",
[1980]="Underworld Band",
[1981]="Icemail Jerkin",
[1982]="Nightblade",
[1986]="Gutrender",
[1987]="Krazek\'s Fixed Pot",
[1988]="Chief Brigadier Gauntlets",
[1990]="Ballast Maul",
[1991]="Goblin Power Shovel",
[1992]="Swampchill Fetish",
[1993]="Ogremind Ring",
[1994]="Ebonclaw Reaver",
[1996]="Voodoo Band",
[1997]="Pressed Felt Robe",
[1998]="Bloodscalp Channeling Staff",
[2000]="Archeus",
[2004]="Grelin Whitebeard\'s Journal",
[2005]="The First Troll Legend",
[2006]="The Second Troll Legend",
[2007]="The Third Troll Legend",
[2008]="The Fourth Troll Legend",
[2011]="Twisted Sabre",
[2013]="Cryptbone Staff",
[2014]="Black Metal Greatsword",
[2015]="Black Metal War Axe",
[2017]="Glowing Leather Bracers",
[2018]="Skeletal Longsword",
[2020]="Hollowfang Blade",
[2021]="Green Carapace Shield",
[2024]="Espadon",
[2025]="Bearded Axe",
[2026]="Rock Hammer",
[2027]="Scimitar",
[2028]="Hammer",
[2029]="Cleaver",
[2030]="Gnarled Staff",
[2032]="Gallan Cuffs",
[2033]="Ambassador\'s Boots",
[2034]="Scholarly Robes",
[2035]="Sword of the Night Sky",
[2036]="Dusty Mining Gloves",
[2037]="Tunneler\'s Boots",
[2039]="Plains Ring",
[2040]="Troll Protector",
[2041]="Tunic of Westfall",
[2042]="Staff of Westfall",
[2043]="Ring of Forlorn Spirits",
[2044]="Crescent of Forlorn Spirits",
[2046]="Bluegill Kukri",
[2047]="Anvilmar Hand Axe",
[2048]="Anvilmar Hammer",
[2054]="Trogg Hand Axe",
[2055]="Small Wooden Hammer",
[2057]="Pitted Defias Shortsword",
[2058]="Kazon\'s Maul",
[2059]="Sentry Cloak",
[2064]="Trogg Club",
[2065]="Rockjaw Blade",
[2066]="Skull Hatchet",
[2067]="Frostbit Staff",
[2069]="Black Bear Hide Vest",
[2070]="Darnassian Bleu",
[2072]="Dwarven Magestaff",
[2073]="Dwarven Hatchet",
[2074]="Solid Shortblade",
[2075]="Priest\'s Mace",
[2077]="Magician Staff",
[2078]="Northern Shortsword",
[2079]="Sergeant\'s Warhammer",
[2080]="Hillborne Axe",
[2082]="Wizbang\'s Gunnysack",
[2084]="Darksteel Bastard Sword",
[2085]="Chunk of Flesh",
[2087]="Hard Crawler Carapace",
[2088]="Long Crawler Limb",
[2089]="Scrimshaw Dagger",
[2091]="Magic Dust",
[2092]="Worn Dagger",
[2098]="Double-barreled Shotgun",
[2099]="Dwarven Hand Cannon",
[2100]="Precisely Calibrated Boomstick",
[2101]="Light Quiver",
[2102]="Small Ammo Pouch",
[2105]="Thug Shirt",
[2108]="Frostmane Leather Vest",
[2109]="Frostmane Chain Vest",
[2110]="Light Magesmith Robe",
[2112]="Lumberjack Jerkin",
[2113]="Calor\'s Note",
[2114]="Snowy Robe",
[2117]="Thin Cloth Shoes",
[2119]="Thin Cloth Gloves",
[2120]="Thin Cloth Pants",
[2121]="Thin Cloth Armor",
[2122]="Cracked Leather Belt",
[2123]="Cracked Leather Boots",
[2124]="Cracked Leather Bracers",
[2125]="Cracked Leather Gloves",
[2126]="Cracked Leather Pants",
[2127]="Cracked Leather Vest",
[2129]="Large Round Shield",
[2130]="Club",
[2131]="Shortsword",
[2132]="Short Staff",
[2133]="Small Shield",
[2134]="Hand Axe",
[2136]="Conjured Purified Water",
[2137]="Whittling Knife",
[2138]="Sharpened Letter Opener",
[2139]="Dirk",
[2140]="Carving Knife",
[2141]="Cuirboulli Vest",
[2142]="Cuirboulli Belt",
[2143]="Cuirboulli Boots",
[2144]="Cuirboulli Bracers",
[2145]="Cuirboulli Gloves",
[2146]="Cuirboulli Pants",
[2148]="Polished Scale Belt",
[2149]="Polished Scale Boots",
[2150]="Polished Scale Bracers",
[2151]="Polished Scale Gloves",
[2152]="Polished Scale Leggings",
[2153]="Polished Scale Vest",
[2154]="The Story of Morgan Ladimore",
[2156]="Padded Boots",
[2158]="Padded Gloves",
[2159]="Padded Pants",
[2160]="Padded Armor",
[2161]="Book from Sven\'s Farm",
[2162]="Sarah\'s Ring",
[2163]="Shadowblade",
[2164]="Gut Ripper",
[2165]="Old Blanchy\'s Blanket",
[2166]="Foreman\'s Leggings",
[2167]="Foreman\'s Gloves",
[2168]="Foreman\'s Boots",
[2169]="Buzzer Blade",
[2172]="Rustic Belt",
[2173]="Old Leather Belt",
[2175]="Shadowhide Battle Axe",
[2186]="Outfitter Belt",
[2187]="A Stack of Letters",
[2188]="A Letter to Grelin Whitebeard",
[2194]="Diamond Hammer",
[2195]="Anvilmar Knife",
[2203]="Brashclaw\'s Chopper",
[2204]="Brashclaw\'s Skewer",
[2205]="Duskbringer",
[2207]="Jambiya",
[2208]="Poniard",
[2209]="Kris",
[2210]="Battered Buckler",
[2211]="Bent Large Shield",
[2212]="Cracked Buckler",
[2213]="Worn Large Shield",
[2214]="Wooden Buckler",
[2215]="Wooden Shield",
[2216]="Simple Buckler",
[2217]="Rectangular Shield",
[2218]="Craftsman\'s Dagger",
[2219]="Small Round Shield",
[2220]="Box Shield",
[2221]="Targe Shield",
[2222]="Tower Shield",
[2223]="The Collector\'s Schedule",
[2224]="Militia Dagger",
[2225]="Sharp Kitchen Knife",
[2226]="Ogremage Staff",
[2227]="Heavy Ogre War Axe",
[2230]="Gloves of Brawn",
[2231]="Inferno Robe",
[2232]="Dark Runner Boots",
[2233]="Shadow Weaver Leggings",
[2234]="Nightwalker Armor",
[2235]="Brackclaw",
[2236]="Blackfang",
[2237]="Patched Pants",
[2238]="Urchin\'s Pants",
[2239]="The Collector\'s Ring",
[2240]="Rugged Cape",
[2241]="Desperado Cape",
[2243]="Hand of Edward the Odd",
[2244]="Krol Blade",
[2245]="Helm of Narv",
[2246]="Myrmidon\'s Signet",
[2249]="Militia Buckler",
[2250]="Dusky Crab Cakes",
[2251]="Gooey Spider Leg",
[2252]="Miscellaneous Goblin Supplies",
[2254]="Icepane Warhammer",
[2256]="Skeletal Club",
[2257]="Frostmane Staff",
[2258]="Frostmane Shortsword",
[2259]="Frostmane Club",
[2260]="Frostmane Hand Axe",
[2262]="Mark of Kern",
[2263]="Phytoblade",
[2264]="Mantle of Thieves",
[2265]="Stonesplinter Axe",
[2266]="Stonesplinter Dagger",
[2267]="Stonesplinter Mace",
[2268]="Stonesplinter Blade",
[2271]="Staff of the Blessed Seer",
[2274]="Sapper\'s Gloves",
[2276]="Swampwalker Boots",
[2277]="Necromancer Leggings",
[2278]="Forest Tracker Epaulets",
[2280]="Kam\'s Walking Stick",
[2281]="Rodentia Flint Axe",
[2282]="Rodentia Shortsword",
[2283]="Rat Cloth Belt",
[2284]="Rat Cloth Cloak",
[2287]="Haunch of Meat",
[2288]="Conjured Fresh Water",
[2289]="Scroll of Strength II",
[2290]="Scroll of Intellect II",
[2291]="Kang the Decapitator",
[2292]="Necrology Robes",
[2295]="Large Boar Tusk",
[2296]="Great Goretusk Snout",
[2299]="Burning War Axe",
[2300]="Embossed Leather Vest",
[2302]="Handstitched Leather Boots",
[2303]="Handstitched Leather Pants",
[2304]="Light Armor Kit",
[2307]="Fine Leather Boots",
[2308]="Fine Leather Cloak",
[2309]="Embossed Leather Boots",
[2310]="Embossed Leather Cloak",
[2311]="White Leather Jerkin",
[2312]="Fine Leather Gloves",
[2313]="Medium Armor Kit",
[2314]="Toughened Leather Armor",
[2315]="Dark Leather Boots",
[2316]="Dark Leather Cloak",
[2317]="Dark Leather Tunic",
[2318]="Light Leather",
[2319]="Medium Leather",
[2320]="Coarse Thread",
[2321]="Fine Thread",
[2324]="Bleach",
[2325]="Black Dye",
[2326]="Ivy-weave Bracers",
[2327]="Sturdy Leather Bracers",
[2361]="Battleworn Hammer",
[2362]="Worn Wooden Shield",
[2364]="Woven Vest",
[2366]="Woven Pants",
[2367]="Woven Boots",
[2369]="Woven Gloves",
[2370]="Battered Leather Harness",
[2371]="Battered Leather Belt",
[2372]="Battered Leather Pants",
[2373]="Battered Leather Boots",
[2374]="Battered Leather Bracers",
[2375]="Battered Leather Gloves",
[2376]="Worn Heater Shield",
[2377]="Round Buckler",
[2378]="Skeleton Finger",
[2379]="Tarnished Chain Vest",
[2380]="Tarnished Chain Belt",
[2381]="Tarnished Chain Leggings",
[2382]="The Embalmer\'s Heart",
[2383]="Tarnished Chain Boots",
[2384]="Tarnished Chain Bracers",
[2385]="Tarnished Chain Gloves",
[2386]="Rusted Chain Vest",
[2387]="Rusted Chain Belt",
[2388]="Rusted Chain Leggings",
[2389]="Rusted Chain Boots",
[2390]="Rusted Chain Bracers",
[2391]="Rusted Chain Gloves",
[2392]="Light Mail Armor",
[2393]="Light Mail Belt",
[2394]="Light Mail Leggings",
[2395]="Light Mail Boots",
[2396]="Light Mail Bracers",
[2397]="Light Mail Gloves",
[2398]="Light Chain Armor",
[2399]="Light Chain Belt",
[2400]="Light Chain Leggings",
[2401]="Light Chain Boots",
[2402]="Light Chain Bracers",
[2403]="Light Chain Gloves",
[2406]="Pattern: Fine Leather Boots",
[2407]="Pattern: White Leather Jerkin",
[2408]="Pattern: Fine Leather Gloves",
[2409]="Pattern: Dark Leather Tunic",
[2411]="Black Stallion Bridle",
[2414]="Pinto Bridle",
[2417]="Augmented Chain Vest",
[2418]="Augmented Chain Leggings",
[2419]="Augmented Chain Belt",
[2420]="Augmented Chain Boots",
[2421]="Augmented Chain Bracers",
[2422]="Augmented Chain Gloves",
[2423]="Brigandine Vest",
[2424]="Brigandine Belt",
[2425]="Brigandine Leggings",
[2426]="Brigandine Boots",
[2427]="Brigandine Bracers",
[2428]="Brigandine Gloves",
[2429]="Russet Vest",
[2431]="Russet Pants",
[2432]="Russet Boots",
[2434]="Russet Gloves",
[2435]="Embroidered Armor",
[2437]="Embroidered Pants",
[2438]="Embroidered Boots",
[2440]="Embroidered Gloves",
[2441]="Ringed Buckler",
[2442]="Reinforced Targe",
[2443]="Metal Buckler",
[2444]="Ornate Buckler",
[2445]="Large Metal Shield",
[2446]="Kite Shield",
[2447]="Peacebloom",
[2448]="Heavy Pavise",
[2449]="Earthroot",
[2450]="Briarthorn",
[2451]="Crested Heater Shield",
[2452]="Swiftthistle",
[2453]="Bruiseweed",
[2454]="Elixir of Lion\'s Strength",
[2455]="Minor Mana Potion",
[2456]="Minor Rejuvenation Potion",
[2457]="Elixir of Minor Agility",
[2458]="Elixir of Minor Fortitude",
[2459]="Swiftness Potion",
[2463]="Studded Doublet",
[2464]="Studded Belt",
[2465]="Studded Pants",
[2466]="Skullsplitter Fetish",
[2467]="Studded Boots",
[2468]="Studded Bracers",
[2469]="Studded Gloves",
[2470]="Reinforced Leather Vest",
[2471]="Reinforced Leather Belt",
[2472]="Reinforced Leather Pants",
[2473]="Reinforced Leather Boots",
[2474]="Reinforced Leather Bracers",
[2475]="Reinforced Leather Gloves",
[2476]="Chilled Basilisk Haunch",
[2477]="Ravager\'s Skull",
[2479]="Broad Axe",
[2480]="Large Club",
[2488]="Gladius",
[2489]="Two-handed Sword",
[2490]="Tomahawk",
[2491]="Large Axe",
[2492]="Cudgel",
[2493]="Wooden Mallet",
[2494]="Stiletto",
[2495]="Walking Stick",
[2499]="Double-bladed Axe",
[2504]="Worn Shortbow",
[2505]="Polished Shortbow",
[2506]="Hornwood Recurve Bow",
[2507]="Laminated Recurve Bow",
[2508]="Old Blunderbuss",
[2509]="Ornate Blunderbuss",
[2510]="Solid Blunderbuss",
[2511]="Hunter\'s Boomstick",
[2512]="Rough Arrow",
[2515]="Sharp Arrow",
[2516]="Light Shot",
[2519]="Heavy Shot",
[2520]="Broadsword",
[2521]="Flamberge",
[2522]="Crescent Axe",
[2523]="Bullova",
[2524]="Truncheon",
[2525]="War Hammer",
[2526]="Main Gauche",
[2527]="Battle Staff",
[2528]="Falchion",
[2529]="Zweihander",
[2530]="Francisca",
[2531]="Great Axe",
[2532]="Morning Star",
[2533]="War Maul",
[2534]="Rondel",
[2535]="War Staff",
[2536]="Trogg Stone Tooth",
[2545]="Malleable Chain Leggings",
[2546]="Royal Frostmane Girdle",
[2547]="Boar Handler Gloves",
[2548]="Barrel of Barleybrew Scalder",
[2549]="Staff of the Shade",
[2553]="Recipe: Elixir of Minor Agility",
[2555]="Recipe: Swiftness Potion",
[2560]="Jitters\' Completed Journal",
[2561]="Chok\'sul\'s Head",
[2562]="Bouquet of Scarlet Begonias",
[2563]="Strange Smelling Powder",
[2564]="Elven Spirit Claws",
[2565]="Rod of Molten Fire",
[2566]="Sacrificial Robes",
[2567]="Evocator\'s Blade",
[2568]="Brown Linen Vest",
[2569]="Linen Boots",
[2570]="Linen Cloak",
[2571]="Viny Wrappings",
[2572]="Red Linen Robe",
[2575]="Red Linen Shirt",
[2576]="White Linen Shirt",
[2577]="Blue Linen Shirt",
[2578]="Barbaric Linen Vest",
[2579]="Green Linen Shirt",
[2580]="Reinforced Linen Cape",
[2581]="Heavy Linen Bandage",
[2582]="Green Woolen Vest",
[2583]="Woolen Boots",
[2584]="Woolen Cape",
[2585]="Gray Woolen Robe",
[2586]="Gamemaster\'s Robe",
[2587]="Gray Woolen Shirt",
[2589]="Linen Cloth",
[2590]="Forest Spider Webbing",
[2591]="Dirty Trogg Cloth",
[2592]="Wool Cloth",
[2593]="Flask of Port",
[2594]="Flagon of Mead",
[2595]="Jug of Bourbon",
[2596]="Skin of Dwarven Stout",
[2598]="Pattern: Red Linen Robe",
[2601]="Pattern: Gray Woolen Robe",
[2604]="Red Dye",
[2605]="Green Dye",
[2606]="Lurker Venom",
[2607]="Mo\'grosh Crystal",
[2608]="Threshadon Ambergris",
[2609]="Disarming Colloid",
[2610]="Disarming Mixture",
[2611]="Crude Flint",
[2612]="Plain Robe",
[2613]="Double-stitched Robes",
[2614]="Robe of Apprenticeship",
[2615]="Chromatic Robe",
[2616]="Shimmering Silk Robes",
[2617]="Burning Robes",
[2618]="Silver Dress Robes",
[2619]="Grelin\'s Report",
[2620]="Augural Shroud",
[2621]="Cowl of Necromancy",
[2622]="Nimar\'s Tribal Headdress",
[2623]="Holy Diadem",
[2624]="Thinking Cap",
[2625]="Menethil Statuette",
[2628]="Senir\'s Report",
[2629]="Intrepid Strongbox Key",
[2632]="Curved Dagger",
[2633]="Jungle Remedy",
[2634]="Venom Fern Extract",
[2635]="Loose Chain Belt",
[2636]="Carved Stone Idol",
[2637]="Ironband\'s Progress Report",
[2639]="Merrin\'s Letter",
[2640]="Miners\' Gear",
[2642]="Loose Chain Boots",
[2643]="Loose Chain Bracers",
[2644]="Loose Chain Cloak",
[2645]="Loose Chain Gloves",
[2646]="Loose Chain Pants",
[2648]="Loose Chain Vest",
[2649]="Flimsy Chain Belt",
[2650]="Flimsy Chain Boots",
[2651]="Flimsy Chain Bracers",
[2652]="Flimsy Chain Cloak",
[2653]="Flimsy Chain Gloves",
[2654]="Flimsy Chain Pants",
[2656]="Flimsy Chain Vest",
[2657]="Red Leather Bag",
[2658]="Ados Fragment",
[2659]="Modr Fragment",
[2660]="Golm Fragment",
[2661]="Neru Fragment",
[2662]="Ribbly\'s Quiver",
[2663]="Ribbly\'s Bandolier",
[2665]="Stormwind Seasoning Herbs",
[2666]="Barrel of Thunder Ale",
[2667]="MacGrann\'s Dried Meats",
[2671]="Wendigo Mane",
[2672]="Stringy Wolf Meat",
[2673]="Coyote Meat",
[2674]="Crawler Meat",
[2675]="Crawler Claw",
[2676]="Shimmerweed",
[2677]="Boar Ribs",
[2678]="Mild Spices",
[2679]="Charred Wolf Meat",
[2680]="Spiced Wolf Meat",
[2681]="Roasted Boar Meat",
[2682]="Cooked Crab Claw",
[2683]="Crab Cake",
[2684]="Coyote Steak",
[2685]="Succulent Pork Ribs",
[2686]="Thunder Ale",
[2687]="Dry Pork Ribs",
[2690]="Latched Belt",
[2691]="Outfitter Boots",
[2692]="Hot Spices",
[2694]="Settler\'s Leggings",
[2696]="Cask of Evershine",
[2697]="Recipe: Goretusk Liver Pie",
[2698]="Recipe: Cooked Crab Claw",
[2699]="Recipe: Redridge Goulash",
[2700]="Recipe: Succulent Pork Ribs",
[2701]="Recipe: Seasoned Wolf Kabob",
[2702]="Lightforge Ingot",
[2712]="Crate of Lightforge Ingots",
[2713]="Ol\' Sooty\'s Head",
[2715]="Monster - Item, Lantern - Round",
[2719]="Small Brass Key",
[2720]="Muddy Note",
[2721]="Holy Shroud",
[2722]="Wine Ticket",
[2723]="Bottle of Pinot Noir",
[2724]="Cloth Request",
[2725]="Green Hills of Stranglethorn - Page 1",
[2728]="Green Hills of Stranglethorn - Page 4",
[2730]="Green Hills of Stranglethorn - Page 6",
[2732]="Green Hills of Stranglethorn - Page 8",
[2734]="Green Hills of Stranglethorn - Page 10",
[2735]="Green Hills of Stranglethorn - Page 11",
[2738]="Green Hills of Stranglethorn - Page 14",
[2740]="Green Hills of Stranglethorn - Page 16",
[2742]="Green Hills of Stranglethorn - Page 18",
[2744]="Green Hills of Stranglethorn - Page 20",
[2745]="Green Hills of Stranglethorn - Page 21",
[2748]="Green Hills of Stranglethorn - Page 24",
[2749]="Green Hills of Stranglethorn - Page 25",
[2750]="Green Hills of Stranglethorn - Page 26",
[2751]="Green Hills of Stranglethorn - Page 27",
[2754]="Tarnished Bastard Sword",
[2756]="Green Hills of Stranglethorn - Chapter I",
[2757]="Green Hills of Stranglethorn - Chapter II",
[2758]="Green Hills of Stranglethorn - Chapter III",
[2759]="Green Hills of Stranglethorn - Chapter IV",
[2760]="Thurman\'s Sewing Kit",
[2763]="Fisherman Knife",
[2764]="Small Dagger",
[2765]="Hunting Knife",
[2766]="Deft Stiletto",
[2770]="Copper Ore",
[2771]="Tin Ore",
[2772]="Iron Ore",
[2773]="Cracked Shortbow",
[2774]="Rust-covered Blunderbuss",
[2775]="Silver Ore",
[2776]="Gold Ore",
[2777]="Feeble Shortbow",
[2778]="Cheap Blunderbuss",
[2779]="Tear of Tilloa",
[2780]="Light Hunting Bow",
[2781]="Dirty Blunderbuss",
[2782]="Mishandled Recurve Bow",
[2783]="Shoddy Blunderbuss",
[2784]="Musquash Root",
[2785]="Stiff Recurve Bow",
[2786]="Oiled Blunderbuss",
[2787]="Trogg Dagger",
[2788]="Black Claw Stout",
[2794]="An Old History Book",
[2795]="Book: Stresses of Iron",
[2797]="Heart of Mokk",
[2798]="Rethban Ore",
[2799]="Gorilla Fang",
[2800]="Black Velvet Robes",
[2801]="Blade of Hanna",
[2802]="Blazing Emblem",
[2805]="Yeti Fur Cloak",
[2806]="Package for Stormpike",
[2807]="Guillotine Axe",
[2815]="Curve-bladed Ripper",
[2816]="Death Speaker Scepter",
[2817]="Soft Leather Tunic",
[2818]="Stretched Leather Trousers",
[2819]="Cross Dagger",
[2820]="Nifty Stopwatch",
[2821]="Mo\'grosh Masher",
[2822]="Mo\'grosh Toothpick",
[2823]="Mo\'grosh Can Opener",
[2824]="Hurricane",
[2825]="Bow of Searing Arrows",
[2828]="Nissa\'s Remains",
[2829]="Gregor\'s Remains",
[2830]="Thurman\'s Remains",
[2831]="Devlin\'s Remains",
[2832]="Verna\'s Westfall Stew Recipe",
[2833]="The Lich\'s Spellbook",
[2834]="Embalming Ichor",
[2835]="Rough Stone",
[2836]="Coarse Stone",
[2837]="Thurman\'s Letter",
[2838]="Heavy Stone",
[2839]="A Letter to Yvette",
[2840]="Copper Bar",
[2841]="Bronze Bar",
[2842]="Silver Bar",
[2843]="Dirty Knucklebones",
[2844]="Copper Mace",
[2845]="Copper Axe",
[2846]="Tirisfal Pumpkin",
[2847]="Copper Shortsword",
[2848]="Bronze Mace",
[2849]="Bronze Axe",
[2850]="Bronze Shortsword",
[2851]="Copper Chain Belt",
[2852]="Copper Chain Pants",
[2853]="Copper Bracers",
[2854]="Runed Copper Bracers",
[2855]="Putrid Claw",
[2856]="Iron Pike",
[2857]="Runed Copper Belt",
[2858]="Darkhound Blood",
[2859]="Vile Fin Scale",
[2862]="Rough Sharpening Stone",
[2863]="Coarse Sharpening Stone",
[2864]="Runed Copper Breastplate",
[2865]="Rough Bronze Leggings",
[2866]="Rough Bronze Cuirass",
[2868]="Patterned Bronze Bracers",
[2869]="Silvered Bronze Breastplate",
[2870]="Shining Silver Breastplate",
[2871]="Heavy Sharpening Stone",
[2872]="Vicious Night Web Spider Venom",
[2874]="An Unsent Letter",
[2875]="Scarlet Insignia Ring",
[2876]="Duskbat Pelt",
[2877]="Combatant Claymore",
[2878]="Bearded Boneaxe",
[2879]="Antipodean Rod",
[2880]="Weak Flux",
[2881]="Plans: Runed Copper Breastplate",
[2882]="Plans: Silvered Bronze Shoulders",
[2883]="Plans: Deadly Bronze Poniard",
[2885]="Scarlet Crusade Documents",
[2886]="Crag Boar Rib",
[2888]="Beer Basted Boar Ribs",
[2889]="Recipe: Beer Basted Boar Ribs",
[2892]="Deadly Poison",
[2893]="Deadly Poison II",
[2894]="Rhapsody Malt",
[2898]="Mountaineer Chestpiece",
[2899]="Wendigo Collar",
[2900]="Stone Buckler",
[2901]="Mining Pick",
[2902]="Cloak of the Faith",
[2903]="Daryl\'s Hunting Bow",
[2904]="Daryl\'s Hunting Rifle",
[2905]="Goat Fur Cloak",
[2906]="Darkshire Mail Leggings",
[2907]="Dwarven Tree Chopper",
[2908]="Thornblade",
[2909]="Red Wool Bandana",
[2910]="Gold Militia Boots",
[2911]="Keller\'s Girdle",
[2912]="Claw of the Shadowmancer",
[2913]="Silk Mantle of Gamn",
[2915]="Taran Icebreaker",
[2916]="Gold Lion Shield",
[2917]="Tranquil Ring",
[2924]="Crocolisk Meat",
[2925]="Crocolisk Skin",
[2926]="Head of Bazil Thredd",
[2928]="Dust of Decay",
[2930]="Essence of Pain",
[2931]="Maiden\'s Anguish",
[2933]="Seal of Wrynn",
[2934]="Ruined Leather Scraps",
[2939]="Crocolisk Tear",
[2940]="Bloody Bear Paw",
[2941]="Prison Shank",
[2942]="Iron Knuckles",
[2943]="Eye of Paleth",
[2944]="Cursed Eye of Paleth",
[2946]="Balanced Throwing Dagger",
[2947]="Small Throwing Knife",
[2949]="Mariner Boots",
[2950]="Icicle Rod",
[2951]="Ring of the Underwood",
[2953]="Watch Master\'s Cloak",
[2954]="Night Watch Pantaloons",
[2955]="First Mate Hat",
[2956]="Report on the Defias Brotherhood",
[2957]="Journeyman\'s Vest",
[2958]="Journeyman\'s Pants",
[2959]="Journeyman\'s Boots",
[2960]="Journeyman\'s Gloves",
[2961]="Burnt Leather Vest",
[2962]="Burnt Leather Breeches",
[2963]="Burnt Leather Boots",
[2964]="Burnt Leather Gloves",
[2965]="Warrior\'s Tunic",
[2966]="Warrior\'s Pants",
[2967]="Warrior\'s Boots",
[2968]="Warrior\'s Gloves",
[2969]="Spellbinder Vest",
[2970]="Spellbinder Pants",
[2971]="Spellbinder Boots",
[2972]="Spellbinder Gloves",
[2973]="Hunting Tunic",
[2974]="Hunting Pants",
[2975]="Hunting Boots",
[2976]="Hunting Gloves",
[2977]="Veteran Armor",
[2978]="Veteran Leggings",
[2979]="Veteran Boots",
[2980]="Veteran Gloves",
[2981]="Seer\'s Robe",
[2982]="Seer\'s Pants",
[2983]="Seer\'s Boots",
[2984]="Seer\'s Gloves",
[2985]="Inscribed Leather Breastplate",
[2986]="Inscribed Leather Pants",
[2987]="Inscribed Leather Boots",
[2988]="Inscribed Leather Gloves",
[2989]="Burnished Tunic",
[2990]="Burnished Leggings",
[2991]="Burnished Boots",
[2992]="Burnished Gloves",
[2996]="Bolt of Linen Cloth",
[2997]="Bolt of Woolen Cloth",
[2998]="A Simple Compass",
[2999]="Steelgrill\'s Tools",
[3000]="Brood Mother Carapace",
[3008]="Wendigo Fur Cloak",
[3010]="Fine Sand",
[3011]="Feathered Headdress",
[3012]="Scroll of Agility",
[3013]="Scroll of Protection",
[3014]="Battleworn Axe",
[3016]="Gunther\'s Spellbook",
[3017]="Sevren\'s Orders",
[3018]="Hide of Lupos",
[3019]="Noble\'s Robe",
[3020]="Enduring Cap",
[3021]="Ranger Bow",
[3022]="Bluegill Breeches",
[3023]="Large Bore Blunderbuss",
[3024]="BKP 2700 \"Enforcer\"",
[3025]="BKP 42 \"Ultra\"",
[3026]="Reinforced Bow",
[3027]="Heavy Recurve Bow",
[3030]="Razor Arrow",
[3033]="Solid Shot",
[3034]="BKP \"Impact\" Shot",
[3035]="Laced Pumpkin",
[3036]="Heavy Shortbow",
[3037]="Whipwood Recurve Bow",
[3039]="Short Ash Bow",
[3040]="Hunter\'s Muzzle Loader",
[3041]="\"Mage-Eye\" Blunderbuss",
[3042]="BKP \"Sparrow\" Smallbore",
[3045]="Lambent Scale Boots",
[3047]="Lambent Scale Gloves",
[3048]="Lambent Scale Legguards",
[3049]="Lambent Scale Breastplate",
[3053]="Humbert\'s Chestpiece",
[3055]="Forest Leather Chestpiece",
[3056]="Forest Leather Pants",
[3057]="Forest Leather Boots",
[3058]="Forest Leather Gloves",
[3065]="Bright Boots",
[3066]="Bright Gloves",
[3067]="Bright Pants",
[3069]="Bright Robe",
[3070]="Ensign Cloak",
[3071]="Striking Hatchet",
[3072]="Smoldering Robe",
[3073]="Smoldering Pants",
[3074]="Smoldering Gloves",
[3075]="Eye of Flame",
[3076]="Smoldering Boots",
[3078]="Naga Heartpiercer",
[3079]="Skorn\'s Rifle",
[3080]="Candle of Beckoning",
[3081]="Nether Gem",
[3082]="Dargol\'s Skull",
[3083]="Restabilization Cog",
[3084]="Gyromechanic Gear",
[3085]="Barrel of Shimmer Stout",
[3086]="Cask of Shimmer Stout",
[3087]="Mug of Shimmer Stout",
[3103]="Coldridge Hammer",
[3107]="Keen Throwing Knife",
[3108]="Heavy Throwing Dagger",
[3110]="Tunnel Rat Ear",
[3111]="Crude Throwing Axe",
[3117]="Hildelve\'s Journal",
[3131]="Weighted Throwing Axe",
[3135]="Sharp Throwing Axe",
[3137]="Deadly Throwing Axe",
[3148]="Work Shirt",
[3151]="Siege Brigade Vest",
[3152]="Driving Gloves",
[3153]="Oil-stained Cloak",
[3154]="Thelsamar Axe",
[3155]="Remedy of Arugal",
[3156]="Glutton Shackle",
[3157]="Darksoul Shackle",
[3158]="Burnt Hide Bracers",
[3160]="Ironplate Buckler",
[3161]="Robe of the Keeper",
[3162]="Notched Rib",
[3163]="Blackened Skull",
[3164]="Discolored Worg Heart",
[3165]="Quinn\'s Potion",
[3166]="Ironheart Chain",
[3167]="Thick Spider Hair",
[3169]="Chipped Bear Tooth",
[3170]="Large Bear Tooth",
[3171]="Broken Boar Tusk",
[3172]="Boar Intestines",
[3173]="Bear Meat",
[3174]="Spider Ichor",
[3175]="Ruined Dragonhide",
[3176]="Small Claw",
[3177]="Tiny Fang",
[3179]="Cracked Dragon Molting",
[3180]="Flecked Raptor Scale",
[3181]="Partially Digested Meat",
[3182]="Spider\'s Silk",
[3183]="Mangy Claw",
[3184]="Hook Dagger",
[3185]="Acrobatic Staff",
[3186]="Viking Sword",
[3187]="Sacrificial Kris",
[3188]="Coral Claymore",
[3189]="Wood Chopper",
[3190]="Beatstick",
[3191]="Arced War Axe",
[3192]="Short Bastard Sword",
[3193]="Oak Mallet",
[3194]="Black Malice",
[3195]="Barbaric Battle Axe",
[3196]="Edged Bastard Sword",
[3197]="Stonecutter Claymore",
[3198]="Battering Hammer",
[3199]="Battle Slayer",
[3200]="Burnt Leather Bracers",
[3201]="Barbarian War Axe",
[3202]="Forest Leather Bracers",
[3203]="Dense Triangle Mace",
[3204]="Deepwood Bracers",
[3205]="Inscribed Leather Bracers",
[3206]="Cavalier Two-hander",
[3207]="Hunting Bracers",
[3208]="Conk Hammer",
[3209]="Ancient War Sword",
[3210]="Brutal War Axe",
[3211]="Burnished Bracers",
[3212]="Lambent Scale Bracers",
[3213]="Veteran Bracers",
[3214]="Warrior\'s Bracers",
[3216]="Warm Winter Robe",
[3217]="Foreman Belt",
[3218]="Pyrewood Shackle",
[3220]="Blood Sausage",
[3223]="Frostmane Scepter",
[3224]="Silver-lined Bracers",
[3225]="Bloodstained Knife",
[3227]="Nightbane Staff",
[3228]="Jimmied Handcuffs",
[3229]="Tarantula Silk Sash",
[3230]="Black Wolf Bracers",
[3231]="Cutthroat Pauldrons",
[3233]="Gnoll Hide Sack",
[3234]="Deliah\'s Ring",
[3235]="Ring of Scorn",
[3236]="Rot Hide Ichor",
[3237]="Sample Ichor",
[3238]="Johaan\'s Findings",
[3239]="Rough Weightstone",
[3240]="Coarse Weightstone",
[3241]="Heavy Weightstone",
[3248]="Translated Letter from The Embalmer",
[3250]="Bethor\'s Scroll",
[3251]="Bethor\'s Potion",
[3252]="Deathstalker Report",
[3253]="Grizzled Bear Heart",
[3254]="Skittering Blood",
[3255]="Berard\'s Journal",
[3256]="Lake Skulker Moss",
[3257]="Lake Creeper Moss",
[3258]="Hardened Tumor",
[3260]="Scarlet Initiate Robes",
[3261]="Webbed Cloak",
[3262]="Putrid Wooden Hammer",
[3263]="Webbed Pants",
[3264]="Duskbat Wing",
[3265]="Scavenger Paw",
[3266]="Scarlet Armband",
[3267]="Forsaken Shortsword",
[3268]="Forsaken Dagger",
[3269]="Forsaken Maul",
[3270]="Flax Vest",
[3272]="Zombie Skin Leggings",
[3273]="Rugged Mail Vest",
[3274]="Flax Boots",
[3275]="Flax Gloves",
[3276]="Deathguard Buckler",
[3277]="Executor Staff",
[3279]="Battle Chain Boots",
[3280]="Battle Chain Bracers",
[3281]="Battle Chain Gloves",
[3282]="Battle Chain Pants",
[3283]="Battle Chain Tunic",
[3284]="Tribal Boots",
[3285]="Tribal Bracers",
[3286]="Tribal Gloves",
[3287]="Tribal Pants",
[3288]="Tribal Vest",
[3289]="Ancestral Boots",
[3290]="Ancestral Gloves",
[3291]="Ancestral Woollies",
[3292]="Ancestral Tunic",
[3293]="Deadman Cleaver",
[3294]="Deadman Club",
[3295]="Deadman Blade",
[3296]="Deadman Dagger",
[3297]="Fel Moss",
[3299]="Fractured Canine",
[3300]="Rabbit\'s Foot",
[3301]="Sharp Canine",
[3302]="Brackwater Boots",
[3303]="Brackwater Bracers",
[3304]="Brackwater Gauntlets",
[3305]="Brackwater Leggings",
[3306]="Brackwater Vest",
[3307]="Barbaric Cloth Boots",
[3308]="Barbaric Cloth Gloves",
[3309]="Barbaric Loincloth",
[3310]="Barbaric Cloth Vest",
[3311]="Ceremonial Leather Ankleguards",
[3312]="Ceremonial Leather Bracers",
[3313]="Ceremonial Leather Harness",
[3314]="Ceremonial Leather Gloves",
[3315]="Ceremonial Leather Loincloth",
[3317]="A Talking Head",
[3318]="Alaric\'s Remains",
[3319]="Short Sabre",
[3321]="Gray Fur Booties",
[3322]="Wispy Cloak",
[3323]="Ghostly Bracers",
[3324]="Ghostly Mantle",
[3325]="Vile Fin Battle Axe",
[3327]="Vile Fin Oracle Staff",
[3328]="Spider Web Robe",
[3329]="Spiked Wooden Plank",
[3330]="Dargol\'s Hauberk",
[3331]="Melrache\'s Cape",
[3332]="Perrine\'s Boots",
[3334]="Farmer\'s Shovel",
[3335]="Farmer\'s Broom",
[3336]="Flesh Piercer",
[3337]="Dragonmaw War Banner",
[3339]="Dwarven Tinder",
[3340]="Incendicite Ore",
[3341]="Gauntlets of Ogre Strength",
[3342]="Captain Sander\'s Shirt",
[3343]="Captain Sander\'s Booty Bag",
[3344]="Captain Sander\'s Sash",
[3345]="Silk Wizard Hat",
[3347]="Bundle of Crocolisk Skins",
[3348]="Giant Crocolisk Skin",
[3349]="Sida\'s Bag",
[3352]="Ooze-covered Bag",
[3353]="Rune-inscribed Pendant",
[3354]="Dalaran Pendant",
[3355]="Wild Steelbloom",
[3356]="Kingsblood",
[3357]="Liferoot",
[3358]="Khadgar\'s Whisker",
[3360]="Stitches\' Femur",
[3363]="Frayed Belt",
[3365]="Frayed Bracers",
[3369]="Grave Moss",
[3370]="Patchwork Belt",
[3371]="Empty Vial",
[3372]="Leaded Vial",
[3373]="Patchwork Bracers",
[3374]="Calico Belt",
[3375]="Calico Bracers",
[3376]="Canvas Belt",
[3377]="Canvas Bracers",
[3378]="Brocade Belt",
[3379]="Brocade Bracers",
[3380]="Cross-stitched Belt",
[3381]="Cross-stitched Bracers",
[3382]="Weak Troll\'s Blood Potion",
[3383]="Elixir of Wisdom",
[3384]="Minor Magic Resistance Potion",
[3385]="Lesser Mana Potion",
[3386]="Elixir of Poison Resistance",
[3387]="Limited Invulnerability Potion",
[3388]="Strong Troll\'s Blood Potion",
[3389]="Elixir of Defense",
[3390]="Elixir of Lesser Agility",
[3391]="Elixir of Ogre\'s Strength",
[3392]="Ringed Helm",
[3393]="Recipe: Minor Magic Resistance Potion",
[3394]="Recipe: Elixir of Poison Resistance",
[3395]="Recipe: Limited Invulnerability Potion",
[3396]="Recipe: Elixir of Lesser Agility",
[3397]="Young Crocolisk Skin",
[3399]="Vulture Talon",
[3400]="Lucine Longsword",
[3401]="Rough Crocolisk Scale",
[3402]="Soft Patch of Fur",
[3403]="Ivory Boar Tusk",
[3404]="Buzzard Wing",
[3405]="Raven Claw Talisman",
[3406]="Black Feather Quill",
[3407]="Sapphire of Sky",
[3408]="Rune of Nesting",
[3409]="Nightsaber Fang",
[3411]="Strigid Owl Feather",
[3412]="Webwood Spider Silk",
[3413]="Doomspike",
[3414]="Crested Scepter",
[3415]="Staff of the Friar",
[3416]="Martyr\'s Chain",
[3417]="Onyx Claymore",
[3418]="Fel Cone",
[3419]="Red Rose",
[3420]="Black Rose",
[3421]="Simple Wildflowers",
[3422]="Beautiful Wildflowers",
[3423]="Bouquet of White Roses",
[3424]="Bouquet of Black Roses",
[3425]="Woven Wand",
[3426]="Bold Yellow Shirt",
[3427]="Stylish Black Shirt",
[3428]="Common Gray Shirt",
[3429]="Guardsman Belt",
[3430]="Sniper Rifle",
[3431]="Bone-studded Leather",
[3434]="Slumber Sand",
[3435]="Zombie Skin Bracers",
[3437]="Clasped Belt",
[3439]="Zombie Skin Boots",
[3440]="Bonecracker",
[3442]="Apprentice Sash",
[3443]="Ceremonial Tomahawk",
[3444]="Tiller\'s Vest",
[3445]="Ceremonial Knife",
[3446]="Darkwood Staff",
[3447]="Cryptwalker Boots",
[3448]="Senggin Root",
[3449]="Mystic Shawl",
[3450]="Faerleia\'s Shield",
[3451]="Nightglow Concoction",
[3452]="Ceranium Rod",
[3453]="Quilted Bracers",
[3454]="Reconnaissance Boots",
[3455]="Deathstalker Shortsword",
[3456]="Dog Whistle",
[3457]="Stamped Trousers",
[3458]="Rugged Mail Gloves",
[3460]="Johaan\'s Special Drink",
[3461]="High Robe of the Adjudicator",
[3462]="Talonstrike",
[3463]="Silver Star",
[3464]="Feathered Arrow",
[3465]="Exploding Shot",
[3466]="Strong Flux",
[3467]="Dull Iron Key",
[3468]="Renferrel\'s Findings",
[3469]="Copper Chain Boots",
[3470]="Rough Grinding Stone",
[3471]="Copper Chain Vest",
[3472]="Runed Copper Gauntlets",
[3473]="Runed Copper Pants",
[3474]="Gemmed Copper Gauntlets",
[3475]="Cloak of Flames",
[3476]="Gray Bear Tongue",
[3477]="Creeper Ichor",
[3478]="Coarse Grinding Stone",
[3480]="Rough Bronze Shoulders",
[3481]="Silvered Bronze Shoulders",
[3482]="Silvered Bronze Boots",
[3483]="Silvered Bronze Gauntlets",
[3484]="Green Iron Boots",
[3485]="Green Iron Gauntlets",
[3486]="Heavy Grinding Stone",
[3487]="Heavy Copper Broadsword",
[3488]="Copper Battle Axe",
[3489]="Thick War Axe",
[3490]="Deadly Bronze Poniard",
[3491]="Heavy Bronze Mace",
[3492]="Mighty Iron Hammer",
[3493]="Raptor\'s End",
[3495]="Elixir of Suffering",
[3496]="Mountain Lion Blood",
[3497]="Elixir of Pain",
[3498]="Taretha\'s Necklace",
[3499]="Burnished Gold Key",
[3502]="Mudsnout Blossoms",
[3505]="Alterac Signet Ring",
[3506]="Mudsnout Composite",
[3508]="Mudsnout Mixture",
[3509]="Daggerspine Scale",
[3510]="Torn Fin Eye",
[3511]="Cloak of the People\'s Militia",
[3514]="Mor\'Ladim\'s Skull",
[3515]="Ataeric\'s Staff",
[3516]="Lescovar\'s Head",
[3517]="Keg of Shindigger Stout",
[3518]="Decrypted Letter",
[3520]="Tainted Keg",
[3521]="Cleverly Encrypted Letter",
[3530]="Wool Bandage",
[3531]="Heavy Wool Bandage",
[3550]="Targ\'s Head",
[3551]="Muckrake\'s Head",
[3552]="Glommus\'s Head",
[3553]="Mug\'thol\'s Head",
[3554]="Crown of Will",
[3555]="Robe of Solomon",
[3556]="Dread Mage Hat",
[3558]="Fen Keeper Robe",
[3559]="Night Watch Gauntlets",
[3560]="Mantle of Honor",
[3561]="Resilient Poncho",
[3562]="Belt of Vindication",
[3563]="Seafarer\'s Pantaloons",
[3564]="Shipment of Iron",
[3565]="Beerstained Gloves",
[3566]="Raptorbane Armor",
[3567]="Dwarven Fishing Pole",
[3569]="Vicar\'s Robe",
[3570]="Bonegrinding Pestle",
[3571]="Trogg Beater",
[3572]="Daryl\'s Shortsword",
[3573]="Hunting Quiver",
[3574]="Hunting Ammo Sack",
[3575]="Iron Bar",
[3576]="Tin Bar",
[3577]="Gold Bar",
[3578]="Harvester\'s Pants",
[3581]="Serrated Knife",
[3582]="Acidproof Cloak",
[3583]="Weathered Belt",
[3585]="Camouflaged Tunic",
[3586]="Logsplitter",
[3587]="Embroidered Belt",
[3588]="Embroidered Bracers",
[3589]="Heavy Weave Belt",
[3590]="Heavy Weave Bracers",
[3591]="Padded Belt",
[3592]="Padded Bracers",
[3593]="Russet Belt",
[3594]="Russet Bracers",
[3595]="Tattered Cloth Belt",
[3596]="Tattered Cloth Bracers",
[3597]="Thick Cloth Belt",
[3598]="Thick Cloth Bracers",
[3599]="Thin Cloth Belt",
[3600]="Thin Cloth Bracers",
[3601]="Syndicate Missive",
[3602]="Knitted Belt",
[3603]="Knitted Bracers",
[3604]="Bandolier of the Night Watch",
[3605]="Quiver of the Night Watch",
[3606]="Woven Belt",
[3607]="Woven Bracers",
[3608]="Plans: Mighty Iron Hammer",
[3609]="Plans: Copper Chain Vest",
[3610]="Plans: Gemmed Copper Gauntlets",
[3611]="Plans: Green Iron Boots",
[3612]="Plans: Green Iron Gauntlets",
[3613]="Valdred\'s Hands",
[3614]="Yowler\'s Paw",
[3615]="Kurzen\'s Head",
[3616]="Mind\'s Eye",
[3617]="Pendant of Shadow",
[3618]="Gobbler\'s Head",
[3619]="Snellig\'s Snuffbox",
[3621]="Ivar\'s Head",
[3622]="Essence of Nightlash",
[3623]="Thule\'s Head",
[3625]="Nek\'rosh\'s Head",
[3626]="Head of Baron Vardus",
[3627]="Fang of Vagash",
[3628]="Hand of Dextren Ward",
[3629]="Mistmantle Family Ring",
[3630]="Head of Targorr",
[3631]="Bellygrub\'s Tusk",
[3632]="Fangore\'s Paw",
[3633]="Head of Gath\'Ilzogg",
[3634]="Head of Grimson",
[3635]="Maggot Eye\'s Paw",
[3636]="Scale of Old Murk-Eye",
[3637]="Head of VanCleef",
[3638]="Sarltooth\'s Talon",
[3639]="Ear of Balgaras",
[3640]="Head of Deepfury",
[3641]="Journeyman\'s Bracers",
[3642]="Ancestral Bracers",
[3643]="Spellbinder Bracers",
[3644]="Barbaric Cloth Bracers",
[3645]="Seer\'s Cuffs",
[3647]="Bright Bracers",
[3649]="Tribal Buckler",
[3650]="Battle Shield",
[3651]="Veteran Shield",
[3652]="Hunting Buckler",
[3653]="Ceremonial Buckler",
[3654]="Brackwater Shield",
[3655]="Burnished Shield",
[3656]="Lambent Scale Shield",
[3657]="Hillsbrad Town Registry",
[3658]="Recovered Tome",
[3659]="Worn Leather Book",
[3660]="Tomes of Alterac",
[3661]="Handcrafted Staff",
[3662]="Crocolisk Steak",
[3663]="Murloc Fin Soup",
[3664]="Crocolisk Gumbo",
[3665]="Curiously Tasty Omelet",
[3666]="Gooey Spider Cake",
[3667]="Tender Crocolisk Meat",
[3668]="Assassin\'s Contract",
[3669]="Gelatinous Goo",
[3670]="Large Slimy Bone",
[3671]="Lifeless Skull",
[3672]="Head of Nagaz",
[3673]="Broken Arrow",
[3674]="Decomposed Boot",
[3676]="Slimy Ichor",
[3678]="Recipe: Crocolisk Steak",
[3679]="Recipe: Blood Sausage",
[3680]="Recipe: Murloc Fin Soup",
[3681]="Recipe: Crocolisk Gumbo",
[3682]="Recipe: Curiously Tasty Omelet",
[3683]="Recipe: Gooey Spider Cake",
[3684]="Perenolde Tiara",
[3685]="Raptor Egg",
[3688]="Bloodstone Oval",
[3689]="Bloodstone Marble",
[3690]="Bloodstone Shard",
[3691]="Bloodstone Wedge",
[3692]="Hillsbrad Human Skull",
[3693]="Humbert\'s Sword",
[3701]="Darthalia\'s Sealed Commendation",
[3702]="Bear Gall Bladder",
[3703]="Southshore Stout",
[3704]="Rusted Iron Key",
[3706]="Ensorcelled Parchment",
[3708]="Helcular\'s Rod",
[3710]="Rod of Helcular",
[3711]="Belamoore\'s Research Journal",
[3712]="Turtle Meat",
[3713]="Soothing Spices",
[3714]="Worn Stone Token",
[3715]="Bracers of Earth Binding",
[3716]="Murloc Head",
[3717]="Sack of Murloc Heads",
[3718]="Foreboding Plans",
[3719]="Hillman\'s Cloak",
[3720]="Yeti Fur",
[3721]="Farren\'s Report",
[3722]="Familiar Hide",
[3723]="Familiar Fang",
[3724]="Familiar Claw",
[3725]="Familiar Horn",
[3726]="Big Bear Steak",
[3727]="Hot Lion Chops",
[3728]="Tasty Lion Steak",
[3729]="Soothing Turtle Bisque",
[3730]="Big Bear Meat",
[3731]="Lion Meat",
[3732]="Hooded Cowl",
[3733]="Orcish War Chain",
[3734]="Recipe: Big Bear Steak",
[3735]="Recipe: Hot Lion Chops",
[3736]="Recipe: Tasty Lion Steak",
[3737]="Recipe: Soothing Turtle Bisque",
[3739]="Skull Ring",
[3740]="Decapitating Sword",
[3741]="Stomping Boots",
[3742]="Bow of Plunder",
[3743]="Sentry Buckler",
[3745]="Rune of Opening",
[3747]="Meditative Sash",
[3748]="Feline Mantle",
[3749]="High Apothecary Cloak",
[3750]="Ribbed Breastplate",
[3751]="Mercenary Leggings",
[3752]="Grunt Vest",
[3753]="Shepherd\'s Girdle",
[3754]="Shepherd\'s Gloves",
[3755]="Fish Gutter",
[3758]="Crusader Belt",
[3759]="Insulated Sage Gloves",
[3760]="Band of the Undercity",
[3761]="Deadskull Shield",
[3763]="Lunar Buckler",
[3764]="Mantis Boots",
[3765]="Brigand\'s Pauldrons",
[3766]="Gryphon Feather Quill",
[3767]="Fine Parchment",
[3769]="Broken Wand",
[3770]="Mutton Chop",
[3771]="Wild Hog Shank",
[3772]="Conjured Spring Water",
[3775]="Crippling Poison",
[3776]="Crippling Poison II",
[3777]="Lethargy Root",
[3778]="Taut Compound Bow",
[3779]="Hefty War Axe",
[3780]="Long-barreled Musket",
[3781]="Broad Claymore",
[3782]="Large War Club",
[3783]="Light Scimitar",
[3784]="Metal Stave",
[3785]="Keen Axe",
[3786]="Shiny Dirk",
[3787]="Stone Club",
[3792]="Interlaced Belt",
[3793]="Interlaced Boots",
[3794]="Interlaced Bracers",
[3795]="Interlaced Cloak",
[3796]="Interlaced Gloves",
[3797]="Interlaced Pants",
[3798]="Interlaced Shoulderpads",
[3799]="Interlaced Vest",
[3800]="Hardened Leather Belt",
[3801]="Hardened Leather Boots",
[3802]="Hardened Leather Bracers",
[3803]="Hardened Cloak",
[3804]="Hardened Leather Gloves",
[3805]="Hardened Leather Pants",
[3806]="Hardened Leather Shoulderpads",
[3807]="Hardened Leather Tunic",
[3808]="Double Mail Belt",
[3809]="Double Mail Boots",
[3810]="Double Mail Bracers",
[3811]="Double-stitched Cloak",
[3812]="Double Mail Gloves",
[3813]="Double Mail Pants",
[3814]="Double Mail Shoulderpads",
[3815]="Double Mail Vest",
[3816]="Reflective Heater",
[3817]="Reinforced Buckler",
[3818]="Fadeleaf",
[3819]="Wintersbite",
[3820]="Stranglekelp",
[3821]="Goldthorn",
[3822]="Runic Darkblade",
[3823]="Lesser Invisibility Potion",
[3824]="Shadow Oil",
[3825]="Elixir of Fortitude",
[3826]="Mighty Troll\'s Blood Potion",
[3827]="Mana Potion",
[3828]="Elixir of Detect Lesser Invisibility",
[3829]="Frost Oil",
[3830]="Recipe: Elixir of Fortitude",
[3831]="Recipe: Mighty Troll\'s Blood Potion",
[3832]="Recipe: Elixir of Detect Lesser Invisibility",
[3833]="Adept\'s Cloak",
[3834]="Sturdy Cloth Trousers",
[3835]="Green Iron Bracers",
[3836]="Green Iron Helm",
[3837]="Golden Scale Coif",
[3838]="Shadowmaw Claw",
[3839]="Pristine Tigress Fang",
[3840]="Green Iron Shoulders",
[3841]="Golden Scale Shoulders",
[3842]="Green Iron Leggings",
[3843]="Golden Scale Leggings",
[3844]="Green Iron Hauberk",
[3845]="Golden Scale Cuirass",
[3846]="Polished Steel Boots",
[3847]="Golden Scale Boots",
[3848]="Big Bronze Knife",
[3849]="Hardened Iron Shortsword",
[3850]="Jade Serpentblade",
[3851]="Solid Iron Maul",
[3852]="Golden Iron Destroyer",
[3853]="Moonsteel Broadsword",
[3854]="Frost Tiger Blade",
[3855]="Massive Iron Axe",
[3856]="Shadow Crescent Axe",
[3857]="Coal",
[3858]="Mithril Ore",
[3859]="Steel Bar",
[3860]="Mithril Bar",
[3862]="Aged Gorilla Sinew",
[3863]="Jungle Stalker Feather",
[3864]="Citrine",
[3866]="Plans: Jade Serpentblade",
[3867]="Plans: Golden Iron Destroyer",
[3868]="Plans: Frost Tiger Blade",
[3869]="Plans: Shadow Crescent Axe",
[3870]="Plans: Green Iron Shoulders",
[3871]="Plans: Golden Scale Shoulders",
[3872]="Plans: Golden Scale Leggings",
[3873]="Plans: Golden Scale Cuirass",
[3874]="Plans: Polished Steel Boots",
[3875]="Plans: Golden Scale Boots",
[3876]="Fang of Bhag\'thera",
[3877]="Talon of Tethis",
[3879]="Paw of Sin\'Dall",
[3880]="Head of Bangalash",
[3882]="Buzzard Feather",
[3889]="Russet Hat",
[3890]="Studded Hat",
[3891]="Augmented Chain Helm",
[3892]="Embroidered Hat",
[3893]="Reinforced Leather Cap",
[3894]="Brigandine Helm",
[3897]="Dizzy\'s Eye",
[3898]="Library Scrip",
[3899]="Legends of the Gurubashi, Volume 3",
[3900]="Pupellyverbos Port",
[3901]="Bloodscalp Tusk",
[3902]="Staff of Nobles",
[3904]="Gan\'zulah\'s Head",
[3905]="Nezzliok\'s Head",
[3906]="Balia\'mah Trophy",
[3907]="Ziata\'jai Trophy",
[3908]="Zul\'Mamwe Trophy",
[3909]="Broken Armor of Ana\'thek",
[3910]="Snuff",
[3911]="Pulsing Blue Shard",
[3912]="Soul Gem",
[3913]="Filled Soul Gem",
[3914]="Journeyman\'s Backpack",
[3915]="Bloody Bone Necklace",
[3916]="Split Bone Necklace",
[3917]="Singing Blue Crystal",
[3918]="Singing Crystal Shard",
[3919]="Mistvale Giblets",
[3920]="Bloodsail Charts",
[3921]="Bloodsail Orders",
[3922]="Shaky\'s Payment",
[3923]="Water Elemental Bracers",
[3924]="Maury\'s Clubbed Foot",
[3925]="Jon-Jon\'s Golden Spyglass",
[3926]="Chucky\'s Huge Ring",
[3927]="Fine Aged Cheddar",
[3928]="Superior Healing Potion",
[3930]="Maury\'s Key",
[3931]="Poisoned Spider Fang",
[3932]="Smotts\' Chest",
[3935]="Smotts\' Cutlass",
[3936]="Crochet Belt",
[3937]="Crochet Boots",
[3938]="Crochet Bracers",
[3939]="Crochet Cloak",
[3940]="Crochet Gloves",
[3941]="Crochet Pants",
[3942]="Crochet Shoulderpads",
[3943]="Crochet Vest",
[3944]="Twill Belt",
[3945]="Twill Boots",
[3946]="Twill Bracers",
[3947]="Twill Cloak",
[3948]="Twill Gloves",
[3949]="Twill Pants",
[3950]="Twill Shoulderpads",
[3951]="Twill Vest",
[3960]="Bag of Water Elemental Bracers",
[3961]="Thick Leather Belt",
[3962]="Thick Leather Boots",
[3963]="Thick Leather Bracers",
[3964]="Thick Cloak",
[3965]="Thick Leather Gloves",
[3966]="Thick Leather Pants",
[3967]="Thick Leather Shoulderpads",
[3968]="Thick Leather Tunic",
[3969]="Smooth Leather Belt",
[3970]="Smooth Leather Boots",
[3971]="Smooth Leather Bracers",
[3972]="Smooth Cloak",
[3973]="Smooth Leather Gloves",
[3974]="Smooth Leather Pants",
[3975]="Smooth Leather Shoulderpads",
[3976]="Smooth Leather Armor",
[3985]="Monogrammed Sash",
[3986]="Protective Pavise",
[3987]="Deflecting Tower",
[3989]="Blocking Targe",
[3990]="Crested Buckler",
[3992]="Laminated Scale Belt",
[3993]="Laminated Scale Boots",
[3994]="Laminated Scale Bracers",
[3995]="Laminated Scale Cloak",
[3996]="Laminated Scale Gloves",
[3997]="Laminated Scale Pants",
[3998]="Laminated Scale Shoulderpads",
[3999]="Laminated Scale Armor",
[4000]="Overlinked Chain Belt",
[4001]="Overlinked Chain Boots",
[4002]="Overlinked Chain Bracers",
[4003]="Overlinked Chain Cloak",
[4004]="Overlinked Chain Gloves",
[4005]="Overlinked Chain Pants",
[4006]="Overlinked Chain Shoulderpads",
[4007]="Overlinked Chain Armor",
[4016]="Zanzil\'s Mixture",
[4017]="Sharp Shortsword",
[4018]="Whetted Claymore",
[4019]="Heavy Flint Axe",
[4020]="Splintering Battle Axe",
[4021]="Blunting Mace",
[4022]="Crushing Maul",
[4023]="Fine Pointed Dagger",
[4024]="Heavy War Staff",
[4025]="Balanced Long Bow",
[4026]="Sentinel Musket",
[4027]="Catelyn\'s Blade",
[4028]="Bundle of Akiris Reeds",
[4029]="Akiris Reed",
[4034]="Stone of the Tides",
[4035]="Silver-thread Robe",
[4036]="Silver-thread Cuffs",
[4037]="Silver-thread Pants",
[4038]="Nightsky Robe",
[4039]="Nightsky Cowl",
[4040]="Nightsky Gloves",
[4041]="Aurora Cowl",
[4042]="Aurora Gloves",
[4043]="Aurora Bracers",
[4044]="Aurora Pants",
[4045]="Mistscape Bracers",
[4046]="Mistscape Pants",
[4047]="Mistscape Boots",
[4048]="Emblazoned Hat",
[4049]="Emblazoned Bracers",
[4050]="Emblazoned Leggings",
[4051]="Emblazoned Boots",
[4052]="Insignia Cap",
[4053]="Large River Crocolisk Skin",
[4054]="Insignia Leggings",
[4055]="Insignia Boots",
[4056]="Cortello\'s Riddle",
[4057]="Insignia Chestguard",
[4058]="Glyphed Breastplate",
[4059]="Glyphed Bracers",
[4060]="Glyphed Leggings",
[4061]="Imperial Leather Bracers",
[4062]="Imperial Leather Pants",
[4063]="Imperial Leather Gloves",
[4064]="Emblazoned Buckler",
[4065]="Combat Shield",
[4066]="Insignia Buckler",
[4067]="Glyphed Buckler",
[4068]="Chief Brigadier Shield",
[4069]="Blackforge Buckler",
[4070]="Jouster\'s Crest",
[4071]="Glimmering Mail Breastplate",
[4072]="Glimmering Mail Gauntlets",
[4073]="Glimmering Mail Greaves",
[4074]="Mail Combat Armor",
[4075]="Mail Combat Gauntlets",
[4076]="Mail Combat Boots",
[4077]="Mail Combat Headguard",
[4078]="Chief Brigadier Coif",
[4079]="Chief Brigadier Leggings",
[4080]="Blackforge Cowl",
[4082]="Blackforge Breastplate",
[4083]="Blackforge Gauntlets",
[4084]="Blackforge Leggings",
[4085]="Krazek\'s Crock Pot",
[4086]="Flash Rifle",
[4087]="Trueshot Bow",
[4088]="Dreadblade",
[4089]="Ricochet Blunderbuss",
[4090]="Mug O\' Hurt",
[4091]="Widowmaker",
[4092]="Prismatic Basilisk Scale",
[4093]="Large Basilisk Tail",
[4094]="Tablet Shard",
[4096]="Coarse Gorilla Hair",
[4097]="Chipped Gorilla Tooth",
[4098]="Carefully Folded Note",
[4099]="Tuft of Gorilla Hair",
[4100]="Crumpled Note",
[4101]="Ripped Note",
[4102]="Torn Note",
[4103]="Shackle Key",
[4104]="Snapjaw Crocolisk Skin",
[4105]="Elder Crocolisk Skin",
[4106]="Tumbled Crystal",
[4107]="Tiger Hunter Gloves",
[4108]="Panther Hunter Leggings",
[4109]="Excelsior Boots",
[4110]="Master Hunter\'s Bow",
[4111]="Master Hunter\'s Rifle",
[4112]="Choker of the High Shaman",
[4113]="Medicine Blanket",
[4114]="Darktide Cape",
[4115]="Grom\'gol Buckler",
[4116]="Olmann Sewar",
[4117]="Scorching Sash",
[4118]="Poobah\'s Nose Ring",
[4119]="Raptor Hunter Tunic",
[4120]="Robe of Crystal Waters",
[4121]="Gemmed Gloves",
[4122]="Bookmaker\'s Scepter",
[4123]="Frost Metal Pauldrons",
[4124]="Cap of Harmony",
[4125]="Tranquil Orb",
[4126]="Guerrilla Cleaver",
[4127]="Shrapnel Blaster",
[4128]="Silver Spade",
[4129]="Collection Plate",
[4130]="Smotts\' Compass",
[4131]="Belt of Corruption",
[4132]="Darkspear Armsplints",
[4133]="Darkspear Cuffs",
[4134]="Nimboya\'s Mystical Staff",
[4135]="Bloodbone Band",
[4136]="Darkspear Boots",
[4137]="Darkspear Shoes",
[4138]="Blackwater Tunic",
[4139]="Junglewalker Sandals",
[4140]="Palm Frond Mantle",
[4197]="Berylline Pads",
[4213]="Grimoire of Doom",
[4231]="Cured Light Hide",
[4232]="Medium Hide",
[4233]="Cured Medium Hide",
[4234]="Heavy Leather",
[4235]="Heavy Hide",
[4236]="Cured Heavy Hide",
[4237]="Handstitched Leather Belt",
[4238]="Linen Bag",
[4239]="Embossed Leather Gloves",
[4240]="Woolen Bag",
[4241]="Green Woolen Bag",
[4242]="Embossed Leather Pants",
[4243]="Fine Leather Tunic",
[4244]="Hillman\'s Leather Vest",
[4245]="Small Silk Pack",
[4246]="Fine Leather Belt",
[4247]="Hillman\'s Leather Gloves",
[4248]="Dark Leather Gloves",
[4249]="Dark Leather Belt",
[4250]="Hillman\'s Belt",
[4251]="Hillman\'s Shoulders",
[4252]="Dark Leather Shoulders",
[4253]="Toughened Leather Gloves",
[4254]="Barbaric Gloves",
[4255]="Green Leather Armor",
[4256]="Guardian Armor",
[4257]="Green Leather Belt",
[4258]="Guardian Belt",
[4259]="Green Leather Bracers",
[4260]="Guardian Leather Bracers",
[4261]="Solliden\'s Trousers",
[4262]="Gem-studded Leather Belt",
[4263]="Standard Issue Shield",
[4264]="Barbaric Belt",
[4265]="Heavy Armor Kit",
[4278]="Lesser Bloodstone Ore",
[4289]="Salt",
[4290]="Dust Bowl",
[4291]="Silken Thread",
[4292]="Pattern: Green Woolen Bag",
[4293]="Pattern: Hillman\'s Leather Vest",
[4294]="Pattern: Hillman\'s Belt",
[4296]="Pattern: Dark Leather Shoulders",
[4297]="Pattern: Barbaric Gloves",
[4298]="Pattern: Guardian Belt",
[4299]="Pattern: Guardian Armor",
[4300]="Pattern: Guardian Leather Bracers",
[4301]="Pattern: Barbaric Belt",
[4302]="Small Green Dagger",
[4303]="Cranial Thumper",
[4304]="Thick Leather",
[4305]="Bolt of Silk Cloth",
[4306]="Silk Cloth",
[4307]="Heavy Linen Gloves",
[4308]="Green Linen Bracers",
[4309]="Handstitched Linen Britches",
[4310]="Heavy Woolen Gloves",
[4311]="Heavy Woolen Cloak",
[4312]="Soft-soled Linen Boots",
[4313]="Red Woolen Boots",
[4314]="Double-stitched Woolen Shoulders",
[4315]="Reinforced Woolen Shoulders",
[4316]="Heavy Woolen Pants",
[4317]="Phoenix Pants",
[4318]="Gloves of Meditation",
[4319]="Azure Silk Gloves",
[4320]="Spidersilk Boots",
[4321]="Spider Silk Slippers",
[4322]="Enchanter\'s Cowl",
[4323]="Shadow Hood",
[4324]="Azure Silk Vest",
[4325]="Boots of the Enchanter",
[4326]="Long Silken Cloak",
[4327]="Icy Cloak",
[4328]="Spider Belt",
[4329]="Star Belt",
[4330]="Stylish Red Shirt",
[4331]="Phoenix Gloves",
[4332]="Bright Yellow Shirt",
[4333]="Dark Silk Shirt",
[4334]="Formal White Shirt",
[4335]="Rich Purple Silk Shirt",
[4336]="Black Swashbuckler\'s Shirt",
[4337]="Thick Spider\'s Silk",
[4338]="Mageweave Cloth",
[4339]="Bolt of Mageweave",
[4340]="Gray Dye",
[4341]="Yellow Dye",
[4342]="Purple Dye",
[4343]="Brown Linen Pants",
[4344]="Brown Linen Shirt",
[4345]="Pattern: Red Woolen Boots",
[4346]="Pattern: Heavy Woolen Cloak",
[4347]="Pattern: Reinforced Woolen Shoulders",
[4348]="Pattern: Phoenix Gloves",
[4349]="Pattern: Phoenix Pants",
[4350]="Pattern: Spider Silk Slippers",
[4351]="Pattern: Shadow Hood",
[4352]="Pattern: Boots of the Enchanter",
[4353]="Pattern: Spider Belt",
[4354]="Pattern: Rich Purple Silk Shirt",
[4355]="Pattern: Icy Cloak",
[4356]="Pattern: Star Belt",
[4357]="Rough Blasting Powder",
[4358]="Rough Dynamite",
[4359]="Handful of Copper Bolts",
[4360]="Rough Copper Bomb",
[4361]="Copper Tube",
[4362]="Rough Boomstick",
[4363]="Copper Modulator",
[4364]="Coarse Blasting Powder",
[4365]="Coarse Dynamite",
[4366]="Target Dummy",
[4367]="Small Seaforium Charge",
[4368]="Flying Tiger Goggles",
[4369]="Deadly Blunderbuss",
[4370]="Large Copper Bomb",
[4371]="Bronze Tube",
[4372]="Lovingly Crafted Boomstick",
[4373]="Shadow Goggles",
[4374]="Small Bronze Bomb",
[4375]="Whirring Bronze Gizmo",
[4376]="Flame Deflector",
[4377]="Heavy Blasting Powder",
[4378]="Heavy Dynamite",
[4379]="Silver-plated Shotgun",
[4380]="Big Bronze Bomb",
[4381]="Minor Recombobulator",
[4382]="Bronze Framework",
[4383]="Moonsight Rifle",
[4384]="Explosive Sheep",
[4385]="Green Tinted Goggles",
[4386]="Ice Deflector",
[4387]="Iron Strut",
[4388]="Discombobulator Ray",
[4389]="Gyrochronatom",
[4390]="Iron Grenade",
[4391]="Compact Harvest Reaper Kit",
[4392]="Advanced Target Dummy",
[4393]="Craftsman\'s Monocle",
[4394]="Big Iron Bomb",
[4395]="Goblin Land Mine",
[4396]="Mechanical Dragonling",
[4397]="Gnomish Cloaking Device",
[4398]="Large Seaforium Charge",
[4399]="Wooden Stock",
[4400]="Heavy Stock",
[4401]="Mechanical Squirrel Box",
[4402]="Small Flame Sac",
[4403]="Portable Bronze Mortar",
[4404]="Silver Contact",
[4405]="Crude Scope",
[4406]="Standard Scope",
[4407]="Accurate Scope",
[4408]="Schematic: Mechanical Squirrel",
[4409]="Schematic: Small Seaforium Charge",
[4410]="Schematic: Shadow Goggles",
[4411]="Schematic: Flame Deflector",
[4412]="Schematic: Moonsight Rifle",
[4413]="Schematic: Discombobulator Ray",
[4414]="Schematic: Portable Bronze Mortar",
[4415]="Schematic: Craftsman\'s Monocle",
[4416]="Schematic: Goblin Land Mine",
[4417]="Schematic: Large Seaforium Charge",
[4419]="Scroll of Intellect III",
[4421]="Scroll of Protection III",
[4422]="Scroll of Stamina III",
[4424]="Scroll of Spirit III",
[4425]="Scroll of Agility III",
[4426]="Scroll of Strength III",
[4428]="Spider Palp",
[4429]="Deepfury\'s Orders",
[4430]="Ethereal Talisman",
[4432]="Sully Balloo\'s Letter",
[4433]="Waterlogged Envelope",
[4434]="Scarecrow Trousers",
[4435]="Mote of Myzrael",
[4436]="Jewel-encrusted Sash",
[4437]="Channeler\'s Staff",
[4438]="Pugilist Bracers",
[4439]="Bruiser Club",
[4440]="Sigil of Strom",
[4441]="MacKreel\'s Moonshine",
[4443]="Grim Pauldrons",
[4444]="Black Husk Shield",
[4445]="Flesh Carver",
[4446]="Blackvenom Blade",
[4447]="Cloak of Night",
[4448]="Husk of Naraxis",
[4449]="Naraxis\' Fang",
[4450]="Sigil Fragment",
[4453]="Sigil of Thoradin",
[4454]="Talon of Vultros",
[4455]="Raptor Hide Harness",
[4456]="Raptor Hide Belt",
[4457]="Barbecued Buzzard Wing",
[4458]="Sigil of Arathor",
[4459]="Brittle Dragon Bone",
[4460]="Ripped Wing Webbing",
[4461]="Raptor Hide",
[4462]="Cloak of Rot",
[4463]="Beaded Raptor Collar",
[4464]="Trouncing Boots",
[4465]="Bonefist Gauntlets",
[4466]="Sigil of Trollbane",
[4467]="Sigil of Ignaeus",
[4468]="Sheathed Trol\'kalar",
[4469]="Rod of Order",
[4470]="Simple Wood",
[4471]="Flint and Tinder",
[4472]="Scroll of Myzrael",
[4473]="Eldritch Shackles",
[4474]="Ravenwood Bow",
[4476]="Beastwalker Robe",
[4477]="Nefarious Buckler",
[4478]="Iridescent Scale Leggings",
[4479]="Burning Charm",
[4480]="Thundering Charm",
[4481]="Cresting Charm",
[4482]="Sealed Folder",
[4483]="Burning Key",
[4484]="Cresting Key",
[4485]="Thundering Key",
[4487]="Maiden\'s Folly Charts",
[4488]="Spirit of Silverpine Charts",
[4489]="Maiden\'s Folly Log",
[4490]="Spirit of Silverpine Log",
[4491]="Goggles of Gem Hunting",
[4492]="Elven Gem",
[4493]="Elven Gems",
[4494]="Seahorn\'s Sealed Letter",
[4495]="Bloodstone Amulet",
[4496]="Small Brown Pouch",
[4497]="Heavy Brown Bag",
[4498]="Brown Leather Satchel",
[4499]="Huge Brown Sack",
[4500]="Traveler\'s Backpack",
[4502]="Sample Elven Gem",
[4503]="Witherbark Tusk",
[4504]="Dwarven Guard Cloak",
[4505]="Swampland Trousers",
[4506]="Stromgarde Badge",
[4507]="Pit Fighter\'s Shield",
[4508]="Blood-tinged Armor",
[4509]="Seawolf Gloves",
[4510]="Befouled Bloodstone Orb",
[4511]="Black Water Hammer",
[4512]="Highland Raptor Eye",
[4513]="Raptor Heart",
[4514]="Sara Balloo\'s Plea",
[4515]="Marez\'s Head",
[4516]="Otto\'s Head",
[4517]="Falconcrest\'s Head",
[4518]="Torn Scroll Fragment",
[4519]="Crumpled Scroll Fragment",
[4520]="Singed Scroll Fragment",
[4521]="Alterac Granite",
[4522]="Witherbark Medicine Pouch",
[4525]="Trelane\'s Wand of Invocation",
[4526]="Raptor Talon Amulet",
[4527]="Azure Agate",
[4528]="Tor\'gan\'s Orb",
[4529]="Enchanted Agate",
[4530]="Trelane\'s Phylactery",
[4531]="Trelane\'s Orb",
[4532]="Trelane\'s Ember Agate",
[4533]="Sealed Letter to Archmage Malin",
[4534]="Steel-clasped Bracers",
[4535]="Ironforge Memorial Ring",
[4536]="Shiny Red Apple",
[4537]="Tel\'Abim Banana",
[4538]="Snapvine Watermelon",
[4539]="Goldenbark Apple",
[4540]="Tough Hunk of Bread",
[4541]="Freshly Baked Bread",
[4542]="Moist Cornbread",
[4543]="White Drakeskin Cap",
[4544]="Mulgore Spice Bread",
[4545]="Radiant Silver Bracers",
[4546]="Call of the Raptor",
[4547]="Gnomish Zapper",
[4548]="Servomechanic Sledgehammer",
[4549]="Seafire Band",
[4550]="Coldwater Ring",
[4551]="Or\'Kalar\'s Head",
[4552]="Smooth Stone Chip",
[4553]="Jagged Piece of Stone",
[4554]="Shiny Polished Stone",
[4555]="Thick Scaly Tail",
[4556]="Speckled Shell Fragment",
[4557]="Fiery Gland",
[4558]="Empty Barrel",
[4560]="Fine Scimitar",
[4561]="Scalping Tomahawk",
[4562]="Severing Axe",
[4563]="Billy Club",
[4564]="Spiked Club",
[4565]="Simple Dagger",
[4566]="Sturdy Quarterstaff",
[4567]="Merc Sword",
[4568]="Grunt Axe",
[4569]="Staunch Hammer",
[4570]="Birchwood Maul",
[4571]="War Knife",
[4575]="Medicine Staff",
[4576]="Light Bow",
[4577]="Compact Shotgun",
[4580]="Sabertooth Fang",
[4581]="Patch of Fine Fur",
[4582]="Soft Bushy Tail",
[4583]="Thick Furry Mane",
[4584]="Large Trophy Paw",
[4585]="Dripping Spider Mandible",
[4586]="Smooth Raptor Skin",
[4587]="Tribal Raptor Feathers",
[4588]="Pristine Raptor Skull",
[4589]="Long Elegant Feather",
[4590]="Curved Yellow Bill",
[4591]="Eagle Eye",
[4592]="Longjaw Mud Snapper",
[4593]="Bristle Whisker Catfish",
[4594]="Rockscale Cod",
[4595]="Junglevine Wine",
[4596]="Discolored Healing Potion",
[4597]="Recipe: Discolored Healing Potion",
[4598]="Goblin Fishing Pole",
[4599]="Cured Ham Steak",
[4600]="Cherry Grog",
[4601]="Soft Banana Bread",
[4602]="Moon Harvest Pumpkin",
[4603]="Raw Spotted Yellowtail",
[4604]="Forest Mushroom Cap",
[4605]="Red-speckled Mushroom",
[4606]="Spongy Morel",
[4607]="Delicious Cave Mold",
[4608]="Raw Black Truffle",
[4609]="Recipe: Barbecued Buzzard Wing",
[4610]="Carved Stone Urn",
[4611]="Blue Pearl",
[4612]="Black Drake\'s Heart",
[4613]="Corroded Black Box",
[4614]="Pendant of Myzrael",
[4615]="Blacklash\'s Bindings",
[4616]="Ryedol\'s Lucky Pick",
[4621]="Ambassador Infernus\' Bracer",
[4622]="Sealed Note to Advisor Belgrum",
[4623]="Lesser Stoneshield Potion",
[4624]="Recipe: Lesser Stoneshield Potion",
[4625]="Firebloom",
[4626]="Small Stone Shard",
[4627]="Large Stone Slab",
[4628]="Bracers of Rock Binding",
[4629]="Supply Crate",
[4630]="Scrap Metal",
[4631]="Tablet of Ryun\'eh",
[4632]="Ornate Bronze Lockbox",
[4633]="Heavy Bronze Lockbox",
[4634]="Iron Lockbox",
[4635]="Hammertoe\'s Amulet",
[4636]="Strong Iron Lockbox",
[4637]="Steel Lockbox",
[4638]="Reinforced Steel Lockbox",
[4639]="Enchanted Sea Kelp",
[4640]="Sign of the Earth",
[4641]="Hand of Dagun",
[4643]="Grimsteel Cape",
[4644]="The Legacy Heart",
[4645]="Chains of Hematus",
[4646]="Star of Xil\'yeh",
[4647]="Yagyin\'s Digest",
[4648]="Sigil of the Hammer",
[4649]="Bonegrip\'s Note",
[4650]="Bel\'dugur\'s Note",
[4652]="Salbac Shield",
[4653]="Ironheel Boots",
[4654]="Mysterious Fossil",
[4655]="Giant Clam Meat",
[4656]="Small Pumpkin",
[4658]="Warrior\'s Cloak",
[4659]="Warrior\'s Girdle",
[4660]="Walking Boots",
[4661]="Bright Mantle",
[4662]="Journeyman\'s Cloak",
[4663]="Journeyman\'s Belt",
[4665]="Burnt Cloak",
[4666]="Burnt Leather Belt",
[4668]="Battle Chain Cloak",
[4669]="Battle Chain Girdle",
[4671]="Ancestral Cloak",
[4672]="Ancestral Belt",
[4674]="Tribal Cloak",
[4675]="Tribal Belt",
[4676]="Skeletal Gauntlets",
[4677]="Veteran Cloak",
[4678]="Veteran Girdle",
[4680]="Brackwater Cloak",
[4681]="Brackwater Girdle",
[4683]="Spellbinder Cloak",
[4684]="Spellbinder Belt",
[4686]="Barbaric Cloth Cloak",
[4687]="Barbaric Cloth Belt",
[4689]="Hunting Cloak",
[4690]="Hunting Belt",
[4692]="Ceremonial Cloak",
[4693]="Ceremonial Leather Belt",
[4694]="Burnished Pauldrons",
[4695]="Burnished Cloak",
[4696]="Lapidis Tankard of Tidesippe",
[4697]="Burnished Girdle",
[4698]="Seer\'s Mantle",
[4699]="Seer\'s Belt",
[4700]="Inscribed Leather Spaulders",
[4701]="Inscribed Cloak",
[4702]="Prospector\'s Pick",
[4703]="Broken Tools",
[4705]="Lambent Scale Pauldrons",
[4706]="Lambent Scale Cloak",
[4707]="Lambent Scale Girdle",
[4708]="Bright Belt",
[4709]="Forest Leather Mantle",
[4710]="Forest Cloak",
[4711]="Glimmering Cloak",
[4712]="Glimmering Mail Girdle",
[4713]="Silver-thread Cloak",
[4714]="Silver-thread Sash",
[4715]="Emblazoned Cloak",
[4716]="Combat Cloak",
[4717]="Mail Combat Belt",
[4718]="Nightsky Mantle",
[4719]="Nightsky Cloak",
[4720]="Nightsky Sash",
[4721]="Insignia Mantle",
[4722]="Insignia Cloak",
[4723]="Humbert\'s Pants",
[4724]="Humbert\'s Helm",
[4725]="Chief Brigadier Pauldrons",
[4726]="Chief Brigadier Cloak",
[4727]="Chief Brigadier Girdle",
[4729]="Aurora Mantle",
[4731]="Glyphed Epaulets",
[4732]="Glyphed Cloak",
[4733]="Blackforge Pauldrons",
[4734]="Mistscape Mantle",
[4735]="Mistscape Cloak",
[4736]="Mistscape Sash",
[4737]="Imperial Leather Spaulders",
[4738]="Imperial Leather Belt",
[4739]="Plainstrider Meat",
[4740]="Plainstrider Feather",
[4741]="Stromgarde Cavalry Leggings",
[4742]="Mountain Cougar Pelt",
[4743]="Pulsating Crystalline Shard",
[4744]="Arcane Runed Bracers",
[4745]="War Rider Bracers",
[4746]="Doomsayer\'s Robe",
[4751]="Windfury Talon",
[4752]="Azure Feather",
[4753]="Bronze Feather",
[4755]="Water Pitcher",
[4757]="Cracked Egg Shells",
[4758]="Prairie Wolf Paw",
[4759]="Plainstrider Talon",
[4765]="Enamelled Broadsword",
[4766]="Feral Blade",
[4767]="Coppercloth Gloves",
[4768]="Adept\'s Gloves",
[4769]="Trophy Swoop Quill",
[4770]="Bristleback Belt",
[4771]="Harvest Cloak",
[4772]="Warm Cloak",
[4775]="Cracked Bill",
[4776]="Ruffled Feather",
[4777]="Ironwood Maul",
[4778]="Heavy Spiked Mace",
[4779]="Dull Kodo Tooth",
[4780]="Kodo Horn Fragment",
[4781]="Whispering Vest",
[4782]="Solstice Robe",
[4783]="Totem of Hawkwind",
[4784]="Lifeless Stone",
[4785]="Brimstone Belt",
[4786]="Wise Man\'s Belt",
[4787]="Burning Pitch",
[4788]="Agile Boots",
[4789]="Stable Boots",
[4790]="Inferno Cloak",
[4791]="Enchanted Water",
[4792]="Spirit Cloak",
[4793]="Sylvan Cloak",
[4794]="Wolf Bracers",
[4795]="Bear Bracers",
[4796]="Owl Bracers",
[4797]="Fiery Cloak",
[4798]="Heavy Runed Cloak",
[4799]="Antiquated Cloak",
[4800]="Mighty Chain Pants",
[4801]="Stalker Claws",
[4802]="Cougar Claws",
[4803]="Prairie Alpha Tooth",
[4804]="Prairie Wolf Heart",
[4805]="Flatland Cougar Femur",
[4806]="Plainstrider Scale",
[4807]="Swoop Gizzard",
[4808]="Well Stone",
[4809]="Ambercorn",
[4810]="Boulder Pads",
[4813]="Small Leather Collar",
[4814]="Discolored Fang",
[4816]="Legionnaire\'s Leggings",
[4817]="Blessed Claymore",
[4818]="Executioner\'s Sword",
[4819]="Fizsprocket\'s Clipboard",
[4820]="Guardian Buckler",
[4821]="Bear Buckler",
[4822]="Owl\'s Disk",
[4823]="Water of the Seers",
[4824]="Blurred Axe",
[4825]="Callous Axe",
[4826]="Marauder Axe",
[4827]="Wizard\'s Belt",
[4828]="Nightwind Belt",
[4829]="Dreamer\'s Belt",
[4830]="Saber Leggings",
[4831]="Stalking Pants",
[4832]="Mystic Sarong",
[4833]="Glorious Shoulders",
[4834]="Venture Co. Documents",
[4835]="Elite Shoulders",
[4836]="Fireproof Orb",
[4837]="Strength of Will",
[4838]="Orb of Power",
[4840]="Long Bayonet",
[4841]="Horn of Arra\'chea",
[4843]="Amethyst Runestone",
[4844]="Opal Runestone",
[4845]="Diamond Runestone",
[4846]="Cog #5",
[4847]="Lotwil\'s Shackles of Elemental Binding",
[4848]="Battleboar Snout",
[4849]="Battleboar Flank",
[4850]="Bristleback Attack Plans",
[4851]="Dirt-stained Map",
[4852]="Flash Bomb",
[4854]="Demon Scarred Cloak",
[4859]="Burning Blade Medallion",
[4860]="Glistening Frenzy Scale",
[4861]="Sleek Feathered Tunic",
[4862]="Scorpid Worker Tail",
[4863]="Gnomish Tools",
[4864]="Minshina\'s Skull",
[4865]="Ruined Pelt",
[4866]="Zalazane\'s Head",
[4867]="Broken Scorpid Leg",
[4869]="Fizzle\'s Claw",
[4870]="Canvas Scraps",
[4871]="Searing Collar",
[4872]="Dry Scorpid Eye",
[4873]="Dry Hardened Barnacle",
[4874]="Clean Fishbones",
[4875]="Slimy Bone",
[4876]="Bloody Leather Boot",
[4877]="Stone Arrowhead",
[4878]="Broken Bloodstained Bow",
[4879]="Squashed Rabbit Carcass",
[4880]="Broken Spear",
[4881]="Aged Envelope",
[4882]="Benedict\'s Key",
[4883]="Admiral Proudmoore\'s Orders",
[4886]="Venomtail Poison Sac",
[4887]="Intact Makrura Eye",
[4888]="Crawler Mucus",
[4890]="Taillasher Egg",
[4891]="Kron\'s Amulet",
[4892]="Durotar Tiger Fur",
[4893]="Savannah Lion Tusk",
[4894]="Plainstrider Kidney",
[4895]="Thunder Lizard Horn",
[4896]="Kodo Liver",
[4897]="Thunderhawk Saliva Gland",
[4898]="Lightning Gland",
[4903]="Eye of Burning Shadow",
[4904]="Venomtail Antidote",
[4905]="Sarkoth\'s Mangled Claw",
[4906]="Rainwalker Boots",
[4907]="Woodland Tunic",
[4908]="Nomadic Bracers",
[4909]="Kodo Hunter\'s Leggings",
[4910]="Painted Chain Gloves",
[4911]="Thick Bark Buckler",
[4913]="Painted Chain Belt",
[4914]="Battleworn Leather Gloves",
[4915]="Soft Wool Boots",
[4916]="Soft Wool Vest",
[4917]="Battleworn Chain Leggings",
[4918]="Sack of Supplies",
[4919]="Soft Wool Belt",
[4920]="Battleworn Cape",
[4921]="Dust-covered Leggings",
[4922]="Jagged Chain Vest",
[4923]="Primitive Hatchet",
[4924]="Primitive Club",
[4925]="Primitive Hand Blade",
[4926]="Chen\'s Empty Keg",
[4928]="Sandrunner Wristguards",
[4929]="Light Scorpid Armor",
[4931]="Hickory Shortbow",
[4932]="Harpy Wing Clipper",
[4933]="Seasoned Fighter\'s Cloak",
[4935]="Wide Metal Girdle",
[4936]="Dirt-trodden Boots",
[4937]="Charging Buckler",
[4938]="Blemished Wooden Staff",
[4939]="Steady Bastard Sword",
[4940]="Veiled Grips",
[4941]="Really Sticky Glue",
[4942]="Tiger Hide Boots",
[4944]="Handsewn Cloak",
[4945]="Faintly Glowing Skull",
[4946]="Lightweight Boots",
[4947]="Jagged Dagger",
[4948]="Stinging Mace",
[4949]="Orcish Cleaver",
[4951]="Squealer\'s Belt",
[4952]="Stormstout",
[4953]="Trogg Ale",
[4954]="Nomadic Belt",
[4957]="Old Moneybag",
[4958]="Sun-beaten Cloak",
[4960]="Flash Pellet",
[4961]="Dreamwatcher Staff",
[4962]="Double-layered Gloves",
[4963]="Thunderhorn Cloak",
[4964]="Goblin Smasher",
[4967]="Tribal Warrior\'s Shield",
[4968]="Bound Harness",
[4969]="Fortified Bindings",
[4970]="Rough-hewn Kodo Leggings",
[4971]="Skorn\'s Hammer",
[4972]="Cliff Runner Boots",
[4973]="Plains Hunter Wristguards",
[4974]="Compact Fighting Knife",
[4975]="Vigilant Buckler",
[4976]="Mistspray Kilt",
[4977]="Sword of Hammerfall",
[4978]="Ryedol\'s Hammer",
[4979]="Enchanted Stonecloth Bracers",
[4980]="Prospector Gloves",
[4982]="Ripped Prospector Belt",
[4983]="Rock Pulverizer",
[4984]="Skull of Impending Doom",
[4986]="Flawed Power Stone",
[4987]="Dwarf Captain\'s Sword",
[4992]="Recruitment Letter",
[4995]="Signed Recruitment Letter",
[4998]="Blood Ring",
[4999]="Azora\'s Will",
[5001]="Heart Ring",
[5002]="Glowing Green Talisman",
[5003]="Crystal Starfire Medallion",
[5005]="Emberspark Pendant",
[5006]="Khazgorm\'s Journal",
[5007]="Band of Thorns",
[5009]="Mindbender Loop",
[5011]="Welken Ring",
[5012]="Fungal Spores",
[5016]="Artisan\'s Trousers",
[5017]="Nitroglycerin",
[5018]="Wood Pulp",
[5019]="Sodium Nitrate",
[5020]="Kolkar Booty Key",
[5021]="Explosive Stick of Gann",
[5022]="Barak\'s Head",
[5023]="Verog\'s Head",
[5025]="Hezrul\'s Head",
[5026]="Fire Tar",
[5027]="Rendered Spores",
[5028]="Lord Sakrasis\' Scepter",
[5029]="Talisman of the Naga Lord",
[5030]="Centaur Bracers",
[5038]="Tear of the Moons",
[5040]="Shadow Hunter Knife",
[5042]="Red Ribboned Wrapping Paper",
[5043]="Red Ribboned Gift",
[5044]="Blue Ribboned Gift",
[5048]="Blue Ribboned Wrapping Paper",
[5050]="Ignition Key",
[5051]="Dig Rat",
[5052]="Unconscious Dig Rat",
[5054]="Samophlange",
[5055]="Intact Raptor Horn",
[5056]="Root Sample",
[5057]="Ripe Watermelon",
[5058]="Silithid Egg",
[5059]="Digging Claw",
[5060]="Thieves\' Tools",
[5061]="Stolen Silver",
[5062]="Raptor Head",
[5063]="Kreenig Snarlsnout\'s Tusk",
[5064]="Witchwing Talon",
[5065]="Harpy Lieutenant Ring",
[5066]="Fissure Plant",
[5067]="Serena\'s Head",
[5068]="Dried Seeds",
[5069]="Fire Wand",
[5071]="Shadow Wand",
[5072]="Lok\'s Skull",
[5073]="Nak\'s Skull",
[5074]="Kuz\'s Skull",
[5075]="Blood Shard",
[5076]="Shipment of Boots",
[5077]="Telescopic Lens",
[5078]="Theramore Medal",
[5079]="Cold Basilisk Eye",
[5080]="Gazlowe\'s Ledger",
[5081]="Kodo Hide Bag",
[5082]="Thin Kodo Leather",
[5083]="Pattern: Kodo Hide Bag",
[5084]="Baron Longshore\'s Head",
[5085]="Bristleback Quilboar Tusk",
[5086]="Zhevra Hooves",
[5087]="Plainstrider Beak",
[5088]="Control Console Operating Manual",
[5089]="Console Key",
[5092]="Charred Razormane Wand",
[5093]="Razormane Backstabber",
[5094]="Razormane War Shield",
[5095]="Rainbow Fin Albacore",
[5096]="Prowler Claws",
[5097]="Cats Eye Emerald",
[5098]="Altered Snapjaw Shell",
[5099]="Hoof of Lakota\'mani",
[5100]="Echeyakee\'s Hide",
[5101]="Ishamuhale\'s Fang",
[5102]="Owatanka\'s Tailspike",
[5103]="Washte Pawne\'s Feather",
[5104]="Heart of Isha Awak",
[5105]="Explosive Shell",
[5107]="Deckhand\'s Shirt",
[5109]="Stonesplinter Rags",
[5110]="Dalaran Wizard\'s Robe",
[5111]="Rathorian\'s Cape",
[5112]="Ritual Blade",
[5113]="Mark of the Syndicate",
[5114]="Severed Talon",
[5115]="Broken Wishbone",
[5116]="Long Tail Feather",
[5117]="Vibrant Plume",
[5118]="Large Flat Tooth",
[5119]="Fine Loose Hair",
[5120]="Long Tail Hair",
[5121]="Dirty Kodo Scale",
[5122]="Thick Kodo Hair",
[5123]="Steel Arrowhead",
[5124]="Small Raptor Tooth",
[5125]="Charged Scale",
[5128]="Shed Lizard Skin",
[5133]="Seeping Gizzard",
[5134]="Small Furry Paw",
[5135]="Thin Black Claw",
[5136]="Torn Furry Ear",
[5137]="Bright Eyeball",
[5138]="Harvester\'s Head",
[5140]="Flash Powder",
[5143]="Thunder Lizard Blood",
[5164]="Thunderhawk Wings",
[5165]="Sunscale Feather",
[5166]="Webwood Venom Sac",
[5167]="Webwood Egg",
[5168]="Timberling Seed",
[5169]="Timberling Sprout",
[5170]="Mossy Tumor",
[5173]="Deathweed",
[5175]="Earth Totem",
[5176]="Fire Totem",
[5177]="Water Totem",
[5178]="Air Totem",
[5179]="Moss-twined Heart",
[5180]="Necklace of Harmony",
[5181]="Vibrant Silk Cape",
[5182]="Shiver Blade",
[5183]="Pulsating Hydra Heart",
[5184]="Filled Crystal Phial",
[5185]="Crystal Phial",
[5186]="Partially Filled Vessel",
[5187]="Rhahk\'Zor\'s Hammer",
[5188]="Filled Vessel",
[5189]="Glowing Fruit",
[5190]="Shimmering Frond",
[5191]="Cruel Barb",
[5192]="Thief\'s Blade",
[5193]="Cape of the Brotherhood",
[5194]="Taskmaster Axe",
[5195]="Gold-flecked Gloves",
[5196]="Smite\'s Reaver",
[5197]="Cookie\'s Tenderizer",
[5198]="Cookie\'s Stirring Rod",
[5199]="Smelting Pants",
[5200]="Impaling Harpoon",
[5201]="Emberstone Staff",
[5202]="Corsair\'s Overshirt",
[5203]="Flatland Prowler Claw",
[5204]="Bloodfeather Belt",
[5205]="Sprouted Frond",
[5206]="Bogling Root",
[5207]="Opaque Wand",
[5208]="Smoldering Wand",
[5209]="Gloom Wand",
[5210]="Burning Wand",
[5211]="Dusk Wand",
[5212]="Blazing Wand",
[5213]="Scorching Wand",
[5214]="Wand of Eventide",
[5215]="Ember Wand",
[5216]="Umbral Wand",
[5217]="Tainted Heart",
[5218]="Cleansed Timberling Heart",
[5219]="Inscribed Bark",
[5220]="Gnarlpine Fang",
[5221]="Melenas\' Head",
[5229]="Handstitched Leather Bracers",
[5232]="Minor Soulstone",
[5233]="Stone of Relu",
[5234]="Flagongut\'s Fossil",
[5236]="Combustible Wand",
[5237]="Mind-numbing Poison",
[5238]="Pitchwood Wand",
[5239]="Blackbone Wand",
[5240]="Torchlight Wand",
[5241]="Dwarven Flamestick",
[5242]="Cinder Wand",
[5243]="Firebelcher",
[5244]="Consecrated Wand",
[5245]="Summoner\'s Wand",
[5246]="Excavation Rod",
[5247]="Rod of Sorrow",
[5248]="Flash Wand",
[5249]="Burning Sliver",
[5250]="Charred Wand",
[5251]="Phial of Scrying",
[5252]="Wand of Decay",
[5253]="Goblin Igniter",
[5254]="Rugged Spaulders",
[5256]="Kovork\'s Rattle",
[5257]="Dark Hooded Cape",
[5263]="Pocket Lint",
[5266]="Eye of Adaegus",
[5267]="Scarlet Kris",
[5268]="Cracked Silithid Shell",
[5269]="Silithid Ichor",
[5270]="Death Cap",
[5271]="Scaber Stalk",
[5272]="Insane Scribbles",
[5273]="Mathystra Relic",
[5274]="Rose Mantle",
[5275]="Binding Girdle",
[5279]="Harpy Skinner",
[5299]="Gloves of the Moon",
[5302]="Cobalt Buckler",
[5306]="Wind Rider Staff",
[5309]="Privateer Musket",
[5310]="Sea Dog Britches",
[5311]="Buckled Boots",
[5312]="Riveted Gauntlets",
[5313]="Totemic Clan Ring",
[5314]="Boar Hunter\'s Cape",
[5315]="Timberland Armguards",
[5316]="Barkshell Tunic",
[5317]="Dry Moss Tunic",
[5318]="Zhovur Axe",
[5319]="Bashing Pauldrons",
[5320]="Padded Lamellar Boots",
[5321]="Elegant Shortsword",
[5322]="Demolition Hammer",
[5323]="Everglow Lantern",
[5324]="Engineer\'s Hammer",
[5325]="Welding Shield",
[5326]="Flaring Baton",
[5327]="Greasy Tinker\'s Pants",
[5328]="Cinched Belt",
[5329]="Cat Figurine",
[5332]="Glowing Cat Figurine",
[5334]="99-Year-Old Port",
[5335]="A Sack of Coins",
[5336]="Grell Earring",
[5337]="Wayfaring Gloves",
[5338]="Ancient Moonstone Seal",
[5339]="Serpentbloom",
[5340]="Cauldron Stirrer",
[5341]="Spore-covered Tunic",
[5342]="Raptor Punch",
[5343]="Barkeeper\'s Cloak",
[5344]="Pointed Axe",
[5345]="Stonewood Hammer",
[5346]="Orcish Battle Bow",
[5347]="Pestilent Wand",
[5348]="Worn Parchment",
[5349]="Conjured Muffin",
[5350]="Conjured Water",
[5351]="Bounty Hunter\'s Ring",
[5352]="Book: The Powers Below",
[5354]="Letter to Delgren",
[5355]="Beastmaster\'s Girdle",
[5356]="Branding Rod",
[5357]="Ward of the Vale",
[5359]="Lorgalis Manuscript",
[5360]="Highborne Relic",
[5361]="Fishbone Toothpick",
[5362]="Chew Toy",
[5363]="Folded Handkerchief",
[5364]="Dry Salt Lick",
[5366]="Glowing Soul Gem",
[5367]="Primitive Rock Tool",
[5368]="Empty Wallet",
[5369]="Gnawed Bone",
[5370]="Bent Spoon",
[5371]="Piece of Coral",
[5373]="Lucky Charm",
[5374]="Small Pocket Watch",
[5375]="Scratching Stick",
[5376]="Broken Mirror",
[5377]="Scallop Shell",
[5379]="Boot Knife",
[5382]="Anaya\'s Pendant",
[5383]="Athrikus Narassin\'s Head",
[5385]="Crawler Leg",
[5386]="Fine Moonstalker Pelt",
[5387]="Enchanted Moonstalker Cloak",
[5388]="Ran Bloodtooth\'s Skull",
[5389]="Corrupted Furbolg Totem",
[5390]="Fandral\'s Message",
[5391]="Rare Earth",
[5392]="Thistlewood Dagger",
[5393]="Thistlewood Staff",
[5394]="Archery Training Gloves",
[5395]="Woodland Shield",
[5396]="Key to Searing Gorge",
[5397]="Defias Gunpowder",
[5398]="Canopy Leggings",
[5399]="Tracking Boots",
[5404]="Serpent\'s Shoulders",
[5405]="Draped Cloak",
[5411]="Winterhoof Cleansing Totem",
[5412]="Thresher Eye",
[5413]="Moonstalker Fang",
[5414]="Grizzled Scalp",
[5415]="Thunderhorn Cleansing Totem",
[5416]="Wildmane Cleansing Totem",
[5417]="Weapon of Massive Destruction (test)",
[5418]="Weapon of Mass Destruction (test)",
[5419]="Feral Bracers",
[5420]="Banshee Armor",
[5421]="Fiery Blaze Enchantment",
[5422]="Brambleweed Leggings",
[5423]="Boahn\'s Fang",
[5424]="Ancient Statuette",
[5425]="Runescale Girdle",
[5426]="Serpent\'s Kiss",
[5427]="Crude Pocket Watch",
[5428]="An Exotic Cookbook",
[5429]="A Pretty Rock",
[5430]="Intricate Bauble",
[5431]="Empty Hip Flask",
[5432]="Hickory Pipe",
[5433]="Rag Doll",
[5435]="Shiny Dinglehopper",
[5437]="Bathran\'s Hair",
[5439]="Small Quiver",
[5440]="Bottle of Disease",
[5441]="Small Shot Pouch",
[5442]="Head of Arugal",
[5443]="Gold-plated Buckler",
[5444]="Miner\'s Cape",
[5445]="Ring of Zoram",
[5446]="Broken Elemental Bracer",
[5447]="Damaged Elemental Bracer",
[5448]="Fractured Elemental Bracer",
[5451]="Crushed Elemental Bracer",
[5455]="Divined Scroll",
[5456]="Divining Scroll",
[5457]="Severed Voodoo Claw",
[5458]="Dirtwood Belt",
[5459]="Defender Axe",
[5460]="Orendil\'s Cure",
[5461]="Branch of Cenarius",
[5462]="Dartol\'s Rod of Transformation",
[5463]="Glowing Gem",
[5464]="Iron Shaft",
[5465]="Small Spider Leg",
[5466]="Scorpid Stinger",
[5467]="Kodo Meat",
[5468]="Soft Frenzy Flesh",
[5469]="Strider Meat",
[5470]="Thunder Lizard Tail",
[5471]="Stag Meat",
[5472]="Kaldorei Spider Kabob",
[5473]="Scorpid Surprise",
[5474]="Roasted Kodo Meat",
[5475]="Wooden Key",
[5476]="Fillet of Frenzy",
[5477]="Strider Stew",
[5478]="Dig Rat Stew",
[5479]="Crispy Lizard Tail",
[5480]="Lean Venison",
[5481]="Satyr Horns",
[5482]="Recipe: Kaldorei Spider Kabob",
[5483]="Recipe: Scorpid Surprise",
[5484]="Recipe: Roasted Kodo Meat",
[5485]="Recipe: Fillet of Frenzy",
[5486]="Recipe: Strider Stew",
[5487]="Recipe: Dig Rat Stew",
[5488]="Recipe: Crispy Lizard Tail",
[5489]="Recipe: Lean Venison",
[5490]="Wrathtail Head",
[5493]="Elune\'s Tear",
[5494]="Handful of Stardust",
[5498]="Small Lustrous Pearl",
[5500]="Iridescent Pearl",
[5503]="Clam Meat",
[5504]="Tangy Clam Meat",
[5505]="Teronis\' Journal",
[5506]="Beady Eye Stalk",
[5507]="Ornate Spyglass",
[5508]="Fallen Moonstone",
[5509]="Healthstone",
[5510]="Greater Healthstone",
[5511]="Lesser Healthstone",
[5512]="Minor Healthstone",
[5513]="Mana Jade",
[5514]="Mana Agate",
[5516]="Threshadon Fang",
[5517]="Tiny Bronze Key",
[5518]="Tiny Iron Key",
[5519]="Iron Pommel",
[5520]="Velinde\'s Journal",
[5521]="Velinde\'s Key",
[5522]="Spellstone",
[5523]="Small Barnacled Clam",
[5524]="Thick-shelled Clam",
[5525]="Boiled Clams",
[5526]="Clam Chowder",
[5527]="Goblin Deviled Clams",
[5528]="Recipe: Clam Chowder",
[5529]="Tomb Dust",
[5530]="Blinding Powder",
[5533]="Ilkrud Magthrull\'s Tome",
[5534]="Parker\'s Lunch",
[5535]="Compendium of the Fallen",
[5536]="Mythology of the Titans",
[5537]="Sarilus Foulborne\'s Head",
[5538]="Vorrel\'s Wedding Ring",
[5539]="Letter of Commendation",
[5540]="Pearl-handled Dagger",
[5541]="Iridescent Hammer",
[5542]="Pearl-clasped Cloak",
[5543]="Plans: Iridescent Hammer",
[5544]="Dal Bloodclaw\'s Skull",
[5547]="Reconstructed Rod",
[5565]="Infernal Stone",
[5566]="Broken Antler",
[5567]="Silver Hook",
[5568]="Smooth Pebble",
[5569]="Seaweed",
[5570]="Deepmoss Egg",
[5571]="Small Black Pouch",
[5572]="Small Green Pouch",
[5573]="Green Leather Bag",
[5574]="White Leather Bag",
[5575]="Large Green Sack",
[5576]="Large Brown Sack",
[5578]="Plans: Silvered Bronze Breastplate",
[5579]="Militia Warhammer",
[5580]="Militia Hammer",
[5581]="Smooth Walking Staff",
[5582]="Stonetalon Sap",
[5583]="Fey Dragon Scale",
[5584]="Twilight Whisker",
[5585]="Courser Eye",
[5586]="Thistlewood Blade",
[5587]="Thornroot Club",
[5588]="Lydon\'s Toxin",
[5589]="Moss-covered Gauntlets",
[5590]="Cord Bracers",
[5591]="Rain-spotted Cape",
[5592]="Shackled Girdle",
[5593]="Crag Buckler",
[5594]="Letter to Jin\'Zil",
[5595]="Thicket Hammer",
[5596]="Ashwood Bow",
[5601]="Hatched Egg Sac",
[5602]="Sticky Spider Webbing",
[5604]="Elven Wand",
[5605]="Pruning Knife",
[5606]="Gardening Gloves",
[5608]="Living Cowl",
[5609]="Steadfast Cinch",
[5610]="Gustweald Cloak",
[5611]="Tear of Grief",
[5612]="Ivy Cuffs",
[5613]="Staff of the Purifier",
[5614]="Seraph\'s Strike",
[5615]="Woodsman Sword",
[5616]="Gutwrencher",
[5617]="Vagabond Leggings",
[5618]="Scout\'s Cloak",
[5619]="Jade Phial",
[5620]="Vial of Innocent Blood",
[5621]="Tourmaline Phial",
[5622]="Clergy Ring",
[5623]="Amethyst Phial",
[5624]="Circlet of the Order",
[5626]="Skullchipper",
[5627]="Relic Blade",
[5628]="Zamah\'s Note",
[5629]="Hammerfist Gloves",
[5630]="Windfelt Gloves",
[5631]="Rage Potion",
[5633]="Great Rage Potion",
[5634]="Free Action Potion",
[5635]="Sharp Claw",
[5636]="Delicate Feather",
[5637]="Large Fang",
[5638]="Toxic Fogger",
[5639]="Filled Jade Phial",
[5640]="Recipe: Rage Potion",
[5642]="Recipe: Free Action Potion",
[5643]="Recipe: Great Rage Potion",
[5645]="Filled Tourmaline Phial",
[5646]="Vial of Blessed Water",
[5655]="Chestnut Mare Bridle",
[5656]="Brown Horse Bridle",
[5659]="Smoldering Embers",
[5664]="Corroded Shrapnel",
[5665]="Horn of the Dire Wolf",
[5668]="Horn of the Brown Wolf",
[5669]="Dust Devil Debris",
[5675]="Crystalized Scales",
[5681]="Corrosive Sap",
[5686]="Ordanus\' Head",
[5687]="Gatekeeper\'s Key",
[5689]="Sleepers\' Key",
[5690]="Claw Key",
[5691]="Barrow Key",
[5692]="Remote Detonator (Red)",
[5693]="Remote Detonator (Blue)",
[5694]="NG-5 Explosives (Red)",
[5695]="NG-5 Explosives (Blue)",
[5717]="Venture Co. Letters",
[5718]="Venture Co. Engineering Plans",
[5731]="Scroll of Messaging",
[5732]="NG-5",
[5733]="Unidentified Ore",
[5734]="Super Reaper 6000 Blueprints",
[5735]="Sealed Envelope",
[5736]="Gerenzo\'s Mechanical Arm",
[5737]="Covert Ops Plans: Alpha & Beta",
[5738]="Covert Ops Pack",
[5739]="Barbaric Harness",
[5740]="Red Fireworks Rocket",
[5741]="Rock Chip",
[5744]="Pale Skinner",
[5749]="Scythe Axe",
[5750]="Warchief\'s Girdle",
[5751]="Webwing Cloak",
[5752]="Wyvern Tailspike",
[5753]="Ruffled Chaplet",
[5754]="Wolfpack Medallion",
[5755]="Onyx Shredder Plate",
[5756]="Sliverblade",
[5757]="Hardwood Cudgel",
[5758]="Mithril Lockbox",
[5759]="Thorium Lockbox",
[5760]="Eternium Lockbox",
[5761]="Anvilmar Sledge",
[5762]="Red Linen Bag",
[5763]="Red Woolen Bag",
[5764]="Green Silk Pack",
[5765]="Black Silk Pack",
[5766]="Lesser Wizard\'s Robe",
[5767]="Violet Robes",
[5770]="Robes of Arcana",
[5771]="Pattern: Red Linen Bag",
[5772]="Pattern: Red Woolen Bag",
[5773]="Pattern: Robes of Arcana",
[5774]="Pattern: Green Silk Pack",
[5775]="Pattern: Black Silk Pack",
[5776]="Elder\'s Cane",
[5777]="Brave\'s Axe",
[5778]="Primitive Walking Stick",
[5779]="Forsaken Bastard Sword",
[5780]="Murloc Scale Belt",
[5781]="Murloc Scale Breastplate",
[5782]="Thick Murloc Armor",
[5783]="Murloc Scale Bracers",
[5784]="Slimy Murloc Scale",
[5785]="Thick Murloc Scale",
[5786]="Pattern: Murloc Scale Belt",
[5787]="Pattern: Murloc Scale Breastplate",
[5788]="Pattern: Thick Murloc Armor",
[5789]="Pattern: Murloc Scale Bracers",
[5790]="Lonebrow\'s Journal",
[5791]="Henrig Lonebrow\'s Journal",
[5792]="Razorflank\'s Medallion",
[5793]="Razorflank\'s Heart",
[5794]="Salty Scorpid Venom",
[5795]="Hardened Tortoise Shell",
[5796]="Encrusted Tail Fin",
[5797]="Indurium Flake",
[5798]="Rocket Car Parts",
[5799]="Kravel\'s Parts Order",
[5800]="Kravel\'s Parts",
[5801]="Kraul Guano",
[5802]="Delicate Car Parts",
[5803]="Speck of Dream Dust",
[5804]="Goblin Rumors",
[5805]="Heart of Zeal",
[5806]="Fool\'s Stout",
[5807]="Fool\'s Stout Report",
[5808]="Pridewing Venom Sac",
[5809]="Highperch Venom Sac",
[5810]="Fresh Carcass",
[5811]="Frostmaw\'s Mane",
[5812]="Robes of Antiquity",
[5813]="Emil\'s Brand",
[5814]="Snapbrook Armor",
[5815]="Glacial Stone",
[5816]="Light of Elune",
[5817]="Lunaris Bow",
[5818]="Moonbeam Wand",
[5819]="Sunblaze Coif",
[5820]="Faerie Mantle",
[5824]="Tablet of Will",
[5825]="Treshala\'s Pendant",
[5826]="Kravel\'s Scheme",
[5827]="Fizzle Brassbolts\' Letter",
[5829]="Razor-sharp Beak",
[5830]="Kenata\'s Head",
[5831]="Fardel\'s Head",
[5832]="Marcel\'s Head",
[5833]="Indurium Ore",
[5834]="Mok\'Morokk\'s Snuff",
[5835]="Mok\'Morokk\'s Grog",
[5836]="Mok\'Morokk\'s Strongbox",
[5837]="Steelsnap\'s Rib",
[5838]="Kodo Skin Scroll",
[5839]="Journal Page",
[5840]="Searing Tongue",
[5841]="Searing Heart",
[5842]="Unrefined Ore Sample",
[5843]="Grenka\'s Claw",
[5844]="Fragments of Rok\'Alim",
[5846]="Korran\'s Sealed Note",
[5847]="Mirefin Head",
[5848]="Hollow Vulture Bone",
[5849]="Crate of Crash Helmets",
[5850]="Belgrom\'s Sealed Note",
[5851]="Cozzle\'s Key",
[5852]="Fuel Regulator Blueprints",
[5853]="Intact Silithid Carapace",
[5854]="Silithid Talon",
[5855]="Silithid Heart",
[5860]="Legacy of the Aspects",
[5861]="Beginnings of the Undead Threat",
[5862]="Seaforium Booster",
[5863]="Guild Charter",
[5864]="Gray Ram",
[5865]="Modified Seaforium Booster",
[5866]="Sample of Indurium Ore",
[5867]="Etched Phial",
[5868]="Filled Etched Phial",
[5869]="Cloven Hoof",
[5871]="Large Hoof",
[5872]="Brown Ram",
[5873]="White Ram",
[5876]="Blueleaf Tuber",
[5877]="Cracked Silithid Carapace",
[5879]="Twilight Pendant",
[5880]="Crate With Holes",
[5881]="Head of Kelris",
[5882]="Captain\'s Documents",
[5883]="Forked Mudrock Tongue",
[5884]="Unpopped Darkmist Eye",
[5897]="Snufflenose Owner\'s Manual",
[5917]="Spy\'s Report",
[5918]="Defiant Orc Head",
[5919]="Blackened Iron Shield",
[5936]="Animal Skin Belt",
[5938]="Pristine Crawler Leg",
[5939]="Sewing Gloves",
[5940]="Bone Buckler",
[5941]="Brass Scale Pants",
[5942]="Jeweled Pendant",
[5943]="Rift Bracers",
[5944]="Greaves of the People\'s Militia",
[5945]="Deadmire\'s Tooth",
[5946]="Sealed Note to Elling",
[5947]="Defias Docket",
[5948]="Letter to Jorgen",
[5950]="Reethe\'s Badge",
[5951]="Moist Towelette",
[5952]="Corrupted Brain Stem",
[5956]="Blacksmith Hammer",
[5957]="Handstitched Leather Vest",
[5958]="Fine Leather Pants",
[5959]="Acidic Venom Sac",
[5960]="Sealed Note to Watcher Backus",
[5961]="Dark Leather Pants",
[5962]="Guardian Pants",
[5963]="Barbaric Leggings",
[5964]="Barbaric Shoulders",
[5965]="Guardian Cloak",
[5966]="Guardian Gloves",
[5967]="Girdle of Nobility",
[5969]="Regent\'s Cloak",
[5970]="Serpent Gloves",
[5971]="Feathered Cape",
[5972]="Pattern: Fine Leather Pants",
[5973]="Pattern: Barbaric Leggings",
[5974]="Pattern: Guardian Cloak",
[5975]="Ruffian Belt",
[5976]="Guild Tabard",
[5996]="Elixir of Water Breathing",
[5997]="Elixir of Minor Defense",
[5998]="Stormpike\'s Request",
[6016]="Wolf Heart Sample",
[6037]="Truesilver Bar",
[6038]="Giant Clam Scorcho",
[6039]="Recipe: Giant Clam Scorcho",
[6040]="Golden Scale Bracers",
[6041]="Steel Weapon Chain",
[6042]="Iron Shield Spike",
[6043]="Iron Counterweight",
[6044]="Plans: Iron Shield Spike",
[6045]="Plans: Iron Counterweight",
[6046]="Plans: Steel Weapon Chain",
[6047]="Plans: Golden Scale Coif",
[6048]="Shadow Protection Potion",
[6049]="Fire Protection Potion",
[6050]="Frost Protection Potion",
[6051]="Holy Protection Potion",
[6052]="Nature Protection Potion",
[6053]="Recipe: Holy Protection Potion",
[6054]="Recipe: Shadow Protection Potion",
[6055]="Recipe: Fire Protection Potion",
[6056]="Recipe: Frost Protection Potion",
[6057]="Recipe: Nature Protection Potion",
[6058]="Blackened Leather Belt",
[6059]="Nomadic Vest",
[6060]="Flax Bracers",
[6061]="Graystone Bracers",
[6062]="Heavy Cord Bracers",
[6063]="Cold Steel Gauntlets",
[6064]="Miniature Platinum Discs",
[6065]="Khadgar\'s Essays on Dimensional Convergence",
[6066]="Khan Dez\'hepah\'s Head",
[6067]="Centaur Ear",
[6068]="Recipe: Shadow Oil",
[6069]="Crudely Dried Meat",
[6070]="Wolfskin Bracers",
[6071]="Draenethyst Crystal",
[6072]="Khan Jehn\'s Head",
[6073]="Khan Shaka\'s Head",
[6074]="War Horn Mouthpiece",
[6075]="Vimes\'s Report",
[6076]="Tapered Pants",
[6077]="Maraudine Key Fragment",
[6078]="Pikeman Shield",
[6079]="Crude Charm",
[6080]="Shadow Panther Heart",
[6081]="Mire Lord Fungus",
[6082]="Deepstrider Tumor",
[6083]="Broken Tears",
[6084]="Stormwind Guard Leggings",
[6085]="Footman Tunic",
[6086]="Faustin\'s Truth Serum",
[6087]="Chausses of Westfall",
[6089]="Zraedus\'s Brew",
[6091]="Crate of Power Stones",
[6092]="Black Whelp Boots",
[6093]="Orc Crusher",
[6094]="Piercing Axe",
[6095]="Wandering Boots",
[6096]="Apprentice\'s Shirt",
[6097]="Acolyte\'s Shirt",
[6098]="Neophyte\'s Robe",
[6116]="Apprentice\'s Robe",
[6117]="Squire\'s Shirt",
[6118]="Squire\'s Pants",
[6119]="Neophyte\'s Robe",
[6120]="Recruit\'s Shirt",
[6121]="Recruit\'s Pants",
[6122]="Recruit\'s Boots",
[6123]="Novice\'s Robe",
[6124]="Novice\'s Pants",
[6125]="Brawler\'s Harness",
[6126]="Trapper\'s Pants",
[6127]="Trapper\'s Boots",
[6129]="Acolyte\'s Robe",
[6134]="Primitive Mantle",
[6135]="Primitive Kilt",
[6136]="Thug Shirt",
[6137]="Thug Pants",
[6138]="Thug Boots",
[6139]="Novice\'s Robe",
[6140]="Apprentice\'s Robe",
[6144]="Neophyte\'s Robe",
[6145]="Clarice\'s Pendant",
[6146]="Sundried Driftwood",
[6147]="Ratty Old Belt",
[6148]="Web-covered Boots",
[6149]="Greater Mana Potion",
[6150]="A Frayed Knot",
[6166]="Coyote Jawbone",
[6167]="Neeka\'s Report",
[6168]="Sawtooth Snapper Claw",
[6169]="Unprepared Sawtooth Flank",
[6170]="Wizards\' Reagents",
[6171]="Wolf Handler Gloves",
[6172]="Lost Supplies",
[6173]="Snow Boots",
[6175]="Atal\'ai Artifact",
[6176]="Dwarven Kite Shield",
[6177]="Ironwrought Bracers",
[6178]="Shipment to Nethergarde",
[6179]="Privateer\'s Cape",
[6180]="Slarkskin",
[6181]="Fetish of Hakkar",
[6182]="Dim Torch",
[6183]="Unlit Poor Torch",
[6184]="Monstrous Crawler Leg",
[6185]="Bear Shawl",
[6186]="Trogg Slicer",
[6187]="Dwarven Defender",
[6188]="Mud Stompers",
[6189]="Durable Chain Shoulders",
[6190]="Draenethyst Shard",
[6191]="Kimbra Boots",
[6193]="Bundle of Atal\'ai Artifacts",
[6194]="Barreling Reaper",
[6195]="Wax-polished Armor",
[6196]="Noboru\'s Cudgel",
[6197]="Loch Croc Hide Vest",
[6198]="Jurassic Wristguards",
[6199]="Black Widow Band",
[6200]="Garneg\'s War Belt",
[6201]="Lithe Boots",
[6202]="Fingerless Gloves",
[6203]="Thuggish Shield",
[6204]="Tribal Worg Helm",
[6205]="Burrowing Shovel",
[6206]="Rock Chipper",
[6211]="Recipe: Elixir of Ogre\'s Strength",
[6212]="Head of Jammal\'an",
[6214]="Heavy Copper Maul",
[6215]="Balanced Fighting Stick",
[6217]="Copper Rod",
[6218]="Runed Copper Rod",
[6219]="Arclight Spanner",
[6220]="Meteor Shard",
[6223]="Crest of Darkshire",
[6226]="Bloody Apron",
[6238]="Brown Linen Robe",
[6239]="Red Linen Vest",
[6240]="Blue Linen Vest",
[6241]="White Linen Robe",
[6242]="Blue Linen Robe",
[6245]="Karnitol\'s Satchel",
[6246]="Hatefury Claw",
[6247]="Hatefury Horn",
[6248]="Scorpashi Venom",
[6249]="Aged Kodo Hide",
[6250]="Felhound Brain",
[6251]="Nether Wing",
[6252]="Doomwarder Blood",
[6253]="Leftwitch\'s Package",
[6256]="Fishing Pole",
[6257]="Roc Gizzard",
[6258]="Ironfur Liver",
[6259]="Groddoc Liver",
[6260]="Blue Dye",
[6261]="Orange Dye",
[6263]="Blue Overalls",
[6264]="Greater Adept\'s Robe",
[6265]="Soul Shard",
[6266]="Disciple\'s Vest",
[6267]="Disciple\'s Pants",
[6268]="Pioneer Tunic",
[6269]="Pioneer Trousers",
[6270]="Pattern: Blue Linen Vest",
[6271]="Pattern: Red Linen Vest",
[6272]="Pattern: Blue Linen Robe",
[6274]="Pattern: Blue Overalls",
[6275]="Pattern: Greater Adept\'s Robe",
[6281]="Rattlecage Skull",
[6282]="Sacred Burial Trousers",
[6283]="The Book of Ur",
[6284]="Runes of Summoning",
[6285]="Egalin\'s Grimoire",
[6286]="Pure Hearts",
[6287]="Atal\'ai Tablet Fragment",
[6288]="Atal\'ai Tablet",
[6289]="Raw Longjaw Mud Snapper",
[6290]="Brilliant Smallfish",
[6291]="Raw Brilliant Smallfish",
[6292]="10 Pound Mud Snapper",
[6293]="Dried Bat Blood",
[6294]="12 Pound Mud Snapper",
[6295]="15 Pound Mud Snapper",
[6296]="Patch of Bat Hair",
[6297]="Old Skull",
[6298]="Bloody Bat Fang",
[6299]="Sickly Looking Fish",
[6300]="Husk Fragment",
[6301]="Old Teamster\'s Skull",
[6302]="Delicate Insect Wing",
[6303]="Raw Slitherskin Mackerel",
[6304]="Damp Diary Page (Day 4)",
[6305]="Damp Diary Page (Day 87)",
[6306]="Damp Diary Page (Day 512)",
[6307]="Message in a Bottle",
[6308]="Raw Bristle Whisker Catfish",
[6309]="17 Pound Catfish",
[6310]="19 Pound Catfish",
[6311]="22 Pound Catfish",
[6312]="Dalin\'s Heart",
[6313]="Comar\'s Heart",
[6314]="Wolfmaster Cape",
[6315]="Steelarrow Crossbow",
[6316]="Loch Frenzy Delight",
[6317]="Raw Loch Frenzy",
[6318]="Odo\'s Ley Staff",
[6319]="Girdle of the Blindwatcher",
[6320]="Commander\'s Crest",
[6321]="Silverlaine\'s Family Seal",
[6323]="Baron\'s Scepter",
[6324]="Robes of Arugal",
[6325]="Recipe: Brilliant Smallfish",
[6326]="Recipe: Slitherskin Mackerel",
[6327]="The Pacifier",
[6328]="Recipe: Longjaw Mud Snapper",
[6329]="Recipe: Loch Frenzy Delight",
[6330]="Recipe: Bristle Whisker Catfish",
[6331]="Howling Blade",
[6332]="Black Pearl Ring",
[6333]="Spikelash Dagger",
[6335]="Grizzled Boots",
[6336]="Infantry Tunic",
[6337]="Infantry Leggings",
[6338]="Silver Rod",
[6339]="Runed Silver Rod",
[6340]="Fenrus\' Hide",
[6341]="Eerie Stable Lantern",
[6342]="Formula: Enchant Chest - Minor Mana",
[6344]="Formula: Enchant Bracer - Minor Spirit",
[6346]="Formula: Enchant Chest - Lesser Mana",
[6347]="Formula: Enchant Bracer - Minor Strength",
[6348]="Formula: Enchant Weapon - Minor Beastslayer",
[6349]="Formula: Enchant 2H Weapon - Lesser Intellect",
[6350]="Rough Bronze Boots",
[6351]="Dented Crate",
[6352]="Waterlogged Crate",
[6353]="Small Chest",
[6354]="Small Locked Chest",
[6355]="Sturdy Locked Chest",
[6356]="Battered Chest",
[6357]="Sealed Crate",
[6358]="Oily Blackmouth",
[6359]="Firefin Snapper",
[6360]="Steelscale Crushfish",
[6361]="Raw Rainbow Fin Albacore",
[6362]="Raw Rockscale Cod",
[6363]="26 Pound Catfish",
[6364]="32 Pound Catfish",
[6365]="Strong Fishing Pole",
[6366]="Darkwood Fishing Pole",
[6367]="Big Iron Fishing Pole",
[6368]="Recipe: Rainbow Fin Albacore",
[6369]="Recipe: Rockscale Cod",
[6370]="Blackmouth Oil",
[6371]="Fire Oil",
[6372]="Swim Speed Potion",
[6373]="Elixir of Firepower",
[6375]="Formula: Enchant Bracer - Lesser Spirit",
[6377]="Formula: Enchant Boots - Minor Agility",
[6378]="Seer\'s Cape",
[6379]="Inscribed Leather Belt",
[6380]="Inscribed Buckler",
[6381]="Bright Cloak",
[6382]="Forest Leather Belt",
[6383]="Forest Buckler",
[6384]="Stylish Blue Shirt",
[6385]="Stylish Green Shirt",
[6386]="Glimmering Mail Legguards",
[6387]="Glimmering Mail Bracers",
[6388]="Glimmering Mail Pauldrons",
[6389]="Glimmering Mail Coif",
[6390]="Pattern: Stylish Blue Shirt",
[6391]="Pattern: Stylish Green Shirt",
[6392]="Belt of Arugal",
[6393]="Silver-thread Gloves",
[6394]="Silver-thread Boots",
[6395]="Silver-thread Amice",
[6396]="Emblazoned Chestpiece",
[6397]="Emblazoned Gloves",
[6398]="Emblazoned Belt",
[6399]="Emblazoned Shoulders",
[6400]="Glimmering Shield",
[6401]="Pattern: Dark Silk Shirt",
[6402]="Mail Combat Leggings",
[6403]="Mail Combat Armguards",
[6404]="Mail Combat Spaulders",
[6405]="Nightsky Trousers",
[6406]="Nightsky Boots",
[6407]="Nightsky Wristbands",
[6408]="Insignia Gloves",
[6409]="Insignia Belt",
[6410]="Insignia Bracers",
[6411]="Chief Brigadier Armor",
[6412]="Chief Brigadier Boots",
[6413]="Chief Brigadier Bracers",
[6414]="Seal of Sylvanas",
[6415]="Aurora Robe",
[6416]="Aurora Boots",
[6417]="Aurora Cloak",
[6418]="Aurora Sash",
[6419]="Glyphed Mitts",
[6420]="Glyphed Boots",
[6421]="Glyphed Belt",
[6422]="Glyphed Helm",
[6423]="Blackforge Greaves",
[6424]="Blackforge Cape",
[6425]="Blackforge Girdle",
[6426]="Blackforge Bracers",
[6427]="Mistscape Robe",
[6428]="Mistscape Gloves",
[6429]="Mistscape Wizard Hat",
[6430]="Imperial Leather Breastplate",
[6431]="Imperial Leather Boots",
[6432]="Imperial Cloak",
[6433]="Imperial Leather Helm",
[6435]="Infused Burning Gem",
[6436]="Burning Gem",
[6438]="Dull Elemental Bracer",
[6439]="Broken Binding Bracer",
[6440]="Brainlash",
[6441]="Shadowstalker Scalp",
[6442]="Oracle Crystal",
[6443]="Deviate Hide",
[6444]="Forked Tongue",
[6445]="Brittle Molting",
[6446]="Snakeskin Bag",
[6447]="Worn Turtle Shell Shield",
[6448]="Tail Spike",
[6449]="Glowing Lizardscale Cloak",
[6450]="Silk Bandage",
[6451]="Heavy Silk Bandage",
[6452]="Anti-Venom",
[6453]="Strong Anti-Venom",
[6454]="Manual: Strong Anti-Venom",
[6455]="Old Wagonwheel",
[6456]="Acidic Slime",
[6457]="Rusted Engineering Parts",
[6458]="Oil Covered Fish",
[6459]="Savage Trodders",
[6460]="Cobrahn\'s Grasp",
[6461]="Slime-encrusted Pads",
[6462]="Secure Crate",
[6463]="Deep Fathom Ring",
[6464]="Wailing Essence",
[6465]="Robe of the Moccasin",
[6466]="Deviate Scale Cloak",
[6467]="Deviate Scale Gloves",
[6468]="Deviate Scale Belt",
[6469]="Venomstrike",
[6470]="Deviate Scale",
[6471]="Perfect Deviate Scale",
[6472]="Stinging Viper",
[6473]="Armor of the Fang",
[6474]="Pattern: Deviate Scale Cloak",
[6475]="Pattern: Deviate Scale Gloves",
[6476]="Pattern: Deviate Scale Belt",
[6477]="Grassland Sash",
[6479]="Malem Pendant",
[6480]="Slick Deviate Leggings",
[6481]="Dagmire Gauntlets",
[6482]="Firewalker Boots",
[6486]="Singed Scale",
[6487]="Vile Familiar Head",
[6488]="Simple Tablet",
[6502]="Violet Scale Armor",
[6503]="Harlequin Robes",
[6504]="Wingblade",
[6505]="Crescent Staff",
[6506]="Infantry Boots",
[6507]="Infantry Bracers",
[6508]="Infantry Cloak",
[6509]="Infantry Belt",
[6510]="Infantry Gauntlets",
[6511]="Journeyman\'s Robe",
[6512]="Disciple\'s Robe",
[6513]="Disciple\'s Sash",
[6514]="Disciple\'s Cloak",
[6515]="Disciple\'s Gloves",
[6517]="Pioneer Belt",
[6518]="Pioneer Boots",
[6519]="Pioneer Bracers",
[6520]="Pioneer Cloak",
[6521]="Pioneer Gloves",
[6522]="Deviate Fish",
[6523]="Buckled Harness",
[6524]="Studded Leather Harness",
[6525]="Grunt\'s Harness",
[6526]="Battle Harness",
[6527]="Ancestral Robe",
[6528]="Spellbinder Robe",
[6529]="Shiny Bauble",
[6530]="Nightcrawlers",
[6531]="Barbaric Cloth Robe",
[6532]="Bright Baubles",
[6533]="Aquadynamic Fish Attractor",
[6534]="Forged Steel Bars",
[6535]="Tablet of Verga",
[6536]="Willow Vest",
[6537]="Willow Boots",
[6538]="Willow Robe",
[6539]="Willow Belt",
[6540]="Willow Pants",
[6541]="Willow Gloves",
[6542]="Willow Cape",
[6543]="Willow Bracers",
[6545]="Soldier\'s Armor",
[6546]="Soldier\'s Leggings",
[6547]="Soldier\'s Gauntlets",
[6548]="Soldier\'s Girdle",
[6549]="Soldier\'s Cloak",
[6550]="Soldier\'s Wristguards",
[6551]="Soldier\'s Boots",
[6552]="Bard\'s Tunic",
[6553]="Bard\'s Trousers",
[6554]="Bard\'s Gloves",
[6555]="Bard\'s Cloak",
[6556]="Bard\'s Bracers",
[6557]="Bard\'s Boots",
[6558]="Bard\'s Belt",
[6559]="Bard\'s Buckler",
[6560]="Soldier\'s Shield",
[6561]="Seer\'s Padded Armor",
[6562]="Shimmering Boots",
[6563]="Shimmering Bracers",
[6564]="Shimmering Cloak",
[6565]="Shimmering Gloves",
[6566]="Shimmering Amice",
[6567]="Shimmering Armor",
[6568]="Shimmering Trousers",
[6569]="Shimmering Robe",
[6570]="Shimmering Sash",
[6571]="Scouting Buckler",
[6572]="Defender Shield",
[6573]="Defender Boots",
[6574]="Defender Bracers",
[6575]="Defender Cloak",
[6576]="Defender Girdle",
[6577]="Defender Gauntlets",
[6578]="Defender Leggings",
[6579]="Defender Spaulders",
[6580]="Defender Tunic",
[6581]="Scouting Belt",
[6582]="Scouting Boots",
[6583]="Scouting Bracers",
[6584]="Scouting Tunic",
[6585]="Scouting Cloak",
[6586]="Scouting Gloves",
[6587]="Scouting Trousers",
[6588]="Scouting Spaulders",
[6590]="Battleforge Boots",
[6591]="Battleforge Wristguards",
[6592]="Battleforge Armor",
[6593]="Battleforge Cloak",
[6594]="Battleforge Girdle",
[6595]="Battleforge Gauntlets",
[6596]="Battleforge Legguards",
[6597]="Battleforge Shoulderguards",
[6598]="Dervish Buckler",
[6599]="Battleforge Shield",
[6600]="Dervish Belt",
[6601]="Dervish Boots",
[6602]="Dervish Bracers",
[6603]="Dervish Tunic",
[6604]="Dervish Cape",
[6605]="Dervish Gloves",
[6607]="Dervish Leggings",
[6608]="Bright Armor",
[6609]="Sage\'s Cloth",
[6610]="Sage\'s Robe",
[6611]="Sage\'s Sash",
[6612]="Sage\'s Boots",
[6613]="Sage\'s Bracers",
[6614]="Sage\'s Cloak",
[6615]="Sage\'s Gloves",
[6616]="Sage\'s Pants",
[6617]="Sage\'s Mantle",
[6622]="Sword of Zeal",
[6624]="Ken\'zigla\'s Draught",
[6625]="Dirt-caked Pendant",
[6626]="Dogran\'s Pendant",
[6627]="Mutant Scale Breastplate",
[6628]="Raven\'s Claws",
[6629]="Sporid Cape",
[6630]="Seedcloud Buckler",
[6631]="Living Root",
[6632]="Feyscale Cloak",
[6633]="Butcher\'s Slicer",
[6634]="Ritual Salve",
[6635]="Earth Sapta",
[6636]="Fire Sapta",
[6637]="Water Sapta",
[6640]="Felstalker Hoof",
[6641]="Haunting Blade",
[6642]="Phantom Armor",
[6643]="Bloated Smallfish",
[6645]="Bloated Mud Snapper",
[6647]="Bloated Catfish",
[6651]="Broken Wine Bottle",
[6652]="Reagent Pouch",
[6653]="Torch of the Dormant Flame",
[6654]="Torch of the Eternal Flame",
[6655]="Glowing Ember",
[6656]="Rough Quartz",
[6657]="Savory Deviate Delight",
[6658]="Example Collar",
[6659]="Scarab Trousers",
[6660]="Julie\'s Dagger",
[6661]="Recipe: Savory Deviate Delight",
[6662]="Elixir of Giant Growth",
[6663]="Recipe: Elixir of Giant Growth",
[6664]="Voodoo Mantle",
[6665]="Hexed Bracers",
[6666]="Dredge Boots",
[6667]="Engineer\'s Cloak",
[6668]="Draftsman Boots",
[6669]="Sacred Band",
[6670]="Panther Armor",
[6671]="Juggernaut Leggings",
[6672]="Schematic: Flash Bomb",
[6675]="Tempered Bracers",
[6676]="Constable Buckler",
[6677]="Spellcrafter Wand",
[6678]="Band of Elven Grace",
[6679]="Armor Piercer",
[6681]="Thornspike",
[6682]="Death Speaker Robes",
[6684]="Snufflenose Command Stick",
[6685]="Death Speaker Mantle",
[6686]="Tusken Helm",
[6687]="Corpsemaker",
[6688]="Whisperwind Headdress",
[6689]="Wind Spirit Staff",
[6690]="Ferine Leggings",
[6691]="Swinetusk Shank",
[6692]="Pronged Reaver",
[6693]="Agamaggan\'s Clutch",
[6694]="Heart of Agamaggan",
[6695]="Stygian Bone Amulet",
[6696]="Nightstalker Bow",
[6697]="Batwing Mantle",
[6709]="Moonglow Vest",
[6710]="Pattern: Moonglow Vest",
[6712]="Practice Lock",
[6713]="Ripped Pants",
[6714]="Ez-Thro Dynamite",
[6715]="Ruined Jumper Cables",
[6716]="Schematic: EZ-Thro Dynamite",
[6717]="Gaffer Jack",
[6718]="Electropeller",
[6719]="Windborne Belt",
[6720]="Spirit Hunter Headdress",
[6721]="Chestplate of Kor",
[6722]="Beastial Manacles",
[6723]="Medal of Courage",
[6725]="Marbled Buckler",
[6726]="Razzeric\'s Customized Seatbelt",
[6727]="Razzeric\'s Racing Grips",
[6729]="Fizzle\'s Zippy Lighter",
[6731]="Ironforge Breastplate",
[6732]="Gnomish Mechanic\'s Gloves",
[6735]="Plans: Ironforge Breastplate",
[6737]="Dryleaf Pants",
[6738]="Bleeding Crescent",
[6739]="Cliffrunner\'s Aim",
[6740]="Azure Sash",
[6741]="Orcish War Sword",
[6742]="Stonefist Girdle",
[6743]="Sustaining Ring",
[6744]="Gloves of Kapelan",
[6745]="Swiftrunner Cape",
[6746]="Basalt Buckler",
[6747]="Enforcer Pauldrons",
[6748]="Monkey Ring",
[6749]="Tiger Band",
[6750]="Snake Hoop",
[6751]="Mourning Shawl",
[6752]="Lancer Boots",
[6753]="Feather Charm",
[6755]="A Small Container of Gems",
[6756]="Jewelry Box",
[6757]="Jaina\'s Signet Ring",
[6766]="Flayed Demon Skin (old2)",
[6767]="Tyranis\' Pendant",
[6773]="Gelkis Marauder Chain",
[6774]="Uthek\'s Finger",
[6775]="Tome of Divinity",
[6776]="Tome of Valor",
[6780]="Lilac Sash",
[6781]="Bartleby\'s Mug",
[6782]="Marshal Haggard\'s Badge",
[6783]="Dead-tooth\'s Key",
[6784]="Braced Handguards",
[6785]="Powers of the Void",
[6786]="Simple Dress",
[6787]="White Woolen Dress",
[6788]="Magram Hunter\'s Belt",
[6789]="Ceremonial Centaur Blanket",
[6790]="Ring of Calm",
[6791]="Hellion Boots",
[6792]="Sanguine Pauldrons",
[6793]="Auric Bracers",
[6794]="Stormfire Gauntlets",
[6795]="White Swashbuckler\'s Shirt",
[6796]="Red Swashbuckler\'s Shirt",
[6797]="Eyepoker",
[6798]="Blasting Hackbut",
[6799]="Vejrek\'s Head",
[6800]="Umbral Ore",
[6801]="Baroque Apron",
[6802]="Sword of Omen",
[6803]="Prophetic Cane",
[6804]="Windstorm Hammer",
[6805]="Horn of Vorlus",
[6806]="Dancing Flame",
[6807]="Frog Leg Stew",
[6808]="Elunite Ore",
[6809]="Elura\'s Medallion",
[6810]="Surena\'s Choker",
[6811]="Aquadynamic Fish Lens",
[6812]="Case of Elunite",
[6826]="Brilliant Scale",
[6827]="Box of Supplies",
[6828]="Visionary Buckler",
[6829]="Sword of Serenity",
[6830]="Bonebiter",
[6831]="Black Menace",
[6832]="Cloak of Blight",
[6833]="White Tuxedo Shirt",
[6834]="Black Tuxedo",
[6835]="Black Tuxedo Pants",
[6836]="Dress Shoes",
[6838]="Scorched Spider Fang",
[6839]="Charred Horn",
[6840]="Galvanized Horn",
[6841]="Vial of Phlogiston",
[6842]="Furen\'s Instructions",
[6843]="Cask of Scalder",
[6844]="Burning Blood",
[6845]="Burning Rock",
[6846]="Defias Script",
[6847]="Dark Iron Script",
[6848]="Searing Coral",
[6849]="Sunscorched Shell",
[6851]="Essence of the Exile",
[6866]="Symbol of Life",
[6887]="Spotted Yellowtail",
[6888]="Herb Baked Egg",
[6889]="Small Egg",
[6890]="Smoked Bear Meat",
[6892]="Recipe: Smoked Bear Meat",
[6893]="Workshop Key",
[6894]="Whirlwind Heart",
[6895]="Jordan\'s Smithing Hammer",
[6898]="Orb of Soran\'ruk",
[6900]="Enchanted Gold Bloodrobe",
[6901]="Glowing Thresher Cape",
[6902]="Bands of Serra\'kis",
[6903]="Gaze Dreamer Pants",
[6904]="Bite of Serra\'kis",
[6905]="Reef Axe",
[6906]="Algae Fists",
[6907]="Tortoise Armor",
[6908]="Ghamoo-ra\'s Bind",
[6909]="Strike of the Hydra",
[6910]="Leech Pants",
[6911]="Moss Cinch",
[6912]="Heartswood",
[6913]="Heartswood Core",
[6914]="Soran\'ruk Fragment",
[6915]="Large Soran\'ruk Fragment",
[6916]="Tome of Divinity",
[6926]="Furen\'s Notes",
[6927]="Big Will\'s Ear",
[6928]="Bloodstone Choker",
[6929]="Bath\'rah\'s Parchment",
[6930]="Rod of Channeling",
[6931]="Moldy Tome",
[6947]="Instant Poison",
[6948]="Hearthstone",
[6949]="Instant Poison II",
[6950]="Instant Poison III",
[6951]="Mind-numbing Poison II",
[6952]="Thick Bear Fur",
[6953]="Verigan\'s Fist",
[6966]="Elunite Axe",
[6967]="Elunite Sword",
[6968]="Elunite Hammer",
[6969]="Elunite Dagger",
[6970]="Furen\'s Favor",
[6971]="Fire Hardened Coif",
[6972]="Fire Hardened Hauberk",
[6973]="Fire Hardened Leggings",
[6974]="Fire Hardened Gauntlets",
[6975]="Whirlwind Axe",
[6976]="Whirlwind Warhammer",
[6977]="Whirlwind Sword",
[6978]="Umbral Axe",
[6979]="Haggard\'s Axe",
[6980]="Haggard\'s Dagger",
[6981]="Umbral Dagger",
[6982]="Umbral Mace",
[6983]="Haggard\'s Hammer",
[6984]="Umbral Sword",
[6985]="Haggard\'s Sword",
[6986]="Crimson Lotus",
[6987]="Fish Scale",
[6989]="Vial of Hatefury Blood",
[6990]="Lesser Infernal Stone",
[6991]="Smoldering Coal",
[6992]="Jordan\'s Ore Shipment",
[6993]="Jordan\'s Refined Ore Shipment",
[6994]="Whitestone Oak Lumber",
[6995]="Corrupted Kor Gem",
[6996]="Jordan\'s Weapon Notes",
[6997]="Tattered Manuscript",
[6998]="Nimbus Boots",
[6999]="Tome of the Cabal",
[7000]="Heartwood Girdle",
[7001]="Gravestone Scepter",
[7002]="Arctic Buckler",
[7003]="Beetle Clasps",
[7004]="Prelacy Cape",
[7005]="Skinning Knife",
[7006]="Reconstructed Tome",
[7026]="Linen Belt",
[7027]="Boots of Darkness",
[7046]="Azure Silk Pants",
[7047]="Hands of Darkness",
[7048]="Azure Silk Hood",
[7049]="Truefaith Gloves",
[7050]="Silk Headband",
[7051]="Earthen Vest",
[7052]="Azure Silk Belt",
[7053]="Azure Silk Cloak",
[7054]="Robe of Power",
[7055]="Crimson Silk Belt",
[7056]="Crimson Silk Cloak",
[7057]="Green Silken Shoulders",
[7058]="Crimson Silk Vest",
[7059]="Crimson Silk Shoulders",
[7060]="Azure Shoulders",
[7061]="Earthen Silk Belt",
[7062]="Crimson Silk Pantaloons",
[7063]="Crimson Silk Robe",
[7064]="Crimson Silk Gloves",
[7065]="Green Silk Armor",
[7067]="Elemental Earth",
[7068]="Elemental Fire",
[7069]="Elemental Air",
[7070]="Elemental Water",
[7071]="Iron Buckle",
[7072]="Naga Scale",
[7073]="Broken Fang",
[7074]="Chipped Claw",
[7075]="Core of Earth",
[7076]="Essence of Earth",
[7077]="Heart of Fire",
[7078]="Essence of Fire",
[7079]="Globe of Water",
[7080]="Essence of Water",
[7081]="Breath of Wind",
[7082]="Essence of Air",
[7083]="Purified Kor Gem",
[7084]="Pattern: Crimson Silk Shoulders",
[7085]="Pattern: Azure Shoulders",
[7086]="Pattern: Earthen Silk Belt",
[7087]="Pattern: Crimson Silk Cloak",
[7088]="Pattern: Crimson Silk Robe",
[7089]="Pattern: Azure Silk Cloak",
[7090]="Pattern: Green Silk Armor",
[7091]="Pattern: Truefaith Gloves",
[7092]="Pattern: Hands of Darkness",
[7094]="Driftwood Branch",
[7095]="Bog Boots",
[7096]="Plucked Feather",
[7097]="Leg Meat",
[7098]="Splintered Tusk",
[7099]="Severed Pincer",
[7100]="Sticky Ichor",
[7101]="Bug Eye",
[7106]="Zodiac Gloves",
[7107]="Belt of the Stars",
[7108]="Infantry Shield",
[7109]="Pioneer Buckler",
[7110]="Silver-thread Armor",
[7111]="Nightsky Armor",
[7112]="Aurora Armor",
[7113]="Mistscape Armor",
[7114]="Pattern: Azure Silk Gloves",
[7115]="Heirloom Axe",
[7116]="Heirloom Dagger",
[7117]="Heirloom Hammer",
[7118]="Heirloom Sword",
[7119]="Twitching Antenna",
[7120]="Ruga\'s Bulwark",
[7126]="Smoky Iron Ingot",
[7127]="Powdered Azurite",
[7128]="Uncloven Satyr Hoof",
[7129]="Brutal Gauntlets",
[7130]="Brutal Helm",
[7131]="Dragonmaw Shinbone",
[7132]="Brutal Legguards",
[7133]="Brutal Hauberk",
[7134]="Sturdy Dragonmaw Shinbone",
[7135]="Broken Dragonmaw Shinbone",
[7146]="The Scarlet Key",
[7148]="Goblin Jumper Cables",
[7166]="Copper Dagger",
[7189]="Goblin Rocket Boots",
[7190]="Scorched Rocket Boots",
[7191]="Fused Wiring",
[7206]="Mirror Lake Water Sample",
[7207]="Jennea\'s Flask",
[7208]="Tazan\'s Key",
[7209]="Tazan\'s Satchel",
[7226]="Mage-tastic Gizmonitor",
[7227]="Balnir Snapdragons",
[7228]="Tigule and Foror\'s Strawberry Ice Cream",
[7229]="Explorer\'s Vest",
[7230]="Smite\'s Mighty Hammer",
[7231]="Astor\'s Letter of Introduction",
[7247]="Chest of Containment Coffers",
[7249]="Charged Rift Gem",
[7266]="Ur\'s Treatise on Shadow Magic",
[7267]="Pristine Spider Silk",
[7268]="Xavian Water Sample",
[7269]="Deino\'s Flask",
[7270]="Laughing Sister\'s Hair",
[7271]="Flawless Ivory Tusk",
[7272]="Bolt Charged Bramble",
[7273]="Witherbark Totem Stick",
[7274]="Rituals of Power",
[7276]="Handstitched Leather Cloak",
[7277]="Handstitched Leather Bracers",
[7278]="Light Leather Quiver",
[7279]="Small Leather Ammo Pouch",
[7280]="Rugged Leather Pants",
[7281]="Light Leather Bracers",
[7282]="Light Leather Pants",
[7283]="Black Whelp Cloak",
[7284]="Red Whelp Gloves",
[7285]="Nimble Leather Gloves",
[7286]="Black Whelp Scale",
[7287]="Red Whelp Scale",
[7288]="Pattern: Rugged Leather Pants",
[7289]="Pattern: Black Whelp Cloak",
[7290]="Pattern: Red Whelp Gloves",
[7291]="Infernal Orb",
[7292]="Filled Containment Coffer",
[7293]="Dalaran Mana Gem",
[7294]="Andron\'s Ledger",
[7295]="Tazan\'s Logbook",
[7296]="Extinguished Torch",
[7297]="Morbent\'s Bane",
[7298]="Blade of Cunning",
[7306]="Fenwick\'s Head",
[7307]="Flesh Eating Worm",
[7308]="Cantation of Manifestation",
[7309]="Dalaran Status Report",
[7326]="Thun\'grim\'s Axe",
[7327]="Thun\'grim\'s Dagger",
[7328]="Thun\'grim\'s Mace",
[7329]="Thun\'grim\'s Sword",
[7330]="Infiltrator Buckler",
[7331]="Phalanx Shield",
[7332]="Regal Armor",
[7333]="Overseer\'s Whistle",
[7334]="Efflorescent Robe",
[7335]="Grizzly Tunic",
[7336]="Wildwood Chain",
[7337]="The Rock",
[7338]="Mood Ring",
[7339]="Miniscule Diamond Ring",
[7340]="Flawless Diamond Solitaire",
[7341]="Cubic Zirconia Ring",
[7342]="Silver Piffeny Band",
[7343]="Bingles\' Wrench",
[7344]="Torch of Holy Flame",
[7345]="Bingles\' Screwdriver",
[7346]="Bingles\' Hammer",
[7348]="Fletcher\'s Gloves",
[7349]="Herbalist\'s Gloves",
[7350]="Disciple\'s Bracers",
[7351]="Disciple\'s Boots",
[7352]="Earthen Leather Shoulders",
[7353]="Elder\'s Padded Armor",
[7354]="Elder\'s Boots",
[7355]="Elder\'s Bracers",
[7356]="Elder\'s Cloak",
[7357]="Elder\'s Hat",
[7358]="Pilferer\'s Gloves",
[7359]="Heavy Earthen Gloves",
[7360]="Pattern: Dark Leather Gloves",
[7361]="Pattern: Herbalist\'s Gloves",
[7362]="Pattern: Earthen Leather Shoulders",
[7363]="Pattern: Pilferer\'s Gloves",
[7364]="Pattern: Heavy Earthen Gloves",
[7365]="Gnoam Sprecklesprocket",
[7366]="Elder\'s Gloves",
[7367]="Elder\'s Mantle",
[7368]="Elder\'s Pants",
[7369]="Elder\'s Robe",
[7370]="Elder\'s Sash",
[7371]="Heavy Quiver",
[7372]="Heavy Leather Ammo Pouch",
[7373]="Dusky Leather Leggings",
[7374]="Dusky Leather Armor",
[7375]="Green Whelp Armor",
[7376]="Bingles\' Blastencapper",
[7377]="Frost Leather Cloak",
[7378]="Dusky Bracers",
[7386]="Green Whelp Bracers",
[7387]="Dusky Belt",
[7389]="Venture Co. Ledger",
[7390]="Dusky Boots",
[7391]="Swift Boots",
[7392]="Green Whelp Scale",
[7406]="Infiltrator Cord",
[7407]="Infiltrator Armor",
[7408]="Infiltrator Shoulders",
[7409]="Infiltrator Boots",
[7410]="Infiltrator Bracers",
[7411]="Infiltrator Cloak",
[7412]="Infiltrator Gloves",
[7413]="Infiltrator Cap",
[7414]="Infiltrator Pants",
[7415]="Dervish Spaulders",
[7416]="Phalanx Bracers",
[7417]="Phalanx Boots",
[7418]="Phalanx Breastplate",
[7419]="Phalanx Cloak",
[7420]="Phalanx Headguard",
[7421]="Phalanx Gauntlets",
[7422]="Phalanx Girdle",
[7423]="Phalanx Leggings",
[7424]="Phalanx Spaulders",
[7428]="Shadowcat Hide",
[7429]="Twilight Armor",
[7430]="Twilight Robe",
[7431]="Twilight Pants",
[7432]="Twilight Cowl",
[7433]="Twilight Gloves",
[7434]="Twilight Boots",
[7435]="Twilight Mantle",
[7436]="Twilight Cape",
[7437]="Twilight Cuffs",
[7438]="Twilight Belt",
[7439]="Sentinel Breastplate",
[7440]="Sentinel Trousers",
[7441]="Sentinel Cap",
[7442]="Gyromast\'s Key",
[7443]="Sentinel Gloves",
[7444]="Sentinel Boots",
[7445]="Sentinel Shoulders",
[7446]="Sentinel Cloak",
[7447]="Sentinel Bracers",
[7448]="Sentinel Girdle",
[7449]="Pattern: Dusky Leather Leggings",
[7450]="Pattern: Green Whelp Armor",
[7451]="Pattern: Green Whelp Bracers",
[7452]="Pattern: Dusky Boots",
[7453]="Pattern: Swift Boots",
[7454]="Knight\'s Breastplate",
[7455]="Knight\'s Legguards",
[7456]="Knight\'s Headguard",
[7457]="Knight\'s Gauntlets",
[7458]="Knight\'s Boots",
[7459]="Knight\'s Pauldrons",
[7460]="Knight\'s Cloak",
[7461]="Knight\'s Bracers",
[7462]="Knight\'s Girdle",
[7463]="Sentinel Buckler",
[7464]="Glyphs of Summoning",
[7465]="Knight\'s Crest",
[7468]="Regal Robe",
[7469]="Regal Leggings",
[7470]="Regal Wizard Hat",
[7471]="Regal Gloves",
[7472]="Regal Boots",
[7473]="Regal Mantle",
[7474]="Regal Cloak",
[7475]="Regal Cuffs",
[7476]="Regal Sash",
[7477]="Ranger Tunic",
[7478]="Ranger Leggings",
[7479]="Ranger Helm",
[7480]="Ranger Gloves",
[7481]="Ranger Boots",
[7482]="Ranger Shoulders",
[7483]="Ranger Cloak",
[7484]="Ranger Wristguards",
[7485]="Ranger Cord",
[7486]="Captain\'s Breastplate",
[7487]="Captain\'s Leggings",
[7488]="Captain\'s Circlet",
[7489]="Captain\'s Gauntlets",
[7490]="Captain\'s Boots",
[7491]="Captain\'s Shoulderguards",
[7492]="Captain\'s Cloak",
[7493]="Captain\'s Bracers",
[7494]="Captain\'s Waistguard",
[7495]="Captain\'s Buckler",
[7496]="Field Plate Shield",
[7498]="Top of Gelkak\'s Key",
[7499]="Middle of Gelkak\'s Key",
[7500]="Bottom of Gelkak\'s Key",
[7506]="Gnomish Universal Remote",
[7507]="Arcane Orb",
[7508]="Ley Orb",
[7509]="Manaweave Robe",
[7510]="Lesser Spellfire Robes",
[7511]="Astral Knot Robe",
[7512]="Nether-lace Robe",
[7513]="Ragefire Wand",
[7514]="Icefury Wand",
[7515]="Celestial Orb",
[7516]="Tabetha\'s Instructions",
[7517]="Gossamer Tunic",
[7518]="Gossamer Robe",
[7519]="Gossamer Pants",
[7520]="Gossamer Headpiece",
[7521]="Gossamer Gloves",
[7522]="Gossamer Boots",
[7523]="Gossamer Shoulderpads",
[7524]="Gossamer Cape",
[7525]="Gossamer Bracers",
[7526]="Gossamer Belt",
[7527]="Cabalist Chestpiece",
[7528]="Cabalist Leggings",
[7529]="Cabalist Helm",
[7530]="Cabalist Gloves",
[7531]="Cabalist Boots",
[7532]="Cabalist Spaulders",
[7533]="Cabalist Cloak",
[7534]="Cabalist Bracers",
[7535]="Cabalist Belt",
[7536]="Champion\'s Wall Shield",
[7537]="Gothic Shield",
[7538]="Champion\'s Armor",
[7539]="Champion\'s Leggings",
[7540]="Champion\'s Helmet",
[7541]="Champion\'s Gauntlets",
[7542]="Champion\'s Greaves",
[7543]="Champion\'s Pauldrons",
[7544]="Champion\'s Cape",
[7545]="Champion\'s Bracers",
[7546]="Champion\'s Girdle",
[7549]="Fairy\'s Embrace",
[7551]="Entwined Opaline Talisman",
[7552]="Falcon\'s Hook",
[7553]="Band of the Unicorn",
[7554]="Willow Branch",
[7555]="Regal Star",
[7556]="Twilight Orb",
[7557]="Gossamer Rod",
[7558]="Shimmering Stave",
[7559]="Runic Cane",
[7560]="Schematic: Gnomish Universal Remote",
[7561]="Schematic: Goblin Jumper Cables",
[7566]="Agamand Family Sword",
[7567]="Agamand Family Axe",
[7568]="Agamand Family Dagger",
[7569]="Agamand Family Mace",
[7586]="Tharnariun\'s Hope",
[7587]="Thun\'grim\'s Instructions",
[7606]="Polar Gauntlets",
[7607]="Sable Wand",
[7608]="Seer\'s Fine Stein",
[7609]="Elder\'s Amber Stave",
[7610]="Aurora Sphere",
[7611]="Mistscape Stave",
[7613]="Pattern: Green Leather Armor",
[7626]="Bundle of Furs",
[7627]="Dolanaar Delivery",
[7628]="Nondescript Letter",
[7629]="Ukor\'s Burden",
[7646]="Crate of Inn Supplies",
[7666]="Shattered Necklace",
[7667]="Talvash\'s Phial of Scrying",
[7668]="Bloodstained Journal",
[7669]="Shattered Necklace Ruby",
[7670]="Shattered Necklace Sapphire",
[7671]="Shattered Necklace Topaz",
[7672]="Shattered Necklace Power Source",
[7673]="Talvash\'s Enhancing Necklace",
[7674]="Delivery to Mathias",
[7675]="Defias Shipping Schedule",
[7676]="Thistle Tea",
[7678]="Recipe: Thistle Tea",
[7679]="Shrike Bat Fang",
[7680]="Jadespine Basilisk Scale",
[7682]="Torturing Poker",
[7683]="Bloody Brass Knuckles",
[7684]="Bloodmage Mantle",
[7685]="Orb of the Forgotten Seer",
[7686]="Ironspine\'s Eye",
[7687]="Ironspine\'s Fist",
[7688]="Ironspine\'s Ribcage",
[7689]="Morbid Dawn",
[7690]="Ebon Vise",
[7691]="Embalmed Shroud",
[7708]="Necrotic Wand",
[7709]="Blighted Leggings",
[7710]="Loksey\'s Training Stick",
[7711]="Robe of Doan",
[7712]="Mantle of Doan",
[7713]="Illusionary Rod",
[7714]="Hypnotic Blade",
[7715]="Onin\'s Report",
[7717]="Ravager",
[7718]="Herod\'s Shoulder",
[7719]="Raging Berserker\'s Helm",
[7720]="Whitemane\'s Chapeau",
[7721]="Hand of Righteousness",
[7722]="Triune Amulet",
[7723]="Mograine\'s Might",
[7724]="Gauntlets of Divinity",
[7726]="Aegis of the Scarlet Commander",
[7727]="Watchman Pauldrons",
[7728]="Beguiler Robes",
[7729]="Chesterfall Musket",
[7730]="Cobalt Crusher",
[7731]="Ghostshard Talisman",
[7733]="Staff of Prehistoria",
[7734]="Six Demon Bag",
[7735]="Jannok\'s Rose",
[7736]="Fight Club",
[7737]="Sethir\'s Journal",
[7738]="Evergreen Gloves",
[7739]="Timberland Cape",
[7740]="Gni\'kiv Medallion",
[7741]="The Shaft of Tsol",
[7742]="Schematic: Gnomish Cloaking Device",
[7746]="Explorers\' League Commendation",
[7747]="Vile Protector",
[7748]="Forcestone Buckler",
[7749]="Omega Orb",
[7750]="Mantle of Woe",
[7751]="Vorrel\'s Boots",
[7752]="Dreamslayer",
[7753]="Bloodspiller",
[7754]="Harbinger Boots",
[7755]="Flintrock Shoulders",
[7756]="Dog Training Gloves",
[7757]="Windweaver Staff",
[7758]="Ruthless Shiv",
[7759]="Archon Chestpiece",
[7760]="Warchief Kilt",
[7761]="Steelclaw Reaver",
[7766]="Empty Brown Waterskin",
[7767]="Empty Blue Waterskin",
[7768]="Empty Red Waterskin",
[7769]="Filled Brown Waterskin",
[7770]="Filled Blue Waterskin",
[7771]="Filled Red Waterskin",
[7786]="Headsplitter",
[7787]="Resplendent Guardian",
[7806]="Lollipop",
[7807]="Candy Bar",
[7808]="Chocolate Square",
[7809]="Easter Dress",
[7810]="Vial of Purest Water",
[7811]="Remaining Drops of Purest Water",
[7812]="Corrupt Manifestation\'s Bracers",
[7813]="Shard of Water",
[7846]="Crag Coyote Fang",
[7847]="Buzzard Gizzard",
[7848]="Rock Elemental Shard",
[7866]="Empty Thaumaturgy Vessel",
[7867]="Vessel of Dragon\'s Blood",
[7870]="Thaumaturgy Vessel Lockbox",
[7871]="Token of Thievery",
[7886]="Untranslated Journal",
[7887]="Necklace and Gem Salvage",
[7888]="Jarkal\'s Enhancing Necklace",
[7906]="Horns of Nez\'ra",
[7907]="Certificate of Thievery",
[7908]="Klaven Mortwake\'s Journal",
[7909]="Aquamarine",
[7910]="Star Ruby",
[7911]="Truesilver Ore",
[7912]="Solid Stone",
[7913]="Barbaric Iron Shoulders",
[7914]="Barbaric Iron Breastplate",
[7915]="Barbaric Iron Helm",
[7916]="Barbaric Iron Boots",
[7917]="Barbaric Iron Gloves",
[7918]="Heavy Mithril Shoulder",
[7919]="Heavy Mithril Gauntlet",
[7920]="Mithril Scale Pants",
[7921]="Heavy Mithril Pants",
[7922]="Steel Plate Helm",
[7923]="Defias Tower Key",
[7924]="Mithril Scale Bracers",
[7926]="Ornate Mithril Pants",
[7927]="Ornate Mithril Gloves",
[7928]="Ornate Mithril Shoulder",
[7929]="Orcish War Leggings",
[7930]="Heavy Mithril Breastplate",
[7931]="Mithril Coif",
[7932]="Mithril Scale Shoulders",
[7933]="Heavy Mithril Boots",
[7934]="Heavy Mithril Helm",
[7935]="Ornate Mithril Breastplate",
[7936]="Ornate Mithril Boots",
[7937]="Ornate Mithril Helm",
[7938]="Truesilver Gauntlets",
[7939]="Truesilver Breastplate",
[7941]="Heavy Mithril Axe",
[7942]="Blue Glittering Axe",
[7943]="Wicked Mithril Blade",
[7944]="Dazzling Mithril Rapier",
[7945]="Big Black Mace",
[7946]="Runed Mithril Hammer",
[7947]="Ebon Shiv",
[7954]="The Shatterer",
[7955]="Copper Claymore",
[7956]="Bronze Warhammer",
[7957]="Bronze Greatsword",
[7958]="Bronze Battle Axe",
[7959]="Blight",
[7960]="Truesilver Champion",
[7961]="Phantom Blade",
[7963]="Steel Breastplate",
[7964]="Solid Sharpening Stone",
[7965]="Solid Weightstone",
[7966]="Solid Grinding Stone",
[7967]="Mithril Shield Spike",
[7968]="Southsea Treasure",
[7969]="Mithril Spurs",
[7970]="E.C.A.C.",
[7971]="Black Pearl",
[7972]="Ichor of Undeath",
[7973]="Big-mouth Clam",
[7974]="Zesty Clam Meat",
[7975]="Plans: Heavy Mithril Pants",
[7976]="Plans: Mithril Shield Spike",
[7978]="Plans: Barbaric Iron Shoulders",
[7979]="Plans: Barbaric Iron Breastplate",
[7980]="Plans: Barbaric Iron Helm",
[7981]="Plans: Barbaric Iron Boots",
[7982]="Plans: Barbaric Iron Gloves",
[7983]="Plans: Ornate Mithril Pants",
[7984]="Plans: Ornate Mithril Gloves",
[7985]="Plans: Ornate Mithril Shoulder",
[7989]="Plans: Mithril Spurs",
[7990]="Plans: Heavy Mithril Helm",
[7991]="Plans: Mithril Scale Shoulders",
[7992]="Plans: Blue Glittering Axe",
[7993]="Plans: Dazzling Mithril Rapier",
[7995]="Plans: Mithril Scale Bracers",
[7996]="Lucky Fishing Hat",
[7997]="Red Defias Mask",
[8006]="The Ziggler",
[8007]="Mana Citrine",
[8008]="Mana Ruby",
[8009]="Dentrium Power Stone",
[8026]="Garrett Family Treasure",
[8027]="Krom Stoutarm\'s Treasure",
[8028]="Plans: Runed Mithril Hammer",
[8029]="Plans: Wicked Mithril Blade",
[8030]="Plans: Ebon Shiv",
[8046]="Kearnen\'s Journal",
[8047]="Magenta Fungus Cap",
[8048]="Emerald Dreamcatcher",
[8049]="Gnarlpine Necklace",
[8050]="Tallonkai\'s Jewel",
[8051]="Flare Gun",
[8052]="An\'Alleum Power Stone",
[8053]="Obsidian Power Source",
[8066]="Fizzule\'s Whistle",
[8067]="Crafted Light Shot",
[8068]="Crafted Heavy Shot",
[8069]="Crafted Solid Shot",
[8070]="Reward Voucher",
[8071]="Sizzle Stick",
[8072]="Silixiz\'s Tower Key",
[8073]="Cache of Zanzil\'s Altered Mixture",
[8074]="Gallywix\'s Head",
[8075]="Conjured Sourdough",
[8076]="Conjured Sweet Roll",
[8077]="Conjured Mineral Water",
[8078]="Conjured Sparkling Water",
[8079]="Conjured Crystal Water",
[8080]="Light Plate Chestpiece",
[8081]="Light Plate Belt",
[8082]="Light Plate Boots",
[8083]="Light Plate Bracers",
[8084]="Light Plate Gloves",
[8085]="Light Plate Pants",
[8086]="Light Plate Shoulderpads",
[8087]="Sample of Zanzil\'s Altered Mixture",
[8088]="Platemail Belt",
[8089]="Platemail Boots",
[8090]="Platemail Bracers",
[8091]="Platemail Gloves",
[8092]="Platemail Helm",
[8093]="Platemail Leggings",
[8094]="Platemail Armor",
[8095]="Hinott\'s Oil",
[8106]="Hibernal Armor",
[8107]="Hibernal Boots",
[8108]="Hibernal Bracers",
[8109]="Hibernal Cloak",
[8110]="Hibernal Gloves",
[8111]="Hibernal Mantle",
[8112]="Hibernal Pants",
[8113]="Hibernal Robe",
[8114]="Hibernal Sash",
[8115]="Hibernal Cowl",
[8116]="Heraldic Belt",
[8117]="Heraldic Boots",
[8118]="Heraldic Bracers",
[8119]="Heraldic Breastplate",
[8120]="Heraldic Cloak",
[8121]="Heraldic Gloves",
[8122]="Heraldic Headpiece",
[8123]="Heraldic Leggings",
[8124]="Heraldic Spaulders",
[8125]="Myrmidon\'s Bracers",
[8126]="Myrmidon\'s Breastplate",
[8127]="Myrmidon\'s Cape",
[8128]="Myrmidon\'s Gauntlets",
[8129]="Myrmidon\'s Girdle",
[8130]="Myrmidon\'s Greaves",
[8131]="Myrmidon\'s Helm",
[8132]="Myrmidon\'s Leggings",
[8133]="Myrmidon\'s Pauldrons",
[8134]="Myrmidon\'s Defender",
[8135]="Chromite Shield",
[8136]="Gargantuan Tumor",
[8137]="Chromite Bracers",
[8138]="Chromite Chestplate",
[8139]="Chromite Gauntlets",
[8140]="Chromite Girdle",
[8141]="Chromite Greaves",
[8142]="Chromite Barbute",
[8143]="Chromite Legplates",
[8144]="Chromite Pauldrons",
[8146]="Wicked Claw",
[8149]="Voodoo Charm",
[8150]="Deeprock Salt",
[8151]="Flask of Mojo",
[8152]="Flask of Big Mojo",
[8153]="Wildvine",
[8154]="Scorpid Scale",
[8155]="Sathrah\'s Sacrifice",
[8156]="Jouster\'s Wristguards",
[8157]="Jouster\'s Chestplate",
[8158]="Jouster\'s Gauntlets",
[8159]="Jouster\'s Girdle",
[8160]="Jouster\'s Greaves",
[8161]="Jouster\'s Visor",
[8162]="Jouster\'s Legplates",
[8163]="Jouster\'s Pauldrons",
[8164]="Test Stationery",
[8165]="Worn Dragonscale",
[8167]="Turtle Scale",
[8168]="Jet Black Feather",
[8169]="Thick Hide",
[8170]="Rugged Leather",
[8171]="Rugged Hide",
[8172]="Cured Thick Hide",
[8173]="Thick Armor Kit",
[8174]="Comfortable Leather Hat",
[8175]="Nightscape Tunic",
[8176]="Nightscape Headband",
[8177]="Practice Sword",
[8178]="Training Sword",
[8179]="Cadet\'s Bow",
[8180]="Hunting Bow",
[8181]="Hunting Rifle",
[8182]="Pellet Rifle",
[8183]="Precision Bow",
[8184]="Firestarter",
[8185]="Turtle Scale Leggings",
[8186]="Dire Wand",
[8187]="Turtle Scale Gloves",
[8188]="Explosive Shotgun",
[8189]="Turtle Scale Breastplate",
[8190]="Hanzo Sword",
[8191]="Turtle Scale Helm",
[8192]="Nightscape Shoulders",
[8193]="Nightscape Pants",
[8194]="Goblin Nutcracker",
[8196]="Ebon Scimitar",
[8197]="Nightscape Boots",
[8198]="Turtle Scale Bracers",
[8199]="Battlefield Destroyer",
[8200]="Big Voodoo Robe",
[8201]="Big Voodoo Mask",
[8202]="Big Voodoo Pants",
[8203]="Tough Scorpid Breastplate",
[8204]="Tough Scorpid Gloves",
[8205]="Tough Scorpid Bracers",
[8206]="Tough Scorpid Leggings",
[8207]="Tough Scorpid Shoulders",
[8208]="Tough Scorpid Helm",
[8209]="Tough Scorpid Boots",
[8210]="Wild Leather Shoulders",
[8211]="Wild Leather Vest",
[8212]="Wild Leather Leggings",
[8213]="Wild Leather Boots",
[8214]="Wild Leather Helmet",
[8215]="Wild Leather Cloak",
[8216]="Big Voodoo Cloak",
[8217]="Quickdraw Quiver",
[8218]="Thick Leather Ammo Pouch",
[8223]="Blade of the Basilisk",
[8224]="Silithid Ripper",
[8225]="Tainted Pierce",
[8226]="The Butcher",
[8244]="Flawless Draenethyst Sphere",
[8245]="Imperial Red Tunic",
[8246]="Imperial Red Boots",
[8247]="Imperial Red Bracers",
[8248]="Imperial Red Cloak",
[8249]="Imperial Red Gloves",
[8250]="Imperial Red Mantle",
[8251]="Imperial Red Pants",
[8252]="Imperial Red Robe",
[8253]="Imperial Red Sash",
[8254]="Imperial Red Circlet",
[8255]="Serpentskin Girdle",
[8256]="Serpentskin Boots",
[8257]="Serpentskin Bracers",
[8258]="Serpentskin Armor",
[8259]="Serpentskin Cloak",
[8260]="Serpentskin Gloves",
[8261]="Serpentskin Helm",
[8262]="Serpentskin Leggings",
[8263]="Serpentskin Spaulders",
[8264]="Ebonhold Wristguards",
[8265]="Ebonhold Armor",
[8266]="Ebonhold Cloak",
[8267]="Ebonhold Gauntlets",
[8268]="Ebonhold Girdle",
[8269]="Ebonhold Boots",
[8270]="Ebonhold Helmet",
[8271]="Ebonhold Leggings",
[8272]="Ebonhold Shoulderpads",
[8273]="Valorous Wristguards",
[8274]="Valorous Chestguard",
[8275]="Ebonhold Buckler",
[8276]="Valorous Gauntlets",
[8277]="Valorous Girdle",
[8278]="Valorous Greaves",
[8279]="Valorous Helm",
[8280]="Valorous Legguards",
[8281]="Valorous Pauldrons",
[8282]="Valorous Shield",
[8283]="Arcane Armor",
[8284]="Arcane Boots",
[8285]="Arcane Bands",
[8286]="Arcane Cloak",
[8287]="Arcane Gloves",
[8288]="Arcane Pads",
[8289]="Arcane Leggings",
[8290]="Arcane Robe",
[8291]="Arcane Sash",
[8292]="Arcane Cover",
[8293]="Traveler\'s Belt",
[8294]="Traveler\'s Boots",
[8295]="Traveler\'s Bracers",
[8296]="Traveler\'s Jerkin",
[8297]="Traveler\'s Cloak",
[8298]="Traveler\'s Gloves",
[8299]="Traveler\'s Helm",
[8300]="Traveler\'s Leggings",
[8301]="Traveler\'s Spaulders",
[8302]="Hero\'s Bracers",
[8303]="Hero\'s Breastplate",
[8304]="Hero\'s Cape",
[8305]="Hero\'s Gauntlets",
[8306]="Hero\'s Belt",
[8307]="Hero\'s Boots",
[8308]="Hero\'s Band",
[8309]="Hero\'s Leggings",
[8310]="Hero\'s Pauldrons",
[8311]="Alabaster Plate Vambraces",
[8312]="Alabaster Breastplate",
[8313]="Hero\'s Buckler",
[8314]="Alabaster Plate Gauntlets",
[8315]="Alabaster Plate Girdle",
[8316]="Alabaster Plate Greaves",
[8317]="Alabaster Plate Helmet",
[8318]="Alabaster Plate Leggings",
[8319]="Alabaster Plate Pauldrons",
[8320]="Alabaster Shield",
[8343]="Heavy Silken Thread",
[8344]="Silvery Spinnerets",
[8345]="Wolfshead Helm",
[8346]="Gauntlets of the Sea",
[8347]="Dragonscale Gauntlets",
[8348]="Helm of Fire",
[8349]="Feathered Breastplate",
[8350]="The 1 Ring",
[8363]="Shaman Voodoo Charm",
[8364]="Mithril Head Trout",
[8365]="Raw Mithril Head Trout",
[8366]="Bloated Trout",
[8367]="Dragonscale Breastplate",
[8368]="Thick Wolfhide",
[8383]="Plain Letter",
[8384]="Pattern: Comfortable Leather Hat",
[8385]="Pattern: Turtle Scale Gloves",
[8386]="Pattern: Big Voodoo Robe",
[8387]="Pattern: Big Voodoo Mask",
[8389]="Pattern: Big Voodoo Pants",
[8390]="Pattern: Big Voodoo Cloak",
[8391]="Snickerfang Jowl",
[8392]="Blasted Boar Lung",
[8393]="Scorpok Pincer",
[8394]="Basilisk Brain",
[8395]="Pattern: Tough Scorpid Breastplate",
[8396]="Vulture Gizzard",
[8397]="Pattern: Tough Scorpid Bracers",
[8398]="Pattern: Tough Scorpid Gloves",
[8399]="Pattern: Tough Scorpid Boots",
[8400]="Pattern: Tough Scorpid Shoulders",
[8401]="Pattern: Tough Scorpid Leggings",
[8402]="Pattern: Tough Scorpid Helm",
[8403]="Pattern: Wild Leather Shoulders",
[8404]="Pattern: Wild Leather Vest",
[8405]="Pattern: Wild Leather Helmet",
[8406]="Pattern: Wild Leather Boots",
[8407]="Pattern: Wild Leather Leggings",
[8408]="Pattern: Wild Leather Cloak",
[8409]="Pattern: Nightscape Shoulders",
[8410]="R.O.I.D.S.",
[8411]="Lung Juice Cocktail",
[8412]="Ground Scorpok Assay",
[8423]="Cerebral Cortex Compound",
[8424]="Gizzard Gum",
[8425]="Parrot Droppings",
[8426]="Large Ruffled Feather",
[8427]="Mutilated Rat Carcass",
[8428]="Laden Dew Gland",
[8429]="Punctured Dew Gland",
[8430]="Empty Dew Gland",
[8431]="Spool of Light Chartreuse Silk Thread",
[8432]="Eau de Mixilpixil",
[8443]="Gahz\'ridian Ornament",
[8444]="Executioner\'s Key",
[8463]="Warchief\'s Orders",
[8483]="Wastewander Water Pouch",
[8484]="Gadgetzan Water Co. Care Package",
[8485]="Cat Carrier (Bombay)",
[8486]="Cat Carrier (Cornish Rex)",
[8487]="Cat Carrier (Orange Tabby)",
[8488]="Cat Carrier (Silver Tabby)",
[8489]="Cat Carrier (White Kitten)",
[8490]="Cat Carrier (Siamese)",
[8491]="Cat Carrier (Black Tabby)",
[8492]="Parrot Cage (Green Wing Macaw)",
[8494]="Parrot Cage (Hyacinth Macaw)",
[8495]="Parrot Cage (Senegal)",
[8496]="Parrot Cage (Cockatiel)",
[8497]="Rabbit Crate (Snowshoe)",
[8498]="Tiny Emerald Whelpling",
[8499]="Tiny Crimson Whelpling",
[8500]="Great Horned Owl",
[8501]="Hawk Owl",
[8508]="Large Fin",
[8523]="Field Testing Kit",
[8524]="Model 4711-FTZ Power Source",
[8525]="Zinge\'s Purchase Order",
[8526]="Violet Tragan",
[8527]="Sealed Field Testing Kit",
[8528]="Violet Powder",
[8529]="Noggenfogger Elixir",
[8544]="Mageweave Bandage",
[8545]="Heavy Mageweave Bandage",
[8548]="Divino-matic Rod",
[8563]="Red Mechanostrider",
[8564]="Hippogryph Egg",
[8584]="Untapped Dowsing Widget",
[8585]="Tapped Dowsing Widget",
[8586]="Whistle of the Mottled Red Raptor",
[8587]="Centipaar Insect Parts",
[8588]="Whistle of the Emerald Raptor",
[8591]="Whistle of the Turquoise Raptor",
[8592]="Whistle of the Violet Raptor",
[8593]="Scrimshank\'s Surveying Gear",
[8594]="Insect Analysis Report",
[8595]="Blue Mechanostrider",
[8603]="Thistleshrub Dew",
[8623]="OOX-17/TN Distress Beacon",
[8624]="Red Sparkler",
[8625]="White Sparkler",
[8626]="Blue Sparkler",
[8628]="Reins of the Spotted Nightsaber",
[8629]="Reins of the Striped Nightsaber",
[8631]="Reins of the Striped Frostsaber",
[8632]="Reins of the Spotted Frostsaber",
[8643]="Extraordinary Egg",
[8644]="Fine Egg",
[8645]="Ordinary Egg",
[8646]="Bad Egg",
[8647]="Egg Crate",
[8663]="Mithril Insignia",
[8683]="Clara\'s Fresh Apple",
[8684]="Hinterlands Honey Ripple",
[8685]="Dran\'s Ripple Delivery",
[8686]="Mithril Pendant",
[8687]="Sealed Description of Thredd\'s Visitor",
[8703]="Signet of Expertise",
[8704]="OOX-09/HL Distress Beacon",
[8705]="OOX-22/FE Distress Beacon",
[8707]="Gahz\'rilla\'s Electrified Scale",
[8708]="Hammer of Expertise",
[8723]="Caliph Scorpidsting\'s Head",
[8724]="Rin\'ji\'s Secret",
[8746]="Interlaced Cowl",
[8747]="Hardened Leather Helm",
[8748]="Double Mail Coif",
[8749]="Crochet Hat",
[8750]="Thick Leather Hat",
[8751]="Overlinked Coif",
[8752]="Laminated Scale Circlet",
[8753]="Smooth Leather Helmet",
[8754]="Twill Cover",
[8755]="Light Plate Helmet",
[8766]="Morning Glory Dew",
[8827]="Elixir of Water Walking",
[8831]="Purple Lotus",
[8836]="Arthas\' Tears",
[8838]="Sungrass",
[8839]="Blindweed",
[8845]="Ghost Mushroom",
[8846]="Gromsblood",
[8923]="Essence of Agony",
[8924]="Dust of Deterioration",
[8925]="Crystal Vial",
[8926]="Instant Poison IV",
[8927]="Instant Poison V",
[8928]="Instant Poison VI",
[8932]="Alterac Swiss",
[8948]="Dried King Bolete",
[8949]="Elixir of Agility",
[8950]="Homemade Cherry Pie",
[8951]="Elixir of Greater Defense",
[8952]="Roasted Quail",
[8953]="Deep Fried Plantains",
[8956]="Oil of Immolation",
[8957]="Spinefin Halibut",
[8959]="Raw Spinefin Halibut",
[8964]="Codex of Flash Heal",
[8973]="Thick Yeti Hide",
[8984]="Deadly Poison III",
[8985]="Deadly Poison IV",
[9030]="Restorative Potion",
[9036]="Magic Resistance Potion",
[9060]="Inlaid Mithril Cylinder",
[9061]="Goblin Rocket Fuel",
[9088]="Gift of Arthas",
[9144]="Wildvine Potion",
[9149]="Philosopher\'s Stone",
[9153]="Rig Blueprints",
[9154]="Elixir of Detect Undead",
[9155]="Arcane Elixir",
[9172]="Invisibility Potion",
[9173]="Goblin Transponder",
[9179]="Elixir of Greater Intellect",
[9186]="Mind-numbing Poison III",
[9187]="Elixir of Greater Agility",
[9189]="Shay\'s Bell",
[9197]="Elixir of Dream Vision",
[9206]="Elixir of Giants",
[9210]="Ghost Dye",
[9214]="Grimoire of Inferno",
[9224]="Elixir of Demonslaying",
[9233]="Elixir of Detect Demon",
[9234]="Tiara of the Deep",
[9235]="Pratt\'s Letter",
[9236]="Jangdor\'s Letter",
[9237]="Woodpaw Gnoll Mane",
[9238]="Uncracked Scarab Shell",
[9240]="Mallet of Zul\'Farrak",
[9241]="Sacred Mallet",
[9242]="Ancient Tablet",
[9243]="Shriveled Heart",
[9244]="Stoley\'s Shipment",
[9245]="Stoley\'s Bottle",
[9246]="Firebeard\'s Head",
[9247]="Hatecrest Naga Scale",
[9248]="Mysterious Relic",
[9249]="Captain\'s Key",
[9250]="Ship Schedule",
[9251]="Upper Map Fragment",
[9252]="Lower Map Fragment",
[9253]="Middle Map Fragment",
[9254]="Cuergo\'s Treasure Map",
[9255]="Lahassa Essence",
[9256]="Imbel Essence",
[9257]="Samha Essence",
[9258]="Byltan Essence",
[9259]="Troll Tribal Necklace",
[9260]="Volatile Rum",
[9261]="Lead Ore",
[9262]="Black Vitriol",
[9263]="Troyas\' Stave",
[9264]="Elixir of Shadow Power",
[9265]="Cuergo\'s Hidden Treasure",
[9266]="Woodpaw Battle Plans",
[9275]="Cuergo\'s Key",
[9276]="Pirate\'s Footlocker",
[9277]="Techbot\'s Memory Core",
[9278]="Essential Artificial",
[9279]="White Punch Card",
[9280]="Yellow Punch Card",
[9281]="Red Punch Card",
[9282]="Blue Punch Card",
[9283]="Empty Leaden Collection Phial",
[9284]="Full Leaden Collection Phial",
[9285]="Field Plate Vambraces",
[9286]="Field Plate Armor",
[9287]="Field Plate Gauntlets",
[9288]="Field Plate Girdle",
[9289]="Field Plate Boots",
[9290]="Field Plate Helmet",
[9291]="Field Plate Leggings",
[9292]="Field Plate Pauldrons",
[9293]="Recipe: Magic Resistance Potion",
[9294]="Recipe: Wildvine Potion",
[9295]="Recipe: Invisibility Potion",
[9296]="Recipe: Gift of Arthas",
[9297]="Recipe: Elixir of Dream Vision",
[9298]="Recipe: Elixir of Giants",
[9299]="Thermaplugg\'s Safe Combination",
[9300]="Recipe: Elixir of Demonslaying",
[9301]="Recipe: Elixir of Shadow Power",
[9302]="Recipe: Ghost Dye",
[9303]="Recipe: Philosopher\'s Stone",
[9304]="Recipe: Transmute Iron to Gold",
[9305]="Recipe: Transmute Mithril to Truesilver",
[9306]="Stave of Equinex",
[9307]="A Sparkling Stone",
[9308]="Grime-Encrusted Object",
[9309]="Robo-mechanical Guts",
[9311]="Default Stationery",
[9312]="Blue Firework",
[9313]="Green Firework",
[9314]="Red Streaks Firework",
[9315]="Yellow Rose Firework",
[9316]="Prismatic Punch Card",
[9317]="Red, White and Blue Firework",
[9318]="Red Firework",
[9319]="Nimboya\'s Laden Pike",
[9320]="Witherbark Skull",
[9321]="Venom Bottle",
[9322]="Undamaged Venom Sac",
[9323]="Gadrin\'s Parchment",
[9324]="Shadra\'s Venom",
[9326]="Grime-Encrusted Ring",
[9327]="Security DELTA Data Access Card",
[9328]="Super Snapper FX",
[9329]="A Short Note",
[9330]="Snapshot of Gammerita",
[9331]="Feralas: A History",
[9332]="Crusted Bandages",
[9333]="Tarnished Silver Necklace",
[9334]="Cracked Pottery",
[9335]="Broken Obsidian Club",
[9336]="Gold-capped Troll Tusk",
[9355]="Hoop Earring",
[9356]="A Wooden Leg",
[9357]="A Parrot Skeleton",
[9358]="A Head Rag",
[9359]="Wirt\'s Third Leg",
[9360]="Cuergo\'s Gold",
[9361]="Cuergo\'s Gold with Worm",
[9362]="Brilliant Gold Ring",
[9363]="Sparklematic-Wrapped Box",
[9364]="Heavy Leaden Collection Phial",
[9365]="High Potency Radioactive Fallout",
[9366]="Golden Scale Gauntlets",
[9367]="Plans: Golden Scale Gauntlets",
[9368]="Jer\'kai\'s Signet Ring",
[9369]="Iridescent Sprite Darter Wing",
[9370]="Gordunni Scroll",
[9371]="Gordunni Orb",
[9372]="Sul\'thraze the Lasher",
[9375]="Expert Goldminer\'s Helmet",
[9378]="Shovelphlange\'s Mining Axe",
[9379]="Sang\'thraze the Deflector",
[9381]="Earthen Rod",
[9382]="Tromping Miner\'s Boots",
[9383]="Obsidian Cleaver",
[9384]="Stonevault Shiv",
[9385]="Archaic Defender",
[9386]="Excavator\'s Brand",
[9387]="Revelosh\'s Boots",
[9388]="Revelosh\'s Armguards",
[9389]="Revelosh\'s Spaulders",
[9390]="Revelosh\'s Gloves",
[9391]="The Shoveler",
[9392]="Annealed Blade",
[9393]="Beacon of Hope",
[9394]="Horned Viking Helmet",
[9395]="Gloves of Old",
[9396]="Legguards of the Vault",
[9397]="Energy Cloak",
[9398]="Worn Running Boots",
[9399]="Precision Arrow",
[9400]="Baelog\'s Shortbow",
[9401]="Nordic Longshank",
[9402]="Earthborn Kilt",
[9403]="Battered Viking Shield",
[9404]="Olaf\'s All Purpose Shield",
[9405]="Girdle of Golem Strength",
[9406]="Spirewind Fetter",
[9407]="Stoneweaver Leggings",
[9408]="Ironshod Bludgeon",
[9409]="Ironaya\'s Bracers",
[9410]="Cragfists",
[9411]="Rockshard Pauldrons",
[9412]="Galgann\'s Fireblaster",
[9413]="The Rockpounder",
[9414]="Oilskin Leggings",
[9415]="Grimlok\'s Tribal Vestments",
[9416]="Grimlok\'s Charge",
[9418]="Stoneslayer",
[9419]="Galgann\'s Firehammer",
[9420]="Adventurer\'s Pith Helmet",
[9421]="Major Healthstone",
[9422]="Shadowforge Bushmaster",
[9423]="The Jackhammer",
[9424]="Ginn-su Sword",
[9425]="Pendulum of Doom",
[9426]="Monolithic Bow",
[9427]="Stonevault Bonebreaker",
[9428]="Unearthed Bands",
[9429]="Miner\'s Hat of the Deep",
[9430]="Spaulders of a Lost Age",
[9431]="Papal Fez",
[9432]="Skullplate Bracers",
[9433]="Forgotten Wraps",
[9434]="Elemental Raiment",
[9435]="Reticulated Bone Gauntlets",
[9436]="Faranell\'s Parcel",
[9437]="Untested Basilisk Sample",
[9438]="Acceptable Scorpid Sample",
[9439]="Untested Hyena Sample",
[9440]="Acceptable Basilisk Sample",
[9441]="Acceptable Hyena Sample",
[9442]="Untested Scorpid Sample",
[9444]="Techbot CPU Shell",
[9445]="Grubbis Paws",
[9446]="Electrocutioner Leg",
[9447]="Electrocutioner Lagnut",
[9448]="Spidertank Oilrag",
[9449]="Manual Crowd Pummeler",
[9450]="Gnomebot Operating Boots",
[9451]="Bubbling Water",
[9452]="Hydrocane",
[9453]="Toxic Revenger",
[9454]="Acidic Walkers",
[9455]="Emissary Cuffs",
[9456]="Glass Shooter",
[9457]="Royal Diplomatic Scepter",
[9458]="Thermaplugg\'s Central Core",
[9459]="Thermaplugg\'s Left Arm",
[9460]="Grimtotem Horn",
[9461]="Charged Gear",
[9462]="Crate of Grimtotem Horns",
[9463]="Gordunni Cobalt",
[9465]="Digmaster 5000",
[9466]="Orwin\'s Shovel",
[9467]="Gahz\'rilla Fang",
[9468]="Sharpbeak\'s Feather",
[9469]="Gahz\'rilla Scale Armor",
[9470]="Bad Mojo Mask",
[9471]="Nekrum\'s Medallion",
[9472]="Hexx\'s Key",
[9473]="Jinxed Hoodoo Skin",
[9474]="Jinxed Hoodoo Kilt",
[9475]="Diabolic Skiver",
[9476]="Big Bad Pauldrons",
[9477]="The Chief\'s Enforcer",
[9478]="Ripsaw",
[9479]="Embrace of the Lycan",
[9480]="Eyegouger",
[9481]="The Minotaur",
[9482]="Witch Doctor\'s Cane",
[9483]="Flaming Incinerator",
[9484]="Spellshock Leggings",
[9485]="Vibroblade",
[9486]="Supercharger Battle Axe",
[9487]="Hi-tech Supergun",
[9488]="Oscillating Power Hammer",
[9489]="Gyromatic Icemaker",
[9490]="Gizmotron Megachopper",
[9491]="Hotshot Pilot\'s Gloves",
[9492]="Electromagnetic Gigaflux Reactivator",
[9507]="A Carefully-packed Crate",
[9508]="Mechbuilder\'s Overalls",
[9509]="Petrolspill Leggings",
[9510]="Caverndeep Trudgers",
[9511]="Bloodletter Scalpel",
[9512]="Blackmetal Cape",
[9513]="Ley Staff",
[9514]="Arcane Staff",
[9515]="Nether-lace Tunic",
[9516]="Astral Knot Blouse",
[9517]="Celestial Stave",
[9518]="Mud\'s Crushers",
[9519]="Durtfeet Stompers",
[9520]="Silent Hunter",
[9521]="Skullsplitter",
[9522]="Energized Stone Circle",
[9523]="Troll Temper",
[9527]="Spellshifter Rod",
[9528]="Edana\'s Dark Heart",
[9530]="Horn of Hatetalon",
[9531]="Gemshale Pauldrons",
[9533]="Masons Fraternity Ring",
[9534]="Engineer\'s Guild Headpiece",
[9535]="Fire-welded Bracers",
[9536]="Fairywing Mantle",
[9538]="Talvash\'s Gold Ring",
[9539]="Box of Rations",
[9540]="Box of Spells",
[9541]="Box of Goodies",
[9542]="Simple Letter",
[9543]="Simple Rune",
[9544]="Simple Memorandum",
[9545]="Simple Sigil",
[9546]="Simple Scroll",
[9547]="Simple Note",
[9548]="Hallowed Letter",
[9550]="Encrypted Rune",
[9551]="Encrypted Sigil",
[9552]="Rune-Inscribed Note",
[9553]="Etched Parchment",
[9554]="Encrypted Tablet",
[9555]="Encrypted Letter",
[9556]="Hallowed Rune",
[9557]="Hallowed Sigil",
[9558]="Encrypted Memorandum",
[9559]="Encrypted Scroll",
[9560]="Encrypted Parchment",
[9561]="Hallowed Tablet",
[9562]="Rune-Inscribed Tablet",
[9563]="Consecrated Rune",
[9564]="Etched Tablet",
[9565]="Etched Note",
[9566]="Etched Rune",
[9567]="Etched Sigil",
[9568]="Rune-Inscribed Parchment",
[9569]="Hallowed Scroll",
[9570]="Consecrated Letter",
[9571]="Glyphic Letter",
[9572]="Glyphic Rune",
[9573]="Glyphic Memorandum",
[9574]="Glyphic Scroll",
[9575]="Glyphic Tablet",
[9576]="Tainted Letter",
[9577]="Tainted Memorandum",
[9578]="Tainted Scroll",
[9579]="Tainted Parchment",
[9580]="Verdant Sigil",
[9581]="Verdant Note",
[9587]="Thawpelt Sack",
[9588]="Nogg\'s Gold Ring",
[9589]="Encrusted Minerals",
[9590]="Splintered Log",
[9591]="Resilient Sinew",
[9592]="Metallic Fragments",
[9593]="Treant Muisek",
[9594]="Wildkin Muisek",
[9595]="Hippogryph Muisek",
[9596]="Faerie Dragon Muisek",
[9597]="Mountain Giant Muisek",
[9598]="Sleeping Robes",
[9599]="Barkmail Leggings",
[9600]="Lace Pants",
[9601]="Cushioned Boots",
[9602]="Brushwood Blade",
[9603]="Gritroot Staff",
[9604]="Mechanic\'s Pipehammer",
[9605]="Repairman\'s Cape",
[9606]="Treant Muisek Vessel",
[9607]="Bastion of Stormwind",
[9608]="Shoni\'s Disarming Tool",
[9609]="Shilly Mitts",
[9618]="Wildkin Muisek Vessel",
[9619]="Hippogryph Muisek Vessel",
[9620]="Faerie Dragon Muisek Vessel",
[9621]="Mountain Giant Muisek Vessel",
[9622]="Reedknot Ring",
[9623]="Civinad Robes",
[9624]="Triprunner Dungarees",
[9625]="Dual Reinforced Leggings",
[9626]="Dwarven Charge",
[9627]="Explorer\'s League Lodestar",
[9628]="Neeru\'s Herb Pouch",
[9629]="A Shrunken Head",
[9630]="Pratt\'s Handcrafted Boots",
[9631]="Pratt\'s Handcrafted Gloves",
[9632]="Jangdor\'s Handcrafted Gloves",
[9633]="Jangdor\'s Handcrafted Boots",
[9634]="Skilled Handling Gloves",
[9635]="Master Apothecary Cape",
[9636]="Swashbuckler Sash",
[9637]="Shinkicker Boots",
[9638]="Chelonian Cuffs",
[9639]="The Hand of Antu\'sul",
[9640]="Vice Grips",
[9641]="Lifeblood Amulet",
[9642]="Band of the Great Tortoise",
[9643]="Optomatic Deflector",
[9644]="Thermotastic Egg Timer",
[9645]="Gnomish Inventor Boots",
[9646]="Gnomish Water Sinking Device",
[9647]="Failed Flying Experiment",
[9648]="Chainlink Towel",
[9649]="Royal Highmark Vestments",
[9650]="Honorguard Chestpiece",
[9651]="Gryphon Rider\'s Stormhammer",
[9652]="Gryphon Rider\'s Leggings",
[9653]="Speedy Racer Goggles",
[9654]="Cairnstone Sliver",
[9655]="Seedtime Hoop",
[9656]="Granite Grips",
[9657]="Vinehedge Cinch",
[9658]="Boots of the Maharishi",
[9660]="Stargazer Cloak",
[9661]="Earthclasp Barrier",
[9662]="Rushridge Boots",
[9663]="Dawnrider\'s Chestpiece",
[9664]="Sentinel\'s Guard",
[9665]="Wingcrest Gloves",
[9666]="Stronghorn Girdle",
[9678]="Tok\'kar\'s Murloc Basher",
[9679]="Tok\'kar\'s Murloc Chopper",
[9680]="Tok\'kar\'s Murloc Shanker",
[9681]="Grilled King Crawler Legs",
[9682]="Leather Chef\'s Belt",
[9683]="Strength of the Treant",
[9684]="Force of the Hippogryph",
[9686]="Spirit of the Faerie Dragon",
[9687]="Grappler\'s Belt",
[9698]="Gloves of Insight",
[9699]="Garrison Cloak",
[9703]="Scorched Cape",
[9704]="Rustler Gloves",
[9705]="Tharg\'s Shoelace",
[9706]="Tharg\'s Disk",
[9718]="Reforged Blade of Heroes",
[9719]="Broken Blade of Heroes",
[9738]="Gem of Cobrahn",
[9739]="Gem of Anacondra",
[9740]="Gem of Pythas",
[9741]="Gem of Serpentis",
[9742]="Simple Cord",
[9743]="Simple Shoes",
[9744]="Simple Bands",
[9745]="Simple Cape",
[9746]="Simple Gloves",
[9747]="Simple Britches",
[9748]="Simple Robe",
[9749]="Simple Blouse",
[9750]="Gypsy Sash",
[9751]="Gypsy Sandals",
[9752]="Gypsy Bands",
[9753]="Gypsy Buckler",
[9754]="Gypsy Cloak",
[9755]="Gypsy Gloves",
[9756]="Gypsy Trousers",
[9757]="Gypsy Tunic",
[9758]="Cadet Belt",
[9759]="Cadet Boots",
[9760]="Cadet Bracers",
[9761]="Cadet Cloak",
[9762]="Cadet Gauntlets",
[9763]="Cadet Leggings",
[9764]="Cadet Shield",
[9765]="Cadet Vest",
[9766]="Greenweave Sash",
[9767]="Greenweave Sandals",
[9768]="Greenweave Bracers",
[9769]="Greenweave Branch",
[9770]="Greenweave Cloak",
[9771]="Greenweave Gloves",
[9772]="Greenweave Leggings",
[9773]="Greenweave Robe",
[9774]="Greenweave Vest",
[9775]="Bandit Cinch",
[9776]="Bandit Boots",
[9777]="Bandit Bracers",
[9778]="Bandit Buckler",
[9779]="Bandit Cloak",
[9780]="Bandit Gloves",
[9781]="Bandit Pants",
[9782]="Bandit Jerkin",
[9783]="Raider\'s Chestpiece",
[9784]="Raider\'s Boots",
[9785]="Raider\'s Bracers",
[9786]="Raider\'s Cloak",
[9787]="Raider\'s Gauntlets",
[9788]="Raider\'s Belt",
[9789]="Raider\'s Legguards",
[9790]="Raider\'s Shield",
[9791]="Ivycloth Tunic",
[9792]="Ivycloth Boots",
[9793]="Ivycloth Bracelets",
[9794]="Ivycloth Cloak",
[9795]="Ivycloth Gloves",
[9796]="Ivycloth Mantle",
[9797]="Ivycloth Pants",
[9798]="Ivycloth Robe",
[9799]="Ivycloth Sash",
[9800]="Ivy Orb",
[9801]="Superior Belt",
[9802]="Superior Boots",
[9803]="Superior Bracers",
[9804]="Superior Buckler",
[9805]="Superior Cloak",
[9806]="Superior Gloves",
[9807]="Superior Shoulders",
[9808]="Superior Leggings",
[9809]="Superior Tunic",
[9810]="Fortified Boots",
[9811]="Fortified Bracers",
[9812]="Fortified Cloak",
[9813]="Fortified Gauntlets",
[9814]="Fortified Belt",
[9815]="Fortified Leggings",
[9816]="Fortified Shield",
[9817]="Fortified Spaulders",
[9818]="Fortified Chain",
[9819]="Durable Tunic",
[9820]="Durable Boots",
[9821]="Durable Bracers",
[9822]="Durable Cape",
[9823]="Durable Gloves",
[9824]="Durable Shoulders",
[9825]="Durable Pants",
[9826]="Durable Robe",
[9827]="Scaled Leather Belt",
[9828]="Scaled Leather Boots",
[9829]="Scaled Leather Bracers",
[9830]="Scaled Shield",
[9831]="Scaled Cloak",
[9832]="Scaled Leather Gloves",
[9833]="Scaled Leather Leggings",
[9834]="Scaled Leather Shoulders",
[9835]="Scaled Leather Tunic",
[9836]="Banded Armor",
[9837]="Banded Bracers",
[9838]="Banded Cloak",
[9839]="Banded Gauntlets",
[9840]="Banded Girdle",
[9841]="Banded Leggings",
[9842]="Banded Pauldrons",
[9843]="Banded Shield",
[9844]="Conjurer\'s Vest",
[9845]="Conjurer\'s Shoes",
[9846]="Conjurer\'s Bracers",
[9847]="Conjurer\'s Cloak",
[9848]="Conjurer\'s Gloves",
[9849]="Conjurer\'s Hood",
[9850]="Conjurer\'s Mantle",
[9851]="Conjurer\'s Breeches",
[9852]="Conjurer\'s Robe",
[9853]="Conjurer\'s Cinch",
[9854]="Archer\'s Jerkin",
[9855]="Archer\'s Belt",
[9856]="Archer\'s Boots",
[9857]="Archer\'s Bracers",
[9858]="Archer\'s Buckler",
[9859]="Archer\'s Cap",
[9860]="Archer\'s Cloak",
[9861]="Archer\'s Gloves",
[9862]="Archer\'s Trousers",
[9863]="Archer\'s Shoulderpads",
[9864]="Renegade Boots",
[9865]="Renegade Bracers",
[9866]="Renegade Chestguard",
[9867]="Renegade Cloak",
[9868]="Renegade Gauntlets",
[9869]="Renegade Belt",
[9870]="Renegade Circlet",
[9871]="Renegade Leggings",
[9872]="Renegade Pauldrons",
[9873]="Renegade Shield",
[9874]="Sorcerer Drape",
[9875]="Sorcerer Sash",
[9876]="Sorcerer Slippers",
[9877]="Sorcerer Cloak",
[9878]="Sorcerer Hat",
[9879]="Sorcerer Bracelets",
[9880]="Sorcerer Gloves",
[9881]="Sorcerer Mantle",
[9882]="Sorcerer Sphere",
[9883]="Sorcerer Pants",
[9884]="Sorcerer Robe",
[9885]="Huntsman\'s Boots",
[9886]="Huntsman\'s Bands",
[9887]="Huntsman\'s Armor",
[9889]="Huntsman\'s Cap",
[9890]="Huntsman\'s Cape",
[9891]="Huntsman\'s Belt",
[9892]="Huntsman\'s Gloves",
[9893]="Huntsman\'s Leggings",
[9894]="Huntsman\'s Shoulders",
[9895]="Jazeraint Boots",
[9896]="Jazeraint Bracers",
[9897]="Jazeraint Chestguard",
[9898]="Jazeraint Cloak",
[9899]="Jazeraint Shield",
[9900]="Jazeraint Gauntlets",
[9901]="Jazeraint Belt",
[9902]="Jazeraint Helm",
[9903]="Jazeraint Leggings",
[9904]="Jazeraint Pauldrons",
[9905]="Royal Blouse",
[9906]="Royal Sash",
[9907]="Royal Boots",
[9908]="Royal Cape",
[9909]="Royal Bands",
[9910]="Royal Gloves",
[9911]="Royal Trousers",
[9912]="Royal Amice",
[9913]="Royal Gown",
[9914]="Royal Scepter",
[9915]="Royal Headband",
[9916]="Tracker\'s Belt",
[9917]="Tracker\'s Boots",
[9918]="Brigade Defender",
[9919]="Tracker\'s Cloak",
[9920]="Tracker\'s Gloves",
[9921]="Tracker\'s Headband",
[9922]="Tracker\'s Leggings",
[9923]="Tracker\'s Shoulderpads",
[9924]="Tracker\'s Tunic",
[9925]="Tracker\'s Wristguards",
[9926]="Brigade Boots",
[9927]="Brigade Bracers",
[9928]="Brigade Breastplate",
[9929]="Brigade Cloak",
[9930]="Brigade Gauntlets",
[9931]="Brigade Girdle",
[9932]="Brigade Circlet",
[9933]="Brigade Leggings",
[9934]="Brigade Pauldrons",
[9935]="Embossed Plate Shield",
[9936]="Abjurer\'s Boots",
[9937]="Abjurer\'s Bands",
[9938]="Abjurer\'s Cloak",
[9939]="Abjurer\'s Gloves",
[9940]="Abjurer\'s Hood",
[9941]="Abjurer\'s Mantle",
[9942]="Abjurer\'s Pants",
[9943]="Abjurer\'s Robe",
[9944]="Abjurer\'s Crystal",
[9945]="Abjurer\'s Sash",
[9946]="Abjurer\'s Tunic",
[9947]="Chieftain\'s Belt",
[9948]="Chieftain\'s Boots",
[9949]="Chieftain\'s Bracers",
[9950]="Chieftain\'s Breastplate",
[9951]="Chieftain\'s Cloak",
[9952]="Chieftain\'s Gloves",
[9953]="Chieftain\'s Headdress",
[9954]="Chieftain\'s Leggings",
[9955]="Chieftain\'s Shoulders",
[9956]="Warmonger\'s Bracers",
[9957]="Warmonger\'s Chestpiece",
[9958]="Warmonger\'s Buckler",
[9959]="Warmonger\'s Cloak",
[9960]="Warmonger\'s Gauntlets",
[9961]="Warmonger\'s Belt",
[9962]="Warmonger\'s Greaves",
[9963]="Warmonger\'s Circlet",
[9964]="Warmonger\'s Leggings",
[9965]="Warmonger\'s Pauldrons",
[9966]="Embossed Plate Armor",
[9967]="Embossed Plate Gauntlets",
[9968]="Embossed Plate Girdle",
[9969]="Embossed Plate Helmet",
[9970]="Embossed Plate Leggings",
[9971]="Embossed Plate Pauldrons",
[9972]="Embossed Plate Bracers",
[9973]="Embossed Plate Boots",
[9974]="Overlord\'s Shield",
[9978]="Gahz\'ridian Detector",
[9998]="Black Mageweave Vest",
[9999]="Black Mageweave Leggings",
[10000]="Margol\'s Horn",
[10001]="Black Mageweave Robe",
[10002]="Shadoweave Pants",
[10003]="Black Mageweave Gloves",
[10004]="Shadoweave Robe",
[10005]="Margol\'s Gigantic Horn",
[10007]="Red Mageweave Vest",
[10008]="White Bandit Mask",
[10009]="Red Mageweave Pants",
[10018]="Red Mageweave Gloves",
[10019]="Dreamweave Gloves",
[10021]="Dreamweave Vest",
[10022]="Proof of Deed",
[10023]="Shadoweave Gloves",
[10024]="Black Mageweave Headband",
[10025]="Shadoweave Mask",
[10026]="Black Mageweave Boots",
[10027]="Black Mageweave Shoulders",
[10028]="Shadoweave Shoulders",
[10029]="Red Mageweave Shoulders",
[10030]="Admiral\'s Hat",
[10031]="Shadoweave Boots",
[10033]="Red Mageweave Headband",
[10034]="Tuxedo Shirt",
[10035]="Tuxedo Pants",
[10036]="Tuxedo Jacket",
[10040]="White Wedding Dress",
[10041]="Dreamweave Circlet",
[10042]="Cindercloth Robe",
[10043]="Pious Legwraps",
[10044]="Cindercloth Boots",
[10045]="Simple Linen Pants",
[10046]="Simple Linen Boots",
[10047]="Simple Kilt",
[10048]="Colorful Kilt",
[10050]="Mageweave Bag",
[10051]="Red Mageweave Bag",
[10052]="Orange Martial Shirt",
[10053]="Simple Black Dress",
[10054]="Lavender Mageweave Shirt",
[10055]="Pink Mageweave Shirt",
[10056]="Orange Mageweave Shirt",
[10057]="Duskwoven Tunic",
[10058]="Duskwoven Sandals",
[10059]="Duskwoven Bracers",
[10060]="Duskwoven Cape",
[10061]="Duskwoven Turban",
[10062]="Duskwoven Gloves",
[10063]="Duskwoven Amice",
[10064]="Duskwoven Pants",
[10065]="Duskwoven Robe",
[10066]="Duskwoven Sash",
[10067]="Righteous Waistguard",
[10068]="Righteous Boots",
[10069]="Righteous Bracers",
[10070]="Righteous Armor",
[10071]="Righteous Cloak",
[10072]="Righteous Gloves",
[10073]="Righteous Helmet",
[10074]="Righteous Leggings",
[10075]="Righteous Spaulders",
[10076]="Lord\'s Armguards",
[10077]="Lord\'s Breastplate",
[10078]="Lord\'s Crest",
[10079]="Lord\'s Cape",
[10080]="Lord\'s Gauntlets",
[10081]="Lord\'s Girdle",
[10082]="Lord\'s Boots",
[10083]="Lord\'s Crown",
[10084]="Lord\'s Legguards",
[10085]="Lord\'s Pauldrons",
[10086]="Gothic Plate Armor",
[10087]="Gothic Plate Gauntlets",
[10088]="Gothic Plate Girdle",
[10089]="Gothic Sabatons",
[10090]="Gothic Plate Helmet",
[10091]="Gothic Plate Leggings",
[10092]="Gothic Plate Spaulders",
[10093]="Revenant Deflector",
[10094]="Gothic Plate Vambraces",
[10095]="Councillor\'s Boots",
[10096]="Councillor\'s Cuffs",
[10097]="Councillor\'s Circlet",
[10098]="Councillor\'s Cloak",
[10099]="Councillor\'s Gloves",
[10100]="Councillor\'s Shoulders",
[10101]="Councillor\'s Pants",
[10102]="Councillor\'s Robes",
[10103]="Councillor\'s Sash",
[10104]="Councillor\'s Tunic",
[10105]="Wanderer\'s Armor",
[10106]="Wanderer\'s Boots",
[10107]="Wanderer\'s Bracers",
[10108]="Wanderer\'s Cloak",
[10109]="Wanderer\'s Belt",
[10110]="Wanderer\'s Gloves",
[10111]="Wanderer\'s Hat",
[10112]="Wanderer\'s Leggings",
[10113]="Wanderer\'s Shoulders",
[10118]="Ornate Breastplate",
[10119]="Ornate Greaves",
[10120]="Ornate Cloak",
[10121]="Ornate Gauntlets",
[10122]="Ornate Girdle",
[10123]="Ornate Circlet",
[10124]="Ornate Legguards",
[10125]="Ornate Pauldrons",
[10126]="Ornate Bracers",
[10127]="Revenant Bracers",
[10128]="Revenant Chestplate",
[10129]="Revenant Gauntlets",
[10130]="Revenant Girdle",
[10131]="Revenant Boots",
[10132]="Revenant Helmet",
[10133]="Revenant Leggings",
[10134]="Revenant Shoulders",
[10135]="High Councillor\'s Tunic",
[10136]="High Councillor\'s Bracers",
[10137]="High Councillor\'s Boots",
[10138]="High Councillor\'s Cloak",
[10139]="High Councillor\'s Circlet",
[10140]="High Councillor\'s Gloves",
[10141]="High Councillor\'s Pants",
[10142]="High Councillor\'s Mantle",
[10143]="High Councillor\'s Robe",
[10144]="High Councillor\'s Sash",
[10145]="Mighty Girdle",
[10146]="Mighty Boots",
[10147]="Mighty Armsplints",
[10148]="Mighty Cloak",
[10149]="Mighty Gauntlets",
[10150]="Mighty Helmet",
[10151]="Mighty Tunic",
[10152]="Mighty Leggings",
[10153]="Mighty Spaulders",
[10154]="Mercurial Girdle",
[10155]="Mercurial Greaves",
[10156]="Mercurial Bracers",
[10157]="Mercurial Breastplate",
[10158]="Mercurial Guard",
[10159]="Mercurial Cloak",
[10160]="Mercurial Circlet",
[10161]="Mercurial Gauntlets",
[10162]="Mercurial Legguards",
[10163]="Mercurial Pauldrons",
[10164]="Templar Chestplate",
[10165]="Templar Gauntlets",
[10166]="Templar Girdle",
[10167]="Templar Boots",
[10168]="Templar Crown",
[10169]="Templar Legplates",
[10170]="Templar Pauldrons",
[10171]="Templar Bracers",
[10172]="Mystical Mantle",
[10173]="Mystical Bracers",
[10174]="Mystical Cape",
[10175]="Mystical Headwrap",
[10176]="Mystical Gloves",
[10177]="Mystical Leggings",
[10178]="Mystical Robe",
[10179]="Mystical Boots",
[10180]="Mystical Belt",
[10181]="Mystical Armor",
[10182]="Swashbuckler\'s Breastplate",
[10183]="Swashbuckler\'s Boots",
[10184]="Swashbuckler\'s Bracers",
[10185]="Swashbuckler\'s Cape",
[10186]="Swashbuckler\'s Gloves",
[10187]="Swashbuckler\'s Eyepatch",
[10188]="Swashbuckler\'s Leggings",
[10189]="Swashbuckler\'s Shoulderpads",
[10190]="Swashbuckler\'s Belt",
[10191]="Crusader\'s Armguards",
[10192]="Crusader\'s Boots",
[10193]="Crusader\'s Armor",
[10194]="Crusader\'s Cloak",
[10195]="Crusader\'s Shield",
[10196]="Crusader\'s Gauntlets",
[10197]="Crusader\'s Belt",
[10198]="Crusader\'s Helm",
[10199]="Crusader\'s Leggings",
[10200]="Crusader\'s Pauldrons",
[10201]="Overlord\'s Greaves",
[10202]="Overlord\'s Vambraces",
[10203]="Overlord\'s Chestplate",
[10204]="Heavy Lamellar Shield",
[10205]="Overlord\'s Gauntlets",
[10206]="Overlord\'s Girdle",
[10207]="Overlord\'s Crown",
[10208]="Overlord\'s Legplates",
[10209]="Overlord\'s Spaulders",
[10210]="Elegant Mantle",
[10211]="Elegant Boots",
[10212]="Elegant Cloak",
[10213]="Elegant Bracers",
[10214]="Elegant Gloves",
[10215]="Elegant Robes",
[10216]="Elegant Belt",
[10217]="Elegant Leggings",
[10218]="Elegant Tunic",
[10219]="Elegant Circlet",
[10220]="Nightshade Tunic",
[10221]="Nightshade Girdle",
[10222]="Nightshade Boots",
[10223]="Nightshade Armguards",
[10224]="Nightshade Cloak",
[10225]="Nightshade Gloves",
[10226]="Nightshade Helmet",
[10227]="Nightshade Leggings",
[10228]="Nightshade Spaulders",
[10229]="Engraved Bracers",
[10230]="Engraved Breastplate",
[10231]="Engraved Cape",
[10232]="Engraved Gauntlets",
[10233]="Engraved Girdle",
[10234]="Engraved Boots",
[10235]="Engraved Helm",
[10236]="Engraved Leggings",
[10237]="Engraved Pauldrons",
[10238]="Heavy Lamellar Boots",
[10239]="Heavy Lamellar Vambraces",
[10240]="Heavy Lamellar Chestpiece",
[10241]="Heavy Lamellar Helm",
[10242]="Heavy Lamellar Gauntlets",
[10243]="Heavy Lamellar Girdle",
[10244]="Heavy Lamellar Leggings",
[10245]="Heavy Lamellar Pauldrons",
[10246]="Master\'s Vest",
[10247]="Master\'s Boots",
[10248]="Master\'s Bracers",
[10249]="Master\'s Cloak",
[10250]="Master\'s Hat",
[10251]="Master\'s Gloves",
[10252]="Master\'s Leggings",
[10253]="Master\'s Mantle",
[10254]="Master\'s Robe",
[10255]="Master\'s Belt",
[10256]="Adventurer\'s Bracers",
[10257]="Adventurer\'s Boots",
[10258]="Adventurer\'s Cape",
[10259]="Adventurer\'s Belt",
[10260]="Adventurer\'s Gloves",
[10261]="Adventurer\'s Bandana",
[10262]="Adventurer\'s Legguards",
[10263]="Adventurer\'s Shoulders",
[10264]="Adventurer\'s Tunic",
[10265]="Masterwork Bracers",
[10266]="Masterwork Breastplate",
[10267]="Masterwork Cape",
[10268]="Masterwork Gauntlets",
[10269]="Masterwork Girdle",
[10270]="Masterwork Boots",
[10271]="Masterwork Shield",
[10272]="Masterwork Circlet",
[10273]="Masterwork Legplates",
[10274]="Masterwork Pauldrons",
[10275]="Emerald Breastplate",
[10276]="Emerald Sabatons",
[10277]="Emerald Gauntlets",
[10278]="Emerald Girdle",
[10279]="Emerald Helm",
[10280]="Emerald Legplates",
[10281]="Emerald Pauldrons",
[10282]="Emerald Vambraces",
[10283]="Wolf Heart Samples",
[10285]="Shadow Silk",
[10286]="Heart of the Wild",
[10287]="Greenweave Mantle",
[10288]="Sage\'s Circlet",
[10289]="Durable Hat",
[10290]="Pink Dye",
[10298]="Gnomeregan Band",
[10299]="Gnomeregan Amulet",
[10300]="Pattern: Red Mageweave Vest",
[10301]="Pattern: White Bandit Mask",
[10302]="Pattern: Red Mageweave Pants",
[10305]="Scroll of Protection IV",
[10306]="Scroll of Spirit IV",
[10307]="Scroll of Stamina IV",
[10308]="Scroll of Intellect IV",
[10309]="Scroll of Agility IV",
[10310]="Scroll of Strength IV",
[10311]="Pattern: Orange Martial Shirt",
[10312]="Pattern: Red Mageweave Gloves",
[10314]="Pattern: Lavender Mageweave Shirt",
[10315]="Pattern: Red Mageweave Shoulders",
[10316]="Pattern: Colorful Kilt",
[10317]="Pattern: Pink Mageweave Shirt",
[10318]="Pattern: Admiral\'s Hat",
[10320]="Pattern: Red Mageweave Headband",
[10321]="Pattern: Tuxedo Shirt",
[10323]="Pattern: Tuxedo Pants",
[10325]="Pattern: White Wedding Dress",
[10326]="Pattern: Tuxedo Jacket",
[10327]="Horn of Echeyakee",
[10328]="Scarlet Chestpiece",
[10329]="Scarlet Belt",
[10330]="Scarlet Leggings",
[10331]="Scarlet Gauntlets",
[10332]="Scarlet Boots",
[10333]="Scarlet Wristguards",
[10338]="Fresh Zhevra Carcass",
[10358]="Duracin Bracers",
[10359]="Everlast Boots",
[10360]="Black Kingsnake",
[10361]="Brown Snake",
[10362]="Ornate Shield",
[10363]="Engraved Wall",
[10364]="Templar Shield",
[10365]="Emerald Shield",
[10366]="Demon Guard",
[10367]="Hyperion Shield",
[10368]="Imbued Plate Armor",
[10369]="Imbued Plate Gauntlets",
[10370]="Imbued Plate Girdle",
[10371]="Imbued Plate Greaves",
[10372]="Imbued Plate Helmet",
[10373]="Imbued Plate Leggings",
[10374]="Imbued Plate Pauldrons",
[10375]="Imbued Plate Vambraces",
[10376]="Commander\'s Boots",
[10377]="Commander\'s Vambraces",
[10378]="Commander\'s Armor",
[10379]="Commander\'s Helm",
[10380]="Commander\'s Gauntlets",
[10381]="Commander\'s Girdle",
[10382]="Commander\'s Leggings",
[10383]="Commander\'s Pauldrons",
[10384]="Hyperion Armor",
[10385]="Hyperion Greaves",
[10386]="Hyperion Gauntlets",
[10387]="Hyperion Girdle",
[10388]="Hyperion Helm",
[10389]="Hyperion Legplates",
[10390]="Hyperion Pauldrons",
[10391]="Hyperion Vambraces",
[10392]="Crimson Snake",
[10393]="Cockroach",
[10394]="Prairie Dog Whistle",
[10398]="Mechanical Chicken",
[10399]="Blackened Defias Armor",
[10400]="Blackened Defias Leggings",
[10401]="Blackened Defias Gloves",
[10402]="Blackened Defias Boots",
[10403]="Blackened Defias Belt",
[10404]="Durable Belt",
[10405]="Bandit Shoulders",
[10406]="Scaled Leather Headband",
[10407]="Raider\'s Shoulderpads",
[10408]="Banded Helm",
[10409]="Banded Boots",
[10410]="Leggings of the Fang",
[10411]="Footpads of the Fang",
[10412]="Belt of the Fang",
[10413]="Gloves of the Fang",
[10414]="Sample Snapjaw Shell",
[10418]="Glimmering Mithril Insignia",
[10420]="Skull of the Coldbringer",
[10421]="Rough Copper Vest",
[10423]="Silvered Bronze Leggings",
[10424]="Plans: Silvered Bronze Leggings",
[10438]="Felix\'s Box",
[10439]="Durnan\'s Scalding Mornbrew",
[10440]="Nori\'s Mug",
[10441]="Glowing Shard",
[10442]="Mysterious Artifact",
[10443]="Singed Letter",
[10444]="Standard Issue Flare Gun",
[10445]="Drawing Kit",
[10446]="Heart of Obsidion",
[10447]="Head of Lathoric the Black",
[10450]="Undamaged Hippogryph Feather",
[10454]="Essence of Eranikus",
[10455]="Chained Essence of Eranikus",
[10456]="A Bulging Coin Purse",
[10457]="Empty Sea Snail Shell",
[10458]="Prayer to Elune",
[10459]="Chief Sharptusk Thornmantle\'s Head",
[10460]="Hakkari Blood",
[10461]="Shadowy Bracers",
[10462]="Shadowy Belt",
[10463]="Pattern: Shadoweave Mask",
[10464]="Staff of Command",
[10465]="Egg of Hakkar",
[10466]="Atal\'ai Stone Circle",
[10467]="Trader\'s Satchel",
[10479]="Kovic\'s Trading Satchel",
[10498]="Gyromatic Micro-Adjustor",
[10499]="Bright-Eye Goggles",
[10500]="Fire Goggles",
[10501]="Catseye Ultra Goggles",
[10502]="Spellpower Goggles Xtreme",
[10503]="Rose Colored Goggles",
[10504]="Green Lens",
[10505]="Solid Blasting Powder",
[10506]="Deepdive Helmet",
[10507]="Solid Dynamite",
[10508]="Mithril Blunderbuss",
[10509]="Heart of Flame",
[10510]="Mithril Heavy-bore Rifle",
[10511]="Golem Oil",
[10512]="Hi-Impact Mithril Slugs",
[10513]="Mithril Gyro-Shot",
[10514]="Mithril Frag Bomb",
[10515]="Torch of Retribution",
[10518]="Parachute Cloak",
[10538]="Tablet of Beth\'Amara",
[10539]="Tablet of Jin\'yael",
[10540]="Tablet of Markri",
[10541]="Tablet of Sael\'hai",
[10542]="Goblin Mining Helmet",
[10543]="Goblin Construction Helmet",
[10544]="Thistlewood Maul",
[10545]="Gnomish Goggles",
[10546]="Deadly Scope",
[10547]="Camping Knife",
[10548]="Sniper Scope",
[10549]="Rancher\'s Trousers",
[10550]="Wooly Mittens",
[10551]="Thorium Plated Dagger",
[10552]="Symbol of Ragnaros",
[10553]="Foreman Vest",
[10554]="Foreman Pants",
[10556]="Stone Circle",
[10558]="Gold Power Core",
[10559]="Mithril Tube",
[10560]="Unstable Trigger",
[10561]="Mithril Casing",
[10562]="Hi-Explosive Bomb",
[10563]="Rubbing: Rune of Beth\'Amara",
[10564]="Rubbing: Rune of Jin\'yael",
[10565]="Rubbing: Rune of Markri",
[10566]="Rubbing: Rune of Sael\'hai",
[10567]="Quillshooter",
[10569]="Hoard of the Black Dragonflight",
[10570]="Manslayer",
[10571]="Ebony Boneclub",
[10572]="Freezing Shard",
[10573]="Boneslasher",
[10574]="Corpseshroud",
[10575]="Black Dragonflight Molt",
[10576]="Mithril Mechanical Dragonling",
[10577]="Goblin Mortar",
[10578]="Thoughtcast Boots",
[10581]="Death\'s Head Vestment",
[10582]="Briar Tredders",
[10583]="Quillward Harness",
[10584]="Stormgale Fists",
[10586]="The Big One",
[10587]="Goblin Bomb Dispenser",
[10588]="Goblin Rocket Helmet",
[10589]="Oathstone of Ysera\'s Dragonflight",
[10590]="Pocked Black Box",
[10592]="Catseye Elixir",
[10593]="Imperfect Draenethyst Fragment",
[10597]="Head of Magus Rimtori",
[10598]="Hetaera\'s Bloodied Head",
[10599]="Hetaera\'s Beaten Head",
[10600]="Hetaera\'s Bruised Head",
[10601]="Schematic: Bright-Eye Goggles",
[10602]="Schematic: Deadly Scope",
[10603]="Schematic: Catseye Ultra Goggles",
[10604]="Schematic: Mithril Heavy-bore Rifle",
[10605]="Schematic: Spellpower Goggles Xtreme",
[10606]="Schematic: Parachute Cloak",
[10607]="Schematic: Deepdive Helmet",
[10608]="Schematic: Sniper Scope",
[10609]="Schematic: Mithril Mechanical Dragonling",
[10610]="Hetaera\'s Blood",
[10620]="Thorium Ore",
[10621]="Runed Scroll",
[10622]="Kadrak\'s Flag",
[10623]="Winter\'s Bite",
[10624]="Stinging Bow",
[10625]="Stealthblade",
[10626]="Ragehammer",
[10627]="Bludgeon of the Grinning Dog",
[10628]="Deathblow",
[10629]="Mistwalker Boots",
[10630]="Soulcatcher Halo",
[10631]="Murkwater Gauntlets",
[10632]="Slimescale Bracers",
[10633]="Silvershell Leggings",
[10634]="Mindseye Circle",
[10635]="Painted Chain Leggings",
[10636]="Nomadic Gloves",
[10637]="Brewer\'s Gloves",
[10638]="Long Draping Cape",
[10639]="Hyacinth Mushroom",
[10640]="Webwood Ichor",
[10641]="Moonpetal Lily",
[10642]="Iverron\'s Antidote",
[10643]="Sealed Letter to Ag\'tor",
[10644]="Recipe: Goblin Rocket Fuel",
[10645]="Gnomish Death Ray",
[10646]="Goblin Sapper Charge",
[10647]="Engineer\'s Ink",
[10648]="Blank Parchment",
[10649]="Nightmare Shard",
[10652]="Will of the Mountain Giant",
[10653]="Trailblazer Boots",
[10654]="Jutebraid Gloves",
[10655]="Sedgeweed Britches",
[10656]="Barkmail Vest",
[10657]="Talbar Mantle",
[10658]="Quagmire Galoshes",
[10659]="Shard of Afrasa",
[10660]="First Mosh\'aru Tablet",
[10661]="Second Mosh\'aru Tablet",
[10662]="Filled Egg of Hakkar",
[10663]="Essence of Hakkar",
[10664]="A Note to Magus Rimtori",
[10678]="Magatha\'s Note",
[10679]="Andron\'s Note",
[10680]="Jes\'rimon\'s Note",
[10681]="Xylem\'s Note",
[10682]="Belnistrasz\'s Oathstone",
[10684]="Colossal Parachute",
[10686]="Aegis of Battle",
[10687]="Empty Vial Labeled #1",
[10688]="Empty Vial Labeled #2",
[10689]="Empty Vial Labeled #3",
[10690]="Empty Vial Labeled #4",
[10691]="Filled Vial Labeled #1",
[10692]="Filled Vial Labeled #2",
[10693]="Filled Vial Labeled #3",
[10694]="Filled Vial Labeled #4",
[10695]="Box of Empty Vials",
[10696]="Enchanted Azsharite Felbane Sword",
[10697]="Enchanted Azsharite Felbane Dagger",
[10698]="Enchanted Azsharite Felbane Staff",
[10699]="Yeh\'kinya\'s Bramble",
[10700]="Encarmine Boots",
[10701]="Boots of Zua\'tec",
[10702]="Enormous Ogre Boots",
[10703]="Fiendish Skiv",
[10704]="Chillnail Splinter",
[10705]="Firwillow Wristbands",
[10706]="Nightscale Girdle",
[10707]="Steelsmith Greaves",
[10708]="Skullspell Orb",
[10709]="Pyrestone Orb",
[10710]="Dragonclaw Ring",
[10711]="Dragon\'s Blood Necklace",
[10712]="Cuely\'s Elixir",
[10713]="Plans: Inlaid Mithril Cylinder",
[10714]="Crystallized Azsharite",
[10715]="Kim\'Jael\'s Scope",
[10716]="Gnomish Shrink Ray",
[10717]="Kim\'Jael\'s Compass",
[10718]="Kim\'Jael\'s Wizzlegoober",
[10720]="Gnomish Net-o-Matic Projector",
[10721]="Gnomish Harm Prevention Belt",
[10722]="Kim\'Jael\'s Stuffed Chicken",
[10724]="Gnomish Rocket Boots",
[10725]="Gnomish Battle Chicken",
[10726]="Gnomish Mind Control Cap",
[10727]="Goblin Dragon Gun",
[10728]="Pattern: Black Swashbuckler\'s Shirt",
[10738]="Shipment to Galvan",
[10739]="Ring of Fortitude",
[10740]="Centurion Legplates",
[10741]="Lordrec Helmet",
[10742]="Dragonflight Leggings",
[10743]="Drakefire Headguard",
[10744]="Axe of the Ebon Drake",
[10745]="Kaylari Shoulders",
[10746]="Runesteel Vambraces",
[10747]="Teacher\'s Sash",
[10748]="Wanderlust Boots",
[10749]="Avenguard Helm",
[10750]="Lifeforce Dirk",
[10751]="Gemburst Circlet",
[10752]="Emerald Encrusted Chest",
[10753]="Amulet of Grol",
[10754]="Amulet of Sevine",
[10755]="Amulet of Allistarj",
[10757]="Ward of the Defiler",
[10758]="X\'caliboar",
[10759]="Severed Horn of the Defiler",
[10760]="Swine Fists",
[10761]="Coldrage Dagger",
[10762]="Robes of the Lich",
[10763]="Icemetal Barbute",
[10764]="Deathchill Armor",
[10765]="Bonefingers",
[10766]="Plaguerot Sprig",
[10767]="Savage Boar\'s Guard",
[10768]="Boar Champion\'s Belt",
[10769]="Glowing Eye of Mordresh",
[10770]="Mordresh\'s Lifeless Skull",
[10771]="Deathmage Sash",
[10772]="Glutton\'s Cleaver",
[10773]="Hakkari Urn",
[10774]="Fleshhide Shoulders",
[10775]="Carapace of Tuten\'kash",
[10776]="Silky Spider Cape",
[10777]="Arachnid Gloves",
[10778]="Necklace of Sanctuary",
[10779]="Demon\'s Blood",
[10780]="Mark of Hakkar",
[10781]="Hakkari Breastplate",
[10782]="Hakkari Shroud",
[10783]="Atal\'ai Spaulders",
[10784]="Atal\'ai Breastplate",
[10785]="Atal\'ai Leggings",
[10786]="Atal\'ai Boots",
[10787]="Atal\'ai Gloves",
[10788]="Atal\'ai Girdle",
[10789]="Manual of Engineering Disciplines",
[10790]="Gnome Engineer Membership Card",
[10791]="Goblin Engineer Membership Card",
[10792]="Nixx\'s Pledge of Secrecy",
[10793]="Overspark\'s Pledge of Secrecy",
[10794]="Oglethorpe\'s Pledge of Secrecy",
[10795]="Drakeclaw Band",
[10796]="Drakestone",
[10797]="Firebreather",
[10798]="Atal\'alarion\'s Tusk Ring",
[10799]="Headspike",
[10800]="Darkwater Bracers",
[10801]="Slitherscale Boots",
[10802]="Wingveil Cloak",
[10803]="Blade of the Wretched",
[10804]="Fist of the Damned",
[10805]="Eater of the Dead",
[10806]="Vestments of the Atal\'ai Prophet",
[10807]="Kilt of the Atal\'ai Prophet",
[10808]="Gloves of the Atal\'ai Prophet",
[10818]="Yeh\'kinya\'s Scroll",
[10819]="Wildkin Feather",
[10820]="Jackseed Belt",
[10821]="Sower\'s Cloak",
[10822]="Dark Whelpling",
[10823]="Vanquisher\'s Sword",
[10824]="Amberglow Talisman",
[10826]="Staff of Lore",
[10827]="Surveyor\'s Tunic",
[10828]="Dire Nail",
[10829]="Dragon\'s Eye",
[10830]="M73 Frag Grenade",
[10831]="Fel Orb",
[10832]="Fel Tracker Owner\'s Manual",
[10833]="Horns of Eranikus",
[10834]="Felhound Tracker Kit",
[10835]="Crest of Supremacy",
[10836]="Rod of Corrosion",
[10837]="Tooth of Eranikus",
[10838]="Might of Hakkar",
[10839]="Crystallized Note",
[10840]="Crystallized Note",
[10841]="Goldthorn Tea",
[10842]="Windscale Sarong",
[10843]="Featherskin Cape",
[10844]="Spire of Hakkar",
[10845]="Warrior\'s Embrace",
[10846]="Bloodshot Greaves",
[10847]="Dragon\'s Call",
[10858]="Plans: Solid Iron Maul",
[10918]="Wound Poison",
[10919]="Apothecary Gloves",
[10920]="Wound Poison II",
[10921]="Wound Poison III",
[10922]="Wound Poison IV",
[10938]="Lesser Magic Essence",
[10939]="Greater Magic Essence",
[10940]="Strange Dust",
[10958]="Hilary\'s Necklace",
[10959]="Demon Hide Sack",
[10978]="Small Glimmering Shard",
[10998]="Lesser Astral Essence",
[10999]="Ironfel",
[11000]="Shadowforge Key",
[11018]="Un\'Goro Soil",
[11020]="Evergreen Pouch",
[11022]="Packet of Tharlendris Seeds",
[11023]="Ancona Chicken",
[11024]="Evergreen Herb Casing",
[11026]="Tree Frog Box",
[11027]="Wood Frog Box",
[11038]="Formula: Enchant 2H Weapon - Lesser Spirit",
[11039]="Formula: Enchant Cloak - Minor Agility",
[11040]="Morrowgrain",
[11058]="Sha\'ni\'s Nose-Ring",
[11078]="Relic Coffer Key",
[11079]="Gor\'tesh\'s Lopped Off Head",
[11080]="Gor\'tesh\'s Lopped Off Head",
[11081]="Formula: Enchant Shield - Lesser Protection",
[11082]="Greater Astral Essence",
[11083]="Soul Dust",
[11084]="Large Glimmering Shard",
[11086]="Jang\'thraze the Protector",
[11098]="Formula: Enchant Cloak - Lesser Shadow Resistance",
[11101]="Formula: Enchant Bracer - Lesser Strength",
[11102]="Unhatched Sprite Darter Egg",
[11103]="Seed Voucher",
[11104]="Large Compass",
[11105]="Curled Map Parchment",
[11106]="Lion-headed Key",
[11107]="A Small Pack",
[11108]="Faded Photograph",
[11109]="Special Chicken Feed",
[11110]="Chicken Egg",
[11112]="Research Equipment",
[11113]="Crate of Foodstuffs",
[11114]="Dinosaur Bone",
[11116]="A Mangled Journal",
[11118]="Archaedic Stone",
[11119]="Milly\'s Harvest",
[11120]="Belgrom\'s Hammer",
[11121]="Darkwater Talwar",
[11122]="Carrot on a Stick",
[11123]="Rainstrider Leggings",
[11124]="Helm of Exile",
[11125]="Grape Manifest",
[11126]="Tablet of Kurniya",
[11127]="Scavenged Goods",
[11128]="Golden Rod",
[11129]="Essence of the Elements",
[11130]="Runed Golden Rod",
[11131]="Hive Wall Sample",
[11132]="Unused Scraping Vial",
[11133]="Linken\'s Training Sword",
[11134]="Lesser Mystic Essence",
[11135]="Greater Mystic Essence",
[11136]="Linken\'s Tempered Sword",
[11137]="Vision Dust",
[11138]="Small Glowing Shard",
[11139]="Large Glowing Shard",
[11140]="Prison Cell Key",
[11141]="Bait",
[11142]="Broken Samophlange",
[11143]="Nugget Slug",
[11144]="Truesilver Rod",
[11145]="Runed Truesilver Rod",
[11146]="Broken and Battered Samophlange",
[11147]="Samophlange Manual Cover",
[11148]="Samophlange Manual Page",
[11149]="Samophlange Manual",
[11150]="Formula: Enchant Gloves - Mining",
[11151]="Formula: Enchant Gloves - Herbalism",
[11152]="Formula: Enchant Gloves - Fishing",
[11162]="Linken\'s Superior Sword",
[11163]="Formula: Enchant Bracer - Lesser Deflection",
[11164]="Formula: Enchant Weapon - Lesser Beastslayer",
[11165]="Formula: Enchant Weapon - Lesser Elemental Slayer",
[11166]="Formula: Enchant Gloves - Skinning",
[11167]="Formula: Enchant Boots - Lesser Spirit",
[11168]="Formula: Enchant Shield - Lesser Block",
[11169]="Book of Aquor",
[11172]="Silvery Claws",
[11173]="Irontree Heart",
[11174]="Lesser Nether Essence",
[11175]="Greater Nether Essence",
[11176]="Dream Dust",
[11177]="Small Radiant Shard",
[11178]="Large Radiant Shard",
[11179]="Golden Flame",
[11184]="Blue Power Crystal",
[11185]="Green Power Crystal",
[11186]="Red Power Crystal",
[11187]="Stemleaf Bracers",
[11188]="Yellow Power Crystal",
[11189]="Woodland Robes",
[11190]="Viny Gloves",
[11191]="Farmer\'s Boots",
[11192]="Outfitter Gloves",
[11193]="Blazewind Breastplate",
[11194]="Prismscale Hauberk",
[11195]="Warforged Chestplate",
[11196]="Mindburst Medallion",
[11197]="Dark Keeper Key",
[11202]="Formula: Enchant Shield - Stamina",
[11203]="Formula: Enchant Gloves - Advanced Mining",
[11204]="Formula: Enchant Bracer - Greater Spirit",
[11205]="Formula: Enchant Gloves - Advanced Herbalism",
[11206]="Formula: Enchant Cloak - Lesser Agility",
[11207]="Formula: Enchant Weapon - Fiery Weapon",
[11208]="Formula: Enchant Weapon - Demonslaying",
[11222]="Head of Krom\'zar",
[11223]="Formula: Enchant Bracer - Deflection",
[11224]="Formula: Enchant Shield - Frost Resistance",
[11225]="Formula: Enchant Bracer - Greater Stamina",
[11226]="Formula: Enchant Gloves - Riding Skill",
[11227]="Piece of Krom\'zar\'s Banner",
[11229]="Brightscale Girdle",
[11230]="Encased Fiery Essence",
[11231]="Altered Black Dragonflight Molt",
[11242]="Evoroot",
[11243]="Videre Elixir",
[11262]="Orb of Lorica",
[11263]="Nether Force Wand",
[11265]="Cragwood Maul",
[11266]="Fractured Elemental Shard",
[11267]="Elemental Shard Sample",
[11268]="Head of Argelmach",
[11269]="Intact Elemental Core",
[11270]="Nixx\'s Signed Pledge",
[11282]="Oglethorpe\'s Signed Pledge",
[11283]="Overspark\'s Signed Pledge",
[11284]="Accurate Slugs",
[11285]="Jagged Arrow",
[11286]="Thorium Shackles",
[11287]="Lesser Magic Wand",
[11288]="Greater Magic Wand",
[11289]="Lesser Mystic Wand",
[11290]="Greater Mystic Wand",
[11291]="Star Wood",
[11302]="Uther\'s Strength",
[11303]="Fine Shortbow",
[11304]="Fine Longbow",
[11305]="Dense Shortbow",
[11306]="Sturdy Recurve",
[11307]="Massive Longbow",
[11308]="Sylvan Shortbow",
[11309]="The Heart of the Mountain",
[11310]="Flameseer Mantle",
[11311]="Emberscale Cape",
[11312]="Lost Thunderbrew Recipe",
[11313]="Ribbly\'s Head",
[11315]="Bloodpetal Sprout",
[11316]="Bloodpetal",
[11318]="Atal\'ai Haze",
[11319]="Unloaded Zapper",
[11320]="Bloodpetal Zapper",
[11324]="Explorer\'s Knapsack",
[11325]="Dark Iron Ale Mug",
[11362]="Medium Quiver",
[11363]="Medium Shot Pouch",
[11364]="Tabard of Stormwind",
[11366]="Helendis Riverhorn\'s Letter",
[11367]="Solomon\'s Plea to Bolvar",
[11368]="Bolvar\'s Decree",
[11370]="Dark Iron Ore",
[11371]="Dark Iron Bar",
[11382]="Blood of the Mountain",
[11384]="Broken Basilisk Teeth",
[11385]="Basilisk Scale",
[11386]="Squishy Basilisk Eye",
[11387]="Basilisk Heart",
[11388]="Basilisk Venom",
[11389]="Shimmering Basilisk Skin",
[11390]="Broken Bat Fang",
[11391]="Spined Bat Wing",
[11392]="Severed Bat Claw",
[11393]="Small Bat Skull",
[11394]="Bat Heart",
[11395]="Bat Ear",
[11402]="Sleek Bat Pelt",
[11403]="Large Bat Fang",
[11404]="Evil Bat Eye",
[11405]="Giant Silver Vein",
[11406]="Rotting Bear Carcass",
[11407]="Torn Bear Pelt",
[11408]="Bear Jaw",
[11409]="Bear Flank",
[11410]="Savage Bear Claw",
[11411]="Large Bear Bone",
[11412]="Nagmara\'s Vial",
[11413]="Nagmara\'s Filled Vial",
[11414]="Grizzled Mane",
[11415]="Mixed Berries",
[11416]="Delicate Ribcage",
[11417]="Feathery Wing",
[11418]="Hollow Wing Bone",
[11419]="Mysterious Unhatched Egg",
[11420]="Elegant Writing Tool",
[11422]="Goblin Engineer\'s Renewal Gift",
[11423]="Gnome Engineer\'s Renewal Gift",
[11444]="Grim Guzzler Boar",
[11445]="Flute of the Ancients",
[11446]="A Crumpled Up Note",
[11462]="Discarded Knife",
[11463]="Undelivered Parcel",
[11464]="Marshal Windsor\'s Lost Information",
[11465]="Marshal Windsor\'s Lost Information",
[11466]="Raschal\'s Report",
[11467]="Blackrock Medallion",
[11468]="Dark Iron Fanny Pack",
[11469]="Bloodband Bracers",
[11470]="Tablet Transcript",
[11471]="Fragile Sprite Darter Egg",
[11472]="Silvermane Stalker Flank",
[11474]="Sprite Darter Egg",
[11475]="Wine-stained Cloak",
[11476]="U\'cha\'s Pelt",
[11477]="White Ravasaur Claw",
[11478]="Un\'Goro Gorilla Pelt",
[11479]="Un\'Goro Stomper Pelt",
[11480]="Un\'Goro Thunderer Pelt",
[11482]="Crystal Pylon User\'s Manual",
[11502]="Loreskin Shoulders",
[11503]="Blood Amber",
[11504]="Piece of Threshadon Carcass",
[11507]="Spotted Hyena Pelt",
[11508]="Gamemaster\'s Slippers",
[11509]="Ravasaur Pheromone Gland",
[11510]="Lar\'korwi\'s Head",
[11511]="Cenarion Beacon",
[11512]="Patch of Tainted Skin",
[11513]="Tainted Vitriol",
[11514]="Fel Creep",
[11515]="Corrupted Soul Shard",
[11516]="Cenarion Plant Salve",
[11522]="Silver Totem of Aquementas",
[11562]="Crystal Restore",
[11563]="Crystal Force",
[11564]="Crystal Ward",
[11565]="Crystal Yield",
[11566]="Crystal Charge",
[11567]="Crystal Spire",
[11568]="Torwa\'s Pouch",
[11569]="Preserved Threshadon Meat",
[11570]="Preserved Pheromone Mixture",
[11582]="Fel Salve",
[11583]="Cactus Apple",
[11584]="Cactus Apple Surprise",
[11590]="Mechanical Repair Kit",
[11602]="Grim Guzzler Key",
[11603]="Vilerend Slicer",
[11604]="Dark Iron Plate",
[11605]="Dark Iron Shoulders",
[11606]="Dark Iron Mail",
[11607]="Dark Iron Sunderer",
[11608]="Dark Iron Pulverizer",
[11610]="Plans: Dark Iron Pulverizer",
[11611]="Plans: Dark Iron Sunderer",
[11612]="Plans: Dark Iron Plate",
[11614]="Plans: Dark Iron Mail",
[11615]="Plans: Dark Iron Shoulders",
[11617]="Eridan\'s Supplies",
[11622]="Lesser Arcanum of Rumination",
[11623]="Spritecaster Cape",
[11624]="Kentic Amice",
[11625]="Enthralled Sphere",
[11626]="Blackveil Cape",
[11627]="Fleetfoot Greaves",
[11628]="Houndmaster\'s Bow",
[11629]="Houndmaster\'s Rifle",
[11630]="Rockshard Pellets",
[11631]="Stoneshell Guard",
[11632]="Earthslag Shoulders",
[11633]="Spiderfang Carapace",
[11634]="Silkweb Gloves",
[11635]="Hookfang Shanker",
[11642]="Lesser Arcanum of Constitution",
[11643]="Lesser Arcanum of Tenacity",
[11644]="Lesser Arcanum of Resilience",
[11645]="Lesser Arcanum of Voracity",
[11646]="Lesser Arcanum of Voracity",
[11647]="Lesser Arcanum of Voracity",
[11648]="Lesser Arcanum of Voracity",
[11649]="Lesser Arcanum of Voracity",
[11662]="Ban\'thok Sash",
[11665]="Ogreseer Fists",
[11668]="Flute of Xavaric",
[11669]="Naglering",
[11674]="Jadefire Felbind",
[11675]="Shadefiend Boots",
[11677]="Graverot Cape",
[11678]="Carapace of Anub\'shiah",
[11679]="Rubicund Armguards",
[11682]="Eridan\'s Vial",
[11684]="Ironfoe",
[11685]="Splinthide Shoulders",
[11686]="Girdle of Beastial Fury",
[11702]="Grizzle\'s Skinner",
[11703]="Stonewall Girdle",
[11722]="Dregmetal Spaulders",
[11723]="Goodsteel\'s Balanced Flameberge",
[11724]="Overdue Package",
[11725]="Solid Crystal Leg Shaft",
[11726]="Savage Gladiator Chain",
[11727]="Goodsteel Ledger",
[11728]="Savage Gladiator Leggings",
[11729]="Savage Gladiator Helm",
[11730]="Savage Gladiator Grips",
[11731]="Savage Gladiator Greaves",
[11732]="Libram of Rumination",
[11733]="Libram of Constitution",
[11734]="Libram of Tenacity",
[11735]="Ragefury Eyepatch",
[11736]="Libram of Resilience",
[11737]="Libram of Voracity",
[11742]="Wayfarer\'s Knapsack",
[11743]="Rockfist",
[11744]="Bloodfist",
[11745]="Fists of Phalanx",
[11746]="Golem Skull Helm",
[11747]="Flamestrider Robes",
[11748]="Pyric Caduceus",
[11749]="Searingscale Leggings",
[11750]="Kindling Stave",
[11751]="Burning Essence",
[11752]="Black Blood of the Tormented",
[11753]="Eye of Kajal",
[11754]="Black Diamond",
[11755]="Verek\'s Collar",
[11764]="Cinderhide Armsplints",
[11765]="Pyremail Wristguards",
[11766]="Flameweave Cuffs",
[11767]="Emberplate Armguards",
[11768]="Incendic Bracers",
[11782]="Boreal Mantle",
[11783]="Chillsteel Girdle",
[11784]="Arbiter\'s Blade",
[11785]="Rock Golem Bulwark",
[11786]="Stone of the Earth",
[11787]="Shalehusk Boots",
[11802]="Lavacrest Leggings",
[11803]="Force of Magma",
[11804]="Spraggle\'s Canteen",
[11805]="Rubidium Hammer",
[11807]="Sash of the Burning Heart",
[11808]="Circle of Flame",
[11809]="Flame Wrath",
[11810]="Force of Will",
[11811]="Smoking Heart of the Mountain",
[11812]="Cape of the Fire Salamander",
[11813]="Formula: Smoking Heart of the Mountain",
[11814]="Molten Fists",
[11815]="Hand of Justice",
[11816]="Angerforge\'s Battle Axe",
[11817]="Lord General\'s Sword",
[11818]="Grimesilt Outhouse Key",
[11819]="Second Wind",
[11820]="Royal Decorated Armor",
[11821]="Warstrife Leggings",
[11822]="Omnicast Boots",
[11823]="Luminary Kilt",
[11824]="Cyclopean Band",
[11825]="Pet Bombling",
[11826]="Lil\' Smoky",
[11827]="Schematic: Lil\' Smoky",
[11828]="Schematic: Pet Bombling",
[11829]="Un\'Goro Ash",
[11830]="Webbed Diemetradon Scale",
[11831]="Webbed Pterrordax Scale",
[11832]="Burst of Knowledge",
[11833]="Gorishi Queen Lure",
[11834]="Super Sticky Tar",
[11835]="Gorishi Queen Brain",
[11837]="Gorishi Scent Gland",
[11839]="Chief Architect\'s Monocle",
[11840]="Master Builder\'s Shirt",
[11841]="Senior Designer\'s Pantaloons",
[11842]="Lead Surveyor\'s Mantle",
[11843]="Bank Voucher",
[11844]="Pestlezugg\'s Un\'Goro Report",
[11845]="Handmade Leather Bag",
[11846]="Wizbang\'s Special Brew",
[11847]="Battered Cloak",
[11848]="Flax Belt",
[11849]="Rustmetal Bracers",
[11850]="Short Duskbat Cape",
[11851]="Scavenger Tunic",
[11852]="Roamer\'s Leggings",
[11853]="Rambling Boots",
[11854]="Samophlange Screwdriver",
[11855]="Tork Wrench",
[11856]="Ceremonial Elven Blade",
[11857]="Sanctimonial Rod",
[11858]="Battlehard Cape",
[11859]="Jademoon Orb",
[11860]="Charged Lightning Rod",
[11861]="Girdle of Reprisal",
[11862]="White Bone Band",
[11863]="White Bone Shredder",
[11864]="White Bone Spear",
[11865]="Rancor Boots",
[11866]="Nagmara\'s Whipping Belt",
[11867]="Maddening Gauntlets",
[11868]="Choking Band",
[11869]="Sha\'ni\'s Ring",
[11870]="Oblivion Orb",
[11871]="Snarkshaw Spaulders",
[11872]="Eschewal Greaves",
[11873]="Ethereal Mist Cape",
[11874]="Clouddrift Mantle",
[11875]="Breezecloud Bracers",
[11876]="Plainstalker Tunic",
[11882]="Outrider Leggings",
[11883]="A Dingy Fanny Pack",
[11884]="Moonlit Amice",
[11885]="Shadowforge Torch",
[11886]="Urgent Message",
[11887]="Cenarion Circle Cache",
[11888]="Quintis\' Research Gloves",
[11889]="Bark Iron Pauldrons",
[11902]="Linken\'s Sword of Mastery",
[11904]="Spirit of Aquementas",
[11905]="Linken\'s Boomerang",
[11906]="Beastsmasher",
[11907]="Beastslayer",
[11908]="Archaeologist\'s Quarry Boots",
[11909]="Excavator\'s Utility Belt",
[11910]="Bejeweled Legguards",
[11911]="Treetop Leggings",
[11912]="Package of Empty Ooze Containers",
[11913]="Clayridge Helm",
[11914]="Empty Cursed Ooze Jar",
[11915]="Shizzle\'s Drizzle Blocker",
[11916]="Shizzle\'s Muzzle",
[11917]="Shizzle\'s Nozzle Wiper",
[11918]="Grotslab Gloves",
[11919]="Cragplate Greaves",
[11920]="Wraith Scythe",
[11921]="Impervious Giant",
[11922]="Blood-etched Blade",
[11923]="The Hammer of Grace",
[11924]="Robes of the Royal Crown",
[11925]="Ghostshroud",
[11926]="Deathdealer Breastplate",
[11927]="Legplates of the Eternal Guardian",
[11928]="Thaurissan\'s Royal Scepter",
[11929]="Haunting Specter Leggings",
[11930]="The Emperor\'s New Cape",
[11931]="Dreadforge Retaliator",
[11932]="Guiding Stave of Wisdom",
[11933]="Imperial Jewel",
[11934]="Emperor\'s Seal",
[11935]="Magmus Stone",
[11936]="Relic Hunter Belt",
[11937]="Fat Sack of Coins",
[11938]="Sack of Gems",
[11939]="Shiny Bracelet",
[11940]="Sparkly Necklace",
[11941]="False Documents",
[11942]="Legal Documents",
[11943]="Deed to Thandol Span",
[11944]="Dark Iron Baby Booties",
[11945]="Dark Iron Ring",
[11946]="Fire Opal Necklace",
[11947]="Filled Cursed Ooze Jar",
[11948]="Empty Tainted Ooze Jar",
[11949]="Filled Tainted Ooze Jar",
[11950]="Windblossom Berries",
[11951]="Whipper Root Tuber",
[11952]="Night Dragon\'s Breath",
[11953]="Empty Pure Sample Jar",
[11954]="Filled Pure Sample Jar",
[11955]="Bag of Empty Ooze Containers",
[11962]="Manacle Cuffs",
[11963]="Penance Spaulders",
[11964]="Swiftstrike Cudgel",
[11965]="Quartz Ring",
[11966]="Small Sack of Coins",
[11967]="Zircon Band",
[11968]="Amber Hoop",
[11969]="Jacinth Circle",
[11970]="Spinel Ring",
[11971]="Amethyst Band",
[11972]="Carnelian Loop",
[11973]="Hematite Link",
[11974]="Aquamarine Ring",
[11975]="Topaz Ring",
[11976]="Sardonyx Knuckle",
[11977]="Serpentine Loop",
[11978]="Jasper Link",
[11979]="Peridot Circle",
[11980]="Opal Ring",
[11981]="Lead Band",
[11982]="Viridian Band",
[11983]="Chrome Ring",
[11984]="Cobalt Ring",
[11985]="Cerulean Ring",
[11986]="Thallium Hoop",
[11987]="Iridium Circle",
[11988]="Tellurium Band",
[11989]="Vanadium Loop",
[11990]="Selenium Loop",
[11991]="Quicksilver Ring",
[11992]="Vermilion Band",
[11993]="Clay Ring",
[11994]="Coral Band",
[11995]="Ivory Band",
[11996]="Basalt Ring",
[11997]="Greenstone Circle",
[11998]="Jet Loop",
[11999]="Lodestone Hoop",
[12000]="Limb Cleaver",
[12001]="Onyx Ring",
[12002]="Marble Circle",
[12003]="Dark Dwarven Lager",
[12004]="Obsidian Band",
[12005]="Granite Ring",
[12006]="Meadow Ring",
[12007]="Prairie Ring",
[12008]="Savannah Ring",
[12009]="Tundra Ring",
[12010]="Fen Ring",
[12011]="Forest Hoop",
[12012]="Marsh Ring",
[12013]="Desert Ring",
[12014]="Arctic Ring",
[12015]="Swamp Ring",
[12016]="Jungle Ring",
[12017]="Prismatic Band",
[12018]="Conservator Helm",
[12019]="Cerulean Talisman",
[12020]="Thallium Choker",
[12021]="Shieldplate Sabatons",
[12022]="Iridium Chain",
[12023]="Tellurium Necklace",
[12024]="Vanadium Talisman",
[12025]="Selenium Chain",
[12026]="Quicksilver Pendant",
[12027]="Vermilion Necklace",
[12028]="Basalt Necklace",
[12029]="Greenstone Talisman",
[12030]="Jet Chain",
[12031]="Lodestone Necklace",
[12032]="Onyx Choker",
[12033]="Thaurissan Family Jewels",
[12034]="Marble Necklace",
[12035]="Obsidian Pendant",
[12036]="Granite Necklace",
[12037]="Mystery Meat",
[12038]="Lagrave\'s Seal",
[12039]="Tundra Necklace",
[12040]="Forest Pendant",
[12041]="Windshear Leggings",
[12042]="Marsh Chain",
[12043]="Desert Choker",
[12044]="Arctic Pendant",
[12045]="Swamp Pendant",
[12046]="Jungle Necklace",
[12047]="Spectral Necklace",
[12048]="Prismatic Pendant",
[12049]="Splintsteel Armor",
[12050]="Hazecover Boots",
[12051]="Brazen Gauntlets",
[12052]="Ring of the Moon",
[12053]="Volcanic Rock Ring",
[12054]="Demon Band",
[12055]="Stardust Band",
[12056]="Ring of the Heavens",
[12057]="Dragonscale Band",
[12058]="Demonic Bone Ring",
[12059]="Conqueror\'s Medallion",
[12060]="Shindrell\'s Note",
[12061]="Blade of Reckoning",
[12062]="Skilled Fighting Blade",
[12064]="Gamemaster Hood",
[12065]="Ward of the Elements",
[12066]="Shaleskin Cape",
[12082]="Wyrmhide Spaulders",
[12083]="Valconian Sash",
[12102]="Ring of the Aristocrat",
[12103]="Star of Mystaria",
[12108]="Basaltscale Armor",
[12109]="Azure Moon Amice",
[12110]="Raincaster Drape",
[12111]="Lavaplate Gauntlets",
[12112]="Crypt Demon Bracers",
[12113]="Sunborne Cape",
[12114]="Nightfall Gloves",
[12115]="Stalwart Clutch",
[12122]="Kum\'isha\'s Junk",
[12144]="Eggscilloscope",
[12162]="Plans: Hardened Iron Shortsword",
[12163]="Plans: Moonsteel Broadsword",
[12164]="Plans: Massive Iron Axe",
[12184]="Raptor Flesh",
[12185]="Bloodsail Admiral\'s Hat",
[12190]="Dreamless Sleep Potion",
[12191]="Silver Dawning\'s Lockbox",
[12192]="Mist Veil\'s Lockbox",
[12202]="Tiger Meat",
[12203]="Red Wolf Meat",
[12204]="Heavy Kodo Meat",
[12205]="White Spider Meat",
[12206]="Tender Crab Meat",
[12207]="Giant Egg",
[12208]="Tender Wolf Meat",
[12209]="Lean Wolf Steak",
[12210]="Roast Raptor",
[12212]="Jungle Stew",
[12213]="Carrion Surprise",
[12214]="Mystery Stew",
[12215]="Heavy Kodo Stew",
[12216]="Spiced Chili Crab",
[12217]="Dragonbreath Chili",
[12218]="Monster Omelet",
[12219]="Unadorned Seal of Ascension",
[12220]="Intact Elemental Bracer",
[12223]="Meaty Bat Wing",
[12224]="Crispy Bat Wing",
[12225]="Blump Family Fishing Pole",
[12226]="Recipe: Crispy Bat Wing",
[12227]="Recipe: Lean Wolf Steak",
[12228]="Recipe: Roast Raptor",
[12229]="Recipe: Hot Wolf Ribs",
[12230]="Felwood Slime Sample",
[12231]="Recipe: Jungle Stew",
[12232]="Recipe: Carrion Surprise",
[12233]="Recipe: Mystery Stew",
[12234]="Corrupted Felwood Sample",
[12235]="Un\'Goro Slime Sample",
[12236]="Pure Un\'Goro Sample",
[12237]="Fine Crab Chunks",
[12238]="Darkshore Grouper",
[12239]="Recipe: Dragonbreath Chili",
[12240]="Recipe: Heavy Kodo Stew",
[12241]="Collected Dragon Egg",
[12242]="Sea Creature Bones",
[12243]="Smoldering Claw",
[12247]="Broad Bladed Knife",
[12248]="Daring Dirk",
[12249]="Merciless Axe",
[12250]="Midnight Axe",
[12251]="Big Stick",
[12252]="Staff of Protection",
[12253]="Brilliant Red Cloak",
[12254]="Well Oiled Cloak",
[12255]="Pale Leggings",
[12256]="Cindercloth Leggings",
[12257]="Heavy Notched Belt",
[12259]="Glinting Steel Dagger",
[12260]="Searing Golden Blade",
[12261]="Plans: Searing Golden Blade",
[12262]="Empty Worg Pup Cage",
[12263]="Caged Worg Pup",
[12264]="Worg Carrier",
[12282]="Worn Battleaxe",
[12283]="Broodling Essence",
[12284]="Draco-Incarcinatrix 900",
[12286]="Eggscilloscope Prototype",
[12287]="Collectronic Module",
[12288]="Encased Corrupt Ooze",
[12289]="Sea Turtle Remains",
[12291]="Merged Ooze Sample",
[12292]="Strangely Marked Box",
[12293]="Fine Gold Thread",
[12295]="Leggings of the People\'s Militia",
[12296]="Spark of the People\'s Militia",
[12299]="Netted Gloves",
[12300]="Orb of Draconic Energy",
[12301]="Bamboo Cage Key",
[12302]="Reins of the Frostsaber",
[12303]="Reins of the Nightsaber",
[12323]="Unforged Seal of Ascension",
[12324]="Forged Seal of Ascension",
[12325]="Reins of the Primal Leopard",
[12326]="Reins of the Tawny Sabercat",
[12327]="Reins of the Golden Sabercat",
[12330]="Horn of the Red Wolf",
[12334]="Frostmaul Shards",
[12335]="Gemstone of Smolderthorn",
[12336]="Gemstone of Spirestone",
[12337]="Gemstone of Bloodaxe",
[12339]="Vaelan\'s Gift",
[12341]="Blackwood Fruit Sample",
[12342]="Blackwood Grain Sample",
[12343]="Blackwood Nut Sample",
[12344]="Seal of Ascension",
[12345]="Bijou\'s Belongings",
[12346]="Empty Cleansing Bowl",
[12347]="Filled Cleansing Bowl",
[12349]="Cliffspring River Sample",
[12350]="Empty Sampling Tube",
[12351]="Horn of the Arctic Wolf",
[12352]="Doomrigger\'s Clasp",
[12353]="White Stallion Bridle",
[12354]="Palomino Bridle",
[12355]="Talisman of Corruption",
[12356]="Highperch Wyvern Egg",
[12358]="Darkstone Tablet",
[12359]="Thorium Bar",
[12360]="Arcanite Bar",
[12361]="Blue Sapphire",
[12363]="Arcane Crystal",
[12364]="Huge Emerald",
[12365]="Dense Stone",
[12366]="Thick Yeti Fur",
[12367]="Pristine Yeti Horn",
[12368]="Dawn\'s Gambit",
[12382]="Key to the City",
[12383]="Moontouched Feather",
[12384]="Cache of Mau\'ari",
[12400]="The Judge\'s Gavel",
[12402]="Ancient Egg",
[12404]="Dense Sharpening Stone",
[12405]="Thorium Armor",
[12406]="Thorium Belt",
[12408]="Thorium Bracers",
[12409]="Thorium Boots",
[12410]="Thorium Helm",
[12411]="Third Mosh\'aru Tablet",
[12412]="Fourth Mosh\'aru Tablet",
[12414]="Thorium Leggings",
[12415]="Radiant Breastplate",
[12416]="Radiant Belt",
[12417]="Radiant Circlet",
[12418]="Radiant Gloves",
[12419]="Radiant Boots",
[12420]="Radiant Leggings",
[12422]="Imperial Plate Chest",
[12424]="Imperial Plate Belt",
[12425]="Imperial Plate Bracers",
[12426]="Imperial Plate Boots",
[12427]="Imperial Plate Helm",
[12428]="Imperial Plate Shoulders",
[12429]="Imperial Plate Leggings",
[12430]="Frostsaber E\'ko",
[12431]="Winterfall E\'ko",
[12432]="Shardtooth E\'ko",
[12433]="Wildkin E\'ko",
[12434]="Chillwind E\'ko",
[12435]="Ice Thistle E\'ko",
[12436]="Frostmaul E\'ko",
[12437]="Ridgewell\'s Crate",
[12438]="Tinkee\'s Letter",
[12444]="Uncracked Chillwind Horn",
[12445]="Felnok\'s Package",
[12446]="Anvilmar Musket",
[12447]="Thistlewood Bow",
[12448]="Light Hunting Rifle",
[12449]="Primitive Bow",
[12450]="Juju Flurry",
[12451]="Juju Power",
[12455]="Juju Ember",
[12457]="Juju Chill",
[12458]="Juju Guile",
[12459]="Juju Escape",
[12460]="Juju Might",
[12462]="Embrace of the Wind Serpent",
[12463]="Drakefang Butcher",
[12464]="Bloodfire Talons",
[12465]="Nightfall Drape",
[12466]="Dawnspire Cord",
[12467]="Alien Egg",
[12470]="Sandstalker Ankleguards",
[12471]="Desertwalker Cane",
[12472]="Krakle\'s Thermometer",
[12522]="Bingles\' Flying Gloves",
[12524]="Blue-feathered Amulet",
[12525]="Jaron\'s Supplies",
[12527]="Ribsplitter",
[12528]="The Judge\'s Gavel",
[12529]="Smolderweb Carrier",
[12530]="Spire Spider Egg",
[12531]="Searing Needle",
[12532]="Spire of the Stoneshaper",
[12533]="Roughshod Pike",
[12534]="Omokk\'s Head",
[12535]="Doomforged Straightedge",
[12542]="Funeral Pyre Vestment",
[12543]="Songstone of Ironforge",
[12544]="Thrall\'s Resolve",
[12545]="Eye of Orgrimmar",
[12546]="Aristocratic Cuffs",
[12547]="Mar Alom\'s Grip",
[12548]="Magni\'s Will",
[12549]="Braincage",
[12550]="Runed Golem Shackles",
[12551]="Stoneshield Cloak",
[12552]="Blisterbane Wrap",
[12553]="Swiftwalker Boots",
[12554]="Hands of the Exalted Herald",
[12555]="Battlechaser\'s Greaves",
[12556]="High Priestess Boots",
[12557]="Ebonsteel Spaulders",
[12558]="Blue-feathered Necklace",
[12562]="Important Blackrock Documents",
[12563]="Warlord Goretooth\'s Command",
[12564]="Assassination Note",
[12565]="Winna\'s Kitten Carrier",
[12566]="Hardened Flasket",
[12567]="Filled Flasket",
[12582]="Keris of Zul\'Serak",
[12583]="Blackhand Doomsaw",
[12584]="Grand Marshal\'s Longsword",
[12586]="Immature Venom Sac",
[12587]="Eye of Rend",
[12588]="Bonespike Shoulder",
[12589]="Dustfeather Sash",
[12590]="Deathstriker",
[12592]="Blackblade of Shahram",
[12602]="Draconian Deflector",
[12603]="Nightbrace Tunic",
[12604]="Starfire Tiara",
[12605]="Serpentine Skuller",
[12606]="Crystallized Girdle",
[12607]="Brilliant Chromatic Scale",
[12608]="Butcher\'s Apron",
[12609]="Polychromatic Visionwrap",
[12610]="Runic Plate Shoulders",
[12611]="Runic Plate Boots",
[12612]="Runic Plate Helm",
[12613]="Runic Breastplate",
[12614]="Runic Plate Leggings",
[12618]="Enchanted Thorium Breastplate",
[12619]="Enchanted Thorium Leggings",
[12620]="Enchanted Thorium Helm",
[12621]="Demonfork",
[12622]="Shardtooth Meat",
[12623]="Chillwind Meat",
[12624]="Wildthorn Mail",
[12625]="Dawnbringer Shoulders",
[12626]="Funeral Cuffs",
[12627]="Temporal Displacer",
[12628]="Demon Forged Breastplate",
[12630]="Head of Rend Blackhand",
[12631]="Fiery Plate Gauntlets",
[12632]="Storm Gauntlets",
[12633]="Whitesoul Helm",
[12634]="Chiselbrand Girdle",
[12635]="Simple Parchment",
[12636]="Helm of the Great Chief",
[12637]="Backusarian Gauntlets",
[12638]="Andorhal Watch",
[12639]="Stronghold Gauntlets",
[12640]="Lionheart Helm",
[12641]="Invulnerable Mail",
[12642]="Cleansed Infernal Orb",
[12643]="Dense Weightstone",
[12644]="Dense Grinding Stone",
[12645]="Thorium Shield Spike",
[12646]="Infus Emerald",
[12647]="Felhas Ruby",
[12648]="Imprisoned Felhound Spirit",
[12649]="Imprisoned Infernal Spirit",
[12650]="Attuned Dampener",
[12651]="Blackcrow",
[12652]="Bijou\'s Reconnaissance Report",
[12653]="Riphook",
[12654]="Doomshot",
[12655]="Enchanted Thorium Bar",
[12662]="Demonic Rune",
[12663]="Glyphed Oaken Branch",
[12682]="Plans: Thorium Armor",
[12683]="Plans: Thorium Belt",
[12684]="Plans: Thorium Bracers",
[12685]="Plans: Radiant Belt",
[12687]="Plans: Imperial Plate Shoulders",
[12688]="Plans: Imperial Plate Belt",
[12689]="Plans: Radiant Breastplate",
[12690]="Plans: Imperial Plate Bracers",
[12691]="Plans: Wildthorn Mail",
[12692]="Plans: Thorium Shield Spike",
[12693]="Plans: Thorium Boots",
[12694]="Plans: Thorium Helm",
[12695]="Plans: Radiant Gloves",
[12696]="Plans: Demon Forged Breastplate",
[12697]="Plans: Radiant Boots",
[12698]="Plans: Dawnbringer Shoulders",
[12699]="Plans: Fiery Plate Gauntlets",
[12700]="Plans: Imperial Plate Boots",
[12701]="Plans: Imperial Plate Helm",
[12702]="Plans: Radiant Circlet",
[12703]="Plans: Storm Gauntlets",
[12704]="Plans: Thorium Leggings",
[12705]="Plans: Imperial Plate Chest",
[12706]="Plans: Runic Plate Shoulders",
[12707]="Plans: Runic Plate Boots",
[12708]="Crossroads\' Supply Crates",
[12709]="Finkle\'s Skinner",
[12710]="Glowing Hunk of the Beast\'s Flesh",
[12711]="Plans: Whitesoul Helm",
[12712]="Warosh\'s Mojo",
[12713]="Plans: Radiant Leggings",
[12714]="Plans: Runic Plate Helm",
[12715]="Plans: Imperial Plate Leggings",
[12716]="Plans: Helm of the Great Chief",
[12717]="Plans: Lionheart Helm",
[12718]="Plans: Runic Breastplate",
[12719]="Plans: Runic Plate Leggings",
[12720]="Plans: Stronghold Gauntlets",
[12721]="Good Luck Half-Charm",
[12722]="Good Luck Other-Half-Charm",
[12723]="Good Luck Charm",
[12724]="Janice\'s Parcel",
[12725]="Plans: Enchanted Thorium Helm",
[12726]="Plans: Enchanted Thorium Leggings",
[12727]="Plans: Enchanted Thorium Breastplate",
[12728]="Plans: Invulnerable Mail",
[12730]="Warosh\'s Scroll",
[12731]="Pristine Hide of the Beast",
[12732]="Incendia Agave",
[12733]="Sacred Frostsaber Meat",
[12734]="Enchanted Scarlet Thread",
[12735]="Frayed Abomination Stitching",
[12736]="Frostwhisper\'s Embalming Fluid",
[12737]="Gloom Weed",
[12738]="Dalson Outhouse Key",
[12739]="Dalson Cabinet Key",
[12740]="Fifth Mosh\'aru Tablet",
[12741]="Sixth Mosh\'aru Tablet",
[12752]="Cap of the Scarlet Savant",
[12753]="Skin of Shadow",
[12756]="Leggings of Arcana",
[12757]="Breastplate of Bloodthirst",
[12765]="Secret Note #1",
[12766]="Secret Note #2",
[12768]="Secret Note #3",
[12770]="Bijou\'s Information",
[12771]="Empty Firewater Flask",
[12772]="Inlaid Thorium Hammer",
[12773]="Ornate Thorium Handaxe",
[12774]="Dawn\'s Edge",
[12775]="Huge Thorium Battleaxe",
[12776]="Enchanted Battlehammer",
[12777]="Blazing Rapier",
[12780]="General Drakkisath\'s Command",
[12781]="Serenity",
[12782]="Corruption",
[12783]="Heartseeker",
[12784]="Arcanite Reaper",
[12785]="Incendia Powder",
[12790]="Arcanite Champion",
[12791]="Barman Shanker",
[12792]="Volcanic Hammer",
[12793]="Mixologist\'s Tunic",
[12794]="Masterwork Stormhammer",
[12796]="Hammer of the Titans",
[12797]="Frostguard",
[12798]="Annihilator",
[12799]="Large Opal",
[12800]="Azerothian Diamond",
[12803]="Living Essence",
[12804]="Powerful Mojo",
[12806]="Unforged Rune Covered Breastplate",
[12807]="Scourge Banner",
[12808]="Essence of Undeath",
[12809]="Guardian Stone",
[12810]="Enchanted Leather",
[12811]="Righteous Orb",
[12812]="Unfired Plate Gauntlets",
[12813]="Flask of Mystery Goo",
[12814]="Flame in a Bottle",
[12815]="Beacon Torch",
[12819]="Plans: Ornate Thorium Handaxe",
[12820]="Winterfall Firewater",
[12821]="Plans: Dawn\'s Edge",
[12822]="Toxic Horror Droplet",
[12823]="Plans: Huge Thorium Battleaxe",
[12824]="Plans: Enchanted Battlehammer",
[12825]="Plans: Blazing Rapier",
[12827]="Plans: Serenity",
[12828]="Plans: Volcanic Hammer",
[12829]="Winterfall Crate",
[12830]="Plans: Corruption",
[12833]="Plans: Hammer of the Titans",
[12834]="Plans: Arcanite Champion",
[12835]="Plans: Annihilator",
[12836]="Plans: Frostguard",
[12837]="Plans: Masterwork Stormhammer",
[12838]="Plans: Arcanite Reaper",
[12839]="Plans: Heartseeker",
[12840]="Minion\'s Scourgestone",
[12841]="Invader\'s Scourgestone",
[12842]="Crudely-written Log",
[12843]="Corruptor\'s Scourgestone",
[12844]="Argent Dawn Valor Token",
[12845]="Medallion of Faith",
[12846]="Argent Dawn Commission",
[12847]="Soul Stained Pike",
[12848]="Blood Stained Pike",
[12849]="Demon Kissed Sack",
[12871]="Chromatic Carapace",
[12884]="Arnak\'s Hoof",
[12885]="Pamela\'s Doll",
[12886]="Pamela\'s Doll\'s Head",
[12887]="Pamela\'s Doll\'s Left Side",
[12888]="Pamela\'s Doll\'s Right Side",
[12891]="Jaron\'s Pick",
[12894]="Joseph\'s Wedding Ring",
[12895]="Breastplate of the Chromatic Flight",
[12896]="First Relic Fragment",
[12897]="Second Relic Fragment",
[12898]="Third Relic Fragment",
[12899]="Fourth Relic Fragment",
[12900]="Annals of Darrowshire",
[12903]="Legguards of the Chromatic Defier",
[12905]="Wildfire Cape",
[12906]="Purified Moonwell Water",
[12907]="Corrupt Moonwell Water",
[12922]="Empty Canteen",
[12923]="Awbee\'s Scale",
[12924]="Ritual Candle",
[12925]="Arikara Serpent Skin",
[12926]="Flaming Band",
[12927]="Truestrike Shoulders",
[12928]="Umi\'s Mechanical Yeti",
[12929]="Emberfury Talisman",
[12930]="Briarwood Reed",
[12935]="Warmaster Legguards",
[12936]="Battleborn Armbraces",
[12938]="Blood of Heroes",
[12939]="Dal\'Rend\'s Tribal Guardian",
[12940]="Dal\'Rend\'s Sacred Charge",
[12942]="Panther Cage Key",
[12945]="Legplates of the Chromatic Defier",
[12946]="Hypercapacitor Gizmo",
[12947]="Alex\'s Ring of Audacity",
[12952]="Gyth\'s Skull",
[12953]="Dragoneye Coif",
[12954]="Davil\'s Libram",
[12955]="Redpath\'s Shield",
[12956]="Skull of Horgus",
[12957]="Shattered Sword of Marduk",
[12958]="Recipe: Transmute Arcanite",
[12960]="Tribal War Feathers",
[12963]="Blademaster Leggings",
[12964]="Tristam Legguards",
[12965]="Spiritshroud Leggings",
[12966]="Blackmist Armguards",
[12967]="Bloodmoon Cloak",
[12968]="Frostweaver Cape",
[12969]="Seeping Willow",
[12973]="Scarlet Cannonball",
[12974]="The Black Knight",
[12975]="Prospector Axe",
[12976]="Ironpatch Blade",
[12977]="Magefist Gloves",
[12978]="Stormbringer Belt",
[12979]="Firebane Cloak",
[12982]="Silver-linked Footguards",
[12983]="Rakzur Club",
[12984]="Skycaller",
[12985]="Ring of Defense",
[12987]="Darkweave Breeches",
[12988]="Starsight Tunic",
[12989]="Gargoyle\'s Bite",
[12990]="Razor\'s Edge",
[12992]="Searing Blade",
[12994]="Thorbia\'s Gauntlets",
[12996]="Band of Purification",
[12997]="Redbeard Crest",
[12998]="Magician\'s Mantle",
[12999]="Drakewing Bands",
[13000]="Staff of Hale Magefire",
[13001]="Maiden\'s Circle",
[13002]="Lady Alizabeth\'s Pendant",
[13003]="Lord Alexander\'s Battle Axe",
[13004]="Torch of Austen",
[13005]="Amy\'s Blanket",
[13006]="Mass of McGowan",
[13007]="Mageflame Cloak",
[13008]="Dalewind Trousers",
[13009]="Cow King\'s Hide",
[13010]="Dreamsinger Legguards",
[13011]="Silver-lined Belt",
[13012]="Yorgen Bracers",
[13013]="Elder Wizard\'s Mantle",
[13014]="Axe of Rin\'ji",
[13015]="Serathil",
[13016]="Killmaim",
[13017]="Hellslayer Battle Axe",
[13018]="Executioner\'s Cleaver",
[13019]="Harpyclaw Short Bow",
[13020]="Skystriker Bow",
[13021]="Needle Threader",
[13022]="Gryphonwing Long Bow",
[13023]="Eaglehorn Long Bow",
[13024]="Beazel\'s Basher",
[13025]="Deadwood Sledge",
[13026]="Heaven\'s Light",
[13027]="Bonesnapper",
[13028]="Bludstone Hammer",
[13029]="Umbral Crystal",
[13030]="Basilisk Bone",
[13031]="Orb of Mistmantle",
[13032]="Sword of Corruption",
[13033]="Zealot Blade",
[13034]="Speedsteel Rapier",
[13035]="Serpent Slicer",
[13036]="Assassination Blade",
[13037]="Crystalpine Stinger",
[13038]="Swiftwind",
[13039]="Skull Splitting Crossbow",
[13040]="Heartseeking Crossbow",
[13041]="Guardian Blade",
[13042]="Sword of the Magistrate",
[13043]="Blade of the Titans",
[13044]="Demonslayer",
[13045]="Viscous Hammer",
[13046]="Blanchard\'s Stout",
[13047]="Twig of the World Tree",
[13048]="Looming Gavel",
[13049]="Deanship Claymore",
[13051]="Witchfury",
[13052]="Warmonger",
[13053]="Doombringer",
[13054]="Grim Reaper",
[13055]="Bonechewer",
[13056]="Frenzied Striker",
[13057]="Bloodpike",
[13058]="Khoo\'s Point",
[13059]="Stoneraven",
[13060]="The Needler",
[13062]="Thunderwood",
[13063]="Starfaller",
[13064]="Jaina\'s Firestarter",
[13065]="Wand of Allistarj",
[13066]="Wyrmslayer Spaulders",
[13067]="Hydralick Armor",
[13068]="Obsidian Greaves",
[13070]="Sapphiron\'s Scale Boots",
[13071]="Plated Fist of Hakoo",
[13072]="Stonegrip Gauntlets",
[13073]="Mugthol\'s Helm",
[13074]="Golem Shard Leggings",
[13075]="Direwing Legguards",
[13076]="Giantslayer Bracers",
[13077]="Girdle of Uther",
[13079]="Shield of Thorsen",
[13081]="Skullance Shield",
[13082]="Mountainside Buckler",
[13083]="Garrett Family Crest",
[13084]="Kaleidoscope Chain",
[13085]="Horizon Choker",
[13086]="Reins of the Winterspring Frostsaber",
[13087]="River Pride Choker",
[13088]="Gazlowe\'s Charm",
[13089]="Skibi\'s Pendant",
[13091]="Medallion of Grand Marshal Morris",
[13093]="Blush Ember Ring",
[13094]="The Queen\'s Jewel",
[13095]="Assault Band",
[13096]="Band of the Hierophant",
[13097]="Thunderbrow Ring",
[13098]="Painweaver Band",
[13099]="Moccasins of the White Hare",
[13100]="Furen\'s Boots",
[13101]="Wolfrunner Shoes",
[13102]="Cassandra\'s Grace",
[13103]="Pads of the Venom Spider",
[13105]="Sutarn\'s Ring",
[13106]="Glowing Magical Bracelets",
[13107]="Magiskull Cuffs",
[13108]="Tigerstrike Mantle",
[13109]="Blackflame Cape",
[13110]="Wolffear Harness",
[13111]="Sandals of the Insurgent",
[13112]="Winged Helm",
[13113]="Feathermoon Headdress",
[13114]="Troll\'s Bane Leggings",
[13115]="Sheepshear Mantle",
[13116]="Spaulders of the Unseen",
[13117]="Ogron\'s Sash",
[13118]="Serpentine Sash",
[13119]="Enchanted Kodo Bracers",
[13120]="Deepfury Bracers",
[13121]="Wing of the Whelpling",
[13122]="Dark Phantom Cape",
[13123]="Dreamwalker Armor",
[13124]="Ravasaur Scale Boots",
[13125]="Elven Chain Boots",
[13126]="Battlecaller Gauntlets",
[13127]="Frostreaver Crown",
[13128]="High Bergg Helm",
[13129]="Firemane Leggings",
[13130]="Windrunner Legguards",
[13131]="Sparkleshell Mantle",
[13132]="Skeletal Shoulders",
[13133]="Drakesfire Epaulets",
[13134]="Belt of the Gladiator",
[13135]="Lordly Armguards",
[13136]="Lil Timmy\'s Peashooter",
[13137]="Ironweaver",
[13138]="The Silencer",
[13139]="Guttbuster",
[13140]="Blood Red Key",
[13141]="Tooth of Gnarr",
[13142]="Brigam Girdle",
[13143]="Mark of the Dragon Lord",
[13144]="Serenity Belt",
[13145]="Enormous Ogre Belt",
[13146]="Shell Launcher Shotgun",
[13148]="Chillpike",
[13155]="Resonating Skull",
[13156]="Mystic Crystal",
[13157]="Fetid Skull",
[13158]="Words of the High Chief",
[13159]="Bone Dust",
[13161]="Trindlehaven Staff",
[13162]="Reiver Claws",
[13163]="Relentless Scythe",
[13164]="Heart of the Scale",
[13166]="Slamshot Shoulders",
[13167]="Fist of Omokk",
[13168]="Plate of the Shaman King",
[13169]="Tressermane Leggings",
[13170]="Skyshroud Leggings",
[13171]="Smokey\'s Lighter",
[13172]="Siabi\'s Premium Tobacco",
[13173]="Flightblade Throwing Axe",
[13174]="Plagued Flesh Sample",
[13175]="Voone\'s Twitchbow",
[13176]="Scourge Data",
[13177]="Talisman of Evasion",
[13178]="Rosewine Circle",
[13179]="Brazecore Armguards",
[13180]="Stratholme Holy Water",
[13181]="Demonskin Gloves",
[13182]="Phase Blade",
[13183]="Venomspitter",
[13184]="Fallbrush Handgrips",
[13185]="Sunderseer Mantle",
[13186]="Empty Felstone Field Bottle",
[13187]="Empty Dalson\'s Tears Bottle",
[13188]="Empty Writhing Haunt Bottle",
[13189]="Empty Gahrron\'s Withering Bottle",
[13190]="Filled Felstone Field Bottle",
[13191]="Filled Dalson\'s Tears Bottle",
[13192]="Filled Writhing Haunt Bottle",
[13193]="Filled Gahrron\'s Withering Bottle",
[13194]="Felstone Field Cauldron Key",
[13195]="Dalson\'s Tears Cauldron Key",
[13196]="Gahrron\'s Withering Cauldron Key",
[13197]="Writhing Haunt Cauldron Key",
[13198]="Hurd Smasher",
[13199]="Crushridge Bindings",
[13202]="Extended Annals of Darrowshire",
[13203]="Armswake Cloak",
[13204]="Bashguuder",
[13205]="Rhombeard Protector",
[13206]="Wolfshear Leggings",
[13207]="Shadow Lord Fel\'dan\'s Head",
[13208]="Bleak Howler Armguards",
[13209]="Seal of the Dawn",
[13210]="Pads of the Dread Wolf",
[13211]="Slashclaw Bracers",
[13212]="Halycon\'s Spiked Collar",
[13213]="Smolderweb\'s Eye",
[13216]="Crown of the Penitent",
[13217]="Band of the Penitent",
[13218]="Fang of the Crystal Spider",
[13243]="Argent Defender",
[13244]="Gilded Gauntlets",
[13245]="Kresh\'s Back",
[13246]="Argent Avenger",
[13248]="Burstshot Harquebus",
[13249]="Argent Crusader",
[13250]="Head of Balnazzar",
[13251]="Head of Baron Rivendare",
[13252]="Cloudrunner Girdle",
[13253]="Hands of Power",
[13254]="Astral Guard",
[13255]="Trueaim Gauntlets",
[13257]="Demonic Runed Spaulders",
[13258]="Slaghide Gauntlets",
[13259]="Ribsteel Footguards",
[13260]="Wind Dancer Boots",
[13261]="Globe of D\'sak",
[13262]="Ashbringer",
[13282]="Ogreseer Tower Boots",
[13283]="Magus Ring",
[13284]="Swiftdart Battleboots",
[13285]="The Nicker",
[13286]="Rivenspike",
[13287]="Pattern: Raptor Hide Harness",
[13288]="Pattern: Raptor Hide Belt",
[13289]="Egan\'s Blaster",
[13302]="Market Row Postbox Key",
[13303]="Crusaders\' Square Postbox Key",
[13304]="Festival Lane Postbox Key",
[13305]="Elders\' Square Postbox Key",
[13306]="King\'s Square Postbox Key",
[13307]="Fras Siabi\'s Postbox Key",
[13308]="Schematic: Ice Deflector",
[13309]="Schematic: Lovingly Crafted Boomstick",
[13310]="Schematic: Accurate Scope",
[13311]="Schematic: Mechanical Dragonling",
[13313]="Sacred Highborne Writings",
[13314]="Alanna\'s Embrace",
[13315]="Testament of Hope",
[13317]="Whistle of the Ivory Raptor",
[13320]="Arcane Quickener",
[13321]="Green Mechanostrider",
[13322]="Unpainted Mechanostrider",
[13326]="White Mechanostrider Mod A",
[13327]="Icy Blue Mechanostrider Mod A",
[13328]="Black Ram",
[13329]="Frost Ram",
[13331]="Red Skeletal Horse",
[13332]="Blue Skeletal Horse",
[13333]="Brown Skeletal Horse",
[13334]="Green Skeletal Warhorse",
[13335]="Deathcharger\'s Reins",
[13340]="Cape of the Black Baron",
[13344]="Dracorian Gauntlets",
[13345]="Seal of Rivendare",
[13346]="Robes of the Exalted",
[13347]="Crystal of Zin-Malor",
[13348]="Demonshear",
[13349]="Scepter of the Unholy",
[13350]="Insignia of the Black Guard",
[13351]="Crimson Hammersmith\'s Apron",
[13352]="Vosh\'gajin\'s Snakestone",
[13353]="Book of the Dead",
[13354]="Ectoplasmic Resonator",
[13356]="Somatic Intensifier",
[13357]="Osseous Agitator",
[13358]="Wyrmtongue Shoulders",
[13359]="Crown of Tyranny",
[13360]="Gift of the Elven Magi",
[13361]="Skullforge Reaver",
[13362]="Letter from the Front",
[13363]="Municipal Proclamation",
[13364]="Fras Siabi\'s Advertisement",
[13365]="Town Meeting Notice",
[13366]="Ingenious Toy",
[13367]="Wrapped Gift",
[13368]="Bonescraper",
[13369]="Fire Striders",
[13370]="Vitreous Focuser",
[13371]="Father Flame",
[13372]="Slavedriver\'s Cane",
[13373]="Band of Flesh",
[13374]="Soulstealer Mantle",
[13375]="Crest of Retribution",
[13376]="Royal Tribunal Cloak",
[13377]="Miniature Cannon Balls",
[13378]="Songbird Blouse",
[13379]="Piccolo of the Flaming Fire",
[13380]="Willey\'s Portable Howitzer",
[13381]="Master Cannoneer Boots",
[13382]="Cannonball Runner",
[13383]="Woollies of the Prancing Minstrel",
[13384]="Rainbow Girdle",
[13385]="Tome of Knowledge",
[13386]="Archivist Cape",
[13387]="Foresight Girdle",
[13388]="The Postmaster\'s Tunic",
[13389]="The Postmaster\'s Trousers",
[13390]="The Postmaster\'s Band",
[13391]="The Postmaster\'s Treads",
[13392]="The Postmaster\'s Seal",
[13393]="Malown\'s Slam",
[13394]="Skul\'s Cold Embrace",
[13395]="Skul\'s Fingerbone Claws",
[13396]="Skul\'s Ghastly Touch",
[13397]="Stoneskin Gargoyle Cape",
[13398]="Boots of the Shrieker",
[13399]="Gargoyle Shredder Talons",
[13400]="Vambraces of the Sadist",
[13401]="The Cruel Hand of Timmy",
[13402]="Timmy\'s Galoshes",
[13403]="Grimgore Noose",
[13404]="Mask of the Unforgiven",
[13405]="Wailing Nightbane Pauldrons",
[13408]="Soul Breaker",
[13409]="Tearfall Bracers",
[13422]="Stonescale Eel",
[13423]="Stonescale Oil",
[13442]="Mighty Rage Potion",
[13443]="Superior Mana Potion",
[13444]="Major Mana Potion",
[13445]="Elixir of Superior Defense",
[13446]="Major Healing Potion",
[13447]="Elixir of the Sages",
[13448]="The Deed to Caer Darrow",
[13450]="The Deed to Southshore",
[13451]="The Deed to Tarren Mill",
[13452]="Elixir of the Mongoose",
[13453]="Elixir of Brute Force",
[13454]="Greater Arcane Elixir",
[13455]="Greater Stoneshield Potion",
[13456]="Greater Frost Protection Potion",
[13457]="Greater Fire Protection Potion",
[13458]="Greater Nature Protection Potion",
[13459]="Greater Shadow Protection Potion",
[13461]="Greater Arcane Protection Potion",
[13462]="Purification Potion",
[13463]="Dreamfoil",
[13464]="Golden Sansam",
[13465]="Mountain Silversage",
[13466]="Plaguebloom",
[13467]="Icecap",
[13468]="Black Lotus",
[13469]="Head of Weldon Barov",
[13470]="Head of Alexi Barov",
[13471]="The Deed to Brill",
[13473]="Felstone Good Luck Charm",
[13474]="Farmer Dalson\'s Shotgun",
[13475]="Dalson Family Wedding Ring",
[13476]="Recipe: Mighty Rage Potion",
[13477]="Recipe: Superior Mana Potion",
[13478]="Recipe: Elixir of Superior Defense",
[13479]="Recipe: Elixir of the Sages",
[13480]="Recipe: Major Healing Potion",
[13481]="Recipe: Elixir of Brute Force",
[13482]="Recipe: Transmute Air to Fire",
[13483]="Recipe: Transmute Fire to Earth",
[13484]="Recipe: Transmute Earth to Water",
[13485]="Recipe: Transmute Water to Air",
[13486]="Recipe: Transmute Undeath to Water",
[13487]="Recipe: Transmute Water to Undeath",
[13488]="Recipe: Transmute Life to Earth",
[13489]="Recipe: Transmute Earth to Life",
[13490]="Recipe: Greater Stoneshield Potion",
[13491]="Recipe: Elixir of the Mongoose",
[13492]="Recipe: Purification Potion",
[13493]="Recipe: Greater Arcane Elixir",
[13494]="Recipe: Greater Fire Protection Potion",
[13495]="Recipe: Greater Frost Protection Potion",
[13496]="Recipe: Greater Nature Protection Potion",
[13497]="Recipe: Greater Arcane Protection Potion",
[13498]="Handcrafted Mastersmith Leggings",
[13499]="Recipe: Greater Shadow Protection Potion",
[13501]="Recipe: Major Mana Potion",
[13502]="Handcrafted Mastersmith Girdle",
[13505]="Runeblade of Baron Rivendare",
[13506]="Flask of Petrification",
[13507]="Cliffwatcher Longhorn Report",
[13508]="Eye of Arachnida",
[13509]="Clutch of Foresight",
[13510]="Flask of the Titans",
[13511]="Flask of Distilled Wisdom",
[13512]="Flask of Supreme Power",
[13513]="Flask of Chromatic Resistance",
[13514]="Wail of the Banshee",
[13515]="Ramstein\'s Lightning Bolts",
[13518]="Recipe: Flask of Petrification",
[13519]="Recipe: Flask of the Titans",
[13520]="Recipe: Flask of Distilled Wisdom",
[13521]="Recipe: Flask of Supreme Power",
[13522]="Recipe: Flask of Chromatic Resistance",
[13523]="Blood of Innocents",
[13524]="Skull of Burning Shadows",
[13525]="Darkbind Fingers",
[13526]="Flamescarred Girdle",
[13527]="Lavawalker Greaves",
[13528]="Twilight Void Bracers",
[13529]="Husk of Nerub\'enkan",
[13530]="Fangdrip Runners",
[13531]="Crypt Stalker Leggings",
[13532]="Darkspinner Claws",
[13533]="Acid-etched Pauldrons",
[13534]="Banshee Finger",
[13535]="Coldtouch Phantom Wraps",
[13536]="Horn of Awakening",
[13537]="Chillhide Bracers",
[13538]="Windshrieker Pauldrons",
[13539]="Banshee\'s Touch",
[13542]="Demon Box",
[13544]="Spectral Essence",
[13545]="Shellfish",
[13546]="Bloodbelly Fish",
[13562]="Remains of Trey Lightforge",
[13582]="Zergling Leash",
[13583]="Panda Collar",
[13584]="Diablo Stone",
[13585]="Keepsake of Remembrance",
[13602]="Greater Spellstone",
[13603]="Major Spellstone",
[13624]="Soulbound Keepsake",
[13626]="Human Head of Ras Frostwhisper",
[13699]="Firestone",
[13700]="Greater Firestone",
[13701]="Major Firestone",
[13702]="Doom Weed",
[13703]="Kodo Bone",
[13704]="Skeleton Key",
[13724]="Enriched Manna Biscuit",
[13725]="Krastinov\'s Bag of Horrors",
[13752]="Soulbound Keepsake",
[13754]="Raw Glossy Mightfish",
[13755]="Winter Squid",
[13756]="Raw Summer Bass",
[13757]="Lightning Eel",
[13758]="Raw Redgill",
[13759]="Raw Nightfin Snapper",
[13760]="Raw Sunscale Salmon",
[13761]="Frozen Eggs",
[13810]="Blessed Sunfruit",
[13813]="Blessed Sunfruit Juice",
[13815]="Some Rune",
[13816]="Fine Longsword",
[13817]="Tapered Greatsword",
[13818]="Jagged Axe",
[13819]="Balanced War Axe",
[13820]="Clout Mace",
[13821]="Bulky Maul",
[13822]="Spiked Dagger",
[13823]="Stout War Staff",
[13824]="Recurve Long Bow",
[13825]="Primed Musket",
[13850]="Rumbleshot\'s Ammo",
[13851]="Hot Wolf Ribs",
[13852]="The Grand Crusader\'s Command",
[13853]="Slab of Carrion Worm Meat",
[13856]="Runecloth Belt",
[13857]="Runecloth Tunic",
[13858]="Runecloth Robe",
[13860]="Runecloth Cloak",
[13863]="Runecloth Gloves",
[13864]="Runecloth Boots",
[13865]="Runecloth Pants",
[13866]="Runecloth Headband",
[13867]="Runecloth Shoulders",
[13868]="Frostweave Robe",
[13869]="Frostweave Tunic",
[13870]="Frostweave Gloves",
[13871]="Frostweave Pants",
[13872]="Bundle of Wood",
[13873]="Viewing Room Key",
[13874]="Heavy Crate",
[13875]="Ironbound Locked Chest",
[13876]="40 Pound Grouper",
[13877]="47 Pound Grouper",
[13878]="53 Pound Grouper",
[13879]="59 Pound Grouper",
[13880]="68 Pound Grouper",
[13881]="Bloated Redgill",
[13882]="42 Pound Redgill",
[13883]="45 Pound Redgill",
[13884]="49 Pound Redgill",
[13885]="34 Pound Redgill",
[13886]="37 Pound Redgill",
[13887]="52 Pound Redgill",
[13888]="Darkclaw Lobster",
[13889]="Raw Whitescale Salmon",
[13890]="Plated Armorfish",
[13891]="Bloated Salmon",
[13892]="Kodo Kombobulator",
[13893]="Large Raw Mightfish",
[13895]="Formal Dangui",
[13896]="Dark Green Wedding Hanbok",
[13897]="White Traditional Hanbok",
[13898]="Royal Dangui",
[13899]="Red Traditional Hanbok",
[13900]="Green Wedding Hanbok",
[13901]="15 Pound Salmon",
[13902]="18 Pound Salmon",
[13903]="22 Pound Salmon",
[13904]="25 Pound Salmon",
[13905]="29 Pound Salmon",
[13906]="32 Pound Salmon",
[13907]="7 Pound Lobster",
[13908]="9 Pound Lobster",
[13909]="12 Pound Lobster",
[13910]="15 Pound Lobster",
[13911]="19 Pound Lobster",
[13912]="21 Pound Lobster",
[13913]="22 Pound Lobster",
[13914]="70 Pound Mightfish",
[13915]="85 Pound Mightfish",
[13916]="92 Pound Mightfish",
[13917]="103 Pound Mightfish",
[13918]="Reinforced Locked Chest",
[13920]="Healthy Dragon Scale",
[13926]="Golden Pearl",
[13927]="Cooked Glossy Mightfish",
[13928]="Grilled Squid",
[13929]="Hot Smoked Bass",
[13930]="Filet of Redgill",
[13931]="Nightfin Soup",
[13932]="Poached Sunscale Salmon",
[13933]="Lobster Stew",
[13934]="Mightfish Steak",
[13935]="Baked Salmon",
[13937]="Headmaster\'s Charge",
[13938]="Bonecreeper Stylus",
[13939]="Recipe: Spotted Yellowtail",
[13940]="Recipe: Cooked Glossy Mightfish",
[13941]="Recipe: Filet of Redgill",
[13942]="Recipe: Grilled Squid",
[13943]="Recipe: Hot Smoked Bass",
[13944]="Tombstone Breastplate",
[13945]="Recipe: Nightfin Soup",
[13946]="Recipe: Poached Sunscale Salmon",
[13947]="Recipe: Lobster Stew",
[13948]="Recipe: Mightfish Steak",
[13949]="Recipe: Baked Salmon",
[13950]="Detention Strap",
[13951]="Vigorsteel Vambraces",
[13952]="Iceblade Hacker",
[13953]="Silent Fang",
[13954]="Verdant Footpads",
[13955]="Stoneform Shoulders",
[13956]="Clutch of Andros",
[13957]="Gargoyle Slashers",
[13958]="Wyrmthalak\'s Shackles",
[13959]="Omokk\'s Girth Restrainer",
[13960]="Heart of the Fiend",
[13961]="Halycon\'s Muzzle",
[13962]="Vosh\'gajin\'s Strand",
[13963]="Voone\'s Vice Grips",
[13964]="Witchblade",
[13965]="Blackhand\'s Breadth",
[13966]="Mark of Tyranny",
[13967]="Windreaver Greaves",
[13968]="Eye of the Beast",
[13969]="Loomguard Armbraces",
[13982]="Warblade of Caer Darrow",
[13983]="Gravestone War Axe",
[13984]="Darrowspike",
[13986]="Crown of Caer Darrow",
[14002]="Darrowshire Strongguard",
[14022]="Barov Peasant Caller",
[14023]="Barov Peasant Caller",
[14024]="Frightalon",
[14025]="Mystic\'s Belt",
[14042]="Cindercloth Vest",
[14043]="Cindercloth Gloves",
[14044]="Cindercloth Cloak",
[14045]="Cindercloth Pants",
[14046]="Runecloth Bag",
[14047]="Runecloth",
[14048]="Bolt of Runecloth",
[14086]="Beaded Sandals",
[14087]="Beaded Cuffs",
[14088]="Beaded Cloak",
[14089]="Beaded Gloves",
[14090]="Beaded Britches",
[14091]="Beaded Robe",
[14093]="Beaded Cord",
[14094]="Beaded Wraps",
[14095]="Native Bands",
[14096]="Native Vest",
[14097]="Native Pants",
[14098]="Native Cloak",
[14099]="Native Sash",
[14100]="Brightcloth Robe",
[14101]="Brightcloth Gloves",
[14102]="Native Handwraps",
[14103]="Brightcloth Cloak",
[14104]="Brightcloth Pants",
[14106]="Felcloth Robe",
[14107]="Felcloth Pants",
[14108]="Felcloth Boots",
[14109]="Native Robe",
[14110]="Native Sandals",
[14111]="Felcloth Hood",
[14112]="Felcloth Shoulders",
[14113]="Aboriginal Sash",
[14114]="Aboriginal Footwraps",
[14115]="Aboriginal Bands",
[14116]="Aboriginal Cape",
[14117]="Aboriginal Gloves",
[14119]="Aboriginal Loincloth",
[14120]="Aboriginal Robe",
[14121]="Aboriginal Vest",
[14122]="Ritual Bands",
[14123]="Ritual Cape",
[14124]="Ritual Gloves",
[14125]="Ritual Leggings",
[14126]="Ritual Amice",
[14127]="Ritual Shroud",
[14128]="Wizardweave Robe",
[14129]="Ritual Sandals",
[14130]="Wizardweave Turban",
[14131]="Ritual Belt",
[14132]="Wizardweave Leggings",
[14133]="Ritual Tunic",
[14134]="Cloak of Fire",
[14136]="Robe of Winter Night",
[14137]="Mooncloth Leggings",
[14138]="Mooncloth Vest",
[14139]="Mooncloth Shoulders",
[14140]="Mooncloth Circlet",
[14141]="Ghostweave Vest",
[14142]="Ghostweave Gloves",
[14143]="Ghostweave Belt",
[14144]="Ghostweave Pants",
[14145]="Cursed Felblade",
[14146]="Gloves of Spell Mastery",
[14147]="Cavedweller Bracers",
[14148]="Crystalline Cuffs",
[14149]="Subterranean Cape",
[14150]="Robe of Evocation",
[14151]="Chanting Blade",
[14152]="Robe of the Archmage",
[14153]="Robe of the Void",
[14154]="Truefaith Vestments",
[14155]="Mooncloth Bag",
[14156]="Bottomless Bag",
[14157]="Pagan Mantle",
[14158]="Pagan Vest",
[14159]="Pagan Shoes",
[14160]="Pagan Bands",
[14161]="Pagan Cape",
[14162]="Pagan Mitts",
[14163]="Pagan Wraps",
[14164]="Pagan Belt",
[14165]="Pagan Britches",
[14166]="Buccaneer\'s Bracers",
[14167]="Buccaneer\'s Cape",
[14168]="Buccaneer\'s Gloves",
[14169]="Aboriginal Shoulder Pads",
[14170]="Buccaneer\'s Mantle",
[14171]="Buccaneer\'s Pants",
[14172]="Buccaneer\'s Robes",
[14173]="Buccaneer\'s Cord",
[14174]="Buccaneer\'s Boots",
[14175]="Buccaneer\'s Vest",
[14176]="Watcher\'s Boots",
[14177]="Watcher\'s Cuffs",
[14178]="Watcher\'s Cap",
[14179]="Watcher\'s Cape",
[14180]="Watcher\'s Jerkin",
[14181]="Watcher\'s Handwraps",
[14182]="Watcher\'s Mantle",
[14183]="Watcher\'s Leggings",
[14184]="Watcher\'s Robes",
[14185]="Watcher\'s Cinch",
[14186]="Raincaller Mantle",
[14187]="Raincaller Cuffs",
[14188]="Raincaller Cloak",
[14189]="Raincaller Cap",
[14190]="Raincaller Vest",
[14191]="Raincaller Mitts",
[14192]="Raincaller Robes",
[14193]="Raincaller Pants",
[14194]="Raincaller Cord",
[14195]="Raincaller Boots",
[14196]="Thistlefur Sandals",
[14197]="Thistlefur Bands",
[14198]="Thistlefur Cloak",
[14199]="Thistlefur Gloves",
[14200]="Thistlefur Cap",
[14201]="Thistlefur Mantle",
[14202]="Thistlefur Jerkin",
[14203]="Thistlefur Pants",
[14204]="Thistlefur Robe",
[14205]="Thistlefur Belt",
[14206]="Vital Bracelets",
[14207]="Vital Leggings",
[14208]="Vital Headband",
[14209]="Vital Sash",
[14210]="Vital Cape",
[14211]="Vital Handwraps",
[14212]="Vital Shoulders",
[14213]="Vital Raiment",
[14214]="Vital Boots",
[14215]="Vital Tunic",
[14216]="Geomancer\'s Jerkin",
[14217]="Geomancer\'s Cord",
[14218]="Geomancer\'s Boots",
[14219]="Geomancer\'s Cloak",
[14220]="Geomancer\'s Cap",
[14221]="Geomancer\'s Bracers",
[14222]="Geomancer\'s Gloves",
[14223]="Geomancer\'s Spaulders",
[14224]="Geomancer\'s Trousers",
[14225]="Geomancer\'s Wraps",
[14226]="Embersilk Bracelets",
[14227]="Ironweb Spider Silk",
[14228]="Embersilk Coronet",
[14229]="Embersilk Cloak",
[14230]="Embersilk Tunic",
[14231]="Embersilk Mitts",
[14232]="Embersilk Mantle",
[14233]="Embersilk Leggings",
[14234]="Embersilk Robes",
[14235]="Embersilk Cord",
[14236]="Embersilk Boots",
[14237]="Darkmist Armor",
[14238]="Darkmist Boots",
[14239]="Darkmist Cape",
[14240]="Darkmist Bands",
[14241]="Darkmist Handguards",
[14242]="Darkmist Pants",
[14243]="Darkmist Mantle",
[14244]="Darkmist Wraps",
[14245]="Darkmist Girdle",
[14246]="Darkmist Wizard Hat",
[14247]="Lunar Mantle",
[14248]="Lunar Bindings",
[14249]="Lunar Vest",
[14250]="Lunar Slippers",
[14251]="Lunar Cloak",
[14252]="Lunar Coronet",
[14253]="Lunar Handwraps",
[14254]="Lunar Raiment",
[14255]="Lunar Belt",
[14256]="Felcloth",
[14257]="Lunar Leggings",
[14258]="Bloodwoven Cord",
[14259]="Bloodwoven Boots",
[14260]="Bloodwoven Bracers",
[14261]="Bloodwoven Cloak",
[14262]="Bloodwoven Mitts",
[14263]="Bloodwoven Mask",
[14264]="Bloodwoven Pants",
[14265]="Bloodwoven Wraps",
[14266]="Bloodwoven Pads",
[14267]="Bloodwoven Jerkin",
[14268]="Gaea\'s Cuffs",
[14269]="Gaea\'s Slippers",
[14270]="Gaea\'s Cloak",
[14271]="Gaea\'s Circlet",
[14272]="Gaea\'s Handwraps",
[14273]="Gaea\'s Amice",
[14274]="Gaea\'s Leggings",
[14275]="Gaea\'s Raiment",
[14276]="Gaea\'s Belt",
[14277]="Gaea\'s Tunic",
[14278]="Opulent Mantle",
[14279]="Opulent Bracers",
[14280]="Opulent Cape",
[14281]="Opulent Crown",
[14282]="Opulent Gloves",
[14283]="Opulent Leggings",
[14284]="Opulent Robes",
[14285]="Opulent Boots",
[14286]="Opulent Belt",
[14287]="Opulent Tunic",
[14288]="Arachnidian Armor",
[14289]="Arachnidian Girdle",
[14290]="Arachnidian Footpads",
[14291]="Arachnidian Bracelets",
[14292]="Arachnidian Cape",
[14293]="Arachnidian Circlet",
[14294]="Arachnidian Gloves",
[14295]="Arachnidian Legguards",
[14296]="Arachnidian Pauldrons",
[14297]="Arachnidian Robes",
[14298]="Bonecaster\'s Spaulders",
[14299]="Bonecaster\'s Boots",
[14300]="Bonecaster\'s Cape",
[14301]="Bonecaster\'s Bindings",
[14302]="Bonecaster\'s Gloves",
[14303]="Bonecaster\'s Shroud",
[14304]="Bonecaster\'s Belt",
[14305]="Bonecaster\'s Sarong",
[14306]="Bonecaster\'s Vest",
[14307]="Bonecaster\'s Crown",
[14308]="Celestial Tunic",
[14309]="Celestial Belt",
[14310]="Celestial Slippers",
[14311]="Celestial Bindings",
[14312]="Celestial Crown",
[14313]="Celestial Cape",
[14314]="Celestial Handwraps",
[14315]="Celestial Kilt",
[14316]="Celestial Pauldrons",
[14317]="Celestial Silk Robes",
[14318]="Resplendent Tunic",
[14319]="Resplendent Boots",
[14320]="Resplendent Bracelets",
[14321]="Resplendent Cloak",
[14322]="Resplendent Circlet",
[14323]="Resplendent Gauntlets",
[14324]="Resplendent Sarong",
[14325]="Resplendent Epaulets",
[14326]="Resplendent Robes",
[14327]="Resplendent Belt",
[14328]="Eternal Chestguard",
[14329]="Eternal Boots",
[14330]="Eternal Bindings",
[14331]="Eternal Cloak",
[14332]="Eternal Crown",
[14333]="Eternal Gloves",
[14334]="Eternal Sarong",
[14335]="Eternal Spaulders",
[14336]="Eternal Wraps",
[14337]="Eternal Cord",
[14338]="Empty Water Tube",
[14339]="Moonwell Water Tube",
[14340]="Freezing Lich Robes",
[14341]="Rune Thread",
[14342]="Mooncloth",
[14343]="Small Brilliant Shard",
[14344]="Large Brilliant Shard",
[14364]="Mystic\'s Slippers",
[14365]="Mystic\'s Cape",
[14366]="Mystic\'s Bracelets",
[14367]="Mystic\'s Gloves",
[14368]="Mystic\'s Shoulder Pads",
[14369]="Mystic\'s Wrap",
[14370]="Mystic\'s Woolies",
[14371]="Mystic\'s Robe",
[14372]="Sanguine Armor",
[14373]="Sanguine Belt",
[14374]="Sanguine Sandals",
[14375]="Sanguine Cuffs",
[14376]="Sanguine Cape",
[14377]="Sanguine Handwraps",
[14378]="Sanguine Mantle",
[14379]="Sanguine Trousers",
[14380]="Sanguine Robe",
[14381]="Grimtotem Satchel",
[14395]="Spells of Shadow",
[14396]="Incantations from the Nether",
[14397]="Resilient Mantle",
[14398]="Resilient Tunic",
[14399]="Resilient Boots",
[14400]="Resilient Cape",
[14401]="Resilient Cap",
[14402]="Resilient Bands",
[14403]="Resilient Handgrips",
[14404]="Resilient Leggings",
[14405]="Resilient Robe",
[14406]="Resilient Cord",
[14407]="Stonecloth Vest",
[14408]="Stonecloth Boots",
[14409]="Stonecloth Cape",
[14410]="Stonecloth Circlet",
[14411]="Stonecloth Gloves",
[14412]="Stonecloth Epaulets",
[14413]="Stonecloth Robe",
[14414]="Stonecloth Belt",
[14415]="Stonecloth Britches",
[14416]="Stonecloth Bindings",
[14417]="Silksand Tunic",
[14418]="Silksand Boots",
[14419]="Silksand Bracers",
[14420]="Silksand Cape",
[14421]="Silksand Circlet",
[14422]="Silksand Gloves",
[14423]="Silksand Shoulder Pads",
[14424]="Silksand Legwraps",
[14425]="Silksand Wraps",
[14426]="Silksand Girdle",
[14427]="Windchaser Wraps",
[14428]="Windchaser Footpads",
[14429]="Windchaser Cuffs",
[14430]="Windchaser Cloak",
[14431]="Windchaser Handguards",
[14432]="Windchaser Amice",
[14433]="Windchaser Woolies",
[14434]="Windchaser Robes",
[14435]="Windchaser Cinch",
[14436]="Windchaser Coronet",
[14437]="Venomshroud Vest",
[14438]="Venomshroud Boots",
[14439]="Venomshroud Armguards",
[14440]="Venomshroud Cape",
[14441]="Venomshroud Mask",
[14442]="Venomshroud Mitts",
[14443]="Venomshroud Mantle",
[14444]="Venomshroud Leggings",
[14445]="Venomshroud Silk Robes",
[14446]="Venomshroud Belt",
[14447]="Highborne Footpads",
[14448]="Highborne Bracelets",
[14449]="Highborne Crown",
[14450]="Highborne Cloak",
[14451]="Highborne Gloves",
[14452]="Highborne Pauldrons",
[14453]="Highborne Robes",
[14454]="Highborne Cord",
[14455]="Highborne Padded Armor",
[14456]="Elunarian Vest",
[14457]="Elunarian Cuffs",
[14458]="Elunarian Boots",
[14459]="Elunarian Cloak",
[14460]="Elunarian Diadem",
[14461]="Elunarian Handgrips",
[14462]="Elunarian Sarong",
[14463]="Elunarian Spaulders",
[14464]="Elunarian Silk Robes",
[14465]="Elunarian Belt",
[14466]="Pattern: Frostweave Tunic",
[14467]="Pattern: Frostweave Robe",
[14468]="Pattern: Runecloth Bag",
[14469]="Pattern: Runecloth Robe",
[14470]="Pattern: Runecloth Tunic",
[14471]="Pattern: Cindercloth Vest",
[14472]="Pattern: Runecloth Cloak",
[14473]="Pattern: Ghostweave Belt",
[14474]="Pattern: Frostweave Gloves",
[14476]="Pattern: Cindercloth Gloves",
[14477]="Pattern: Ghostweave Gloves",
[14478]="Pattern: Brightcloth Robe",
[14479]="Pattern: Brightcloth Gloves",
[14480]="Pattern: Ghostweave Vest",
[14481]="Pattern: Runecloth Gloves",
[14482]="Pattern: Cindercloth Cloak",
[14483]="Pattern: Felcloth Pants",
[14484]="Pattern: Brightcloth Cloak",
[14485]="Pattern: Wizardweave Leggings",
[14486]="Pattern: Cloak of Fire",
[14487]="Bonechill Hammer",
[14488]="Pattern: Runecloth Boots",
[14489]="Pattern: Frostweave Pants",
[14490]="Pattern: Cindercloth Pants",
[14491]="Pattern: Runecloth Pants",
[14492]="Pattern: Felcloth Boots",
[14493]="Pattern: Robe of Winter Night",
[14494]="Pattern: Brightcloth Pants",
[14495]="Pattern: Ghostweave Pants",
[14496]="Pattern: Felcloth Hood",
[14497]="Pattern: Mooncloth Leggings",
[14498]="Pattern: Runecloth Headband",
[14499]="Pattern: Mooncloth Bag",
[14500]="Pattern: Wizardweave Robe",
[14501]="Pattern: Mooncloth Vest",
[14502]="Frostbite Girdle",
[14503]="Death\'s Clutch",
[14504]="Pattern: Runecloth Shoulders",
[14505]="Pattern: Wizardweave Turban",
[14506]="Pattern: Felcloth Robe",
[14507]="Pattern: Mooncloth Shoulders",
[14508]="Pattern: Felcloth Shoulders",
[14509]="Pattern: Mooncloth Circlet",
[14510]="Pattern: Bottomless Bag",
[14511]="Pattern: Gloves of Spell Mastery",
[14512]="Pattern: Truefaith Vestments",
[14513]="Pattern: Robe of the Archmage",
[14514]="Pattern: Robe of the Void",
[14522]="Maelstrom Leggings",
[14523]="Demon Pick",
[14525]="Boneclenched Gauntlets",
[14526]="Pattern: Mooncloth",
[14528]="Rattlecage Buckler",
[14529]="Runecloth Bandage",
[14530]="Heavy Runecloth Bandage",
[14531]="Frightskull Shaft",
[14536]="Bonebrace Hauberk",
[14537]="Corpselight Greaves",
[14538]="Deadwalker Mantle",
[14539]="Bone Ring Helm",
[14540]="Taragaman the Hungerer\'s Heart",
[14541]="Barovian Family Sword",
[14542]="Kravel\'s Crate",
[14543]="Darkshade Gloves",
[14544]="Lieutenant\'s Insignia",
[14545]="Ghostloom Leggings",
[14546]="Roon\'s Kodo Horn",
[14547]="Hand of Iruxos",
[14548]="Royal Cap Spaulders",
[14549]="Boots of Avoidance",
[14551]="Edgemaster\'s Handguards",
[14552]="Stockade Pauldrons",
[14553]="Sash of Mercy",
[14554]="Cloudkeeper Legplates",
[14555]="Alcor\'s Sunrazor",
[14557]="The Lion Horn of Stormwind",
[14558]="Lady Maye\'s Pendant",
[14559]="Prospector\'s Sash",
[14560]="Prospector\'s Boots",
[14561]="Prospector\'s Cuffs",
[14562]="Prospector\'s Chestpiece",
[14563]="Prospector\'s Cloak",
[14564]="Prospector\'s Mitts",
[14565]="Prospector\'s Woolies",
[14566]="Prospector\'s Pads",
[14567]="Bristlebark Belt",
[14568]="Bristlebark Boots",
[14569]="Bristlebark Bindings",
[14570]="Bristlebark Blouse",
[14571]="Bristlebark Cape",
[14572]="Bristlebark Gloves",
[14573]="Bristlebark Amice",
[14574]="Bristlebark Britches",
[14576]="Ebon Hilt of Marduk",
[14577]="Skullsmoke Pants",
[14578]="Dokebi Cord",
[14579]="Dokebi Boots",
[14580]="Dokebi Bracers",
[14581]="Dokebi Chestguard",
[14582]="Dokebi Cape",
[14583]="Dokebi Gloves",
[14584]="Dokebi Hat",
[14585]="Dokebi Leggings",
[14587]="Dokebi Mantle",
[14588]="Hawkeye\'s Cord",
[14589]="Hawkeye\'s Shoes",
[14590]="Hawkeye\'s Bracers",
[14591]="Hawkeye\'s Helm",
[14592]="Hawkeye\'s Tunic",
[14593]="Hawkeye\'s Cloak",
[14594]="Hawkeye\'s Gloves",
[14595]="Hawkeye\'s Breeches",
[14596]="Hawkeye\'s Epaulets",
[14598]="Warden\'s Waistband",
[14599]="Warden\'s Footpads",
[14600]="Warden\'s Wristbands",
[14601]="Warden\'s Wraps",
[14602]="Warden\'s Cloak",
[14603]="Warden\'s Mantle",
[14604]="Warden\'s Wizard Hat",
[14605]="Warden\'s Woolies",
[14606]="Warden\'s Gloves",
[14607]="Hawkeye\'s Buckler",
[14608]="Dokebi Buckler",
[14610]="Araj\'s Scarab",
[14611]="Bloodmail Hauberk",
[14612]="Bloodmail Legguards",
[14613]="Taelan\'s Hammer",
[14614]="Bloodmail Belt",
[14615]="Bloodmail Gauntlets",
[14616]="Bloodmail Boots",
[14617]="Sawbones Shirt",
[14619]="Skeletal Fragments",
[14620]="Deathbone Girdle",
[14621]="Deathbone Sabatons",
[14622]="Deathbone Gauntlets",
[14623]="Deathbone Legguards",
[14624]="Deathbone Chestplate",
[14625]="Symbol of Lost Honor",
[14626]="Necropile Robe",
[14627]="Pattern: Bright Yellow Shirt",
[14628]="Imbued Skeletal Fragments",
[14629]="Necropile Cuffs",
[14630]="Pattern: Enchanter\'s Cowl",
[14631]="Necropile Boots",
[14632]="Necropile Leggings",
[14633]="Necropile Mantle",
[14634]="Recipe: Frost Oil",
[14635]="Pattern: Gem-studded Leather Belt",
[14636]="Cadaverous Belt",
[14637]="Cadaverous Armor",
[14638]="Cadaverous Leggings",
[14639]="Schematic: Minor Recombobulator",
[14640]="Cadaverous Gloves",
[14641]="Cadaverous Walkers",
[14644]="Skeleton Key Mold",
[14645]="Unfinished Skeleton Key",
[14646]="Northshire Gift Voucher",
[14647]="Coldridge Valley Gift Voucher",
[14648]="Shadowglen Gift Voucher",
[14649]="Valley of Trials Gift Voucher",
[14650]="Camp Narache Gift Voucher",
[14651]="Deathknell Gift Voucher",
[14652]="Scorpashi Sash",
[14653]="Scorpashi Slippers",
[14654]="Scorpashi Wristbands",
[14655]="Scorpashi Breastplate",
[14656]="Scorpashi Cape",
[14657]="Scorpashi Gloves",
[14658]="Scorpashi Skullcap",
[14659]="Scorpashi Leggings",
[14660]="Scorpashi Shoulder Pads",
[14661]="Keeper\'s Cord",
[14662]="Keeper\'s Hooves",
[14663]="Keeper\'s Bindings",
[14664]="Keeper\'s Armor",
[14665]="Keeper\'s Cloak",
[14666]="Keeper\'s Gloves",
[14667]="Keeper\'s Wreath",
[14668]="Keeper\'s Woolies",
[14669]="Keeper\'s Mantle",
[14670]="Pridelord Armor",
[14671]="Pridelord Boots",
[14672]="Pridelord Bands",
[14673]="Pridelord Cape",
[14674]="Pridelord Girdle",
[14675]="Pridelord Gloves",
[14676]="Pridelord Halo",
[14677]="Pridelord Pants",
[14678]="Pridelord Pauldrons",
[14679]="Of Love and Family",
[14680]="Indomitable Vest",
[14681]="Indomitable Boots",
[14682]="Indomitable Armguards",
[14683]="Indomitable Cloak",
[14684]="Indomitable Belt",
[14685]="Indomitable Gauntlets",
[14686]="Indomitable Headdress",
[14687]="Indomitable Leggings",
[14688]="Indomitable Epaulets",
[14722]="War Paint Anklewraps",
[14723]="War Paint Bindings",
[14724]="War Paint Cloak",
[14725]="War Paint Waistband",
[14726]="War Paint Gloves",
[14727]="War Paint Legguards",
[14728]="War Paint Shoulder Pads",
[14729]="War Paint Shield",
[14730]="War Paint Chestpiece",
[14742]="Hulking Boots",
[14743]="Hulking Bands",
[14744]="Hulking Chestguard",
[14745]="Hulking Cloak",
[14746]="Hulking Belt",
[14747]="Hulking Gauntlets",
[14748]="Hulking Leggings",
[14749]="Hulking Spaulders",
[14750]="Slayer\'s Cuffs",
[14751]="Slayer\'s Surcoat",
[14752]="Slayer\'s Cape",
[14753]="Slayer\'s Skullcap",
[14754]="Slayer\'s Gloves",
[14755]="Slayer\'s Sash",
[14756]="Slayer\'s Slippers",
[14757]="Slayer\'s Pants",
[14758]="Slayer\'s Shoulder Pads",
[14759]="Enduring Bracers",
[14760]="Enduring Breastplate",
[14761]="Enduring Belt",
[14762]="Enduring Boots",
[14763]="Enduring Cape",
[14764]="Enduring Gauntlets",
[14765]="Enduring Circlet",
[14766]="Enduring Breeches",
[14767]="Enduring Pauldrons",
[14768]="Ravager\'s Armor",
[14769]="Ravager\'s Sandals",
[14770]="Ravager\'s Armguards",
[14771]="Ravager\'s Cloak",
[14772]="Ravager\'s Handwraps",
[14773]="Ravager\'s Cord",
[14774]="Ravager\'s Crown",
[14775]="Ravager\'s Woolies",
[14776]="Ravager\'s Mantle",
[14777]="Ravager\'s Shield",
[14778]="Khan\'s Bindings",
[14779]="Khan\'s Chestpiece",
[14780]="Khan\'s Buckler",
[14781]="Khan\'s Cloak",
[14782]="Khan\'s Gloves",
[14783]="Khan\'s Belt",
[14784]="Khan\'s Greaves",
[14785]="Khan\'s Helmet",
[14786]="Khan\'s Legguards",
[14787]="Khan\'s Mantle",
[14788]="Protector Armguards",
[14789]="Protector Breastplate",
[14790]="Protector Buckler",
[14791]="Protector Cape",
[14792]="Protector Gauntlets",
[14793]="Protector Waistband",
[14794]="Protector Ankleguards",
[14795]="Protector Helm",
[14796]="Protector Legguards",
[14797]="Protector Pads",
[14798]="Bloodlust Breastplate",
[14799]="Bloodlust Boots",
[14800]="Bloodlust Buckler",
[14801]="Bloodlust Cape",
[14802]="Bloodlust Gauntlets",
[14803]="Bloodlust Belt",
[14804]="Bloodlust Helm",
[14805]="Bloodlust Britches",
[14806]="Bloodlust Epaulets",
[14807]="Bloodlust Bracelets",
[14808]="Warstrike Belt",
[14809]="Warstrike Sabatons",
[14810]="Warstrike Armsplints",
[14811]="Warstrike Chestguard",
[14812]="Warstrike Buckler",
[14813]="Warstrike Cape",
[14814]="Warstrike Helmet",
[14815]="Warstrike Gauntlets",
[14816]="Warstrike Legguards",
[14817]="Warstrike Shoulder Pads",
[14821]="Symbolic Breastplate",
[14825]="Symbolic Crest",
[14826]="Symbolic Gauntlets",
[14827]="Symbolic Belt",
[14828]="Symbolic Greaves",
[14829]="Symbolic Legplates",
[14830]="Symbolic Pauldrons",
[14831]="Symbolic Crown",
[14832]="Symbolic Vambraces",
[14833]="Tyrant\'s Gauntlets",
[14834]="Tyrant\'s Armguards",
[14835]="Tyrant\'s Chestpiece",
[14838]="Tyrant\'s Belt",
[14839]="Tyrant\'s Greaves",
[14840]="Tyrant\'s Legplates",
[14841]="Tyrant\'s Epaulets",
[14842]="Tyrant\'s Shield",
[14843]="Tyrant\'s Helm",
[14844]="Sunscale Chestguard",
[14846]="Sunscale Gauntlets",
[14847]="Sunscale Belt",
[14848]="Sunscale Sabatons",
[14849]="Sunscale Helmet",
[14850]="Sunscale Legplates",
[14851]="Sunscale Spaulders",
[14852]="Sunscale Shield",
[14853]="Sunscale Wristguards",
[14854]="Vanguard Breastplate",
[14855]="Vanguard Gauntlets",
[14856]="Vanguard Girdle",
[14857]="Vanguard Sabatons",
[14858]="Vanguard Headdress",
[14859]="Vanguard Legplates",
[14860]="Vanguard Pauldrons",
[14861]="Vanguard Vambraces",
[14862]="Warleader\'s Breastplate",
[14863]="Warleader\'s Gauntlets",
[14864]="Warleader\'s Belt",
[14865]="Warleader\'s Greaves",
[14866]="Warleader\'s Crown",
[14867]="Warleader\'s Leggings",
[14868]="Warleader\'s Shoulders",
[14869]="Warleader\'s Bracers",
[14872]="Tirion\'s Gift",
[14894]="Lily Root",
[14895]="Saltstone Surcoat",
[14896]="Saltstone Sabatons",
[14897]="Saltstone Gauntlets",
[14898]="Saltstone Girdle",
[14899]="Saltstone Helm",
[14900]="Saltstone Legplates",
[14901]="Saltstone Shoulder Pads",
[14902]="Saltstone Shield",
[14903]="Saltstone Armsplints",
[14904]="Brutish Breastplate",
[14905]="Brutish Gauntlets",
[14906]="Brutish Belt",
[14907]="Brutish Helmet",
[14908]="Brutish Legguards",
[14909]="Brutish Shoulders",
[14910]="Brutish Armguards",
[14911]="Brutish Boots",
[14912]="Brutish Shield",
[14913]="Jade Greaves",
[14914]="Jade Bracers",
[14915]="Jade Breastplate",
[14916]="Jade Deflector",
[14917]="Jade Gauntlets",
[14918]="Jade Belt",
[14919]="Jade Circlet",
[14920]="Jade Legplates",
[14921]="Jade Epaulets",
[14922]="Lofty Sabatons",
[14923]="Lofty Armguards",
[14924]="Lofty Breastplate",
[14925]="Lofty Helm",
[14926]="Lofty Gauntlets",
[14927]="Lofty Belt",
[14928]="Lofty Legguards",
[14929]="Lofty Shoulder Pads",
[14930]="Lofty Shield",
[14931]="Heroic Armor",
[14932]="Heroic Greaves",
[14933]="Heroic Gauntlets",
[14934]="Heroic Girdle",
[14935]="Heroic Skullcap",
[14936]="Heroic Legplates",
[14937]="Heroic Pauldrons",
[14938]="Heroic Bracers",
[14939]="Warbringer\'s Chestguard",
[14940]="Warbringer\'s Sabatons",
[14941]="Warbringer\'s Armsplints",
[14942]="Warbringer\'s Gauntlets",
[14943]="Warbringer\'s Belt",
[14944]="Warbringer\'s Crown",
[14945]="Warbringer\'s Legguards",
[14946]="Warbringer\'s Spaulders",
[14947]="Warbringer\'s Shield",
[14948]="Bloodforged Chestpiece",
[14949]="Bloodforged Gauntlets",
[14950]="Bloodforged Belt",
[14951]="Bloodforged Sabatons",
[14952]="Bloodforged Helmet",
[14953]="Bloodforged Legplates",
[14954]="Bloodforged Shield",
[14955]="Bloodforged Shoulder Pads",
[14956]="Bloodforged Bindings",
[14957]="High Chief\'s Sabatons",
[14958]="High Chief\'s Armor",
[14959]="High Chief\'s Gauntlets",
[14960]="High Chief\'s Belt",
[14961]="High Chief\'s Crown",
[14962]="High Chief\'s Legguards",
[14963]="High Chief\'s Pauldrons",
[14964]="High Chief\'s Shield",
[14965]="High Chief\'s Bindings",
[14966]="Glorious Breastplate",
[14967]="Glorious Gauntlets",
[14968]="Glorious Belt",
[14969]="Glorious Headdress",
[14970]="Glorious Legplates",
[14971]="Glorious Shoulder Pads",
[14972]="Glorious Sabatons",
[14973]="Glorious Shield",
[14974]="Glorious Bindings",
[14975]="Exalted Harness",
[14976]="Exalted Gauntlets",
[14977]="Exalted Girdle",
[14978]="Exalted Sabatons",
[14979]="Exalted Helmet",
[14980]="Exalted Legplates",
[14981]="Exalted Epaulets",
[14982]="Exalted Shield",
[14983]="Exalted Armsplints",
[15002]="Nimboya\'s Pike",
[15003]="Primal Belt",
[15004]="Primal Boots",
[15005]="Primal Bands",
[15006]="Primal Buckler",
[15007]="Primal Cape",
[15008]="Primal Mitts",
[15009]="Primal Leggings",
[15010]="Primal Wraps",
[15011]="Lupine Cord",
[15012]="Lupine Slippers",
[15013]="Lupine Cuffs",
[15014]="Lupine Buckler",
[15015]="Lupine Cloak",
[15016]="Lupine Handwraps",
[15017]="Lupine Leggings",
[15018]="Lupine Vest",
[15019]="Lupine Mantle",
[15042]="Empty Termite Jar",
[15043]="Plagueland Termites",
[15044]="Barrel of Plagueland Termites",
[15045]="Green Dragonscale Breastplate",
[15046]="Green Dragonscale Leggings",
[15047]="Red Dragonscale Breastplate",
[15048]="Blue Dragonscale Breastplate",
[15049]="Blue Dragonscale Shoulders",
[15050]="Black Dragonscale Breastplate",
[15051]="Black Dragonscale Shoulders",
[15052]="Black Dragonscale Leggings",
[15053]="Volcanic Breastplate",
[15054]="Volcanic Leggings",
[15055]="Volcanic Shoulders",
[15056]="Stormshroud Armor",
[15057]="Stormshroud Pants",
[15058]="Stormshroud Shoulders",
[15059]="Living Breastplate",
[15060]="Living Leggings",
[15061]="Living Shoulders",
[15062]="Devilsaur Leggings",
[15063]="Devilsaur Gauntlets",
[15064]="Warbear Harness",
[15065]="Warbear Woolies",
[15066]="Ironfeather Breastplate",
[15067]="Ironfeather Shoulders",
[15068]="Frostsaber Tunic",
[15069]="Frostsaber Leggings",
[15070]="Frostsaber Gloves",
[15071]="Frostsaber Boots",
[15072]="Chimeric Leggings",
[15073]="Chimeric Boots",
[15074]="Chimeric Gloves",
[15075]="Chimeric Vest",
[15076]="Heavy Scorpid Vest",
[15077]="Heavy Scorpid Bracers",
[15078]="Heavy Scorpid Gauntlet",
[15079]="Heavy Scorpid Leggings",
[15080]="Heavy Scorpid Helm",
[15081]="Heavy Scorpid Shoulders",
[15082]="Heavy Scorpid Belt",
[15083]="Wicked Leather Gauntlets",
[15084]="Wicked Leather Bracers",
[15085]="Wicked Leather Armor",
[15086]="Wicked Leather Headband",
[15087]="Wicked Leather Pants",
[15088]="Wicked Leather Belt",
[15090]="Runic Leather Armor",
[15091]="Runic Leather Gauntlets",
[15092]="Runic Leather Bracers",
[15093]="Runic Leather Belt",
[15094]="Runic Leather Headband",
[15095]="Runic Leather Pants",
[15096]="Runic Leather Shoulders",
[15102]="Un\'Goro Tested Sample",
[15103]="Corrupt Tested Sample",
[15104]="Wingborne Boots",
[15105]="Staff of Noh\'Orahil",
[15106]="Staff of Dar\'Orahil",
[15107]="Orb of Noh\'Orahil",
[15108]="Orb of Dar\'Orahil",
[15109]="Staff of Soran\'ruk",
[15110]="Rigid Belt",
[15111]="Rigid Moccasins",
[15112]="Rigid Bracelets",
[15113]="Rigid Buckler",
[15114]="Rigid Cape",
[15115]="Rigid Gloves",
[15116]="Rigid Shoulders",
[15117]="Rigid Leggings",
[15118]="Rigid Tunic",
[15119]="Highborne Pants",
[15120]="Robust Girdle",
[15121]="Robust Boots",
[15122]="Robust Bracers",
[15123]="Robust Buckler",
[15124]="Robust Cloak",
[15125]="Robust Gloves",
[15126]="Robust Leggings",
[15127]="Robust Shoulders",
[15128]="Robust Tunic",
[15129]="Robust Helm",
[15130]="Cutthroat\'s Vest",
[15131]="Cutthroat\'s Boots",
[15132]="Cutthroat\'s Armguards",
[15133]="Cutthroat\'s Buckler",
[15134]="Cutthroat\'s Hat",
[15135]="Cutthroat\'s Cape",
[15136]="Cutthroat\'s Belt",
[15137]="Cutthroat\'s Mitts",
[15138]="Onyxia Scale Cloak",
[15139]="Cutthroat\'s Pants",
[15140]="Cutthroat\'s Mantle",
[15142]="Ghostwalker Boots",
[15143]="Ghostwalker Bindings",
[15144]="Ghostwalker Rags",
[15145]="Ghostwalker Buckler",
[15146]="Ghostwalker Crown",
[15147]="Ghostwalker Cloak",
[15148]="Ghostwalker Belt",
[15149]="Ghostwalker Gloves",
[15150]="Ghostwalker Pads",
[15151]="Ghostwalker Legguards",
[15152]="Nocturnal Shoes",
[15153]="Nocturnal Cloak",
[15154]="Nocturnal Sash",
[15155]="Nocturnal Gloves",
[15156]="Nocturnal Cap",
[15157]="Nocturnal Leggings",
[15158]="Nocturnal Shoulder Pads",
[15159]="Nocturnal Tunic",
[15160]="Nocturnal Wristbands",
[15161]="Imposing Belt",
[15162]="Imposing Boots",
[15163]="Imposing Bracers",
[15164]="Imposing Vest",
[15165]="Imposing Cape",
[15166]="Imposing Gloves",
[15167]="Imposing Bandana",
[15168]="Imposing Pants",
[15169]="Imposing Shoulders",
[15170]="Potent Armor",
[15171]="Potent Boots",
[15172]="Potent Bands",
[15173]="Potent Cape",
[15174]="Potent Gloves",
[15175]="Potent Helmet",
[15176]="Potent Pants",
[15177]="Potent Shoulders",
[15178]="Potent Belt",
[15179]="Praetorian Padded Armor",
[15180]="Praetorian Girdle",
[15181]="Praetorian Boots",
[15182]="Praetorian Wristbands",
[15183]="Praetorian Cloak",
[15184]="Praetorian Gloves",
[15185]="Praetorian Coif",
[15186]="Praetorian Leggings",
[15187]="Praetorian Pauldrons",
[15188]="Grand Armguards",
[15189]="Grand Boots",
[15190]="Grand Cloak",
[15191]="Grand Belt",
[15192]="Grand Gauntlets",
[15193]="Grand Crown",
[15194]="Grand Legguards",
[15195]="Grand Breastplate",
[15196]="Private\'s Tabard",
[15197]="Scout\'s Tabard",
[15198]="Knight\'s Colors",
[15199]="Stone Guard\'s Herald",
[15200]="Senior Sergeant\'s Insignia",
[15202]="Wildkeeper Leggings",
[15203]="Guststorm Legguards",
[15204]="Moonstone Wand",
[15205]="Owlsight Rifle",
[15206]="Jadefinger Baton",
[15207]="Steelcap Shield",
[15208]="Cenarion Moondust",
[15209]="Relic Bundle",
[15210]="Raider Shortsword",
[15211]="Militant Shortsword",
[15212]="Fighter Broadsword",
[15213]="Mercenary Blade",
[15214]="Nobles Brand",
[15215]="Furious Falchion",
[15216]="Rune Sword",
[15217]="Widow Blade",
[15218]="Crystal Sword",
[15219]="Dimensional Blade",
[15220]="Battlefell Sabre",
[15221]="Holy War Sword",
[15222]="Barbed Club",
[15223]="Jagged Star",
[15224]="Battlesmasher",
[15225]="Sequoia Hammer",
[15226]="Giant Club",
[15227]="Diamond-Tip Bludgeon",
[15228]="Smashing Star",
[15229]="Blesswind Hammer",
[15230]="Ridge Cleaver",
[15231]="Splitting Hatchet",
[15232]="Hacking Cleaver",
[15233]="Savage Axe",
[15234]="Greater Scythe",
[15235]="Crescent Edge",
[15236]="Moon Cleaver",
[15237]="Corpse Harvester",
[15238]="Warlord\'s Axe",
[15239]="Felstone Reaver",
[15240]="Demon\'s Claw",
[15241]="Battle Knife",
[15242]="Honed Stiletto",
[15243]="Deadly Kris",
[15244]="Razor Blade",
[15245]="Vorpal Dagger",
[15246]="Demon Blade",
[15247]="Bloodstrike Dagger",
[15248]="Gleaming Claymore",
[15249]="Polished Zweihander",
[15250]="Glimmering Flamberge",
[15251]="Headstriker Sword",
[15252]="Tusker Sword",
[15253]="Beheading Blade",
[15254]="Dark Espadon",
[15255]="Gallant Flamberge",
[15256]="Massacre Sword",
[15257]="Shin Blade",
[15258]="Divine Warblade",
[15259]="Hefty Battlehammer",
[15260]="Stone Hammer",
[15261]="Sequoia Branch",
[15262]="Greater Maul",
[15263]="Royal Mallet",
[15264]="Backbreaker",
[15265]="Painbringer",
[15266]="Fierce Mauler",
[15267]="Brutehammer",
[15268]="Twin-bladed Axe",
[15269]="Massive Battle Axe",
[15270]="Gigantic War Axe",
[15271]="Colossal Great Axe",
[15272]="Razor Axe",
[15273]="Death Striker",
[15274]="Diviner Long Staff",
[15275]="Thaumaturgist Staff",
[15276]="Magus Long Staff",
[15277]="Gray Kodo",
[15278]="Solstice Staff",
[15279]="Ivory Wand",
[15280]="Wizard\'s Hand",
[15281]="Glowstar Rod",
[15282]="Dragon Finger",
[15283]="Lunar Wand",
[15284]="Long Battle Bow",
[15285]="Archer\'s Longbow",
[15286]="Long Redwood Bow",
[15287]="Crusader Bow",
[15288]="Blasthorn Bow",
[15289]="Archstrike Bow",
[15290]="Brown Kodo",
[15291]="Harpy Needler",
[15292]="Green Kodo",
[15293]="Teal Kodo",
[15294]="Siege Bow",
[15295]="Quillfire Bow",
[15296]="Hawkeye Bow",
[15297]="Grizzly Bracers",
[15298]="Grizzly Buckler",
[15299]="Grizzly Cape",
[15300]="Grizzly Gloves",
[15301]="Grizzly Slippers",
[15302]="Grizzly Belt",
[15303]="Grizzly Pants",
[15304]="Grizzly Jerkin",
[15305]="Feral Shoes",
[15306]="Feral Bindings",
[15307]="Feral Buckler",
[15308]="Feral Cord",
[15309]="Feral Cloak",
[15310]="Feral Gloves",
[15311]="Feral Harness",
[15312]="Feral Leggings",
[15313]="Feral Shoulder Pads",
[15314]="Bundle of Relics",
[15322]="Smoothbore Gun",
[15323]="Percussion Shotgun",
[15324]="Burnside Rifle",
[15325]="Sharpshooter Harquebus",
[15326]="Gleaming Throwing Axe",
[15327]="Wicked Throwing Dagger",
[15328]="Joseph\'s Key",
[15329]="Wrangler\'s Belt",
[15330]="Wrangler\'s Boots",
[15331]="Wrangler\'s Wristbands",
[15332]="Wrangler\'s Buckler",
[15333]="Wrangler\'s Cloak",
[15334]="Wrangler\'s Gloves",
[15335]="Briarsteel Shortsword",
[15336]="Wrangler\'s Leggings",
[15337]="Wrangler\'s Wraps",
[15338]="Wrangler\'s Mantle",
[15339]="Pathfinder Hat",
[15340]="Pathfinder Cloak",
[15341]="Pathfinder Footpads",
[15342]="Pathfinder Guard",
[15343]="Pathfinder Gloves",
[15344]="Pathfinder Pants",
[15345]="Pathfinder Shoulder Pads",
[15346]="Pathfinder Vest",
[15347]="Pathfinder Belt",
[15348]="Pathfinder Bracers",
[15349]="Headhunter\'s Belt",
[15350]="Headhunter\'s Slippers",
[15351]="Headhunter\'s Bands",
[15352]="Headhunter\'s Buckler",
[15353]="Headhunter\'s Headdress",
[15354]="Headhunter\'s Cloak",
[15355]="Headhunter\'s Mitts",
[15356]="Headhunter\'s Armor",
[15357]="Headhunter\'s Spaulders",
[15358]="Headhunter\'s Woolies",
[15359]="Trickster\'s Vest",
[15360]="Trickster\'s Bindings",
[15361]="Trickster\'s Sash",
[15362]="Trickster\'s Boots",
[15363]="Trickster\'s Headdress",
[15364]="Trickster\'s Cloak",
[15365]="Trickster\'s Handwraps",
[15366]="Trickster\'s Leggings",
[15367]="Trickster\'s Protector",
[15368]="Trickster\'s Pauldrons",
[15369]="Wolf Rider\'s Belt",
[15370]="Wolf Rider\'s Boots",
[15371]="Wolf Rider\'s Cloak",
[15372]="Wolf Rider\'s Gloves",
[15373]="Wolf Rider\'s Headgear",
[15374]="Wolf Rider\'s Leggings",
[15375]="Wolf Rider\'s Shoulder Pads",
[15376]="Wolf Rider\'s Padded Armor",
[15377]="Wolf Rider\'s Wristbands",
[15378]="Rageclaw Belt",
[15379]="Rageclaw Boots",
[15380]="Rageclaw Bracers",
[15381]="Rageclaw Chestguard",
[15382]="Rageclaw Cloak",
[15383]="Rageclaw Gloves",
[15384]="Rageclaw Helm",
[15385]="Rageclaw Leggings",
[15386]="Rageclaw Shoulder Pads",
[15387]="Jadefire Bracelets",
[15388]="Jadefire Belt",
[15389]="Jadefire Sabatons",
[15390]="Jadefire Chestguard",
[15391]="Jadefire Cap",
[15392]="Jadefire Cloak",
[15393]="Jadefire Gloves",
[15394]="Jadefire Pants",
[15395]="Jadefire Epaulets",
[15396]="Curvewood Dagger",
[15397]="Oakthrush Staff",
[15398]="Sandcomber Boots",
[15399]="Dryweed Belt",
[15400]="Clamshell Bracers",
[15401]="Welldrip Gloves",
[15402]="Noosegrip Gauntlets",
[15403]="Ridgeback Bracers",
[15404]="Breakwater Girdle",
[15405]="Shucking Gloves",
[15406]="Crustacean Boots",
[15407]="Cured Rugged Hide",
[15408]="Heavy Scorpid Scale",
[15409]="Refined Deeprock Salt",
[15410]="Scale of Onyxia",
[15411]="Mark of Fordring",
[15412]="Green Dragonscale",
[15413]="Ornate Adamantium Breastplate",
[15414]="Red Dragonscale",
[15415]="Blue Dragonscale",
[15416]="Black Dragonscale",
[15417]="Devilsaur Leather",
[15418]="Shimmering Platinum Warhammer",
[15419]="Warbear Leather",
[15420]="Ironfeather",
[15421]="Shroud of the Exile",
[15422]="Frostsaber Leather",
[15423]="Chimera Leather",
[15424]="Axe of Orgrimmar",
[15425]="Peerless Bracers",
[15426]="Peerless Boots",
[15427]="Peerless Cloak",
[15428]="Peerless Belt",
[15429]="Peerless Gloves",
[15430]="Peerless Headband",
[15431]="Peerless Leggings",
[15432]="Peerless Shoulders",
[15433]="Peerless Armor",
[15434]="Supreme Sash",
[15435]="Supreme Shoes",
[15436]="Supreme Bracers",
[15437]="Supreme Cape",
[15438]="Supreme Gloves",
[15439]="Supreme Crown",
[15440]="Supreme Leggings",
[15441]="Supreme Shoulders",
[15442]="Supreme Breastplate",
[15443]="Kris of Orgrimmar",
[15444]="Staff of Orgrimmar",
[15445]="Hammer of Orgrimmar",
[15447]="Living Rot",
[15448]="Coagulated Rot",
[15449]="Ghastly Trousers",
[15450]="Dredgemire Leggings",
[15451]="Gargoyle Leggings",
[15452]="Featherbead Bracers",
[15453]="Savannah Bracers",
[15454]="Mortar and Pestle",
[15455]="Dustfall Robes",
[15456]="Lightstep Leggings",
[15457]="Desert Shoulders",
[15458]="Tundra Boots",
[15459]="Grimtoll Wristguards",
[15461]="Lightheel Boots",
[15462]="Loamflake Bracers",
[15463]="Palestrider Gloves",
[15464]="Brute Hammer",
[15465]="Stingshot Wand",
[15466]="Clink Shield",
[15467]="Inventor\'s League Ring",
[15468]="Windsong Drape",
[15469]="Windsong Cinch",
[15470]="Plainsguard Leggings",
[15471]="Brawnhide Armor",
[15472]="Charger\'s Belt",
[15473]="Charger\'s Boots",
[15474]="Charger\'s Bindings",
[15475]="Charger\'s Cloak",
[15476]="Charger\'s Handwraps",
[15477]="Charger\'s Pants",
[15478]="Charger\'s Shield",
[15479]="Charger\'s Armor",
[15480]="War Torn Girdle",
[15481]="War Torn Greaves",
[15482]="War Torn Bands",
[15483]="War Torn Cape",
[15484]="War Torn Handgrips",
[15485]="War Torn Pants",
[15486]="War Torn Shield",
[15487]="War Torn Tunic",
[15488]="Bloodspattered Surcoat",
[15489]="Bloodspattered Sabatons",
[15490]="Bloodspattered Cloak",
[15491]="Bloodspattered Gloves",
[15492]="Bloodspattered Sash",
[15493]="Bloodspattered Loincloth",
[15494]="Bloodspattered Shield",
[15495]="Bloodspattered Wristbands",
[15496]="Bloodspattered Shoulder Pads",
[15497]="Outrunner\'s Cord",
[15498]="Outrunner\'s Slippers",
[15499]="Outrunner\'s Cuffs",
[15500]="Outrunner\'s Chestguard",
[15501]="Outrunner\'s Cloak",
[15502]="Outrunner\'s Gloves",
[15503]="Outrunner\'s Legguards",
[15504]="Outrunner\'s Shield",
[15505]="Outrunner\'s Pauldrons",
[15506]="Grunt\'s AnkleWraps",
[15507]="Grunt\'s Bracers",
[15508]="Grunt\'s Cape",
[15509]="Grunt\'s Handwraps",
[15510]="Grunt\'s Belt",
[15511]="Grunt\'s Legguards",
[15512]="Grunt\'s Shield",
[15513]="Grunt\'s Pauldrons",
[15514]="Grunt\'s Chestpiece",
[15515]="Spiked Chain Belt",
[15516]="Spiked Chain Slippers",
[15517]="Spiked Chain Wristbands",
[15518]="Spiked Chain Breastplate",
[15519]="Spiked Chain Cloak",
[15520]="Spiked Chain Gauntlets",
[15521]="Spiked Chain Leggings",
[15522]="Spiked Chain Shield",
[15523]="Spiked Chain Shoulder Pads",
[15524]="Sentry\'s Surcoat",
[15525]="Sentry\'s Slippers",
[15526]="Sentry\'s Cape",
[15527]="Sentry\'s Gloves",
[15528]="Sentry\'s Sash",
[15529]="Sentry\'s Leggings",
[15530]="Sentry\'s Shield",
[15531]="Sentry\'s Shoulderguards",
[15532]="Sentry\'s Armsplints",
[15533]="Sentry\'s Headdress",
[15534]="Wicked Chain Boots",
[15535]="Wicked Chain Bracers",
[15536]="Wicked Chain Chestpiece",
[15537]="Wicked Chain Cloak",
[15538]="Wicked Chain Gauntlets",
[15539]="Wicked Chain Waistband",
[15540]="Wicked Chain Helmet",
[15541]="Wicked Chain Legguards",
[15542]="Wicked Chain Shoulder Pads",
[15543]="Wicked Chain Shield",
[15544]="Thick Scale Sabatons",
[15545]="Thick Scale Bracelets",
[15546]="Thick Scale Breastplate",
[15547]="Thick Scale Cloak",
[15548]="Thick Scale Gauntlets",
[15549]="Thick Scale Belt",
[15550]="Thick Scale Crown",
[15551]="Thick Scale Legguards",
[15552]="Thick Scale Shield",
[15553]="Thick Scale Shoulder Pads",
[15554]="Pillager\'s Girdle",
[15555]="Pillager\'s Boots",
[15556]="Pillager\'s Bracers",
[15557]="Pillager\'s Chestguard",
[15558]="Pillager\'s Crown",
[15559]="Pillager\'s Cloak",
[15560]="Pillager\'s Gloves",
[15561]="Pillager\'s Leggings",
[15562]="Pillager\'s Pauldrons",
[15563]="Pillager\'s Shield",
[15564]="Rugged Armor Kit",
[15565]="Marauder\'s Boots",
[15566]="Marauder\'s Bracers",
[15567]="Marauder\'s Tunic",
[15568]="Marauder\'s Cloak",
[15569]="Marauder\'s Crest",
[15570]="Marauder\'s Gauntlets",
[15571]="Marauder\'s Belt",
[15572]="Marauder\'s Circlet",
[15573]="Marauder\'s Leggings",
[15574]="Marauder\'s Shoulder Pads",
[15575]="Sparkleshell Belt",
[15576]="Sparkleshell Sabatons",
[15577]="Sparkleshell Bracers",
[15578]="Sparkleshell Breastplate",
[15579]="Sparkleshell Cloak",
[15580]="Sparkleshell Headwrap",
[15581]="Sparkleshell Gauntlets",
[15582]="Sparkleshell Legguards",
[15583]="Sparkleshell Shoulder Pads",
[15584]="Sparkleshell Shield",
[15585]="Pardoc Grips",
[15587]="Ringtail Girdle",
[15588]="Bracesteel Belt",
[15589]="Steadfast Stompers",
[15590]="Steadfast Bracelets",
[15591]="Steadfast Breastplate",
[15592]="Steadfast Buckler",
[15593]="Steadfast Coronet",
[15594]="Steadfast Cloak",
[15595]="Steadfast Gloves",
[15596]="Steadfast Legplates",
[15597]="Steadfast Shoulders",
[15598]="Steadfast Girdle",
[15599]="Ancient Greaves",
[15600]="Ancient Vambraces",
[15601]="Ancient Chestpiece",
[15602]="Ancient Crown",
[15603]="Ancient Cloak",
[15604]="Ancient Defender",
[15605]="Ancient Gauntlets",
[15606]="Ancient Belt",
[15607]="Ancient Legguards",
[15608]="Ancient Pauldrons",
[15609]="Bonelink Armor",
[15610]="Bonelink Bracers",
[15611]="Bonelink Cape",
[15612]="Bonelink Gauntlets",
[15613]="Bonelink Belt",
[15614]="Bonelink Sabatons",
[15615]="Bonelink Helmet",
[15616]="Bonelink Legplates",
[15617]="Bonelink Epaulets",
[15618]="Bonelink Wall Shield",
[15619]="Gryphon Mail Belt",
[15620]="Gryphon Mail Bracelets",
[15621]="Gryphon Mail Buckler",
[15622]="Gryphon Mail Breastplate",
[15623]="Gryphon Mail Crown",
[15624]="Gryphon Cloak",
[15625]="Gryphon Mail Gauntlets",
[15626]="Gryphon Mail Greaves",
[15627]="Gryphon Mail Legguards",
[15628]="Gryphon Mail Pauldrons",
[15629]="Formidable Bracers",
[15630]="Formidable Sabatons",
[15631]="Formidable Chestpiece",
[15632]="Formidable Cape",
[15633]="Formidable Crest",
[15634]="Formidable Circlet",
[15635]="Formidable Gauntlets",
[15636]="Formidable Belt",
[15637]="Formidable Legguards",
[15638]="Formidable Shoulder Pads",
[15639]="Ironhide Bracers",
[15640]="Ironhide Breastplate",
[15641]="Ironhide Belt",
[15642]="Ironhide Greaves",
[15643]="Ironhide Cloak",
[15644]="Ironhide Gauntlets",
[15645]="Ironhide Helmet",
[15646]="Ironhide Legguards",
[15647]="Ironhide Pauldrons",
[15648]="Ironhide Shield",
[15649]="Merciless Bracers",
[15650]="Merciless Surcoat",
[15651]="Merciless Crown",
[15652]="Merciless Cloak",
[15653]="Merciless Gauntlets",
[15654]="Merciless Belt",
[15655]="Merciless Legguards",
[15656]="Merciless Epaulets",
[15657]="Merciless Shield",
[15658]="Impenetrable Sabatons",
[15659]="Impenetrable Bindings",
[15660]="Impenetrable Breastplate",
[15661]="Impenetrable Cloak",
[15662]="Impenetrable Gauntlets",
[15663]="Impenetrable Belt",
[15664]="Impenetrable Helmet",
[15665]="Impenetrable Legguards",
[15666]="Impenetrable Pauldrons",
[15667]="Impenetrable Wall",
[15668]="Magnificent Bracers",
[15669]="Magnificent Breastplate",
[15670]="Magnificent Helmet",
[15671]="Magnificent Cloak",
[15672]="Magnificent Gauntlets",
[15673]="Magnificent Belt",
[15674]="Magnificent Greaves",
[15675]="Magnificent Guard",
[15676]="Magnificent Leggings",
[15677]="Magnificent Shoulders",
[15678]="Triumphant Sabatons",
[15679]="Triumphant Bracers",
[15680]="Triumphant Chestpiece",
[15681]="Triumphant Cloak",
[15682]="Triumphant Gauntlets",
[15683]="Triumphant Girdle",
[15684]="Triumphant Skullcap",
[15685]="Triumphant Legplates",
[15686]="Triumphant Shoulder Pads",
[15687]="Triumphant Shield",
[15689]="Trader\'s Ring",
[15690]="Kodobone Necklace",
[15691]="Sidegunner Shottie",
[15692]="Kodo Brander",
[15693]="Grand Shoulders",
[15694]="Merciless Greaves",
[15695]="Studded Ring Shield",
[15696]="Ruined Tome",
[15697]="Kodo Rustler Boots",
[15698]="Wrangling Spaulders",
[15699]="Small Brown-wrapped Package",
[15702]="Chemist\'s Ring",
[15703]="Chemist\'s Smock",
[15704]="Hunter\'s Insignia Medal",
[15705]="Tidecrest Blade",
[15706]="Hunt Tracker Blade",
[15707]="Brantwood Sash",
[15708]="Blight Leather Gloves",
[15709]="Gearforge Girdle",
[15710]="Cenarion Lunardust",
[15722]="Spraggle\'s Canteen",
[15723]="Tea with Sugar",
[15724]="Pattern: Heavy Scorpid Bracers",
[15725]="Pattern: Wicked Leather Gauntlets",
[15726]="Pattern: Green Dragonscale Breastplate",
[15727]="Pattern: Heavy Scorpid Vest",
[15728]="Pattern: Wicked Leather Bracers",
[15729]="Pattern: Chimeric Gloves",
[15730]="Pattern: Red Dragonscale Breastplate",
[15731]="Pattern: Runic Leather Gauntlets",
[15732]="Pattern: Volcanic Leggings",
[15733]="Pattern: Green Dragonscale Leggings",
[15734]="Pattern: Living Shoulders",
[15735]="Pattern: Ironfeather Shoulders",
[15736]="Smokey\'s Special Compound",
[15737]="Pattern: Chimeric Boots",
[15738]="Pattern: Heavy Scorpid Gauntlets",
[15739]="Pattern: Runic Leather Bracers",
[15740]="Pattern: Frostsaber Boots",
[15741]="Pattern: Stormshroud Pants",
[15742]="Pattern: Warbear Harness",
[15743]="Pattern: Heavy Scorpid Belt",
[15744]="Pattern: Wicked Leather Headband",
[15745]="Pattern: Runic Leather Belt",
[15746]="Pattern: Chimeric Leggings",
[15747]="Pattern: Frostsaber Leggings",
[15748]="Pattern: Heavy Scorpid Leggings",
[15749]="Pattern: Volcanic Breastplate",
[15750]="Sceptre of Light",
[15751]="Pattern: Blue Dragonscale Breastplate",
[15752]="Pattern: Living Leggings",
[15753]="Pattern: Stormshroud Armor",
[15754]="Pattern: Warbear Woolies",
[15755]="Pattern: Chimeric Vest",
[15756]="Pattern: Runic Leather Headband",
[15757]="Pattern: Wicked Leather Pants",
[15758]="Pattern: Devilsaur Gauntlets",
[15759]="Pattern: Black Dragonscale Breastplate",
[15760]="Pattern: Ironfeather Breastplate",
[15761]="Pattern: Frostsaber Gloves",
[15762]="Pattern: Heavy Scorpid Helm",
[15763]="Pattern: Blue Dragonscale Shoulders",
[15764]="Pattern: Stormshroud Shoulders",
[15765]="Pattern: Runic Leather Pants",
[15766]="Gem of the Serpent",
[15767]="Hameya\'s Key",
[15768]="Pattern: Wicked Leather Belt",
[15770]="Pattern: Black Dragonscale Shoulders",
[15771]="Pattern: Living Breastplate",
[15772]="Pattern: Devilsaur Leggings",
[15773]="Pattern: Wicked Leather Armor",
[15774]="Pattern: Heavy Scorpid Shoulders",
[15775]="Pattern: Volcanic Shoulders",
[15776]="Pattern: Runic Leather Armor",
[15777]="Pattern: Runic Leather Shoulders",
[15778]="Mechanical Yeti",
[15779]="Pattern: Frostsaber Tunic",
[15781]="Pattern: Black Dragonscale Leggings",
[15782]="Beaststalker Blade",
[15783]="Beasthunter Dagger",
[15784]="Crystal Breeze Mantle",
[15785]="Zaeldarr\'s Head",
[15786]="Fernpulse Jerkin",
[15787]="Willow Band Hauberk",
[15788]="Everlook Report",
[15789]="Deep River Cloak",
[15790]="Studies in Spirit Speaking",
[15791]="Turquoise Sash",
[15792]="Plow Wood Spaulders",
[15793]="A Chewed Bone",
[15794]="Ripped Ogre Loincloth",
[15795]="Emerald Mist Gauntlets",
[15796]="Seaspray Bracers",
[15797]="Shining Armplates",
[15798]="Chipped Ogre Teeth",
[15799]="Heroic Commendation Medal",
[15800]="Intrepid Shortsword",
[15801]="Valiant Shortsword",
[15802]="Mooncloth Boots",
[15803]="Book of the Ancients",
[15804]="Cerise Drape",
[15805]="Penelope\'s Rose",
[15806]="Mirah\'s Song",
[15807]="Light Crossbow",
[15808]="Fine Light Crossbow",
[15809]="Heavy Crossbow",
[15810]="Short Spear",
[15811]="Heavy Spear",
[15812]="Orchid Amice",
[15813]="Gold Link Belt",
[15814]="Hameya\'s Slayer",
[15815]="Hameya\'s Cloak",
[15822]="Shadowskin Spaulders",
[15823]="Bricksteel Gauntlets",
[15824]="Astoria Robes",
[15825]="Traphook Jerkin",
[15826]="Curative Animal Salve",
[15827]="Jadescale Breastplate",
[15842]="Empty Dreadmist Peak Sampler",
[15843]="Filled Dreadmist Peak Sampler",
[15844]="Empty Cliffspring Falls Sampler",
[15845]="Filled Cliffspring Falls Sampler",
[15846]="Salt Shaker",
[15847]="Quel\'Thalas Registry",
[15848]="Crate of Ghost Magnets",
[15849]="Ghost-o-plasm",
[15850]="Patch of Duskwing\'s Fur",
[15851]="Lunar Fungus",
[15852]="Kodo Horn",
[15853]="Windreaper",
[15854]="Dancing Sliver",
[15855]="Ring of Protection",
[15856]="Archlight Talisman",
[15857]="Magebane Scion",
[15858]="Freewind Gloves",
[15859]="Seapost Girdle",
[15860]="Blinkstrike Armguards",
[15861]="Swiftfoot Treads",
[15862]="Blitzcleaver",
[15863]="Grave Scepter",
[15864]="Condor Bracers",
[15865]="Anchorhold Buckler",
[15866]="Veildust Medicine Bag",
[15867]="Prismcharm",
[15868]="The Grand Crusader\'s Command",
[15869]="Silver Skeleton Key",
[15870]="Golden Skeleton Key",
[15871]="Truesilver Skeleton Key",
[15872]="Arcanite Skeleton Key",
[15873]="Ragged John\'s Neverending Cup",
[15874]="Soft-shelled Clam",
[15875]="Rotten Apple",
[15876]="Nathanos\' Chest",
[15877]="Shrine Bauble",
[15878]="Rackmore\'s Silver Key",
[15879]="Overlord Ror\'s Claw",
[15880]="Head of Ramstein the Gorger",
[15881]="Rackmore\'s Golden Key",
[15882]="Half Pendant of Aquatic Endurance",
[15883]="Half Pendant of Aquatic Agility",
[15884]="Augustus\' Receipt Book",
[15885]="Pendant of the Sea Lion",
[15886]="Timolain\'s Phylactery",
[15887]="Heroic Guard",
[15890]="Vanguard Shield",
[15891]="Hulking Shield",
[15892]="Slayer\'s Shield",
[15893]="Prospector\'s Buckler",
[15894]="Bristlebark Buckler",
[15895]="Burnt Buckler",
[15902]="A Crazy Grab Bag",
[15903]="Right-Handed Claw",
[15904]="Right-Handed Blades",
[15905]="Right-Handed Brass Knuckles",
[15906]="Left-Handed Brass Knuckles",
[15907]="Left-Handed Claw",
[15908]="Taming Rod",
[15909]="Left-Handed Blades",
[15911]="Taming Rod",
[15912]="Buccaneer\'s Orb",
[15913]="Taming Rod",
[15914]="Taming Rod",
[15915]="Taming Rod",
[15916]="Taming Rod",
[15917]="Taming Rod",
[15918]="Conjurer\'s Sphere",
[15919]="Taming Rod",
[15920]="Taming Rod",
[15921]="Taming Rod",
[15922]="Taming Rod",
[15923]="Taming Rod",
[15924]="Soft-shelled Clam Meat",
[15925]="Journeyman\'s Stave",
[15926]="Spellbinder Orb",
[15927]="Bright Sphere",
[15928]="Silver-thread Rod",
[15929]="Nightsky Orb",
[15930]="Imperial Red Scepter",
[15931]="Arcane Star",
[15932]="Disciple\'s Stein",
[15933]="Simple Branch",
[15934]="Sage\'s Stave",
[15935]="Durable Rod",
[15936]="Duskwoven Branch",
[15937]="Hibernal Sphere",
[15938]="Mystical Orb",
[15939]="Councillor\'s Scepter",
[15940]="Elegant Scepter",
[15941]="High Councillor\'s Scepter",
[15942]="Master\'s Rod",
[15943]="Imbued Shield",
[15944]="Ancestral Orb",
[15945]="Runic Stave",
[15946]="Mystic\'s Sphere",
[15947]="Sanguine Star",
[15962]="Satyr\'s Rod",
[15963]="Stonecloth Branch",
[15964]="Silksand Star",
[15965]="Windchaser Orb",
[15966]="Venomshroud Orb",
[15967]="Highborne Star",
[15968]="Elunarian Sphere",
[15969]="Beaded Orb",
[15970]="Native Branch",
[15971]="Aboriginal Rod",
[15972]="Ritual Stein",
[15973]="Watcher\'s Star",
[15974]="Pagan Rod",
[15975]="Raincaller Scepter",
[15976]="Thistlefur Branch",
[15977]="Vital Orb",
[15978]="Geomancer\'s Rod",
[15979]="Embersilk Stave",
[15980]="Darkmist Orb",
[15981]="Lunar Sphere",
[15982]="Bloodwoven Rod",
[15983]="Gaea\'s Scepter",
[15984]="Opulent Scepter",
[15985]="Arachnidian Branch",
[15986]="Bonecaster\'s Star",
[15987]="Astral Orb",
[15988]="Resplendent Orb",
[15989]="Eternal Rod",
[15990]="Enduring Shield",
[15991]="Warleader\'s Shield",
[15992]="Dense Blasting Powder",
[15993]="Thorium Grenade",
[15994]="Thorium Widget",
[15995]="Thorium Rifle",
[15996]="Lifelike Mechanical Toad",
[15997]="Thorium Shells",
[15998]="Lewis\' Note",
[15999]="Spellpower Goggles Xtreme Plus",
[16000]="Thorium Tube",
[16001]="SI:7 Insignia (Fredo)",
[16002]="SI:7 Insignia (Turyen)",
[16003]="SI:7 Insignia (Rutger)",
[16004]="Dark Iron Rifle",
[16005]="Dark Iron Bomb",
[16006]="Delicate Arcanite Converter",
[16007]="Flawless Arcanite Rifle",
[16008]="Master Engineer\'s Goggles",
[16009]="Voice Amplification Modulator",
[16022]="Arcanite Dragonling",
[16023]="Masterwork Target Dummy",
[16039]="Ta\'Kierthan Songblade",
[16040]="Arcane Bomb",
[16041]="Schematic: Thorium Grenade",
[16042]="Schematic: Thorium Widget",
[16043]="Schematic: Thorium Rifle",
[16044]="Schematic: Lifelike Mechanical Toad",
[16045]="Schematic: Spellpower Goggles Xtreme Plus",
[16046]="Schematic: Masterwork Target Dummy",
[16047]="Schematic: Thorium Tube",
[16048]="Schematic: Dark Iron Rifle",
[16049]="Schematic: Dark Iron Bomb",
[16050]="Schematic: Delicate Arcanite Converter",
[16051]="Schematic: Thorium Shells",
[16052]="Schematic: Voice Amplification Modulator",
[16053]="Schematic: Master Engineer\'s Goggles",
[16054]="Schematic: Arcanite Dragonling",
[16055]="Schematic: Arcane Bomb",
[16056]="Schematic: Flawless Arcanite Rifle",
[16057]="Explorer\'s Knapsack",
[16058]="Fordring\'s Seal",
[16059]="Common Brown Shirt",
[16060]="Common White Shirt",
[16072]="Expert Cookbook",
[16083]="Expert Fishing - The Bass and You",
[16084]="Expert First Aid - Under Wraps",
[16110]="Recipe: Monster Omelet",
[16111]="Recipe: Spiced Chili Crab",
[16112]="Manual: Heavy Silk Bandage",
[16113]="Manual: Mageweave Bandage",
[16114]="Foreman\'s Blackjack",
[16115]="Osric\'s Crate",
[16165]="Test Arcane Res Legs Mail",
[16166]="Bean Soup",
[16167]="Versicolor Treat",
[16168]="Heaven Peach",
[16169]="Wild Ricecake",
[16170]="Steamed Mandu",
[16171]="Shinsollo",
[16189]="Maggran\'s Reserve Letter",
[16190]="Bloodfury Ripper\'s Remains",
[16192]="Besseleth\'s Fang",
[16202]="Lesser Eternal Essence",
[16203]="Greater Eternal Essence",
[16204]="Illusion Dust",
[16205]="Gaea Seed",
[16206]="Arcanite Rod",
[16207]="Runed Arcanite Rod",
[16208]="Enchanted Gaea Seeds",
[16209]="Podrig\'s Order",
[16210]="Gordon\'s Crate",
[16214]="Formula: Enchant Bracer - Greater Intellect",
[16215]="Formula: Enchant Boots - Greater Stamina",
[16216]="Formula: Enchant Cloak - Greater Resistance",
[16217]="Formula: Enchant Shield - Greater Stamina",
[16218]="Formula: Enchant Bracer - Superior Spirit",
[16219]="Formula: Enchant Gloves - Greater Agility",
[16220]="Formula: Enchant Boots - Spirit",
[16221]="Formula: Enchant Chest - Major Health",
[16222]="Formula: Enchant Shield - Superior Spirit",
[16223]="Formula: Enchant Weapon - Icy Chill",
[16224]="Formula: Enchant Cloak - Superior Defense",
[16242]="Formula: Enchant Chest - Major Mana",
[16243]="Formula: Runed Arcanite Rod",
[16244]="Formula: Enchant Gloves - Greater Strength",
[16245]="Formula: Enchant Boots - Greater Agility",
[16246]="Formula: Enchant Bracer - Superior Strength",
[16247]="Formula: Enchant 2H Weapon - Superior Impact",
[16248]="Formula: Enchant Weapon - Unholy",
[16249]="Formula: Enchant 2H Weapon - Major Intellect",
[16250]="Formula: Enchant Weapon - Superior Striking",
[16251]="Formula: Enchant Bracer - Superior Stamina",
[16252]="Formula: Enchant Weapon - Crusader",
[16253]="Formula: Enchant Chest - Greater Stats",
[16254]="Formula: Enchant Weapon - Lifestealing",
[16255]="Formula: Enchant 2H Weapon - Major Spirit",
[16262]="Nessa\'s Collection",
[16263]="Laird\'s Response",
[16282]="Bundle of Hides",
[16283]="Ahanu\'s Leather Goods",
[16302]="Grimoire of Firebolt (Rank 2)",
[16303]="Ursangous\'s Paw",
[16304]="Shadumbra\'s Head",
[16305]="Sharptalon\'s Claw",
[16306]="Zargh\'s Meats",
[16307]="Gryshka\'s Letter",
[16309]="Drakefire Amulet",
[16310]="Brock\'s List",
[16311]="Honorary Picks",
[16312]="Incendrites",
[16313]="Felix\'s Chest",
[16314]="Felix\'s Bucket of Bolts",
[16316]="Grimoire of Firebolt (Rank 3)",
[16317]="Grimoire of Firebolt (Rank 4)",
[16318]="Grimoire of Firebolt (Rank 5)",
[16319]="Grimoire of Firebolt (Rank 6)",
[16320]="Grimoire of Firebolt (Rank 7)",
[16321]="Grimoire of Blood Pact (Rank 1)",
[16322]="Grimoire of Blood Pact (Rank 2)",
[16323]="Grimoire of Blood Pact (Rank 3)",
[16324]="Grimoire of Blood Pact (Rank 4)",
[16325]="Grimoire of Blood Pact (Rank 5)",
[16326]="Grimoire of Fire Shield (Rank 1)",
[16327]="Grimoire of Fire Shield (Rank 2)",
[16328]="Grimoire of Fire Shield (Rank 3)",
[16329]="Grimoire of Fire Shield (Rank 4)",
[16330]="Grimoire of Fire Shield (Rank 5)",
[16331]="Grimoire of Phase Shift",
[16332]="Thazz\'ril\'s Pick",
[16333]="Samuel\'s Remains",
[16335]="Senior Sergeant\'s Insignia",
[16341]="Sergeant\'s Cloak",
[16342]="Sergeant\'s Cape",
[16345]="High Warlord\'s Blade",
[16346]="Grimoire of Torment (Rank 2)",
[16347]="Grimoire of Torment (Rank 3)",
[16348]="Grimoire of Torment (Rank 4)",
[16349]="Grimoire of Torment (Rank 5)",
[16350]="Grimoire of Torment (Rank 6)",
[16351]="Grimoire of Sacrifice (Rank 1)",
[16352]="Grimoire of Sacrifice (Rank 2)",
[16353]="Grimoire of Sacrifice (Rank 3)",
[16354]="Grimoire of Sacrifice (Rank 4)",
[16355]="Grimoire of Sacrifice (Rank 5)",
[16356]="Grimoire of Sacrifice (Rank 6)",
[16357]="Grimoire of Consume Shadows (Rank 1)",
[16358]="Grimoire of Consume Shadows (Rank 2)",
[16359]="Grimoire of Consume Shadows (Rank 3)",
[16360]="Grimoire of Consume Shadows (Rank 4)",
[16361]="Grimoire of Consume Shadows (Rank 5)",
[16362]="Grimoire of Consume Shadows (Rank 6)",
[16363]="Grimoire of Suffering (Rank 1)",
[16364]="Grimoire of Suffering (Rank 2)",
[16365]="Grimoire of Suffering (Rank 3)",
[16366]="Grimoire of Suffering (Rank 4)",
[16368]="Grimoire of Lash of Pain (Rank 2)",
[16369]="Knight-Lieutenant\'s Silk Boots",
[16371]="Grimoire of Lash of Pain (Rank 3)",
[16372]="Grimoire of Lash of Pain (Rank 4)",
[16373]="Grimoire of Lash of Pain (Rank 5)",
[16374]="Grimoire of Lash of Pain (Rank 6)",
[16375]="Grimoire of Soothing Kiss (Rank 1)",
[16376]="Grimoire of Soothing Kiss (Rank 2)",
[16377]="Grimoire of Soothing Kiss (Rank 3)",
[16378]="Grimoire of Soothing Kiss (Rank 4)",
[16379]="Grimoire of Seduction",
[16380]="Grimoire of Lesser Invisibility",
[16381]="Grimoire of Devour Magic (Rank 2)",
[16382]="Grimoire of Devour Magic (Rank 3)",
[16383]="Grimoire of Devour Magic (Rank 4)",
[16384]="Grimoire of Tainted Blood (Rank 1)",
[16385]="Grimoire of Tainted Blood (Rank 2)",
[16386]="Grimoire of Tainted Blood (Rank 3)",
[16387]="Grimoire of Tainted Blood (Rank 4)",
[16388]="Grimoire of Spell Lock (Rank 1)",
[16389]="Grimoire of Spell Lock (Rank 2)",
[16390]="Grimoire of Paranoia",
[16391]="Knight-Lieutenant\'s Silk Gloves",
[16392]="Knight-Lieutenant\'s Leather Boots",
[16393]="Knight-Lieutenant\'s Dragonhide Footwraps",
[16396]="Knight-Lieutenant\'s Leather Gauntlets",
[16397]="Knight-Lieutenant\'s Dragonhide Gloves",
[16401]="Knight-Lieutenant\'s Chain Boots",
[16403]="Knight-Lieutenant\'s Chain Gauntlets",
[16405]="Knight-Lieutenant\'s Plate Boots",
[16406]="Knight-Lieutenant\'s Plate Gauntlets",
[16408]="Befouled Water Globe",
[16409]="Knight-Lieutenant\'s Lamellar Sabatons",
[16410]="Knight-Lieutenant\'s Lamellar Gauntlets",
[16413]="Knight-Captain\'s Silk Raiment",
[16414]="Knight-Captain\'s Silk Leggings",
[16415]="Lieutenant Commander\'s Silk Spaulders",
[16416]="Lieutenant Commander\'s Crown",
[16417]="Knight-Captain\'s Leather Armor",
[16418]="Lieutenant Commander\'s Leather Veil",
[16419]="Knight-Captain\'s Leather Legguards",
[16420]="Lieutenant Commander\'s Leather Spaulders",
[16421]="Knight-Captain\'s Dragonhide Tunic",
[16422]="Knight-Captain\'s Dragonhide Leggings",
[16423]="Lieutenant Commander\'s Dragonhide Epaulets",
[16424]="Lieutenant Commander\'s Dragonhide Shroud",
[16425]="Knight-Captain\'s Chain Hauberk",
[16426]="Knight-Captain\'s Chain Leggings",
[16427]="Lieutenant Commander\'s Chain Pauldrons",
[16428]="Lieutenant Commander\'s Chain Helmet",
[16429]="Lieutenant Commander\'s Plate Helm",
[16430]="Knight-Captain\'s Plate Chestguard",
[16431]="Knight-Captain\'s Plate Leggings",
[16432]="Lieutenant Commander\'s Plate Pauldrons",
[16433]="Knight-Captain\'s Lamellar Breastplate",
[16434]="Lieutenant Commander\'s Lamellar Headguard",
[16435]="Knight-Captain\'s Lamellar Leggings",
[16436]="Lieutenant Commander\'s Lamellar Shoulders",
[16437]="Marshal\'s Silk Footwraps",
[16440]="Marshal\'s Silk Gloves",
[16441]="Field Marshal\'s Coronet",
[16442]="Marshal\'s Silk Leggings",
[16443]="Field Marshal\'s Silk Vestments",
[16444]="Field Marshal\'s Silk Spaulders",
[16446]="Marshal\'s Leather Footguards",
[16448]="Marshal\'s Dragonhide Gauntlets",
[16449]="Field Marshal\'s Dragonhide Spaulders",
[16450]="Marshal\'s Dragonhide Legguards",
[16451]="Field Marshal\'s Dragonhide Helmet",
[16452]="Field Marshal\'s Dragonhide Breastplate",
[16453]="Field Marshal\'s Leather Chestpiece",
[16454]="Marshal\'s Leather Handgrips",
[16455]="Field Marshal\'s Leather Mask",
[16456]="Marshal\'s Leather Leggings",
[16457]="Field Marshal\'s Leather Epaulets",
[16459]="Marshal\'s Dragonhide Boots",
[16462]="Marshal\'s Chain Boots",
[16463]="Marshal\'s Chain Grips",
[16465]="Field Marshal\'s Chain Helm",
[16466]="Field Marshal\'s Chain Breastplate",
[16467]="Marshal\'s Chain Legguards",
[16468]="Field Marshal\'s Chain Spaulders",
[16471]="Marshal\'s Lamellar Gloves",
[16472]="Marshal\'s Lamellar Boots",
[16473]="Field Marshal\'s Lamellar Chestplate",
[16474]="Field Marshal\'s Lamellar Faceguard",
[16475]="Marshal\'s Lamellar Legplates",
[16476]="Field Marshal\'s Lamellar Pauldrons",
[16477]="Field Marshal\'s Plate Armor",
[16478]="Field Marshal\'s Plate Helm",
[16479]="Marshal\'s Plate Legguards",
[16480]="Field Marshal\'s Plate Shoulderguards",
[16483]="Marshal\'s Plate Boots",
[16484]="Marshal\'s Plate Gauntlets",
[16485]="Blood Guard\'s Silk Footwraps",
[16486]="First Sergeant\'s Silk Cuffs",
[16487]="Blood Guard\'s Silk Gloves",
[16489]="Champion\'s Silk Hood",
[16490]="Legionnaire\'s Silk Pants",
[16491]="Legionnaire\'s Silk Robes",
[16492]="Champion\'s Silk Shoulderpads",
[16494]="Blood Guard\'s Dragonhide Boots",
[16496]="Blood Guard\'s Dragonhide Gauntlets",
[16497]="First Sergeant\'s Leather Armguards",
[16498]="Blood Guard\'s Leather Treads",
[16499]="Blood Guard\'s Leather Vices",
[16501]="Champion\'s Dragonhide Spaulders",
[16502]="Legionnaire\'s Dragonhide Trousers",
[16503]="Champion\'s Dragonhide Helm",
[16504]="Legionnaire\'s Dragonhide Breastplate",
[16505]="Legionnaire\'s Leather Hauberk",
[16506]="Champion\'s Leather Headguard",
[16507]="Champion\'s Leather Mantle",
[16508]="Legionnaire\'s Leather Leggings",
[16509]="Blood Guard\'s Plate Boots",
[16510]="Blood Guard\'s Plate Gloves",
[16513]="Legionnaire\'s Plate Armor",
[16514]="Champion\'s Plate Headguard",
[16515]="Legionnaire\'s Plate Legguards",
[16516]="Champion\'s Plate Pauldrons",
[16518]="Blood Guard\'s Mail Walkers",
[16519]="Blood Guard\'s Mail Grips",
[16521]="Champion\'s Mail Helm",
[16522]="Legionnaire\'s Mail Chestpiece",
[16523]="Legionnaire\'s Mail Leggings",
[16524]="Champion\'s Mail Shoulders",
[16525]="Legionnaire\'s Chain Breastplate",
[16526]="Champion\'s Chain Headguard",
[16527]="Legionnaire\'s Chain Leggings",
[16528]="Champion\'s Chain Pauldrons",
[16530]="Blood Guard\'s Chain Gauntlets",
[16531]="Blood Guard\'s Chain Boots",
[16532]="First Sergeant\'s Mail Wristguards",
[16533]="Warlord\'s Silk Cowl",
[16534]="General\'s Silk Trousers",
[16535]="Warlord\'s Silk Raiment",
[16536]="Warlord\'s Silk Amice",
[16539]="General\'s Silk Boots",
[16540]="General\'s Silk Handguards",
[16541]="Warlord\'s Plate Armor",
[16542]="Warlord\'s Plate Headpiece",
[16543]="General\'s Plate Leggings",
[16544]="Warlord\'s Plate Shoulders",
[16545]="General\'s Plate Boots",
[16548]="General\'s Plate Gauntlets",
[16549]="Warlord\'s Dragonhide Hauberk",
[16550]="Warlord\'s Dragonhide Helmet",
[16551]="Warlord\'s Dragonhide Epaulets",
[16552]="General\'s Dragonhide Leggings",
[16554]="General\'s Dragonhide Boots",
[16555]="General\'s Dragonhide Gloves",
[16558]="General\'s Leather Treads",
[16560]="General\'s Leather Mitts",
[16561]="Warlord\'s Leather Helm",
[16562]="Warlord\'s Leather Spaulders",
[16563]="Warlord\'s Leather Breastplate",
[16564]="General\'s Leather Legguards",
[16565]="Warlord\'s Chain Chestpiece",
[16566]="Warlord\'s Chain Helmet",
[16567]="General\'s Chain Legguards",
[16568]="Warlord\'s Chain Shoulders",
[16569]="General\'s Chain Boots",
[16571]="General\'s Chain Gloves",
[16573]="General\'s Mail Boots",
[16574]="General\'s Mail Gauntlets",
[16577]="Warlord\'s Mail Armor",
[16578]="Warlord\'s Mail Helm",
[16579]="General\'s Mail Leggings",
[16580]="Warlord\'s Mail Spaulders",
[16581]="Resonite Crystal",
[16583]="Demonic Figurine",
[16602]="Troll Charm",
[16603]="Enchanted Resonite Crystal",
[16604]="Moon Robes of Elune",
[16605]="Friar\'s Robes of the Light",
[16606]="Juju Hex Robes",
[16607]="Acolyte\'s Sacrificial Robes",
[16608]="Aquarius Belt",
[16622]="Thornflinger",
[16623]="Opaline Medallion",
[16642]="Shredder Operating Manual - Chapter 1",
[16643]="Shredder Operating Manual - Chapter 2",
[16644]="Shredder Operating Manual - Chapter 3",
[16645]="Shredder Operating Manual - Page 1",
[16646]="Shredder Operating Manual - Page 2",
[16647]="Shredder Operating Manual - Page 3",
[16648]="Shredder Operating Manual - Page 4",
[16649]="Shredder Operating Manual - Page 5",
[16650]="Shredder Operating Manual - Page 6",
[16651]="Shredder Operating Manual - Page 7",
[16652]="Shredder Operating Manual - Page 8",
[16653]="Shredder Operating Manual - Page 9",
[16654]="Shredder Operating Manual - Page 10",
[16655]="Shredder Operating Manual - Page 11",
[16656]="Shredder Operating Manual - Page 12",
[16658]="Wildhunter Cloak",
[16659]="Deftkin Belt",
[16660]="Driftmire Shield",
[16661]="Soft Willow Cape",
[16662]="Fragment of the Dragon\'s Eye",
[16663]="Blood of the Black Dragon Champion",
[16665]="Tome of Tranquilizing Shot",
[16666]="Vest of Elements",
[16667]="Coif of Elements",
[16668]="Kilt of Elements",
[16669]="Pauldrons of Elements",
[16670]="Boots of Elements",
[16671]="Bindings of Elements",
[16672]="Gauntlets of Elements",
[16673]="Cord of Elements",
[16674]="Beaststalker\'s Tunic",
[16675]="Beaststalker\'s Boots",
[16676]="Beaststalker\'s Gloves",
[16677]="Beaststalker\'s Cap",
[16678]="Beaststalker\'s Pants",
[16679]="Beaststalker\'s Mantle",
[16680]="Beaststalker\'s Belt",
[16681]="Beaststalker\'s Bindings",
[16682]="Magister\'s Boots",
[16683]="Magister\'s Bindings",
[16684]="Magister\'s Gloves",
[16685]="Magister\'s Belt",
[16686]="Magister\'s Crown",
[16687]="Magister\'s Leggings",
[16688]="Magister\'s Robes",
[16689]="Magister\'s Mantle",
[16690]="Devout Robe",
[16691]="Devout Sandals",
[16692]="Devout Gloves",
[16693]="Devout Crown",
[16694]="Devout Skirt",
[16695]="Devout Mantle",
[16696]="Devout Belt",
[16697]="Devout Bracers",
[16698]="Dreadmist Mask",
[16699]="Dreadmist Leggings",
[16700]="Dreadmist Robe",
[16701]="Dreadmist Mantle",
[16702]="Dreadmist Belt",
[16703]="Dreadmist Bracers",
[16704]="Dreadmist Sandals",
[16705]="Dreadmist Wraps",
[16706]="Wildheart Vest",
[16707]="Shadowcraft Cap",
[16708]="Shadowcraft Spaulders",
[16709]="Shadowcraft Pants",
[16710]="Shadowcraft Bracers",
[16711]="Shadowcraft Boots",
[16712]="Shadowcraft Gloves",
[16713]="Shadowcraft Belt",
[16714]="Wildheart Bracers",
[16715]="Wildheart Boots",
[16716]="Wildheart Belt",
[16717]="Wildheart Gloves",
[16718]="Wildheart Spaulders",
[16719]="Wildheart Kilt",
[16720]="Wildheart Cowl",
[16721]="Shadowcraft Tunic",
[16722]="Lightforge Bracers",
[16723]="Lightforge Belt",
[16724]="Lightforge Gauntlets",
[16725]="Lightforge Boots",
[16726]="Lightforge Breastplate",
[16727]="Lightforge Helm",
[16728]="Lightforge Legplates",
[16729]="Lightforge Spaulders",
[16730]="Breastplate of Valor",
[16731]="Helm of Valor",
[16732]="Legplates of Valor",
[16733]="Spaulders of Valor",
[16734]="Boots of Valor",
[16735]="Bracers of Valor",
[16736]="Belt of Valor",
[16737]="Gauntlets of Valor",
[16738]="Witherseed Gloves",
[16739]="Rugwood Mantle",
[16740]="Shredder Operating Gloves",
[16741]="Oilrag Handwraps",
[16742]="Warsong Saw Blades",
[16743]="Logging Rope",
[16744]="Warsong Oil",
[16745]="Warsong Axe Shipment",
[16746]="Warsong Report",
[16747]="Broken Lock",
[16748]="Padded Lining",
[16762]="Fathom Core",
[16763]="Warsong Runner Update",
[16764]="Warsong Scout Update",
[16765]="Warsong Outrider Update",
[16766]="Undermine Clam Chowder",
[16767]="Recipe: Undermine Clam Chowder",
[16768]="Furbolg Medicine Pouch",
[16769]="Furbolg Medicine Totem",
[16782]="Strange Water Globe",
[16783]="Bundle of Reports",
[16784]="Sapphire of Aku\'Mai",
[16785]="Rexxar\'s Testament",
[16786]="Black Dragonspawn Eye",
[16787]="Amulet of Draconic Subversion",
[16788]="Captain Rackmore\'s Wheel",
[16789]="Captain Rackmore\'s Tiller",
[16790]="Damp Note",
[16791]="Silkstream Cuffs",
[16793]="Arcmetal Shoulders",
[16794]="Gripsteel Wristguards",
[16795]="Arcanist Crown",
[16796]="Arcanist Leggings",
[16797]="Arcanist Mantle",
[16798]="Arcanist Robes",
[16799]="Arcanist Bindings",
[16800]="Arcanist Slippers",
[16801]="Arcanist Gloves",
[16802]="Arcanist Belt",
[16803]="Felheart Slippers",
[16804]="Felheart Bracers",
[16805]="Felheart Gloves",
[16806]="Felheart Belt",
[16807]="Felheart Shoulder Pads",
[16808]="Felheart Skullcap",
[16809]="Felheart Robes",
[16810]="Felheart Pants",
[16811]="Boots of Prophecy",
[16812]="Gloves of Prophecy",
[16813]="Circlet of Prophecy",
[16814]="Pants of Prophecy",
[16815]="Robes of Prophecy",
[16816]="Mantle of Prophecy",
[16817]="Girdle of Prophecy",
[16818]="Netherwind Belt",
[16819]="Vambraces of Prophecy",
[16820]="Nightslayer Chestpiece",
[16821]="Nightslayer Cover",
[16822]="Nightslayer Pants",
[16823]="Nightslayer Shoulder Pads",
[16824]="Nightslayer Boots",
[16825]="Nightslayer Bracelets",
[16826]="Nightslayer Gloves",
[16827]="Nightslayer Belt",
[16828]="Cenarion Belt",
[16829]="Cenarion Boots",
[16830]="Cenarion Bracers",
[16831]="Cenarion Gloves",
[16832]="Bloodfang Spaulders",
[16833]="Cenarion Chestguard",
[16834]="Cenarion Helm",
[16835]="Cenarion Leggings",
[16836]="Cenarion Spaulders",
[16837]="Earthfury Boots",
[16838]="Earthfury Belt",
[16839]="Earthfury Gauntlets",
[16840]="Earthfury Bracers",
[16841]="Earthfury Vestments",
[16842]="Earthfury Helmet",
[16843]="Earthfury Legguards",
[16844]="Earthfury Epaulets",
[16845]="Giantstalker\'s Breastplate",
[16846]="Giantstalker\'s Helmet",
[16847]="Giantstalker\'s Leggings",
[16848]="Giantstalker\'s Epaulets",
[16849]="Giantstalker\'s Boots",
[16850]="Giantstalker\'s Bracers",
[16851]="Giantstalker\'s Belt",
[16852]="Giantstalker\'s Gloves",
[16853]="Lawbringer Chestguard",
[16854]="Lawbringer Helm",
[16855]="Lawbringer Legplates",
[16856]="Lawbringer Spaulders",
[16857]="Lawbringer Bracers",
[16858]="Lawbringer Belt",
[16859]="Lawbringer Boots",
[16860]="Lawbringer Gauntlets",
[16861]="Bracers of Might",
[16862]="Sabatons of Might",
[16863]="Gauntlets of Might",
[16864]="Belt of Might",
[16865]="Breastplate of Might",
[16866]="Helm of Might",
[16867]="Legplates of Might",
[16868]="Pauldrons of Might",
[16869]="The Skull of Scryer",
[16870]="The Skull of Somnus",
[16871]="The Skull of Chronalis",
[16872]="The Skull of Axtroz",
[16873]="Braidfur Gloves",
[16882]="Battered Junkbox",
[16883]="Worn Junkbox",
[16884]="Sturdy Junkbox",
[16885]="Heavy Junkbox",
[16886]="Outlaw Sabre",
[16887]="Witch\'s Finger",
[16888]="Dull Drakefire Amulet",
[16889]="Polished Walking Staff",
[16890]="Slatemetal Cutlass",
[16891]="Claystone Shortsword",
[16892]="Lesser Soulstone",
[16893]="Soulstone",
[16894]="Clear Crystal Rod",
[16895]="Greater Soulstone",
[16896]="Major Soulstone",
[16897]="Stormrage Chestguard",
[16898]="Stormrage Boots",
[16899]="Stormrage Handguards",
[16900]="Stormrage Cover",
[16901]="Stormrage Legguards",
[16902]="Stormrage Pauldrons",
[16903]="Stormrage Belt",
[16904]="Stormrage Bracers",
[16905]="Bloodfang Chestpiece",
[16906]="Bloodfang Boots",
[16907]="Bloodfang Gloves",
[16908]="Bloodfang Hood",
[16909]="Bloodfang Pants",
[16910]="Bloodfang Belt",
[16911]="Bloodfang Bracers",
[16912]="Netherwind Boots",
[16913]="Netherwind Gloves",
[16914]="Netherwind Crown",
[16915]="Netherwind Pants",
[16916]="Netherwind Robes",
[16917]="Netherwind Mantle",
[16918]="Netherwind Bindings",
[16919]="Boots of Transcendence",
[16920]="Handguards of Transcendence",
[16921]="Halo of Transcendence",
[16922]="Leggings of Transcendence",
[16923]="Robes of Transcendence",
[16924]="Pauldrons of Transcendence",
[16925]="Belt of Transcendence",
[16926]="Bindings of Transcendence",
[16927]="Nemesis Boots",
[16928]="Nemesis Gloves",
[16929]="Nemesis Skullcap",
[16930]="Nemesis Leggings",
[16931]="Nemesis Robes",
[16932]="Nemesis Spaulders",
[16933]="Nemesis Belt",
[16934]="Nemesis Bracers",
[16935]="Dragonstalker\'s Bracers",
[16936]="Dragonstalker\'s Belt",
[16937]="Dragonstalker\'s Spaulders",
[16938]="Dragonstalker\'s Legguards",
[16939]="Dragonstalker\'s Helm",
[16940]="Dragonstalker\'s Gauntlets",
[16941]="Dragonstalker\'s Greaves",
[16942]="Dragonstalker\'s Breastplate",
[16943]="Bracers of Ten Storms",
[16944]="Belt of Ten Storms",
[16945]="Epaulets of Ten Storms",
[16946]="Legplates of Ten Storms",
[16947]="Helmet of Ten Storms",
[16948]="Gauntlets of Ten Storms",
[16949]="Greaves of Ten Storms",
[16950]="Breastplate of Ten Storms",
[16951]="Judgement Bindings",
[16952]="Judgement Belt",
[16953]="Judgement Spaulders",
[16954]="Judgement Legplates",
[16955]="Judgement Crown",
[16956]="Judgement Gauntlets",
[16957]="Judgement Sabatons",
[16958]="Judgement Breastplate",
[16959]="Bracelets of Wrath",
[16960]="Waistband of Wrath",
[16961]="Pauldrons of Wrath",
[16962]="Legplates of Wrath",
[16963]="Helm of Wrath",
[16964]="Gauntlets of Wrath",
[16965]="Sabatons of Wrath",
[16966]="Breastplate of Wrath",
[16967]="Feralas Ahi",
[16968]="Sar\'theris Striker",
[16969]="Savage Coast Blue Sailfin",
[16970]="Misty Reed Mahi Mahi",
[16971]="Clamlette Surprise",
[16972]="Karang\'s Banner",
[16973]="Vial of Dire Water",
[16974]="Empty Water Vial",
[16975]="Warsong Sash",
[16976]="Murgut\'s Totem",
[16977]="Warsong Boots",
[16978]="Warsong Gauntlets",
[16979]="Flarecore Gloves",
[16980]="Flarecore Mantle",
[16981]="Owlbeard Bracers",
[16982]="Corehound Boots",
[16983]="Molten Helm",
[16984]="Black Dragonscale Boots",
[16985]="Windseeker Boots",
[16986]="Sandspire Gloves",
[16987]="Screecher Belt",
[16988]="Fiery Chain Shoulders",
[16989]="Fiery Chain Girdle",
[16990]="Spritekin Cloak",
[16991]="Triage Bandage",
[16992]="Smokey\'s Explosive Launcher",
[16993]="Smokey\'s Fireshooter",
[16994]="Duskwing Gloves",
[16995]="Duskwing Mantle",
[16996]="Gorewood Bow",
[16997]="Stormrager",
[16998]="Sacred Protector",
[16999]="Royal Seal of Alexis",
[17001]="Elemental Circle",
[17002]="Ichor Spitter",
[17003]="Skullstone Hammer",
[17004]="Sarah\'s Guide",
[17005]="Boorguard Tunic",
[17006]="Cobalt Legguards",
[17007]="Stonerender Gauntlets",
[17008]="Small Scroll",
[17009]="Ambassador Malcin\'s Head",
[17010]="Fiery Core",
[17011]="Lava Core",
[17012]="Core Leather",
[17013]="Dark Iron Leggings",
[17014]="Dark Iron Bracers",
[17015]="Dark Iron Reaver",
[17016]="Dark Iron Destroyer",
[17017]="Pattern: Flarecore Mantle",
[17018]="Pattern: Flarecore Gloves",
[17019]="Arcane Dust",
[17020]="Arcane Powder",
[17021]="Wild Berries",
[17022]="Pattern: Corehound Boots",
[17023]="Pattern: Molten Helm",
[17025]="Pattern: Black Dragonscale Boots",
[17026]="Wild Thornroot",
[17028]="Holy Candle",
[17029]="Sacred Candle",
[17030]="Ankh",
[17031]="Rune of Teleportation",
[17032]="Rune of Portals",
[17033]="Symbol of Divinity",
[17034]="Maple Seed",
[17035]="Stranglethorn Seed",
[17036]="Ashwood Seed",
[17037]="Hornbeam Seed",
[17038]="Ironwood Seed",
[17039]="Skullbreaker",
[17042]="Nail Spitter",
[17043]="Zealot\'s Robe",
[17044]="Will of the Martyr",
[17045]="Blood of the Martyr",
[17046]="Gutterblade",
[17047]="Luminescent Amice",
[17048]="Rumsey Rum",
[17049]="Plans: Fiery Chain Girdle",
[17050]="Chan\'s Imperial Robes",
[17051]="Plans: Dark Iron Bracers",
[17052]="Plans: Dark Iron Leggings",
[17053]="Plans: Fiery Chain Shoulders",
[17054]="Joonho\'s Mercy",
[17055]="Changuk Smasher",
[17056]="Light Feather",
[17057]="Shiny Fish Scales",
[17058]="Fish Oil",
[17059]="Plans: Dark Iron Reaver",
[17060]="Plans: Dark Iron Destroyer",
[17061]="Juno\'s Shadow",
[17062]="Recipe: Mithril Head Trout",
[17063]="Band of Accuria",
[17064]="Shard of the Scale",
[17065]="Medallion of Steadfast Might",
[17066]="Drillborer Disk",
[17067]="Ancient Cornerstone Grimoire",
[17068]="Deathbringer",
[17069]="Striker\'s Mark",
[17070]="Fang of the Mystics",
[17071]="Gutgore Ripper",
[17072]="Blastershot Launcher",
[17073]="Earthshaker",
[17074]="Shadowstrike",
[17075]="Vis\'kag the Bloodletter",
[17076]="Bonereaver\'s Edge",
[17077]="Crimson Shocker",
[17078]="Sapphiron Drape",
[17082]="Shard of the Flame",
[17102]="Cloak of the Shrouded Mists",
[17103]="Azuresong Mageblade",
[17104]="Spinal Reaper",
[17105]="Aurastone Hammer",
[17106]="Malistar\'s Defender",
[17107]="Dragon\'s Blood Cape",
[17109]="Choker of Enlightenment",
[17110]="Seal of the Archmagus",
[17111]="Blazefury Medallion",
[17112]="Empyrean Demolisher",
[17113]="Amberseal Keeper",
[17114]="Araj\'s Phylactery Shard",
[17117]="Rat Catcher\'s Flute",
[17118]="Carton of Mystery Meat",
[17119]="Deeprun Rat Kabob",
[17124]="Syndicate Emblem",
[17125]="Seal of Ravenholdt",
[17126]="Elegant Letter",
[17182]="Sulfuras, Hand of Ragnaros",
[17183]="Dented Buckler",
[17184]="Small Shield",
[17185]="Round Buckler",
[17186]="Small Targe",
[17187]="Banded Buckler",
[17188]="Ringed Buckler",
[17189]="Metal Buckler",
[17190]="Ornate Buckler",
[17191]="Scepter of Celebras",
[17192]="Reinforced Targe",
[17193]="Sulfuron Hammer",
[17194]="Holiday Spices",
[17195]="Fake Mistletoe",
[17196]="Holiday Spirits",
[17197]="Gingerbread Cookie",
[17198]="Egg Nog",
[17200]="Recipe: Gingerbread Cookie",
[17201]="Recipe: Egg Nog",
[17202]="Snowball",
[17203]="Sulfuron Ingot",
[17204]="Eye of Sulfuras",
[17222]="Spider Sausage",
[17223]="Thunderstrike",
[17224]="Scrying Scope",
[17242]="Key to Salem\'s Chest",
[17262]="James\' Key",
[17302]="Blue Ribboned Holiday Gift",
[17303]="Blue Ribboned Wrapping Paper",
[17304]="Green Ribboned Wrapping Paper",
[17305]="Green Ribboned Holiday Gift",
[17306]="Stormpike Soldier\'s Blood",
[17307]="Purple Ribboned Wrapping Paper",
[17308]="Purple Ribboned Holiday Gift",
[17309]="Discordant Bracers",
[17310]="Aspect of Neptulon",
[17322]="Eye of the Emberseer",
[17323]="Mulverick\'s Beacon",
[17324]="Guse\'s Beacon",
[17325]="Jeztor\'s Beacon",
[17326]="Stormpike Soldier\'s Flesh",
[17327]="Stormpike Lieutenant\'s Flesh",
[17328]="Stormpike Commander\'s Flesh",
[17329]="Hand of Lucifron",
[17330]="Hand of Sulfuron",
[17331]="Hand of Gehennas",
[17332]="Hand of Shazzrah",
[17333]="Aqual Quintessence",
[17344]="Candy Cane",
[17345]="Silithid Goo",
[17346]="Encrusted Silithid Object",
[17348]="Major Healing Draught",
[17349]="Superior Healing Draught",
[17351]="Major Mana Draught",
[17352]="Superior Mana Draught",
[17353]="Stormpike Assault Orders",
[17355]="Rabine\'s Letter",
[17362]="Ryson\'s Beacon",
[17363]="Ryson\'s Beacon",
[17364]="Scrying Scope",
[17384]="Zinfizzlex\'s Portable Shredder Unit",
[17402]="Greatfather\'s Winter Ale",
[17403]="Steamwheedle Fizzy Spirits",
[17404]="Blended Bean Brew",
[17405]="Green Garden Tea",
[17406]="Holiday Cheesewheel",
[17407]="Graccu\'s Homemade Meat Pie",
[17408]="Spicy Beefstick",
[17410]="Zinfizzlex\'s Portable Shredder Unit",
[17411]="Steamsaw",
[17413]="Codex: Prayer of Fortitude",
[17414]="Codex: Prayer of Fortitude II",
[17422]="Armor Scraps",
[17423]="Storm Crystal",
[17442]="Frostwolf Assault Orders",
[17502]="Frostwolf Soldier\'s Medal",
[17503]="Frostwolf Lieutenant\'s Medal",
[17504]="Frostwolf Commander\'s Medal",
[17505]="Ichman\'s Beacon",
[17506]="Vipore\'s Beacon",
[17507]="Slidore\'s Beacon",
[17508]="Forcestone Buckler",
[17522]="Irondeep Supplies",
[17523]="Smokey\'s Drape",
[17542]="Coldtooth Supplies",
[17562]="Knight-Lieutenant\'s Dreadweave Boots",
[17564]="Knight-Lieutenant\'s Dreadweave Gloves",
[17566]="Lieutenant Commander\'s Headguard",
[17567]="Knight-Captain\'s Dreadweave Leggings",
[17568]="Knight-Captain\'s Dreadweave Robe",
[17569]="Lieutenant Commander\'s Dreadweave Mantle",
[17570]="Champion\'s Dreadweave Hood",
[17571]="Legionnaire\'s Dreadweave Leggings",
[17572]="Legionnaire\'s Dreadweave Robe",
[17573]="Champion\'s Dreadweave Shoulders",
[17576]="Blood Guard\'s Dreadweave Boots",
[17577]="Blood Guard\'s Dreadweave Gloves",
[17578]="Field Marshal\'s Coronal",
[17579]="Marshal\'s Dreadweave Leggings",
[17580]="Field Marshal\'s Dreadweave Shoulders",
[17581]="Field Marshal\'s Dreadweave Robe",
[17583]="Marshal\'s Dreadweave Boots",
[17584]="Marshal\'s Dreadweave Gloves",
[17586]="General\'s Dreadweave Boots",
[17588]="General\'s Dreadweave Gloves",
[17590]="Warlord\'s Dreadweave Mantle",
[17591]="Warlord\'s Dreadweave Hood",
[17592]="Warlord\'s Dreadweave Robe",
[17593]="General\'s Dreadweave Pants",
[17594]="Knight-Lieutenant\'s Satin Boots",
[17596]="Knight-Lieutenant\'s Satin Gloves",
[17598]="Lieutenant Commander\'s Diadem",
[17599]="Knight-Captain\'s Satin Leggings",
[17600]="Knight-Captain\'s Satin Robes",
[17601]="Lieutenant Commander\'s Satin Amice",
[17602]="Field Marshal\'s Headdress",
[17603]="Marshal\'s Satin Pants",
[17604]="Field Marshal\'s Satin Mantle",
[17605]="Field Marshal\'s Satin Vestments",
[17607]="Marshal\'s Satin Sandals",
[17608]="Marshal\'s Satin Gloves",
[17610]="Champion\'s Satin Cowl",
[17611]="Legionnaire\'s Satin Trousers",
[17612]="Legionnaire\'s Satin Vestments",
[17613]="Champion\'s Satin Shoulderpads",
[17616]="Blood Guard\'s Satin Boots",
[17617]="Blood Guard\'s Satin Gloves",
[17618]="General\'s Satin Boots",
[17620]="General\'s Satin Gloves",
[17622]="Warlord\'s Satin Mantle",
[17623]="Warlord\'s Satin Cowl",
[17624]="Warlord\'s Satin Robes",
[17625]="General\'s Satin Leggings",
[17626]="Frostwolf Muzzle",
[17642]="Alterac Ram Hide",
[17643]="Frostwolf Hide",
[17662]="Stolen Treats",
[17682]="Book: Gift of the Wild",
[17683]="Book: Gift of the Wild II",
[17684]="Theradric Crystal Carving",
[17685]="Smokywood Pastures Sampler",
[17686]="Master Hunter\'s Bow",
[17687]="Master Hunter\'s Rifle",
[17688]="Jungle Boots",
[17689]="Stormpike Training Collar",
[17690]="Frostwolf Insignia Rank 1",
[17691]="Stormpike Insignia Rank 1",
[17692]="Horn Ring",
[17693]="Coated Cerulean Vial",
[17694]="Band of the Fist",
[17695]="Chestnut Mantle",
[17696]="Filled Cerulean Vial",
[17702]="Celebrian Rod",
[17703]="Celebrian Diamond",
[17704]="Edge of Winter",
[17705]="Thrash Blade",
[17706]="Plans: Edge of Winter",
[17707]="Gemshard Heart",
[17708]="Elixir of Frost Power",
[17709]="Recipe: Elixir of Frost Power",
[17710]="Charstone Dirk",
[17711]="Elemental Rockridge Leggings",
[17712]="Winter Veil Disguise Kit",
[17713]="Blackstone Ring",
[17714]="Bracers of the Stone Princess",
[17715]="Eye of Theradras",
[17716]="SnowMaster 9000",
[17717]="Megashot Rifle",
[17718]="Gizlock\'s Hypertech Buckler",
[17719]="Inventor\'s Focal Sword",
[17720]="Schematic: Snowmaster 9000",
[17721]="Gloves of the Greatfather",
[17722]="Pattern: Gloves of the Greatfather",
[17723]="Green Holiday Shirt",
[17724]="Pattern: Green Holiday Shirt",
[17725]="Formula: Enchant Weapon - Winter\'s Might",
[17726]="Smokywood Pastures Special Gift",
[17727]="Smokywood Pastures Gift Pack",
[17728]="Albino Crocscale Boots",
[17730]="Gatorbite Axe",
[17732]="Rotgrip Mantle",
[17733]="Fist of Stone",
[17734]="Helm of the Mountain",
[17735]="The Feast of Winter Veil",
[17736]="Rockgrip Gauntlets",
[17737]="Cloud Stone",
[17738]="Claw of Celebras",
[17739]="Grovekeeper\'s Drape",
[17740]="Soothsayer\'s Headdress",
[17741]="Nature\'s Embrace",
[17742]="Fungus Shroud Armor",
[17743]="Resurgence Rod",
[17744]="Heart of Noxxion",
[17745]="Noxious Shooter",
[17746]="Noxxion\'s Shackles",
[17747]="Razorlash Root",
[17748]="Vinerot Sandals",
[17749]="Phytoskin Spaulders",
[17750]="Chloromesh Girdle",
[17751]="Brusslehide Leggings",
[17752]="Satyr\'s Lash",
[17753]="Verdant Keeper\'s Aim",
[17754]="Infernal Trickster Leggings",
[17755]="Satyrmane Sash",
[17756]="Shadowshard Fragment",
[17757]="Amulet of Spirits",
[17758]="Amulet of Union",
[17759]="Mark of Resolution",
[17760]="Seed of Life",
[17761]="Gem of the First Khan",
[17762]="Gem of the Second Kahn",
[17763]="Gem of the Third Kahn",
[17764]="Gem of the Fourth Kahn",
[17765]="Gem of the Fifth Kahn",
[17766]="Princess Theradras\' Scepter",
[17767]="Bloomsprout Headpiece",
[17768]="Woodseed Hoop",
[17770]="Branchclaw Gauntlets",
[17771]="Elementium Bar",
[17772]="Zealous Shadowshard Pendant",
[17773]="Prodigious Shadowshard Pendant",
[17774]="Mark of the Chosen",
[17775]="Acumen Robes",
[17776]="Sprightring Helm",
[17777]="Relentless Chain",
[17778]="Sagebrush Girdle",
[17779]="Hulkstone Pauldrons",
[17780]="Blade of Eternal Darkness",
[17781]="The Pariah\'s Instructions",
[17782]="Talisman of Binding Shard",
[17822]="Frostwolf Maps",
[17823]="Stormpike Battle Plans",
[17849]="Stormpike Banner",
[17850]="Frostwolf Banner",
[17900]="Stormpike Insignia Rank 2",
[17901]="Stormpike Insignia Rank 3",
[17902]="Stormpike Insignia Rank 4",
[17903]="Stormpike Insignia Rank 5",
[17904]="Stormpike Insignia Rank 6",
[17905]="Frostwolf Insignia Rank 2",
[17906]="Frostwolf Insignia Rank 3",
[17907]="Frostwolf Insignia Rank 4",
[17908]="Frostwolf Insignia Rank 5",
[17909]="Frostwolf Insignia Rank 6",
[17922]="Lionfur Armor",
[17943]="Fist of Stone",
[17962]="Blue Sack of Gems",
[17963]="Green Sack of Gems",
[17964]="Gray Sack of Gems",
[17965]="Yellow Sack of Gems",
[17966]="Onyxia Hide Backpack",
[17968]="Charged Scale of Onyxia",
[17969]="Red Sack of Gems",
[17982]="Ragnaros Core",
[18000]="Tough Jerky",
[18001]="Tough Hunk of Bread",
[18005]="Refreshing Spring Water",
[18022]="Royal Seal of Alexis",
[18042]="Thorium Headed Arrow",
[18043]="Coal Miner Boots",
[18044]="Hurley\'s Tankard",
[18045]="Tender Wolf Steak",
[18046]="Recipe: Tender Wolf Steak",
[18047]="Flame Walkers",
[18048]="Mastersmith\'s Hammer",
[18082]="Zum\'rah\'s Vexing Cane",
[18083]="Jumanza Grips",
[18102]="Dragonrider Boots",
[18103]="Band of Rumination",
[18104]="Feralsurge Girdle",
[18142]="Severed Night Elf Head",
[18143]="Tuft of Gnome Hair",
[18144]="Human Bone Chip",
[18145]="Tauren Hoof",
[18146]="Darkspear Troll Mojo",
[18147]="Forsaken Heart",
[18148]="Skull of Korrak",
[18149]="Rune of Recall",
[18150]="Rune of Recall",
[18151]="Filled Amethyst Phial",
[18152]="Amethyst Phial",
[18154]="Blizzard Stationery",
[18160]="Recipe: Thistle Tea",
[18168]="Force Reactive Disk",
[18169]="Flame Mantle of the Dawn",
[18170]="Frost Mantle of the Dawn",
[18171]="Arcane Mantle of the Dawn",
[18172]="Nature Mantle of the Dawn",
[18173]="Shadow Mantle of the Dawn",
[18182]="Chromatic Mantle of the Dawn",
[18202]="Eskhandar\'s Left Claw",
[18203]="Eskhandar\'s Right Claw",
[18204]="Eskhandar\'s Pelt",
[18205]="Eskhandar\'s Collar",
[18206]="Dwarf Spine",
[18207]="Orc Tooth",
[18208]="Drape of Benediction",
[18222]="Thorny Vine",
[18223]="Serrated Petal",
[18224]="Lasher Root",
[18225]="Worn Running Shoes",
[18226]="A Sealed Pact",
[18227]="Nubless Pacifier",
[18228]="Autographed Picture of Foror & Tigule",
[18229]="Nat Pagle\'s Guide to Extreme Anglin\'",
[18230]="Broken I.W.I.N. Button",
[18231]="Sleeveless T-Shirt",
[18232]="Field Repair Bot 74A",
[18233]="Tear Stained Handkerchief",
[18234]="Document from Boomstick Imports",
[18236]="Gordok Chew Toy",
[18237]="Mastiff Jawbone",
[18238]="Shadowskin Gloves",
[18239]="Pattern: Shadowskin Gloves",
[18240]="Ogre Tannin",
[18241]="Black War Steed Bridle",
[18242]="Reins of the Black War Tiger",
[18243]="Black Battlestrider",
[18244]="Black War Ram",
[18245]="Horn of the Black War Wolf",
[18246]="Whistle of the Black War Raptor",
[18247]="Black War Kodo",
[18248]="Red Skeletal Warhorse",
[18249]="Crescent Key",
[18250]="Gordok Shackle Key",
[18251]="Core Armor Kit",
[18252]="Pattern: Core Armor Kit",
[18253]="Major Rejuvenation Potion",
[18254]="Runn Tum Tuber Surprise",
[18255]="Runn Tum Tuber",
[18256]="Imbued Vial",
[18257]="Recipe: Major Rejuvenation Potion",
[18258]="Gordok Ogre Suit",
[18259]="Formula: Enchant Weapon - Spell Power",
[18260]="Formula: Enchant Weapon - Healing Power",
[18261]="Book of Incantations",
[18262]="Elemental Sharpening Stone",
[18263]="Flarecore Wraps",
[18264]="Plans: Elemental Sharpening Stone",
[18265]="Pattern: Flarecore Wraps",
[18266]="Gordok Courtyard Key",
[18267]="Recipe: Runn Tum Tuber Surprise",
[18268]="Gordok Inner Door Key",
[18269]="Gordok Green Grog",
[18282]="Core Marksman Rifle",
[18283]="Biznicks 247x128 Accurascope",
[18284]="Kreeg\'s Stout Beatdown",
[18285]="Crystallized Mana Shard",
[18286]="Condensed Mana Fragment",
[18287]="Evermurky",
[18288]="Molasses Firewater",
[18289]="Barbed Thorn Necklace",
[18290]="Schematic: Biznicks 247x128 Accurascope",
[18291]="Schematic: Force Reactive Disk",
[18292]="Schematic: Core Marksman Rifle",
[18294]="Elixir of Greater Water Breathing",
[18295]="Phasing Boots",
[18296]="Marksman Bands",
[18297]="Thornling Seed",
[18298]="Unbridled Leggings",
[18299]="Hydrospawn Essence",
[18300]="Hyjal Nectar",
[18301]="Lethtendris\'s Wand",
[18302]="Band of Vigor",
[18305]="Breakwater Legguards",
[18306]="Gloves of Shadowy Mist",
[18307]="Riptide Shoes",
[18308]="Clever Hat",
[18309]="Gloves of Restoration",
[18310]="Fiendish Machete",
[18311]="Quel\'dorai Channeling Rod",
[18312]="Energized Chestplate",
[18313]="Helm of Awareness",
[18314]="Ring of Demonic Guile",
[18315]="Ring of Demonic Potency",
[18317]="Tempest Talisman",
[18318]="Merciful Greaves",
[18319]="Fervent Helm",
[18321]="Energetic Rod",
[18322]="Waterspout Boots",
[18323]="Satyr\'s Bow",
[18324]="Waveslicer",
[18325]="Felhide Cap",
[18326]="Razor Gauntlets",
[18327]="Whipvine Cord",
[18328]="Shadewood Cloak",
[18329]="Arcanum of Rapidity",
[18330]="Arcanum of Focus",
[18331]="Arcanum of Protection",
[18332]="Libram of Rapidity",
[18333]="Libram of Focus",
[18334]="Libram of Protection",
[18335]="Pristine Black Diamond",
[18336]="Gauntlet of Gordok Might",
[18337]="Orphic Bracers",
[18338]="Wand of Arcane Potency",
[18339]="Eidolon Cloak",
[18340]="Eidolon Talisman",
[18343]="Petrified Band",
[18344]="Stonebark Gauntlets",
[18345]="Murmuring Ring",
[18346]="Threadbare Trousers",
[18347]="Well Balanced Axe",
[18348]="Quel\'Serrar",
[18349]="Gauntlets of Accuracy",
[18350]="Amplifying Cloak",
[18351]="Magically Sealed Bracers",
[18352]="Petrified Bark Shield",
[18353]="Stoneflower Staff",
[18354]="Pimgib\'s Collar",
[18356]="Garona: A Study on Stealth and Treachery",
[18357]="Codex of Defense",
[18358]="The Arcanist\'s Cookbook",
[18359]="The Light and How to Swing It",
[18360]="Harnessing Shadows",
[18361]="The Greatest Race of Hunters",
[18362]="Holy Bologna: What the Light Won\'t Tell You",
[18363]="Frost Shock and You",
[18364]="The Emerald Dream",
[18365]="A Thoroughly Read Copy of \"Nat Pagle\'s Extreme\' Anglin.\"",
[18366]="Gordok\'s Handguards",
[18367]="Gordok\'s Gauntlets",
[18368]="Gordok\'s Gloves",
[18369]="Gordok\'s Handwraps",
[18370]="Vigilance Charm",
[18371]="Mindtap Talisman",
[18372]="Blade of the New Moon",
[18373]="Chestplate of Tranquility",
[18374]="Flamescarred Shoulders",
[18375]="Bracers of the Eclipse",
[18376]="Timeworn Mace",
[18377]="Quickdraw Gloves",
[18378]="Silvermoon Leggings",
[18379]="Odious Greaves",
[18380]="Eldritch Reinforced Legplates",
[18381]="Evil Eye Pendant",
[18382]="Fluctuating Cloak",
[18383]="Force Imbued Gauntlets",
[18384]="Bile-etched Spaulders",
[18385]="Robe of Everlasting Night",
[18386]="Padre\'s Trousers",
[18387]="Brightspark Gloves",
[18388]="Stoneshatter",
[18389]="Cloak of the Cosmos",
[18390]="Tanglemoss Leggings",
[18391]="Eyestalk Cord",
[18392]="Distracting Dagger",
[18393]="Warpwood Binding",
[18394]="Demon Howl Wristguards",
[18395]="Emerald Flame Ring",
[18396]="Mind Carver",
[18397]="Elder Magus Pendant",
[18398]="Tidal Loop",
[18399]="Ocean\'s Breeze",
[18400]="Ring of Living Stone",
[18401]="Foror\'s Compendium of Dragon Slaying",
[18402]="Glowing Crystal Ring",
[18403]="Dragonslayer\'s Signet",
[18404]="Onyxia Tooth Pendant",
[18405]="Belt of the Archmage",
[18406]="Onyxia Blood Talisman",
[18407]="Felcloth Gloves",
[18408]="Inferno Gloves",
[18409]="Mooncloth Gloves",
[18410]="Sprinter\'s Sword",
[18411]="Spry Boots",
[18412]="Core Fragment",
[18413]="Cloak of Warding",
[18414]="Pattern: Belt of the Archmage",
[18415]="Pattern: Felcloth Gloves",
[18416]="Pattern: Inferno Gloves",
[18417]="Pattern: Mooncloth Gloves",
[18418]="Pattern: Cloak of Warding",
[18420]="Bonecrusher",
[18421]="Backwood Helm",
[18422]="Head of Onyxia",
[18423]="Head of Onyxia",
[18424]="Sedge Boots",
[18425]="Kreeg\'s Mug",
[18426]="Lethtendris\'s Web",
[18427]="Sergeant\'s Cloak",
[18428]="Senior Sergeant\'s Insignia",
[18429]="First Sergeant\'s Plate Bracers",
[18430]="First Sergeant\'s Plate Bracers",
[18432]="First Sergeant\'s Mail Wristguards",
[18434]="First Sergeant\'s Dragonhide Armguards",
[18435]="First Sergeant\'s Leather Armguards",
[18436]="First Sergeant\'s Dragonhide Armguards",
[18437]="First Sergeant\'s Silk Cuffs",
[18440]="Sergeant\'s Cape",
[18441]="Sergeant\'s Cape",
[18442]="Master Sergeant\'s Insignia",
[18443]="Master Sergeant\'s Insignia",
[18444]="Master Sergeant\'s Insignia",
[18445]="Sergeant Major\'s Plate Wristguards",
[18447]="Sergeant Major\'s Plate Wristguards",
[18448]="Sergeant Major\'s Chain Armguards",
[18449]="Sergeant Major\'s Chain Armguards",
[18450]="Robe of Combustion",
[18451]="Hyena Hide Belt",
[18452]="Sergeant Major\'s Leather Armsplints",
[18453]="Sergeant Major\'s Leather Armsplints",
[18454]="Sergeant Major\'s Dragonhide Armsplints",
[18455]="Sergeant Major\'s Dragonhide Armsplints",
[18456]="Sergeant Major\'s Silk Cuffs",
[18457]="Sergeant Major\'s Silk Cuffs",
[18458]="Modest Armguards",
[18459]="Gallant\'s Wristguards",
[18460]="Unsophisticated Hand Cannon",
[18461]="Sergeant\'s Cloak",
[18462]="Jagged Bone Fist",
[18463]="Ogre Pocket Knife",
[18464]="Gordok Nose Ring",
[18465]="Royal Seal of Eldre\'Thalas",
[18466]="Royal Seal of Eldre\'Thalas",
[18467]="Royal Seal of Eldre\'Thalas",
[18468]="Royal Seal of Eldre\'Thalas",
[18469]="Royal Seal of Eldre\'Thalas",
[18470]="Royal Seal of Eldre\'Thalas",
[18471]="Royal Seal of Eldre\'Thalas",
[18472]="Royal Seal of Eldre\'Thalas",
[18473]="Royal Seal of Eldre\'Thalas",
[18475]="Oddly Magical Belt",
[18476]="Mud Stained Boots",
[18477]="Shaggy Leggings",
[18478]="Hyena Hide Jerkin",
[18479]="Carrion Scorpid Helm",
[18480]="Scarab Plate Helm",
[18481]="Skullcracking Mace",
[18482]="Ogre Toothpick Shooter",
[18483]="Mana Channeling Wand",
[18484]="Cho\'Rush\'s Blade",
[18485]="Observer\'s Shield",
[18486]="Mooncloth Robe",
[18487]="Pattern: Mooncloth Robe",
[18488]="Heated Ancient Blade",
[18489]="Unfired Ancient Blade",
[18490]="Insightful Hood",
[18491]="Lorespinner",
[18492]="Treated Ancient Blade",
[18493]="Bulky Iron Spaulders",
[18494]="Denwatcher\'s Shoulders",
[18495]="Redoubt Cloak",
[18496]="Heliotrope Cloak",
[18497]="Sublime Wristguards",
[18498]="Hedgecutter",
[18499]="Barrier Shield",
[18500]="Tarnished Elven Ring",
[18501]="Felvine Shard",
[18502]="Monstrous Glaive",
[18503]="Kromcrush\'s Chestplate",
[18504]="Girdle of Insight",
[18505]="Mugger\'s Belt",
[18506]="Mongoose Boots",
[18507]="Boots of the Full Moon",
[18508]="Swift Flight Bracers",
[18509]="Chromatic Cloak",
[18510]="Hide of the Wild",
[18511]="Shifting Cloak",
[18512]="Larval Acid",
[18513]="A Dull and Flat Elven Blade",
[18514]="Pattern: Girdle of Insight",
[18515]="Pattern: Mongoose Boots",
[18516]="Pattern: Swift Flight Bracers",
[18517]="Pattern: Chromatic Cloak",
[18518]="Pattern: Hide of the Wild",
[18519]="Pattern: Shifting Cloak",
[18520]="Barbarous Blade",
[18521]="Grimy Metal Boots",
[18522]="Band of the Ogre King",
[18523]="Brightly Glowing Stone",
[18524]="Leggings of Destruction",
[18525]="Bracers of Prosperity",
[18526]="Crown of the Ogre King",
[18527]="Harmonious Gauntlets",
[18528]="Cyclone Spaulders",
[18529]="Elemental Plate Girdle",
[18530]="Ogre Forged Hauberk",
[18531]="Unyielding Maul",
[18532]="Mindsurge Robe",
[18533]="Gordok Bracers of Power",
[18534]="Rod of the Ogre Magi",
[18535]="Milli\'s Shield",
[18536]="Milli\'s Lexicon",
[18537]="Counterattack Lodestone",
[18538]="Treant\'s Bane",
[18539]="Reliquary of Purity",
[18540]="Sealed Reliquary of Purity",
[18541]="Puissant Cape",
[18542]="Typhoon",
[18543]="Ring of Entropy",
[18544]="Doomhide Gauntlets",
[18545]="Leggings of Arcane Supremacy",
[18546]="Infernal Headcage",
[18547]="Unmelting Ice Girdle",
[18562]="Elementium Ore",
[18563]="Bindings of the Windseeker",
[18564]="Bindings of the Windseeker",
[18565]="Vessel of Rebirth",
[18566]="Essence of the Firelord",
[18567]="Elemental Flux",
[18582]="The Twin Blades of Azzinoth",
[18583]="Warglaive of Azzinoth (Right)",
[18584]="Warglaive of Azzinoth (Left)",
[18585]="Band of Allegiance",
[18586]="Lonetree\'s Circle",
[18587]="Goblin Jumper Cables XL",
[18588]="Ez-Thro Dynamite II",
[18590]="Raging Beast\'s Blood",
[18591]="Case of Blood",
[18592]="Plans: Sulfuron Hammer",
[18594]="Powerful Seaforium Charge",
[18597]="Orcish Orphan Whistle",
[18598]="Human Orphan Whistle",
[18600]="Tome of Arcane Brilliance",
[18601]="Glowing Crystal Prison",
[18602]="Tome of Sacrifice",
[18603]="Satyr Blood",
[18604]="Tears of the Hederine",
[18605]="Imprisoned Doomguard",
[18606]="Alliance Battle Standard",
[18607]="Horde Battle Standard",
[18608]="Benediction",
[18609]="Anathema",
[18610]="Keen Machete",
[18611]="Gnarlpine Leggings",
[18612]="Bloody Chain Boots",
[18622]="Flawless Fel Essence (Jaedenar)",
[18623]="Flawless Fel Essence (Dark Portal)",
[18624]="Flawless Fel Essence (Azshara)",
[18625]="Kroshius\' Infernal Core",
[18626]="Fel Fire",
[18628]="Thorium Brotherhood Contract",
[18629]="Black Lodestone",
[18631]="Truesilver Transformer",
[18632]="Moonbrook Riot Taffy",
[18633]="Styleen\'s Sour Suckerpop",
[18634]="Gyrofreeze Ice Reflector",
[18635]="Bellara\'s Nutterbar",
[18636]="Ruined Jumper Cables XL",
[18637]="Major Recombobulator",
[18638]="Hyper-Radiant Flame Reflector",
[18639]="Ultra-Flash Shadow Reflector",
[18640]="Happy Fun Rock",
[18641]="Dense Dynamite",
[18642]="Jaina\'s Autograph",
[18643]="Cairne\'s Hoofprint",
[18645]="Alarm-O-Bot",
[18646]="The Eye of Divinity",
[18647]="Schematic: Red Firework",
[18648]="Schematic: Green Firework",
[18649]="Schematic: Blue Firework",
[18650]="Schematic: EZ-Thro Dynamite II",
[18651]="Schematic: Truesilver Transformer",
[18652]="Schematic: Gyrofreeze Ice Reflector",
[18653]="Schematic: Goblin Jumper Cables XL",
[18654]="Schematic: Gnomish Alarm-O-Bot",
[18655]="Schematic: Major Recombobulator",
[18656]="Schematic: Powerful Seaforium Charge",
[18657]="Schematic: Hyper-Radiant Flame Reflector",
[18658]="Schematic: Ultra-Flash Shadow Reflector",
[18659]="Splinter of Nordrassil",
[18660]="World Enlarger",
[18661]="Schematic: World Enlarger",
[18662]="Heavy Leather Ball",
[18663]="J\'eevee\'s Jar",
[18664]="A Treatise on Military Ranks",
[18665]="The Eye of Shadow",
[18670]="Xorothian Glyphs",
[18671]="Baron Charr\'s Sceptre",
[18672]="Elemental Ember",
[18673]="Avalanchion\'s Stony Hide",
[18674]="Hardened Stone Band",
[18675]="Military Ranks of the Horde & Alliance",
[18676]="Sash of the Windreaver",
[18677]="Zephyr Cloak",
[18678]="Tempestria\'s Frozen Necklace",
[18679]="Frigid Ring",
[18680]="Ancient Bone Bow",
[18681]="Burial Shawl",
[18682]="Ghoul Skin Leggings",
[18683]="Hammer of the Vesper",
[18684]="Dimly Opalescent Ring",
[18686]="Bone Golem Shoulders",
[18687]="Xorothian Stardust",
[18688]="Imp in a Jar",
[18689]="Phantasmal Cloak",
[18690]="Wraithplate Leggings",
[18691]="Dark Advisor\'s Pendant",
[18692]="Death Knight Sabatons",
[18693]="Shivery Handwraps",
[18694]="Shadowy Mail Greaves",
[18695]="Spellbound Tome",
[18696]="Intricately Runed Shield",
[18697]="Coldstone Slippers",
[18698]="Tattered Leather Hood",
[18699]="Icy Tomb Spaulders",
[18700]="Malefic Bracers",
[18701]="Innervating Band",
[18702]="Belt of the Ordained",
[18703]="Ancient Petrified Leaf",
[18704]="Mature Blue Dragon Sinew",
[18705]="Mature Black Dragon Sinew",
[18706]="Arena Master",
[18707]="Ancient Rune Etched Stave",
[18708]="Petrified Bark",
[18709]="Arena Wristguards",
[18710]="Arena Bracers",
[18711]="Arena Bands",
[18712]="Arena Vambraces",
[18713]="Rhok\'delar, Longbow of the Ancient Keepers",
[18714]="Ancient Sinew Wrapped Lamina",
[18715]="Lok\'delar, Stave of the Ancient Keepers",
[18716]="Ash Covered Boots",
[18717]="Hammer of the Grand Crusader",
[18718]="Grand Crusader\'s Helm",
[18719]="The Traitor\'s Heart",
[18720]="Shroud of the Nathrezim",
[18721]="Barrage Girdle",
[18722]="Death Grips",
[18723]="Animated Chain Necklace",
[18724]="Enchanted Black Dragon Sinew",
[18725]="Peacemaker",
[18726]="Magistrate\'s Cuffs",
[18727]="Crimson Felt Hat",
[18728]="Anastari Heirloom",
[18729]="Screeching Bow",
[18730]="Shadowy Laced Handwraps",
[18731]="Pattern: Heavy Leather Ball",
[18734]="Pale Moon Cloak",
[18735]="Maleki\'s Footwraps",
[18736]="Plaguehound Leggings",
[18737]="Bone Slicing Hatchet",
[18738]="Carapace Spine Crossbow",
[18739]="Chitinous Plate Legguards",
[18740]="Thuzadin Sash",
[18741]="Morlune\'s Bracer",
[18742]="Stratholme Militia Shoulderguard",
[18743]="Gracious Cape",
[18744]="Plaguebat Fur Gloves",
[18745]="Sacred Cloth Leggings",
[18746]="Divination Scryer",
[18749]="Charger\'s Lost Soul",
[18752]="Exorcism Censer",
[18753]="Arcanite Barding",
[18754]="Fel Hardened Bracers",
[18755]="Xorothian Firestick",
[18756]="Dreadguard\'s Protector",
[18757]="Diabolic Mantle",
[18758]="Specter\'s Blade",
[18759]="Malicious Axe",
[18760]="Necromantic Band",
[18761]="Oblivion\'s Touch",
[18762]="Shard of the Green Flame",
[18766]="Reins of the Swift Frostsaber",
[18767]="Reins of the Swift Mistsaber",
[18768]="Reins of the Swift Dawnsaber",
[18769]="Enchanted Thorium Platemail",
[18770]="Enchanted Thorium Platemail",
[18771]="Enchanted Thorium Platemail",
[18772]="Swift Green Mechanostrider",
[18773]="Swift White Mechanostrider",
[18774]="Swift Yellow Mechanostrider",
[18775]="Manna-Enriched Horse Feed",
[18776]="Swift Palomino",
[18777]="Swift Brown Steed",
[18778]="Swift White Steed",
[18779]="Bottom Half of Advanced Armorsmithing: Volume I",
[18780]="Top Half of Advanced Armorsmithing: Volume I",
[18781]="Bottom Half of Advanced Armorsmithing: Volume II",
[18782]="Top Half of Advanced Armorsmithing: Volume II",
[18783]="Bottom Half of Advanced Armorsmithing: Volume III",
[18784]="Top Half of Advanced Armorsmithing: Volume III",
[18785]="Swift White Ram",
[18786]="Swift Brown Ram",
[18787]="Swift Gray Ram",
[18788]="Swift Blue Raptor",
[18789]="Swift Green Raptor",
[18790]="Swift Orange Raptor",
[18791]="Purple Skeletal Warhorse",
[18792]="Blessed Arcanite Barding",
[18793]="Great White Kodo",
[18794]="Great Brown Kodo",
[18795]="Great Gray Kodo",
[18796]="Horn of the Swift Brown Wolf",
[18797]="Horn of the Swift Timber Wolf",
[18798]="Horn of the Swift Gray Wolf",
[18799]="Charger\'s Redeemed Soul",
[18802]="Shadowy Potion",
[18803]="Finkle\'s Lava Dredger",
[18804]="Lord Grayson\'s Satchel",
[18805]="Core Hound Tooth",
[18806]="Core Forged Greaves",
[18807]="Helm of Latent Power",
[18808]="Gloves of the Hypnotic Flame",
[18809]="Sash of Whispered Secrets",
[18810]="Wild Growth Spaulders",
[18811]="Fireproof Cloak",
[18812]="Wristguards of True Flight",
[18813]="Ring of Binding",
[18814]="Choker of the Fire Lord",
[18815]="Essence of the Pure Flame",
[18816]="Perdition\'s Blade",
[18817]="Crown of Destruction",
[18818]="Mor\'zul\'s Instructions",
[18819]="Rohan\'s Exorcism Censer",
[18820]="Talisman of Ephemeral Power",
[18821]="Quick Strike Ring",
[18822]="Obsidian Edged Blade",
[18823]="Aged Core Leather Gloves",
[18824]="Magma Tempered Boots",
[18825]="Grand Marshal\'s Aegis",
[18826]="High Warlord\'s Shield Wall",
[18827]="Grand Marshal\'s Handaxe",
[18828]="High Warlord\'s Cleaver",
[18829]="Deep Earth Spaulders",
[18830]="Grand Marshal\'s Sunderer",
[18831]="High Warlord\'s Battle Axe",
[18832]="Brutality Blade",
[18833]="Grand Marshal\'s Bullseye",
[18834]="Insignia of the Horde",
[18835]="High Warlord\'s Recurve",
[18836]="Grand Marshal\'s Repeater",
[18837]="High Warlord\'s Crossbow",
[18838]="Grand Marshal\'s Dirk",
[18839]="Combat Healing Potion",
[18840]="High Warlord\'s Razor",
[18841]="Combat Mana Potion",
[18842]="Staff of Dominance",
[18843]="Grand Marshal\'s Right Hand Blade",
[18844]="High Warlord\'s Right Claw",
[18845]="Insignia of the Horde",
[18846]="Insignia of the Horde",
[18847]="Grand Marshal\'s Left Hand Blade",
[18848]="High Warlord\'s Left Claw",
[18849]="Insignia of the Horde",
[18850]="Insignia of the Horde",
[18851]="Insignia of the Horde",
[18852]="Insignia of the Horde",
[18853]="Insignia of the Horde",
[18854]="Insignia of the Alliance",
[18855]="Grand Marshal\'s Hand Cannon",
[18856]="Insignia of the Alliance",
[18857]="Insignia of the Alliance",
[18858]="Insignia of the Alliance",
[18859]="Insignia of the Alliance",
[18860]="High Warlord\'s Street Sweeper",
[18861]="Flamewaker Legplates",
[18862]="Insignia of the Alliance",
[18863]="Insignia of the Alliance",
[18864]="Insignia of the Alliance",
[18865]="Grand Marshal\'s Punisher",
[18866]="High Warlord\'s Bludgeon",
[18867]="Grand Marshal\'s Battle Hammer",
[18868]="High Warlord\'s Pulverizer",
[18869]="Grand Marshal\'s Glaive",
[18870]="Helm of the Lifegiver",
[18871]="High Warlord\'s Pig Sticker",
[18872]="Manastorm Leggings",
[18873]="Grand Marshal\'s Stave",
[18874]="High Warlord\'s War Staff",
[18875]="Salamander Scale Pants",
[18876]="Grand Marshal\'s Claymore",
[18877]="High Warlord\'s Greatsword",
[18878]="Sorcerous Dagger",
[18879]="Heavy Dark Iron Ring",
[18880]="Darkreaver\'s Head",
[18902]="Reins of the Swift Stormsaber",
[18904]="Zorbin\'s Ultra-Shrinker",
[18922]="Secret Plans: Fiery Flux",
[18943]="Dark Iron Pillow",
[18944]="Incendosaur Scale",
[18945]="Dark Iron Residue",
[18946]="Head of Overseer Maltorius",
[18947]="Rage Scar Yeti Hide",
[18948]="Barbaric Bracers",
[18949]="Pattern: Barbaric Bracers",
[18952]="Simone\'s Head",
[18953]="Klinfran\'s Head",
[18954]="Solenor\'s Head",
[18955]="Artorius\'s Head",
[18956]="Miniaturization Residue",
[18957]="Brushwood Blade",
[18958]="Water Elemental Core",
[18959]="Smithing Tuyere",
[18960]="Lookout\'s Spyglass",
[18961]="Zukk\'ash Carapace",
[18962]="Stinglasher\'s Glands",
[18969]="Pristine Yeti Hide",
[18970]="Ring of Critical Testing 2",
[18972]="Perfect Yeti Hide",
[18984]="Dimensional Ripper - Everlook",
[18986]="Ultrasafe Transporter: Gadgetzan",
[18987]="Blackhand\'s Command",
[19002]="Head of Nefarian",
[19003]="Head of Nefarian",
[19004]="Minor Healthstone",
[19005]="Minor Healthstone",
[19006]="Lesser Healthstone",
[19007]="Lesser Healthstone",
[19008]="Healthstone",
[19009]="Healthstone",
[19010]="Greater Healthstone",
[19011]="Greater Healthstone",
[19012]="Major Healthstone",
[19013]="Major Healthstone",
[19016]="Vessel of Rebirth",
[19017]="Essence of the Firelord",
[19018]="Dormant Wind Kissed Blade",
[19019]="Thunderfury, Blessed Blade of the Windseeker",
[19020]="Camp Mojache Zukk\'ash Report",
[19022]="Nat Pagle\'s Extreme Angler FC-5000",
[19023]="Katoom\'s Best Lure",
[19024]="Arena Grand Master",
[19025]="Skylord Plume",
[19026]="Snake Bloom Firework",
[19027]="Schematic: Snake Burst Firework",
[19028]="Elegant Dress",
[19029]="Horn of the Frostwolf Howler",
[19030]="Stormpike Battle Charger",
[19031]="Frostwolf Battle Tabard",
[19032]="Stormpike Battle Tabard",
[19033]="Slagtree\'s Lost Tools",
[19034]="Lard\'s Lunch",
[19035]="Lard\'s Special Picnic Basket",
[19036]="Final Message to the Wildhammer",
[19037]="Emerald Peak Spaulders",
[19038]="Ring of Subtlety",
[19039]="Zorbin\'s Water Resistant Hat",
[19040]="Zorbin\'s Mega-Slicer",
[19041]="Pratt\'s Handcrafted Tunic",
[19042]="Jangdor\'s Handcrafted Tunic",
[19043]="Heavy Timbermaw Belt",
[19044]="Might of the Timbermaw",
[19045]="Stormpike Battle Standard",
[19046]="Frostwolf Battle Standard",
[19047]="Wisdom of the Timbermaw",
[19048]="Heavy Timbermaw Boots",
[19049]="Timbermaw Brawlers",
[19050]="Mantle of the Timbermaw",
[19051]="Girdle of the Dawn",
[19052]="Dawn Treaders",
[19056]="Argent Boots",
[19057]="Gloves of the Dawn",
[19058]="Golden Mantle of the Dawn",
[19059]="Argent Shoulders",
[19060]="Warsong Gulch Enriched Ration",
[19061]="Warsong Gulch Iron Ration",
[19062]="Warsong Gulch Field Ration",
[19064]="Shackle Key",
[19066]="Warsong Gulch Runecloth Bandage",
[19067]="Warsong Gulch Mageweave Bandage",
[19068]="Warsong Gulch Silk Bandage",
[19069]="Huntsman Malkhor\'s Skull",
[19070]="Huntsman Malkhor\'s Bones",
[19071]="Vessel of Tainted Blood",
[19083]="Frostwolf Legionnaire\'s Cloak",
[19084]="Stormpike Soldier\'s Cloak",
[19085]="Frostwolf Advisor\'s Cloak",
[19086]="Stormpike Sage\'s Cloak",
[19087]="Frostwolf Plate Belt",
[19088]="Frostwolf Mail Belt",
[19089]="Frostwolf Leather Belt",
[19090]="Frostwolf Cloth Belt",
[19091]="Stormpike Plate Girdle",
[19092]="Stormpike Mail Girdle",
[19093]="Stormpike Leather Girdle",
[19094]="Stormpike Cloth Girdle",
[19095]="Frostwolf Legionnaire\'s Pendant",
[19096]="Frostwolf Advisor\'s Pendant",
[19097]="Stormpike Soldier\'s Pendant",
[19098]="Stormpike Sage\'s Pendant",
[19099]="Glacial Blade",
[19100]="Electrified Dagger",
[19101]="Whiteout Staff",
[19102]="Crackling Staff",
[19103]="Frostbite",
[19104]="Stormstrike Hammer",
[19105]="Frost Runed Headdress",
[19106]="Ice Barbed Spear",
[19107]="Bloodseeker",
[19108]="Wand of Biting Cold",
[19109]="Deep Rooted Ring",
[19110]="Cold Forged Blade",
[19111]="Winteraxe Epaulets",
[19112]="Frozen Steel Vambraces",
[19113]="Yeti Hide Bracers",
[19114]="Highland Bow",
[19115]="Flask of Forest Mojo",
[19116]="Greenleaf Handwraps",
[19117]="Laquered Wooden Plate Legplates",
[19118]="Nature\'s Breath",
[19119]="Owlbeast Hide Gloves",
[19120]="Rune of the Guard Captain",
[19121]="Deep Woodlands Cloak",
[19123]="Everwarm Handwraps",
[19124]="Slagplate Leggings",
[19125]="Seared Mail Girdle",
[19126]="Slagplate Gauntlets",
[19127]="Charred Leather Tunic",
[19128]="Seared Mail Vest",
[19130]="Cold Snap",
[19131]="Snowblind Shoes",
[19132]="Crystal Adorned Crown",
[19133]="Fel Infused Leggings",
[19134]="Flayed Doomguard Belt",
[19135]="Blacklight Bracer",
[19136]="Mana Igniting Cord",
[19137]="Onslaught Girdle",
[19138]="Band of Sulfuras",
[19139]="Fireguard Shoulders",
[19140]="Cauterizing Band",
[19141]="Luffa",
[19142]="Fire Runed Grimoire",
[19143]="Flameguard Gauntlets",
[19144]="Sabatons of the Flamewalker",
[19145]="Robe of Volatile Power",
[19146]="Wristguards of Stability",
[19147]="Ring of Spell Power",
[19148]="Dark Iron Helm",
[19149]="Lava Belt",
[19150]="Sentinel Basic Care Package",
[19151]="Sentinel Standard Care Package",
[19152]="Sentinel Advanced Care Package",
[19153]="Outrider Advanced Care Package",
[19154]="Outrider Basic Care Package",
[19155]="Outrider Standard Care Package",
[19156]="Flarecore Robe",
[19157]="Chromatic Gauntlets",
[19159]="Woven Ivy Necklace",
[19160]="Contest Winner\'s Tabard",
[19162]="Corehound Belt",
[19163]="Molten Belt",
[19164]="Dark Iron Gauntlets",
[19165]="Flarecore Leggings",
[19166]="Black Amnesty",
[19167]="Blackfury",
[19168]="Blackguard",
[19169]="Nightfall",
[19170]="Ebon Hand",
[19182]="Darkmoon Faire Prize Ticket",
[19183]="Hourglass Sand",
[19202]="Plans: Heavy Timbermaw Belt",
[19203]="Plans: Girdle of the Dawn",
[19204]="Plans: Heavy Timbermaw Boots",
[19205]="Plans: Gloves of the Dawn",
[19206]="Plans: Dark Iron Helm",
[19207]="Plans: Dark Iron Gauntlets",
[19208]="Plans: Black Amnesty",
[19209]="Plans: Blackfury",
[19210]="Plans: Ebon Hand",
[19211]="Plans: Blackguard",
[19212]="Plans: Nightfall",
[19213]="Silverwing Talisman of Merit",
[19215]="Pattern: Wisdom of the Timbermaw",
[19216]="Pattern: Argent Boots",
[19217]="Pattern: Argent Shoulders",
[19218]="Pattern: Mantle of the Timbermaw",
[19219]="Pattern: Flarecore Robe",
[19220]="Pattern: Flarecore Leggings",
[19221]="Darkmoon Special Reserve",
[19222]="Cheap Beer",
[19223]="Darkmoon Dog",
[19224]="Red Hot Wings",
[19225]="Deep Fried Candybar",
[19227]="Ace of Beasts",
[19228]="Beasts Deck",
[19229]="Sayge\'s Fortune #1",
[19230]="Two of Beasts",
[19231]="Three of Beasts",
[19232]="Four of Beasts",
[19233]="Five of Beasts",
[19234]="Six of Beasts",
[19235]="Seven of Beasts",
[19236]="Eight of Beasts",
[19237]="Sayge\'s Fortune #19",
[19238]="Sayge\'s Fortune #3",
[19239]="Sayge\'s Fortune #4",
[19240]="Sayge\'s Fortune #5",
[19241]="Sayge\'s Fortune #6",
[19242]="Sayge\'s Fortune #7",
[19243]="Sayge\'s Fortune #8",
[19244]="Sayge\'s Fortune #9",
[19245]="Sayge\'s Fortune #10",
[19246]="Sayge\'s Fortune #11",
[19247]="Sayge\'s Fortune #12",
[19248]="Sayge\'s Fortune #13",
[19249]="Sayge\'s Fortune #14",
[19250]="Sayge\'s Fortune #15",
[19251]="Sayge\'s Fortune #16",
[19252]="Sayge\'s Fortune #18",
[19253]="Sayge\'s Fortune #17",
[19254]="Sayge\'s Fortune #21",
[19255]="Sayge\'s Fortune #22",
[19256]="Sayge\'s Fortune #2",
[19257]="Warlords Deck",
[19258]="Ace of Warlords",
[19259]="Two of Warlords",
[19260]="Three of Warlords",
[19261]="Four of Warlords",
[19262]="Five of Warlords",
[19263]="Six of Warlords",
[19264]="Seven of Warlords",
[19265]="Eight of Warlords",
[19266]="Sayge\'s Fortune #20",
[19267]="Elementals Deck",
[19268]="Ace of Elementals",
[19269]="Two of Elementals",
[19270]="Three of Elementals",
[19271]="Four of Elementals",
[19272]="Five of Elementals",
[19273]="Six of Elementals",
[19274]="Seven of Elementals",
[19275]="Eight of Elementals",
[19276]="Ace of Portals",
[19277]="Portals Deck",
[19278]="Two of Portals",
[19279]="Three of Portals",
[19280]="Four of Portals",
[19281]="Five of Portals",
[19282]="Six of Portals",
[19283]="Seven of Portals",
[19284]="Eight of Portals",
[19287]="Darkmoon Card: Heroism",
[19288]="Darkmoon Card: Blue Dragon",
[19289]="Darkmoon Card: Maelstrom",
[19290]="Darkmoon Card: Twisting Nether",
[19291]="Darkmoon Storage Box",
[19292]="Last Month\'s Mutton",
[19293]="Last Year\'s Mutton",
[19295]="Darkmoon Flower",
[19296]="Greater Darkmoon Prize",
[19297]="Lesser Darkmoon Prize",
[19298]="Minor Darkmoon Prize",
[19299]="Fizzy Faire Drink",
[19300]="Bottled Winterspring Water",
[19301]="Alterac Manna Biscuit",
[19302]="Darkmoon Ring",
[19303]="Darkmoon Necklace",
[19304]="Spiced Beef Jerky",
[19305]="Pickled Kodo Foot",
[19306]="Crunchy Frog",
[19307]="Alterac Heavy Runecloth Bandage",
[19308]="Tome of Arcane Domination",
[19309]="Tome of Shadow Force",
[19310]="Tome of the Ice Lord",
[19311]="Tome of Fiery Arcana",
[19312]="Lei of the Lifegiver",
[19315]="Therazane\'s Touch",
[19316]="Ice Threaded Arrow",
[19317]="Ice Threaded Bullet",
[19318]="Bottled Alterac Spring Water",
[19319]="Harpy Hide Quiver",
[19320]="Gnoll Skin Bandolier",
[19321]="The Immovable Object",
[19322]="Warsong Mark of Honor",
[19323]="The Unstoppable Force",
[19324]="The Lobotomizer",
[19325]="Don Julio\'s Band",
[19326]="Pattern: Might of the Timbermaw",
[19327]="Pattern: Timbermaw Brawlers",
[19328]="Pattern: Dawn Treaders",
[19329]="Pattern: Golden Mantle of the Dawn",
[19330]="Pattern: Lava Belt",
[19331]="Pattern: Chromatic Gauntlets",
[19332]="Pattern: Corehound Belt",
[19333]="Pattern: Molten Belt",
[19334]="The Untamed Blade",
[19335]="Spineshatter",
[19336]="Arcane Infused Gem",
[19337]="The Black Book",
[19338]="Free Ticket Voucher",
[19339]="Mind Quickening Gem",
[19340]="Rune of Metamorphosis",
[19341]="Lifegiving Gem",
[19342]="Venomous Totem",
[19343]="Scrolls of Blinding Light",
[19344]="Natural Alignment Crystal",
[19345]="Aegis of Preservation",
[19346]="Dragonfang Blade",
[19347]="Claw of Chromaggus",
[19348]="Red Dragonscale Protector",
[19349]="Elementium Reinforced Bulwark",
[19350]="Heartstriker",
[19351]="Maladath, Runed Blade of the Black Flight",
[19352]="Chromatically Tempered Sword",
[19353]="Drake Talon Cleaver",
[19354]="Draconic Avenger",
[19355]="Shadow Wing Focus Staff",
[19356]="Staff of the Shadow Flame",
[19357]="Herald of Woe",
[19358]="Draconic Maul",
[19360]="Lok\'amir il Romathis",
[19361]="Ashjre\'thul, Crossbow of Smiting",
[19362]="Doom\'s Edge",
[19363]="Crul\'shorukh, Edge of Chaos",
[19364]="Ashkandi, Greatsword of the Brotherhood",
[19365]="Claw of the Black Drake",
[19366]="Master Dragonslayer\'s Orb",
[19367]="Dragon\'s Touch",
[19368]="Dragonbreath Hand Cannon",
[19369]="Gloves of Rapid Evolution",
[19370]="Mantle of the Blackwing Cabal",
[19371]="Pendant of the Fallen Dragon",
[19372]="Helm of Endless Rage",
[19373]="Black Brood Pauldrons",
[19374]="Bracers of Arcane Accuracy",
[19375]="Mish\'undare, Circlet of the Mind Flayer",
[19376]="Archimtiros\' Ring of Reckoning",
[19377]="Prestor\'s Talisman of Connivery",
[19378]="Cloak of the Brood Lord",
[19379]="Neltharion\'s Tear",
[19380]="Therazane\'s Link",
[19381]="Boots of the Shadow Flame",
[19382]="Pure Elementium Band",
[19383]="Master Dragonslayer\'s Medallion",
[19384]="Master Dragonslayer\'s Ring",
[19385]="Empowered Leggings",
[19386]="Elementium Threaded Cloak",
[19387]="Chromatic Boots",
[19388]="Angelista\'s Grasp",
[19389]="Taut Dragonhide Shoulderpads",
[19390]="Taut Dragonhide Gloves",
[19391]="Shimmering Geta",
[19392]="Girdle of the Fallen Crusader",
[19393]="Primalist\'s Linked Waistguard",
[19394]="Drake Talon Pauldrons",
[19395]="Rejuvenating Gem",
[19396]="Taut Dragonhide Belt",
[19397]="Ring of Blackrock",
[19398]="Cloak of Firemaw",
[19399]="Black Ash Robe",
[19400]="Firemaw\'s Clutch",
[19401]="Primalist\'s Linked Legguards",
[19402]="Legguards of the Fallen Crusader",
[19403]="Band of Forced Concentration",
[19405]="Malfurion\'s Blessed Bulwark",
[19406]="Drake Fang Talisman",
[19407]="Ebony Flame Gloves",
[19422]="Darkmoon Faire Fortune",
[19423]="Sayge\'s Fortune #23",
[19424]="Sayge\'s Fortune #24",
[19425]="Mysterious Lockbox",
[19426]="Orb of the Darkmoon",
[19430]="Shroud of Pure Thought",
[19431]="Styleen\'s Impeding Scarab",
[19432]="Circle of Applied Force",
[19433]="Emberweave Leggings",
[19434]="Band of Dark Dominion",
[19435]="Essence Gatherer",
[19436]="Cloak of Draconic Might",
[19437]="Boots of Pure Thought",
[19438]="Ringo\'s Blizzard Boots",
[19439]="Interlaced Shadow Jerkin",
[19440]="Powerful Anti-Venom",
[19441]="Huge Venom Sac",
[19442]="Formula: Powerful Anti-Venom",
[19443]="Sayge\'s Fortune #25",
[19444]="Formula: Enchant Weapon - Strength",
[19445]="Formula: Enchant Weapon - Agility",
[19446]="Formula: Enchant Bracer - Mana Regeneration",
[19447]="Formula: Enchant Bracer - Healing",
[19448]="Formula: Enchant Weapon - Mighty Spirit",
[19449]="Formula: Enchant Weapon - Mighty Intellect",
[19450]="A Jubling\'s Tiny Home",
[19451]="Sayge\'s Fortune #26",
[19452]="Sayge\'s Fortune #27",
[19453]="Sayge\'s Fortune #28",
[19454]="Sayge\'s Fortune #29",
[19462]="Unhatched Jubling Egg",
[19483]="Peeling the Onion",
[19484]="The Frostwolf Artichoke",
[19491]="Amulet of the Darkmoon",
[19505]="Warsong Battle Tabard",
[19506]="Silverwing Battle Tabard",
[19507]="Inquisitor\'s Shawl",
[19508]="Branded Leather Bracers",
[19509]="Dusty Mail Boots",
[19510]="Legionnaire\'s Band",
[19511]="Legionnaire\'s Band",
[19512]="Legionnaire\'s Band",
[19513]="Legionnaire\'s Band",
[19514]="Protector\'s Band",
[19515]="Protector\'s Band",
[19516]="Protector\'s Band",
[19517]="Protector\'s Band",
[19518]="Advisor\'s Ring",
[19519]="Advisor\'s Ring",
[19520]="Advisor\'s Ring",
[19521]="Advisor\'s Ring",
[19522]="Lorekeeper\'s Ring",
[19523]="Lorekeeper\'s Ring",
[19524]="Lorekeeper\'s Ring",
[19525]="Lorekeeper\'s Ring",
[19526]="Battle Healer\'s Cloak",
[19527]="Battle Healer\'s Cloak",
[19528]="Battle Healer\'s Cloak",
[19529]="Battle Healer\'s Cloak",
[19530]="Caretaker\'s Cape",
[19531]="Caretaker\'s Cape",
[19532]="Caretaker\'s Cape",
[19533]="Caretaker\'s Cape",
[19534]="Scout\'s Medallion",
[19535]="Scout\'s Medallion",
[19536]="Scout\'s Medallion",
[19537]="Scout\'s Medallion",
[19538]="Sentinel\'s Medallion",
[19539]="Sentinel\'s Medallion",
[19540]="Sentinel\'s Medallion",
[19541]="Sentinel\'s Medallion",
[19542]="Scout\'s Blade",
[19543]="Scout\'s Blade",
[19544]="Scout\'s Blade",
[19545]="Scout\'s Blade",
[19546]="Sentinel\'s Blade",
[19547]="Sentinel\'s Blade",
[19548]="Sentinel\'s Blade",
[19549]="Sentinel\'s Blade",
[19550]="Legionnaire\'s Sword",
[19551]="Legionnaire\'s Sword",
[19552]="Legionnaire\'s Sword",
[19553]="Legionnaire\'s Sword",
[19554]="Protector\'s Sword",
[19555]="Protector\'s Sword",
[19556]="Protector\'s Sword",
[19557]="Protector\'s Sword",
[19558]="Outrider\'s Bow",
[19559]="Outrider\'s Bow",
[19560]="Outrider\'s Bow",
[19561]="Outrider\'s Bow",
[19562]="Outrunner\'s Bow",
[19563]="Outrunner\'s Bow",
[19564]="Outrunner\'s Bow",
[19565]="Outrunner\'s Bow",
[19566]="Advisor\'s Gnarled Staff",
[19567]="Advisor\'s Gnarled Staff",
[19568]="Advisor\'s Gnarled Staff",
[19569]="Advisor\'s Gnarled Staff",
[19570]="Lorekeeper\'s Staff",
[19571]="Lorekeeper\'s Staff",
[19572]="Lorekeeper\'s Staff",
[19573]="Lorekeeper\'s Staff",
[19574]="Strength of Mugamba",
[19575]="Strength of Mugamba",
[19576]="Strength of Mugamba",
[19577]="Rage of Mugamba",
[19578]="Berserker Bracers",
[19579]="Heathen\'s Brand",
[19580]="Berserker Bracers",
[19581]="Berserker Bracers",
[19582]="Windtalker\'s Wristguards",
[19583]="Windtalker\'s Wristguards",
[19584]="Windtalker\'s Wristguards",
[19585]="Heathen\'s Brand",
[19586]="Heathen\'s Brand",
[19587]="Forest Stalker\'s Bracers",
[19588]="Hero\'s Brand",
[19589]="Forest Stalker\'s Bracers",
[19590]="Forest Stalker\'s Bracers",
[19591]="The Eye of Zuldazar",
[19592]="The Eye of Zuldazar",
[19593]="The Eye of Zuldazar",
[19594]="The All-Seeing Eye of Zuldazar",
[19595]="Dryad\'s Wrist Bindings",
[19596]="Dryad\'s Wrist Bindings",
[19597]="Dryad\'s Wrist Bindings",
[19598]="Pebble of Kajaro",
[19599]="Pebble of Kajaro",
[19600]="Pebble of Kajaro",
[19601]="Jewel of Kajaro",
[19602]="Kezan\'s Taint",
[19603]="Kezan\'s Taint",
[19604]="Kezan\'s Taint",
[19605]="Kezan\'s Unstoppable Taint",
[19606]="Vision of Voodress",
[19607]="Vision of Voodress",
[19608]="Vision of Voodress",
[19609]="Unmarred Vision of Voodress",
[19610]="Enchanted South Seas Kelp",
[19611]="Enchanted South Seas Kelp",
[19612]="Enchanted South Seas Kelp",
[19613]="Pristine Enchanted South Seas Kelp",
[19614]="Zandalarian Shadow Talisman",
[19615]="Zandalarian Shadow Talisman",
[19616]="Zandalarian Shadow Talisman",
[19617]="Zandalarian Shadow Mastery Talisman",
[19618]="Maelstrom\'s Tendril",
[19619]="Maelstrom\'s Tendril",
[19620]="Maelstrom\'s Tendril",
[19621]="Maelstrom\'s Wrath",
[19682]="Bloodvine Vest",
[19683]="Bloodvine Leggings",
[19684]="Bloodvine Boots",
[19685]="Primal Batskin Jerkin",
[19686]="Primal Batskin Gloves",
[19687]="Primal Batskin Bracers",
[19688]="Blood Tiger Breastplate",
[19689]="Blood Tiger Shoulders",
[19690]="Bloodsoul Breastplate",
[19691]="Bloodsoul Shoulders",
[19692]="Bloodsoul Gauntlets",
[19693]="Darksoul Breastplate",
[19694]="Darksoul Leggings",
[19695]="Darksoul Shoulders",
[19696]="Harvest Bread",
[19697]="Bounty of the Harvest",
[19698]="Zulian Coin",
[19699]="Razzashi Coin",
[19700]="Hakkari Coin",
[19701]="Gurubashi Coin",
[19702]="Vilebranch Coin",
[19703]="Witherbark Coin",
[19704]="Sandfury Coin",
[19705]="Skullsplitter Coin",
[19706]="Bloodscalp Coin",
[19707]="Red Hakkari Bijou",
[19708]="Blue Hakkari Bijou",
[19709]="Yellow Hakkari Bijou",
[19710]="Orange Hakkari Bijou",
[19711]="Green Hakkari Bijou",
[19712]="Purple Hakkari Bijou",
[19713]="Bronze Hakkari Bijou",
[19714]="Silver Hakkari Bijou",
[19715]="Gold Hakkari Bijou",
[19716]="Primal Hakkari Bindings",
[19717]="Primal Hakkari Armsplint",
[19718]="Primal Hakkari Stanchion",
[19719]="Primal Hakkari Girdle",
[19720]="Primal Hakkari Sash",
[19721]="Primal Hakkari Shawl",
[19722]="Primal Hakkari Tabard",
[19723]="Primal Hakkari Kossack",
[19724]="Primal Hakkari Aegis",
[19725]="Arathi Resource Crate",
[19726]="Bloodvine",
[19727]="Blood Scythe",
[19760]="Overlord\'s Embrace",
[19764]="Pattern: Bloodvine Vest",
[19765]="Pattern: Bloodvine Leggings",
[19766]="Pattern: Bloodvine Boots",
[19767]="Primal Bat Leather",
[19768]="Primal Tiger Leather",
[19769]="Pattern: Primal Batskin Jerkin",
[19770]="Pattern: Primal Batskin Gloves",
[19771]="Pattern: Primal Batskin Bracers",
[19772]="Pattern: Blood Tiger Breastplate",
[19773]="Pattern: Blood Tiger Shoulders",
[19774]="Souldarite",
[19775]="Sealed Azure Bag",
[19776]="Plans: Bloodsoul Breastplate",
[19777]="Plans: Bloodsoul Shoulders",
[19778]="Plans: Bloodsoul Gauntlets",
[19779]="Plans: Darksoul Breastplate",
[19780]="Plans: Darksoul Leggings",
[19781]="Plans: Darksoul Shoulders",
[19782]="Presence of Might",
[19783]="Syncretist\'s Sigil",
[19784]="Death\'s Embrace",
[19785]="Falcon\'s Call",
[19786]="Vodouisant\'s Vigilant Embrace",
[19787]="Presence of Sight",
[19788]="Hoodoo Hex",
[19789]="Prophetic Aura",
[19790]="Animist\'s Caress",
[19802]="Heart of Hakkar",
[19803]="Brownell\'s Blue Striped Racer",
[19805]="Keefer\'s Angelfish",
[19806]="Dezian Queenfish",
[19807]="Speckled Tastyfish",
[19808]="Rockhide Strongfish",
[19812]="Rune of the Dawn",
[19813]="Punctured Voodoo Doll",
[19814]="Punctured Voodoo Doll",
[19815]="Punctured Voodoo Doll",
[19816]="Punctured Voodoo Doll",
[19817]="Punctured Voodoo Doll",
[19818]="Punctured Voodoo Doll",
[19819]="Punctured Voodoo Doll",
[19820]="Punctured Voodoo Doll",
[19821]="Punctured Voodoo Doll",
[19822]="Zandalar Vindicator\'s Breastplate",
[19823]="Zandalar Vindicator\'s Belt",
[19824]="Zandalar Vindicator\'s Armguards",
[19825]="Zandalar Freethinker\'s Breastplate",
[19826]="Zandalar Freethinker\'s Belt",
[19827]="Zandalar Freethinker\'s Armguards",
[19828]="Zandalar Augur\'s Hauberk",
[19829]="Zandalar Augur\'s Belt",
[19830]="Zandalar Augur\'s Bracers",
[19831]="Zandalar Predator\'s Mantle",
[19832]="Zandalar Predator\'s Belt",
[19833]="Zandalar Predator\'s Bracers",
[19834]="Zandalar Madcap\'s Tunic",
[19835]="Zandalar Madcap\'s Mantle",
[19836]="Zandalar Madcap\'s Bracers",
[19838]="Zandalar Haruspex\'s Tunic",
[19839]="Zandalar Haruspex\'s Belt",
[19840]="Zandalar Haruspex\'s Bracers",
[19841]="Zandalar Confessor\'s Mantle",
[19842]="Zandalar Confessor\'s Bindings",
[19843]="Zandalar Confessor\'s Wraps",
[19845]="Zandalar Illusionist\'s Mantle",
[19846]="Zandalar Illusionist\'s Wraps",
[19848]="Zandalar Demoniac\'s Wraps",
[19849]="Zandalar Demoniac\'s Mantle",
[19850]="Uther\'s Tribute",
[19851]="Grom\'s Tribute",
[19852]="Ancient Hakkari Manslayer",
[19853]="Gurubashi Dwarf Destroyer",
[19854]="Zin\'rokh, Destroyer of Worlds",
[19855]="Bloodsoaked Legplates",
[19856]="The Eye of Hakkar",
[19857]="Cloak of Consumption",
[19858]="Zandalar Honor Token",
[19859]="Fang of the Faceless",
[19861]="Touch of Chaos",
[19862]="Aegis of the Blood God",
[19863]="Primalist\'s Seal",
[19864]="Bloodcaller",
[19865]="Warblade of the Hakkari",
[19866]="Warblade of the Hakkari",
[19867]="Bloodlord\'s Defender",
[19869]="Blooddrenched Grips",
[19870]="Hakkari Loa Cloak",
[19871]="Talisman of Protection",
[19872]="Swift Razzashi Raptor",
[19873]="Overlord\'s Crimson Band",
[19874]="Halberd of Smiting",
[19875]="Bloodstained Coif",
[19876]="Soul Corrupter\'s Necklace",
[19877]="Animist\'s Leggings",
[19878]="Bloodsoaked Pauldrons",
[19879]="Alex\'s Test Beatdown Staff",
[19880]="Gurubashi Head Collection",
[19881]="Channeler\'s Head",
[19882]="The Hexxer\'s Head",
[19883]="Sacred Cord",
[19884]="Jin\'do\'s Judgement",
[19885]="Jin\'do\'s Evil Eye",
[19886]="The Hexxer\'s Cover",
[19887]="Bloodstained Legplates",
[19888]="Overlord\'s Embrace",
[19889]="Blooddrenched Leggings",
[19890]="Jin\'do\'s Hexxer",
[19891]="Jin\'do\'s Bag of Whammies",
[19892]="Animist\'s Boots",
[19893]="Zanzil\'s Seal",
[19894]="Bloodsoaked Gauntlets",
[19895]="Bloodtinged Kilt",
[19896]="Thekal\'s Grasp",
[19897]="Betrayer\'s Boots",
[19898]="Seal of Jin",
[19899]="Ritualistic Legguards",
[19900]="Zulian Stone Axe",
[19901]="Zulian Slicer",
[19902]="Swift Zulian Tiger",
[19903]="Fang of Venoxis",
[19904]="Runed Bloodstained Hauberk",
[19905]="Zanzil\'s Band",
[19906]="Blooddrenched Footpads",
[19907]="Zulian Tigerhide Cloak",
[19908]="Sceptre of Smiting",
[19909]="Will of Arlokk",
[19910]="Arlokk\'s Grasp",
[19911]="Whipweed Heart",
[19912]="Overlord\'s Onyx Band",
[19913]="Bloodsoaked Greaves",
[19914]="Panther Hide Sack",
[19915]="Zulian Defender",
[19918]="Jeklik\'s Crusher",
[19919]="Bloodstained Greaves",
[19920]="Primalist\'s Band",
[19921]="Zulian Hacker",
[19922]="Arlokk\'s Hoodoo Stick",
[19923]="Jeklik\'s Opaline Talisman",
[19925]="Band of Jin",
[19927]="Mar\'li\'s Touch",
[19928]="Animist\'s Spaulders",
[19929]="Bloodtinged Gloves",
[19930]="Mar\'li\'s Eye",
[19931]="Gurubashi Mojo Madness",
[19933]="Glowing Scorpid Blood",
[19934]="Large Scorpid Claw",
[19935]="Empty Venom Sac",
[19936]="Dried Scorpid Carapace",
[19937]="Small Scorpid Claw",
[19938]="Heavy Scorpid Leg",
[19939]="Gri\'lek\'s Blood",
[19940]="Renataki\'s Tooth",
[19941]="Wushoolay\'s Mane",
[19942]="Hazza\'rah\'s Dream Thread",
[19943]="Massive Mojo",
[19944]="Nat Pagle\'s Fish Terminator",
[19945]="Foror\'s Eyepatch",
[19946]="Tigule\'s Harpoon",
[19947]="Nat Pagle\'s Broken Reel",
[19948]="Zandalarian Hero Badge",
[19949]="Zandalarian Hero Medallion",
[19950]="Zandalarian Hero Charm",
[19951]="Gri\'lek\'s Charm of Might",
[19952]="Gri\'lek\'s Charm of Valor",
[19953]="Renataki\'s Charm of Beasts",
[19954]="Renataki\'s Charm of Trickery",
[19955]="Wushoolay\'s Charm of Nature",
[19956]="Wushoolay\'s Charm of Spirits",
[19957]="Hazza\'rah\'s Charm of Destruction",
[19958]="Hazza\'rah\'s Charm of Healing",
[19959]="Hazza\'rah\'s Charm of Magic",
[19960]="Crystalized Honey",
[19961]="Gri\'lek\'s Grinder",
[19962]="Gri\'lek\'s Carver",
[19963]="Pitchfork of Madness",
[19964]="Renataki\'s Soul Conduit",
[19965]="Wushoolay\'s Poker",
[19967]="Thoughtblighter",
[19968]="Fiery Retributer",
[19969]="Nat Pagle\'s Extreme Anglin\' Boots",
[19970]="Arcanite Fishing Pole",
[19971]="High Test Eternium Fishing Line",
[19972]="Lucky Fishing Hat",
[19973]="Nat\'s Measuring Tape",
[19974]="Mudskunk Lure",
[19975]="Zulian Mudskunk",
[19978]="Fishing Tournament!",
[19979]="Hook of the Master Angler",
[19982]="Duskbat Drape",
[19984]="Ebon Mask",
[19990]="Blessed Prayer Beads",
[19991]="Devilsaur Eye",
[19992]="Devilsaur Tooth",
[19993]="Hoodoo Hunting Bow",
[19994]="Harvest Fruit",
[19995]="Harvest Boar",
[19996]="Harvest Fish",
[19997]="Harvest Nectar",
[19998]="Bloodvine Lens",
[19999]="Bloodvine Goggles",
[20000]="Schematic: Bloodvine Goggles",
[20001]="Schematic: Bloodvine Lens",
[20002]="Greater Dreamless Sleep Potion",
[20004]="Major Troll\'s Blood Potion",
[20006]="Circle of Hope",
[20007]="Mageblood Potion",
[20008]="Living Action Potion",
[20009]="For the Light!",
[20010]="The Horde\'s Hellscream",
[20011]="Recipe: Mageblood Potion",
[20012]="Recipe: Greater Dreamless Sleep",
[20013]="Recipe: Living Action Potion",
[20014]="Recipe: Major Troll\'s Blood Potion",
[20015]="Elder Raptor Feathers",
[20016]="Trophy Raptor Skull",
[20017]="Perfect Courser Antler",
[20018]="Angerclaw Grizzly Hide",
[20019]="Tooth of Morphaz",
[20021]="Gold Pirate Earring",
[20022]="Azure Key",
[20023]="Encoded Fragment",
[20025]="Blood of Morphaz",
[20027]="Healthy Courser Gland",
[20028]="Glittering Dust",
[20029]="Enchanted Coral",
[20030]="Pet Rock",
[20031]="Essence Mango",
[20032]="Flowing Ritual Robes",
[20033]="Zandalar Demoniac\'s Robe",
[20034]="Zandalar Illusionist\'s Robe",
[20035]="Glacial Spike",
[20036]="Fire Ruby",
[20037]="Arcane Crystal Pendant",
[20038]="Mandokir\'s Sting",
[20039]="Dark Iron Boots",
[20040]="Plans: Dark Iron Boots",
[20041]="Highlander\'s Plate Girdle",
[20042]="Highlander\'s Lamellar Girdle",
[20043]="Highlander\'s Chain Girdle",
[20044]="Highlander\'s Mail Girdle",
[20045]="Highlander\'s Leather Girdle",
[20046]="Highlander\'s Lizardhide Girdle",
[20047]="Highlander\'s Cloth Girdle",
[20048]="Highlander\'s Plate Greaves",
[20049]="Highlander\'s Lamellar Greaves",
[20050]="Highlander\'s Chain Greaves",
[20051]="Highlander\'s Mail Greaves",
[20052]="Highlander\'s Leather Boots",
[20053]="Highlander\'s Lizardhide Boots",
[20054]="Highlander\'s Cloth Boots",
[20055]="Highlander\'s Chain Pauldrons",
[20056]="Highlander\'s Mail Pauldrons",
[20057]="Highlander\'s Plate Spaulders",
[20058]="Highlander\'s Lamellar Spaulders",
[20059]="Highlander\'s Leather Shoulders",
[20060]="Highlander\'s Lizardhide Shoulders",
[20061]="Highlander\'s Epaulets",
[20062]="Arathi Basin Enriched Ration",
[20063]="Arathi Basin Field Ration",
[20064]="Arathi Basin Iron Ration",
[20065]="Arathi Basin Mageweave Bandage",
[20066]="Arathi Basin Runecloth Bandage",
[20067]="Arathi Basin Silk Bandage",
[20068]="Deathguard\'s Cloak",
[20069]="Ironbark Staff",
[20070]="Sageclaw",
[20071]="Talisman of Arathor",
[20072]="Defiler\'s Talisman",
[20073]="Cloak of the Honor Guard",
[20074]="Heavy Crocolisk Stew",
[20075]="Recipe: Heavy Crocolisk Stew",
[20076]="Zandalar Signet of Mojo",
[20077]="Zandalar Signet of Might",
[20078]="Zandalar Signet of Serenity",
[20079]="Spirit of Zanza",
[20080]="Sheen of Zanza",
[20081]="Swiftness of Zanza",
[20082]="Woestave",
[20083]="Hunting Spear",
[20085]="Arcane Shard",
[20086]="Dusksteel Throwing Knife",
[20087]="Wavethrasher Scales",
[20088]="Highlander\'s Chain Girdle",
[20089]="Highlander\'s Chain Girdle",
[20090]="Highlander\'s Chain Girdle",
[20091]="Highlander\'s Chain Greaves",
[20092]="Highlander\'s Chain Greaves",
[20093]="Highlander\'s Chain Greaves",
[20094]="Highlander\'s Cloth Boots",
[20095]="Highlander\'s Cloth Boots",
[20096]="Highlander\'s Cloth Boots",
[20097]="Highlander\'s Cloth Girdle",
[20098]="Highlander\'s Cloth Girdle",
[20099]="Highlander\'s Cloth Girdle",
[20100]="Highlander\'s Lizardhide Boots",
[20101]="Highlander\'s Lizardhide Boots",
[20102]="Highlander\'s Lizardhide Boots",
[20103]="Highlander\'s Lizardhide Girdle",
[20104]="Highlander\'s Lizardhide Girdle",
[20105]="Highlander\'s Lizardhide Girdle",
[20106]="Highlander\'s Lamellar Girdle",
[20107]="Highlander\'s Lamellar Girdle",
[20108]="Highlander\'s Lamellar Girdle",
[20109]="Highlander\'s Lamellar Greaves",
[20110]="Highlander\'s Lamellar Greaves",
[20111]="Highlander\'s Lamellar Greaves",
[20112]="Highlander\'s Leather Boots",
[20113]="Highlander\'s Leather Boots",
[20114]="Highlander\'s Leather Boots",
[20115]="Highlander\'s Leather Girdle",
[20116]="Highlander\'s Leather Girdle",
[20117]="Highlander\'s Leather Girdle",
[20124]="Highlander\'s Plate Girdle",
[20125]="Highlander\'s Plate Girdle",
[20126]="Highlander\'s Plate Girdle",
[20127]="Highlander\'s Plate Greaves",
[20128]="Highlander\'s Plate Greaves",
[20129]="Highlander\'s Plate Greaves",
[20130]="Diamond Flask",
[20131]="Battle Tabard of the Defilers",
[20132]="Arathor Battle Tabard",
[20134]="Skyfury Helm",
[20150]="Defiler\'s Chain Girdle",
[20151]="Defiler\'s Chain Girdle",
[20152]="Defiler\'s Chain Girdle",
[20153]="Defiler\'s Chain Girdle",
[20154]="Defiler\'s Chain Greaves",
[20155]="Defiler\'s Chain Greaves",
[20156]="Defiler\'s Chain Greaves",
[20157]="Defiler\'s Chain Greaves",
[20158]="Defiler\'s Chain Pauldrons",
[20159]="Defiler\'s Cloth Boots",
[20160]="Defiler\'s Cloth Boots",
[20161]="Defiler\'s Cloth Boots",
[20162]="Defiler\'s Cloth Boots",
[20163]="Defiler\'s Cloth Girdle",
[20164]="Defiler\'s Cloth Girdle",
[20165]="Defiler\'s Cloth Girdle",
[20166]="Defiler\'s Cloth Girdle",
[20167]="Defiler\'s Lizardhide Boots",
[20168]="Defiler\'s Lizardhide Boots",
[20169]="Defiler\'s Lizardhide Boots",
[20170]="Defiler\'s Lizardhide Boots",
[20171]="Defiler\'s Lizardhide Girdle",
[20172]="Defiler\'s Lizardhide Girdle",
[20173]="Defiler\'s Lizardhide Girdle",
[20174]="Defiler\'s Lizardhide Girdle",
[20175]="Defiler\'s Lizardhide Shoulders",
[20176]="Defiler\'s Epaulets",
[20177]="Defiler\'s Lamellar Girdle",
[20181]="Defiler\'s Lamellar Greaves",
[20184]="Defiler\'s Lamellar Spaulders",
[20186]="Defiler\'s Leather Boots",
[20187]="Defiler\'s Leather Boots",
[20188]="Defiler\'s Leather Boots",
[20189]="Defiler\'s Leather Boots",
[20190]="Defiler\'s Leather Girdle",
[20191]="Defiler\'s Leather Girdle",
[20192]="Defiler\'s Leather Girdle",
[20193]="Defiler\'s Leather Girdle",
[20194]="Defiler\'s Leather Shoulders",
[20195]="Defiler\'s Mail Girdle",
[20196]="Defiler\'s Mail Girdle",
[20197]="Defiler\'s Mail Girdle",
[20198]="Defiler\'s Mail Girdle",
[20199]="Defiler\'s Mail Greaves",
[20200]="Defiler\'s Mail Greaves",
[20201]="Defiler\'s Mail Greaves",
[20202]="Defiler\'s Mail Greaves",
[20203]="Defiler\'s Mail Pauldrons",
[20204]="Defiler\'s Plate Girdle",
[20205]="Defiler\'s Plate Girdle",
[20206]="Defiler\'s Plate Girdle",
[20207]="Defiler\'s Plate Girdle",
[20208]="Defiler\'s Plate Greaves",
[20209]="Defiler\'s Plate Greaves",
[20210]="Defiler\'s Plate Greaves",
[20211]="Defiler\'s Plate Greaves",
[20212]="Defiler\'s Plate Spaulders",
[20213]="Belt of Shrunken Heads",
[20214]="Mindfang",
[20215]="Belt of Shriveled Heads",
[20216]="Belt of Preserved Heads",
[20217]="Belt of Tiny Heads",
[20218]="Faded Hakkari Cloak",
[20219]="Tattered Hakkari Cape",
[20220]="Ironbark Staff",
[20222]="Defiler\'s Enriched Ration",
[20223]="Defiler\'s Field Ration",
[20224]="Defiler\'s Iron Ration",
[20225]="Highlander\'s Enriched Ration",
[20226]="Highlander\'s Field Ration",
[20227]="Highlander\'s Iron Ration",
[20228]="Defiler\'s Advanced Care Package",
[20229]="Defiler\'s Basic Care Package",
[20230]="Defiler\'s Standard Care Package",
[20231]="Arathor Advanced Care Package",
[20232]="Defiler\'s Mageweave Bandage",
[20233]="Arathor Basic Care Package",
[20234]="Defiler\'s Runecloth Bandage",
[20235]="Defiler\'s Silk Bandage",
[20236]="Arathor Standard Care Package",
[20237]="Highlander\'s Mageweave Bandage",
[20243]="Highlander\'s Runecloth Bandage",
[20244]="Highlander\'s Silk Bandage",
[20253]="Pattern: Warbear Harness",
[20254]="Pattern: Warbear Woolies",
[20255]="Whisperwalk Boots",
[20256]="Warsong Gulch Ribbon of Sacrifice",
[20257]="Seafury Gauntlets",
[20258]="Zulian Ceremonial Staff",
[20259]="Shadow Panther Hide Gloves",
[20260]="Seafury Leggings",
[20261]="Shadow Panther Hide Belt",
[20262]="Seafury Boots",
[20263]="Gurubashi Helm",
[20264]="Peacekeeper Gauntlets",
[20265]="Peacekeeper Boots",
[20266]="Peacekeeper Leggings",
[20295]="Blue Dragonscale Leggings",
[20296]="Green Dragonscale Gauntlets",
[20310]="Flayed Demon Skin",
[20369]="Azurite Fists",
[20371]="Blue Murloc Egg",
[20373]="Stonelash Scorpid Stinger",
[20374]="Stonelash Pincer Stinger",
[20375]="Stonelash Flayer Stinger",
[20376]="Sand Skitterer Fang",
[20377]="Rock Stalker Fang",
[20378]="Twilight Tablet Fragment",
[20379]="Noggle\'s Satchel",
[20380]="Dreamscale Breastplate",
[20381]="Dreamscale",
[20382]="Pattern: Dreamscale Breastplate",
[20383]="Head of the Broodlord Lashlayer",
[20384]="Silithid Carapace Fragment",
[20385]="Deathclasp\'s Pincer",
[20387]="Forsaken Stink Bomb Cluster",
[20388]="Lollipop",
[20389]="Candy Corn",
[20390]="Candy Bar",
[20391]="Flimsy Male Gnome Mask",
[20392]="Flimsy Female Gnome Mask",
[20393]="Treat Bag",
[20394]="Twilight Lexicon - Chapter 1",
[20395]="Twilight Lexicon - Chapter 2",
[20396]="Twilight Lexicon - Chapter 3",
[20397]="Hallowed Wand - Pirate",
[20398]="Hallowed Wand - Ninja",
[20399]="Hallowed Wand - Leper Gnome",
[20400]="Pumpkin Bag",
[20401]="Restored Twilight Tablet",
[20402]="Agent of Nozdormu",
[20403]="Proxy of Nozdormu",
[20404]="Encrypted Twilight Text",
[20405]="Decoded Tablet Transcription",
[20406]="Twilight Cultist Mantle",
[20407]="Twilight Cultist Robe",
[20408]="Twilight Cultist Cowl",
[20409]="Hallowed Wand - Ghost",
[20410]="Hallowed Wand - Bat",
[20411]="Hallowed Wand - Skeleton",
[20413]="Hallowed Wand - Random",
[20414]="Hallowed Wand - Wisp",
[20415]="The War of the Shifting Sands",
[20416]="Crest of Beckoning: Fire",
[20418]="Crest of Beckoning: Thunder",
[20419]="Crest of Beckoning: Stone",
[20420]="Crest of Beckoning: Water",
[20422]="Twilight Cultist Medallion of Station",
[20424]="Sandworm Meat",
[20425]="Advisor\'s Gnarled Staff",
[20426]="Advisor\'s Ring",
[20427]="Battle Healer\'s Cloak",
[20428]="Caretaker\'s Cape",
[20429]="Legionnaire\'s Band",
[20430]="Legionnaire\'s Sword",
[20431]="Lorekeeper\'s Ring",
[20432]="Signet of Beckoning: Fire",
[20433]="Signet of Beckoning: Thunder",
[20434]="Lorekeeper\'s Staff",
[20435]="Signet of Beckoning: Stone",
[20436]="Signet of Beckoning: Water",
[20437]="Outrider\'s Bow",
[20438]="Outrunner\'s Bow",
[20439]="Protector\'s Band",
[20440]="Protector\'s Sword",
[20441]="Scout\'s Blade",
[20442]="Scout\'s Medallion",
[20443]="Sentinel\'s Blade",
[20444]="Sentinel\'s Medallion",
[20447]="Scepter of Beckoning: Fire",
[20448]="Scepter of Beckoning: Thunder",
[20449]="Scepter of Beckoning: Stone",
[20450]="Scepter of Beckoning: Water",
[20451]="Twilight Cultist Ring of Lordship",
[20452]="Smoked Desert Dumplings",
[20453]="Geologist\'s Transcription Kit",
[20454]="Hive\'Zora Rubbing",
[20455]="Hive\'Ashi Rubbing",
[20456]="Hive\'Regal Rubbing",
[20457]="Hive\'Ashi Silithid Brain",
[20458]="Hive\'Zora Silithid Brain",
[20459]="Hive\'Regal Silithid Brain",
[20461]="Brann Bronzebeard\'s Lost Letter",
[20463]="Glyphed Crystal Prism",
[20464]="Glyphs of Calling",
[20465]="Crystal Unlocking Mechanism",
[20466]="Vyral\'s Signet Ring",
[20467]="Torn Recipe Page",
[20469]="Decoded True Believer Clippings",
[20470]="Solanian\'s Scrying Orb",
[20471]="Scroll of Scourge Magic",
[20472]="Solanian\'s Journal",
[20474]="Sunstrider Book Satchel",
[20476]="Sandstalker Bracers",
[20477]="Sandstalker Gauntlets",
[20478]="Sandstalker Breastplate",
[20479]="Spitfire Breastplate",
[20480]="Spitfire Gauntlets",
[20481]="Spitfire Bracers",
[20482]="Arcane Sliver",
[20483]="Tainted Arcane Sliver",
[20487]="Lok\'delar, Stave of the Ancient Keepers DEP",
[20488]="Rhok\'delar, Longbow of the Ancient Keepers DEP",
[20490]="Ironforge Mint",
[20491]="Undercity Mint",
[20492]="Stormwind Nougat",
[20493]="Orgrimmar Nougat",
[20494]="Gnomeregan Gumdrop",
[20495]="Darkspear Gumdrop",
[20496]="Darnassus Marzipan",
[20497]="Thunder Bluff Marzipan",
[20498]="Silithid Chitin",
[20499]="Broken Silithid Chitin",
[20500]="Light Silithid Carapace",
[20501]="Heavy Silithid Carapace",
[20503]="Enamored Water Spirit",
[20504]="Lightforged Blade",
[20505]="Chivalrous Signet",
[20506]="Pattern: Spitfire Bracers",
[20507]="Pattern: Spitfire Gauntlets",
[20508]="Pattern: Spitfire Breastplate",
[20509]="Pattern: Sandstalker Bracers",
[20510]="Pattern: Sandstalker Gauntlets",
[20511]="Pattern: Sandstalker Breastplate",
[20512]="Sanctified Orb",
[20513]="Abyssal Crest",
[20514]="Abyssal Signet",
[20515]="Abyssal Scepter",
[20516]="Bobbing Apple",
[20517]="Razorsteel Shoulders",
[20518]="Scroll: Create Crest of Beckoning",
[20519]="Southsea Pirate Hat",
[20520]="Dark Rune",
[20521]="Fury Visor",
[20526]="Scroll: Create Crest of Beckoning",
[20527]="Scroll: Create Crest of Beckoning",
[20528]="Scroll: Create Crest of Beckoning",
[20530]="Robes of Servitude",
[20531]="Scroll: Create Signet of Beckoning",
[20532]="Scroll: Create Signet of Beckoning",
[20533]="Scroll: Create Signet of Beckoning",
[20534]="Abyss Shard",
[20535]="Scroll: Create Signet of Beckoning",
[20536]="Soul Harvester",
[20537]="Runed Stygian Boots",
[20538]="Runed Stygian Leggings",
[20539]="Runed Stygian Belt",
[20540]="Scroll: Create Scepter of Beckoning",
[20541]="Decoded Twilight Text",
[20542]="Scroll: Create Scepter of Beckoning",
[20543]="Scroll: Create Scepter of Beckoning",
[20544]="Scroll: Create Scepter of Beckoning",
[20545]="Decoded Twilight Text",
[20546]="Pattern: Runed Stygian Leggings",
[20547]="Pattern: Runed Stygian Boots",
[20548]="Pattern: Runed Stygian Belt",
[20549]="Darkrune Gauntlets",
[20550]="Darkrune Breastplate",
[20551]="Darkrune Helm",
[20552]="Decoded Twilight Text",
[20553]="Plans: Darkrune Gauntlets",
[20554]="Plans: Darkrune Breastplate",
[20555]="Plans: Darkrune Helm",
[20556]="Wildstaff",
[20557]="Hallow\'s End Pumpkin Treat",
[20558]="Warsong Gulch Mark of Honor",
[20559]="Arathi Basin Mark of Honor",
[20560]="Alterac Valley Mark of Honor",
[20561]="Flimsy Male Dwarf Mask",
[20562]="Flimsy Female Dwarf Mask",
[20563]="Flimsy Female Nightelf Mask",
[20564]="Flimsy Male Nightelf Mask",
[20565]="Flimsy Female Human Mask",
[20566]="Flimsy Male Human Mask",
[20567]="Flimsy Female Troll Mask",
[20568]="Flimsy Male Troll Mask",
[20569]="Flimsy Female Orc Mask",
[20570]="Flimsy Male Orc Mask",
[20571]="Flimsy Female Tauren Mask",
[20572]="Flimsy Male Tauren Mask",
[20573]="Flimsy Male Undead Mask",
[20574]="Flimsy Female Undead Mask",
[20575]="Black Whelp Tunic",
[20576]="Pattern: Black Whelp Tunic",
[20577]="Nightmare Blade",
[20578]="Emerald Dragonfang",
[20579]="Green Dragonskin Cloak",
[20580]="Hammer of Bestial Fury",
[20581]="Staff of Rampant Growth",
[20582]="Trance Stone",
[20599]="Polished Ironwood Crossbow",
[20600]="Malfurion\'s Signet Ring",
[20601]="Sack of Spoils",
[20602]="Chest of Spoils",
[20603]="Bag of Spoils",
[20604]="Stink Bomb Cleaner",
[20605]="Rotten Eggs",
[20606]="Amber Voodoo Feather",
[20607]="Blue Voodoo Feather",
[20608]="Green Voodoo Feather",
[20610]="Bloodshot Spider Eye",
[20611]="Thick Black Claw",
[20612]="Inert Scourgestone",
[20613]="Rotting Wood",
[20614]="Bloodvenom Essence",
[20615]="Dragonspur Wraps",
[20616]="Dragonbone Wristguards",
[20617]="Ancient Corroded Leggings",
[20618]="Gloves of Delusional Power",
[20619]="Acid Inscribed Greaves",
[20620]="Holy Mightstone",
[20621]="Boots of the Endless Moor",
[20622]="Dragonheart Necklace",
[20623]="Circlet of Restless Dreams",
[20624]="Ring of the Unliving",
[20625]="Belt of the Dark Bog",
[20626]="Black Bark Wristbands",
[20627]="Dark Heart Pants",
[20628]="Deviate Growth Cap",
[20629]="Malignant Footguards",
[20630]="Gauntlets of the Shining Light",
[20631]="Mendicant\'s Slippers",
[20632]="Mindtear Band",
[20633]="Unnatural Leather Spaulders",
[20634]="Boots of Fright",
[20635]="Jade Inlaid Vestments",
[20636]="Hibernation Crystal",
[20637]="Acid Inscribed Pauldrons",
[20638]="Leggings of the Demented Mind",
[20639]="Strangely Glyphed Legplates",
[20640]="Southsea Head Bucket",
[20641]="Southsea Mojo Boots",
[20642]="Antiquated Nobleman\'s Tunic",
[20643]="Undercity Reservist\'s Cap",
[20644]="Nightmare Engulfed Object",
[20645]="Nature\'s Whisper",
[20646]="Sandstrider\'s Mark",
[20647]="Black Crystal Dagger",
[20648]="Cold Forged Hammer",
[20649]="Sunprism Pendant",
[20650]="Desert Wind Gauntlets",
[20652]="Abyssal Cloth Slippers",
[20653]="Abyssal Plate Gauntlets",
[20654]="Amethyst War Staff",
[20655]="Abyssal Cloth Handwraps",
[20656]="Abyssal Mail Sabatons",
[20657]="Crystal Tipped Stiletto",
[20658]="Abyssal Leather Boots",
[20659]="Abyssal Mail Handguards",
[20660]="Stonecutting Glaive",
[20661]="Abyssal Leather Gloves",
[20662]="Abyssal Plate Greaves",
[20663]="Deep Strike Bow",
[20664]="Abyssal Cloth Sash",
[20665]="Abyssal Leather Leggings",
[20666]="Hardened Steel Warhammer",
[20667]="Abyssal Leather Belt",
[20668]="Abyssal Mail Legguards",
[20669]="Darkstone Claymore",
[20670]="Abyssal Mail Clutch",
[20671]="Abyssal Plate Legplates",
[20672]="Sparkling Crystal Wand",
[20673]="Abyssal Plate Girdle",
[20674]="Abyssal Cloth Pants",
[20675]="Soulrender",
[20676]="Decoded Twilight Text",
[20677]="Decoded Twilight Text",
[20678]="Decoded Twilight Text",
[20679]="Decoded Twilight Text",
[20680]="Abyssal Mail Pauldrons",
[20681]="Abyssal Leather Bracers",
[20682]="Elemental Focus Band",
[20683]="Abyssal Plate Epaulets",
[20684]="Abyssal Mail Armguards",
[20685]="Wavefront Necklace",
[20686]="Abyssal Cloth Amice",
[20687]="Abyssal Plate Vambraces",
[20688]="Earthen Guard",
[20689]="Abyssal Leather Shoulders",
[20690]="Abyssal Cloth Wristbands",
[20691]="Windshear Cape",
[20692]="Multicolored Band",
[20693]="Weighted Cloak",
[20694]="Glowing Black Orb",
[20695]="Abyssal War Beads",
[20696]="Crystal Spiked Maul",
[20697]="Crystalline Threaded Cape",
[20698]="Elemental Attuned Blade",
[20699]="Cenarion Reservist\'s Legplates",
[20700]="Cenarion Reservist\'s Legplates",
[20701]="Cenarion Reservist\'s Legguards",
[20702]="Cenarion Reservist\'s Legguards",
[20703]="Cenarion Reservist\'s Leggings",
[20704]="Cenarion Reservist\'s Leggings",
[20705]="Cenarion Reservist\'s Pants",
[20706]="Cenarion Reservist\'s Pants",
[20707]="Cenarion Reservist\'s Pants",
[20708]="Tightly Sealed Trunk",
[20709]="Rumsey Rum Light",
[20710]="Crystal Encrusted Greaves",
[20711]="Crystal Lined Greaves",
[20712]="Wastewalker\'s Gauntlets",
[20713]="Desertstalkers\'s Gauntlets",
[20714]="Sandstorm Boots",
[20715]="Dunestalker\'s Boots",
[20716]="Sandworm Skin Gloves",
[20717]="Desert Bloom Gloves",
[20720]="Dark Whisper Blade",
[20721]="Band of the Cultist",
[20722]="Crystal Slugthrower",
[20723]="Brann\'s Trusty Pick",
[20724]="Corrupted Blackwood Staff",
[20725]="Nexus Crystal",
[20726]="Formula: Enchant Gloves - Threat",
[20727]="Formula: Enchant Gloves - Shadow Power",
[20728]="Formula: Enchant Gloves - Frost Power",
[20729]="Formula: Enchant Gloves - Fire Power",
[20730]="Formula: Enchant Gloves - Healing Power",
[20731]="Formula: Enchant Gloves - Superior Agility",
[20732]="Formula: Enchant Cloak - Greater Fire Resistance",
[20733]="Formula: Enchant Cloak - Greater Nature Resistance",
[20734]="Formula: Enchant Cloak - Stealth",
[20735]="Formula: Enchant Cloak - Subtlety",
[20736]="Formula: Enchant Cloak - Dodge",
[20741]="Deadwood Ritual Totem",
[20742]="Winterfall Ritual Totem",
[20744]="Minor Wizard Oil",
[20745]="Minor Mana Oil",
[20746]="Lesser Wizard Oil",
[20747]="Lesser Mana Oil",
[20748]="Brilliant Mana Oil",
[20749]="Brilliant Wizard Oil",
[20750]="Wizard Oil",
[20752]="Formula: Minor Mana Oil",
[20753]="Formula: Lesser Wizard Oil",
[20754]="Formula: Lesser Mana Oil",
[20755]="Formula: Wizard Oil",
[20756]="Formula: Brilliant Wizard Oil",
[20757]="Formula: Brilliant Mana Oil",
[20758]="Formula: Minor Wizard Oil",
[20761]="Recipe: Transmute Elemental Fire",
[20763]="Broken Weapon",
[20766]="Slimy Bag",
[20767]="Scum Covered Bag",
[20768]="Oozing Bag",
[20769]="Disgusting Oozeling",
[20770]="Bubbling Green Ichor",
[20800]="Cenarion Logistics Badge",
[20801]="Cenarion Tactical Badge",
[20802]="Cenarion Combat Badge",
[20803]="Twilight Battle Orders",
[20805]="Followup Logistics Assignment",
[20806]="Logistics Task Briefing X",
[20807]="Logistics Task Briefing I",
[20808]="Combat Assignment",
[20809]="Tactical Assignment",
[20810]="Signed Field Duty Papers",
[20844]="Deadly Poison V",
[20858]="Stone Scarab",
[20859]="Gold Scarab",
[20860]="Silver Scarab",
[20861]="Bronze Scarab",
[20862]="Crystal Scarab",
[20863]="Clay Scarab",
[20864]="Bone Scarab",
[20865]="Ivory Scarab",
[20866]="Azure Idol",
[20867]="Onyx Idol",
[20868]="Lambent Idol",
[20869]="Amber Idol",
[20870]="Jasper Idol",
[20871]="Obsidian Idol",
[20872]="Vermillion Idol",
[20873]="Alabaster Idol",
[20874]="Idol of the Sun",
[20875]="Idol of Night",
[20876]="Idol of Death",
[20877]="Idol of the Sage",
[20878]="Idol of Rebirth",
[20879]="Idol of Life",
[20881]="Idol of Strife",
[20882]="Idol of War",
[20884]="Qiraji Magisterial Ring",
[20885]="Qiraji Martial Drape",
[20886]="Qiraji Spiked Hilt",
[20888]="Qiraji Ceremonial Ring",
[20889]="Qiraji Regal Drape",
[20890]="Qiraji Ornate Hilt",
[20926]="Vek\'nilash\'s Circlet",
[20927]="Ouro\'s Intact Hide",
[20928]="Qiraji Bindings of Command",
[20929]="Carapace of the Old God",
[20930]="Vek\'lor\'s Diadem",
[20931]="Skin of the Great Sandworm",
[20932]="Qiraji Bindings of Dominance",
[20933]="Husk of the Old God",
[20939]="Logistics Task Briefing II",
[20940]="Logistics Task Briefing III",
[20941]="Combat Task Briefing XII",
[20942]="Combat Task Briefing III",
[20943]="Tactical Task Briefing X",
[20944]="Tactical Task Briefing IX",
[20945]="Tactical Task Briefing II",
[20947]="Tactical Task Briefing IV",
[20948]="Tactical Task Briefing V",
[20949]="Magical Ledger",
[20951]="Narain\'s Scrying Goggles",
[21023]="Dirge\'s Kickin\' Chimaerok Chops",
[21024]="Chimaerok Tenderloin",
[21025]="Recipe: Dirge\'s Kickin\' Chimaerok Chops",
[21027]="Lakmaeran\'s Carcass",
[21028]="500 Pound Chicken",
[21029]="Ransom Letter",
[21030]="Darnassus Kimchi Pie",
[21031]="Cabbage Kimchi",
[21032]="Meridith\'s Love Letter",
[21033]="Radish Kimchi",
[21037]="Crude Map",
[21038]="Hardpacked Snowball",
[21039]="Narain\'s Turban",
[21040]="Narain\'s Robe",
[21041]="Bag of Gold",
[21042]="Narain\'s Special Kit",
[21071]="Raw Sagefish",
[21072]="Smoked Sagefish",
[21099]="Recipe: Smoked Sagefish",
[21100]="Coin of Ancestry",
[21103]="Draconic for Dummies",
[21104]="Draconic for Dummies",
[21105]="Draconic for Dummies",
[21106]="Draconic for Dummies",
[21107]="Draconic for Dummies",
[21108]="Draconic for Dummies",
[21109]="Draconic for Dummies",
[21110]="Draconic for Dummies",
[21111]="Draconic For Dummies: Volume II",
[21112]="Magical Book Binding",
[21113]="Watertight Trunk",
[21114]="Rumsey Rum Dark",
[21115]="Defiler\'s Talisman",
[21116]="Defiler\'s Talisman",
[21117]="Talisman of Arathor",
[21118]="Talisman of Arathor",
[21119]="Talisman of Arathor",
[21120]="Defiler\'s Talisman",
[21126]="Death\'s Sting",
[21128]="Staff of the Qiraji Prophets",
[21130]="Diary of Weavil",
[21131]="Followup Combat Assignment",
[21132]="Logistics Assignment",
[21133]="Followup Tactical Assignment",
[21134]="Dark Edge of Insanity",
[21136]="Arcanite Buoy",
[21137]="Blue Scepter Shard",
[21138]="Red Scepter Shard",
[21139]="Green Scepter Shard",
[21140]="Auction Stationery",
[21142]="From the Desk of Lord Victor Nefarius",
[21143]="Unsigned Field Duty Papers",
[21144]="Demon Summoning Torch",
[21145]="Essence of Xandivious",
[21146]="Fragment of the Nightmare\'s Corruption",
[21147]="Fragment of the Nightmare\'s Corruption",
[21148]="Fragment of the Nightmare\'s Corruption",
[21149]="Fragment of the Nightmare\'s Corruption",
[21150]="Iron Bound Trunk",
[21151]="Rumsey Rum Black Label",
[21153]="Raw Greater Sagefish",
[21154]="Festival Dress",
[21155]="Timbermaw Offering of Peace",
[21156]="Scarab Bag",
[21157]="Festive Green Dress",
[21158]="Hive\'Zora Scout Report",
[21160]="Hive\'Regal Scout Report",
[21161]="Hive\'Ashi Scout Report",
[21162]="Bloated Oily Blackmouth",
[21164]="Bloated Rockscale Cod",
[21165]="Tactical Task Briefing VI",
[21166]="Tactical Task Briefing VII",
[21167]="Tactical Task Briefing VIII",
[21171]="Filled Festive Mug",
[21174]="Empty Festive Mug",
[21175]="The Scepter of the Shifting Sands",
[21176]="Black Qiraji Resonating Crystal",
[21177]="Symbol of Kings",
[21178]="Gloves of Earthen Power",
[21179]="Band of Earthen Wrath",
[21180]="Earthstrike",
[21181]="Grace of Earth",
[21182]="Band of Earthen Might",
[21183]="Earthpower Vest",
[21184]="Deeprock Bracers",
[21185]="Earthcalm Orb",
[21186]="Rockfury Bracers",
[21187]="Earthweave Cloak",
[21188]="Fist of Cenarius",
[21189]="Might of Cenarius",
[21190]="Wrath of Cenarius",
[21191]="Carefully Wrapped Present",
[21196]="Signet Ring of the Bronze Dragonflight",
[21197]="Signet Ring of the Bronze Dragonflight",
[21198]="Signet Ring of the Bronze Dragonflight",
[21199]="Signet Ring of the Bronze Dragonflight",
[21200]="Signet Ring of the Bronze Dragonflight",
[21201]="Signet Ring of the Bronze Dragonflight",
[21202]="Signet Ring of the Bronze Dragonflight",
[21203]="Signet Ring of the Bronze Dragonflight",
[21204]="Signet Ring of the Bronze Dragonflight",
[21205]="Signet Ring of the Bronze Dragonflight",
[21206]="Signet Ring of the Bronze Dragonflight",
[21207]="Signet Ring of the Bronze Dragonflight",
[21208]="Signet Ring of the Bronze Dragonflight",
[21209]="Signet Ring of the Bronze Dragonflight",
[21210]="Signet Ring of the Bronze Dragonflight",
[21211]="Pouch of Reindeer Dust",
[21212]="Fresh Holly",
[21213]="Preserved Holly",
[21214]="Tome of Frostbolt XI",
[21215]="Graccu\'s Mince Meat Fruitcake",
[21216]="Smokywood Pastures Extra-Special Gift",
[21217]="Sagefish Delight",
[21218]="Blue Qiraji Resonating Crystal",
[21219]="Recipe: Sagefish Delight",
[21220]="Head of Ossirian the Unscarred",
[21221]="Eye of C\'Thun",
[21222]="Armored Chitin",
[21223]="Black Stone",
[21224]="Ancient Armor Fragment",
[21225]="Heavy Silithid Husk",
[21226]="Runic Stone",
[21227]="Ancient Hero\'s Skull",
[21228]="Mithril Bound Trunk",
[21229]="Qiraji Lord\'s Insignia",
[21230]="Ancient Qiraji Artifact",
[21232]="Imperial Qiraji Armaments",
[21235]="Winter Veil Roast",
[21237]="Imperial Qiraji Regalia",
[21241]="Winter Veil Eggnog",
[21242]="Blessed Qiraji War Axe",
[21243]="Bloated Mightfish",
[21244]="Blessed Qiraji Pugio",
[21245]="Tactical Task Briefing I",
[21248]="Combat Task Briefing IV",
[21249]="Combat Task Briefing V",
[21250]="Combat Task Briefing VI",
[21251]="Combat Task Briefing VII",
[21252]="Combat Task Briefing VIII",
[21253]="Combat Task Briefing IX",
[21254]="Winter Veil Cookie",
[21255]="Combat Task Briefing X",
[21256]="Combat Task Briefing XI",
[21257]="Logistics Task Briefing IV",
[21258]="Logistics Task Briefing IV",
[21259]="Logistics Task Briefing V",
[21260]="Logistics Task Briefing VI",
[21261]="Logistics Task Briefing VI",
[21262]="Logistics Task Briefing VIII",
[21263]="Logistics Task Briefing VII",
[21264]="Logistics Task Briefing VII",
[21265]="Logistics Task Briefing IX",
[21266]="Logistics Assignment",
[21267]="Toasting Goblet",
[21268]="Blessed Qiraji War Hammer",
[21269]="Blessed Qiraji Bulwark",
[21270]="Gently Shaken Gift",
[21271]="Gently Shaken Gift",
[21272]="Blessed Qiraji Musket",
[21273]="Blessed Qiraji Acolyte Staff",
[21275]="Blessed Qiraji Augur Staff",
[21277]="Tranquil Mechanical Yeti",
[21278]="Stormshroud Gloves",
[21279]="Tome of Fireball XII",
[21280]="Tome of Arcane Missiles VIII",
[21281]="Grimoire of Shadow Bolt X",
[21282]="Grimoire of Immolate VIII",
[21283]="Grimoire of Corruption VII",
[21284]="Codex of Greater Heal V",
[21285]="Codex of Renew X",
[21287]="Codex of Prayer of Healing V",
[21288]="Libram: Blessing of Wisdom VI",
[21289]="Libram: Blessing of Might VII",
[21290]="Libram: Holy Light IX",
[21291]="Tablet of Healing Wave X",
[21292]="Tablet of Strength of Earth Totem V",
[21293]="Tablet of Grace of Air Totem III",
[21294]="Book of Healing Touch XI",
[21295]="Book of Starfire VII",
[21296]="Book of Rejuvenation XI",
[21297]="Manual of Heroic Strike IX",
[21298]="Manual of Battle Shout VII",
[21299]="Manual of Revenge VI",
[21300]="Handbook of Backstab IX",
[21301]="Green Helper Box",
[21302]="Handbook of Deadly Poison V",
[21303]="Handbook of Feint V",
[21304]="Guide: Multi-Shot V",
[21305]="Red Helper Box",
[21306]="Guide: Serpent Sting IX",
[21307]="Guide: Aspect of the Hawk VII",
[21308]="Jingling Bell",
[21309]="Snowman Kit",
[21310]="Gaily Wrapped Present",
[21311]="Earth Warder\'s Vest",
[21312]="Belt of the Den Watcher",
[21314]="Metzen\'s Letters and Notes",
[21315]="Smokywood Satchel",
[21316]="Leggings of the Ursa",
[21317]="Helm of the Pathfinder",
[21318]="Earth Warder\'s Gloves",
[21319]="Gloves of the Pathfinder",
[21320]="Vest of the Den Watcher",
[21321]="Red Qiraji Resonating Crystal",
[21322]="Ursa\'s Embrace",
[21323]="Green Qiraji Resonating Crystal",
[21324]="Yellow Qiraji Resonating Crystal",
[21325]="Mechanical Greench",
[21326]="Defender of the Timbermaw",
[21327]="Ticking Present",
[21328]="Wand of Holiday Cheer",
[21329]="Conqueror\'s Crown",
[21330]="Conqueror\'s Spaulders",
[21331]="Conqueror\'s Breastplate",
[21332]="Conqueror\'s Legguards",
[21333]="Conqueror\'s Greaves",
[21334]="Doomcaller\'s Robes",
[21335]="Doomcaller\'s Mantle",
[21336]="Doomcaller\'s Trousers",
[21337]="Doomcaller\'s Circlet",
[21338]="Doomcaller\'s Footwraps",
[21340]="Soul Pouch",
[21341]="Felcloth Bag",
[21342]="Core Felcloth Bag",
[21343]="Enigma Robes",
[21344]="Enigma Boots",
[21345]="Enigma Shoulderpads",
[21346]="Enigma Leggings",
[21347]="Enigma Circlet",
[21348]="Tiara of the Oracle",
[21349]="Footwraps of the Oracle",
[21350]="Mantle of the Oracle",
[21351]="Vestments of the Oracle",
[21352]="Trousers of the Oracle",
[21353]="Genesis Helm",
[21354]="Genesis Shoulderpads",
[21355]="Genesis Boots",
[21356]="Genesis Trousers",
[21357]="Genesis Vest",
[21358]="Pattern: Soul Pouch",
[21359]="Deathdealer\'s Boots",
[21360]="Deathdealer\'s Helm",
[21361]="Deathdealer\'s Spaulders",
[21362]="Deathdealer\'s Leggings",
[21363]="Festive Gift",
[21364]="Deathdealer\'s Vest",
[21365]="Striker\'s Footguards",
[21366]="Striker\'s Diadem",
[21367]="Striker\'s Pauldrons",
[21368]="Striker\'s Leggings",
[21370]="Striker\'s Hauberk",
[21371]="Pattern: Core Felcloth Bag",
[21372]="Stormcaller\'s Diadem",
[21373]="Stormcaller\'s Footguards",
[21374]="Stormcaller\'s Hauberk",
[21375]="Stormcaller\'s Leggings",
[21376]="Stormcaller\'s Pauldrons",
[21377]="Deadwood Headdress Feather",
[21378]="Logistics Task Briefing I",
[21379]="Logistics Task Briefing II",
[21380]="Logistics Task Briefing III",
[21381]="Logistics Task Briefing IX",
[21382]="Logistics Task Briefing V",
[21383]="Winterfall Spirit Beads",
[21384]="Logistics Task Briefing VIII",
[21385]="Logistics Task Briefing X",
[21386]="Followup Logistics Assignment",
[21387]="Avenger\'s Crown",
[21388]="Avenger\'s Greaves",
[21389]="Avenger\'s Breastplate",
[21390]="Avenger\'s Legguards",
[21391]="Avenger\'s Pauldrons",
[21392]="Sickle of Unyielding Strength",
[21393]="Signet of Unyielding Strength",
[21394]="Drape of Unyielding Strength",
[21395]="Blade of Eternal Justice",
[21396]="Ring of Eternal Justice",
[21397]="Cape of Eternal Justice",
[21398]="Hammer of the Gathering Storm",
[21399]="Ring of the Gathering Storm",
[21400]="Cloak of the Gathering Storm",
[21401]="Scythe of the Unseen Path",
[21402]="Signet of the Unseen Path",
[21403]="Cloak of the Unseen Path",
[21404]="Dagger of Veiled Shadows",
[21405]="Band of Veiled Shadows",
[21406]="Cloak of Veiled Shadows",
[21407]="Mace of Unending Life",
[21408]="Band of Unending Life",
[21409]="Cloak of Unending Life",
[21410]="Gavel of Infinite Wisdom",
[21411]="Ring of Infinite Wisdom",
[21412]="Shroud of Infinite Wisdom",
[21413]="Blade of Vaulted Secrets",
[21414]="Band of Vaulted Secrets",
[21415]="Drape of Vaulted Secrets",
[21416]="Kris of Unspoken Names",
[21417]="Ring of Unspoken Names",
[21418]="Shroud of Unspoken Names",
[21436]="Alliance Commendation Signet",
[21438]="Horde Commendation Signet",
[21452]="Staff of the Ruins",
[21453]="Mantle of the Horusath",
[21454]="Runic Stone Shoulders",
[21455]="Southwind Helm",
[21456]="Sandstorm Cloak",
[21457]="Bracers of Brutality",
[21458]="Gauntlets of New Life",
[21459]="Crossbow of Imminent Doom",
[21460]="Helm of Domination",
[21461]="Leggings of the Black Blizzard",
[21462]="Gloves of Dark Wisdom",
[21463]="Ossirian\'s Binding",
[21464]="Shackles of the Unscarred",
[21466]="Stinger of Ayamiss",
[21467]="Thick Silithid Chestguard",
[21468]="Mantle of Maz\'Nadir",
[21469]="Gauntlets of Southwind",
[21470]="Cloak of the Savior",
[21471]="Talon of Furious Concentration",
[21472]="Dustwind Turban",
[21473]="Eye of Moam",
[21474]="Chitinous Shoulderguards",
[21475]="Legplates of the Destroyer",
[21476]="Obsidian Scaled Leggings",
[21477]="Ring of Fury",
[21478]="Bow of Taut Sinew",
[21479]="Gauntlets of the Immovable",
[21480]="Scaled Silithid Gauntlets",
[21481]="Boots of the Desert Protector",
[21482]="Boots of the Fiery Sands",
[21483]="Ring of the Desert Winds",
[21484]="Helm of Regrowth",
[21485]="Buru\'s Skull Fragment",
[21486]="Gloves of the Swarm",
[21487]="Slimy Scaled Gauntlets",
[21488]="Fetish of Chitinous Spikes",
[21489]="Quicksand Waders",
[21490]="Slime Kickers",
[21491]="Scaled Bracers of the Gorger",
[21492]="Manslayer of the Qiraji",
[21493]="Boots of the Vanguard",
[21494]="Southwind\'s Grasp",
[21495]="Legplates of the Qiraji Command",
[21496]="Bracers of Qiraji Command",
[21497]="Boots of the Qiraji General",
[21498]="Qiraji Sacrificial Dagger",
[21499]="Vestments of the Shifting Sands",
[21500]="Belt of the Inquisition",
[21501]="Toughened Silithid Hide Gloves",
[21502]="Sand Reaver Wristguards",
[21503]="Belt of the Sand Reaver",
[21504]="Charm of the Shifting Sands",
[21505]="Choker of the Shifting Sands",
[21506]="Pendant of the Shifting Sands",
[21507]="Amulet of the Shifting Sands",
[21508]="Mark of Cenarius",
[21509]="Ahn\'Qiraj War Effort Supplies",
[21510]="Ahn\'Qiraj War Effort Supplies",
[21511]="Ahn\'Qiraj War Effort Supplies",
[21512]="Ahn\'Qiraj War Effort Supplies",
[21513]="Ahn\'Qiraj War Effort Supplies",
[21514]="Logistics Task Briefing XI",
[21515]="Mark of Remulos",
[21517]="Gnomish Turban of Psychic Might",
[21519]="Mistletoe",
[21520]="Ravencrest\'s Legacy",
[21521]="Runesword of the Red",
[21522]="Shadowsong\'s Sorrow",
[21523]="Fang of Korialstrasz",
[21524]="Red Winter Hat",
[21525]="Green Winter Hat",
[21526]="Band of Icy Depths",
[21527]="Darkwater Robes",
[21528]="Colossal Bag of Loot",
[21529]="Amulet of Shadow Shielding",
[21530]="Onyx Embedded Leggings",
[21531]="Drake Tooth Necklace",
[21532]="Drudge Boots",
[21533]="Colossus of Zora\'s Husk",
[21534]="Colossus of Ashi\'s Husk",
[21535]="Colossus of Regal\'s Husk",
[21536]="Elune Stone",
[21537]="Festival Dumplings",
[21538]="Festive Pink Dress",
[21539]="Festive Purple Dress",
[21540]="Elune\'s Lantern",
[21541]="Festive Black Pant Suit",
[21542]="Festival Suit",
[21543]="Festive Teal Pant Suit",
[21544]="Festive Blue Pant Suit",
[21545]="Smokywood Supplies",
[21546]="Elixir of Greater Firepower",
[21547]="Recipe: Elixir of Greater Firepower",
[21548]="Pattern: Stormshroud Gloves",
[21552]="Striped Yellowtail",
[21557]="Small Red Rocket",
[21558]="Small Blue Rocket",
[21559]="Small Green Rocket",
[21561]="Small White Rocket",
[21562]="Small Yellow Rocket",
[21563]="Don Rodrigo\'s Band",
[21565]="Rune of Perfection",
[21566]="Rune of Perfection",
[21567]="Rune of Duty",
[21568]="Rune of Duty",
[21569]="Firework Launcher",
[21570]="Cluster Launcher",
[21571]="Blue Rocket Cluster",
[21574]="Green Rocket Cluster",
[21576]="Red Rocket Cluster",
[21579]="Vanquished Tentacle of C\'Thun",
[21581]="Gauntlets of Annihilation",
[21582]="Grasp of the Old God",
[21583]="Cloak of Clarity",
[21585]="Dark Storm Gauntlets",
[21586]="Belt of Never-ending Agony",
[21587]="Wristguards of Castigation",
[21589]="Large Blue Rocket",
[21590]="Large Green Rocket",
[21592]="Large Red Rocket",
[21593]="Large White Rocket",
[21595]="Large Yellow Rocket",
[21596]="Ring of the Godslayer",
[21597]="Royal Scepter of Vek\'lor",
[21598]="Royal Qiraji Belt",
[21599]="Vek\'lor\'s Gloves of Devastation",
[21600]="Boots of Epiphany",
[21601]="Ring of Emperor Vek\'lor",
[21602]="Qiraji Execution Bracers",
[21603]="Wand of Qiraji Nobility",
[21604]="Bracelets of Royal Redemption",
[21605]="Gloves of the Hidden Temple",
[21606]="Belt of the Fallen Emperor",
[21607]="Grasp of the Fallen Emperor",
[21608]="Amulet of Vek\'nilash",
[21609]="Regenerating Belt of Vek\'nilash",
[21610]="Wormscale Blocker",
[21611]="Burrower Bracers",
[21615]="Don Rigoberto\'s Lost Hat",
[21616]="Huhuran\'s Stinger",
[21617]="Wasphide Gauntlets",
[21618]="Hive Defiler Wristguards",
[21619]="Gloves of the Messiah",
[21620]="Ring of the Martyr",
[21621]="Cloak of the Golden Hive",
[21622]="Sharpened Silithid Femur",
[21623]="Gauntlets of the Righteous Champion",
[21624]="Gauntlets of Kalimdor",
[21625]="Scarab Brooch",
[21626]="Slime-coated Leggings",
[21627]="Cloak of Untold Secrets",
[21635]="Barb of the Sand Reaver",
[21639]="Pauldrons of the Unrelenting",
[21640]="Lunar Festival Fireworks Pack",
[21645]="Hive Tunneler\'s Boots",
[21647]="Fetish of the Sand Reaver",
[21648]="Recomposed Boots",
[21650]="Ancient Qiraji Ripper",
[21651]="Scaled Sand Reaver Leggings",
[21652]="Silithid Carapace Chestguard",
[21663]="Robes of the Guardian Saint",
[21664]="Barbed Choker",
[21665]="Mantle of Wicked Revenge",
[21666]="Sartura\'s Might",
[21667]="Legplates of Blazing Light",
[21668]="Scaled Leggings of Qiraji Fury",
[21669]="Creeping Vine Helm",
[21670]="Badge of the Swarmguard",
[21671]="Robes of the Battleguard",
[21672]="Gloves of Enforcement",
[21673]="Silithid Claw",
[21674]="Gauntlets of Steadfast Determination",
[21675]="Thick Qirajihide Belt",
[21676]="Leggings of the Festering Swarm",
[21677]="Ring of the Qiraji Fury",
[21678]="Necklace of Purity",
[21679]="Kalimdor\'s Revenge",
[21680]="Vest of Swift Execution",
[21681]="Ring of the Devoured",
[21682]="Bile-Covered Gauntlets",
[21683]="Mantle of the Desert Crusade",
[21684]="Mantle of the Desert\'s Fury",
[21685]="Petrified Scarab",
[21686]="Mantle of Phrenic Power",
[21687]="Ukko\'s Ring of Darkness",
[21688]="Boots of the Fallen Hero",
[21689]="Gloves of Ebru",
[21690]="Angelista\'s Charm",
[21691]="Ooze-ridden Gauntlets",
[21692]="Triad Girdle",
[21693]="Guise of the Devourer",
[21694]="Ternary Mantle",
[21695]="Angelista\'s Touch",
[21696]="Robes of the Triumvirate",
[21697]="Cape of the Trinity",
[21698]="Leggings of Immersion",
[21699]="Barrage Shoulders",
[21700]="Pendant of the Qiraji Guardian",
[21701]="Cloak of Concentrated Hatred",
[21702]="Amulet of Foul Warding",
[21703]="Hammer of Ji\'zhi",
[21704]="Boots of the Redeemed Prophecy",
[21705]="Boots of the Fallen Prophet",
[21706]="Boots of the Unwavering Will",
[21707]="Ring of Swarming Thought",
[21708]="Beetle Scaled Wristguards",
[21709]="Ring of the Fallen God",
[21710]="Cloak of the Fallen God",
[21711]="Lunar Festival Invitation",
[21712]="Amulet of the Fallen God",
[21713]="Elune\'s Candle",
[21714]="Large Blue Rocket Cluster",
[21715]="Sand Polished Hammer",
[21716]="Large Green Rocket Cluster",
[21718]="Large Red Rocket Cluster",
[21721]="Moonglow",
[21722]="Pattern: Festival Dress",
[21723]="Pattern: Festive Red Pant Suit",
[21724]="Schematic: Small Blue Rocket",
[21725]="Schematic: Small Green Rocket",
[21726]="Schematic: Small Red Rocket",
[21727]="Schematic: Large Blue Rocket",
[21728]="Schematic: Large Green Rocket",
[21729]="Schematic: Large Red Rocket",
[21730]="Schematic: Blue Rocket Cluster",
[21731]="Schematic: Green Rocket Cluster",
[21732]="Schematic: Red Rocket Cluster",
[21733]="Schematic: Large Blue Rocket Cluster",
[21734]="Schematic: Large Green Rocket Cluster",
[21735]="Schematic: Large Red Rocket Cluster",
[21737]="Schematic: Cluster Launcher",
[21738]="Schematic: Firework Launcher",
[21740]="Small Rocket Recipes",
[21741]="Cluster Rocket Recipes",
[21742]="Large Rocket Recipes",
[21743]="Large Cluster Rocket Recipes",
[21744]="Lucky Rocket Cluster",
[21745]="Elder\'s Moonstone",
[21746]="Lucky Red Envelope",
[21747]="Festival Firecracker",
[21749]="Combat Task Briefing I",
[21750]="Combat Task Briefing II",
[21751]="Tactical Task Briefing III",
[21761]="Scarab Coffer Key",
[21762]="Greater Scarab Coffer Key",
[21800]="Silithid Husked Launcher",
[21801]="Antenna of Invigoration",
[21802]="The Lost Kris of Zedd",
[21803]="Helm of the Holy Avenger",
[21804]="Coif of Elemental Fury",
[21805]="Polished Obsidian Pauldrons",
[21806]="Gavel of Qiraji Authority",
[21809]="Fury of the Forgotten Swarm",
[21810]="Treads of the Wandering Nomad",
[21812]="Box of Chocolates",
[21813]="Bag of Candies",
[21814]="Breastplate of Annihilation",
[21815]="Love Token",
[21816]="Heart Candy",
[21817]="Heart Candy",
[21818]="Heart Candy",
[21819]="Heart Candy",
[21820]="Heart Candy",
[21821]="Heart Candy",
[21822]="Heart Candy",
[21823]="Heart Candy",
[21829]="Perfume Bottle",
[21830]="Empty Wrapper",
[21831]="Wrappered Gift",
[21833]="Cologne Bottle",
[21836]="Ritssyn\'s Ring of Chaos",
[21837]="Anubisath Warhammer",
[21838]="Garb of Royal Ascension",
[21839]="Scepter of the False Prophet",
[21856]="Neretzek, The Blood Drinker",
[21888]="Gloves of the Immortal",
[21889]="Gloves of the Redeemed Prophecy",
[21891]="Shard of the Fallen Star",
[21920]="Creased Letter",
[21921]="Carefully Penned Note",
[21925]="Immaculate Letter",
[21926]="Slightly Creased Note",
[21928]="Winterspring Blood Sample",
[21935]="Stable Ectoplasm",
[21936]="Frozen Ectoplasm",
[21937]="Scorched Ectoplasm",
[21938]="Magma Core",
[21939]="Fel Elemental Rod",
[21946]="Ectoplasmic Distiller",
[21960]="Handmade Woodcraft",
[21975]="Pledge of Adoration: Stormwind",
[21979]="Gift of Adoration: Darnassus",
[21980]="Gift of Adoration: Ironforge",
[21981]="Gift of Adoration: Stormwind",
[21982]="Ogre Warbeads",
[21983]="Incomplete Banner of Provocation",
[21984]="Left Piece of Lord Valthalak\'s Amulet",
[21985]="Sealed Blood Container",
[21986]="Banner of Provocation",
[21987]="Incendicite of Incendius",
[21988]="Ember of Emberseer",
[21989]="Cinder of Cynders",
[21994]="Belt of Heroism",
[21995]="Boots of Heroism",
[21996]="Bracers of Heroism",
[21997]="Breastplate of Heroism",
[21998]="Gauntlets of Heroism",
[21999]="Helm of Heroism",
[22000]="Legplates of Heroism",
[22001]="Spaulders of Heroism",
[22002]="Darkmantle Belt",
[22003]="Darkmantle Boots",
[22004]="Darkmantle Bracers",
[22005]="Darkmantle Cap",
[22006]="Darkmantle Gloves",
[22007]="Darkmantle Pants",
[22008]="Darkmantle Spaulders",
[22009]="Darkmantle Tunic",
[22010]="Beastmaster\'s Belt",
[22011]="Beastmaster\'s Bindings",
[22013]="Beastmaster\'s Cap",
[22014]="Hallowed Brazier",
[22015]="Beastmaster\'s Gloves",
[22016]="Beastmaster\'s Mantle",
[22017]="Beastmaster\'s Pants",
[22046]="Right Piece of Lord Valthalak\'s Amulet",
[22047]="Top Piece of Lord Valthalak\'s Amulet",
[22048]="Lord Valthalak\'s Amulet",
[22049]="Brazier of Beckoning",
[22050]="Brazier of Beckoning",
[22051]="Brazier of Beckoning",
[22052]="Brazier of Beckoning",
[22056]="Brazier of Beckoning",
[22057]="Brazier of Invocation",
[22058]="Valentine\'s Day Stationery",
[22059]="Valentine\'s Day Card",
[22060]="Beastmaster\'s Tunic",
[22061]="Beastmaster\'s Boots",
[22062]="Sorcerer\'s Belt",
[22063]="Sorcerer\'s Bindings",
[22064]="Sorcerer\'s Boots",
[22065]="Sorcerer\'s Crown",
[22066]="Sorcerer\'s Gloves",
[22067]="Sorcerer\'s Leggings",
[22068]="Sorcerer\'s Mantle",
[22069]="Sorcerer\'s Robes",
[22070]="Deathmist Belt",
[22071]="Deathmist Bracers",
[22072]="Deathmist Leggings",
[22073]="Deathmist Mantle",
[22074]="Deathmist Mask",
[22075]="Deathmist Robe",
[22076]="Deathmist Sandals",
[22077]="Deathmist Wraps",
[22078]="Virtuous Belt",
[22079]="Virtuous Bracers",
[22080]="Virtuous Crown",
[22081]="Virtuous Gloves",
[22082]="Virtuous Mantle",
[22083]="Virtuous Robe",
[22084]="Virtuous Sandals",
[22085]="Virtuous Skirt",
[22086]="Soulforge Belt",
[22087]="Soulforge Boots",
[22088]="Soulforge Bracers",
[22089]="Soulforge Breastplate",
[22090]="Soulforge Gauntlets",
[22091]="Soulforge Helm",
[22092]="Soulforge Legplates",
[22093]="Soulforge Spaulders",
[22094]="Bloodkelp",
[22095]="Bindings of The Five Thunders",
[22096]="Boots of The Five Thunders",
[22097]="Coif of The Five Thunders",
[22098]="Cord of The Five Thunders",
[22099]="Gauntlets of The Five Thunders",
[22100]="Kilt of The Five Thunders",
[22101]="Pauldrons of The Five Thunders",
[22102]="Vest of The Five Thunders",
[22106]="Feralheart Belt",
[22107]="Feralheart Boots",
[22108]="Feralheart Bracers",
[22109]="Feralheart Cowl",
[22110]="Feralheart Gloves",
[22111]="Feralheart Kilt",
[22112]="Feralheart Spaulders",
[22113]="Feralheart Vest",
[22115]="Extra-Dimensional Ghost Revealer",
[22117]="Pledge of Loyalty: Stormwind",
[22119]="Pledge of Loyalty: Ironforge",
[22120]="Pledge of Loyalty: Darnassus",
[22121]="Pledge of Loyalty: Undercity",
[22122]="Pledge of Loyalty: Thunder Bluff",
[22123]="Pledge of Loyalty: Orgrimmar",
[22131]="Stormwind Gift Collection",
[22132]="Ironforge Gift Collection",
[22133]="Darnassus Gift Collection",
[22134]="Undercity Gift Collection",
[22135]="Thunder Bluff Gift Collection",
[22136]="Orgrimmar Gift Collection",
[22137]="Ysida\'s Satchel",
[22138]="Blackrock Bracer",
[22139]="Ysida\'s Locket",
[22140]="Sentinel\'s Card",
[22141]="Ironforge Guard\'s Card",
[22142]="Grunt\'s Card",
[22143]="Stormwind Guard\'s Card",
[22144]="Bluffwatcher\'s Card",
[22145]="Guardian\'s Moldy Card",
[22149]="Beads of Ogre Mojo",
[22150]="Beads of Ogre Might",
[22154]="Pledge of Adoration: Ironforge",
[22155]="Pledge of Adoration: Darnassus",
[22156]="Pledge of Adoration: Orgrimmar",
[22157]="Pledge of Adoration: Undercity",
[22158]="Pledge of Adoration: Thunder Bluff",
[22159]="Pledge of Friendship: Darnassus",
[22160]="Pledge of Friendship: Ironforge",
[22161]="Pledge of Friendship: Orgrimmar",
[22162]="Pledge of Friendship: Thunder Bluff",
[22163]="Pledge of Friendship: Undercity",
[22164]="Gift of Adoration: Orgrimmar",
[22165]="Gift of Adoration: Thunder Bluff",
[22166]="Gift of Adoration: Undercity",
[22167]="Gift of Friendship: Darnassus",
[22168]="Gift of Friendship: Ironforge",
[22169]="Gift of Friendship: Orgrimmar",
[22170]="Gift of Friendship: Stormwind",
[22171]="Gift of Friendship: Thunder Bluff",
[22172]="Gift of Friendship: Undercity",
[22173]="Dwarven Homebrew",
[22174]="Romantic Poem",
[22175]="Freshly Baked Pie",
[22176]="Homemade Bread",
[22177]="Freshly Picked Flowers",
[22178]="Pledge of Friendship: Stormwind",
[22191]="Obsidian Mail Tunic",
[22192]="Bloodkelp Elixir of Dodging",
[22193]="Bloodkelp Elixir of Resistance",
[22194]="Black Grasp of the Destroyer",
[22195]="Light Obsidian Belt",
[22196]="Thick Obsidian Breastplate",
[22197]="Heavy Obsidian Belt",
[22198]="Jagged Obsidian Shield",
[22200]="Silver Shafted Arrow",
[22201]="Reliquary of Purity",
[22202]="Small Obsidian Shard",
[22203]="Large Obsidian Shard",
[22204]="Wristguards of Renown",
[22205]="Black Steel Bindings",
[22206]="Bouquet of Red Roses",
[22207]="Sash of the Grand Hunt",
[22208]="Lavastone Hammer",
[22209]="Plans: Heavy Obsidian Belt",
[22212]="Golem Fitted Pauldrons",
[22214]="Plans: Light Obsidian Belt",
[22216]="Venoxis\'s Venom Sac",
[22217]="Kurinnaxx\'s Venom Sac",
[22218]="Handful of Rose Petals",
[22219]="Plans: Jagged Obsidian Shield",
[22220]="Plans: Black Grasp of the Destroyer",
[22221]="Plans: Obsidian Mail Tunic",
[22222]="Plans: Thick Obsidian Breastplate",
[22223]="Foreman\'s Head Protector",
[22224]="Jeering Spectre\'s Essence",
[22225]="Dragonskin Cowl",
[22226]="Druidical Remains",
[22227]="Starbreeze Village Relic",
[22228]="Brilliant Sword of Zealotry",
[22229]="Soul Ashes of the Banished",
[22231]="Kayser\'s Boots of Precision",
[22232]="Marksman\'s Girdle",
[22234]="Mantle of Lost Hope",
[22235]="Truesilver Shafted Arrow",
[22236]="Buttermilk Delight",
[22237]="Dark Desire",
[22238]="Very Berry Cream",
[22239]="Sweet Surprise",
[22240]="Greaves of Withering Despair",
[22241]="Dark Warder\'s Pauldrons",
[22242]="Verek\'s Leash",
[22243]="Small Soul Pouch",
[22244]="Box of Souls",
[22245]="Soot Encrusted Footwear",
[22246]="Enchanted Mageweave Pouch",
[22247]="Faith Healer\'s Boots",
[22248]="Enchanted Runecloth Bag",
[22249]="Big Bag of Enchantment",
[22250]="Herb Pouch",
[22251]="Cenarion Herb Bag",
[22252]="Satchel of Cenarius",
[22253]="Tome of the Lost",
[22254]="Wand of Eternal Light",
[22255]="Magma Forged Band",
[22256]="Mana Shaping Handwraps",
[22257]="Bloodclot Band",
[22259]="Unbestowed Friendship Bracelet",
[22260]="Friendship Bracelet",
[22261]="Love Fool",
[22262]="Alliance Gift Collection",
[22263]="Horde Gift Collection",
[22264]="Carefully Written Letter",
[22265]="Lovingly Composed Letter",
[22266]="Flarethorn",
[22267]="Spellweaver\'s Turban",
[22268]="Draconic Infused Emblem",
[22269]="Shadow Prowler\'s Cloak",
[22270]="Entrenching Boots",
[22271]="Leggings of Frenzied Magic",
[22272]="Forest\'s Embrace",
[22274]="Grizzled Pelt",
[22275]="Firemoss Boots",
[22276]="Lovely Red Dress",
[22277]="Red Dinner Suit",
[22278]="Lovely Blue Dress",
[22279]="Lovely Black Dress",
[22280]="Lovely Purple Dress",
[22281]="Blue Dinner Suit",
[22282]="Purple Dinner Suit",
[22283]="Sack of Homemade Bread",
[22284]="Bundle of Cards",
[22285]="Stormwind Pledge Collection",
[22286]="Ironforge Pledge Collection",
[22287]="Parcel of Cards",
[22288]="Case of Homebrew",
[22289]="Stack of Cards",
[22290]="Darnassus Pledge Collection",
[22291]="Box of Woodcrafts",
[22292]="Box of Fresh Pies",
[22293]="Package of Cards",
[22294]="Orgrimmar Pledge Collection",
[22295]="Satchel of Cards",
[22296]="Basket of Flowers",
[22297]="Thunder Bluff Pledge Collection",
[22298]="Book of Romantic Poems",
[22299]="Sheaf of Cards",
[22300]="Undercity Pledge Collection",
[22301]="Ironweave Robe",
[22302]="Ironweave Cowl",
[22303]="Ironweave Pants",
[22304]="Ironweave Gloves",
[22305]="Ironweave Mantle",
[22306]="Ironweave Belt",
[22307]="Pattern: Enchanted Mageweave Pouch",
[22308]="Pattern: Enchanted Runecloth Bag",
[22309]="Pattern: Big Bag of Enchantment",
[22310]="Pattern: Cenarion Herb Bag",
[22311]="Ironweave Boots",
[22312]="Pattern: Satchel of Cenarius",
[22313]="Ironweave Bracers",
[22314]="Huntsman\'s Harpoon",
[22315]="Hammer of Revitalization",
[22317]="Lefty\'s Brass Knuckle",
[22318]="Malgen\'s Long Bow",
[22319]="Tome of Divine Right",
[22320]="Mux\'s Quality Goods",
[22321]="Heart of Wyrmthalak",
[22322]="The Jaw Breaker",
[22324]="Winter Kimchi",
[22325]="Belt of the Trickster",
[22326]="Amalgam\'s Band",
[22327]="Amulet of the Redeemed",
[22328]="Legplates of Vigilance",
[22329]="Scepter of Interminable Focus",
[22330]="Shroud of Arcane Mastery",
[22331]="Band of the Steadfast Hero",
[22332]="Blade of Necromancy",
[22333]="Hammer of Divine Might",
[22334]="Band of Mending",
[22335]="Lord Valthalak\'s Staff of Command",
[22336]="Draconian Aegis of the Legion",
[22337]="Shroud of Domination",
[22338]="Volcanic Ash",
[22339]="Rune Band of Wizardry",
[22340]="Pendant of Celerity",
[22342]="Leggings of Torment",
[22343]="Handguards of Savagery",
[22344]="Brazier of Invocation: User\'s Manual",
[22345]="Totem of Rebirth",
[22347]="Fahrad\'s Reloading Repeater",
[22348]="Doomulus Prime",
[22349]="Desecrated Breastplate",
[22350]="Desecrated Tunic",
[22351]="Desecrated Robe",
[22352]="Desecrated Legplates",
[22353]="Desecrated Helmet",
[22354]="Desecrated Pauldrons",
[22355]="Desecrated Bracers",
[22356]="Desecrated Waistguard",
[22357]="Desecrated Gauntlets",
[22358]="Desecrated Sabatons",
[22359]="Desecrated Legguards",
[22360]="Desecrated Headpiece",
[22361]="Desecrated Spaulders",
[22362]="Desecrated Wristguards",
[22363]="Desecrated Girdle",
[22364]="Desecrated Handguards",
[22365]="Desecrated Boots",
[22366]="Desecrated Leggings",
[22367]="Desecrated Circlet",
[22368]="Desecrated Shoulderpads",
[22369]="Desecrated Bindings",
[22370]="Desecrated Belt",
[22371]="Desecrated Gloves",
[22372]="Desecrated Sandals",
[22373]="Wartorn Leather Scrap",
[22374]="Wartorn Chain Scrap",
[22375]="Wartorn Plate Scrap",
[22376]="Wartorn Cloth Scrap",
[22377]="The Thunderwood Poker",
[22378]="Ravenholdt Slicer",
[22379]="Shivsprocket\'s Shiv",
[22380]="Simone\'s Cultivating Hammer",
[22381]="Silithus Venom Sample",
[22382]="Sealed Venom Container",
[22383]="Sageblade",
[22384]="Persuader",
[22385]="Titanic Leggings",
[22388]="Plans: Titanic Leggings",
[22389]="Plans: Sageblade",
[22390]="Plans: Persuader",
[22392]="Formula: Enchant 2H Weapon - Agility",
[22393]="Codex: Prayer of Shadow Protection",
[22394]="Staff of Metanoia",
[22395]="Totem of Rage",
[22396]="Totem of Life",
[22397]="Idol of Ferocity",
[22398]="Idol of Rejuvenation",
[22399]="Idol of Health",
[22400]="Libram of Truth",
[22401]="Libram of Hope",
[22402]="Libram of Grace",
[22403]="Diana\'s Pearl Necklace",
[22404]="Willey\'s Back Scratcher",
[22405]="Mantle of the Scarlet Crusade",
[22406]="Redemption",
[22407]="Helm of the New Moon",
[22408]="Ritssyn\'s Wand of Bad Mojo",
[22409]="Tunic of the Crescent Moon",
[22410]="Gauntlets of Deftness",
[22411]="Helm of the Executioner",
[22412]="Thuzadin Mantle",
[22416]="Dreadnaught Breastplate",
[22417]="Dreadnaught Legplates",
[22418]="Dreadnaught Helmet",
[22419]="Dreadnaught Pauldrons",
[22420]="Dreadnaught Sabatons",
[22421]="Dreadnaught Gauntlets",
[22422]="Dreadnaught Waistguard",
[22423]="Dreadnaught Bracers",
[22424]="Redemption Wristguards",
[22425]="Redemption Tunic",
[22426]="Redemption Handguards",
[22427]="Redemption Legguards",
[22428]="Redemption Headpiece",
[22429]="Redemption Spaulders",
[22430]="Redemption Boots",
[22431]="Redemption Girdle",
[22432]="Devilsaur Barb",
[22433]="Don Mauricio\'s Band of Domination",
[22434]="Bloodcap",
[22435]="Gorishi Sting",
[22436]="Cryptstalker Tunic",
[22437]="Cryptstalker Legguards",
[22438]="Cryptstalker Headpiece",
[22439]="Cryptstalker Spaulders",
[22440]="Cryptstalker Boots",
[22441]="Cryptstalker Handguards",
[22442]="Cryptstalker Girdle",
[22443]="Cryptstalker Wristguards",
[22444]="Putrid Vine",
[22458]="Moonshadow Stave",
[22464]="Earthshatter Tunic",
[22465]="Earthshatter Legguards",
[22466]="Earthshatter Headpiece",
[22467]="Earthshatter Spaulders",
[22468]="Earthshatter Boots",
[22469]="Earthshatter Handguards",
[22470]="Earthshatter Girdle",
[22471]="Earthshatter Wristguards",
[22472]="Boots of Ferocity",
[22476]="Bonescythe Breastplate",
[22477]="Bonescythe Legplates",
[22478]="Bonescythe Helmet",
[22479]="Bonescythe Pauldrons",
[22480]="Bonescythe Sabatons",
[22481]="Bonescythe Gauntlets",
[22482]="Bonescythe Waistguard",
[22483]="Bonescythe Bracers",
[22484]="Necrotic Rune",
[22488]="Dreamwalker Tunic",
[22489]="Dreamwalker Legguards",
[22490]="Dreamwalker Headpiece",
[22491]="Dreamwalker Spaulders",
[22492]="Dreamwalker Boots",
[22493]="Dreamwalker Handguards",
[22494]="Dreamwalker Girdle",
[22495]="Dreamwalker Wristguards",
[22496]="Frostfire Robe",
[22497]="Frostfire Leggings",
[22498]="Frostfire Circlet",
[22499]="Frostfire Shoulderpads",
[22500]="Frostfire Sandals",
[22501]="Frostfire Gloves",
[22502]="Frostfire Belt",
[22503]="Frostfire Bindings",
[22504]="Plagueheart Robe",
[22505]="Plagueheart Leggings",
[22506]="Plagueheart Circlet",
[22507]="Plagueheart Shoulderpads",
[22508]="Plagueheart Sandals",
[22509]="Plagueheart Gloves",
[22510]="Plagueheart Belt",
[22511]="Plagueheart Bindings",
[22512]="Robe of Faith",
[22513]="Leggings of Faith",
[22514]="Circlet of Faith",
[22515]="Shoulderpads of Faith",
[22516]="Sandals of Faith",
[22517]="Gloves of Faith",
[22518]="Belt of Faith",
[22519]="Bindings of Faith",
[22520]="The Phylactery of Kel\'Thuzad",
[22523]="Insignia of the Dawn",
[22524]="Insignia of the Crusade",
[22525]="Crypt Fiend Parts",
[22526]="Bone Fragments",
[22527]="Core of Elements",
[22528]="Dark Iron Scraps",
[22529]="Savage Frond",
[22568]="Sealed Craftsman\'s Writ",
[22589]="Atiesh, Greatstaff of the Guardian",
[22593]="Writ of Safe Passage",
[22595]="Call to Arms Announcement",
[22600]="Craftsman\'s Writ - Dense Weightstone",
[22601]="Craftsman\'s Writ - Imperial Plate Chest",
[22602]="Craftsman\'s Writ - Volcanic Hammer",
[22603]="Craftsman\'s Writ - Huge Thorium Battleaxe",
[22604]="Craftsman\'s Writ - Radiant Circlet",
[22605]="Craftsman\'s Writ - Wicked Leather Headband",
[22606]="Craftsman\'s Writ - Rugged Armor Kit",
[22607]="Craftsman\'s Writ - Wicked Leather Belt",
[22608]="Craftsman\'s Writ - Runic Leather Pants",
[22609]="Craftsman\'s Writ - Brightcloth Pants",
[22610]="Craftsman\'s Writ - Runecloth Boots",
[22611]="Craftsman\'s Writ - Runecloth Bag",
[22612]="Craftsman\'s Writ - Runecloth Robe",
[22613]="Craftsman\'s Writ - Goblin Sapper Charge",
[22614]="Craftsman\'s Writ - Thorium Grenade",
[22615]="Craftsman\'s Writ - Gnomish Battle Chicken",
[22616]="Craftsman\'s Writ - Thorium Tube",
[22617]="Craftsman\'s Writ - Major Mana Potion",
[22618]="Craftsman\'s Writ - Major Healing Potion",
[22620]="Craftsman\'s Writ - Greater Arcane Protection Potion",
[22621]="Craftsman\'s Writ - Flask of Petrification",
[22622]="Craftsman\'s Writ - Stonescale Eel",
[22623]="Craftsman\'s Writ - Plated Armorfish",
[22624]="Craftsman\'s Writ - Lightning Eel",
[22630]="Atiesh, Greatstaff of the Guardian",
[22631]="Atiesh, Greatstaff of the Guardian",
[22632]="Atiesh, Greatstaff of the Guardian",
[22635]="Savage Guard",
[22636]="Ice Guard",
[22637]="Primal Hakkari Idol",
[22638]="Shadow Guard",
[22648]="Hive\'Ashi Dossier",
[22649]="Hive\'Regal Dossier",
[22650]="Hive\'Zora Dossier",
[22651]="Outrider\'s Plate Legguards",
[22652]="Glacial Vest",
[22654]="Glacial Gloves",
[22655]="Glacial Wrists",
[22656]="The Purifier",
[22657]="Amulet of the Dawn",
[22658]="Glacial Cloak",
[22659]="Medallion of the Dawn",
[22660]="Gaea\'s Embrace",
[22661]="Polar Tunic",
[22662]="Polar Gloves",
[22663]="Polar Bracers",
[22664]="Icy Scale Breastplate",
[22665]="Icy Scale Bracers",
[22666]="Icy Scale Gauntlets",
[22667]="Bracers of Hope",
[22668]="Bracers of Subterfuge",
[22669]="Icebane Breastplate",
[22670]="Icebane Gauntlets",
[22671]="Icebane Bracers",
[22672]="Sentinel\'s Plate Legguards",
[22673]="Outrider\'s Chain Leggings",
[22676]="Outrider\'s Mail Leggings",
[22678]="Talisman of Ascendance",
[22679]="Supply Bag",
[22680]="Band of Resolution",
[22681]="Band of Piety",
[22682]="Frozen Rune",
[22683]="Pattern: Gaea\'s Embrace",
[22688]="Verimonde\'s Last Resort",
[22689]="Sanctified Leather Helm",
[22690]="Leggings of the Plague Hunter",
[22691]="Corrupted Ashbringer",
[22699]="Icebane Leggings",
[22700]="Glacial Leggings",
[22701]="Polar Leggings",
[22702]="Icy Scale Leggings",
[22707]="Ramaladni\'s Icy Grasp",
[22708]="Fate of Ramaladni",
[22711]="Cloak of the Hakkari Worshipers",
[22712]="Might of the Tribe",
[22713]="Zulian Scepter of Rites",
[22714]="Sacrificial Gauntlets",
[22715]="Gloves of the Tormented",
[22716]="Belt of Untapped Power",
[22718]="Blooddrenched Mask",
[22719]="Omarion\'s Handbook",
[22720]="Zulian Headdress",
[22721]="Band of Servitude",
[22722]="Seal of the Gurubashi Berserker",
[22723]="A Letter from the Keeper of the Rolls",
[22725]="Band of Cenarius",
[22726]="Splinter of Atiesh",
[22727]="Frame of Atiesh",
[22730]="Eyestalk Waist Cord",
[22731]="Cloak of the Devoured",
[22732]="Mark of C\'Thun",
[22733]="Staff Head of Atiesh",
[22734]="Base of Atiesh",
[22736]="Andonisus, Reaper of Souls",
[22737]="Atiesh, Greatstaff of the Guardian",
[22739]="Tome of Polymorph: Turtle",
[22740]="Outrider\'s Leather Pants",
[22741]="Outrider\'s Lizardhide Pants",
[22742]="Bloodsail Shirt",
[22743]="Bloodsail Sash",
[22744]="Bloodsail Boots",
[22745]="Bloodsail Pants",
[22746]="Buccaneer\'s Uniform",
[22747]="Outrider\'s Silk Leggings",
[22748]="Sentinel\'s Chain Leggings",
[22749]="Sentinel\'s Leather Pants",
[22750]="Sentinel\'s Lizardhide Pants",
[22752]="Sentinel\'s Silk Leggings",
[22753]="Sentinel\'s Lamellar Legguards",
[22754]="Eternal Quintessence",
[22756]="Sylvan Vest",
[22757]="Sylvan Crown",
[22758]="Sylvan Shoulders",
[22759]="Bramblewood Helm",
[22760]="Bramblewood Boots",
[22761]="Bramblewood Belt",
[22762]="Ironvine Breastplate",
[22763]="Ironvine Gloves",
[22764]="Ironvine Belt",
[22766]="Plans: Ironvine Breastplate",
[22767]="Plans: Ironvine Gloves",
[22768]="Plans: Ironvine Belt",
[22769]="Pattern: Bramblewood Belt",
[22770]="Pattern: Bramblewood Boots",
[22771]="Pattern: Bramblewood Helm",
[22772]="Pattern: Sylvan Shoulders",
[22773]="Pattern: Sylvan Crown",
[22774]="Pattern: Sylvan Vest",
[22798]="Might of Menethil",
[22799]="Soulseeker",
[22800]="Brimstone Staff",
[22801]="Spire of Twilight",
[22802]="Kingsfall",
[22803]="Midnight Haze",
[22804]="Maexxna\'s Fang",
[22806]="Widow\'s Remorse",
[22807]="Wraith Blade",
[22808]="The Castigator",
[22809]="Maul of the Redeemed Crusader",
[22810]="Toxin Injector",
[22811]="Soulstring",
[22812]="Nerubian Slavemaker",
[22813]="Claymore of Unholy Might",
[22815]="Severance",
[22816]="Hatchet of Sundered Bone",
[22818]="The Plague Bearer",
[22819]="Shield of Condemnation",
[22820]="Wand of Fates",
[22821]="Doomfinger",
[22822]="iCoke Prize Voucher",
[22843]="Blood Guard\'s Chain Greaves",
[22852]="Blood Guard\'s Dragonhide Treads",
[22855]="Blood Guard\'s Dreadweave Walkers",
[22856]="Blood Guard\'s Leather Walkers",
[22857]="Blood Guard\'s Mail Greaves",
[22858]="Blood Guard\'s Plate Greaves",
[22859]="Blood Guard\'s Satin Walkers",
[22860]="Blood Guard\'s Silk Walkers",
[22862]="Blood Guard\'s Chain Vices",
[22863]="Blood Guard\'s Dragonhide Grips",
[22864]="Blood Guard\'s Leather Grips",
[22865]="Blood Guard\'s Dreadweave Handwraps",
[22867]="Blood Guard\'s Mail Vices",
[22868]="Blood Guard\'s Plate Gauntlets",
[22869]="Blood Guard\'s Satin Handwraps",
[22870]="Blood Guard\'s Silk Handwraps",
[22872]="Legionnaire\'s Plate Hauberk",
[22873]="Legionnaire\'s Plate Leggings",
[22874]="Legionnaire\'s Chain Hauberk",
[22875]="Legionnaire\'s Chain Legguards",
[22876]="Legionnaire\'s Mail Hauberk",
[22877]="Legionnaire\'s Dragonhide Chestpiece",
[22878]="Legionnaire\'s Dragonhide Leggings",
[22879]="Legionnaire\'s Leather Chestpiece",
[22880]="Legionnaire\'s Leather Legguards",
[22881]="Legionnaire\'s Dreadweave Legguards",
[22882]="Legionnaire\'s Satin Legguards",
[22883]="Legionnaire\'s Silk Legguards",
[22884]="Legionnaire\'s Dreadweave Tunic",
[22885]="Legionnaire\'s Satin Tunic",
[22886]="Legionnaire\'s Silk Tunic",
[22887]="Legionnaire\'s Mail Legguards",
[22890]="Tome of Frost Ward V",
[22891]="Grimoire of Shadow Ward IV",
[22892]="Dim Necrotic Stone",
[22895]="Conjured Cinnamon Roll",
[22897]="Tome of Conjure Food VII",
[22930]="A Bloodstained Envelope",
[22932]="A Torn Letter",
[22935]="Touch of Frost",
[22936]="Wristguards of Vengeance",
[22937]="Gem of Nerubis",
[22938]="Cryptfiend Silk Cloak",
[22939]="Band of Unanswered Prayers",
[22940]="Icebane Pauldrons",
[22941]="Polar Shoulder Pads",
[22942]="The Widow\'s Embrace",
[22943]="Malice Stone Pendant",
[22944]="A Crumpled Missive",
[22945]="A Careworn Note",
[22946]="A Ragged Page",
[22947]="Pendant of Forgotten Names",
[22948]="A Smudged Document",
[22949]="Cracked Necrotic Crystal",
[22950]="Faint Necrotic Crystal",
[22954]="Kiss of the Spider",
[22960]="Cloak of Suturing",
[22961]="Band of Reanimation",
[22967]="Icy Scale Spaulders",
[22968]="Glacial Mantle",
[22970]="A Bloodstained Envelope",
[22972]="A Careworn Note",
[22973]="A Crumpled Missive",
[22974]="A Ragged Page",
[22975]="A Smudged Document",
[22977]="A Torn Letter",
[22981]="Gluth\'s Missing Collar",
[22983]="Rime Covered Mantle",
[22988]="The End of Dreams",
[22994]="Digested Hand of Power",
[22999]="Tabard of the Argent Dawn",
[23000]="Plated Abomination Ribcage",
[23001]="Eye of Diminution",
[23002]="Turtle Box",
[23004]="Idol of Longevity",
[23005]="Totem of Flowing Water",
[23006]="Libram of Light",
[23007]="Piglet\'s Collar",
[23008]="Sealed Research Report",
[23009]="Wand of the Whispering Dead",
[23010]="Sealed Research Report",
[23011]="Sealed Research Report",
[23012]="Sealed Research Report",
[23013]="Sealed Research Report",
[23014]="Iblis, Blade of the Fallen Seraph",
[23015]="Rat Cage",
[23016]="Sealed Research Report",
[23017]="Veil of Eclipse",
[23018]="Signet of the Fallen Defender",
[23019]="Icebane Helmet",
[23020]="Polar Helmet",
[23021]="The Soul Harvester\'s Bindings",
[23022]="Curmudgeon\'s Payoff",
[23023]="Sadist\'s Collar",
[23024]="Prepared Field Duty Papers",
[23025]="Seal of the Damned",
[23027]="Warmth of Forgiveness",
[23028]="Hailstone Band",
[23029]="Noth\'s Frigid Heart",
[23030]="Cloak of the Scourge",
[23031]="Band of the Inevitable",
[23032]="Glacial Headdress",
[23033]="Icy Scale Coif",
[23035]="Preceptor\'s Hat",
[23036]="Necklace of Necropsy",
[23037]="Ring of Spiritual Fervor",
[23038]="Band of Unnatural Forces",
[23039]="The Eye of Nerub",
[23040]="Glyph of Deflection",
[23041]="Slayer\'s Crest",
[23042]="Loatheb\'s Reflection",
[23043]="The Face of Death",
[23044]="Harbinger of Doom",
[23045]="Shroud of Dominion",
[23046]="The Restrained Essence of Sapphiron",
[23047]="Eye of the Dead",
[23048]="Sapphiron\'s Right Eye",
[23049]="Sapphiron\'s Left Eye",
[23050]="Cloak of the Necropolis",
[23051]="Glaive of the Defender",
[23053]="Stormrage\'s Talisman of Seething",
[23054]="Gressil, Dawn of Ruin",
[23055]="Word of Thawing",
[23056]="Hammer of the Twisting Nether",
[23057]="Gem of Trapped Innocents",
[23059]="Ring of the Dreadnaught",
[23060]="Bonescythe Ring",
[23061]="Ring of Faith",
[23062]="Frostfire Ring",
[23063]="Plagueheart Ring",
[23064]="Ring of The Dreamwalker",
[23065]="Ring of the Earthshatterer",
[23066]="Ring of Redemption",
[23067]="Ring ofthe Cryptstalker",
[23068]="Legplates of Carnage",
[23069]="Necro-Knight\'s Garb",
[23070]="Leggings of Polarity",
[23071]="Leggings of Apocalypse",
[23073]="Boots of Displacement",
[23075]="Death\'s Bargain",
[23078]="Gauntlets of Undead Slaying",
[23081]="Handwraps of Undead Slaying",
[23082]="Handguards of Undead Slaying",
[23083]="Captured Flame",
[23084]="Gloves of Undead Cleansing",
[23085]="Robe of Undead Cleansing",
[23087]="Breastplate of Undead Slaying",
[23088]="Chestguard of Undead Slaying",
[23089]="Tunic of Undead Slaying",
[23090]="Bracers of Undead Slaying",
[23091]="Bracers of Undead Cleansing",
[23092]="Wristguards of Undead Slaying",
[23093]="Wristwraps of Undead Slaying",
[23122]="Consecrated Sharpening Stone",
[23123]="Blessed Wizard Oil",
[23124]="Staff of Balzaphon",
[23125]="Chains of the Lich",
[23126]="Waistband of Balzaphon",
[23127]="Cloak of Revanchion",
[23128]="The Shadow\'s Grasp",
[23129]="Bracers of Mending",
[23132]="Lord Blackwood\'s Blade",
[23139]="Lord Blackwood\'s Buckler",
[23156]="Blackwood\'s Thigh",
[23160]="Friendship Bread",
[23161]="Freshly-Squeezed Lemonade",
[23168]="Scorn\'s Focal Dagger",
[23169]="Scorn\'s Icy Choker",
[23170]="The Frozen Clutch",
[23171]="The Axe of Severing",
[23173]="Abomination Skin Leggings",
[23177]="Lady Falther\'ess\' Finger",
[23178]="Mantle of Lady Falther\'ess",
[23179]="Flame of Orgrimmar",
[23180]="Flame of Thunder Bluff",
[23181]="Flame of the Undercity",
[23182]="Flame of Stormwind",
[23183]="Flame of Ironforge",
[23184]="Flame of Darnassus",
[23192]="Tabard of the Scarlet Crusade",
[23194]="Lesser Mark of the Dawn",
[23195]="Mark of the Dawn",
[23196]="Greater Mark of the Dawn",
[23197]="Idol of the Moon",
[23198]="Idol of Brutality",
[23199]="Totem of the Storm",
[23200]="Totem of Sustaining",
[23201]="Libram of Divinity",
[23203]="Libram of Fervor",
[23206]="Mark of the Champion",
[23207]="Mark of the Champion",
[23211]="Toasted Smorc",
[23219]="Girdle of the Mentor",
[23220]="Crystal Webbed Robe",
[23221]="Misplaced Servo Arm",
[23226]="Ghoul Skin Tunic",
[23237]="Ring of the Eternal Flame",
[23238]="Stygian Buckler",
[23242]="Claw of the Frost Wyrm",
[23243]="Champion\'s Plate Shoulders",
[23244]="Champion\'s Plate Helm",
[23246]="Fiery Festival Brew",
[23247]="Burning Blossom",
[23250]="Prismatic Shell",
[23251]="Champion\'s Chain Helm",
[23252]="Champion\'s Chain Shoulders",
[23253]="Champion\'s Dragonhide Headguard",
[23254]="Champion\'s Dragonhide Shoulders",
[23255]="Champion\'s Dreadweave Cowl",
[23256]="Champion\'s Dreadweave Spaulders",
[23257]="Champion\'s Leather Helm",
[23258]="Champion\'s Leather Shoulders",
[23259]="Champion\'s Mail Headguard",
[23260]="Champion\'s Mail Pauldrons",
[23261]="Champion\'s Satin Hood",
[23262]="Champion\'s Satin Mantle",
[23263]="Champion\'s Silk Cowl",
[23264]="Champion\'s Silk Mantle",
[23272]="Knight-Captain\'s Lamellar Breastplate",
[23273]="Knight-Captain\'s Lamellar Leggings",
[23274]="Knight-Lieutenant\'s Lamellar Gauntlets",
[23275]="Knight-Lieutenant\'s Lamellar Sabatons",
[23276]="Lieutenant Commander\'s Lamellar Headguard",
[23277]="Lieutenant Commander\'s Lamellar Shoulders",
[23278]="Knight-Lieutenant\'s Chain Greaves",
[23279]="Knight-Lieutenant\'s Chain Vices",
[23280]="Knight-Lieutenant\'s Dragonhide Grips",
[23281]="Knight-Lieutenant\'s Dragonhide Treads",
[23282]="Knight-Lieutenant\'s Dreadweave Handwraps",
[23283]="Knight-Lieutenant\'s Dreadweave Walkers",
[23284]="Knight-Lieutenant\'s Leather Grips",
[23285]="Knight-Lieutenant\'s Leather Walkers",
[23286]="Knight-Lieutenant\'s Plate Gauntlets",
[23287]="Knight-Lieutenant\'s Plate Greaves",
[23288]="Knight-Lieutenant\'s Satin Handwraps",
[23289]="Knight-Lieutenant\'s Satin Walkers",
[23290]="Knight-Lieutenant\'s Silk Handwraps",
[23291]="Knight-Lieutenant\'s Silk Walkers",
[23292]="Knight-Captain\'s Chain Hauberk",
[23293]="Knight-Captain\'s Chain Legguards",
[23294]="Knight-Captain\'s Dragonhide Chestpiece",
[23295]="Knight-Captain\'s Dragonhide Leggings",
[23296]="Knight-Captain\'s Dreadweave Legguards",
[23297]="Knight-Captain\'s Dreadweave Tunic",
[23298]="Knight-Captain\'s Leather Chestpiece",
[23299]="Knight-Captain\'s Leather Legguards",
[23300]="Knight-Captain\'s Plate Hauberk",
[23301]="Knight-Captain\'s Plate Leggings",
[23302]="Knight-Captain\'s Satin Legguards",
[23303]="Knight-Captain\'s Satin Tunic",
[23304]="Knight-Captain\'s Silk Legguards",
[23305]="Knight-Captain\'s Silk Tunic",
[23306]="Lieutenant Commander\'s Chain Helm",
[23307]="Lieutenant Commander\'s Chain Shoulders",
[23308]="Lieutenant Commander\'s Dragonhide Headguard",
[23309]="Lieutenant Commander\'s Dragonhide Shoulders",
[23310]="Lieutenant Commander\'s Dreadweave Cowl",
[23311]="Lieutenant Commander\'s Dreadweave Spaulders",
[23312]="Lieutenant Commander\'s Leather Helm",
[23313]="Lieutenant Commander\'s Leather Shoulders",
[23314]="Lieutenant Commander\'s Plate Helm",
[23315]="Lieutenant Commander\'s Plate Shoulders",
[23316]="Lieutenant Commander\'s Satin Hood",
[23317]="Lieutenant Commander\'s Satin Mantle",
[23318]="Lieutenant Commander\'s Silk Cowl",
[23319]="Lieutenant Commander\'s Silk Mantle",
[23320]="Tablet of Flame Shock VI",
[23323]="Crown of the Fire Festival",
[23324]="Mantle of the Fire Festival",
[23326]="Midsummer Sausage",
[23327]="Fire-toasted Bun",
[23379]="Cinder Bracers",
[23435]="Elderberry Pie",
[23451]="Grand Marshal\'s Mageblade",
[23452]="Grand Marshal\'s Tome of Power",
[23453]="Grand Marshal\'s Tome of Restoration",
[23454]="Grand Marshal\'s Warhammer",
[23455]="Grand Marshal\'s Demolisher",
[23456]="Grand Marshal\'s Swiftblade",
[23464]="High Warlord\'s Battle Mace",
[23465]="High Warlord\'s Destroyer",
[23466]="High Warlord\'s Spellblade",
[23467]="High Warlord\'s Quickblade",
[23468]="High Warlord\'s Tome of Destruction",
[23469]="High Warlord\'s Tome of Mending",
[23545]="Power of the Scourge",
[23547]="Resilience of the Scourge",
[23548]="Might of the Scourge",
[23549]="Fortitude of the Scourge",
[23557]="Larvae of the Great Worm",
[23558]="The Burrower\'s Shell",
[23570]="Jom Gabbar",
[23577]="The Hungering Cold",
[23578]="Diet McWeaksauce",
[23579]="The McWeaksauce Classic",
[23663]="Girdle of Elemental Fury",
[23664]="Pauldrons of Elemental Fury",
[23665]="Leggings of Elemental Fury",
[23666]="Belt of the Grand Crusader",
[23667]="Spaulders of the Grand Crusader",
[23668]="Leggings of the Grand Crusader",
[23720]="Riding Turtle",
[24101]="Book of Ferocious Bite V",
[24102]="Manual of Eviscerate IX",
[24222]="The Shadowfoot Stabber",
[24231]="Coarse Snuff",
[24232]="Shabby Knot",
[24281]="Carved Ivory Bone",
[24282]="Rogue\'s Diary",
[24283]="An Antique Gun",
} |
local K, C, L = unpack(select(2, ...))
local Module = K:GetModule("Tooltip")
local _G = _G
local select = _G.select
local string_format = _G.string.format
local string_match = _G.string.match
local tonumber = _G.tonumber
local BAGSLOT = _G.BAGSLOT
local BANK = _G.BANK
local CURRENCY = _G.CURRENCY
local C_CurrencyInfo_GetCurrencyListLink = _G.C_CurrencyInfo.GetCurrencyListLink
local C_TradeSkillUI_GetRecipeReagentItemLink = _G.C_TradeSkillUI.GetRecipeReagentItemLink
local GetItemCount = _G.GetItemCount
local GetItemInfo = _G.GetItemInfo
local GetItemInfoFromHyperlink = _G.GetItemInfoFromHyperlink
local GetUnitName = _G.GetUnitName
local TALENT = _G.TALENT
local UnitAura = _G.UnitAura
local hooksecurefunc = _G.hooksecurefunc
local types = {
spell = SPELLS.."ID:",
item = ITEMS.."ID:",
quest = QUESTS_LABEL.."ID:",
talent = TALENT.."ID:",
achievement = ACHIEVEMENTS.."ID:",
currency = CURRENCY.."ID:",
azerite = L["Trait"].."ID:",
}
function Module:AddLineForID(id, linkType, noadd)
for i = 1, self:NumLines() do
local line = _G[self:GetName().."TextLeft"..i]
if not line then
break
end
local text = line:GetText()
if text and text == linkType then
return
end
end
if not noadd then
self:AddLine(" ")
end
if linkType == types.item then
local bagCount = GetItemCount(id)
local bankCount = GetItemCount(id, true) - bagCount
local itemStackCount = select(8, GetItemInfo(id))
if bankCount > 0 then
self:AddDoubleLine(BAGSLOT.."/"..BANK..":", K.InfoColor..bagCount.."/"..bankCount)
elseif bagCount > 0 then
self:AddDoubleLine(BAGSLOT..":", K.InfoColor..bagCount)
end
if itemStackCount and itemStackCount > 1 then
self:AddDoubleLine(L["Stack Cap"]..":", K.InfoColor..itemStackCount)
end
end
self:AddDoubleLine(linkType, string_format(K.InfoColor.."%s|r", id))
self:Show()
end
function Module:SetHyperLinkID(link)
local linkType, id = string_match(link, "^(%a+):(%d+)")
if not linkType or not id then
return
end
if linkType == "spell" or linkType == "enchant" or linkType == "trade" then
Module.AddLineForID(self, id, types.spell)
elseif linkType == "talent" then
Module.AddLineForID(self, id, types.talent, true)
elseif linkType == "quest" then
Module.AddLineForID(self, id, types.quest)
elseif linkType == "achievement" then
Module.AddLineForID(self, id, types.achievement)
elseif linkType == "item" then
Module.AddLineForID(self, id, types.item)
elseif linkType == "currency" then
Module.AddLineForID(self, id, types.currency)
end
end
function Module:SetItemID()
local link = select(2, self:GetItem())
if link then
local id = GetItemInfoFromHyperlink(link)
local keystone = string_match(link, "|Hkeystone:([0-9]+):")
if keystone then
id = tonumber(keystone)
end
if id then
Module.AddLineForID(self, id, types.item)
end
end
end
function Module:UpdateSpellCaster(...)
local unitCaster = select(7, UnitAura(...))
if unitCaster then
local name = GetUnitName(unitCaster, true)
local hexColor = K.RGBToHex(K.UnitColor(unitCaster))
self:AddDoubleLine(L["From"]..":", hexColor..name)
self:Show()
end
end
function Module:CreateTooltipID()
if not C["Tooltip"].ShowIDs then
return
end
-- Update all
hooksecurefunc(GameTooltip, "SetHyperlink", Module.SetHyperLinkID)
hooksecurefunc(ItemRefTooltip, "SetHyperlink", Module.SetHyperLinkID)
-- Spells
hooksecurefunc(GameTooltip, "SetUnitAura", function(self, ...)
local id = select(10, UnitAura(...))
if id then
Module.AddLineForID(self, id, types.spell)
end
end)
GameTooltip:HookScript("OnTooltipSetSpell", function(self)
local id = select(2, self:GetSpell())
if id then
Module.AddLineForID(self, id, types.spell)
end
end)
hooksecurefunc("SetItemRef", function(link)
local id = tonumber(string_match(link, "spell:(%d+)"))
if id then
Module.AddLineForID(ItemRefTooltip, id, types.spell)
end
end)
-- Items
GameTooltip:HookScript("OnTooltipSetItem", Module.SetItemID)
GameTooltipTooltip:HookScript("OnTooltipSetItem", Module.SetItemID)
ItemRefTooltip:HookScript("OnTooltipSetItem", Module.SetItemID)
ShoppingTooltip1:HookScript("OnTooltipSetItem", Module.SetItemID)
ShoppingTooltip2:HookScript("OnTooltipSetItem", Module.SetItemID)
ItemRefShoppingTooltip1:HookScript("OnTooltipSetItem", Module.SetItemID)
ItemRefShoppingTooltip2:HookScript("OnTooltipSetItem", Module.SetItemID)
hooksecurefunc(GameTooltip, "SetToyByItemID", function(self, id)
if id then
Module.AddLineForID(self, id, types.item)
end
end)
hooksecurefunc(GameTooltip, "SetRecipeReagentItem", function(self, recipeID, reagentIndex)
local link = C_TradeSkillUI_GetRecipeReagentItemLink(recipeID, reagentIndex)
local id = link and string_match(link, "item:(%d+):")
if id then
Module.AddLineForID(self, id, types.item)
end
end)
-- Currencies
hooksecurefunc(GameTooltip, "SetCurrencyToken", function(self, index)
local id = tonumber(string_match(C_CurrencyInfo_GetCurrencyListLink(index), "currency:(%d+)"))
if id then
Module.AddLineForID(self, id, types.currency)
end
end)
hooksecurefunc(GameTooltip, "SetCurrencyByID", function(self, id)
if id then
Module.AddLineForID(self, id, types.currency)
end
end)
hooksecurefunc(GameTooltip, "SetCurrencyTokenByID", function(self, id)
if id then
Module.AddLineForID(self, id, types.currency)
end
end)
-- Spell caster
hooksecurefunc(GameTooltip, "SetUnitAura", Module.UpdateSpellCaster)
-- Azerite traits
hooksecurefunc(GameTooltip, "SetAzeritePower", function(self, _, _, id)
if id then
Module.AddLineForID(self, id, types.azerite, true)
end
end)
-- Quests
hooksecurefunc("QuestMapLogTitleButton_OnEnter", function(self)
if self.questID then
Module.AddLineForID(GameTooltip, self.questID, types.quest)
end
end)
end |
local fn = {}
fn.table = {}
fn.__index = fn
fn.table.__index = fn
function tabulate(depth)
return string.rep('\t', depth)
end
function fn.to_string(table, tabbing_depth, visited_list, recurse_depth, recurse_depth_max)
local visited_tables = visited_list or {}
local tabdepth = tabbing_depth or 0
local result = ''
if nil == recurse_depth then
recurse_depth = 0
end
if nil == recurse_depth_max then
recurse_depth_max = 100
end
if recurse_depth < recurse_depth_max then
if table == nil then
result = result..'nil'
elseif type(table) == 'table' then
if not fn.satisfy(visited_tables, function(t) return t == table end) then
for key, value in pairs(table) do
if type(value) == 'table' then
-- Nested table, then add it to visited table list
if not fn.satisfy(visited_tables, function(v) return v == value end) then
-- Begin table_string construction
local table_string = tostring(key)..': ['..tostring(table)..']'..' {'
local value_string = fn.to_string(value, tabdepth+1, visited_tables, recurse_depth+1, recurse_depth_max)
if string.len(value_string) > 0 then
table_string = tabulate(tabdepth)..table_string..'\n'
end
table_string = table_string..value_string
table_string = table_string..tabulate(tabdepth)..'}\n'
-- End table_string construction
-- Append Table
result = result..table_string
visited_tables[#visited_tables+1] = value
else
result = result..tostring(value)..'\n'
end
else
-- Nested, non-table key
result = result..tabulate(tabdepth)..fn.to_string(key, tabdepth+1, visited_tables, recurse_depth+1, recurse_depth_max)
-- Nested, non-table value
result = result..' : '..fn.to_string(rawget(table, key), tabdepth+1, visited_tables, recurse_depth+1, recurse_depth_max)..'\n'
end
end
visited_tables[#visited_tables+1] = table
end
elseif type(table) == 'function' then
result = result..'['..tostring(table)..']'..' `'
local fn_info = debug.getinfo(table, 'nSluflL')
fn_info.func = '['..tostring(fn_info.func)..']'
local fn_string = fn.to_string(fn_info, tabdepth, visited_tables, recurse_depth+1, recurse_depth_max)
if string.len(fn_string) > 0
and tabdepth+1 > 0 then
result = result..'\n'
end
result = result..fn_string..'`'
elseif type(table) == 'string' then
result = result..table
else
result = result..tostring(table)
end
end
return result
end
-- Target table and it's elements are cloned
function fn.shallow_clone(set)
local clone
if type(set) == 'table' then
clone = {}
for k,v in pairs(set) do
clone[k] = v
end
else
clone = set
end
return clone
end
-- Target table is cloned recursively including the metatable
function fn.deep_clone(set, clone_meta)
local clone
if type(set) == 'table' then
clone = {}
for k, v in next, set, nil do
clone[fn.deep_clone(k)] = fn.deep_clone(v)
end
if clone_meta then
setmetatable(clone, fn.deep_clone(getmetatable(set)))
end
else
clone = set
end
return clone
end
function fn.clone(set)
return fn.deep_clone(set, true)
end
function fn.join(set, other, hard_join, ...)
local arguments = ...
for k, v in pairs(other) do
-- Hard join will add duplicates but replace any duplicate key
-- Soft join will not replace duplicates, the value in 'set' will be used
if hard_join or ((not hard_join) and not set[k]) then
set[k] = v
end
end
if arguments ~= nil then
for i=1,#arguments do
set = fn.join(set, arguments[i], hard_join)
end
end
return set
end
function fn.reverse(set)
local left, right = 1, #set
while left < right do
set[left], set[right] = set[right], set[left]
left = left + 1
right = right - 1
end
end
function fn.invert(set)
for k,v in pairs(set) do
set[v] = k
set[k] = nil
end
return set
end
function fn.find_key_value_pair(set, value)
for k,v in pairs(set) do
if set[k] == value then
return k, set[k]
end
end
return nil
end
function fn.table.keys_with_value(set, value)
local result = {}
for k,v in pairs(set) do
if set[k] == value then
result[#result+1] = k
end
end
return result
end
function fn.table.keys(set)
local result = {}
for k,v in pairs(set) do
result[#result+1] = k
end
return result
end
function fn.table.values(set)
local result = {}
for k,v in pairs(set) do
result[#result+1] = v
end
return result
end
function fn.table.transpose_values(set, ...)
local inverted = fn.invert(fn.clone(set))
return fn.map(inverted, function(element, ...)
return inverted[element]
end)
end
function fn.table.transpose_keys(set, ...)
local clone = fn.clone(set)
return fn.meta_map(clone,
function(set, key, value, ...)
return set[key]
end)
end
function fn.meta_map(set, operator, ...)
for key, value in pairs(set) do
set[key] = operator(set, key, value, ...)
end
return set
end
function fn.map(set, operator, ...)
for key, value in pairs(set) do
set[key] = operator(value, ...)
end
return set
end
function fn.filter(set, operator, ...)
for key, value in pairs(set) do
if operator(value, ...) then
set[key] = value
else
set[key] = nil
end
end
return set
end
-- Whether set has a value satisfying 'conditional(element, ...)'
function fn.satisfy(set, conditional, ...)
for key, element in pairs(set) do
if conditional(element, ...) then
return true
end
end
return false
end
-- foldl left -> right
function fn.fold_left(set, operator, initial_value, ...)
local value = initial_value or 0
for _, key in pairs(set) do
value = operator(value, key, ...)
end
return value
end
-- foldr left <- right
function fn.fold_right(set, operator, initial_value, ...)
local value = initial_value or 0
for i=#set, 1, -1 do
value = operator(value, set[i], ...)
end
return value
end
function fn.accumulate(set, operator, ...)
return fn.fold_left(set, operator, 0, ...)
end
function fn.reduce(set, operator, ...)
return fn.fold_right(set, operator, 0, ...)
end
--[[ Save the generated functions from the below functions to reuse, these are all slow
]]
function fn.curry(f, g, ...)
if select('#', ...) > 0 then
local arguments = {...}
return (function()
return f(g(unpack(arguments)))
end)
else
return (function()
return f(g())
end)
end
end
function fn.bind_first(operator, first, ...)
if select('#', ...) > 0 then
local arguments = {...}
return (function(second)
return operator(first, second, unpack(arguments))
end)
else
return (function(second)
return operator(first, second)
end)
end
end
function fn.bind_second(operator, second, ...)
if select('#', ...) > 0 then
local arguments = {...}
return (function(first)
return operator(first, second, unpack(arguments))
end)
else
return (function(first)
return operator(first, second)
end)
end
end
function fn.replicate(operator, ...)
local arguments = {...}
return (function()
return operator(unpack(arguments))
end)
end
function fn.clean(set)
return fn.filter(set, fn.bind_first(fn.contains_value, set))
end
return fn
|
-- Copyright (c) 2017-present, Facebook, Inc.
-- All rights reserved.
--
-- This source code is licensed under the license found in the LICENSE file in
-- the root directory of this source tree. An additional grant of patent rights
-- can be found in the PATENTS file in the same directory.
--
--[[
--
-- Main training script.
--
--]]
require 'rnnlib'
require 'xlua'
require 'optim'
require 'fairseq'
local tnt = require 'torchnet'
local plpath = require 'pl.path'
local pltablex = require 'pl.tablex'
local hooks = require 'fairseq.torchnet.hooks'
local data = require 'fairseq.torchnet.data'
local search = require 'fairseq.search'
local utils = require 'fairseq.utils'
local cuda = utils.loadCuda()
-- we require cuda for training
assert(cuda.cutorch)
local cmd = torch.CmdLine()
cmd:option('-sourcelang', 'de', 'source language')
cmd:option('-targetlang', 'en', 'target language')
cmd:option('-datadir', 'data-bin')
cmd:option('-model', 'avgpool', 'model type {avgpool|blstm|conv|fconv}')
cmd:option('-nembed', 256, 'dimension of embeddings and attention')
cmd:option('-noutembed', 256, 'dimension of the output embeddings')
cmd:option('-nhid', 256, 'number of hidden units per layer')
cmd:option('-nlayer', 1, 'number of hidden layers in decoder')
cmd:option('-nenclayer', 1, 'number of hidden layers in encoder')
cmd:option('-nagglayer', -1,
'number of layers for conv encoder aggregation stack (CNN-c)')
cmd:option('-kwidth', 3, 'kernel width for conv encoder')
cmd:option('-klmwidth', 3, 'kernel width for convolutional language models')
cmd:option('-optim', 'sgd', 'optimization algortihm {sgd|adam|nag}')
-- See note about normalization and hyper-parameters below
cmd:option('-timeavg', false,
'average gradients over time (as well as sequences)')
cmd:option('-lr', 0.1, 'learning rate (per time step without -timeavg)')
cmd:option('-lrshrink', 10, 'learning rate shrinking factor for annealing')
cmd:option('-momentum', 0, 'momentum for sgd/nag optimizers')
cmd:option('-annealing_type', 'fast',
'whether to decrease learning rate with a fast or slow schedule')
cmd:option('-noearlystop', false, 'no early stopping for Adam/Adagrad')
cmd:option('-batchsize', 32, 'batch size (number of sequences)')
cmd:option('-bptt', 25, 'back-prop through time steps')
cmd:option('-maxbatch', 0, 'maximum number of tokens per batch')
cmd:option('-clip', 25,
'clip threshold of gradients (per sequence without -timeavg)')
cmd:option('-maxepoch', 100, 'maximum number of epochs')
cmd:option('-minepochtoanneal', 0, 'minimum number of epochs before annealing')
cmd:option('-maxsourcelen', 0,
'maximum source sentence length in training data')
cmd:option('-ndatathreads', 1, 'number of threads for data preparation')
cmd:option('-log_interval', 1000, 'log training statistics every n updates')
cmd:option('-save_interval', -1,
'save snapshot every n updates (defaults to once per epoch)')
cmd:option('-init_range', 0.05, 'range for random weight initialization')
cmd:option('-savedir', '.', 'save models here')
cmd:option('-nosave', false, 'don\'t save models and checkpoints')
cmd:option('-nobleu', false, 'don\'t produce final BLEU scores')
cmd:option('-notext', false, 'don\'t produce final generation output')
cmd:option('-validbleu', false, 'produce validation BLEU scores on checkpoints')
cmd:option('-log', false, 'whether to enable structured logging')
cmd:option('-seed', 1111, 'random number seed')
cmd:option('-aligndictpath', '', 'path to an alignment dictionary (optional)')
cmd:option('-nmostcommon', 500,
'the number of most common words to keep when using alignment')
cmd:option('-topnalign', 100, 'the number of the most common alignments to use')
cmd:option('-freqthreshold', 0,
'the minimum frequency for an alignment candidate in order' ..
'to be considered (default no limit)')
cmd:option('-ngpus', cuda.cutorch:getDeviceCount(),
'number of gpus for data parallel training')
cmd:option('-dropout_src', -1, 'dropout on source embeddings')
cmd:option('-dropout_tgt', -1, 'dropout on target embeddings')
cmd:option('-dropout_out', -1, 'dropout on decoder output')
cmd:option('-dropout_hid', -1, 'dropout between layers')
cmd:option('-dropout', 0, 'set negative dropout_* options to this value')
-- Options for fconv_model
cmd:option('-cudnnconv', false, 'use cudnn.TemporalConvolution (slower)')
cmd:option('-attnlayers', '-1', 'decoder layers with attention (-1: all)')
cmd:option('-bfactor', 0, 'factor to divide nhid in bottleneck structure')
cmd:option('-fconv_nhids', '',
'comma-separated list of hidden units for each encoder layer')
cmd:option('-fconv_nlmhids', '',
'comma-separated list of hidden units for each decoder layer')
cmd:option('-fconv_kwidths', '',
'comma-separated list of kernel widths for conv encoder')
cmd:option('-fconv_klmwidths', '',
'comma-separated list of kernel widths for convolutional language model')
local config = cmd:parse(arg)
if config.dropout_src < 0 then config.dropout_src = config.dropout end
if config.dropout_tgt < 0 then config.dropout_tgt = config.dropout end
if config.dropout_out < 0 then config.dropout_out = config.dropout end
if config.dropout_hid < 0 then config.dropout_hid = config.dropout end
-- parse hidden sizes and kernel widths
if config.model == 'fconv' then
-- encoder
config.nhids = utils.parseListOrDefault(
config.fconv_nhids, config.nenclayer, config.nhid)
config.kwidths = utils.parseListOrDefault(
config.fconv_kwidths, config.nenclayer, config.kwidth)
-- deconder
config.nlmhids = utils.parseListOrDefault(
config.fconv_nlmhids, config.nlayer, config.nhid)
config.klmwidths = utils.parseListOrDefault(
config.fconv_klmwidths, config.nlayer, config.klmwidth)
end
torch.manualSeed(config.seed)
cuda.cutorch.manualSeed(config.seed)
assert(config.ngpus >= 1 and config.ngpus <= cuda.cutorch.getDeviceCount())
-- Effective batchsize equals to the base batchsize * ngpus
config.batchsize = config.batchsize * config.ngpus
config.maxbatch = config.maxbatch * config.ngpus
-------------------------------------------------------------------
-- Load data
-------------------------------------------------------------------
config.dict = torch.load(plpath.join(config.datadir,
'dict.' .. config.targetlang .. '.th7'))
print(string.format('| [%s] Dictionary: %d types', config.targetlang,
config.dict:size()))
config.srcdict = torch.load(plpath.join(config.datadir,
'dict.' .. config.sourcelang .. '.th7'))
print(string.format('| [%s] Dictionary: %d types', config.sourcelang,
config.srcdict:size()))
if config.aligndictpath ~= '' then
config.aligndict = tnt.IndexedDatasetReader{
indexfilename = config.aligndictpath .. '.idx',
datafilename = config.aligndictpath .. '.bin',
mmap = true,
mmapidx = true,
}
config.nmostcommon = math.max(config.nmostcommon, config.dict.nspecial)
config.nmostcommon = math.min(config.nmostcommon, config.dict:size())
end
local train, test = data.loadCorpus{
config = config,
trainsets = {'train'},
testsets = {'valid', 'test'},
}
local corpus = {
train = train.train,
valid = test.valid,
test = test.test,
}
-------------------------------------------------------------------
-- Setup models and training criterions
-------------------------------------------------------------------
local seed = config.seed
local thread_init_fn = function(id)
require 'nn'
require 'cunn'
require 'nngraph'
require 'rnnlib'
require 'fairseq.models.utils'
require 'fairseq'
require 'fairseq.torchnet'
require 'threads'
require 'torchnet'
require 'argcheck'
require 'cutorch'
-- Make sure we have a different seed for each thread so that random
-- pertubations during training (e.g. dropout) are different for each
-- worker.
torch.manualSeed(seed + id - 1)
cutorch.manualSeed(seed + id - 1)
end
local make_model_fn = function(id)
local model = require(
string.format('fairseq.models.%s_model',
config.model)
).new(config)
model:cuda()
return model
end
local make_criterion_fn = function(id)
-- Don't produce losses and gradients for the padding symbol
local padindex = config.dict:getIndex(config.dict.pad)
local critweights = torch.ones(config.dict:size()):cuda()
critweights[padindex] = 0
local criterion = nn.CrossEntropyCriterion(critweights, false):cuda()
return criterion, critweights
end
-------------------------------------------------------------------
-- Torchnet engine setup
-------------------------------------------------------------------
engine = tnt.ResumableDPOptimEngine(
config.ngpus, thread_init_fn, make_model_fn, make_criterion_fn
)
local lossMeter = tnt.AverageValueMeter()
local checkpointLossMeter = tnt.AverageValueMeter()
local timeMeter = tnt.TimeMeter{unit = true}
local checkpointTimeMeter = tnt.TimeMeter{unit = true}
-- NOTE: Gradient normalization/averaging and hyper-parameters
-- Mini-batches have two dimensions: number of sequences (usually called batch
-- size) and number of tokens (i.e. time steps for recurrent models). Now, there
-- are two modes of normalizing gradients: by batch size only or by the total
-- number of non-padding tokens in the mini-batch (by batch size and time
-- steps). The second option can be activated with -timeavg. However, keep in
-- mind that the learning rate and clipping hyper-parameters have different
-- meanings for each mode:
-- * When normalizing by batch size only, the learning rate is specified per
-- time step and the clipping threshold is specified per sequence.
-- * When normalizing by total number of tokens, both learning rate and
-- clipping threshold are applied directly to the normalized gradients.
-- The first mode is implemented by not normalizing gradients at all, but rather
-- by dividing the learning rate by batch size and multiplying the clipping
-- factor by batch size. For higher-order methods like Adam that perform
-- normalizations to decouple the learning rate from the magnitude of gradients,
-- the learning rate is not divided by the batch size.
-- For models trained with bptt (i.e. recurrent decoders), normalizing
-- by batch size only tends to work a little better; for non-recurrent models
-- with -bptt 0, the second option is preferred.
local optalgConfig = {
learningRate = config.lr,
timeAverage = config.timeavg,
}
config.lrscale = 1 -- for logging
config.minlr = 1e-4 -- when to stop annealing
if config.optim == 'sgd' then
optalgConfig.method = optim.sgd
optalgConfig.momentum = config.momentum
if not optalgConfig.timeAverage then
optalgConfig.learningRate = optalgConfig.learningRate / config.batchsize
config.lrscale = config.batchsize
config.minlr = config.minlr / config.batchsize
end
elseif config.optim == 'adam' then
optalgConfig.method = optim.adam
elseif config.optim == 'nag' then
optalgConfig.method = require('fairseq.optim.nag')
optalgConfig.momentum = config.momentum
config.minlr = 1e-5
else
error('wrong optimization algorithm')
end
local runGeneration, genconfig, gensets = nil, nil, {}
if not config.nobleu or config.validbleu then
genconfig = pltablex.copy(config)
genconfig.bptt = 0
genconfig.beam = 1
genconfig._maxlen = 200
genconfig.batchsize = config.batchsize
genconfig.ngpus = 1
_, gensets = data.loadCorpus{
config = genconfig,
testsets = {'valid', 'test'},
}
end
if config.validbleu then
local model = engine:model()
runGeneration = hooks.runGeneration{
model = model,
dict = config.dict,
generate = function(model, sample)
genconfig.minlen = 1
genconfig.maxlen = genconfig._maxlen
local searchf = search.greedy(model:type(), genconfig.dict,
genconfig.maxlen)
return model:generate(genconfig, sample, searchf)
end,
}
end
-- Save engine state at checkpoints
local saveEpochState = function(state) end
local epochStatePath = plpath.join(config.savedir, 'state_epoch%d.th7')
local saveLastState = function(state) end
local lastStatePath = plpath.join(config.savedir, 'state_last.th7')
if not config.nosave then
saveEpochState = hooks.saveStateHook(engine, epochStatePath)
saveLastState = hooks.saveStateHook(engine, lastStatePath)
end
-- Setup engine hooks
engine.hooks.onStart = function(state)
if not state.checkpoint then
state.checkpoint = 0
end
end
engine.hooks.onStartEpoch = hooks.shuffleData(seed)
engine.hooks.onJumpToEpoch = hooks.shuffleData(seed)
local annealing = (config.optim == 'sgd' or config.optim == 'nag')
local onCheckpoint = hooks.call{
function(state)
state.checkpoint = state.checkpoint + 1
end,
hooks.onCheckpoint{
engine = engine,
config = config,
lossMeter = checkpointLossMeter,
timeMeter = checkpointTimeMeter,
runTest = hooks.runTest(engine),
testsets = {valid = corpus.valid, test = corpus.test},
runGeneration = runGeneration,
gensets = {valid = gensets.valid},
annealing = annealing,
earlyStopping = (not annealing and not config.noearlystop),
},
function(state)
checkpointLossMeter:reset()
checkpointTimeMeter:reset()
lossMeter:reset()
timeMeter:reset()
engine:training()
end,
saveEpochState,
saveLastState,
}
engine.hooks.onUpdate = hooks.call{
hooks.updateMeters{
lossMeter = lossMeter,
timeMeter = timeMeter,
},
hooks.updateMeters{
lossMeter = checkpointLossMeter,
timeMeter = checkpointTimeMeter,
},
function(state)
if timeMeter.n == config.log_interval then
local loss = lossMeter:value() / math.log(2)
local ppl = math.pow(2, loss)
local elapsed = timeMeter.n * timeMeter:value()
local statsstr = string.format(
'| epoch %03d | %07d updates | words/s %7d' ..
'| trainloss %8.2f | train ppl %8.2f',
state.epoch, state.t, lossMeter.n / elapsed, loss, ppl)
if state.dictstats then
statsstr = statsstr .. string.format(
' | avg_dict_size %.2f',
state.dictstats.size / state.dictstats.n)
end
print(statsstr)
io.stdout:flush()
timeMeter:reset()
lossMeter:reset()
end
if config.save_interval > 0 and
state.epoch_t % config.save_interval == 0 then
saveLastState(state)
end
end
}
engine.hooks.onEndEpoch = onCheckpoint
engine.hooks.onEnd = saveLastState
engine.hooks.onSample = hooks.computeSampleStats(config.dict)
if plpath.isfile(lastStatePath) and not config.nosave then
print('| Found existing state, attempting to resume training')
engine.hooks.onJumpToSample = function(state)
-- Jumping to a sample can be time-consuming. If, for some reason, you
-- find yourself frequently resuming from a saved state, increase
-- -ndatathreads to speed this up -- but keep in mind that this makes
-- the sample order non-deterministic.
if state.jumped % config.log_interval == 0 then
print(string.format(
'| epoch %03d | %07d updates | %07d epoch updates | %07d replayed',
state.epoch, state.t, state.epoch_t, state.jumped))
end
end
-- Support modifying the maxepoch setting during resume
engine.hooks.onResume = function(state)
state.maxepoch = config.maxepoch
end
engine:resume{
path = lastStatePath,
iterator = corpus.train,
}
else
engine:train{
iterator = corpus.train,
optconfig = optalgConfig,
maxepoch = config.maxepoch,
clip = config.clip,
}
end
local function runFinalEval()
-- Evaluate the best network on the supplied test set
local path = plpath.join(config.savedir, 'model_best.th7')
local best_model = torch.load(path)
genconfig.batchsize = 1
genconfig.minlen = 1
genconfig.maxlen = genconfig._maxlen
for _, beam in ipairs({1, 5, 10, 20}) do
genconfig.beam = beam
if not config.notext then
genconfig.outfile = plpath.join(
config.savedir, string.format('gen-b%02d.txt', beam)
)
end
local searchf = search.beam{
ttype = best_model:type(),
dict = genconfig.dict,
srcdict = genconfig.srcdict,
beam = genconfig.beam
}
local _, result = hooks.runGeneration{
model = best_model,
dict = genconfig.dict,
generate = function(model, sample)
return model:generate(genconfig, sample, searchf)
end,
outfile = genconfig.outfile,
srcdict = config.srcdict,
}(gensets.test)
print(string.format('| Test with beam=%d: %s', beam, result))
io.stdout:flush()
end
end
if not config.nobleu and not config.nosave then
engine:executeAll(
function(id)
_G.model:network():clearState()
_G.model = nil
_G.params = nil
_G.gradparams = nil
collectgarbage()
end
)
corpus, engine = nil, nil
collectgarbage()
runFinalEval()
end
|
-- print to the log tab
browser.setactivepage('log')
tab:clearlog()
tab:log('Testing log...') |
function execute( keys )
local target = keys.target
local caster = keys.caster
local ability = keys.ability
local target_hp_percent = target:GetHealth() / (target:GetMaxHealth() / 100)
local health_threshold = ability:GetLevelSpecialValueFor( "health_threshold", ( ability:GetLevel() - 1 ) )
local ability3 = keys.caster:FindAbilityByName("special_bonus_zabuza_3")
if ability3 ~= nil then
if ability3:IsTrained() then
health_threshold = health_threshold + 7
end
end
if target_hp_percent <= health_threshold then
if not target:IsBuilding() and keys.caster:GetTeamNumber() ~= keys.target:GetTeamNumber() then
keys.ability:ApplyDataDrivenModifier(caster, caster, "modifier_executioners_blade_crit", {duration = 0.3})
end
end
end
function resetCooldown ( keys )
local ability2 = keys.caster:FindAbilityByName("special_bonus_zabuza_2")
if ability2 ~= nil then
if ability2:IsTrained() then
keys.ability:EndCooldown()
keys.ability:StartCooldown(keys.ability:GetCooldown(keys.ability:GetLevel() - 1) - 2)
end
end
end |
--Automatically generated by SWGEmu Spawn Tool v0.12 loot editor.
foraged_schule_nef = {
minimumLevel = 0,
maximumLevel = -1,
customObjectName = "",
directObjectTemplate = "object/tangible/food/foraged/foraged_vegetable_s2.iff",
craftingValues = {
},
customizationStringNames = {},
customizationValues = {}
}
addLootItemTemplate("foraged_schule_nef", foraged_schule_nef) |
g_gunvals_raw="|!plus/@1/-2,!plus/@2/-2,!plus/@3/2,!plus/@4/2,13;!plus/@1/-1,!plus/@2/-1,!plus/@3/1,!plus/@4/1,1;|@1,@2,!plus/@3/1,@5;@1,@2,@3,@4;|0x8000,0x8000,0x7fff,0x7fff,@1|0,0,0,0,0,0,0;1,1,1,0,0,0,0;2,2,2,1,0,0,0;3,3,3,1,0,0,0;4,2,2,2,1,0,0;5,5,1,1,1,0,0;6,13,13,5,5,1,0;7,6,13,13,5,1,0;8,8,2,2,2,0,0;9,4,4,4,5,0,0;10,9,4,4,5,5,0;11,3,3,3,3,0,0;12,12,3,1,1,1,0;13,5,5,1,1,1,0;14,13,4,2,2,1,0;15,13,13,5,5,1,0;|balloon;0;confined,col,knock,drawable,spr|balloon:yes;touchable:no;popped:no;pop:@1;|simpleballoon;2;balloon,|x:@1;y:@2;dy:-.05;destroyed:@3;sh:2;iyy:6;i:@4;tl_max_time=10,;|coin_bubble;2;balloon,mov|bubble:yes;x:@1;y:@2;sind:42;destroyed:@3;ix:.90;iy:.85;i=@4,tl_max_time=12,;|bubble;2;balloon,mov|bubble:yes;x:@1;y:@2;sind:46;destroyed:@3;ix:.90;iy:.85;i=@4,tl_max_time=12,;|clown_bubble;2;balloon,bad,mov|bubble:yes;x:@1;y:@2;sind:44;destroyed:@3;i:@6;u=@5,;i=@4,u=nf,tl_max_time=10,;|fader_out;3;act,;update,|fade_time:@1;i:@2;e:@3;u:@4;tl_max_time=@1,|fader_in;3;act,;update,|x:0;y:0;w:12;h:245;|spike_counter_left:0;spike_counter_right:0;plat_counter_left:0;plat_counter_right:0;plat_counter_middle:0;buffer:18;infinite_buffer:40;room:@1;max_enemy:@2;infinite:@3;generate:@4;chance:@5;|wallspike;4;drawable,confined,spr,bad,kill_too_high|x:@1;y:@2;sind:@3;xf:@4;rx:.25;touchable:no;i:@5;|minispike;4;drawable,confined,spr,bad,kill_too_high|x:@1;y:@2;sind:@3;xf:@4;ry:.25;iyy:-2;touchable:no;|boulder_spawner;4;confined,pos,dim,above_map_post_camera_drawable|x:@1;y:@2;sind:@3;xf:@4;u:@5;d:@6;|boulder;4;confined,bad,pos,drawable,spr,vec|x:@1;y:@2;sind:@3;xf:@4;dy:.2;rx:.25;ry:.25;touchable:no;tl_max_time=10,;|coin;2;confined,drawable,spr,mov,col,kill_too_high|touchable:no;sind:41;x:@1;y:@2;rx:.25;ry:.25;ix:.85;iy:.85;destroyed:@3;obtain:@4;u:@5;|danger_spawner;3;confined,pos,dim,above_map_post_camera_drawable|x:@1;y:@2;spawn_func:@3;u:@4;d:@5;|nice_spawner;3;confined,pos,dim,above_map_post_camera_drawable|next_lvl_control;1;above_map_post_camera_drawable,confined|bucket_control:@1;u:@2;d:@3;able_to_go_to_next_level:no;|1:well come;2:bub well;3:ba well;4:fare well;|cur_level_status;0;above_map_post_camera_drawable,vec,|d:@1;x:64;y:1;tl_max_time=1.5,;tl_max_time=1,dy=-1;|falling_clown;3;mov,drawable,spr|x:@1;y:@2;sind:30;ay:.015;tl_max_time=5,;|clown_hold_balloon;1;dim,col,mov,rel,bad,drawable,spr|touchable:no;rel_actor:@1;rel_y:1;sind:54;destroyed:@2;u:@3;|clownballoon;3;confined,col,knock,drawable,spr,vec,mov|balloon:yes;x:@1;y:@2;balloons:@3;ry:.5;iyy:0;ix:.99;iy:.99;sind:38;touchable:no;tl_loop:yes;i:@4;u:@5;pop=@6,;i=nf,tl_max_time=.125,pop=nf;|clown_spawner;0;confined,col,knock,drawable,spr,vec,mov|tl_loop:yes;times_died:0;i=nf,u=nf,wait_state=yes,tl_max_time=6,;i=@1,u=@2,wait_state=no,;|title_control;0;pos,above_map_post_camera_drawable|arrow_y:0;d:@1;tl_max_time=.5,;u=@2,;|act;0;,;room_init,pause_init,pause_update,pause_end,kill,clean,delete|alive:yes;stun_countdown:0;i:nf;u:nf;update:@1;clean:@2;kill:@3;delete:@4;room_init:nf;create_init:nf;pause_init:nf;pause_update:nf;pause_end:nf;destroyed:nf;get:@5;|ma_able;0;act,;|name:thing;|confined;0;act,;room_end,|room_end:nf;|loopable;0;act,;|tl_loop:yes;|pos;0;act,;|x:0;y:0;|move_pause;0;act,;update,move,vec_update,tick|;|dim;0;pos,;|rx:.375;ry:.375;|knock;0;col,;|popper;0;col,;|bad;0;knock,;|kill_too_high;0;pos,|check_height:@1;|bounded;0;act,;|check_bounds:nf;|x_bounded;0;bounded,;|check_bounds:@1;|y_bounded;0;bounded,;|timed;0;act,;|t:0;tick:@1;|vec;0;pos,;|dx:0;dy:0;vec_update:@1;|mov;0;vec,;|ix:1;iy:1;ax:0;ay:0;move:@1;stop:@2;|rel;0;act,;rel_update,|rel_actor:null;rel_x:0;rel_y:0;rel_dx:0;rel_dy:0;flippable:no;rel_update:@1;|drawable_obj;0;pos,;reset_off,|ixx:0;iyy:0;xx:0;yy:0;visible:yes;reset_off:@1;|drawable;0;drawable_obj,;d,|d:nf;|drawable_1;0;drawable_obj,;d,|drawable_2;0;drawable_obj,;d,|pre_drawable;0;drawable_obj,;d,|pre_drawable_1;0;drawable_obj,;d,|pre_drawable_2;0;drawable_obj,;d,|post_drawable;0;drawable_obj,;d,|post_drawable_1;0;drawable_obj,;d,|post_drawable_2;0;drawable_obj,;d,|above_map_post_camera_drawable;0;drawable_obj,;d,|spr_obj;0;vec,drawable_obj,;|sind:0;outline_color:BG_UI;sw:1;sh:1;xf:no;yf:no;draw_spr:@1;draw_out:@2;draw_both:@3;|spr;0;spr_obj,;|d:@1;|knockable;0;mov,;|knockback:@1;|stunnable;0;mov,drawable_obj;|stun_update:@1;|hurtable;0;act,;|health:1;max_health:1;health_visible:yes;hurt:@1;heal:@2;|anim;0;spr,timed;|sinds:,;anim_loc:1;anim_off:0;anim_len:1;anim_spd:0;anim_sind:null;anim_update:@1;|col;0;vec,dim;|touchable:yes;hit:nf;move_check:@1;|dx:0;dy:0|x,dx,@1,@2,@3,@4;y,dy,@1,@2,@5,@6;|tcol;0;vec,dim;|tile_solid:yes;tile_hit:nf;coll_tile:@1;|view;4;act,confined;center_view,update_view|x:0;y:0;room_crop:2;tl_loop:yes;w:@1;h:@2;follow_dim:@3;follow_act:@4;update_view:@5;center_view:@6;change_ma:@7;,;|@1,x,w,ixx;@1,y,h,iyy|rope;2;post_drawable,rel,x_bounded,confined|rel_actor:@1;control:@2;sind:1;rel_y:-.625;d:@3;|bucket_parent;0;post_drawable,spr,spr_obj,dim,x_bounded,rel,tcol,col,popper,confined|sw:2;sh:2;tile_solid:no;touchable:no;ang:.75;xf:no;sind:32;eject_player_out_of_bucket:@2;tile_hit:$eject_player_out_of_bucket;bucket_update:@1;hit:@3;|bucket;3;bucket_parent,|x:@1;y:@2;rel_actor:@3;pl_in_bucket:yes;ang_speed:.001;entry_time:0;tl_max_time=.625,;u=@4,;|bucket_control;2;drawable_obj,vec,confined|x:@1;y:@2;sw:2;sh:2;pivot_x:@1;pivot_y:30;sind:34;i:@3;u:@4;destroyed:@5;|confined,room_end;confined,kill;confined,delete|act,update;|growing_circle;3;pre_drawable,drawable_obj,rel,confined|rel_actor:@1;color:@2;radius:@3;tl_max_time=.25,d=@4;|growing_circle_point;4;pre_drawable,drawable_obj,confined|x:@1;y:@2;color:@3;radius:@4;tl_max_time=.25,d=@5;|water_shot;4;post_drawable_2,mov,confined,col|x:@1;y:@2;xdir:@3;ydir:@4;touchable:no;ix:.85;iy:.85;i:@5;d:@6;tl_max_time=.5,;hit:@7;|pl_dead;3;post_drawable_1,spr,confined|x:@1;y:@2;xf:@3;sind:7;u=@4,tl_max_time=3;|pl;3;post_drawable_1,spr,spr_obj,mov,x_bounded,tcol,popper,col,confined,y_bounded|x:@1;y:@2;xf:@3;ix:.85;iy:.85;touching_ground:no;jump_speed:.75;wall_jump_xspeed:.75;wall_jump_yspeed:.5;sind:1;iyy:-1;i:@4;u:@5;tile_hit:@6;destroyed:@8;d:@9;tl_max_time=.125,;shooting=no,u=@5,i=nf,hit=@7,;shooting=yes,tl_max_time=.25;tl_next=2,;|x=64,y=64,i=@8,u=nf,d=@1,tl_max_time=2.5;i=@2,u=@3,d=@4;i=@5,u=@6,d=@7;|water_gauge;0;above_map_post_camera_drawable,pos,confined|x:111;y:123;charge_max:10;charge:10;charge_speed:.5;d:@1;fill:@2;can_shoot:@3;empty:@4;u:@5;|act,update;drawable_obj,reset_off;mov,move;pl,move_check,@1;bucket,move_check,@1;water_shot,move_check,@1;tcol,coll_tile,@2;rel,rel_update;vec,vec_update;kill_too_high,check_height;bounded,check_bounds;anim,anim_update;timed,tick;view,update_view;|act,clean|pre_drawable,d;pre_drawable_1,d;pre_drawable_2,d;|drawable,d;drawable_1,d;drawable_2,d;post_drawable,d;post_drawable_1,d;post_drawable_2,d;|"
_g={}
function zsfx(num,sub_num)
sfx(num,-1,sub_num*4,4)
end
function btn_helper(f,a,b)
return f(a)and f(b)and 0 or f(a)and 0xffff or f(b)and 1 or 0
end
function _g.plus(a,b)return a+b end
function _g.minus(a,b)return a-b end
function bool_to_num(condition)return condition and 0xffff or 1 end
function get(a,...)
local arr,cur_act=ztable(...),a or{}
for i=1,#arr do
cur_act=cur_act[arr[i]]
if not cur_act then
break
end
end
return cur_act
end
function xbtn()return btn_helper(btn,0,1)end
function ybtn()return btn_helper(btn,2,3)end
function xbtnp()return btn_helper(btnp,0,1)end
function ybtnp()return btn_helper(btnp,2,3)end
function zsgn(num)return num==0 and 0 or sgn(num)end
function round(num)return flr(num+.5)end
function rnd_one(val)return(flr_rnd"3"-1)*(val or 1)end
function ti(period,length)
return t()%period<length
end
function flr_rnd(x)
return flr(rnd(x))
end
function rnd_item(list)
return list[flr_rnd(#list)+1]
end
function tabcpy(src,dest)
dest=dest or{}
for k,v in pairs(src or{})do
if type(v)=="table"and not v.is_tabcpy_disabled then
dest[k]=tabcpy(v)
else
dest[k]=v
end
end
return dest
end
function call_not_nil(table,key,...)
if table and table[key]then
return table[key](...)
end
end
function batch_call_table(func,tbl)
foreach(tbl,function(t)func(unpack(t))end)
end
function batch_call_new(func,...)
batch_call_table(func,ztable(...))
end
function tl_node(a)
a.tl_cur=a.tl_cur or 1
if not a.tl_continued then
a.next=function()
if a.tl_loop then
a.tl_next=(a.tl_cur%#a)+1
else
a.tl_next=a.tl_cur+1
end
end
a.tl_tim,a.tl_max_time,a.tl_continued=0,nil,true
tabcpy(a[a.tl_cur]or{},a)
call_not_nil(a,"i",a)
end
if call_not_nil(a,"u",a)then a:next()end
a.tl_tim+=1/60
if a.tl_max_time and a.tl_tim>=a.tl_max_time then
a:next()
end
if a.tl_next then
local old_tl_next=a.tl_next
a.tl_cur,a.tl_continued,a.tl_next=old_tl_next,nil,nil
call_not_nil(a,"e",a)
return old_tl_next>#a or old_tl_next<1
end
end
g_gunvals=split(g_gunvals_raw,"|")
g_ztable_cache={}
function nf()end
function ztable(original_str,...)
local str=g_gunvals[0+original_str]
local tbl,ops=unpack(g_ztable_cache[str]or{})
if not tbl then
tbl,ops={},{}
for item in all(split(str,";"))do
local k,v=split_kv(item,":",tbl)
local val_func=function(sub_val,sub_key,sub_tbl)
return queue_operation(sub_tbl or tbl,sub_key or k,sub_val,ops)
end
local ret_val,items={},split(v,",")
for item in all(items)do
local k,v=split_kv(item,"=",ret_val)
if #items==1 then
ret_val=val_func(v)
else
ret_val[k]=val_func(v,k,ret_val)
end
end
tbl[k]=ret_val
end
g_ztable_cache[str]={tbl,ops}
end
local params={...}
foreach(params,disable_tabcpy)
foreach(ops,function(op)
local t,k,f=unpack(op)
t[k]=f(params)
end)
return tbl
end
function split_kv(list,delim,tbl)
local kvs=split(list,delim)
return kvs[#kvs-1]or #tbl+1,kvs[#kvs]
end
function queue_operation(tbl,k,v,ops)
local vlist=split(v,"/")
local will_be_table,func_op,func_name=#vlist>1
if ord(v)==33 then
will_be_table,func_name=true,deli(vlist,1)
func_op={
tbl,k,function()
return _g[sub(func_name,2)](unpack(vlist))
end
}
end
for i,x in ipairs(vlist)do
local rest,closure_tbl=sub(x,2),tbl
if will_be_table then
closure_tbl,k=vlist,i
end
if ord(x)==64 then
add(ops,{
closure_tbl,k,function(p)
return p[rest+0]
end
})
elseif ord(x)==36 then
x=function(a,...)
a[rest](a,...)
end
elseif ord(x)==37 then
x=_g[rest]
elseif ord(x)==126 then
add(ops,{
closure_tbl,k,function()
return tbl[rest]
end
})
elseif x=="yes"or x=="no"then x=x=="yes"
elseif x=="null"or x==""then x=nil
elseif x=="nf"then x=function()end
end
vlist[i]=x
end
add(ops,func_op)
if will_be_table then
return vlist
else
return vlist[1]
end
end
function disable_tabcpy(t)
if type(t)=="table"then
t.is_tabcpy_disabled=true
end
return t
end
g_act_arrs={}
function create_parent_actor_shared(is_create_parent,meta_and_att_str,...)
local meta,template=unpack(split(meta_and_att_str,"|"))
local template_params,id,provided,parents,pause_funcs={...},unpack(ztable(meta))
_g[id]=function(...)
local func_params,params,a={...},tabcpy(template_params),{}
if is_create_parent then
a=deli(func_params,1)
end
for i=1,provided do
add(params,func_params[i]or false,i)
end
if not a[id]then
foreach(parents,function(par)
if type(par)~="table"then
par={par}
end
a=_g[par[1]](a,unpack(par,2))
end)
tabcpy(ztable(template,unpack(params)),a)
if not a[id]then
g_act_arrs[id]=g_act_arrs[id]or{}
add(g_act_arrs[id],a)
end
a.id,a[id],a.pause=id,true,a.pause or{}
foreach(pause_funcs,function(f)
a.pause[f]=true
end)
end
call_not_nil(a,"create_init",a)
return a
end
end
function create_parent(...)create_parent_actor_shared(true,...)end
function create_actor(...)create_parent_actor_shared(false,...)end
function acts_loop(id,func_name,...)
for a in all(g_act_arrs[id])do
call_not_nil(a,func_name,a,...)
end
end
g_out_cache=ztable[[1]]
function zspr(sind,x,y,sw,sh,...)
sw,sh=sw or 1,sh or 1
spr(sind,x-sw*4,y-sh*4,sw,sh,...)
end
function scr_spr(a,spr_func,...)
if a and a.visible then
(spr_func or zspr)(a.sind,a.x*8+a.ixx+a.xx,a.y*8+a.iyy+a.yy,a.sw,a.sh,a.xf,a.yf,...)
end
end
function scr_spr_out(a)scr_spr(a,spr_out,a.outline_color)end
function scr_spr_and_out(...)
foreach({...},scr_spr_out)
foreach({...},scr_spr)
end
function zrect(x1,y1,x2,y2)
batch_call_new(rect,
[[2]],x1,y1,x2,y2)
end
function outline_helper(flip,coord,dim)
coord=coord-dim*4
if flip then
return dim*8-1+coord,-1
else
return coord,1
end
end
function spr_out(sind,x,y,sw,sh,xf,yf,col)
local ox,x_mult=outline_helper(xf,x,sw)
local oy,y_mult=outline_helper(yf,y,sh)
local out_tbl=g_out_cache[sind]
if out_tbl then
for i=1,#out_tbl,4 do
rectfill(
ox+x_mult*out_tbl[i],
oy+y_mult*out_tbl[i+1],
ox+x_mult*out_tbl[i+2],
oy+y_mult*out_tbl[i+3],
col)
end
end
end
function tprint(str,x,y,c1,c2)
for i=-1,1 do
for j=-1,1 do
zprint(str,x+i,y+j,0,BG_UI,BG_UI)
end
end
zprint(str,x,y,0,c1,c2)
end
function zprint(str,x,y,align,fg,bg)
if align==0 then x-=#str*2
elseif align>0 then x-=#str*4+1 end
batch_call_new(print,[[3]],str,x,y,fg,bg)
end
function zclip(x1,y1,x2,y2)
clip(x1,y1,x2+1-flr(x1),y2+1-flr(y1))
end
function zcls(col)
batch_call_new(rectfill,[[4]],col or 0)
end
g_fadetable=ztable[[5]]
function fade(i)
for c=0,15 do
pal(c,g_fadetable[c+1][min(flr(i+1),7)])
end
end
create_parent([[6|7]],function(a)
a.popped=true
a:kill()
end)
create_actor([[8|9]],function(a)
if a.popped then
sfx"3"
_g.growing_circle_point(a.x,a.y,6,1)
end
end,function(a)
a.xf=flr_rnd(2)==0
a.sind=rnd_item{36,37,39,40}
end)
create_actor([[10|11]],function(a)
g_level_max_coins+=1
if a.popped then
_g.coin(a.x,a.y)
_g.growing_circle_point(a.x,a.y,6,1)
sfx"3"
end
end,function(a)
local pl=get_pl()
amov_to_point(a,.01,pl.x,pl.y)
a.xf=flr_rnd(2)==0
end)
create_actor([[12|13]],function(a)
g_level_max_coins+=1
if a.popped then
sfx"3"
_g.growing_circle_point(a.x,a.y,6,1)
end
end,function(a)
local pl=get_pl()
amov_to_point(a,.01,pl.x,pl.y)
a.xf=flr_rnd(2)==0
end)
create_actor([[14|15]],function(a)
_g.growing_circle_point(a.x,a.y,8,1)
if a.popped then
sfx"3"
end
end,function(a)
local pl=get_pl()
amov_to_point(a,.01,pl.x,pl.y)
end,function(a)
local pl=get_pl()
a.xf=pl.x-a.x<0
if pl.y>a.y+3 then
a:next()
end
end,function(a)
a.xf=flr_rnd(2)==0
end)
create_actor([[16|17]],function(a)
g_card_fade=max(a.tl_tim/a.tl_max_time*10,g_card_fade)
end)
create_actor([[18|17]],function(a)
g_card_fade=min((a.tl_max_time-a.tl_tim)/a.tl_max_time*10,g_card_fade)
end)
function create_block(id,xf,...)
return{sind=rnd_item{...},xf=xf,id=id}
end
function draw_lvl_blocks(tbl)
for y,v in pairs(tbl)do
for x,a in pairs(v)do
spr(a.sind,x*8,y*8,1,1,a.xf,a.yf)
end
end
end
function allocate_level(blocks,context,yloc)
local buffer=flr(abs(context.buffer))
local infinite=context.infinite
local infinite_buffer=context.infinite_buffer
yloc=flr(yloc)
if infinite and yloc+infinite_buffer>context.room.h then
context.room.h=yloc+infinite_buffer
end
for y,v in pairs(blocks)do
if y<yloc-buffer then
blocks[y]=nil
end
end
for y=(yloc-buffer),(yloc+buffer)do
if not blocks[y]then
blocks[y]=context:generate(y)
end
end
end
function gen_lvl(max_enemy,infinite,generate,chance)
local room=tabcpy(ztable[[19]])
local context=tabcpy(ztable([[20]],room,max_enemy,infinite,generate,chance))
local bucket=_g.bucket_control(room.w/2,-1.5)
local view=_g.view(15,16,0,bucket)
return context,room,bucket,view
end
function create_platform_for_row(row,y,x1,x2,s_center,chance)
for x=x1,x2 do
row[x]=create_block("solid",false,rnd_item(s_center))
if chance<10 and flr_rnd(2)==0 then
_g.minispike(x+.5,y+.625-1,25,false)
end
end
end
function gen_sides_and_floor(c,y,enable_platforms,s_bkgd,s_wall,s_side,s_center,s_floor,s_hole)
y=flr(y)
local row={}
local width=c.room.w
local bottom=c.room.h-1
if y>bottom or y<0 then
return{}
end
for x=1,flr_rnd(2)do
row[flr_rnd(width)]=create_block("bkgd",false,unpack(s_bkgd))
end
row[0]=create_block("solid",true,unpack(s_wall))
row[width-1]=create_block("solid",false,unpack(s_wall))
if enable_platforms and y>3 and y<bottom-4 then
if y%3==0 and flr_rnd(c.chance)==0 then
if flr_rnd(2)==0 then
if c.spike_counter_left<-2 then
row[1]=create_block("solid",true,unpack(s_side))
c.plat_counter_left=0
end
else
if c.spike_counter_right<-2 then
row[width-2]=create_block("solid",false,unpack(s_side))
c.plat_counter_right=0
end
end
end
if c.plat_counter_middle<-6 and flr_rnd(c.chance)==0 then
local variant=flr_rnd(5)
if variant==0 then
create_platform_for_row(row,y,width/2-1,width/2,s_center,c.chance)
elseif variant==1 then
create_platform_for_row(row,y,width/2-3,width/2-2,s_center,c.chance)
create_platform_for_row(row,y,width/2+1,width/2+2,s_center,c.chance)
elseif variant==2 then
create_platform_for_row(row,y,width/2-1,width/2+1,s_center,c.chance)
elseif variant==3 then
create_platform_for_row(row,y,width/2-2,width/2,s_center,c.chance)
elseif variant==4 then
create_platform_for_row(row,y,width/2-2,width/2+1,s_center,c.chance)
end
c.plat_counter_middle=0
end
c.plat_counter_middle-=1
if c.spike_counter_left>0 then
_g.wallspike(1+.25,y+.5,16,true)
elseif c.plat_counter_left<-2 and flr_rnd(c.chance)==0 then
c.spike_counter_left=flr_rnd(3)+3
end
if c.spike_counter_right>0 then
_g.wallspike(width-1.25,y+.5,16,false)
elseif c.plat_counter_right<-2 and flr_rnd(c.chance)==0 then
c.spike_counter_right=flr_rnd(3)+3
end
c.spike_counter_left-=1
c.spike_counter_right-=1
c.plat_counter_left-=1
c.plat_counter_right-=1
end
if y==bottom-1 or y==bottom then
for x=1,width/2-3 do
row[x]=create_block("solid",true,unpack(s_floor))
row[width-x-1]=create_block("solid",false,unpack(s_floor))
end
row[width/2-2]=create_block("solid",false,unpack(s_wall))
row[width/2+1]=create_block("solid",true,unpack(s_wall))
row[width/2-2]=create_block("solid",false,unpack(s_wall))
row[width/2+1]=create_block("solid",true,unpack(s_wall))
end
if y==bottom then
row[width/2-1]=create_block("solid",false,unpack(s_hole))
row[width/2]=create_block("solid",true,unpack(s_hole))
end
return row
end
function gen_baddies_for_row(c,y,row)
y=flr(y)
local width=c.room.w
local safe_top=25
local bottom=c.room.h-1
local safe_bottom=bottom-20
local rand_x=function()
return flr_rnd(width-6)+3+.5
end
local x=rand_x()
if y>=safe_bottom or y<=safe_top or row[flr(x)]or flr_rnd(c.chance)!=0 then
return
end
local num=flr_rnd(c.max_enemy)
if num==0 then _g.coin(x,y+.5)
elseif num==1 then _g.nice_spawner(x,y+.5,_g.simpleballoon)
elseif num==2 then _g.nice_spawner(rnd_item{.5,g_cur_room.w-.5},y+.5,_g.bubble)
elseif num==3 then _g.nice_spawner(rnd_item{.5,g_cur_room.w-.5},y+.5,_g.coin_bubble)
elseif num==4 or num==6 or num==8 then _g.danger_spawner(x,y+.5,_g.clown_bubble)
elseif num==5 or num==7 or num==9 then _g.boulder_spawner(x,y+.5,rnd_item{131,132,147,148},flr_rnd(2)==0)
end
end
function gen_title_row(c,y)
if y==0 then
_g.title_control()
end
if y%10==0 then
_g.simpleballoon(y%20==0 and 3.5 or c.room.w-3.5,y+.5,rnd_item{19,23,36,40})
elseif(y+5)%10==0 then
_g.simpleballoon((y+5)%20==0 and c.room.w-2.5 or 2.5,y+.5,rnd_item{19,23,36,40})
end
return gen_sides_and_floor(
c,y,false,
{10,60,62,63},
{12,28},
{11,27},
{8},
{9},
{24}
)
end
function gen_well_row(c,y)
local row=gen_sides_and_floor(
c,y,true,
{10,60,62,63},
{12,28},
{11,27},
{8},
{9},
{24}
)
gen_baddies_for_row(c,y,row)
return row
end
function gen_clown_row(c,y)
if y==0 then
_g.clown_spawner()
end
local row=gen_sides_and_floor(
c,y,true,
{118,119,120,121},
{129},
{130,146},
{128},
{162},
{24}
)
gen_baddies_for_row(c,y,row)
return row
end
function gen_endless_row(c,y)
local row=gen_sides_and_floor(
c,y,true,
{10,60,62,63},
{12,28},
{11,27},
{8},
{9},
{24}
)
if y%50==0 and y>0 then
c.max_enemy=min(c.max_enemy+1,10)
end
if y%100==50 and y>0 then
c.chance=max(1,c.chance-1)
end
if y%275==0 and y>0 then
_g.clown_spawner()
end
gen_baddies_for_row(c,y,row)
return row
end
create_actor([[21|22]],function(a)
if a.xf then
a.ixx=3
else
a.ixx=-3
end
end)
create_actor([[23|24]])
create_actor([[25|26]],function(a)
if a.y<g_main_view.y-g_main_view.h/2-3 then
_g.boulder(a.x,a.y,a.sind,a.xf)
a:kill()
end
end,function(a)
if a.y<g_main_view.y-g_main_view.h/2 then
zprint("!",a.x*8-shiftx(g_main_view),1,0,8,2)
end
end)
create_actor([[27|28]])
create_actor([[29|30]],function(a)
g_level_max_coins+=1
if a.obtained then
g_level_coins+=1
sfx(1)
end
end,function(a)
a.obtained=true
a:kill()
end,function(a)
local pl=get_pl()
if get_distance(a.x,a.y,pl.x,pl.y)<2 then
amov_to_point(a,.05,pl.x,pl.y)
else
a.ax=0
a.ay=0
end
end)
create_actor([[31|32]],function(a)
if a.y<g_main_view.y+g_main_view.h/2+3 then
a.spawn_func(a.x,a.y)
a:kill()
end
end,function(a)
if a.y<g_main_view.y+g_main_view.h/2+6 then
zprint("!",a.x*8-shiftx(g_main_view),128-8-7,0,8,2)
end
end)
create_actor([[33|32]],function(a)
if a.y<g_main_view.y+g_main_view.h/2+3 then
a.spawn_func(a.x,a.y)
a:kill()
end
end,function(a)
if a.y<g_main_view.y+g_main_view.h/2+6 then
zprint("!",a.x*8-shiftx(g_main_view),128-8-7,0,10,4)
end
end)
create_actor([[34|35]],function(a)
if a.bucket_control.bucket.pl_in_bucket then
a.able_to_go_to_next_level=true
else
a.able_to_go_to_next_level=false
end
if a.able_to_go_to_next_level and btn(3)then
a.bucket_control.bucket.ang_speed=0
a.bucket_control.bucket.eject_player_out_of_bucket=nf
a.bucket_control.u=nf
a.bucket_control.dy=.1
_g.fader_out(.5,nf,levelnext)
a:kill()
end
end,function(a)
if a.able_to_go_to_next_level then
local extra=t()%1<.25 and 1 or 0
zprint("press down",64,96-extra,0,7,5)
end
end)
g_puns=ztable[[36]]
create_actor([[37|38]],function(a)
if g_cur_level>0 then
zprint("level "..g_cur_level,a.x,a.y,0,7,5)
if g_puns[g_cur_level]then
zprint(g_puns[g_cur_level],a.x,a.y+8,0,7,5)
end
end
end)
function amov_to_actor(a1,a2,spd,off_x,off_y)
off_x=off_x or 0
off_y=off_y or 0
if a1 and a2 then
amov_to_point(a1,spd,a2.x+off_x,a2.y+off_y)
end
end
function get_distance(x1,y1,x2,y2)
return sqrt((x2-x1)*(x2-x1)+(y2-y1)*(y2-y1))
end
function amov_to_point(a,spd,x,y)
local ang=atan2(x-a.x,y-a.y)
a.ax,a.ay=spd*cos(ang),spd*sin(ang)
end
function do_actors_intersect(a,b)
return a and b
and abs(a.x-b.x)<a.rx+b.rx
and abs(a.y-b.y)<a.ry+b.ry
end
function does_a_contain_b(a,b)
return a and b
and b.x-b.rx>=a.x-a.rx
and b.x+b.rx<=a.x+a.rx
and b.y-b.ry>=a.y-a.ry
and b.y+b.ry<=a.y+a.ry
end
function coll_tile_help(pos,per,spd,pos_rad,per_rad,dir,a,hit_func,solid_func)
local coll_tile_bounds=function(pos,rad)
return flr(pos-rad),-flr(-(pos+rad))-1
end
local pos_min,pos_max=coll_tile_bounds(pos+spd,pos_rad)
local per_min,per_max=coll_tile_bounds(per,per_rad)
for j=per_min,per_max do
if spd<0 and solid_func(pos_min,j)then
hit_func(a,dir)
return pos_min+pos_rad+1,0
elseif spd>0 and solid_func(pos_max,j)then
hit_func(a,dir+1)
return pos_max-pos_rad,0
end
end
return pos,spd
end
create_actor([[39|40]])
create_actor([[41|42]],function(a)
_g.falling_clown(a.x,a.y,a.rel_actor.xf)
end,function(a)
a.xf=a.rel_actor.xf
end)
create_actor([[43|44]],function(a)
_g.clown_hold_balloon(a)
end,function(a)
local pl=get_pl()
a.xf=sgn(pl.x-a.x)==-1
amov_to_point(a,.005,pl.x,pl.y-2)
if a.balloons==1 then
a.sind=38 a.sw=1
elseif a.balloons==2 then
a.sind=22 a.sw=1
elseif a.balloons==3 then
a.sind=20 a.sw=2
end
end,function(a)
a.popped=true
a.balloons-=1
_g.growing_circle_point(a.x,a.y,13,1)
if a.balloons<=0 then
a:kill()
else
a:next()
a.pop=nf
end
sfx"3"
end)
create_actor([[45|46]],function(a)
if g_cur_room.h-g_bucket_control.y>10 then
local ang=rnd(1)
local radius=16
sfx"14"
a.times_died+=1
if a.times_died>3 then
a:kill()
else
a.clown=_g.clownballoon(g_bucket_control.x+cos(ang)*radius,g_bucket_control.y+sin(ang)*radius,a.times_died)
end
else
a:kill()
end
end,function(a)
if not a.clown or not a.clown.alive then
a.wait_state=true
a:next()
end
end)
create_actor([[47|48]],function(a)
local offset=0
if t()%2<.25 then offset=sin(t()*4)*2 end
zspr(72,64+offset,43,8,2)
zspr(57,64-20,81+3+(a.arrow_y-1)*8,1,1,false,false)
zspr(57,64+20,81+3+(a.arrow_y-1)*8,1,1,true,false)
zprint("easy",65,81-8,0,a.arrow_y==0 and 10 or 6,a.arrow_y==0 and 4 or 1)
zprint("hard",65,81,0,a.arrow_y==1 and 10 or 6,a.arrow_y==1 and 4 or 1)
zprint("endless",65,81+8,0,a.arrow_y==2 and 10 or 6,a.arrow_y==2 and 4 or 1)
draw_press_xz(98)
end,function(a)
if btnp(2)then
if a.arrow_y>0 then
a.arrow_y-=1
sfx"5"
else
sfx"7"
end
end
if btnp(3)then
if a.arrow_y<2 then
a.arrow_y+=1
sfx"5"
else
sfx"7"
end
end
if btn(4)or btn(5)then
reset_stats()
g_title=false
sfx"6"
a:kill()
g_block_context.infinite=false
g_hard=a.arrow_y==1
g_endless=a.arrow_y==2
_g.fader_out(.5,nf,levelnext)
end
end)
function draw_press_xz(y)
rectfill(0,y,125,y+8,1)
rectfill(0,y+1,125,y+7,0)
if t()%2<1.75 then
print("press x or z",64-12*2,y+2,7)
end
zprint("a game for ld #48",64,y+12,0,6,1)
end
create_parent([[49|50]],function(a)
if a.alive and a.stun_countdown<=0 then
if tl_node(a)then
a.alive=false
end
elseif a.stun_countdown>0 then
a.stun_countdown-=1
end
end,function(a)
if not a.alive then
a:destroyed()
a:delete()
end
end,function(a)
a.alive=nil
end,function(a)
for k,v in pairs(g_act_arrs)do
if a[k]then del(v,a)end
end
end,get)
create_parent[[51|52]]
create_parent[[53|54]]
create_parent[[55|56]]
create_parent[[57|58]]
create_parent[[59|60]]
create_parent[[61|62]]
create_parent[[63|60]]
create_parent[[64|60]]
create_parent[[65|60]]
create_parent([[66|67]],function(a)
if a.y<g_main_view.y-g_main_view.h/2-8 then
a:kill()
end
end)
create_parent[[68|69]]
create_parent([[70|71]],function(a)
if a.x+a.dx<g_cur_room.x+.5 then
a.x=g_cur_room.x+.5
a.dx=0
end
if a.x+a.dx>g_cur_room.x+g_cur_room.w-.5 then
a.x=g_cur_room.x+g_cur_room.w-.5
a.dx=0
end
end)
create_parent([[72|71]],function(a)
if a.y+a.dy<g_cur_room.y+.5 then
a.y=g_cur_room.y+.5
a.dy=0
end
if a.y+a.dy>g_cur_room.y+g_cur_room.h-.5 then
a.y=g_cur_room.y+g_cur_room.h-.5
a.dy=0
end
end)
create_parent([[73|74]],function(a)
a.t+=1
end)
create_parent([[75|76]],function(a)
a.x+=a.dx
a.y+=a.dy
end)
create_parent([[77|78]],function(a)
a.dx+=a.ax a.dy+=a.ay
a.dx*=a.ix a.dy*=a.iy
if a.ax==0 and abs(a.dx)<.01 then a.dx=0 end
if a.ay==0 and abs(a.dy)<.01 then a.dy=0 end
end,function(a)
a.ax,a.ay,a.dx,a.dy=0,0,0,0
end)
create_parent([[79|80]],function(a)
local a2=a.rel_actor
if a2 then
if a2.alive then
a.x,a.y=a2.x+a.rel_x,a2.y+a.rel_y
a.dx,a.dy=a2.dx+a.rel_dx,a2.dy+a.rel_dy
a.rel_x+=a.rel_dx
a.rel_y+=a.rel_dy
a.xx,a.yy=a2.xx,a2.yy
if a.flippable then
a.xf=a2.xf
end
else
a.alive=false
end
end
end)
create_parent([[81|82]],function(a)
a.xx,a.yy=0,0
end)
create_parent[[83|84]]
create_parent[[85|84]]
create_parent[[86|84]]
create_parent[[87|84]]
create_parent[[88|84]]
create_parent[[89|84]]
create_parent[[90|84]]
create_parent[[91|84]]
create_parent[[92|84]]
create_parent[[93|84]]
create_parent([[94|95]],scr_spr,scr_out,scr_spr_and_out
)
create_parent([[96|97]],scr_spr_and_out)
create_parent([[98|99]],function(a,speed,xdir,ydir)
a.dx=xdir*speed
a.dy=ydir*speed
end)
create_parent([[100|101]],function(a)
if a.stun_countdown>0 then
a.ay,a.ax=0,0
a.yy=rnd_one()
a.outline_color=2
else
a.outline_color=1
end
end)
create_parent([[102|103]],function(a,damage,stun_val)
if a.stun_countdown<=0 then
a.stun_countdown=stun_val
a.health=max(0,a.health-damage)
if a.health==0 then
a.alive=false
end
end
end,function(a,health)
a.health=min(a.max_health,a.health+health)
end)
create_parent([[104|105]],function(a)
if a.anim_sind then
a.sind=a.anim_sind
else
if a.t%a.anim_spd==0 then
a.anim_off+=1
a.anim_off%=a.anim_len
end
a.sind=a.sinds[a.anim_loc+a.anim_off]or 0xffff
end
end)
create_parent([[106|107]],function(a,acts)
local hit_list={}
local move_check=function(dx,dy)
local ret_val=dx+dy
local col_help=function(axis,spd_axis,a,b,pos,spd)
if spd!=0 and pos<abs(a[axis]-b[axis])then
if a.touchable and b.touchable then
local s_f=function(c)
if not c.anchored then
c[spd_axis]=(a[spd_axis]+b[spd_axis])/2
end
end
s_f(a)s_f(b)
ret_val=0
end
hit_list[b][spd_axis]=zsgn(spd)
end
end
foreach(acts,function(b)
if a!=b and(not a.anchored or not b.anchored)then
local x,y=abs(a.x+dx-b.x),abs(a.y+dy-b.y)
if x<a.rx+b.rx and y<a.ry+b.ry then
hit_list[b]=hit_list[b]or ztable[[108]]
batch_call_new(col_help,[[109]],a,b,x,dx,y,dy)
end
end
end)
return ret_val
end
a.dx,a.dy=move_check(a.dx,0),move_check(0,a.dy)
for b,d in pairs(hit_list)do
a:hit(b,d.dx,d.dy)
end
end)
create_parent([[110|111]],function(a,solid_func)
local x,dx=coll_tile_help(a.x,a.y,a.dx,a.rx,a.ry,0,a,a.tile_hit,solid_func)
local y,dy=coll_tile_help(a.y,a.x,a.dy,a.ry,a.rx,2,a,a.tile_hit,function(y,x)return solid_func(x,y)end)
if a.tile_solid then
a.x,a.y,a.dx,a.dy=x,y,dx,dy
end
end)
function update_view_helper(view,xy,wh,ii)
local follow_coord=view.follow_act and(view.follow_act[xy]+view.follow_act[ii]/8)or 0
local view_coord=view[xy]
local view_dim=view[wh]
local room_dim=g_cur_room[wh]/2-view_dim/2
local room_coord=g_cur_room[xy]+g_cur_room[wh]/2
local follow_dim=round(view.follow_dim*8)/8
if follow_coord<view_coord-follow_dim then view_coord=follow_coord+follow_dim end
if follow_coord>view_coord+follow_dim then view_coord=follow_coord-follow_dim end
if view_coord<room_coord-room_dim then view_coord=room_coord-room_dim end
if view_coord>room_coord+room_dim then view_coord=room_coord+room_dim end
if g_cur_room[wh]<=view[wh]then view_coord=room_coord end
view[xy]=view_coord
end
function scr_pset(x,y,c)
pset(x*8,y*8,c)
end
function scr_line(x1,y1,x2,y2,col)
line(x1*8,y1*8,x2*8,y2*8,col)
end
function scr_rectfill(x1,y1,x2,y2,col)
rectfill(x1*8,y1*8,x2*8,y2*8,col)
end
function scr_map(cel_x,cel_y,sx,sy,...)
map(cel_x,cel_y,sx*8,sy*8,...)
end
function scr_circfill(x,y,r,col)
circfill(x*8,y*8,r*8,col)
end
function scr_circ(x,y,r,col)
circ(x*8,y*8,r*8,col)
end
create_actor([[112|113]],
function(a)
if a.follow_act and not a.follow_act.alive then
a.follow_act=nil
end
batch_call_new(update_view_helper,[[114]],a)
end,function(a)
if a.follow_act then
a.x,a.y=a.follow_act.x,a.follow_act.y
a.name=a.follow_act.name
end
a:update_view()
end,function(a,other)
if not other or other.ma_able then
a.follow_act=other
end
end)
create_actor([[115|116]],function(a)
local x1,y1,x2,y2=a.x+a.dx,a.y+a.dy,a.control.pivot_x,a.control.y-a.control.pivot_y
scr_line(x1,y1,x2,y2,2)
scr_line(x1-.125,y1,x2-.125,y2,2)
end)
create_parent([[117|118]],function(a)
if btnp(4)then
a:eject_player_out_of_bucket()
end
local gravity=.1
if btn(3)or btn(2)then
gravity=.2
end
if a.pl_in_bucket and xbtn()!=0 then
a.xf=xbtn()==-1
end
local pivot=a.rel_actor.pivot_y
a.ang=atan2(cos(a.ang),sin(a.ang)+gravity)
a.rel_x=round(pivot*cos(a.ang)*8)/8
a.rel_y=round(pivot*sin(a.ang)*8-pivot*8)/8
if a.pl_in_bucket then
a.sind=32
else
a.sind=34
end
end,function(a)
if a.pl_in_bucket then
sfx"25"
a.pl_in_bucket=false
a.pl=_g.pl(a.x,a.y,a.xf)
_g.growing_circle(a.pl,2,1)
end
end,function(a,other)
if a.pl_in_bucket then
shared_pl_col_logic(a,other)
end
if other.knock then
a:eject_player_out_of_bucket()
end
end)
create_actor([[119|120]],function(a)
g_stats.total_time+=1/60
if a.pl_in_bucket then
g_stats.total_bucket_time+=1/60
end
if a.pl_in_bucket and xbtn()!=0 then
a.ang+=xbtn()*a.ang_speed
end
if btn(5)and a.pl_in_bucket and g_water_gauge:can_shoot()then
g_water_gauge:empty()
local xdir,ydir=get_direction_for_shooting(a.xf)
_g.water_shot(a.x,a.y,xdir,ydir)
end
if a.pl_in_bucket then
g_water_gauge:fill()
end
a:bucket_update()
end)
create_actor([[121|122]],function(a)
a.bucket=_g.bucket(a.x,a.y,a)
a.rope=_g.rope(a.bucket,a)
end,function(a)
a.dy=.1
local bounds_bottom=g_cur_room.y+g_cur_room.h-1.75
if a.y+a.dy>=bounds_bottom then
a.y=bounds_bottom-a.dy
if not a.next_lvl_checker then
a.next_lvl_checker=_g.next_lvl_control(a)
end
end
end,function(a)
a.rope:kill()
a.bucket:kill()
a.next_lvl_checker:kill()
end)
function end_init()
if not g_endless then
music(0,2000,7)
end
batch_call_new(acts_loop,[[123]])
_g.fader_in(.5,nf,nf)
g_card_fade=8
g_end_screen_over=false
g_stats.total_bucket_time=max(1,g_stats.total_bucket_time)
g_stats.total_time=max(1,g_stats.total_time)
end
function end_update()
batch_call_new(acts_loop,[[124]])
if not g_end_screen_over and(btnp(4)or btnp(5))then
g_end_screen_over=true
_g.fader_out(.5,nf,function()
g_tl.tl_next=2
end)
end
end
function end_draw()
fade(g_card_fade)
zspr(134,64,36,10,8)
if g_endless then
zprint("you died in endless mode!",64,68,0,11,1)
elseif g_hard then
zprint("you beat hard mode!",64,68,0,11,1)
else
zprint("you beat easy mode!",64,68,0,11,1)
end
draw_stats(89-4)
zprint("@alanxoc3 code & sfx ",64,118-8-8,0,6,1)
zprint("@thegreatcadet gfx & sfx ",64,118-8,0,6,1)
zprint("@codecodymorgan gfx & design ",64,118,0,6,1)
end
function seconds_to_str(d)
local seconds=flr(d%60)
local minutes=flr(d/60)
return ""..minutes.."M "..seconds.."S"
end
function draw_stats(y)
rect(-1,y-7,128,y+12,1)
zprint("pail: "..seconds_to_str(g_stats.total_bucket_time),6,y-4,-1,15,2)
zprint("shots: "..g_stats.shots,6,y+4,-1,12,1)
if g_endless then zprint("time: "..seconds_to_str(g_stats.total_time),70,y-4,-1,8,2)
else zprint("died: "..g_stats.deaths,70,y-4,-1,8,2)end
zprint("coins: "..g_stats.coins.."/"..g_stats.max_coins,70,y+4,-1,10,4)
end
function shared_pl_col_logic(a,other)
if other.coin then
other:obtain()
end
if other.balloon then
other:pop()
end
end
function get_direction_for_shooting(xf)
local xdir=0
local ydir=0
if btn(1)then
xdir=1
elseif btn(0)then
xdir=-1
end
if btn(2)then
ydir=-1
elseif btn(3)then
ydir=1
end
if xdir==0 and ydir==0 then
xdir=bool_to_num(xf)
end
return xdir,ydir
end
create_actor([[125|126]],function(a)
scr_circ(a.x,a.y,a.radius*a.tl_tim*6,a.color or 2)
end)
create_actor([[127|128]],function(a)
scr_circ(a.x,a.y,a.radius*a.tl_tim*6,a.color or 2)
end)
create_actor([[129|130]],function(a)
g_stats.shots+=1
sfx"2"
local ang=atan2(a.xdir,a.ydir)
a.dx=cos(ang)*.8
a.dy=sin(ang)*.8+.2
end,function(a)
scr_circfill(a.x,a.y,1/(1.5+a.tl_tim*16),12)
end,function(a,other)
if other.boulder or(other.balloon and not other.bubble)then
local sign=zsgn(a.dx)
if sign==0 then
sign=zsgn(other.x-a.x)
if sign==0 then
sign=flr_rnd(2)==0 and-1 or 1
end
end
other.dx+=sign*.05
_g.growing_circle(other,12,1)
a.hit=nf
elseif other.balloon then
other:pop()
a.hit=nf
end
end)
create_actor([[131|132]],function(a)
a.ixx=rnd_one()
a.iyy=rnd_one()
end)
create_actor([[133|134]],function(a)
a.dy=-a.jump_speed
end,function(a)
if xbtn()!=0 then
a.xf=xbtn()==-1
end
if not a.touching_ground then
if a.touching_left_wall and btn(0)then
a.sind=6 a.iyy=-1 a.xf=false
elseif a.touching_right_wall and btn(1)then
a.sind=6 a.iyy=-1 a.xf=true
else
a.sind=1 a.iyy=-1
end
else
if a.ax==0 then
a.sind=2 a.iyy=-1
elseif a.ax!=0 then
if a.tl_tim*60%16<4 then
a.sind=3 a.iyy=-2
elseif a.tl_tim*60%16<8 then
a.sind=2 a.iyy=-1
elseif a.tl_tim*60%16<12 then
a.sind=4 a.iyy=-1
else
a.sind=2 a.iyy=-1
end
end
end
if not a.shooting then
a.ax=xbtn()*.035
a.ay=.04
if not a.touching_ground then
if a.touching_left_wall and btn(0)then
a.ay=.0117
elseif a.touching_right_wall and btn(1)then
a.ay=.0117
end
end
if btnp(4)then
if a.touching_ground then
a.dy=-a.jump_speed
sfx"25"
elseif a.touching_left_wall then
a.dx=a.wall_jump_xspeed
a.dy=(btn(3)and 1 or-1)*a.wall_jump_yspeed
sfx"25"
elseif a.touching_right_wall then
a.dx=-a.wall_jump_xspeed
a.dy=(btn(3)and 1 or-1)*a.wall_jump_yspeed
sfx"25"
elseif a.tl_tim>.125 then
sfx"7"
end
end
if btnp(5)then
if g_water_gauge:can_shoot()then
xdir,ydir=get_direction_for_shooting(a.xf)
if xdir!=0 and a.touching_left_wall then
xdir=1
elseif xdir!=0 and a.touching_right_wall then
xdir=-1
end
g_water_gauge:empty()
_g.water_shot(a.x,a.y,xdir,ydir)
local ang=atan2(-xdir,-ydir)
a.dx+=a.jump_speed*cos(ang)
a.dy+=a.jump_speed*sin(ang)
a.ax,a.ay=0,0
a:next()
else
sfx"7"
end
end
end
local bot_of_screen=g_main_view.y+g_main_view.h/2
if a.y>g_main_view.y+g_main_view.h/2 then
g_card_shake_x=4
if a.y>bot_of_screen+2 then
a:kill()
end
end
local top_of_screen=g_main_view.y-g_main_view.h/2+1.5
if a.y<top_of_screen then
a.dy+=.05
if a.y<top_of_screen-1.5 then
g_card_shake_x=4
end
if a.y<top_of_screen-3 then
a:kill()
end
end
a.touching_ground=false
if not a.shooting then
a.touching_left_wall=false
a.touching_right_wall=false
end
end,function(a,dir)
if dir==3 then a.touching_ground=true end
if dir==0 then
a.touching_left_wall=true
end
if dir==1 then
a.touching_right_wall=true
end
end,function(a,other)
shared_pl_col_logic(a,other)
if other.balloon then
a.dy=-a.jump_speed/2
end
if other.bucket_parent then
a.into_bucket=true
a:kill()
sfx"26"
other.pl_in_bucket=true
other.xf=a.xf
elseif other.bad then
a.died_from_enemy=true
a:kill()
end
end,function(a)
if not a.into_bucket then
sfx"15"
_g.fader_out(.5,nf,levelend)
if a.died_from_enemy then
_g.pl_dead(a.x,a.y,a.xf)
end
if g_cur_level!=0 then
g_stats.deaths+=1
end
end
end,function(a)
a:draw_spr()
end)
poke(0x5f5c,15)
poke(0x5f5d,15)
function reset_stats()
g_level_coins=0
g_level_max_coins=0
g_stats={
total_bucket_time=0,
total_time=0,
coins=0,
max_coins=0,
deaths=0,
shots=0,
}
end
function _init()
reset_stats()
music(0,3000,7)
g_tl=ztable([[135]],logo_draw,
game_init,game_update,game_draw,
end_init,end_update,end_draw,function()sfx(63)end
)
end
function get_pl()
if g_bucket_control.bucket.pl_in_bucket then
return g_bucket_control.bucket
else
return g_bucket_control.bucket.pl
end
end
function tolevel_func(level)
return function()
local max_num=0
if level>=3 then max_num=6
elseif level>=2 then max_num=5
elseif level>=1 then max_num=2
end
if(g_cur_level==nil or g_cur_level<4)and level==4 then
music(16,2000,7)
end
g_cur_level=level
g_level_coins=0
g_level_max_coins=0
_g.cur_level_status()
return gen_lvl(max_num,false,level==4 and gen_clown_row or gen_well_row,g_hard and 6 or 12)
end
end
function totitle_func()
return function()
g_cur_level=0
return gen_lvl(0,true,gen_title_row,12)
end
end
function toendless_func()
return function()
return gen_lvl(0,true,gen_endless_row,12)
end
end
function tolevel(level_func)
batch_call_new(acts_loop,[[123]])
g_blocks={}
g_block_context,g_cur_room,g_bucket_control,g_main_view=level_func()
g_card_fade=8
g_water_gauge=_g.water_gauge()
_g.fader_in(.5,nf,nf)
end
function levelend()
if g_endless then
updatecoins()
g_tl.next()
else
tolevel(tolevel_func(g_cur_level))
end
end
function updatecoins()
g_stats.coins+=g_level_coins or 0
g_stats.max_coins+=g_level_max_coins or 0
g_level_coins=0
g_level_max_coins=0
end
function levelnext()
updatecoins()
if g_title then
reset_stats()
menuitem(1)
else
menuitem(1,"title screen",fade_to_title)
end
if g_title then
tolevel(totitle_func())
elseif g_endless then
tolevel(toendless_func())
elseif g_cur_level==4 then
g_tl.next()
else
tolevel(tolevel_func(g_cur_level+1))
end
end
create_actor([[136|137]],function(a)
local multiplier=3
local max_charge_len=a.charge_max*multiplier
local charge_len=a.charge*multiplier
local ytop=a.y-1
local ybot=a.y+2
local col1=12
local col2=1
if t()%1<.25 then
if a:can_shoot()then
col1=6
col2=5
end
end
rect(a.x-max_charge_len+1,ytop,a.x-max_charge_len+1,ybot,col2)
rect(a.x,ytop,a.x,ybot,col2)
if charge_len>0 then
rectfill(a.x-max_charge_len+1+(max_charge_len-charge_len),ytop,a.x,ybot,col1)
rectfill(a.x-max_charge_len+1+(max_charge_len-charge_len),ybot,a.x,ybot,col2)
end
end,function(a)
if not a.empty_state then
a.charge=min(a.charge_max,a.charge+a.charge_speed)
end
end,function(a)
return not a.empty_state and a.charge==a.charge_max
end,function(a)
if a:can_shoot()then
a.empty_state=true
end
end,function(a)
if a.empty_state then
a.charge=max(0,a.charge-a.charge_speed*3)
if a.charge==0 then
a.empty_state=false
end
end
end)
function fade_to_title()
_g.fader_out(.5,nf,function()
if not g_title then
g_tl.tl_next=2
g_title=true
end
end)
end
function game_init(a)
g_title=true
g_stats.coins=0
g_level_coins=0
g_level_max_coins=0
g_cur_level=0
g_hard=false
g_endless=false
levelnext()
end
function game_update(a)
allocate_level(g_blocks,g_block_context,g_bucket_control.y+3)
g_card_shake_x=0
batch_call_new(
acts_loop,[[138]],g_act_arrs["col"],
function(x,y)
return x>=g_cur_room.x and x<g_cur_room.x+g_cur_room.w and
y>=g_cur_room.y and y<g_cur_room.y+g_cur_room.h and
g_blocks[flr(y)]and g_blocks[flr(y)][flr(x)]and
g_blocks[flr(y)][flr(x)].id=="solid"
end
)
batch_call_new(acts_loop,[[139]])
end
function isorty(t)
if t then
for n=2,#t do
local i=n
while i>1 and t[i].y<t[i-1].y do
t[i],t[i-1]=t[i-1],t[i]
i=i-1
end
end
end
end
function game_draw(a)
fade(g_card_fade)
map_draw(g_main_view,8+g_card_shake_x*sin(t()*8)/8,7.5)
camera_to_view(g_main_view)
if g_menu_open then
if g_selected==5 then g_pl.outline_color=SL_UI end
g_pl.d(g_pl)
end
camera()
acts_loop("above_map_post_camera_drawable","d")
spr(41,14,120)
zprint(":"..(g_stats.coins+g_level_coins),21,121,-1,10,5)
end
function logo_draw(a)
local logo_opacity=8+cos(a.tl_tim/a.tl_max_time)*4-4
fade(logo_opacity)
camera(logo_opacity>1 and rnd_one())
zspr(108,a.x,a.y,4,2)
fade"0"
camera()
end
function _update60()
tl_node(g_tl)
end
function _draw()
cls()
call_not_nil(g_tl,"d",g_tl)
end
function shiftx(view)
return(view.x-view.off_x-8)*8
end
function shifty(view)
return(view.y-view.off_y-8)*8
end
function camera_to_view(view)
camera(shiftx(view),shifty(view))
end
function map_draw(view,x,y)
if view then
local rx=x-view.w/2
local ry=y-view.h/2
view.off_x=-(16-view.w)/2+rx
view.off_y=-(16-view.h)/2+ry
local x1,x2=rx*8+4,(rx+view.w)*8-5
local y1,y2=ry*8+4,(ry+view.h)*8-5
camera_to_view(view)
zclip(x1,y1,x2,y2)
zcls(g_cur_room.c)
batch_call_new(acts_loop,[[140]])
draw_lvl_blocks(g_blocks)
isorty(g_act_arrs.drawable)
batch_call_new(acts_loop,[[141]])
clip()
camera()
end
end |
require('github-theme').setup({
-- theme_style = "dark",
theme_style = "dark_default",
dark_sidebar = true,
transparent = true,
-- Change the "hint" color to the "orange" color, and make the "error" color bright red
-- colors = { hint = "orange", error = "#ff0000" },
-- comment_style = "NONE",
-- keyword_style = "NONE",
-- function_style = "NONE",
-- variable_style = "NONE"
})
|
return function (s, session)
if session['pos'] > 0 then
file.open(session['file'])
file.seek('set', session['pos'])
end
local contents = file.read(1000)
file.close()
if session['pos'] > 0 then
s:send(contents)
else
s:send(header(200, session['gz']) .. contents)
end
if string.len(contents) < 1000 then
session['file'] = nil
session['pos'] = nil
session['gz'] = nil
else
session['pos'] = session['pos'] + 1000
end
end
|
object_mobile_target_dummy_blacksun = object_mobile_shared_target_dummy_blacksun:new {
}
ObjectTemplates:addTemplate(object_mobile_target_dummy_blacksun, "object/mobile/target_dummy_blacksun.iff")
|
os.loadAPI("build/build.lua");
--API Aliases
function fif(cond, a, b) return build.fif(cond, a, b); end
function stairs(dir, inv) return build.getStairs(dir, inv); end
function dirMap(turns) return build.dirMap(turns); end
--c = build.coord(0, 71, 0);
centerPos = build.coord(-96, 210, -9);
--l = build.coord(c.x + 0, c.y - 3, c.z + 24);
height = 8;
function land(pos)
local D, U, N, S, W, E = dirMap(turns);
local body = pos:cuboid():grohor(16):gro(D, 8):dwn():box();
body:shr():up():filla(build.blockState("minecraft:grass", "snowy=false"));
body:top():up():fence();
--Staircase and railing
--[[build.pillarCuboid(c.x - 2, c.y - 2, c.z + 12, c.x + 2, c.y - 1, c.z + 16);
build.erase(c.x - 1, c.y - 2, c.z + 14, c.x + 1, c.y + 1, c.z + 16);
build.staircase(c.x - 1, c.z + 13, c.x + 1, c.z + 14, c.y - 2, build.stairs, {build.DIR.S});
build.fence(c.x - 2, c.z + 12, c.x + 2, c.z + 16, c.y, {build.DIR.W, build.DIR.E});]]--
--Lower doors
--build.bigDoor(c.x + 11, c.y - 8, c.z + 16, build.DIR.S, {"l"});
--build.bigDoor(c.x - 11, c.y - 8, c.z + 16, build.DIR.S, {"l"});
--Staircase from lower door
--[[build.pillarCuboid(c.x + 2, c.y - 8, c.z + 8, c.x + 12, c.y - 1, c.z + 12);
build.fill(c.x + 11, c.y - 8, c.z + 8, c.x + 13, c.y - 2, c.z + 12, build.stone);
build.erase(c.x + 3, c.y - 7, c.z + 9, c.x + 11, c.y, c.z + 11);
build.erase(c.x + 12, c.y - 7, c.z + 9, c.x + 12, c.y - 2, c.z + 11);
build.erase(c.x + 10, c.y - 8, c.z + 12, c.x + 12, c.y - 4, c.z + 15);
build.staircase(c.x + 3, c.z + 9, c.x + 9, c.z + 11, c.y - 7, build.stairs, {build.DIR.E});
build.doorHole(c.x + 11, c.y - 7, c.z + 12, 4, 3, build.DIR.S, {"s"});
build.put(c.x + 11, c.y - 4, c.z + 14, build.blockState("rustic:chain", ""));
build.lamp(c.x + 11, c.y - 5, c.z + 14, build.DIR.D);
build.fence(c.x + 2, c.z + 8, c.x + 12, c.z + 12, c.y, { build.DIR.S, build.DIR.N, build.DIR.E });]]--
--Sidewalk
--[[build.fill(c.x - 2, c.y - 1, c.z + 8, c.x + 2, c.y - 1, c.z + 12, build.stone);
build.loop(c.x - 2, c.z + 8, c.x + 2, c.z + 12, c.y - 1, build.stonechisel, build.stonepaver);]]--
end
function foundation(pos)
local D, U, N, S, W, E = dirMap(turns);
pos:cuboid():grohor(8):gro(U):gro(D):filla(build.stone);
end
function exterior(pos)
local D, U, N, S, W, E = dirMap(turns);
local body = pos:cuboid():grohor(8):loop(build.stone);
body = body:up():gro(U,7):box();
body:shr():erase();
body:top():shrhor(2):erase();
--[[for i,dir in pairs(build.DIR.HORIZONTALS) do
build.bigDoor(c.x + (dir.x * 8), c.y + 1, c.z + (dir.z * 8), dir, {"s", "l"});
end
build.loop(c.x - 7, c.z - 7, c.x + 7, c.z + 7, c.y + height, build.stoneknot);
build.fill(c.x - 6, c.y + height, c.z - 6, c.x + 6, c.y + height, c.z + 6, build.glass);
--Windows
for _,crn in pairs(build.corners(c.x, c.y, c.z, 1)) do
build.fill(c.x + (crn.x * 5), c.y + 3, c.z + (crn.z * 8), c.x + (crn.x * 5), c.y + height - 2, c.z + (crn.z * 8), build.glass);
build.fill(c.x + (crn.x * 8), c.y + 3, c.z + (crn.z * 5), c.x + (crn.x * 8), c.y + height - 2, c.z + (crn.z * 5), build.glass);
end
--Building Top
build.loop(c.x - 3, c.z - 3, c.x + 3, c.z + 3, c.y + height + 1, build.stonerailing);
for _,crn in pairs(build.corners(0, 0, 0, 1)) do
build.put(c.x + (crn.x * 3), c.y + height + 2, c.z + (crn.z * 3), build.stonerailing);
build.put(c.x + (crn.x * 3), c.y + height + 3, c.z + (crn.z * 3), build.stonerailing);
end
for _,p in pairs(build.DIR.HORIZONTALS) do
build.fill(c.x + (p.x * 3), c.y + height + 2, c.z + (p.z * 3), c.x + (p.x * 3), c.y + height + 3, c.z + (p.z * 3), build.stonerailing);
end
build.loop(c.x - 3, c.z - 3, c.x + 3, c.z + 3, c.y + height + 4, build.stonerailing);
build.roof(c.x - 3, c.z - 3, c.x + 3, c.z + 3, c.y + height + 5, build.roofing, build.DIR.HORIZONTALS);
build.put(c.x, c.y + height + 8, c.z, build.stonechisel);
build.put(c.x, c.y + height + 9, c.z, build.stonerosette);
build.put(c.x, c.y + height + 10, c.z, build.stonerailing);
build.fill(c.x, c.y + height + 11, c.z, c.x, c.y + height + 13, c.z, build.lattice);
--Railing and posts around top edge
build.fence(c.x - 8, c.z - 8, c.x + 8, c.z + 8, c.y + height + 1);
for _,crn in pairs(build.corners(c.x, c.y, c.z, 1)) do
build.fill(c.x + (crn.x * 8), c.y + height + 1, c.z + (crn.z * 8), c.x + (crn.x * 8), c.y + height + 2, c.z + (crn.z * 8), build.stonechisel);
build.put(c.x + (crn.x * 8), c.y + height + 3, c.z + (crn.z * 8), build.stonerosette);
build.put(c.x + (crn.x * 8), c.y + height + 4, c.z + (crn.z * 8), build.stonerailing);
build.fill(c.x + (crn.x * 8), c.y + height + 5, c.z + (crn.z * 8), c.x + (crn.x * 8), c.y + height + 6, c.z + (crn.z * 8), build.lattice);
end]]--
end
function interior(pos)
local D, U, N, S, W, E = dirMap(turns);
--Interior Pillars
--[[
for _,crn in pairs(build.corners(0, 0, 0, 1)) do
build.pillar(c.x + (crn.x * 3), c.y + 1, c.z + (crn.z * 3), height - 1);
build.pillar(c.x + (crn.x * 3), c.y + 1, c.z + (crn.z * 7), height - 1);
build.pillar(c.x + (crn.x * 7), c.y + 1, c.z + (crn.z * 3), height - 1);
end
build.loop(c.x - 3, c.z - 3, c.x + 3, c.z + 3, c.y + height, build.stonechisel, build.colFoot);]]--
--Flooring
--build.checker(c.x - 7, c.z - 7, c.x + 7, c.z + 7, c.y);
end
function furnish(pos)
local D, U, N, S, W, E = dirMap(turns);
--Build map display
build.map5x5(pos.x, pos.y + 3, pos.z);
--build.fill(c.x - 2, c.y + 1, c.z - 3, c.x + 2, c.y + 1, c.z - 3, build.stonewide);
--build.fill(c.x - 2, c.y + height - 1, c.z - 3, c.x + 2, c.y + height - 1, c.z - 3, build.stoneknot);
end
function mapBuilding(pos)
land(pos);
foundation(pos);
exterior(pos);
interior(pos);
furnish(pos);
end
function landing()
build.pillarCuboid(l.x - 6, l.y - 6, l.z - 8, l.x + 6, l.y, l.z + 6);
build.fence(l.x - 6, l.z - 8, l.x + 6, l.z + 6, l.y + 1);
build.loop(l.x - 4, l.z - 4, l.x + 4, l.z + 4, l.y, build.stonechisel);
build.put(l.x, l.y, l.z, build.stonerosette);
for _,corn in pairs(build.corners(l.x, l.y + 1, l.z, 3)) do
build.lamppost(corn.x, corn.y, corn.z);
end
build.erase(l.x - 2, l.y + 1, l.z + 6, l.x + 2, l.y + 2, l.z + 6);
end
function setupSecurity()
ccp = build.getPos();
build.put(ccp.x, ccp.y + 1, ccp.z, build.sentinel);
sentinel = peripheral.wrap("top");
sentinel.addCuboidBounds("spawn", "test", c.x - 16, c.y - 32, c.z - 16, c.x + 16, c.y + 64, c.z + 16);
sentinel.addCuboidBounds("blast", "test", c.x - 16, c.y - 32, c.z - 16, c.x + 16, c.y + 64, c.z + 16);
sentinel.addCuboidBounds("break", "test", c.x - 16, c.y - 32, c.z - 16, c.x + 16, c.y + 64, c.z + 16);
sentinel.addCuboidBounds("place", "test", c.x - 16, c.y - 32, c.z - 16, c.x + 16, c.y + 64, c.z + 16);
sentinel.addCuboidBounds("ender", "test", c.x - 16, c.y - 32, c.z - 16, c.x + 16, c.y + 64, c.z + 16);
build.put(ccp.x, ccp.y + 1, ccp.z, build.air);
commands.setworldspawn(l.x, l.y + 1, l.z);
end
function setBiome()
build.put(ccp.x, ccp.y + 1, ccp.z, build.terraformer);
terra = peripheral.wrap("top");
terra.setBiome(-16, -16, 16, 16, 2);
end
--landing();
mapBuilding(centerPos);
--setupSecurity();
--/summon Item -100 71 278 {Item:{id:"dynamictrees:acaciaseed",Count:1,tag:{lifespan:100,forceplant:true,code:JOJxOJxJ+v0nf1t+k06+S1+nXb1+nf1uvy7+k0+XfyWnXb1+nf0mU7ny1uvXWnWvXet1770717} }}
|
--> Settings
local NUM = "28"; --> The number used to "protect" remotes.
local PATH = game:GetService("ReplicatedStorage").D4.D4;
local STRINGED_PATH = "game:GetService(\"ReplicatedStorage\").D4.D4";
local console = loadstring(game:HttpGet("https://raw.githubusercontent.com/RobloxArchiver/Console/main/src/main.lua"))():Init(true, "BrookDumper");
console.log("local offsets = {", "blue");
for _i, offset in pairs(PATH:GetChildren()) do
local OffsetName = string.lower(offset.Name);
local FullOffsetName = offset.Name;
local OffsetPath = offset:GetFullName();
if offset:IsA("BindableEvent") then
console.log(" " .. string.gsub(OffsetName, NUM, "") .. " = " .. STRINGED_PATH .. "[\"" .. FullOffsetName .. "\"]; --> BindableEvent", "light_green");
elseif offset:IsA("RemoteEvent") then
console.log(" " .. string.gsub(OffsetName, NUM, "") .. " = " .. STRINGED_PATH .. "[\"" .. FullOffsetName .. "\"]; --> RemoteEvent", "yellow");
elseif offset:IsA("RemoteFunction") then
console.log(" " .. string.gsub(OffsetName, NUM, "") .. " = " .. STRINGED_PATH .. "[\"" .. FullOffsetName .. "\"]; --> RemoteFunction", "light_magenta");
end;
end;
console.log("}", "blue"); |
local component = require("component")
local event = require("event")
local function onComponentAvailable(_, componentType)
if (componentType == "screen" and component.isAvailable("gpu")) or
(componentType == "gpu" and component.isAvailable("screen"))
then
component.gpu.bind(component.screen.address)
local depth = 2^(component.gpu.getDepth())
os.setenv("TERM", "term-"..depth.."color")
require("computer").pushSignal("gpu_bound", component.gpu.address, component.screen.address)
end
end
event.listen("component_available", onComponentAvailable)
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.