content
stringlengths
5
1.05M
--These need to be defined here because the global variable doesn't exist when this file is parsed. local research_size_steps = settings.startup["TS_research_size"].value local research_speed_steps = settings.startup["TS_research_speed"].value local baseHP = settings.startup["TS_base_shield"].value local base_charge = settings.startup["TS_base_charge_rate"].value local max_research_lvl = settings.startup["TS_max_research_level"].value local inverted_size_steps = 1 / research_size_steps local inverted_speed_steps = 1 / research_speed_steps data:extend({ { type = "technology", name = "turret-shields-base", icon = "__KingsTurret-Shields__/graphics/base-research.png", icon_size = 128, effects ={ { type = "unlock-recipe", recipe = "ts-shield-disabler" }, { type = "unlock-recipe", recipe = "turret-shield-combinator" }}, prerequisites = {"military-2", "gun-turret"}, unit = { count = 75, ingredients = { {"automation-science-pack", 1}, {"logistic-science-pack", 1}, }, time = 30 }, upgrade = false, enabled = true, order = "e-l-a" },------------------------------------------------------------------------------------------------------------------------------- { type = "technology", name = "turret-shields-size", icon = "__KingsTurret-Shields__/graphics/size-research.png", icon_size = 128, effects = {{ type = "nothing", effect_description = {"modifier-description.turret-shields-size"}, }}, prerequisites = {"turret-shields-base"}, unit = { count_formula = baseHP * 2.5 .. "*10^(L*" .. inverted_size_steps .. ")-" .. baseHP * 2.5 .. "*" .. inverted_size_steps, ingredients = { {"automation-science-pack", 1}, {"logistic-science-pack", 1}, {"chemical-science-pack", 1}, {"production-science-pack", 1}, {"utility-science-pack", 1}, {"military-science-pack", 1}, {"space-science-pack", 1} }, time = 60 }, max_level = max_research_lvl, upgrade = true, enabled = true, order = "e-l-a" }, { type = "technology", name = "turret-shields-speed", icon = "__KingsTurret-Shields__/graphics/speed-research.png", icon_size = 128, effects = {{ type = "nothing", effect_description = {"modifier-description.turret-shields-speed"}, }}, prerequisites = {"turret-shields-base"}, unit = { --Factorio doesn't support division, so we have to get creative. --OG formula assuming 200 base shields and 54/s recharge. 9 research steps per order of magnitude --500 * 10^(L / 9) - 54 / 9 count_formula = base_charge * 25 .. "*10^(L*" .. inverted_speed_steps .. ")-" .. base_charge * 25 .. "*" .. inverted_speed_steps, ingredients = { {"automation-science-pack", 1}, {"logistic-science-pack", 1}, {"chemical-science-pack", 1}, {"production-science-pack", 1}, {"utility-science-pack", 1}, {"military-science-pack", 1}, {"space-science-pack", 1} }, time = 60 }, max_level = max_research_lvl, upgrade = true, enabled = true, order = "e-l-a" } })
local class = require("heart.class") local heartMath = require("heart.math") local heartTable = require("heart.table") local M = class.newClass() function M:init(resourceLoaders, config) self.resourceLoaders = resourceLoaders or {} config = config or {} self.emptyConfig = {} self.domains = {} self.componentManagers = {} self.componentIndices = {} self.nextEntityId = 1 self.componentEntitySets = {} self.componentCounts = {} self.entityComponentSets = {} self.entityParents = {} self.entityChildSets = {} self.eventSystemSets = {} self.eventSystemFilenameSets = {} if config.domains then for i, domainConfig in ipairs(config.domains) do local domainType = assert(domainConfig.domainType, "Missing domain type") local domainClass = require(domainConfig.class) self.domains[domainType] = domainClass.new(self, domainConfig) end end if config.componentManagers then for i, managerConfig in ipairs(config.componentManagers) do local componentType = assert(managerConfig.componentType, "Missing component type") local managerClass = require(managerConfig.class) local manager = managerClass.new(self, managerConfig) self.componentManagers[componentType] = manager self.componentIndices[componentType] = i self.componentEntitySets[componentType] = {} self.componentCounts[componentType] = 0 end end if config.systems then for eventType, systemConfigs in pairs(config.systems) do local systems = {} local systemFilenames = {} self.eventSystemSets[eventType] = systems self.eventSystemFilenameSets[eventType] = systemFilenames for i, systemConfig in ipairs(systemConfigs) do local systemClass = require(systemConfig.class) local system = systemClass.new(self, systemConfig) systems[#systems + 1] = system systemFilenames[#systemFilenames + 1] = systemConfig.class end end end if config.entities then for i, entityConfig in ipairs(config.entities) do self:createEntity(nil, entityConfig) end end end function M:handleEvent(eventType, ...) local systems = self.eventSystemSets[eventType] if systems then local eventTime = love.timer.getTime() local systemFilenames = self.eventSystemFilenameSets[eventType] local systemTimes = {} local result = nil for i, system in ipairs(systems) do local systemTime = love.timer.getTime() result = system:handleEvent(...) systemTime = love.timer.getTime() - systemTime systemTimes[#systemTimes + 1] = {systemTime, systemFilenames[i]} if result then break end end eventTime = love.timer.getTime() - eventTime -- print(string.format("%s %.6f", eventType, eventTime)) table.sort(systemTimes, function(a, b) return a[1] > b[1] end) for i = 1, math.min(#systemTimes, 10) do local systemTime, systemFilename = unpack(systemTimes[i]) -- print(string.format(" %.6f %s", systemTime, systemFilename)) end return result end end function M:generateEntityId() local entityId = self.nextEntityId self.nextEntityId = self.nextEntityId + 1 return entityId end function M:createEntity(parentId, config) local entityId = config.id if entityId then assert( not self.entityParents[entityId] and not self.entityChildSets[entityId] and not self.entityComponentSets[entityId], "Entity already exists") else entityId = self:generateEntityId() end parentId = parentId or config.parent self:setEntityParent(entityId, parentId) local componentConfigs = config.components if componentConfigs then local componentTypes = heartTable.keys(componentConfigs) local componentIndices = self.componentIndices for i, componentType in ipairs(componentTypes) do if not componentIndices[componentType] then error("No such component: " .. componentType) end end table.sort(componentTypes, function(a, b) return componentIndices[a] < componentIndices[b] end) for i, componentType in ipairs(componentTypes) do local componentConfig = componentConfigs[componentType] self:createComponent(entityId, componentType, componentConfig) end end if config.children then for i, childConfig in ipairs(config.children) do self:createEntity(entityId, childConfig) end end return entityId end function M:destroyEntity(entityId) local children = self.entityChildSets[entityId] if children then local childIds = heartTable.keys(children) table.sort(childIds) for i = #childIds, 1, -1 do self:destroyEntity(childIds[i]) end end local components = self.entityComponentSets[entityId] if not components then return false end local componentTypes = heartTable.keys(components) local componentIndices = self.componentIndices table.sort(componentTypes, function(a, b) return componentIndices[a] > componentIndices[b] end) for i, componentType in ipairs(componentTypes) do self:destroyComponent(entityId, componentType) end self:setEntityParent(entityId, nil) return true end function M:createComponent(entityId, componentType, config) config = config or self.emptyConfig local componentManager = self.componentManagers[componentType] if not componentManager then error("No such component: " .. componentType) end local components = self.entityComponentSets[entityId] if components and components[componentType] then error("Component already exists: " .. componentType) end local component = componentManager:createComponent(entityId, config) if not components then components = {} self.entityComponentSets[entityId] = components end components[componentType] = true self.componentEntitySets[componentType][entityId] = true self.componentCounts[componentType] = self.componentCounts[componentType] + 1 return component end function M:destroyComponent(entityId, componentType) local componentManager = self.componentManagers[componentType] if not componentManager then error("No such component: " .. componentType) end local components = self.entityComponentSets[entityId] if not components or not components[componentType] then return false end componentManager:destroyComponent(entityId) components[componentType] = nil if not next(components) then self.entityComponentSets[entityId] = nil end self.componentEntitySets[componentType][entityId] = nil self.componentCounts[componentType] = self.componentCounts[componentType] - 1 return true end function M:setEntityParent(entityId, parentId) local currentParentId = self.entityParents[entityId] if parentId ~= currentParentId then if currentParentId then local siblings = assert(self.entityChildSets[currentParentId]) siblings[entityId] = nil if not next(siblings) then self.entityChildSets[currentParentId] = nil end end self.entityParents[entityId] = parentId if parentId then local siblings = self.entityChildSets[parentId] if not siblings then siblings = {} self.entityChildSets[parentId] = siblings end siblings[entityId] = true end end end function M:findAncestorComponent( entityId, componentType, minDistance, maxDistance) minDistance = minDistance or 0 maxDistance = maxDistance or math.huge local parents = self.entityParents local componentSets = self.entityComponentSets local distance = 0 while entityId and distance < minDistance do entityId = parents[entityId] distance = distance + 1 end while entityId and distance <= maxDistance do local components = componentSets[entityId] if components and components[componentType] then return entityId end entityId = parents[entityId] distance = distance + 1 end return nil end function M:findDescendantComponents( entityId, componentType, minDistance, maxDistance, descendants) minDistance = minDistance or 0 maxDistance = maxDistance or math.huge descendants = descendants or {} if minDistance <= 0 and maxDistance >= 0 then local components = self.entityComponentSets[entityId] if components and components[componentType] then descendants[#descendants + 1] = entityId end end if maxDistance >= 1 then local children = self.entityChildSets[entityId] if children then for childId in pairs(children) do self:findDescendantComponents( childId, componentType, minDistance - 1, maxDistance - 1, descendants) end end end return descendants end return M
require 'apache2' require 'string' function handle(r) r.content_type = "text/plain" r:info("hello from lua module"); if r.method == 'POST' then for k, v in pairs( r:parsebody() ) do r:puts( string.format("%s: %s\n", k, v) ) end else return 501 end return apache2.OK end
require 'depparser_rerank' require 'utils' require 'dict' require 'xlua' require 'dpiornn_gen' require 'dp_spec' torch.setnumthreads(1) if #arg >= 3 then treebank_path = arg[2] kbesttreebank_path = arg[3] output = arg[4] print('load net') local net = IORNN:load(arg[1]) -- print(net.Wh:size()) print('create parser') local parser = Depparser:new(net.voca_dic, net.pos_dic, net.deprel_dic) -- local u = arg[1]:find('/model') -- if u == nil then parser.mail_subject = path -- else parser.mail_subject = arg[1]:sub(1,u-1) end --print(parser.mail_subject) print('eval') print('\n\n--- oracle-best ---') parser:eval('best', kbesttreebank_path, treebank_path, output..'.oracle-best') print('\n\n--- oracle-worst ---') parser:eval('worst', kbesttreebank_path, treebank_path, output..'.oracle-worst') print('\n\n--- first ---') parser:eval('first', kbesttreebank_path, treebank_path, output..'.first') print('\n\n--- rescore ---') parser:eval(net, kbesttreebank_path, treebank_path, kbesttreebank_path..'.iornnscores') print('\n\n--- mix. reranking ---') parser:eval(kbesttreebank_path..'.iornnscores', kbesttreebank_path, treebank_path, output..'.reranked') else print("[net] [gold/input] [kbest] [output]") end
--[[ Netherstorm -- Sundered Rumbler.lua This script was written and is protected by the GPL v2. This script was released by BlackHer0 of the BLUA Scripting Project. Please give proper accredidations when re-releasing or sharing this script with others in the emulation community. ~~End of License Agreement -- BlackHer0, Oktober, 26th, 2008. ]] function Sundered_Rumbler_OnCombat(Unit, Event) Unit:RegisterEvent("Sundered_Rumbler_Summon_Sundered_Shard", 8000, 0) end function Sundered_Rumbler_OnLeaveCombat(Unit, Event) Unit:RemoveEvents() end function Sundered_Rumbler_OnKillTarget(Unit, Event) Unit:RemoveEvents() end function Sundered_Rumbler_OnDeath(Unit, Event) Unit:RemoveEvents() end RegisterUnitEvent(18881, 1, "Sundered_Rumbler_OnCombat") RegisterUnitEvent(18881, 2, "Sundered_Rumbler_OnLeaveCombat") RegisterUnitEvent(18881, 3, "Sundered_Rumbler_OnKillTarget") RegisterUnitEvent(18881, 4, "Sundered_Rumbler_OnDeath") function Sundered_Rumbler_Summon_Sundered_Shard(Unit, Event) Unit:CastSpell(35310) local X = Unit:GetX() local Y = Unit:GetY() local Z = Unit:GetZ() local O = Unit:GetO() Unit:SpawnCreature(20498, X, Y, Z, O, 35, 0) end
----------------------------------- -- Area: Tavnazian Safehold -- NPC: Resauchamet -- Standard Info NPC ----------------------------------- function onTrade(player, npc, trade) end function onTrigger(player, npc) local kill=player:getCharVar("FOMOR_HATE") local n=0 if (kill< 8) then n=0 elseif (kill< 15) then n=1 elseif (kill< 50) then n=2 elseif (kill>= 50) then n=3 end player:startEvent(355, n) end function onEventUpdate(player, csid, option) end function onEventFinish(player, csid, option) end
-- Translation by KiriX local strings = { -- LuiExtended.lua SI_LUIE_ERROR_FONT = "LUI Extended: Возникла проблема с выбором шрифта. Возвращение к настройкам по умолчанию.", SI_LUIE_ERROR_SOUND = "LUI Extended: Возникла проблема с выбором звука. Возвращение к настройкам по умолчанию.", -- bindings.xml SI_BINDING_NAME_LUIE_COMMAND_BANKER = "Призвать Банкира", SI_BINDING_NAME_LUIE_COMMAND_MERCHANT = "Призвать Торговца", SI_BINDING_NAME_LUIE_COMMAND_FENCE = "Призвать Воровку", SI_BINDING_NAME_LUIE_COMMAND_READY_CHECK = "Запустить проверку готовности", SI_BINDING_NAME_LUIE_COMMAND_HOME = "Переместиться в основной дом", SI_BINDING_NAME_LUIE_COMMAND_REGROUP = "Перегруппироваться (Распустить & Собраться)", SI_BINDING_NAME_LUIE_COMMAND_OUTFIT_1 = "Экипировать наряд из ячейки 1", SI_BINDING_NAME_LUIE_COMMAND_OUTFIT_2 = "Экипировать наряд из ячейки 2", SI_BINDING_NAME_LUIE_COMMAND_OUTFIT_3 = "Экипировать наряд из ячейки 3", SI_BINDING_NAME_LUIE_COMMAND_OUTFIT_4 = "Экипировать наряд из ячейки 4", SI_BINDING_NAME_LUIE_COMMAND_OUTFIT_5 = "Экипировать наряд из ячейки 5", SI_BINDING_NAME_LUIE_COMMAND_OUTFIT_6 = "Экипировать наряд из ячейки 6", SI_BINDING_NAME_LUIE_COMMAND_OUTFIT_7 = "Экипировать наряд из ячейки 7", SI_BINDING_NAME_LUIE_COMMAND_OUTFIT_8 = "Экипировать наряд из ячейки 8", SI_BINDING_NAME_LUIE_COMMAND_OUTFIT_9 = "Экипировать наряд из ячейки 9", SI_BINDING_NAME_LUIE_COMMAND_OUTFIT_10 = "Экипировать наряд из ячейки 10", -- SlashCommands.lua SI_LUIE_SLASHCMDS_CAMPAIGN_QUEUE = "В очереди в кампанию <<1>>...", SI_LUIE_SLASHCMDS_CAMPAIGN_FAILED_BG = "Вы не вставь в очередь в кампанию, находясь на Поле сражения.", SI_LUIE_SLASHCMDS_CAMPAIGN_FAILED_NOT_ENTERED = "Введённой вами название кампании не является названием вашей домашней или гостевой кампании.", SI_LUIE_SLASHCMDS_CAMPAIGN_FAILED_NONAME = "Вы должны ввести название вашей гостевой или домашней кампании, чтобы встать в очередь.", SI_LUIE_SLASHCMDS_CAMPAIGN_FAILED_WRONGCAMPAIGN = "Вы ввели недопустимой название кампании.", SI_LUIE_SLASHCMDS_FRIEND_FAILED_NONAME = "Вы должны ввести аккаунт или имя персонажа, чтобы добавить его в друзья.", SI_LUIE_SLASHCMDS_FRIEND_REMOVE_FAILED_NONAME = "Вы должны ввести аккаунт или имя персонажа, находящегося сейчас в сети, чтобы убрать его из друзей.", SI_LUIE_SLASHCMDS_FRIEND_INVITE_MSG = "Вы пригласили игрока \"<<1>>\" стать вашим другом.", SI_LUIE_SLASHCMDS_FRIEND_INVITE_MSG_LINK = "Вы пригласили игрока \"|cFEFEFE<<1>>|r\" стать вашим другом.", SI_LUIE_SLASHCMDS_HOME_TRAVEL_FAILED_AVA = "Вы не можете переместить к себе домой, находясь в Сиродиле.", SI_LUIE_SLASHCMDS_HOME_TRAVEL_FAILED_BG = "Вы не можете переместить к себе домой, находясь на Поле сражения.", SI_LUIE_SLASHCMDS_HOME_TRAVEL_FAILED_IN_COMBAT = "Вы не можете переместить к себе домой, находясь в бою.", SI_LUIE_SLASHCMDS_HOME_TRAVEL_FAILED_NOHOME = "У вас не назначен основной дом.", SI_LUIE_SLASHCMDS_HOME_TRAVEL_SUCCESS_MSG = "Перемещение в основной дом...", SI_LUIE_SLASHCMDS_DISBAND_FAILED_BG = "Вы не можете распустить группу, находясь на Поле сражения.", SI_LUIE_SLASHCMDS_DISBAND_FAILED_LFG_ACTIVITY = "Вы не можете распустить LFG-группу.", SI_LUIE_SLASHCMDS_DISBAND_FAILED_NOGROUP = "У вас нет группы, чтобы распустить её.", SI_LUIE_SLASHCMDS_DISBAND_FAILED_NOTLEADER = "Вы должны быть лидером группы, чтобы распустить её.", SI_LUIE_SLASHCMDS_IGNORE_FAILED_ALREADYIGNORE = "Этот игрок уже игнорируется.", SI_LUIE_SLASHCMDS_IGNORE_FAILED_NONAME = "Вы должны ввести аккаунт или имя персонажа, чтобы добавить его в список игнорирования.", SI_LUIE_SLASHCMDS_IGNORE_FAILED_NONAME_REMOVE = "Вы должны ввести аккаунт, чтобы убрать его из списка игнорирования.", SI_LUIE_SLASHCMDS_KICK_FAILED_NOGROUP = "Вы должны быть в группе, чтобы попытаться исключить члена группы.", SI_LUIE_SLASHCMDS_KICK_FAILED_LFG = "Вы должны голосовать за изгнание члена группы, пока состоите в LFG-группе.", SI_LUIE_SLASHCMDS_KICK_FAILED_SELF = "Вы не можете начать голосование за исключение из группы самого себя.", SI_LUIE_SLASHCMDS_KICK_FAILED_NONAME = "Вы должны ввести имя члена группы, чтобы удалить его.", SI_LUIE_SLASHCMDS_KICK_FAILED_NOVALIDGUILDACC_INV = "Вы должны ввести номер гильдии, а затем аккаунт или имя персонажа, чтобы пригласить его в гильдию.", SI_LUIE_SLASHCMDS_KICK_FAILED_NOVALIDGUILDACC_KICK = "Вы должны ввести номер гильдии, а затем аккаунт или имя персонажа, чтобы исключить его из гильдии.", SI_LUIE_SLASHCMDS_KICK_FAILED_NOVALIDGUILD_LEAVE = "Вы должны ввести корректный номер гильдии. чтобы покинуть её.", SI_LUIE_SLASHCMDS_KICK_FAILED_NOVALIDNAME = "Не удаётся найти целевого игрока, чтобы исключить его из группы.", SI_LUIE_SLASHCMDS_KICK_FAILED_NOVALIDNAME_GUILD = "Не удаётся найти целевого игрока, чтобы исключить его из гильдии.", SI_LUIE_SLASHCMDS_REGROUP_FAILED_BG = "Перегруппировка: Вы не можете начать перегруппировку, находясь на Поле сражения.", SI_LUIE_SLASHCMDS_REGROUP_FAILED_LFGACTIVITY = "Перегруппировка: Вы не можете начать перегруппировку, находясь в LFG-группе.", SI_LUIE_SLASHCMDS_REGROUP_FAILED_NOTINGRP = "Перегруппировка: Вы должны быть в группе чтобы сделать это.", SI_LUIE_SLASHCMDS_REGROUP_FAILED_NOTLEADER = "Перегруппировка: Вы должны быть лидером группы, чтобы сделать это.", SI_LUIE_SLASHCMDS_REGROUP_FAILED_PENDING = "Перегруппировка: Перегруппировка уже запущена, подождите её завершения, чтобы попробовать снова.", SI_LUIE_SLASHCMDS_REGROUP_REINVITE_MSG = "Перегруппировка: Переприглашение членов группы:", SI_LUIE_SLASHCMDS_REGROUP_REINVITE_SENT_MSG = "Перегруппировка: Приглашён → <<1>>", SI_LUIE_SLASHCMDS_REGROUP_SAVED_MSG = "Перегруппировка: Группа сохранена! Перегруппировка...", SI_LUIE_SLASHCMDS_REGROUP_SAVED_ALL_OFF_MSG = "Перегруппировка: Члены группы не находятся в сети или не могут снова вступить в группу. Группа не была расформирована.", SI_LUIE_SLASHCMDS_REGROUP_SAVED_SOME_OFF_MSG = "Перегруппировка: Группа сохранена! <<1>> членов группы были не в сети, они не будут переприглашены.", SI_LUIE_SLASHCMDS_TRADE_FAILED_NONAME = "Вы должны ввести имя персонажа, с которым хотите торговать.", SI_LUIE_SLASHCMDS_VOTEKICK_FAILED_NOTLFGKICK = "Вы должны быть в LFG-группе, чтобы начать голосование за изгнание члена группы.", SI_LUIE_SLASHCMDS_VOTEKICK_FAILED_NONAME = "Вы должны ввести имя члена группы, чтобы начать голосование за его исключение.", SI_LUIE_SLASHCMDS_VOTEKICK_FAILED_BG = "Вы не можете начать голосование за исключение из группы игрока, находясь на Поле сражения.", SI_LUIE_SLASHCMDS_ASSISTANT_FAILED_AVA = "Вы не можете призвать помощника в Сиродиле.", SI_LUIE_SLASHCMDS_ASSISTANT_FAILED_BG = "Вы не можете призвать помощника на Поле сражения.", SI_LUIE_SLASHCMDS_ASSISTANT_FAILED_NOTUNLOCKED = "У вас не открыт <<1>>.", SI_LUIE_SLASHCMDS_READYCHECK_FAILED_NOTINGRP = "Вы должны быть в группе,чтобы запустить проверку готовности.", SI_LUIE_SLASHCMDS_OUTFIT_NOT_VALID = "Вы должны ввести корректный номер наряда, чтобы надеть его.", SI_LUIE_SLASHCMDS_OUTFIT_NOT_UNLOCKED = "У вас не разблокирована ячейка нарядов <<1>>.", SI_LUIE_SLASHCMDS_OUTFIT_CONFIRMATION = "Вы переключили свой наряд на: <<1>>.", -- InfoPanel.lua SI_LUIE_PNL_TRAINNOW = "Покормить", SI_LUIE_PNL_MAXED = "Макс.", -- SpellCastBuffs.lua SI_LUIE_SCB_WINDOWTITLE_PLAYERBUFFS = "Баффы игрока", SI_LUIE_SCB_WINDOWTITLE_PLAYERDEBUFFS = "Дебаффы игрока", SI_LUIE_SCB_WINDOWTITLE_PLAYERLONGTERMEFFECTS = "Длительные эффекты игрока", SI_LUIE_SCB_WINDOWTITLE_TARGETBUFFS = "Баффы цели", SI_LUIE_SCB_WINDOWTITLE_TARGETDEBUFFS = "Дебаффы цели", SI_LUIE_SCB_WINDOWTITLE_PROMINENTBUFFS = "Особые баффы", SI_LUIE_SCB_WINDOWTITLE_PROMINENTDEBUFFS = "Особые дебаффы", -- ChatAnnouncements.lua SI_LUIE_CA_CURRENCY_GOLD = " <<1[Золотой/Золота]>>", -- Have to create singular strings here to use to prevent plural quantities from being double s SI_LUIE_CA_CURRENCY_ALLIANCE_POINT = " <<1[Очко Альянса/Очков Альянса]>>", -- Have to create singular strings here to use to prevent plural quantities from being double s SI_LUIE_CA_CURRENCY_TELVAR_STONE = " <<1[Камень Тель-Вар/Камней Тель-Вар]>>", -- Have to create singular strings here to use to prevent plural quantities from being double s SI_LUIE_CA_CURRENCY_WRIT_VOUCHER = " <<1[Ваучер заказа/Ваучеров заказа]>>", -- Have to create singular strings here to use to prevent plural quantities from being double s SI_LUIE_CA_CURRENCY_TRANSMUTE_CRYSTAL = " <<1[Кристалл Трансмутации/Кристаллов Трансмутации]>>", -- Have to create singular strings here to use to prevent plural quantities from being double s SI_LUIE_CA_CURRENCY_EVENT_TICKET = " <<1[Билет события/Билетов события]>>", -- Have to create singular strings here to use to prevent plural quantities from being double s SI_LUIE_CA_CURRENCY_CROWN = " <<1[Крона/Кроны]>>", -- Have to create singular strings here to use to prevent plural quantities from being double s SI_LUIE_CA_CURRENCY_CROWN_GEM = " <<1[Кронный самоцвет/Кронных самоцветов]>>", -- Have to create singular strings here to use to prevent plural quantities from being double s SI_LUIE_CA_CURRENCY_OUTFIT_TOKENS = " <<1[Outfit Change Token/Outfit Change Tokens]>>", -- Have to create singular strings here to use to prevent plural quantities from being double s SI_LUIE_CA_DEBUG_MSG_CURRENCY = "Сработало переключение валюты по причине <<1>> - Пожалуйста, сообщите об этом в комментарии в теме LUI Extended на ESOUI.com, описав события, при которых возникло данное сообщение. Спасибо!", SI_LUIE_CA_DUEL_INVITE_ACCEPTED = "Вызов на дуэль принят.", SI_LUIE_CA_DUEL_INVITE_CANCELED = "Вызов на дуэль отменён.", SI_LUIE_CA_DUEL_INVITE_DECLINED = "Вызов на дуэль отклонён.", SI_LUIE_CA_DUEL_INVITE_FAILREASON1 = "|cFEFEFE<<1>>|r не доступен для дуэли.", SI_LUIE_CA_DUEL_INVITE_FAILREASON2 = GetString(SI_DUELINVITEFAILREASON2), SI_LUIE_CA_DUEL_INVITE_FAILREASON3 = GetString(SI_DUELINVITEFAILREASON3), SI_LUIE_CA_DUEL_INVITE_FAILREASON4 = "|cFEFEFE<<1>>|r не доступен для дуэли, поскольку он слишком далеко.", SI_LUIE_CA_DUEL_INVITE_FAILREASON5 = "Вы не можете вызвать на дуэль другого игрока, пока у вас висит вызов игроку |cFEFEFE<<1>>|r.", SI_LUIE_CA_DUEL_INVITE_FAILREASON6 = "Вы не можете вызвать на дуэль другого игрока, пока не ответите на вызов игрока |cFEFEFE<<1>>|r.", SI_LUIE_CA_DUEL_INVITE_FAILREASON7 = "Вы не можете вызвать на дуэль другого игрока, пока вы находитесь в дуэли с игроком |cFEFEFE<<1>>|r.", SI_LUIE_CA_DUEL_INVITE_FAILREASON8 = "|cFEFEFE<<1>>|r не доступен для дуэли, поскольку он вызвал на дуэль кого-то ещё.", SI_LUIE_CA_DUEL_INVITE_FAILREASON9 = "|cFEFEFE<<1>>|r не доступен для дуэли, поскольку он должен ответить на другой вызов.", SI_LUIE_CA_DUEL_INVITE_FAILREASON10 = "|cFEFEFE<<1>>|r не доступен для дуэли, поскольку находится в дуэли с другим игроком.", SI_LUIE_CA_DUEL_INVITE_FAILREASON11 = GetString(SI_DUELINVITEFAILREASON11), SI_LUIE_CA_DUEL_INVITE_FAILREASON12 = "|cFEFEFE<<1>>|r не доступен для дуэли, поскольку он мёртв.", SI_LUIE_CA_DUEL_INVITE_FAILREASON13 = GetString(SI_DUELINVITEFAILREASON13), SI_LUIE_CA_DUEL_INVITE_FAILREASON14 = "|cFEFEFE<<1>>|r не доступен для дуэли, поскольку он плывёт.", SI_LUIE_CA_DUEL_INVITE_FAILREASON15 = GetString(SI_DUELINVITEFAILREASON15), SI_LUIE_CA_DUEL_INVITE_FAILREASON16 = "|cFEFEFE<<1>>|r не доступен для дуэли, поскольку он в бою.", SI_LUIE_CA_DUEL_INVITE_FAILREASON17 = GetString(SI_DUELINVITEFAILREASON17), SI_LUIE_CA_DUEL_INVITE_FAILREASON18 = "|cFEFEFE<<1>>|r не доступен для дуэли, поскольку он занят ремеслом.", SI_LUIE_CA_DUEL_INVITE_FAILREASON19 = GetString(SI_DUELINVITEFAILREASON19), SI_LUIE_CA_DUEL_INVITE_FAILREASON20 = "Вы не можете бросить вызов на дуэль игроку, который только что отклонил ваш вызов на дуэль.", SI_LUIE_CA_DUEL_INVITE_FAILREASON21 = GetString(SI_DUELINVITEFAILREASON21), SI_LUIE_CA_DUEL_INVITE_FAILREASON22 = GetString(SI_DUELINVITEFAILREASON22), SI_LUIE_CA_DUEL_INVITE_PLAYER = "Вызвать на дуэль", SI_LUIE_CA_DUEL_INVITE_RECEIVED = "|cFEFEFE<<1>>|r вызвал вас на дуэль.", SI_LUIE_CA_DUEL_INVITE_SENT = "Вы вызвали |cFEFEFE<<1>>|r на дуэль.", SI_LUIE_CA_DUEL_NEAR_BOUNDARY_CSA = "Вы близки к границам проведения дуэли!", SI_LUIE_CA_DUEL_SELF_RESULT0 = "Вы проиграли дуэль!", SI_LUIE_CA_DUEL_SELF_RESULT1 = "Вы выиграли дуэль!", SI_LUIE_CA_DUEL_RESULT0 = "|cFEFEFE<<1>>|r проиграл дуэль.", SI_LUIE_CA_DUEL_RESULT1 = "|cFEFEFE<<1>>|r выиграл дуэль.", SI_LUIE_CA_DUEL_STARTED = "Дуэль началась!", SI_LUIE_CA_DUEL_STARTED_WITH_ICON = "<<1>> Дуэль началась!", SI_LUIE_CA_DUEL_STATE1 = "Вы ожидаете ответа на вызов на дуэль от игрока |cFEFEFE<<1>>|r.", SI_LUIE_CA_DUEL_STATE2 = "Вы должны ответить на вызов на дуэль от игрока |cFEFEFE<<1>>|r.", SI_LUIE_CA_ACHIEVEMENT_PROGRESS_MSG = "Достижение обновлено", SI_LUIE_CHAMPION_POINT_TYPE = "<<1>><<2>> <<3>> <<1[Очко/Очков]>>", SI_LUIE_CA_EXPERIENCE_MESSAGE = "Вы получили %s.", SI_LUIE_CA_EXPERIENCE_NAME = "<<1[очко/очков]>> опыта", SI_LUIE_CA_LVL_ANNOUNCE_CP = "Получено Очко чемпиона!", SI_LUIE_CA_LVL_ANNOUNCE_XP = "Вы достигли", SI_LUIE_CA_COLLECTIBLE = "Коллекция обновлена", SI_LUIE_CA_LOREBOOK_BOOK = "Книга открыта", SI_LUIE_CA_LOREBOOK_ADDED_CSA = "<<1>> добавлена в <<2>>", SI_LUIE_CA_LOREBOOK_ADDED_CA = "добавлена в", -- Have to add this extra string for CA, if we try to colorize the whole string with the link, it also colorizes our custom link type. SI_LUIE_CA_FRIENDS_FRIEND_ADDED = "<<1>> добавлен в друзья.", SI_LUIE_CA_FRIENDS_FRIEND_REMOVED = "<<1>> убран из друзей.", SI_LUIE_CA_FRIENDS_INCOMING_FRIEND_REQUEST = "<<1>> хочет быть вашим другом.", SI_LUIE_CA_FRIENDS_LIST_LOGGED_OFF = "|cFEFEFE<<1>>|r вышел.", SI_LUIE_CA_FRIENDS_LIST_LOGGED_ON = "|cFEFEFE<<1>>|r вошёл.", SI_LUIE_CA_FRIENDS_LIST_CHARACTER_LOGGED_OFF = "|cFEFEFE<<1>>|r вышел из игры персонажем |cFEFEFE<<2>>|r.", SI_LUIE_CA_FRIENDS_LIST_CHARACTER_LOGGED_ON = "|cFEFEFE<<1>>|r вошёл в игру персонажем |cFEFEFE<<2>>|r.", SI_LUIE_CA_FRIENDS_LIST_IGNORE_ADDED = "|cFEFEFE<<1>>|r добавлен в список игнорирования.", SI_LUIE_CA_FRIENDS_LIST_IGNORE_REMOVED = "|cFEFEFE<<1>>|r убран из списка игнорирования.", SI_LUIE_CA_PLAYER_TO_PLAYER_ALREADY_FRIEND = "Вы уже в друзьях с игроком |cFEFEFE<<1>>|r.", -- TODO: Unused - This should have a content though? SI_LUIE_CA_GROUP_INVITE_MENU = "Вы пригласили игрока |cFEFEFE<<1>>|r в вашу группу.", SI_LUIE_CA_GROUP_INVITE_NONAME = "Вы должны ввести аккаунт или имя персонажа, чтобы пригласить его в группу.", SI_LUIE_CA_GROUPINVITERESPONSE0 = "Не удаётся найти игрока по имени \"|cFEFEFE<<1>>|r\" чтобы пригласить.", SI_LUIE_CA_GROUPINVITERESPONSE1 = "|cFEFEFE<<1>>|r принял ваше приглашение в группу.", SI_LUIE_CA_GROUPINVITERESPONSE2 = "|cFEFEFE<<1>>|r отклонил ваше приглашение в группу.", SI_LUIE_CA_GROUPINVITERESPONSE3 = "|cFEFEFE<<1>>|r игнорирует вас. Вы не можете послать ему приглашение.", SI_LUIE_CA_GROUPINVITERESPONSE4 = "|cFEFEFE<<1>>|r уже приглашён и должен ответить.", SI_LUIE_CA_GROUPINVITERESPONSE5 = "|cFEFEFE<<1>>|r уже в группе.", SI_LUIE_CA_GROUPINVITERESPONSE6 = GetString(SI_GROUPINVITERESPONSE6), SI_LUIE_CA_GROUPINVITERESPONSE7 = GetString(SI_GROUPINVITERESPONSE7), SI_LUIE_CA_GROUPINVITERESPONSE8 = "Вы должны быть лидером группы, чтобы высылать приглашения.", SI_LUIE_CA_GROUPINVITERESPONSE9 = "|cFEFEFE<<1>>|r является членом другого альянса.", SI_LUIE_CA_GROUPINVITERESPONSE10 = "Вы пригласили \"|cFEFEFE<<1>>|r\" в вашу группу.", SI_LUIE_CA_GROUPINVITERESPONSE11 = GetString(SI_GROUPINVITERESPONSE11), SI_LUIE_CA_GROUPINVITERESPONSE12 = GetString(SI_GROUPINVITERESPONSE12), SI_LUIE_CA_GROUPINVITERESPONSE13 = "Невозможно принять приглашение |cFEFEFE<<1>>|r. Группа заполнена.", SI_LUIE_CA_GROUPINVITERESPONSE14 = "Невозможно принять приглашение |cFEFEFE<<1>>|r. Вы уже в группе.", SI_LUIE_CA_GROUPINVITERESPONSE15 = "|cFEFEFE<<1>>|r уже на Поле сражения.", SI_LUIE_CA_GROUP_LEADERKICK_ERROR = "Вы должны быть лидером группы, чтобы исключить игрока из группы.", SI_LUIE_CA_GROUP_INCOMING_QUEST_SHARE = "|cFEFEFE<<1>>|r хочет поделиться с вами заданием <<2>>.", SI_LUIE_CA_GROUP_INCOMING_QUEST_SHARE_P2P = "|cFEFEFE<<1>>|r хочет поделиться с вами заданием |cFEFEFE<<2>>|r.", SI_LUIE_CA_GROUP_INVITE_MESSAGE = "|cFEFEFE<<1>>|r пригласил вас присоединиться к группе.", SI_LUIE_CA_GROUP_LEADER_CHANGED = "|cFEFEFE<<1>>|r теперь лидер группы!", SI_LUIE_CA_GROUP_LEADER_CHANGED_SELF = "Теперь вы лидер группы!", SI_LUIE_CA_GROUP_MEMBER_DISBAND_MSG = "Группа была распущена.", SI_LUIE_CA_GROUP_MEMBER_JOIN = "|cFEFEFE<<1>>|r присоединился к группе.", SI_LUIE_CA_GROUP_MEMBER_JOIN_SELF = "Вы присоединились к группе.", SI_LUIE_CA_GROUP_MEMBER_KICKED = "|cFEFEFE<<1>>|r был исключён из группы.", SI_LUIE_CA_GROUP_MEMBER_LEAVE_SELF = "Вы покинули группу.", SI_LUIE_CA_GROUP_QUIT_LFG = "Вы больше не в LFG-группе.", SI_LUIE_GROUPLEAVEREASON0 = "|cFEFEFE<<1>>|r покинул группу.", SI_LUIE_GROUPLEAVEREASON1 = "|cFEFEFE<<1>>|r был исключён из группы.", SI_LUIE_GROUPLEAVEREASON2 = "|cFEFEFE<<1>>|r распустил группу.", SI_LUIE_GROUPLEAVEREASON4 = "|cFEFEFE<<1>>|r покинул Поле сражения.", SI_LUIE_GROUPDISBANDLEADER = "Вы распустили группу.", SI_LUIE_CA_GROUPFINDER_ALERT_LFG_JOINED = "Вы присоединились к LFG-группе для прохождения |cFEFEFE<<1>>|r.", SI_LUIE_CA_GROUPFINDER_VOTEKICK_FAIL = "Голосование за изгнание |cFEFEFE<<1>>|r из группы не состоялось.", SI_LUIE_CA_GROUPFINDER_VOTEKICK_PASSED = "Голосование за изгнание |cFEFEFE<<1>>|r из группы состоялось.", SI_LUIE_CA_GROUPFINDER_VOTEKICK_START = "Голосование за изгнание |cFEFEFE<<1>>|r из группы началось.", SI_LUIE_CA_GROUPFINDER_QUEUE_END = "Вы больше не находитесь в очереди на поиск группы.", SI_LUIE_CA_GROUPFINDER_QUEUE_START = "Вы встали в очередь на поиск группы.", SI_LUIE_CA_GROUPFINDER_READY_CHECK_ACTIVITY = "|cFEFEFE<<1>>|r готово.", SI_LUIE_CA_GROUPFINDER_READY_CHECK_ACTIVITY_ROLE = "|cFEFEFE<<1>>|r готово. Ваша роль: |cFEFEFE<<2>> <<3>>|r", SI_LUIE_CA_GROUP_TRIAL_STARTED = "Начато: <<1>>", SI_LUIE_CA_GROUP_TRIAL_FAILED = "Провалено: <<1>>", SI_LUIE_CA_GROUP_TRIAL_COMPLETED_LARGE = "Завершено: <<1>>", SI_LUIE_CA_GROUP_TRIAL_SCORETALLY = "Конечные очки <<1>> Всего времени <<2>> Бонус живучести <<3>> <<4>>", SI_LUIE_CA_GROUP_REVIVE_COUNTER_UPDATED = "<<1>> Бонус живучести снижен", SI_LUIE_CA_GROUP_TRIAL_SCORE_UPDATED = "<<1>> <<2>> Очков получено", SI_LUIE_IGNORE_ERROR_TRADE = "Вы не можете торговать с игроком, которого вы игнорируете.", SI_LUIE_IGNORE_ERROR_GROUP = "Вы не можете пригласить в группу игрока, которого вы игнорируете.", SI_LUIE_IGNORE_ERROR_DUEL = "Вы не можете вызвать на дуэль игрока, которого вы игнорируете.", SI_LUIE_IGNORE_ERROR_FRIEND = "Вы не можете добавить в друзья игрока, которого вы игнорируете.", SI_LUIE_IGNORE_ERROR_WHISPER = "Вы не можете шепнуть игроку, которого вы игнорируете.", SI_LUIE_IGNORE_ERROR_GUILD = "Вы не можете отправить приглашение в гильдию игроку, которого вы игнорируете.", SI_LUIE_NOTIFICATION_GROUP_INVITE = "Приглашение в группу", SI_LUIE_NOTIFICATION_SHARE_QUEST_INVITE = "Предложение задания", SI_LUIE_NOTIFICATION_FRIEND_INVITE = "Приглашение в друзья", SI_LUIE_NOTIFICATION_GUILD_INVITE = "Приглашение в гильдию", SI_LUIE_CA_GUILD_HERALDRY_UPDATE = "Геральдика гильдии <<1>> изменена.", SI_LUIE_CA_GUILD_RANKS_UPDATE = "Изменения рангов гильдии <<1>> сохранены.", SI_LUIE_CA_GUILD_RANK_UPDATE = "Изменение ранга <<1>> гильдии <<2>> сохранено.", SI_LUIE_CA_GUILD_MOTD_CHANGED = "Сообщение дня гильдии <<1>> было изменено:\n<<2>>.", SI_LUIE_CA_GUILD_DESCRIPTION_CHANGED = "Описание гильдии <<1>> изменено.", SI_LUIE_CA_GUILD_INCOMING_GUILD_REQUEST = "|cFEFEFE<<1>>|r пригласил вас вступить в <<2>>.", SI_LUIE_CA_GUILD_INVITE_MESSAGE = "|cFEFEFE<<3>>|r пригласил вас вступить в <<X:1>> |cFEFEFE<<2>>|r.", SI_LUIE_CA_GUILD_JOIN_SELF = "Вы вступили в <<1>>.", SI_LUIE_CA_GUILD_LEAVE_SELF = "Вы вышли из <<1>>.", SI_LUIE_CA_GUILD_RANK_CHANGED = "Ранг |cFEFEFE<<1>>|r в гильдии <<2>> был изменён на <<3>>.", SI_LUIE_CA_GUILD_RANK_CHANGED_SELF = "Ваш ранг был изменён с <<1>> на <<2>> в гильдии <<3>>.", SI_LUIE_CA_GUILD_RANK_DOWN = "понижен", SI_LUIE_CA_GUILD_RANK_UP = "повышен", SI_LUIE_CA_GUILD_ROSTER_ADDED = "|cFEFEFE<<1>>|r присоединился к <<2>>.", SI_LUIE_CA_GUILD_ROSTER_INVITED_MESSAGE = "Вы пригласили \"|cFEFEFE<<1>>|r\" присоединиться к |cFEFEFE<<2>>|r.", SI_LUIE_CA_GUILD_ROSTER_LEFT = "|cFEFEFE<<1>>|r покинул гильдию <<2>>.", SI_LUIE_CA_JUSTICE_CONFISCATED_BOUNTY_ITEMS_MSG = "Сумма штрафа изъята, украденные вещи конфискованы!", SI_LUIE_CA_JUSTICE_CONFISCATED_MSG = "Сумма штрафа изъята!", SI_LUIE_CA_JUSTICE_DISGUISE_STATE_DANGER = "Опасность! Стража поблизости!", SI_LUIE_CA_JUSTICE_DISGUISE_STATE_SUSPICIOUS = "Опасность! Вы вызываете подозрения!", SI_LUIE_CA_JUSTICE_DISGUISE_STATE_NONE = "Вы больше не замаскированы", SI_LUIE_CA_JUSTICE_DISGUISE_STATE_DISGUISED = "Вы замаскированы", SI_LUIE_CA_LOCKPICK_FAILED = "Взлом провален!", SI_LUIE_CA_LOCKPICK_SUCCESS = "Взлом удался!", SI_LUIE_CA_MAIL_DELETED_MSG = "Письмо удалено!", SI_LUIE_CA_MAIL_RECEIVED = "Получено письмо.", SI_LUIE_CA_MAIL_RECEIVED_COD = "Оплата наложенного платежа отправлена!", SI_LUIE_CA_MAIL_SENT = "Письмо отправлено!", SI_LUIE_CA_MAIL_SENT_COD = "Наложенный платёж отправлен!", SI_LUIE_CA_MAIL_ERROR_NO_COD_VALUE = "Вы должны указать сумму наложенного платежа.", SI_LUIE_CA_MAIL_SENDMAILRESULT2 = "Неизвестный игрок.", -- Fixing missing periods on default strings SI_LUIE_CA_MAIL_SENDMAILRESULT3 = "Почтовый ящик получателя заполнен.", -- Fixing missing periods on default strings SI_LUIE_CA_MARA_PLEDGEOFMARARESULT0 = "|cFEFEFE<<1>>|r слишком занят, чтобы принять обет.", SI_LUIE_CA_MARA_PLEDGEOFMARARESULT1 = "|cFEFEFE<<1>>|r вы не можете использовать Обет Мары, пока игрок мёртв.", SI_LUIE_CA_MARA_PLEDGEOFMARARESULT2 = "Начинается Ритуал Мары с игроком |cFEFEFE<<1>>|r.", SI_LUIE_CA_MARA_PLEDGEOFMARARESULT3 = "|cFEFEFE<<1>>|r объединился с вами в Ритуале Мары.", SI_LUIE_CA_MARA_PLEDGEOFMARARESULT4 = "|cFEFEFE<<1>>|r отклонил ваш запрос на проведение Ритуала Мары", SI_LUIE_CA_MARA_PLEDGEOFMARARESULT5 = GetString(SI_PLEDGEOFMARARESULT5), SI_LUIE_CA_MARA_PLEDGEOFMARARESULT6 = "|cFEFEFE<<1>>|r не имеет права на проведение Ритуала Мары.", SI_LUIE_CA_MARA_PLEDGEOFMARARESULT7 = "Вы слишком далеко от игрока |cFEFEFE<<1>>|r для проведения Ритуала Мары.", SI_LUIE_CA_CURRENCY_MESSAGE_LOOT = "Вы добыли %s.", SI_LUIE_CA_CURRENCY_MESSAGE_RECEIVE = "Вы получили %s.", SI_LUIE_CA_CURRENCY_MESSAGE_STEAL = "Вы украли %s.", SI_LUIE_CA_CURRENCY_MESSAGE_PICKPOCKET = "Вы украли из кармана %s.", SI_LUIE_CA_CURRENCY_MESSAGE_CONFISCATE = "Стража конфисковала %s.", SI_LUIE_CA_CURRENCY_MESSAGE_EARN = "Вы заработали %s.", SI_LUIE_CA_CURRENCY_MESSAGE_SPEND = "Вы потратили %s.", SI_LUIE_CA_CURRENCY_MESSAGE_PAY = "Вы заплатили %s.", SI_LUIE_CA_CURRENCY_MESSAGE_LOST = "Вы потеряли %s.", SI_LUIE_CA_CURRENCY_MESSAGE_BOUNTY = "Вы заплатили в качестве штрафа: %s.", SI_LUIE_CA_CURRENCY_MESSAGE_REPAIR = "Вы заплатили %s за ремонт.", SI_LUIE_CA_CURRENCY_MESSAGE_TRADER = "Вы приобрели предмет у гильдейского торговца за %s.", SI_LUIE_CA_CURRENCY_MESSAGE_LISTING = "Вы заплатили в качестве налога: %s.", SI_LUIE_CA_CURRENCY_MESSAGE_TRADEIN = "Вы получили %s от %s.", SI_LUIE_CA_CURRENCY_MESSAGE_TRADEIN_NO_NAME = "Вы получили %s.", SI_LUIE_CA_CURRENCY_MESSAGE_TRADEOUT = "Вы продали %s игроку %s.", SI_LUIE_CA_CURRENCY_MESSAGE_TRADEOUT_NO_NAME = "Вы продали %s.", SI_LUIE_CA_CURRENCY_MESSAGE_MAILIN = "Вы получили письмо с %s от %s.", SI_LUIE_CA_CURRENCY_MESSAGE_MAILIN_NO_NAME = "Вы получили письмо с %s.", SI_LUIE_CA_CURRENCY_MESSAGE_MAILOUT = "Вы отправили письмо %s игроку %s.", SI_LUIE_CA_CURRENCY_MESSAGE_MAILOUT_NO_NAME = "Вы отправили письмо %s.", SI_LUIE_CA_CURRENCY_MESSAGE_MAILCOD = "Вы отправили наложенный платёж за %s игроку %s.", SI_LUIE_CA_CURRENCY_MESSAGE_POSTAGE = "Вы заплатили %s за пересылку.", SI_LUIE_CA_CURRENCY_MESSAGE_DEPOSIT = "Вы вложили %s в свой банк.", SI_LUIE_CA_CURRENCY_MESSAGE_DEPOSITSTORAGE = "Вы вложили %s в своё хранилище.", SI_LUIE_CA_CURRENCY_MESSAGE_DEPOSITGUILD = "Вы вложили %s в гильдейский банк.", SI_LUIE_CA_CURRENCY_MESSAGE_WITHDRAWSTORAGE = "Вы изъяли %s из своего хранилища.", SI_LUIE_CA_CURRENCY_MESSAGE_WITHDRAW = "Вы изъяли %s из своего банка.", SI_LUIE_CA_CURRENCY_MESSAGE_WITHDRAWGUILD = "Вы изъяли %s из гильдейского банка.", SI_LUIE_CA_CURRENCY_MESSAGE_WAYSHRINE = "Вы заплатили %s за дорожное святилище.", SI_LUIE_CA_CURRENCY_MESSAGE_UNSTUCK = "Вы заплатили %s за застревание.", SI_LUIE_CA_CURRENCY_MESSAGE_STABLE = "Вы приобрели %s за %s.", SI_LUIE_CA_CURRENCY_MESSAGE_STORAGE = "Вы приобрели %s за %s.", SI_LUIE_CA_CURRENCY_MESSAGE_ATTRIBUTES = "Вы сделали подношение %s за перераспределение своих очков характеристик.", SI_LUIE_CA_CURRENCY_MESSAGE_CHAMPION = "Вы заплатили %s за перераспределение очков чемпиона.", SI_LUIE_CA_CURRENCY_MESSAGE_SKILLS = "Вы сделали подношение %s за перераспределение своих очков навыков.", SI_LUIE_CA_CURRENCY_MESSAGE_MORPHS = "Вы сделали подношение %s за перераспределение своих морфов.", SI_LUIE_CA_CURRENCY_MESSAGE_CAMPAIGN = "Вы потратили %s чтобы сменить свою домашнюю кампанию.", SI_LUIE_CA_CURRENCY_MESSAGE_BUY = "Вы приобрели %s.", SI_LUIE_CA_CURRENCY_MESSAGE_BUY_VALUE = "Вы приобрели %s за %s.", SI_LUIE_CA_CURRENCY_MESSAGE_BUYBACK = "Вы выкупили %s.", SI_LUIE_CA_CURRENCY_MESSAGE_BUYBACK_VALUE = "Вы выкупили %s за %s.", SI_LUIE_CA_CURRENCY_MESSAGE_SELL = "Вы продали %s.", SI_LUIE_CA_CURRENCY_MESSAGE_SELL_VALUE = "Вы продали %s за %s.", SI_LUIE_CA_CURRENCY_MESSAGE_FENCE_VALUE = "Вы сбыли %s за %s.", SI_LUIE_CA_CURRENCY_MESSAGE_FENCE = "Вы сбыли %s.", SI_LUIE_CA_CURRENCY_MESSAGE_LAUNDER_VALUE = "Вы отмыли %s за %s.", SI_LUIE_CA_CURRENCY_MESSAGE_LAUNDER = "Вы отмыли %s.", SI_LUIE_CA_CURRENCY_MESSAGE_USE = "Вы использовали %s.", SI_LUIE_CA_CURRENCY_MESSAGE_CRAFT = "Вы создали %s.", SI_LUIE_CA_CURRENCY_MESSAGE_EXTRACT = "Вы извлекли %s.", SI_LUIE_CA_CURRENCY_MESSAGE_UPGRADE = "Вы улучшили %s до %s.", SI_LUIE_CA_CURRENCY_MESSAGE_UPGRADE_FAIL = "Вы провалили улучшение %s.", SI_LUIE_CA_CURRENCY_MESSAGE_REFINE = "Вы переработали %s.", SI_LUIE_CA_CURRENCY_MESSAGE_DECONSTRUCT = "Вы разобрали %s.", SI_LUIE_CA_CURRENCY_MESSAGE_RESEARCH = "Вы исследовали %s.", SI_LUIE_CA_CURRENCY_MESSAGE_DESTROY = "Вы уничтожили %s.", SI_LUIE_CA_CURRENCY_MESSAGE_LOCKPICK = "Ваша %s ломается.", SI_LUIE_CA_CURRENCY_MESSAGE_REMOVE = "Убрано %s.", SI_LUIE_CA_CURRENCY_MESSAGE_GROUP = "%s получает %s.", SI_LUIE_CA_CURRENCY_MESSAGE_DISGUISE_EQUIP = "Вы надели %s.", SI_LUIE_CA_CURRENCY_MESSAGE_DISGUISE_REMOVE = "Вы сняли %s.", SI_LUIE_CA_CURRENCY_MESSAGE_DISGUISE_DESTROY = "Ваш %s уничтожен.", SI_LUIE_CA_CURRENCY_NOTIFY_CHAMPION = "Очки чемпиона сброшены", SI_LUIE_CA_CURRENCY_NOTIFY_ATTRIBUTES = "Очки характеристик сброшены", SI_LUIE_CA_CURRENCY_NOTIFY_SKILLS = "Очки навыков сброшены", SI_LUIE_CA_CURRENCY_NOTIFY_MORPHS = "Морфы сброшены", SI_LUIE_CA_CURRENCY_MESSAGE_HERALDRY = "Вы потратили %s из вашего гильдейского банка на обновление %s.", SI_LUIE_CA_CURRENCY_NAME_HERALDRY = "Гильдейская геральдика", SI_LUIE_CA_LOOT_MESSAGE_TOTAL = "Теперь всего:", SI_LUIE_CA_CURRENCY_MESSAGE_TOTALGOLD = "Всего золота: %s", SI_LUIE_CA_CURRENCY_MESSAGE_TOTALAP = "Всего AP: %s", SI_LUIE_CA_CURRENCY_MESSAGE_TOTALTV = "Всего ТВ: %s", SI_LUIE_CA_CURRENCY_MESSAGE_TOTALWV = "Всего ваучеров: %s", SI_LUIE_CA_CURRENCY_MESSAGE_TOTALTRANSMUTE = "Всего кристаллов: %s", SI_LUIE_CA_CURRENCY_MESSAGE_TOTALEVENT = "Всего билетов: %s", SI_LUIE_CA_CURRENCY_MESSAGE_TOTALCROWNS = "Всего крон: %s", SI_LUIE_CA_CURRENCY_MESSAGE_TOTALGEMS = "Всего самоцветов: %s", SI_LUIE_CA_CURRENCY_MESSAGE_TOTALOUTFITTOKENS = "Всего токенов: %s", SI_LUIE_CA_STORAGE_RIDINGTYPE1 = "Скорость верховой езды увеличена", SI_LUIE_CA_STORAGE_RIDINGTYPE2 = "Переносимый вес езд. животного увеличен", SI_LUIE_CA_STORAGE_RIDINGTYPE3 = "Запас сил езд. животного увеличен", SI_LUIE_CA_STORAGE_BAG_UPGRADE = "Вместимость вашего инвентаря увеличена.", SI_LUIE_CA_STORAGE_BANK_UPGRADE = "Вместимость вашего банка увеличена.", SI_LUIE_CA_STORAGE_BAGTYPE1 = "Инвентарь увеличен", SI_LUIE_CA_STORAGE_BAGTYPE2 = "Банк увеличен", SI_LUIE_CA_STORAGE_LEARN = "Вы изучили %s.", SI_LUIE_CA_SKILL_LINE_ADDED = "Ветка навыков получила: <<1>><<2>>", SI_LUIE_CA_ABILITY_RANK_UP = "<<1>> повысилась до ранга <<R:2>>", SI_LUIE_CA_SKILL_GUILD_MSG = "Вы получили %s.", SI_LUIE_CA_SKILL_GUILD_REPUTATION = "<<1[репутации/репутации]>>", SI_LUIE_CA_SKILL_GUILD_ALERT = "Ваша репутация в <<1>> повысилась.", SI_LUIE_CA_QUEST_ABANDONED = "Отменено: <<1>>", SI_LUIE_CA_QUEST_ABANDONED_WITH_ICON = "Отменено: <<1>> <<2>>", SI_LUIE_CA_QUEST_DISCOVER = "Открыто: <<1>>", SI_LUIE_CA_QUEST_ACCEPT = "Начато: ", SI_LUIE_CA_QUEST_ACCEPT_WITH_ICON = "Начато: <<1>> <<2>>", SI_LUIE_CA_QUEST_COMPLETE_WITH_ICON = "Завершено: <<1>> <<2>>", SI_LUIE_CA_QUEST_LOG_FULL = "Ваш журнал заданий заполнен.", -- TODO: Unused SI_LUIE_CA_TRADEACTIONRESULT0 = GetString(SI_TRADEACTIONRESULT0), SI_LUIE_CA_TRADEACTIONRESULT1 = "|cFEFEFE<<1>>|r игнорирует вас. Вы не можете начать торговлю.", SI_LUIE_CA_TRADEACTIONRESULT2 = GetString(SI_TRADEACTIONRESULT2), SI_LUIE_CA_TRADEACTIONRESULT3 = GetString(SI_TRADEACTIONRESULT3), SI_LUIE_CA_TRADEACTIONRESULT4 = GetString(SI_TRADEACTIONRESULT4), SI_LUIE_CA_TRADEACTIONRESULT5 = GetString(SI_TRADEACTIONRESULT5), SI_LUIE_CA_TRADEACTIONRESULT6 = GetString(SI_TRADEACTIONRESULT6), SI_LUIE_CA_TRADEACTIONRESULT8 = GetString(SI_TRADEACTIONRESULT8), SI_LUIE_CA_TRADEACTIONRESULT9 = GetString(SI_TRADEACTIONRESULT9), SI_LUIE_CA_TRADEACTIONRESULT12 = GetString(SI_TRADEACTIONRESULT12), SI_LUIE_CA_TRADEACTIONRESULT13 = GetString(SI_TRADEACTIONRESULT13), SI_LUIE_CA_TRADEACTIONRESULT14 = GetString(SI_TRADEACTIONRESULT14), SI_LUIE_CA_TRADEACTIONRESULT41 = GetString(SI_TRADEACTIONRESULT41), SI_LUIE_CA_TRADEACTIONRESULT42 = GetString(SI_TRADEACTIONRESULT42), SI_LUIE_CA_TRADEACTIONRESULT43 = GetString(SI_TRADEACTIONRESULT43), SI_LUIE_CA_TRADEACTIONRESULT44 = GetString(SI_TRADEACTIONRESULT44), SI_LUIE_CA_TRADEACTIONRESULT45 = GetString(SI_TRADEACTIONRESULT45), SI_LUIE_CA_TRADEACTIONRESULT46 = GetString(SI_TRADEACTIONRESULT46), SI_LUIE_CA_TRADEACTIONRESULT62 = GetString(SI_TRADEACTIONRESULT62), SI_LUIE_CA_TRADEACTIONRESULT63 = GetString(SI_TRADEACTIONRESULT63), SI_LUIE_CA_TRADEACTIONRESULT64 = GetString(SI_TRADEACTIONRESULT64), SI_LUIE_CA_TRADEACTIONRESULT65 = "Вы уже торгуете |cFEFEFE<<1>>|r.", SI_LUIE_CA_TRADEACTIONRESULT66 = GetString(SI_TRADEACTIONRESULT66), SI_LUIE_CA_TRADEACTIONRESULT80 = GetString(SI_TRADEACTIONRESULT80), SI_LUIE_CA_TRADE_INVITE_ACCEPTED = "Предложение торговли принято.", SI_LUIE_CA_TRADE_INVITE_DECLINED = "Предложение торговли отклонено.", SI_LUIE_CA_TRADE_INVITE_CANCELED = "Предложение торговли отменено.", SI_LUIE_CA_TRADE_INVITE_CONFIRM = "Вы предложили обмен игроку |cFEFEFE<<1>>|r.", SI_LUIE_CA_TRADE_INVITE_MESSAGE = "|cFEFEFE<<1>>|r предлагает вам обмен.", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_GROUPENTER_D = "Вы входите в групповую область.", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_GROUPLEAVE_D = "Вы покидаете в групповую область.", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_GROUPENTER_C = "Вы входите в групповую область", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_GROUPLEAVE_C = "Вы покидаете в групповую область", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_CRAGLORN_SR = "Магическая сопротивляемость увеличена", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_CRAGLORN_SR_CA = "Магическая сопротивляемость увеличена!", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_CRAGLORN_PR = "Физическая сопротивляемость увеличена", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_CRAGLORN_PR_CA = "Физическая сопротивляемость увеличена!", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_CRAGLORN_PI = "Сила увеличена", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_CRAGLORN_PI_CA = "Сила увеличена!", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_MAELSTROM = "Вихревая Арена", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_MAELSTROM_CA = "Вихревая Арена: ", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_MA_STAGE1 = "Сюрреалистическая долина", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_MA_STAGE2 = "Балкон Сета", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_MA_STAGE3 = "Дром токсического шока", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_MA_STAGE4 = "Маховик Сета", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_MA_STAGE5 = "Каток замёрзшей крови", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_MA_STAGE6 = "Спиральные тени", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_MA_STAGE7 = "Хранилище обид", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_MA_STAGE8 = "Лавовая цистерна", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_MA_STAGE9 = "Театр отчаяния", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_MA_ROUND1 = "Раунд 1", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_MA_ROUND1_CA = "Раунд 1!", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_MA_ROUND2 = "Раунд 2", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_MA_ROUND2_CA = "Раунд 2!", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_MA_ROUND3 = "Раунд 3", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_MA_ROUND3_CA = "Раунд 3!", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_MA_ROUND4 = "Раунд 4", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_MA_ROUND4_CA = "Раунд 4!", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_MA_ROUND5 = "Раунд 5", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_MA_ROUND5_CA = "Раунд 5!", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_MA_ROUNDF = "Последний раунд", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_MA_ROUNDF_CA = "Последний раунд!", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_DSA = "Арена Драгонстара", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_DSA_CA = "Арена Драгонстара: ", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_DSA_DESC = "Арена начнётся через 30 секунд!", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_TITLE_PREFIX = "Вход: ", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_TITLE1 = "Вход: Battle Gates", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_TITLE_CA_1 = "Battle Gates", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_TITLE2 = "Вход: Nocere Oblitus", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_TITLE_CA_2 = "Nocere Oblitus", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_TITLE3 = "Вход: Bloodworks", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_TITLE_CA_3 = "Bloodworks", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_TITLE4 = "Вход: Дрожащая завеса", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_TITLE_CA_4 = "Дрожащая завеса", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_TITLE5 = "Вход: Тренировочная площадка", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_TITLE_CA_5 = "Тренировочная площадка", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_TITLE6 = "Вход: Забытые могилы", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_TITLE_CA_6 = "Забытые могилы", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_TITLE7 = "Вход: Инкубатор", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_TITLE_CA_7 = "Инкубатор", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_TITLE8 = "Вход: Гнездо Ткачей", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_TITLE8_EDIT = "Вход: Гнездо Ткачей", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_TITLE_CA_8 = "Гнездо Ткачей", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_TITLE9 = "Вход: Закопанный артефакт", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_TITLE_CA_9 = "Закопанный артефакт", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_TITLE10 = "Вход: Катакомбы предателя", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_TITLE_CA_10 = "Катакомбы предателя", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_TITLE11 = "Вход: Feeding Pits", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_TITLE_CA_11 = "Feeding Pits", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_TITLE12 = "Вход: Алессианские гробницы", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_TITLE_CA_12 = "Алессианские гробницы", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_DESC1 = "Гати открыла новый путь в планы Обливиона.", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_DESC2 = "Жестокие смотрители Замачар воспитывают только самых сильных противников.", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_DESC3 = "Клан орков-вампиров рыскает в тенях.", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_DESC4 = "Граница между Мундусом и Обливионом истончается.", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_DESC5 = "Безжалостный Хзу-Хакан тренирует своих свирепых кланфиров.", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_DESC6 = "Тело давно умершего императора Леовик было найдено.", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_DESC7 = "Генерал Криозот следит за выведением злобных существ.", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_DESC8 = "Ткачиха заманивает в свои паутины любого глупца, кто осмелится войти.", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_DESC9 = "Лорд-зивкин Водраки разыскивает давно забытый источник силы.", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_DESC10 = "Лорд-зивкин Эбрал собирает свою собственную армию нежити.", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_DESC11 = "Генерал Назенечар использует павших жителей Имперского города.", SI_LUIE_CA_DISPLAY_ANNOUNCEMENT_IC_DESC12 = "Беспокойные духи мёртвых движимы силами невидимых.", -- CombatText.lua SI_LUIE_CT_COMBAT_IN_DEFAULT = "В бою", SI_LUIE_CT_COMBAT_OUT_DEFAULT = "Выход из боя", SI_LUIE_CT_DEATH_DEFAULT = "%t мертв!", SI_LUIE_CT_CLEANSE_DEFAULT = "ОЧИСТИСЬ", SI_LUIE_CT_BLOCK_DEFAULT = "БЛОКИРУЙ", SI_LUIE_CT_BLOCKSTAGGER_DEFAULT = "*БЛОКИРУЙ*", SI_LUIE_CT_DODGE_DEFAULT = "УВЕРНИСЬ", SI_LUIE_CT_AVOID_DEFAULT = "ИЗБЕГИ", SI_LUIE_CT_INTERRUPT_DEFAULT = "ПРЕРВИ", SI_LUIE_CT_UNMIT_DEFAULT = "CANNOT MITIGATE", -- TODO: Translate SI_LUIE_CT_EXPLOIT_DEFAULT = "ВОСПОЛЬЗУЙСЯ", SI_LUIE_CT_EXECUTE_DEFAULT = "ДОБЕЙ", SI_LUIE_CT_POWER_DEFAULT = "", SI_LUIE_CT_DESTROY_DEFAULT = "УНИЧТОЖЬ", SI_LUIE_CT_SUMMON_DEFAULT = "SUMMON", -- TODO: Translate SI_LUIE_CT_MISS_DEFAULT = "Промах %t", SI_LUIE_CT_IMMUNE_DEFAULT = "Невосприимчивость %t", SI_LUIE_CT_PARRIED_DEFAULT = "Парировано %t", SI_LUIE_CT_REFLECTED_DEFAULT = "Отражено %t", SI_LUIE_CT_DODGED_DEFAULT = "Уворот %t", SI_LUIE_CT_INTERRUPTED_DEFAULT = "Прервано", SI_LUIE_CT_MITIGATION_SUFFIX_DEFAULT = "приближается!", SI_LUIE_CT_MITIGATION_FORMAT_POWER = "%t %i!", SI_LUIE_CT_MITIGATION_FORMAT_POWER_N = "%t %i на %n!", SI_LUIE_CT_MITIGATION_FORMAT_DESTROY = "%t %i", SI_LUIE_CT_MITIGATION_FORMAT_DESTROY_N = "%t %i", SI_LUIE_CT_MITIGATION_FORMAT_SUMMON = "%t %i", SI_LUIE_CT_MITIGATION_FORMAT_SUMMON_N = "%t %i", -- UnitFrames.lua SI_LUIE_UF_WEREWOLF_POWER = "<<1>>/<<2>> Энергия (<<3>>%)", SI_LUIE_UF_WEREWOLF_TP = "Вы останетесь в форме оборотня в течение |cFFFFFF<<1>>|r секунд.", SI_LUIE_UF_MOUNT_POWER = "<<1>>/<<2>> Запас сил езд. животного (<<3>>%)", SI_LUIE_UF_SIEGE_POWER = "<<1>>/<<2>> Состояние (<<3>>%)", -- LuiExtendedMenu.lua SI_LUIE_LAM_COMPATIBILITY_WARNING = "Отключите эту настройку, если у вас наблюдаются проблемы совместимости с другими аддонами.", SI_LUIE_LAM_FONT = "Шрифт", SI_LUIE_LAM_FONT_SIZE = "Размер шрифта", SI_LUIE_LAM_FONT_STYLE = "Стиль шрифта", SI_LUIE_LAM_RELOADUI = "Перезагрузить UI", SI_LUIE_LAM_RELOADUI_BUTTON = "Это перезагрузит интерфейс (UI).", SI_LUIE_LAM_RELOADUI_WARNING = "Потребуется перезагрузка UI.", SI_LUIE_LAM_RESETPOSITION = "Сбросить положение", SI_LUIE_LAM_HIDE_EXPERIENCE_BAR = "Скрыть появление полоски Опыта/Навыков", SI_LUIE_LAM_HIDE_EXPERIENCE_BAR_TP = "При получении опыта за выполнение заданий, открытие POI, убийство боссов или при прокачке линейки навыков, полоска заполнения больше не будет появляться. Полезно, если у вас в этом углу экрана (верхний левый) есть какие-то элементы аддонов и вы не хотите, чтобы они перекрывались этой полоской.", SI_LUIE_LAM_CHANGELOG = "Показать изменения", SI_LUIE_LAM_CHANGELOG_TP = "Показывает список изменений по сравнению с предыдущей версией LUIE.", SI_LUIE_LAM_STARTUPMSG = "Отключить стартовое сообщение", SI_LUIE_LAM_STARTUPMSG_TP = "Эта настройка отключает стартовое сообщение.", SI_LUIE_LAM_SVPROFILE_HEADER = "Настройки профиля", SI_LUIE_LAM_SVPROFILE_DESCRIPTION = "По умолчанию в LuiExtended используется настройка на весь аккаунт. Вы можете переключиться на индивидуальные настройки для каждого персонажа. Профили могут копироваться между персонажами, вы можете сбросить настройки текущего персонажа или перезаписать настройки аккаунта ниже. Помните, что будут использоваться настройки на аккаунт, если вы вновь переключитесь с индивидуальных настроек персонажа на общие.", SI_LUIE_LAM_SVPROFILE_SETTINGSTOGGLE = "Индивидуальные настройки", SI_LUIE_LAM_SVPROFILE_SETTINGSTOGGLE_TP = "Переключается между использованием общих настроек и индивидуальных настроек персонажа.", SI_LUIE_LAM_SVPROFILE_PROFILECOPY = "Копировать профиль персонажа", SI_LUIE_LAM_SVPROFILE_PROFILECOPY_TP = "Выберите другого персонажа или общие настройки для копирования с них.", SI_LUIE_LAM_SVPROFILE_PROFILECOPYBUTTON = "Копировать профиль", SI_LUIE_LAM_SVPROFILE_PROFILECOPYBUTTON_TP = "Копирует выбранный выше профиль вашему текущему персонажу или в качестве общих настроек.", SI_LUIE_LAM_SVPROFILE_RESETCHAR = "Сбросить текущего персонажа", SI_LUIE_LAM_SVPROFILE_RESETCHAR_TP = "Сбросить настройки профиля текущего персонажа.", SI_LUIE_LAM_SVPROFILE_RESETACCOUNT = "Сбросить общие настройки", SI_LUIE_LAM_SVPROFILE_RESETACCOUNT_TP = "Сбрасывает общие настройки аккаунта. Помните, что это никак не затронет индивидуальные настройки персонажа.", -- Modules SI_LUIE_LAM_UF = "Фреймы", SI_LUIE_LAM_CA = "Оповещения в чат", SI_LUIE_LAM_CI = "Инфо боя", SI_LUIE_LAM_SLASHCMDS = "Команды чата", SI_LUIE_LAM_CI_DESCRIPTION = "Позволяет показывать значение абсолютной способности на панели, отслеживать эффекты и перезарядку предметов в ячейках быстрого доступа и отображать ГКД для способностей на панели.", SI_LUIE_LAM_BUFFS_DESCRIPTION = "Включает отображение баффов и дебаффов игрока и цели. Также имеет различные настройки.", SI_LUIE_LAM_BUFFSDEBUFFS = "Баффы и Дебаффы", SI_LUIE_LAM_MODULEHEADER = "Настройки модулей", SI_LUIE_LAM_MISCHEADER = "Прочие настройки", -- Module: Slash Commands SI_LUIE_LAM_SLASHCMDS_ENABLE = "Команды чата", SI_LUIE_LAM_SLASHCMDS_DESCRIPTION = "Добавляет собственные команды чата (/slash) для осуществления различных базовых функций, таких как исключение игрока из группы, приглашение игрока в гильдию или добавление в друзья.", SI_LUIE_LAM_SLASHCMDSHEADER = "Команды чата", SI_LUIE_LAM_SLASHCMDSHEADER_GENERAL = "Общие команды", SI_LUIE_LAM_SLASHCMDS_TRADE = "( '/trade' ) Торговля", SI_LUIE_LAM_SLASHCMDS_TRADE_TP = "'/trade' 'имя' Предлагает игроку обмен с вами.", SI_LUIE_LAM_SLASHCMDS_HOME = "( '/home' ) Перемещение домой", SI_LUIE_LAM_SLASHCMDS_HOME_TP = "'/home' Перемещает вас в ваш основной дом.", SI_LUIE_LAM_SLASHCMDS_CAMPAIGN = "( '/campaign' ) Встать в кампанию", SI_LUIE_LAM_SLASHCMDS_CAMPAIGN_TP = "'/campaign' 'name' Встать в очередь в кампанию с указанным названием, если это ваша Домашняя или гостевая кампания.", SI_LUIE_LAM_SLASHCMDSHEADER_GROUP = "Команды группы", SI_LUIE_LAM_SLASHCMDS_REGROUP = "( '/regroup' ) Перегруппировка", SI_LUIE_LAM_SLASHCMDS_REGROUP_TP = "'/regroup' Сохраняет состав вашей текущей группы, распускает группу и приглашает всех заново через 5 секунд.", SI_LUIE_LAM_SLASHCMDS_LEAVE = "( '/leave' ) Покинуть группу", SI_LUIE_LAM_SLASHCMDS_LEAVE_TP = "'/leave' Покинуть текущую группу.\n\t\t\t\t\tАльтернативный вариант: '/leavegroup'", SI_LUIE_LAM_SLASHCMDS_DISBAND = "( '/disband' ) Распустить группу", SI_LUIE_LAM_SLASHCMDS_DISBAND_TP = "'/disband' Распускает текущую группу, если вы лидер группы.", SI_LUIE_LAM_SLASHCMDS_KICK = "( '/kick' ) Исключить", SI_LUIE_LAM_SLASHCMDS_KICK_TP = "'/kick' 'имя' Исключает игрока из вашей текущей группы, если вы лидер группы.\n\t\t\t\t\tПомните: Не заменяет эмоцию/kick .\n\t\t\t\t\tАльтернативные варианты: '/remove', '/groupkick', '/groupremove'", SI_LUIE_LAM_SLASHCMDS_VOTEKICK = "( '/votekick') Проголосовать", SI_LUIE_LAM_SLASHCMDS_VOTEKICK_TP = "'/votekick' 'имя' Запускает процедуру голосования за исключения игрока из LFG-группы.\n\t\t\t\t\tАльтернативный вариант: '/voteremove'", SI_LUIE_LAM_SLASHCMDSHEADER_GUILD = "Команды гильдии", SI_LUIE_LAM_SLASHCMDS_GUILDINVITE = "( '/guildinvite' ) Пригласить", SI_LUIE_LAM_SLASHCMDS_GUILDINVITE_TP = "'/guildinvite' '#' 'имя' Приглашает игрока в одну из ваших гильдий на основе её порядкового номера в вашем меню гильдий.\n\t\t\t\t\tАльтернативный вариант: /'ginvite'", SI_LUIE_LAM_SLASHCMDS_GUILDKICK = "( '/guildkick' ) Исключить", SI_LUIE_LAM_SLASHCMDS_GUILDKICK_TP = "'/guildkick' '#' 'имя' Исключает игрока из одной из ваших гильдий, если у вас есть права на это.\n\t\t\t\t\tАльтернативный вариант: '/gkick'", SI_LUIE_LAM_SLASHCMDS_GUILDQUIT = "( '/guildquit' ) Покинуть", SI_LUIE_LAM_SLASHCMDS_GUILDQUIT_TP = "'/guildquit' '#' Выход из одной из ваших гильдий на основе её порядкового номера в вашем меню гильдий.\n\t\t\t\t\tАльтернативный вариант: '/gquit', '/guildleave', '/gleave'", SI_LUIE_LAM_SLASHCMDSHEADER_SOCIAL = "Социальные команды", SI_LUIE_LAM_SLASHCMDS_FRIEND = "( '/friend' ) Добавить друга", SI_LUIE_LAM_SLASHCMDS_FRIEND_TP = "'/friend' 'имя' Приглашает игрока в друзья.\n\t\t\t\t\tАльтернативный вариант: '/addfriend'", SI_LUIE_LAM_SLASHCMDS_IGNORE = "( '/ignore' ) Игнорировать", SI_LUIE_LAM_SLASHCMDS_IGNORE_TP = "'/ignore' 'имя' Добавляет игрока в список игнорирования.\n\t\t\t\t\t\tАльтернативный вариант: '/addignore'", SI_LUIE_LAM_SLASHCMDS_REMOVEFRIEND = "( '/removefriend' ) Убрать из друзей", SI_LUIE_LAM_SLASHCMDS_REMOVEFRIEND_TP = "'/unfriend' 'имя' Убирает игрока из друзей.\n\t\t\t\t\tАльтернативный вариант: '/removefriend'", SI_LUIE_LAM_SLASHCMDS_REMOVEIGNORE = "( /'removeignore' ) Не игнорировать", SI_LUIE_LAM_SLASHCMDS_REMOVEIGNORE_TP = "'/unignore' 'имя' Убирает игрока из списка игнорирования.\n\t\t\t\t\tАльтернативный вариант: '/removeignore'", SI_LUIE_LAM_SLASHCMDS_BANKER = "( '/banker' ) Банкир", SI_LUIE_LAM_SLASHCMDS_BANKER_TP = "'/banker' Призывает <<1>> (Если разблокировано).\n\t\t\t\t\tАльтернативный вариант: '/bank'", SI_LUIE_LAM_SLASHCMDS_MERCHANT = "( '/merchant' ) Торговец", SI_LUIE_LAM_SLASHCMDS_MERCHANT_TP = "'/merchant' Призывает <<1>> (Если разблокировано).\n\t\t\t\t\tАльтернативный вариант: '/sell', '/vendor'", SI_LUIE_LAM_SLASHCMDS_FENCE = "( '/fence' ) Воровка", SI_LUIE_LAM_SLASHCMDS_FENCE_TP = "'/fence' Призывает <<1>> (Если разблокировано).\n\t\t\t\t\tАльтернативный вариант: '/smuggler'", SI_LUIE_LAM_SLASHCMDS_READYCHECK = "( '/ready' ) Проверка готовности", SI_LUIE_LAM_SLASHCMDS_READYCHECK_TP = "Отправляет запрос готовности каждому члену группы.", SI_LUIE_LAM_SLASHCMDS_OUTFIT = "( '/outfit' ) Включить наряд", SI_LUIE_LAM_SLASHCMDS_OUTFIT_TP = "'/outfit' '#' Экипирует наряд из ячейки под введённым номером.", -- Module: Buffs & Debuffs SI_LUIE_LAM_BUFF_ENABLEEFFECTSTRACK = "Баффы и Дебаффы", SI_LUIE_LAM_BUFF_HEADER_POSITION = "Настройки положения и отображения", SI_LUIE_LAM_BUFF_HARDLOCK = "Привязать положение к Фреймам", SI_LUIE_LAM_BUFF_HARDLOCK_TP = "Привязывает положение окна баффов к полоске здоровья юнита (по умолчанию или настраиваемой). Это заблокирует независимое изменение положения этого окна.", SI_LUIE_LAM_BUFF_HARDLOCK_WARNING = "Потребуется перезагрузка UI.\nКогда положение будет заблокировано, вы не сможете перемещать баффы.", SI_LUIE_LAM_BUFF_UNLOCKWINDOW = "Разблокировать окно баффов", SI_LUIE_LAM_BUFF_UNLOCKWINDOW_TP = "Разблокируйте, чтобы перемещать окно со значками баффов. Работает только на те области, которые не затронуты настройками выше (если включено).", SI_LUIE_LAM_BUFF_RESETPOSITION_TP = "Это сбросит положение всех трёх контейнеров значков баффов куда-то к центру экрана.", SI_LUIE_LAM_BUFF_HIDEPLAYERBUFF = "Скрыть Баффы ИГРОКА", SI_LUIE_LAM_BUFF_HIDEPLAYERBUFF_TP = "Предотвращает отображение ваших баффов.", SI_LUIE_LAM_BUFF_HIDEPLAYERDEBUFF = "Скрыть Дебаффы ИГРОКА", SI_LUIE_LAM_BUFF_HIDEPLAYERDEBUFF_TP = "Предотвращает отображение ваших дебаффов.", SI_LUIE_LAM_BUFF_HIDETARGETBUFF = "Скрыть Баффы ЦЕЛИ", SI_LUIE_LAM_BUFF_HIDETARGETBUFF_TP = "Предотвращает отображение баффов вашей цели.", SI_LUIE_LAM_BUFF_HIDETARGETDEBUFF = "Скрыть Дебаффы ЦЕЛИ", SI_LUIE_LAM_BUFF_HIDETARGETDEBUFF_TP = "Предотвращает отображение дебаффов вашей цели.", SI_LUIE_LAM_BUFF_HIDEGROUNDBUFFDEBUFF = "Скрыть НАЗЕМНЫЕ Баффы и Дебаффы", SI_LUIE_LAM_BUFF_HIDEGROUNDBUFFDEBUFF_TP = "Предотвращает отображение наземных эффектов.", SI_LUIE_LAM_BUFF_ADD_EXTRA_BUFFS = "Показывать дополнительные баффы", SI_LUIE_LAM_BUFF_ADD_EXTRA_BUFFS_TP = "Показывает дополнительные значки для некоторых баффов с мажорными/минорными аурами, которые обычно не отслеживаются. Этот функционал существует специально, чтобы добавить значок к таким способностям, как Green Dragon Blood, так они могут быть добавлены к особым аурам и могут отслеживаться.", SI_LUIE_LAM_BUFF_CONSOLIDATE = "Объединять Мажорные/Минорные ауры", SI_LUIE_LAM_BUFF_CONSOLIDATE_TP = "Объединяет мажорные/минорные ауры способностей с множественными эффектами в один значок: Dragon Blood, Hurricane, Combat Prayer, Restoring Focus, и т.д.... \nВнимание: Включение этой настройки покажет дополнительные значки для таких способностей, как Dragon Blood, чтобы их можно было отследить.", SI_LUIE_LAM_BUFF_EXTEND_EXTRA = "Расширенные настройки для одиночных аур", SI_LUIE_LAM_BUFF_EXTEND_EXTRA_TP = "Включение этой настройки задействует настройки для дополнительных или объединённых баффов для способностей только с одним Мажорным/Минорным эффектом, таких, как Blur, Shuffle, Molten Weapons.", SI_LUIE_LAM_BUFF_REDUCE = "Скрыть дублирующиеся и парные ауры", SI_LUIE_LAM_BUFF_REDUCE_TP = "Некоторые способности имеют несколько эффектов с одинаковой длительностью, например: Burning Talons накладывает DoT & замедляющий эффект на одинаковое время. Включение это функции скроет один из значков этой способности и подобных ей, сократив общее число баффов/дебаффов в контейнере.", SI_LUIE_LAM_BUFF_SHOW_GROUND_DAMAGE = "Display GROUND Damage/Healing Auras", SI_LUIE_LAM_BUFF_SHOW_GROUND_DAMAGE_TP = "Display a buff indicator when you are standing in a hostile ground effect without any crowd control elements such as Arrow Barrage. Also shows for healing effects such as Cleansing Ritual.", SI_LUIE_LAM_BUFF_ICON_HEADER = "Настройки значков", SI_LUIE_LAM_BUFF_ICONSIZE = "Размер значка баффов", SI_LUIE_LAM_BUFF_ICONSIZE_TP = "Выберите размер для значка баффов.", SI_LUIE_LAM_BUFF_SHOWREMAINTIMELABEL = "Счётчик", SI_LUIE_LAM_BUFF_SHOWREMAINTIMELABEL_TP = "Показывается текстовый счётчик в цифрах в секундах оставшегося времени действия баффа.", SI_LUIE_LAM_BUFF_LABEL_POSITION_TP = "Задаёт вертикальное положение надписи отсчёта времени баффа.", SI_LUIE_LAM_BUFF_FONT_TP = "Выберите шрифт для надписи отсчёта времени баффа.", SI_LUIE_LAM_BUFF_FONTSIZE_TP = "Выберите размер шрифта для надписи отсчёта времени баффа.", SI_LUIE_LAM_BUFF_FONTSTYLE_TP = "Выберите стиль шрифта для надписи отсчёта времени баффа.", SI_LUIE_LAM_BUFF_LABELCOLOR_TP = "Задаёт цвет надписи отсчёта времени баффа таким же, как и края значка или оставляет его белым.", SI_LUIE_LAM_BUFF_SHOWSECONDFRACTIONS = "Доли секунды", SI_LUIE_LAM_BUFF_SHOWSECONDFRACTIONS_TP = "Формат текста оставшегося времени \"12.3\" или оставить просто в секундах \"12\".", SI_LUIE_LAM_BUFF_HORIZONTICONALIGN = "Горизонтальное положение значков", SI_LUIE_LAM_BUFF_HORIZONTICONALIGN_TP = "Горизонтальное положение значков баффов и дебаффов в контейнере.", --SI_LUIE_LAM_BUFF_LONGTERM_VERTALIGNICON = "Vertical Icons Alignment", --SI_LUIE_LAM_BUFF_LONGTERM_VERTALIGNICON_TP = "Vertical alignment of buff and debuff icons within container area.", SI_LUIE_LAM_BUFF_DESCENDINGSORT = "Сортировка по убыванию", SI_LUIE_LAM_BUFF_DESCENDINGSORT_TP = "Выберите направление, в котором будут сортироваться значки баффов.", SI_LUIE_LAM_BUFF_GLOWICONBORDER = "Светящиеся края значка", SI_LUIE_LAM_BUFF_GLOWICONBORDER_TP = "Используются цветные светящиеся края для значков баффов и дебаффов.", SI_LUIE_LAM_BUFF_SHOWBORDERCOOLDOWN = "Убывающие края", SI_LUIE_LAM_BUFF_SHOWBORDERCOOLDOWN_TP = "Отображает цветные убывающие края на значках, в зависимости от оставшегося времени действия баффа или дебаффа.", SI_LUIE_LAM_BUFF_FADEEXPIREICON = "Затухание при истечении", SI_LUIE_LAM_BUFF_FADEEXPIREICON_TP = "Когда время баффа почти истекло, значок становится прозрачным.", SI_LUIE_LAM_BUFF_LONGTERM_HEADER = "Длительные эффекты", SI_LUIE_LAM_BUFF_LONGTERM_SELF = "Длительные эффекты Игрока", SI_LUIE_LAM_BUFF_LONGTERM_SELF_TP = "Показывает значки эффектов игрока, длительностью более 2 минут.", SI_LUIE_LAM_BUFF_LONGTERM_TARGET = "Длительные эффекты Цели", SI_LUIE_LAM_BUFF_LONGTERM_TARGET_TP = "Отображает длительные эффекты цели", SI_LUIE_LAM_BUFF_LONGTERM_SEPCTRL = "Раздельное управление эффектами Игрока", SI_LUIE_LAM_BUFF_LONGTERM_SEPCTRL_TP = "Перемещает значки длительных эффектов игрока на отдельную независимую панель.", SI_LUIE_LAM_BUFF_LONGTERM_CONTAINER = "Ориентация контейнера", SI_LUIE_LAM_BUFF_LONGTERM_CONTAINER_TP = "Изменяет ориентацию контейнера длительных эффектов на Горизонтальную или Вертикальную.", SI_LUIE_LAM_BUFF_LONGTERM_VERT = "Вертикальное выравнивание", SI_LUIE_LAM_BUFF_LONGTERM_VERT_TP = "Выравнивание значков баффов и дебаффов длительных эффектов в контейнере при заданной вертикальной ориентации.", SI_LUIE_LAM_BUFF_LONGTERM_HORIZ = "Горизонтальное выравнивание", SI_LUIE_LAM_BUFF_LONGTERM_HORIZ_TP = "Выравнивание значков баффов и дебаффов длительны эффектов в контейнере при заданной горизонтальной ориентации.", SI_LUIE_LAM_BUFF_REVERSE_ORDER = "Обратить сортировку", SI_LUIE_LAM_BUFF_REVERSE_ORDER_TP = "Если включено, направление сортировки, выбранное в настройках значков, для контейнера длительных баффов будет осуществляться в обратном направлении.", SI_LUIE_LAM_BUFF_FILTER_LONG_HEADER = "Фильтр длительных эффектов", SI_LUIE_LAM_BUFF_LONGTERM_ASSISTANT = "Активный Помощник (Только для игрока)", SI_LUIE_LAM_BUFF_LONGTERM_ASSISTANT_TP = "Определяет, показывать ли значок активного Помощника игрока.", SI_LUIE_LAM_BUFF_LONGTERM_DISGUISE = "Значок маскировки (Только для игрока)", SI_LUIE_LAM_BUFF_LONGTERM_DISGUISE_TP = "Определяет, показывать ли значок активной маскировки на игроке.", SI_LUIE_LAM_BUFF_LONGTERM_MOUNT = "Ездовое животное (Только для игрока)", SI_LUIE_LAM_BUFF_LONGTERM_MOUNT_TP = "Определяет, показывать ли значок активного ездового животного на игроке.", SI_LUIE_LAM_BUFF_LONGTERM_MOUNT_ICON = "Общий значок езд. животного", SI_LUIE_LAM_BUFF_LONGTERM_MOUNT_ICON_TP = "Использует общий (обычный) значок для езд.животного, вместо значка текущего выбранного езд. животного.", SI_LUIE_LAM_BUFF_LONGTERM_PET = "Небоевой питомец (Только для игрока)", SI_LUIE_LAM_BUFF_LONGTERM_PET_TP = "Определяет, показывать ли значок активного небоевого питомца на игроке.", SI_LUIE_LAM_BUFF_LONGTERM_MUNDUSPLAYER = "Бонус Мундуса на Игроке", SI_LUIE_LAM_BUFF_LONGTERM_MUNDUSPLAYER_TP = "Определяет, показывать ли бафф Мундуса на игроке.", SI_LUIE_LAM_BUFF_LONGTERM_MUNDUSTARGET = "Бонус Мундуса на Цели", SI_LUIE_LAM_BUFF_LONGTERM_MUNDUSTARGET_TP = "Определяет, показывать ли бафф Мундуса на цели.", SI_LUIE_LAM_BUFF_LONGTERM_VAMPSTAGEPLAYER = "Показывать стадию Вампиризама на Игроке", SI_LUIE_LAM_BUFF_LONGTERM_VAMPSTAGEPLAYER_TP = "Определяет, показывать ли бафф стадии Вампиризма на игроке.", SI_LUIE_LAM_BUFF_LONGTERM_VAMPSTAGETARGET = "Показывать стадию Вампиризама на Цели", SI_LUIE_LAM_BUFF_LONGTERM_VAMPSTAGETARGET_TP = "Определяет, показывать ли бафф стадии Вампиризма на цели.", SI_LUIE_LAM_BUFF_LONGTERM_LYCANPLAYER = "Показывать Ликантропию на Игроке", SI_LUIE_LAM_BUFF_LONGTERM_LYCANPLAYER_TP = "Определяет, показывать ли бафф Ликантропии на игроке.", SI_LUIE_LAM_BUFF_LONGTERM_LYCANTARGET = "Показывать Ликантропию на Цели", SI_LUIE_LAM_BUFF_LONGTERM_LYCANTARGET_TP = "Определяет, показывать ли бафф Ликантропии на цели.", SI_LUIE_LAM_BUFF_LONGTERM_VAMPWWPLAYER = "Показывать Вамп/Ликан на Игроке", SI_LUIE_LAM_BUFF_LONGTERM_VAMPWWPLAYER_TP = "Определяет, показывать ли бафф заболевания вампиризмом или ликантропией на игроке.", SI_LUIE_LAM_BUFF_LONGTERM_VAMPWWTARGET = "Показывать Вамп/Ликан на Цели", SI_LUIE_LAM_BUFF_LONGTERM_VAMPWWTARGET_TP = "Определяет, показывать ли бафф заболевания вампиризмом или ликантропией на цели.", SI_LUIE_LAM_BUFF_LONGTERM_BITEPLAYER = "Таймер укуса Вамп/Оборот на Игроке", SI_LUIE_LAM_BUFF_LONGTERM_BITEPLAYER_TP = "Определяет, показывать ли таймер отката укуса вампира/оборотня на игроке.", SI_LUIE_LAM_BUFF_LONGTERM_BITETARGET = "Таймер укуса Вамп/Оборот на Цели", SI_LUIE_LAM_BUFF_LONGTERM_BITETARGET_TP = "Определяет, показывать ли таймер отката укуса вампира/оборотня на цели.", SI_LUIE_LAM_BUFF_LONGTERM_BSPIRITPLAYER = "Battle Spirit на Игроке", SI_LUIE_LAM_BUFF_LONGTERM_BSPIRITPLAYER_TP = "Определяет, показывать ли бафф Battle Spirit на Игроке.", SI_LUIE_LAM_BUFF_LONGTERM_BSPIRITTARGET = "Battle Spirit на Цели", SI_LUIE_LAM_BUFF_LONGTERM_BSPIRITTARGET_TP = "Определяет, показывать ли бафф Battle Spirit на Цели.", SI_LUIE_LAM_BUFF_LONGTERM_CYROPLAYER = "Бонусы Сиродила на Игроке", SI_LUIE_LAM_BUFF_LONGTERM_CYROPLAYER_TP = "Определяет, показывать ли текущие баффы бонусов Сиродила на игроке.", SI_LUIE_LAM_BUFF_LONGTERM_CYROTARGET = "Бонусы Сиродила на Цели", SI_LUIE_LAM_BUFF_LONGTERM_CYROTARGET_TP = "Определяет, показывать ли текущие баффы бонусов Сиродила на цели.", SI_LUIE_LAM_BUFF_LONGTERM_ESOPLUSPLAYER = "ESO Plus на Игроке", SI_LUIE_LAM_BUFF_LONGTERM_ESOPLUSPLAYER_TP = "Определяет, показывать ли бафф ESO Plus Member на игроке.", SI_LUIE_LAM_BUFF_LONGTERM_ESOPLUSTARGET = "ESO Plus на Цели", SI_LUIE_LAM_BUFF_LONGTERM_ESOPLUSTARGET_TP = "Определяет, показывать ли бафф ESO Plus Member на цели.", SI_LUIE_LAM_BUFF_LONGTERM_SOULSUMMONSPLAYER = "Soul Summons на Игроке", SI_LUIE_LAM_BUFF_LONGTERM_SOULSUMMONSPLAYER_TP = "Определяет, показывать ли бафф внутреннего отката Soul Summons на игроке.", SI_LUIE_LAM_BUFF_LONGTERM_SOULSUMMONSTARGET = "Soul Summons на Цели", SI_LUIE_LAM_BUFF_LONGTERM_SOULSUMMONSTARGET_TP = "Определяет, показывать ли бафф внутреннего отката Soul Summons на цели.", SI_LUIE_LAM_BUFF_LONGTERM_SETICDPLAYER = "Откат комплектов на Игроке", SI_LUIE_LAM_BUFF_LONGTERM_SETICDPLAYER_TP = "Определяет, показывать ли бафф отката эффектов комплектов Phoenix, Eternal Warrior и Immortal Warrior на игроке.", SI_LUIE_LAM_BUFF_LONGTERM_SETICDTARGET = "Откат комплектов на Цели", SI_LUIE_LAM_BUFF_LONGTERM_SETICDTARGET_TP = "Определяет, показывать ли бафф отката эффектов комплектов Phoenix, Eternal Warrior и Immortal Warrior на цели.", SI_LUIE_LAM_BUFF_LONGTERM_FOODPLAYER = "Баффы Еды & Напитков на Игроке", SI_LUIE_LAM_BUFF_LONGTERM_FOODPLAYER_TP = "Определяет, показывать ли баффы еды & напитков на игроке.", SI_LUIE_LAM_BUFF_LONGTERM_FOODTARGET = "Баффы Еды & Напитков на Цели", SI_LUIE_LAM_BUFF_LONGTERM_FOODTARGET_TP = "Определяет, показывать ли баффы еды & напитков на цели.", SI_LUIE_LAM_BUFF_LONGTERM_EXPERIENCEPLAYER = "Бафф повышения опыта на Игроке", SI_LUIE_LAM_BUFF_LONGTERM_EXPERIENCEPLAYER_TP = "Определяет, показывать ли бафф, увеличивающий получаемый опыт на игроке.", SI_LUIE_LAM_BUFF_LONGTERM_EXPERIENCETARGET = "Бафф повышения опыта на Цели", SI_LUIE_LAM_BUFF_LONGTERM_EXPERIENCETARGET_TP = "Определяет, показывать ли бафф, увеличивающий получаемый опыт на цели.", SI_LUIE_LAM_BUFF_MISC_HEADER = "Фильтр коротких эффектов", SI_LUIE_LAM_BUFF_MISC_SHOWGALLOP = "Галоп (Только для игрока)", SI_LUIE_LAM_BUFF_MISC_SHOWGALLOP_TP = "Показывает специальный значок баффа, когда игрок передвигается верхом галопом.", SI_LUIE_LAM_BUFF_MISC_SHOWSPRINT = "Спринт (Только для игрока)", SI_LUIE_LAM_BUFF_MISC_SHOWSPRINT_TP = "Показывает специальный значок баффа, когда игрок использует спринт.", SI_LUIE_LAM_BUFF_MISC_SHOWREZZ = "Иммунитет воскрешения (Только для игрока)", SI_LUIE_LAM_BUFF_MISC_SHOWREZZ_TP = "Показывает специальный значок баффа, когда игрок имеет иммунитет к урону и эффектам во время воскрешения.", SI_LUIE_LAM_BUFF_MISC_SHOWRECALL = "Штраф телепорта (Только для игрока)", SI_LUIE_LAM_BUFF_MISC_SHOWRECALL_TP = "Показывает специальный значок баффа, когда для игрока применяется штраф к цене перемещения к святилищу.", SI_LUIE_LAM_BUFF_MISC_SHOWWEREWOLF = "Таймер оборотня (Только для игрока)", SI_LUIE_LAM_BUFF_MISC_SHOWWEREWOLF_TP = "Показывает специальный значок баффа, когда игрок принимаем форму оборотня.", SI_LUIE_LAM_BUFF_MISC_SHOWBLOCKPLAYER = "Блок - Игрок", SI_LUIE_LAM_BUFF_MISC_SHOWBLOCKPLAYER_TP = "Показывает специальный значок баффа блока, когда игрок удерживает блок.", SI_LUIE_LAM_BUFF_MISC_SHOWBLOCKTARGET = "Блок - Цель", SI_LUIE_LAM_BUFF_MISC_SHOWBLOCKTARGET_TP = "Показывает специальный значок баффа блока, когда цель удерживает блок.", SI_LUIE_LAM_BUFF_MISC_SHOWSTEALTHPLAYER = "Скрытность - Игрок", SI_LUIE_LAM_BUFF_MISC_SHOWSTEALTHPLAYER_TP = "Показывает специальный значок баффа, когда игрок находится в режиме скрытности.", SI_LUIE_LAM_BUFF_MISC_SHOWSTEALTHTARGET = "Скрытность - Цель", SI_LUIE_LAM_BUFF_MISC_SHOWSTEALTHTARGET_TP = "Показывает специальный значок баффа, когда цель находится в режиме скрытности.", SI_LUIE_LAM_BUFF_MISC_LOOTSHOWDISGUISEPLAYER = "Маскировка - Игрок", SI_LUIE_LAM_BUFF_MISC_LOOTSHOWDISGUISEPLAYER_TP = "Показывает специальный значок баффа, когда игрок в особой области и использует маскировку от врагов.", SI_LUIE_LAM_BUFF_MISC_LOOTSHOWDISGUISETARGET = "Маскировка - Цель", SI_LUIE_LAM_BUFF_MISC_LOOTSHOWDISGUISETARGET_TP = "Показывает специальный значок баффа, когда цель в особой области и использует маскировку от врагов.", SI_LUIE_LAM_BUFF_PROM_HEADER = "Особые Баффы & Дебаффы", SI_LUIE_LAM_BUFF_PROM_DESCRIPTION = "Этот белый список позволяет вам отображать важные баффы и дебаффы в отдельном контейнере с дополнительной надписью и прогрессбаром.\n\nДопустимые эффекты: Баффы игрока, Дебаффы цели, Наземные эффекты\n\nВы можете добавить баффы и дебаффы в КАЖДЫЙ контейнер. Например, если вы хотите отслеживать длительность Hurricane вместе с другими вашими DoTами, вы можете добавить Hurricane в ваш список Особых дебаффов.", SI_LUIE_LAM_BUFF_PROM_LABEL = "Название способности", SI_LUIE_LAM_BUFF_PROM_LABEL_TP = "Включает отображение названия способности для Особой ауры.", SI_LUIE_LAM_BUFF_PROM_FONTFACE = "Вид шрифта", SI_LUIE_LAM_BUFF_PROM_FONTFACE_TP = "Выберите вид шрифта для названия способности особой ауры.", SI_LUIE_LAM_BUFF_PROM_FONTSTYLE = "Стиль шрифта", SI_LUIE_LAM_BUFF_PROM_FONTSTYLE_TP = "Выберите стиль шрифта для названия способности особой ауры.", SI_LUIE_LAM_BUFF_PROM_FONTSIZE = "Размер шрифта", SI_LUIE_LAM_BUFF_PROM_FONTSIZE_TP = "Выберите размер шрифта для названия способности особой ауры.", SI_LUIE_LAM_BUFF_PROM_PROGRESSBAR = "Прогрессбар", SI_LUIE_LAM_BUFF_PROM_PROGRESSBAR_TP = "Включает отображение прогрессбара для особой ауры.", SI_LUIE_LAM_BUFF_PROM_PROGRESSBAR_TEXTURE = "Текстура прогрессбара", SI_LUIE_LAM_BUFF_PROM_PROGRESSBAR_TEXTURE_TP = "Выберите текстуру для отображение прогрессбара особой ауры.", SI_LUIE_LAM_BUFF_PROM_COLORBUFF1 = "Градиент Баффа (Начало)", SI_LUIE_LAM_BUFF_PROM_COLORBUFF1_TP = "Выберите цвет начала градиента прогрессбара для особого баффа.", SI_LUIE_LAM_BUFF_PROM_COLORBUFF2 = "Градиент Баффа (Конец)", SI_LUIE_LAM_BUFF_PROM_COLORBUFF2_TP = "Выберите цвет конца градиента прогрессбара для особого баффа.", SI_LUIE_LAM_BUFF_PROM_COLORDEBUFF1 = "Градиент Дебаффа (Начало)", SI_LUIE_LAM_BUFF_PROM_COLORDEBUFF1_TP = "Выберите цвет начала градиента прогрессбара для особого дебаффа.", SI_LUIE_LAM_BUFF_PROM_COLORDEBUFF2 = "Градиент Дебаффа (Конец)", SI_LUIE_LAM_BUFF_PROM_COLORDEBUFF2_TP = "Выберите цвет конца градиента прогрессбара для особого дебаффа.", SI_LUIE_LAM_BUFF_PROM_BUFFALIGNMENT = "Выравнивание особых Баффов", SI_LUIE_LAM_BUFF_PROM_BUFFALIGNMENT_TP = "Выберите точку начала заполнения контейнера особых баффов: вверх, вниз по центру.", SI_LUIE_LAM_BUFF_PROM_DEBUFFALIGNMENT = "Выравнивание особых Дебаффов", SI_LUIE_LAM_BUFF_PROM_DEBUFFALIGNMENT_TP = "Выберите точку начала заполнения контейнера особых баффов: вверх, вниз по центру.", SI_LUIE_LAM_BUFF_PROM_BUFFREVERSESORT = "Обратить сортировку особых Баффов", SI_LUIE_LAM_BUFF_PROM_BUFFREVERSESORT_TP = "Включает направление сортировки по возрастанию/убыванию для контейнера особых баффов.", SI_LUIE_LAM_BUFF_PROM_DEBUFFREVERSESORT = "Обратить сортировку особых Дебаффов", SI_LUIE_LAM_BUFF_PROM_DEBUFFREVERSESORT_TP = "Включает направление сортировки по возрастанию/убыванию для контейнера особых баффов.", SI_LUIE_LAM_BUFF_PROM_BUFFLABELDIRECTION = "Положение надписи и прогрессбара (Баффы)", SI_LUIE_LAM_BUFF_PROM_BUFFLABELDIRECTION_TP = "Выберите, где отображать название способности и прогрессбар, слева или справа от особого баффа.", SI_LUIE_LAM_BUFF_PROM_DEBUFFLABELDIRECTION = "Положение надписи и прогрессбара (Дебаффы)", SI_LUIE_LAM_BUFF_PROM_DEBUFFLABELDIRECTION_TP = "Выберите, где отображать название способности и прогрессбар, слева или справа от особого дебаффа.", SI_LUIE_LAM_BUFF_PROM_DIALOGUE_DESCRIPT = "Добавляет особый бафф или дебафф по введённому AbilityId (ID способности) или AbilityName (названию способности) в поле ввода и нажатию Enter. Убирает особый бафф или дебафф по клику на AbilityId (ID способности) или AbilityName (названию способности) из ниспадающего списка.", SI_LUIE_LAM_BUFF_PROM_BUFF_ADDLIST = "Добавить особый Бафф", SI_LUIE_LAM_BUFF_PROM_BUFF_ADDLIST_TP = "Добавляет abilityId или abilityName в список особых Баффов.", SI_LUIE_LAM_BUFF_PROM_BUFF_REMLIST = "Убрать особый Бафф", SI_LUIE_LAM_BUFF_PROM_BUFF_REMLIST_TP = "Убирает abilityId ил abilityName из списка особых Баффов.", SI_LUIE_LAM_BUFF_PROM_DEBUFF_ADDLIST = "Добавить особый Дебафф", SI_LUIE_LAM_BUFF_PROM_DEBUFF_ADDLIST_TP = "Добавляет abilityId или abilityName в список особых Баффов.", SI_LUIE_LAM_BUFF_PROM_DEBUFF_REMLIST = "Убрать особый Дебафф", SI_LUIE_LAM_BUFF_PROM_DEBUFF_REMLIST_TP = "Убирает abilityId или abilityName из списка особых Дебаффов.", SI_LUIE_LAM_BUFF_BLACKLIST_HEADER = "Чёрный список Баффов & Дебаффов", SI_LUIE_LAM_BUFF_BLACKLIST_DESCRIPT = "Добавляет особый бафф или дебафф в Чёрный список по введённому AbilityId (ID способности) или AbilityName (названию способности) в поле ввода и нажатию Enter. Убирает особый бафф или дебафф из Чёрного списка по клику на AbilityId (ID способности) или AbilityName (названию способности) из ниспадающего списка.", SI_LUIE_LAM_BUFF_BLACKLIST_ADDLIST = "Добавить Бафф/Дебафф в чёрный список", SI_LUIE_LAM_BUFF_BLACKLIST_ADDLIST_TP = "Добавляет abilityId или abilityName в чёрный список аур.", SI_LUIE_LAM_BUFF_BLACKLIST_REMLIST = "Убрать Бафф/Дебафф из чёрного списка", SI_LUIE_LAM_BUFF_BLACKLIST_REMLIST_TP = "Убирает abilityId или abilityName в чёрного списка аур.", -- Module: Chat Announcements SI_LUIE_LAM_CA_ENABLE = "Оповещения чата", SI_LUIE_LAM_CA_HEADER = "Настройки Оповещений в чат", SI_LUIE_LAM_CA_DESCRIPTION = "Выводит в чат оповещения о различных событиях - есть множество различных настроек.", SI_LUIE_LAM_CA_CHATHEADER = "Настройки сообщений в чат", SI_LUIE_LAM_CA_NAMEDISPLAYMETHOD = "Отображение имени игрока", SI_LUIE_LAM_CA_NAMEDISPLAYMETHOD_TP = "Определяет способ отображения имени игрока в оповещениях чата.\nПо умолчанию: Имя персонажа", SI_LUIE_LAM_CA_CHATTAB = "\t\t\t\t\tПоказывать во вкладке <<1>>", SI_LUIE_LAM_CA_CHATTAB_TP = "Показывает оповещения и предупреждения во вкладке чата <<1>>.", SI_LUIE_LAM_CA_CHATTABSYSTEMALL = "Системные во ВСЕХ вкладках", SI_LUIE_LAM_CA_CHATTABSYSTEMALL_TP = "Когда включено: Системные сообщения, Социальные оповещения (Группа, Гильдия, Друзья & Список игнора, Торговля & Дуэли), оповещения команд чата и сообщения об ошибках будут выводиться во всех вкладках чата.", SI_LUIE_LAM_CA_BRACKET_OPTION_CHARACTER = "Скобки имени персонажа/аккаунта", SI_LUIE_LAM_CA_BRACKET_OPTION_CHARACTER_TP = "Выберите, показывать ли скобки [ ] вокруг имени персонажа или аккаунта.", SI_LUIE_LAM_CA_BRACKET_OPTION_ITEM = "Скобки предметов", SI_LUIE_LAM_CA_BRACKET_OPTION_ITEM_TP = "Выберите, показывать ли скобки [ ] вокруг ссылок на предметы.", SI_LUIE_LAM_CA_BRACKET_OPTION_LOREBOOK = "Скобки книг знаний", SI_LUIE_LAM_CA_BRACKET_OPTION_LOREBOOK_TP = "Выберите, показывать ли скобки [ ] вокруг ссылок на книги знаний.", SI_LUIE_LAM_CA_BRACKET_OPTION_COLLECTIBLE = "Скобки коллекций", SI_LUIE_LAM_CA_BRACKET_OPTION_COLLECTIBLE_TP = "Выберите, показывать ли скобки [ ] вокруг ссылок на коллекции.", SI_LUIE_LAM_CA_BRACKET_OPTION_ACHIEVEMENT = "Скобки достижений", SI_LUIE_LAM_CA_BRACKET_OPTION_ACHIEVEMENT_TP = "Выберите, показывать ли скобки [ ] вокруг ссылок на достижения.", SI_LUIE_LAM_CA_CHATMETHOD = "Способ отображения сообщений", SI_LUIE_LAM_CA_CHATMETHOD_TP = "Выберите, где выводить сообщения чата, во все вкладки или в отдельную.", SI_LUIE_LAM_CA_CHATBYPASS = "Интеграция с pChat", SI_LUIE_LAM_CA_CHATBYPASS_TP = "Включение этой настройки не позволит LUIE добавлять к сообщениям метку времени и позволит pChat или другим аддонам для чата поддерживать эти сообщения. При использовании pChat, эти сообщения смогут быть сохранены и восстановлены после перезапуска.\nПомните: Эта настройка доступна только если сообщения выводятся во все вкладки, так как pChat пока не поддерживает отправку сообщений в индивидуальную вкладку.", SI_LUIE_LAM_CA_TIMESTAMP = "Метка времени", SI_LUIE_LAM_CA_TIMESTAMPFORMAT = "Формат метки времени", SI_LUIE_LAM_CA_TIMESTAMPFORMAT_TP = "ФОРМАТ:\nHH: часы (24)\nhh: часы (12)\nH: часы (24, без 0 в начале)\nh: часы (12, без 0 в начале)\nA: AM/PM\na: am/pm\nm: минуты\ns: секунды", SI_LUIE_LAM_CA_TIMESTAMPCOLOR = "Цвет метки", SI_LUIE_LAM_CA_TIMESTAMPCOLOR_TP = "Цвет для метки времени.\nПо умолчанию: 143/143/143", SI_LUIE_LAM_CA_TIMESTAMP_TP = "Добавляет к выводимому тексту метку времени. Применяется ко всем сообщениям, отправляемым LUIE & Системным сообщениям, но не к сообщениям игроков. Формат и цвет по умолчанию соответствует pChat.", SI_LUIE_LAM_CA_SHARED_CA = "Оповещения чата", SI_LUIE_LAM_CA_SHARED_CA_SHORT = "CA", SI_LUIE_LAM_CA_SHARED_CSA = "Оповещения на экране", SI_LUIE_LAM_CA_SHARED_CSA_SHORT = "CSA", SI_LUIE_LAM_CA_SHARED_ALERT = "Предупреждение", SI_LUIE_LAM_CA_SHARED_ALERT_SHORT = "Пред.", SI_LUIE_LAM_CA_CURRENCY_HEADER = "Оповещения о Валютах", SI_LUIE_LAM_CA_CURRENCY_SHOWICONS = "Значок валюты", SI_LUIE_LAM_CA_CURRENCY_SHOWICONS_TP = "Отображает значок соответствующей валюты при выводе оповещений о её изменениях.", SI_LUIE_LAM_CA_CURRENCY_COLOR_CONTEXT = "Цвет контекста получения/траты Добычи & Валюты", SI_LUIE_LAM_CA_CURRENCY_COLOR_CONTEXT_TP = "Цвет сообщений о добыче/валюте будет зависеть от того, получаете вы добычу/валюту или теряете её.", SI_LUIE_LAM_CA_CURRENCY_COLOR = "Цвет сообщений о Добыче/Валюте", SI_LUIE_LAM_CA_CURRENCY_COLORDOWN = "Цвет траты Добычи/Валюты", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_CURRENCY_COLORUP = "Цвет получения Добычи/Валюты", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_CURRENCY_GOLD = "Выводить изменения золота", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_CURRENCY_GOLD_TP = "Выводить в чат оповещения о получении или трате золота.", SI_LUIE_LAM_CA_CURRENCY_GOLDCOLOR = "Цвет золота", SI_LUIE_LAM_CA_CURRENCY_GOLDNAME = "Название золота", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_CURRENCY_GOLDNAME_TP = "Название для отображения золота.\nПо умолчанию: <<1[золота/золота]>>", SI_LUIE_LAM_CA_CURRENCY_GOLDTOTAL = "Указывать 'Всего Золота'", SI_LUIE_LAM_CA_CURRENCY_GOLDTOTAL_TP = "Приписывать 'Всего Золота' при оповещениях об изменении текущего количества золота.", SI_LUIE_LAM_CA_CURRENCY_GOLDTOTAL_MSG = "Синтаксис 'Всего Золота'", SI_LUIE_LAM_CA_CURRENCY_GOLDTOTAL_MSG_TP = "Выберите синтаксис сообщения 'Всего Золота'.\nПо умолчанию: Всего золота: %s", SI_LUIE_LAM_CA_CURRENCY_GOLDTHRESHOLD = "Золото (Добыча) - Порог фильтра", SI_LUIE_LAM_CA_CURRENCY_GOLDTHRESHOLD_TP = "Золото, добытое из добычи, ниже указанного уровня, не будет выводиться в оповещения чата.", SI_LUIE_LAM_CA_CURRENCY_GOLDTHROTTLE = "Суммировать золото различных источников", SI_LUIE_LAM_CA_CURRENCY_GOLDTHROTTLE_TP = "Когда включено, золото, добытое с нескольких тел будет просуммировано в одно значение вместо отображения по отдельности.", SI_LUIE_LAM_CA_CURRENCY_HIDEGOLDAHLIST = "Скрыть налог Гильд.торговца", SI_LUIE_LAM_CA_CURRENCY_HIDEGOLDAHLIST_TP = "Включите эту настройку, чтобы скрыть налог, взимаемый за размещение товара у гильд.торговца.\nЭто полезно, если вы используете такой аддон, как Awesome Guild Store.", SI_LUIE_LAM_CA_CURRENCY_HIDEGOLDAHSPENT = "Скрыть потраченное золото на покупки у Гильдейских торговцев", SI_LUIE_LAM_CA_CURRENCY_HIDEGOLDAHSPENT_TP = "Включите эту настройку, чтобы скрыть оповещение о потраченном на покупки у Гильдейских торговцев золоте.", SI_LUIE_LAM_CA_CURRENCY_SHOWAP = "Очки Альянса", SI_LUIE_LAM_CA_CURRENCY_SHOWAP_TP = "Выводит соответствующее оповещение в чат при получении или трате Очков Альянса.", SI_LUIE_LAM_CA_CURRENCY_SHOWAPCOLOR = "Цвет изменения Очков Альянса", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_CURRENCY_SHOWAPNAME = "Название Очков Альянса", SI_LUIE_LAM_CA_CURRENCY_SHOWAPNAME_TP = "Название для отображения Очков Альянса. 's' будет добавлено автоматически, если не используется один из специальных форматов ниже.", SI_LUIE_LAM_CA_CURRENCY_SHOWAPTOTAL = "Всего Очков Альянса", SI_LUIE_LAM_CA_CURRENCY_SHOWAPTOTAL_TP = "Показывает общее количество Очков Альянса после оповещения о каждом изменении.", SI_LUIE_LAM_CA_CURRENCY_APTOTAL_MSG = "Синтаксис 'Всего Очков Альянса'", SI_LUIE_LAM_CA_CURRENCY_APTOTAL_MSG_TP = "Выберите синтаксис для сообщения 'Всего Очков Альянса'.\nПо умолчанию: Всего AP: %s", SI_LUIE_LAM_CA_CURRENCY_SHOWAPTHRESHOLD = "Очки Альянса - Порог фильтра", SI_LUIE_LAM_CA_CURRENCY_SHOWAPTHRESHOLD_TP = "Очки Альянса, полученные ниже указанного здесь порога, не будут выводиться в чат, эта настройка призвана снизить спам в чат при групповых PVP-сражениях.", SI_LUIE_LAM_CA_CURRENCY_SHOWAPTHROTTLE = "Суммировать полученные Очки Альянса", SI_LUIE_LAM_CA_CURRENCY_SHOWAPTHROTTLE_TP = "Установка этой настройки в значение выше 0 позволяет вам выводить сумму полученных Очков Альянса за X миллисекунд.", SI_LUIE_LAM_CA_CURRENCY_SHOWTV = "Камни Тель-Вар", SI_LUIE_LAM_CA_CURRENCY_SHOWTV_TP = "Выводит соответствующее оповещение в чат при получении или трате камней Тель Вар.", SI_LUIE_LAM_CA_CURRENCY_SHOWTVCOLOR = "Цвет изменений Тель-Вар", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_CURRENCY_SHOWTVNAME = "Название Тель-Вар", SI_LUIE_LAM_CA_CURRENCY_SHOWTVNAME_TP = "Название для отображения камней Тель-Вар. 's' будет добавлено автоматически, если не используется один из специальных форматов ниже.", SI_LUIE_LAM_CA_CURRENCY_SHOWTVTOTAL = "Всего Тель-Вар", SI_LUIE_LAM_CA_CURRENCY_SHOWTVTOTAL_TP = "Показывает общее количество Тель-Вар после оповещения о каждом изменении.", SI_LUIE_LAM_CA_CURRENCY_TVTOTAL_MSG = "Синтаксис 'Всего Тель-Вар'", SI_LUIE_LAM_CA_CURRENCY_TVTOTAL_MSG_TP = "Выберите синтаксис для сообщения 'Всего Тель-Вар'.\nПо умолчанию: Всего TV: %s", SI_LUIE_LAM_CA_CURRENCY_SHOWTVTHRESHOLD = "Тель-Вар - Порог фильтра", SI_LUIE_LAM_CA_CURRENCY_SHOWTVTHRESHOLD_TP = "Тель-Вары, полученные в объёме ниже указанного здесь порога, не будут выводиться в чат.", SI_LUIE_LAM_CA_CURRENCY_SHOWTVTHROTTLE = "Суммировать полученные Тель-Вар", SI_LUIE_LAM_CA_CURRENCY_SHOWTVTHROTTLE_TP = "Установка этой настройки в значение выше 0 позволяет вам выводить сумму полученных Тель-Вар за X миллисекунд.", SI_LUIE_LAM_CA_CURRENCY_SHOWVOUCHER = "Ваучеры", SI_LUIE_LAM_CA_CURRENCY_SHOWVOUCHER_TP = "Выводит соответствующее оповещение в чат при получении или трате Ваучеров.", SI_LUIE_LAM_CA_CURRENCY_SHOWVOUCHERCOLOR = "Цвет изменений Ваучеров", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_CURRENCY_SHOWVOUCHERNAME = "Название Ваучеров", SI_LUIE_LAM_CA_CURRENCY_SHOWVOUCHERNAME_TP = "Название для отображения Ваучеров. 's' будет добавлено автоматически, если не используется один из специальных форматов ниже.", SI_LUIE_LAM_CA_CURRENCY_SHOWVOUCHERTOTAL = "Всего Ваучеров", SI_LUIE_LAM_CA_CURRENCY_SHOWVOUCHERTOTAL_TP = "Показывает общее количество Ваучеров после оповещения о каждом изменении.", SI_LUIE_LAM_CA_CURRENCY_WVTOTAL_MSG = "Синтаксис 'Всего Ваучеров'", SI_LUIE_LAM_CA_CURRENCY_WVTOTAL_MSG_TP = "Выберите синтаксис для сообщения 'Всего Ваучеров'.\nПо умолчанию: Всего Ваучеров: %s", SI_LUIE_LAM_CA_CURRENCY_SHOWTRANSMUTE = "Кристаллы Трансмутации", SI_LUIE_LAM_CA_CURRENCY_SHOWTRANSMUTE_TP = "Выводит соответствующее оповещение в чат при получении или трате Кристаллов Трансмутации.", SI_LUIE_LAM_CA_CURRENCY_SHOWTRANSMUTECOLOR = "Цвет Кристаллов Трансмутации", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_CURRENCY_SHOWTRANSMUTENAME = "Название Кристаллов Трансмутации", SI_LUIE_LAM_CA_CURRENCY_SHOWTRANSMUTENAME_TP = "Название для отображения Кристаллов Трансмутации.\nПо умолчанию: <<1[Кристалл Трансмутации/Кристаллов Трансмутации]>>", SI_LUIE_LAM_CA_CURRENCY_SHOWTRANSMUTETOTAL = "Всего Кристаллов Трансмутации", SI_LUIE_LAM_CA_CURRENCY_SHOWTRANSMUTETOTAL_TP = "Показывает общее количество Кристаллов Трансмутации после оповещения о каждом изменении.", SI_LUIE_LAM_CA_CURRENCY_TRANSMUTETOTAL_MSG = "Синтаксис 'Всего Кристаллов Трансмутации'", SI_LUIE_LAM_CA_CURRENCY_TRANSMUTETOTAL_MSG_TP = "Выберите синтаксис для сообщения 'Всего Кристаллов Трансмутации'.\nПо умолчанию: Всего Кристаллов: %s", SI_LUIE_LAM_CA_CURRENCY_SHOWEVENT = "Билеты событий", SI_LUIE_LAM_CA_CURRENCY_SHOWEVENT_TP = "Выводит соответствующее оповещение в чат при получении или трате Билетов событий.", SI_LUIE_LAM_CA_CURRENCY_SHOWEVENTCOLOR = "Цвет Билетов", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_CURRENCY_SHOWEVENTNAME = "Название Билетов", SI_LUIE_LAM_CA_CURRENCY_SHOWEVENTNAME_TP = "Название для отображения Билетов событий.\nПо умолчанию: <<1[Билет событий/Билетов событий]>>", SI_LUIE_LAM_CA_CURRENCY_SHOWEVENTTOTAL = "Всего Билетов", SI_LUIE_LAM_CA_CURRENCY_SHOWEVENTTOTAL_TP = "Показывает общее количество Билетов событий после оповещения о каждом изменении.", SI_LUIE_LAM_CA_CURRENCY_EVENTTOTAL_MSG = "Синтаксис 'Всего Билетов'", SI_LUIE_LAM_CA_CURRENCY_EVENTTOTAL_MSG_TP = "Выберите синтаксис для сообщения 'Всего Билетов'.\nПо умолчанию: Всего Билетов: %s", SI_LUIE_LAM_CA_CURRENCY_SHOWCROWNS = "Кроны", SI_LUIE_LAM_CA_CURRENCY_SHOWCROWNS_TP = "Выводит соответствующее оповещение в чат при получении или трате Крон.", SI_LUIE_LAM_CA_CURRENCY_SHOWCROWNSCOLOR = "Цвет Крон", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_CURRENCY_SHOWCROWNSNAME = "Название Крон", SI_LUIE_LAM_CA_CURRENCY_SHOWCROWNSNAME_TP = "Название для отображения Крон.\nПо умолчанию: <<1[Крона/Крон]>>", SI_LUIE_LAM_CA_CURRENCY_SHOWCROWNSTOTAL = "Всего Крон", SI_LUIE_LAM_CA_CURRENCY_SHOWCROWNSTOTAL_TP = "Показывает общее количество Крон после оповещения о каждом изменении.", SI_LUIE_LAM_CA_CURRENCY_CROWNSTOTAL_MSG = "Синтаксис 'Всего Крон'", SI_LUIE_LAM_CA_CURRENCY_CROWNSTOTAL_MSG_TP = "Выберите синтаксис для сообщения 'Всего Крон'.\nПо умолчанию: Всего Крон: %s", SI_LUIE_LAM_CA_CURRENCY_SHOWCROWNGEMS = "Кронные самоцветы", SI_LUIE_LAM_CA_CURRENCY_SHOWCROWNGEMS_TP = "Выводит соответствующее оповещение в чат при получении или трате Кронных самоцветов.", SI_LUIE_LAM_CA_CURRENCY_SHOWCROWNGEMSCOLOR = "Цвет Кронных самоцветов", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_CURRENCY_SHOWCROWNGEMSNAME = "Название Кронных самоцветов", SI_LUIE_LAM_CA_CURRENCY_SHOWCROWNGEMSNAME_TP = "Название для отображения Кронных самоцветов.\nПо умолчанию: <<1[Крон.самоцвет/Крон.самоцветов]>>", SI_LUIE_LAM_CA_CURRENCY_SHOWCROWNGEMSTOTAL = "Всего Кронных самоцветов", SI_LUIE_LAM_CA_CURRENCY_SHOWCROWNGEMSTOTAL_TP = "Показывает общее количество Кронных самоцветов после оповещения о каждом изменении.", SI_LUIE_LAM_CA_CURRENCY_CROWNGEMSTOTAL_MSG = "Синтаксис 'Всего Кронных самоцветов'", SI_LUIE_LAM_CA_CURRENCY_CROWNGEMSTOTAL_MSG_TP = "Выберите синтаксис для сообщения 'Всего Кронных самоцветов'.\nПо умолчанию: Всего Самоцветов: %s", SI_LUIE_LAM_CA_CURRENCY_SHOWTOKENS = "Outfit Style Token", SI_LUIE_LAM_CA_CURRENCY_SHOWTOKENS_TP = "Выводит соответствующее оповещение в чат при получении или трате Outfit Style Token.", SI_LUIE_LAM_CA_CURRENCY_SHOWTOKENSCOLOR = "Цвет Outfit Style Token", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_CURRENCY_SHOWTOKENSNAME = "Название Outfit Style Token", SI_LUIE_LAM_CA_CURRENCY_SHOWTOKENSNAME_TP = "Название для отображения Outfit Style Tokens.\nПо умолчанию: <<1[Outfit Style Token/Outfit Style Tokens]>>", SI_LUIE_LAM_CA_CURRENCY_SHOWTOKENSTOTAL = "Всего Outfit Style Token", SI_LUIE_LAM_CA_CURRENCY_SHOWTOKENSTOTAL_TP = "Показывает общее количество Outfit Style Tokens после оповещения о каждом изменении.", SI_LUIE_LAM_CA_CURRENCY_TOKENSTOTAL_MSG = "Синтаксис 'Всего Outfit Style Token'", SI_LUIE_LAM_CA_CURRENCY_TOKENSTOTAL_MSG_TP = "Выберите синтаксис для сообщения 'Всего Outfit Style Token'.\nПо умолчанию: Всего Tokens: %s", SI_LUIE_LAM_CA_CURRENCY_CONTEXT_MENU = "Общие настройки Добычи/Валюты", SI_LUIE_LAM_CA_CURRENCY_CONTEXT_HEADER = "Контекстные сообщения", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_RECEIVE = "Получение", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_RECEIVE_TP = "По умолчанию: Вы получили %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_LOOT = "Добыча", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_LOOT_TP = "По умолчанию: Ваша добыча %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_EARN = "Заработано", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_EARN_TP = "По умолчанию: Вы заработали %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_SPEND = "Потрачено", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_SPEND_TP = "По умолчанию: Вы потратили %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_PAY = "Плата (Разговор с НПС)", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_PAY_TP = "По умолчанию: Вы заплатили %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_LOST = "Потеряно", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_LOST_TP = "По умолчанию: Вы потеряли %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_STEAL = "Украдено", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_STEAL_TP = "По умолчанию: Вы украли %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_PICKPOCKET = "Украдено из кармана", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_PICKPOCKET_TP = "По умолчанию: Вы украли из кармана %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_BOUNTY = "Штраф - Оплачено", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_BOUNTY_TP = "По умолчанию: Вы оплатили штраф %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_CONFISCATE = "Штраф - Конфисковано", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_CONFISCATE_TP = "По умолчанию: Стража конфисковала %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_REPAIR = "Починка", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_REPAIR_TP = "По умолчанию: Вы заплатили %s за починку.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_TRADER = "Гильд.торговец - Приобретено", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_TRADER_TP = "По умолчанию: Вы приобрели предмет у гильд.торговца за %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_LISTING = "Гильд.торговец - Налог", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_LISTING_TP = "По умолчанию: Налог составил %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_TRADEIN = "Торговля (Входящее)", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_TRADEIN_TP = "По умолчанию: Вы получили %s от %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_TRADEIN_NO_NAME = "Торговля (Входящее) - Без имени", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_TRADEIN_NO_NAME_TP = "Это сообщение появляется при ошибке определения имени торгующего игрока.\nПо умолчанию: Вы получили %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_TRADEOUT = "Торговля (Исходящее)", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_TRADEOUT_TP = "По умолчанию: Вы продали %s игроку %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_TRADEOUT_NO_NAME = "Торговля (Исходящее) - Без имени", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_TRADEOUT_NO_NAME_TP ="Это сообщение появляется при ошибке определения имени торгующего игрока.\nПо умолчанию: Вы продали %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_MAILIN = "Письмо (Входящее)", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_MAILIN_TP = "По умолчанию: Вы получили письмо с %s от %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_MAILIN_NO_NAME = "Письмо (Входящее) - Без имени", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_MAILIN_NO_NAME_TP = "Это сообщение появляется при ошибке определения имени игрока, отправившего письмо.\nПо умолчанию: Вы получили письмо с %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_MAILOUT = "Письмо (Исходящее)", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_MAILOUT_TP = "По умолчанию: Вы отправили %s игроку %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_MAILOUT_NO_NAME = "Письмо (Исходящее) - Без имени", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_MAILOUT_NO_NAME_TP = "Это сообщение появляется при ошибке определения имени игрока-получателя.\nПо умолчанию: Вы отправили %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_MAILCOD = "Письмо - COD", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_MAILCOD_TP = "По умолчанию: Вы отправили платёж COD за %s игроку %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_POSTAGE = "Письмо - Почтовый налог", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_POSTAGE_TP = "По умолчанию: Вы заплатили почтовый налог %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_DEPOSIT = "Банк - Вклад", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_DEPOSIT_TP = "По умолчанию: Вы вложили %s в свой банк.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_WITHDRAW = "Банк - Изъятие", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_WITHDRAW_TP = "По умолчанию: Вы изъяли %s из своего банка.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_DEPOSITGUILD = "Гильд.банк - Вклад", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_DEPOSITGUILD_TP = "По умолчанию: Вы вложили %s в гильд.банк.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_DEPOSITSTORAGE = "Сундук - Вклад", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_DEPOSITSTORAGE_TP = "По умолчанию: Вы сложили %s в сундук.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_WITHDRAWSTORAGE = "Сундук - Изъятие", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_WITHDRAWSTORAGE_TP = "По умолчанию: Вы изъяли %s из сундука.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_WITHDRAWGUILD = "Гильд.банк - Изъятие", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_WITHDRAWGUILD_TP = "По умолчанию: Вы изъяли %s из гильд.банка.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_WAYSHRINE = "Дорожное святилище", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_WAYSHRINE_TP = "По умолчанию: Плата за дорожное святилище %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_UNSTUCK = "Застревание", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_UNSTUCK_TP = "По умолчанию: Плата за застревание %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_STABLE = "Верховая езда", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_STABLE_TP = "По умолчанию: Вы приобрели %s за %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_STORAGE = "Улучшение хранилища", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_STORAGE_TP = "По умолчанию: Вы приобрели %s за %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_ATTRIBUTES = "Сброс Характеристик", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_ATTRIBUTES_TP = "По умолчанию: Вы сделали подношение %s, чтобы перераспределить свои очки характеристик.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_CHAMPION = "Сброс Очков Чемпиона", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_CHAMPION_TP = "По умолчанию: Вы заплатили налог %s, чтобы перераспределить свои очки чемпиона.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_MORPHS = "Сброс Морфов", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_MORPHS_TP = "По умолчанию: Вы сделали подношение (%s), чтобы перераспределить свои морфы.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_SKILLS = "Сброс очков навыков", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_SKILLS_TP = "По умолчанию: Вы сделали подношение (%s), чтобы перераспределить свои очки навыков.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_CAMPAIGN = "Сиродил - Сброс Домашней кампании", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_CAMPAIGN_TP = "По умолчанию: Вы потратили %s, чтобы сбросить свою домашнюю кампанию.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_BUY = "Покупка (Без цены)", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_BUY_TP = "По умолчанию: Вы приобрели %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_BUY_VALUE = "Покупка", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_BUY_VALUE_TP = "По умолчанию: Вы приобрели %s за %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_BUYBACK = "Выкуп (Без цены)", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_BUYBACK_TP = "По умолчанию: Вы выкупили %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_BUYBACK_VALUE = "Выкуп", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_BUYBACK_VALUE_TP = "По умолчанию: Вы выкупили %s за %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_SELL = "Продажа (Без цены)", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_SELL_TP = "По умолчанию: Вы продали %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_SELL_VALUE = "Продажа", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_SELL_VALUE_TP = "По умолчанию: Вы продали %s за %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_FENCE_VALUE = "Сбыт", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_FENCE_VALUE_TP = "По умолчанию: Вы сбыли %s за %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_FENCE = "Сбыт (Без цены)", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_FENCE_TP = "По умолчанию: Вы сбыли %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_LAUNDER_VALUE = "Отмывание", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_LAUNDER_VALUE_TP = "По умолчанию: Вы отмыли %s за %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_LAUNDER = "Отмывание (Без цены)", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_LAUNDER_TP = "По умолчанию: Вы отмыли %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_USE = "Ремесло - Использование", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_USE_TP = "По умолчанию: Вы использовали %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_CRAFT = "Ремесло - Создание", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_CRAFT_TP = "По умолчанию: Вы создали %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_EXTRACT = "Ремесло - Извлечение", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_EXTRACT_TP = "По умолчанию: Вы извлекли %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_UPGRADE = "Ремесло - Улучшение (Успешное)", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_UPGRADE_TP = "По умолчанию: Вы улучшили %s до %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_UPGRADE_FAIL = "Ремесло - Улучшение (Неудачное)", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_UPGRADE_FAIL_TP = "По умолчанию: Вы не смогли улучшить %.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_REFINE = "Ремесло - Переработка", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_REFINE_TP = "По умолчанию: Вы переработали %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_DECONSTRUCT = "Ремесло - Разбор", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_DECONSTRUCT_TP = "По умолчанию: Вы разобрали %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_RESEARCH = "Ремесло - Исследование", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_RESEARCH_TP = "По умолчанию: Вы исследовали %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_DESTROY = "Уничтожение", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_DESTROY_TP = "По умолчанию: Вы уничтожили %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_LOCKPICK = "Отмычка сломана", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_LOCKPICK_TP = "По умолчанию: Ваша %s ломается.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_REMOVE = "Предмет или Предмет для задания - Удалено", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_REMOVE_TP = "По умолчанию: Убран %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_GROUP = "Добыча членов группы", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_GROUP_TP = "По умолчанию: %s получает %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_DISGUISE_EQUIP = "Маскировка - Надета", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_DISGUISE_EQUIP_TP = "По умолчанию: Вы надеваете %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_DISGUISE_REMOVE = "Маскировка - Снята", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_DISGUISE_REMOVE_TP = "По умолчанию: Вы снимаете %s.", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_DISGUISE_DESTROY = "Маскировка - Уничтожена", SI_LUIE_LAM_CA_CURRENCY_MESSAGE_DISGUISE_DESTROY_TP ="По умолчанию: Ваша маскировка %s уничтожена.", SI_LUIE_LAM_CA_LOOT_HEADER = "Сообщения о добыче", SI_LUIE_LAM_CA_LOOT_SHOWICONS = "Значок предмета", SI_LUIE_LAM_CA_LOOT_SHOWICONS_TP = "Показывает значок полученного предмета.", SI_LUIE_LAM_CA_LOOT_SHOWARMORTYPE = "Тип брони", SI_LUIE_LAM_CA_LOOT_SHOWARMORTYPE_TP = "Показывать тип брони в сообщении о предметах.", SI_LUIE_LAM_CA_LOOT_SHOWITEMSTYLE = "Стиль предмета", SI_LUIE_LAM_CA_LOOT_SHOWITEMSTYLE_TP = "Показывает в оповещении стиль предмета.", SI_LUIE_LAM_CA_LOOT_SHOWITEMTRAIT = "Особенность предмета", SI_LUIE_LAM_CA_LOOT_SHOWITEMTRAIT_TP = "Показывает в оповещении особенность (трейт) предмета.", SI_LUIE_LAM_CA_LOOT_TOTAL = "Всего предметов", SI_LUIE_LAM_CA_LOOT_TOTAL_TP = "Показывает общее количество предметов после вывода сообщения о предмете.", SI_LUIE_LAM_CA_LOOT_TOTALSTRING = "Синтаксис 'Всего предметов'", SI_LUIE_LAM_CA_LOOT_TOTALSTRING_TP = "Выберите синтаксис для сообщения 'Всего предметов'.\nПо умолчанию: Теперь всего:", SI_LUIE_LAM_CA_LOOT_SHOWITEMS = "Добыча предметов", SI_LUIE_LAM_CA_LOOT_SHOWITEMS_TP = "Показывает предметы, добытые с трупов, контейнеров, при карманной краже и в награду за задания.", SI_LUIE_LAM_CA_LOOT_SHOWNOTABLE = "Только важная добыча", SI_LUIE_LAM_CA_LOOT_SHOWNOTABLE_TP = "Только важные предметы (части комплектов, фиолетовые и синие вещи).", SI_LUIE_LAM_CA_LOOT_SHOWGRPLOOT = "Важная добыча группы", SI_LUIE_LAM_CA_LOOT_SHOWGRPLOOT_TP = "Только важные предметы членов группы (части комплектов, фиолетовые и синие вещи).", SI_LUIE_LAM_CA_LOOT_HIDEANNOYINGITEMS = "Скрыть надоедливые предметы", SI_LUIE_LAM_CA_LOOT_HIDEANNOYINGITEMS_TP = "Не показывать частые надоедливые предметы, как Laurel, Malachite Shard, Undaunted Plunder, Mercenary Motif Pages и др.", SI_LUIE_LAM_CA_LOOT_HIDEANNOYINGITEMS_WARNING = "Это предотвращает спам в чат в больших группах (Испытания)", SI_LUIE_LAM_CA_LOOT_HIDETRASH = "Скрыть хлам", SI_LUIE_LAM_CA_LOOT_HIDETRASH_TP = "Не показывать предметы серого качества, хлам.", SI_LUIE_LAM_CA_LOOT_LootConfiscateD = "Утрата предметов - Конфискация", SI_LUIE_LAM_CA_LOOT_LootConfiscateD_TP = "Показывает сообщение, когда предмет конфискован стражей.", SI_LUIE_LAM_CA_LOOT_LOOTSHOWDESTROYED = "Утрата предметов - Уничтожение", SI_LUIE_LAM_CA_LOOT_LOOTSHOWDESTROYED_TP = "Показывает сообщение, когда предмет уничтожен.", SI_LUIE_LAM_CA_LOOT_LOOTSHOWREMOVED = "Утрата предметов - Удаление предметов", SI_LUIE_LAM_CA_LOOT_LOOTSHOWREMOVED_TP = "Показывает сообщение, когда предмет удаляется из вашего инвентаря по событию или заданию.", SI_LUIE_LAM_CA_LOOT_LOOTSHOWLOCKPICK = "Утрата предметов - Поломка отмычки", SI_LUIE_LAM_CA_LOOT_LOOTSHOWLOCKPICK_TP = "Показывает сообщение о поломке отмычки при неудачном взломе или попытке открыть силой.", SI_LUIE_LAM_CA_LOOT_SHOWVENDOR = "Торговцы", SI_LUIE_LAM_CA_LOOT_SHOWVENDOR_TP = "Показывает предметы, проданные торговцу или купленные у него.", SI_LUIE_LAM_CA_LOOT_SHOWQUESTADD = "Предметы задания", SI_LUIE_LAM_CA_LOOT_SHOWQUESTADD_TP = "Показывает сообщение о получении или добыче предметов для задания.", SI_LUIE_LAM_CA_LOOT_SHOWQUESTREM = "Предметы задания - Удаление", SI_LUIE_LAM_CA_LOOT_SHOWQUESTREM_TP = "Показывает сообщение, когда предметы для задания используются или удаляются.", SI_LUIE_LAM_CA_LOOT_VENDOR_MERGE = "Объединять сообщения о добыче & валюте", SI_LUIE_LAM_CA_LOOT_VENDOR_MERGE_TP = "Объединяет сообщения о приобретении конкретного предмета и изменении валюты, связанное с этим, в одно сообщение", SI_LUIE_LAM_CA_LOOT_VENDOR_TOTALITEMS = "Всего предметов в транзакции", SI_LUIE_LAM_CA_LOOT_VENDOR_TOTALITEMS_TP = "Отображает общее количество предметов за одно посещение торговца.", SI_LUIE_LAM_CA_LOOT_VENDOR_TOTALCURRENCY = "Всего валюты в транзакции", SI_LUIE_LAM_CA_LOOT_VENDOR_TOTALCURRENCY_TP = "Отображает общее количество валюты за одно посещение торговца.", SI_LUIE_LAM_CA_LOOT_SHOWBANK = "Заполнение банка", SI_LUIE_LAM_CA_LOOT_SHOWBANK_TP = "Показывать предметы перемещённые/снятые из банка или гильдейского банка.", SI_LUIE_LAM_CA_LOOT_SHOWCRAFT = "Ремесло", SI_LUIE_LAM_CA_LOOT_SHOWCRAFT_TP = "Показывает полученные, потерянные или улучшенные предметы во время ремесла.", SI_LUIE_LAM_CA_LOOT_SHOWCRAFT_MATERIALS = "Расход материалов при ремесле", SI_LUIE_LAM_CA_LOOT_SHOWCRAFT_MATERIALS_TP = "Выводить ли в чат оповещение о расходе материалов при ремесле.\nВнимание: Эта настройка корректно работает только если активна подписка ESO Plus и, следовательно, разблокирована ремесленная сумка.", SI_LUIE_LAM_CA_LOOT_SHOWMAIL = "Предметы из почты", SI_LUIE_LAM_CA_LOOT_SHOWMAIL_TP = "Показывает предметы, полученные по почте.", SI_LUIE_LAM_CA_LOOT_SHOWTRADE = "Обмен", SI_LUIE_LAM_CA_LOOT_SHOWTRADE_TP = "Показывает предметы полученные или потерянные при обмене.", SI_LUIE_LAM_CA_LOOT_LOOTSHOWDISGUISE = "Сообщения и маскировке", SI_LUIE_LAM_CA_LOOT_LOOTSHOWDISGUISE_TP = "Показывает сообщение, когда надеваете, снимаете или теряете маскировку.", SI_LUIE_LAM_CA_EXP_HEADER = "Оповещения об Опыте", SI_LUIE_LAM_CA_EXP_HEADER_ENLIGHTENED = "Просвещение", SI_LUIE_LAM_CA_EXP_ENLIGHTENED = "Просвещение", SI_LUIE_LAM_CA_EXP_ENLIGHTENED_TP = "Выводит сообщение в чат, когда вы Просвещены или больше не Просвещены.", SI_LUIE_LAM_CA_EXP_HEADER_LEVELUP = "Повышение уровня", SI_LUIE_LAM_CA_EXP_LEVELUP = "Показывать повышение уровня - <<1>>", SI_LUIE_LAM_CA_EXP_LEVELUP_TP = "Показывает <<1>> когда вы получаете уровень или очко чемпиона.", SI_LUIE_LAM_CA_EXP_LEVELUP_CSAEXPAND = "Продвинутое получение уровня CSA", SI_LUIE_LAM_CA_EXP_LEVELUP_CSAEXPAND_TP = "Добавляет текст оповещения в центр экрана при получении нового уровня.", SI_LUIE_LAM_CA_EXP_LVLUPICON = "Значок при получении уровня", SI_LUIE_LAM_CA_EXP_LVLUPICON_TP = "Включает отображение значка обычного уровня или значка соответствующего чемпионского очка при получении уровня или ЧО.", SI_LUIE_LAM_CA_EXP_COLORLVLBYCONTEXT = "Цвет уровня", SI_LUIE_LAM_CA_EXP_COLORLVLBYCONTEXT_TP = "Задаёт цвет текста уровня в зависимости от контекста в сравнении в текущим уровнем или числом Чемпионских очков.", SI_LUIE_LAM_CA_EXPERIENCE_LEVELUP_COLOR = "Цвет сообщения Повышения уровня", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_EXP_RESPEC = "Выводит сообщение при Сбросе - <<1>>", SI_LUIE_LAM_CA_EXP_RESPEC_TP = "Выводит <<1>> когда вы перераспределяете очки чемпиона и очки характеристик, навыков или морфы.", SI_LUIE_LAM_CA_EXP_HEADER_EXPERIENCEGAIN = "Очки опыта", SI_LUIE_LAM_CA_EXP_SHOWEXPGAIN = "Получаемый опыт", SI_LUIE_LAM_CA_EXP_SHOWEXPGAIN_TP = "Оповещение о получении опыта в чат.", SI_LUIE_LAM_CA_EXP_SHOWEXPICON = "Значок опыта", SI_LUIE_LAM_CA_EXP_SHOWEXPICON_TP = "Включает отображение значка опыта в сообщениях о получении опыта.", SI_LUIE_LAM_CA_EXP_MESSAGE = "Формат сообщений о получении опыта", SI_LUIE_LAM_CA_EXP_MESSAGE_TP = "Формат сообщений о получении опыта.\nПо умолчанию: Вы заработали %s.", SI_LUIE_LAM_CA_EXP_NAME = "Название Очков опыта", SI_LUIE_LAM_CA_EXP_NAME_TP = "Названия для Очков опыта.\nПо умолчанию: <<1[очко/очков]>> опыта", SI_LUIE_LAM_CA_EXPERIENCE_COLORMESSAGE = "Цвет сообщения Очков опыта", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_EXPERIENCE_COLORNAME = "Цвет названия Очков опыта", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_EXP_EXPGAINCONTEXTNAME = "Контекст получения Опыта", SI_LUIE_LAM_CA_EXP_EXPGAINCONTEXTNAME_TP = "Это настройка для отличения сообщений об опыте от сообщений о валютах и добыче, поскольку получение опыта контекстонезависимо.\nПо умолчанию: \"[Получено]\"", SI_LUIE_LAM_CA_EXP_EXPGAINDISPLAYNAME = "Название Опыта", SI_LUIE_LAM_CA_EXP_EXPGAINDISPLAYNAME_TP = "Название для отображения получаемого опыта.\nПо умолчанию: \"XP\"", SI_LUIE_LAM_CA_EXP_HIDEEXPKILLS = "Скрыть опыт за убийства", SI_LUIE_LAM_CA_EXP_HIDEEXPKILLS_TP = "Включите эту настройку, чтобы выводить в чат сообщения об опыте только из небоевых источников.", SI_LUIE_LAM_CA_EXP_EXPGAINTHRESHOLD = "Опыт в бою - Порог фильтра", SI_LUIE_LAM_CA_EXP_EXPGAINTHRESHOLD_TP = "Опыт, получаемый за убийства, ниже указанного значения, не будет выводиться в чат.", SI_LUIE_LAM_CA_EXP_THROTTLEEXPINCOMBAT = "Суммировать получаемый в бою опыт", SI_LUIE_LAM_CA_EXP_THROTTLEEXPINCOMBAT_TP = "Установка этой настройки в значение выше 0 позволяет вам выводить сумму полученного опыта за X миллисекунд.", SI_LUIE_LAM_CA_EXP_HEADER_SKILL_POINTS = "Очки навыков", SI_LUIE_LAM_CA_SKILLPOINT_UPDATED = "Получение Очков навыков - <<1>>", SI_LUIE_LAM_CA_SKILLPOINT_UPDATED_TP = "Показывает <<1>>> при получении очков опыта за повышение уровня, задания или небесные осколки.", SI_LUIE_LAM_CA_SKILLPOINT_COLOR1 = "Цвет сообщения Небесных осколков", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_SKILLPOINT_COLOR2 = "Цвет сообщения Очков навыков", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_SKILLPOINT_PARTIALPREFIX = "Поглощение Небесных осколков", SI_LUIE_LAM_CA_SKILLPOINT_PARTIALPREFIX_TP = "При поглощении небесного осколка будет отображаться это сообщение.\nПо умолчанию: Небесный осколок поглощён", SI_LUIE_LAM_CA_SKILLPOINT_PARTIALBRACKET = "Разделитель Небесных осколков", SI_LUIE_LAM_CA_SKILLPOINT_PARTIALBRACKET_TP = "При поглощении Небесного осколка, этот разделитель будет разделять сообщение от сообщения о получении Очка навыков.", SI_LUIE_LAM_CA_SKILLPOINT_UPDATEDPARTIAL = "Частичное Очко навыков", SI_LUIE_LAM_CA_SKILLPOINT_UPDATEDPARTIAL_TP = "Показывает \"Частей собрано x/3\" при поглощении Небесного осколка.", SI_LUIE_LAM_CA_EXP_HEADER_SKILL_LINES = "Ветки навыков", SI_LUIE_LAM_CA_SKILL_LINE_UNLOCKED = "Открытие ветки навыков - <<1>>", SI_LUIE_LAM_CA_SKILL_LINE_UNLOCKED_TP = "Показывает <<1>> при открытии ветки навыков.", SI_LUIE_LAM_CA_SKILL_LINE_PROGRESS = "Прогресс ветки навыков - <<1>>", SI_LUIE_LAM_CA_SKILL_LINE_PROGRESS_TP = "Показывает <<1>> при получении уровня в ветке навыков.", SI_LUIE_LAM_CA_SKILL_LINE_ABILITY = "Прогресс способности - <<1>>", SI_LUIE_LAM_CA_SKILL_LINE_ABILITY_TP = "Показывает <<1>> при получении уровня способностью.", SI_LUIE_LAM_CA_SKILL_LINE_ICON = "Значок ветки навыков", SI_LUIE_LAM_CA_SKILL_LINE_ICON_TP = "Показывает соответствующий значок при открытии ветки навыков.", SI_LUIE_LAM_CA_SKILL_LINE_COLOR = "Цвет сообщений о прогрессе Навыка/Способности", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_EXP_HEADER_GUILDREP = "Репутация гильдии", SI_LUIE_LAM_CA_GUILDREP_ICON = "Значок гильдии", SI_LUIE_LAM_CA_GUILDREP_ICON_TP = "Показывает соответствующий значок при получении репутации в гильдии.", SI_LUIE_LAM_CA_GUILDREP_MESSAGECOLOR = "Цвет сообщений о репутации гильдии", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_GUILDREP_MESSAGEFORMAT = "Формат сообщений репутации гильдии", SI_LUIE_LAM_CA_GUILDREP_MESSAGEFORMAT_TP = "Формат сообщений о получении репутации гильдии.\nПо умолчанию: Вы заработали %s", SI_LUIE_LAM_CA_GUILDREP_MESSAGENAME = "Название очков репутации", SI_LUIE_LAM_CA_GUILDREP_MESSAGENAME_TP = "Название для очков репутации.\nПо умолчанию: <<1[репутации/репутации]>>", SI_LUIE_LAM_CA_GUILDREP_FG = "Гильдия бойцов", SI_LUIE_LAM_CA_GUILDREP_FG_TP = "Показывать полученную репутацию Гильдии бойцов.", SI_LUIE_LAM_CA_GUILDREP_FG_COLOR = "Цвет Гильдии бойцов", SI_LUIE_LAM_CA_GUILDREP_THRESHOLD = "Гильдия бойцов - Порог фильтра", SI_LUIE_LAM_CA_GUILDREP_THRESHOLD_TP = "Репутация гильдии бойцов ниже указанного здесь значения не будет отображаться.", SI_LUIE_LAM_CA_GUILDREP_THROTTLE = "Гильдия бойцов - Суммирование", SI_LUIE_LAM_CA_GUILDREP_THROTTLE_TP = "Если указать значение больше 0, то будет показана сумма репутации ГБ, полученной за X миллисекунд.", SI_LUIE_LAM_CA_GUILDREP_MG = "Гильдия магов", SI_LUIE_LAM_CA_GUILDREP_MG_TP = "Показывать полученную репутацию Гильдии магов.", SI_LUIE_LAM_CA_GUILDREP_MG_COLOR = "Цвет Гильдии магов", SI_LUIE_LAM_CA_GUILDREP_UD = "Неустрашимые", SI_LUIE_LAM_CA_GUILDREP_UD_TP = "Показывать полученную репутацию Неустрашимых.", SI_LUIE_LAM_CA_GUILDREP_UD_COLOR = "Цвет Неустрашимых", SI_LUIE_LAM_CA_GUILDREP_TG = "Гильдия воров", SI_LUIE_LAM_CA_GUILDREP_TG_TP = "Показывать полученную репутацию Гильдии воров.", SI_LUIE_LAM_CA_GUILDREP_TG_COLOR = "Цвет Гильдии воров", SI_LUIE_LAM_CA_GUILDREP_DB = "Тёмное братство", SI_LUIE_LAM_CA_GUILDREP_DB_TP = "Показывать полученную репутацию Тёмного братства.", SI_LUIE_LAM_CA_GUILDREP_DB_COLOR = "Цвет Тёмного братства", SI_LUIE_LAM_CA_GUILDREP_PO = "Орден Псиджиков", SI_LUIE_LAM_CA_GUILDREP_PO_TP = "Показывать полученную репутацию Ордена Псиджиков.", SI_LUIE_LAM_CA_GUILDREP_PO_COLOR = "Цвет Ордена Псиджиков", SI_LUIE_LAM_CA_GUILDREP_ALERT = "Предупреждение о репутации", SI_LUIE_LAM_CA_GUILDREP_ALERT_TP = "Если включено, показывает базовое предупреждение для всех выбранных выше гильдий при повышении из репутации. ", SI_LUIE_LAM_CA_COLLECTIBLE_HEADER = "Оповещение Коллекций/Книг знаний", SI_LUIE_LAM_CA_COLLECTIBLE_COL_HEADER = "Коллекции", SI_LUIE_LAM_CA_COLLECTIBLE_ENABLE = "Открытие коллекции - <<1>>", SI_LUIE_LAM_CA_COLLECTIBLE_ENABLE_TP = "Показывает <<1>> при открытии Коллекции.", SI_LUIE_LAM_CA_COLLECTIBLE_ICON = "Значок Коллекции", SI_LUIE_LAM_CA_COLLECTIBLE_ICON_TP = "Показывает соответствующий значок при открытии Коллекции.", SI_LUIE_LAM_CA_COLLECTIBLE_COLOR_ONE = "Цвет префикса Коллекции", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_COLLECTIBLE_COLOR_TWO = "Цвет сообщения Коллекции", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_COLLECTIBLE_MESSAGEPREFIX = "Префикс Коллекции", SI_LUIE_LAM_CA_COLLECTIBLE_MESSAGEPREFIX_TP = "Введите текст префикса сообщения об открытии Коллекции.\nПо умолчанию: Коллекция обновлена", SI_LUIE_LAM_CA_COLLECTIBLE_BRACKET = "Скобки префикса Коллекций", SI_LUIE_LAM_CA_COLLECTIBLE_BRACKET_TP = "Эти скобки обрамляют префикс сообщения об открытии Коллекции.", SI_LUIE_LAM_CA_COLLECTIBLE_CATEGORY = "Категория Коллекции", SI_LUIE_LAM_CA_COLLECTIBLE_CATEGORY_TP = "Добавляет категорию коллекции к сообщению об открытии Коллекции.", SI_LUIE_LAM_CA_COLLECTIBLE_LORE_HEADER = "Книги знаний", SI_LUIE_LAM_CA_LOREBOOK_ENABLE = "Обнаружение Книг знаний - <<1>>", SI_LUIE_LAM_CA_LOREBOOK_ENABLE_TP = "Показывает <<1>> при обнаружении Книг знаний.", SI_LUIE_LAM_CA_LOREBOOK_COLLECTION = "Коллекция книг знаний - <<1>>", SI_LUIE_LAM_CA_LOREBOOK_COLLECTION_TP = "Показывает <<1>> когда коллекция Книг знаний полностью собрана.", SI_LUIE_LAM_CA_LOREBOOK_ICON = "Значок Книги знаний", SI_LUIE_LAM_CA_LOREBOOK_ICON_TP = "Показывает соответствующий значок при обнаружении Книги знаний.", SI_LUIE_LAM_CA_LOREBOOK_COLOR1 = "Цвет префикса Книг знаний", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_LOREBOOK_COLOR2 = "Цвет сообщения Книг знаний", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_LOREBOOK_PREFIX1 = "Префикс Книг знаний", SI_LUIE_LAM_CA_LOREBOOK_PREFIX1_TP = "Введите текст префикса сообщения об обнаружении Книги знаний.\nПо умолчанию: Обнаружена Книга знаний", SI_LUIE_LAM_CA_LOREBOOK_PREFIX2 = "Префикс книги", SI_LUIE_LAM_CA_LOREBOOK_PREFIX2_TP = "Введите текст префикса сообщения об обнаружении книги.\nПо умолчанию: Обнаружена книга", SI_LUIE_LAM_CA_LOREBOOK_PREFIX_COLLECTION = "Префикс коллекции Книги знаний", SI_LUIE_LAM_CA_LOREBOOK_PREFIX_COLLECTION_TP = "Введите текст префикса сообщения об полном сборе коллекции Книг знаний.\nПо умолчанию: Коллекция собрана", SI_LUIE_LAM_CA_LOREBOOK_CATEGORY_BRACKET = "Скобки префикса Книг знаний", SI_LUIE_LAM_CA_LOREBOOK_CATEGORY_BRACKET_TP = "Эти скобки обрамляют префикс сообщения об обнаружении Книги знаний.", SI_LUIE_LAM_CA_LOREBOOK_CATEGORY = "Категория Коллекции", SI_LUIE_LAM_CA_LOREBOOK_CATEGORY_TP = "Отображает соответствующую категорию обнаруженной Книги знаний.", SI_LUIE_LAM_CA_LOREBOOK_NOSHOWHIDE = "Книги без Эйдетической памяти", SI_LUIE_LAM_CA_LOREBOOK_NOSHOWHIDE_TP = "Показывать обнаружение книг даже если не открыта Эйдетическая память.", SI_LUIE_LAM_CA_ACHIEVE_HEADER = "Оповещение Достижений", SI_LUIE_LAM_CA_ACHIEVE_UPDATE = "Обновление Достижений - <<1>>", SI_LUIE_LAM_CA_ACHIEVE_UPDATE_TP = "Показывает <<1>> когда происходит прогресс вы выполнении Достижения.", SI_LUIE_LAM_CA_ACHIEVE_COMPLETE = "Получение Достижения - <<1>>", SI_LUIE_LAM_CA_ACHIEVE_COMPLETE_TP = "Показывает <<1>> когда Достижение получено.", SI_LUIE_LAM_CA_ACHIEVE_DETAILINFO = "Детали Достижений", SI_LUIE_LAM_CA_ACHIEVE_DETAILINFO_TP = "Показывает каждую подкатегорию, необходимую для выполнения достижения и прогресс каждой подкатегории.", SI_LUIE_LAM_CA_ACHIEVE_COLORPROGRESS = "Цвет прогресса Достижений", SI_LUIE_LAM_CA_ACHIEVE_COLORPROGRESS_TP = "Включает изменение цвета прогресса достижения в зависимости от степени его завершённости.", SI_LUIE_LAM_CA_ACHIEVE_STEPSIZE = "Размер шага достижения, %", SI_LUIE_LAM_CA_ACHIEVE_STEPSIZE_TP = "Выводит обновлённую информацию о прогрессе достижений при выполнении указанного #%. Значение 0 означает, что информация будет выводиться при каждом обновлении прогресса достижения.", SI_LUIE_LAM_CA_ACHIEVE_COMPLETEPERCENT = "Процент выполнения Достижения", SI_LUIE_LAM_CA_ACHIEVE_COMPLETEPERCENT_TP = "Добавляет индикатор выполнения достижения в процентах (100%).", SI_LUIE_LAM_CA_ACHIEVE_ICON = "Значок Достижения", SI_LUIE_LAM_CA_ACHIEVE_ICON_TP = "Показывает соответствующий значок при прогрессе или получение Достижения.", SI_LUIE_LAM_CA_ACHIEVE_COLOR1 = "Цвет префикса Достижения", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_ACHIEVE_COLOR2 = "Цвет Достижения", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_ACHIEVE_PROGMSG = "Префикс прогресса Достижения", SI_LUIE_LAM_CA_ACHIEVE_PROGMSG_TP = "Префикс сообщения о прогрессе Достижения.\nПо умолчанию: Достижение обновлено", SI_LUIE_LAM_CA_ACHIEVE_COMPLETEMSG = "Префикс получения Достижения", SI_LUIE_LAM_CA_ACHIEVE_COMPLETEMSG_TP = "Префикс сообщения о получении Достижения.\nПо умолчанию: Достижение получено", SI_LUIE_LAM_CA_ACHIEVE_SHOWCATEGORY = "Категория Достижения", SI_LUIE_LAM_CA_ACHIEVE_SHOWCATEGORY_TP = "Показывает основную категорию Достижения.", SI_LUIE_LAM_CA_ACHIEVE_SHOWSUBCATEGORY = "Подкатегория Достижения", SI_LUIE_LAM_CA_ACHIEVE_SHOWSUBCATEGORY_TP = "Показывает подкатегорию Достижения.", SI_LUIE_LAM_CA_ACHIEVE_BRACKET = "Скобки префикса Достижений", SI_LUIE_LAM_CA_ACHIEVE_BRACKET_TP = "Эти скобки обрамляют префикс сообщения об обновлении или получении Достижения.", SI_LUIE_LAM_CA_ACHIEVE_CATEGORYBRACKET = "Скобки категории Достижений", SI_LUIE_LAM_CA_ACHIEVE_CATEGORYBRACKET_TP = "Эти скобки обрамляют категорию и подкатегорию в сообщении об обновлении или получении Достижения", SI_LUIE_LAM_CA_ACHIEVE_CATEGORY_HEADER = "Настройки отслеживания", SI_LUIE_LAM_CA_ACHIEVE_CATEGORY = "Отслеживать Достижения \'<<1>>\'", SI_LUIE_LAM_CA_ACHIEVE_CATEGORY_TP = "Включает отслеживание Достижений в категории <<1>>.", SI_LUIE_LAM_CA_QUEST_HEADER = "Оповещения заданий/POI", SI_LUIE_LAM_CA_QUEST_SHOWQUESTSHARE = "Поделиться заданием", SI_LUIE_LAM_CA_QUEST_SHOWQUESTSHARE_TP = "Выводит оповещение в чат, когда другой игрок делится с вами заданием.", SI_LUIE_LAM_CA_QUEST_LOCATION_DISCOVERY = "Открытие локаций - <<1>>", SI_LUIE_LAM_CA_QUEST_LOCATION_DISCOVERY_TP = "Показывает <<1>> при открытии локации на карте.", SI_LUIE_LAM_CA_QUEST_IC_DISCOVERY = "Сообщения областей Имп.города - <<1>>", SI_LUIE_LAM_CA_QUEST_IC_DISCOVERY_TP = "Показывает <<1>> при входе в новую область Имперского города и канализации.\nПримечание: Эта настройка использует цвет названий POI Оповещения заданий/POI.", SI_LUIE_LAM_CA_QUEST_IC_DESCRIPTION = "Описание областей Имперского города", SI_LUIE_LAM_CA_QUEST_IC_DESCRIPTION_TP = "Показывает текст описания при входе в новую область Имперского города и канализации.\nПримечание: Эта настройка использует цвет названий POI Оповещения заданий/POI.", SI_LUIE_LAM_CA_QUEST_POI_OBJECTIVE = "Цель POI - <<1>>", SI_LUIE_LAM_CA_QUEST_POI_OBJECTIVE_TP = "Показывает <<1>> при приёме задания, связанного с POI.", SI_LUIE_LAM_CA_QUEST_POI_COMPLETE = "Завершение POI - <<1>>", SI_LUIE_LAM_CA_QUEST_POI_COMPLETE_TP = "Показывает <<1>> при завершении задания, связанного с POI.", SI_LUIE_LAM_CA_QUEST_ACCEPT = "Приём задания - <<1>>", SI_LUIE_LAM_CA_QUEST_ACCEPT_TP = "Показывает <<1>> при приёме задания.", SI_LUIE_LAM_CA_QUEST_COMPLETE = "Завершение задания - <<1>>", SI_LUIE_LAM_CA_QUEST_COMPLETE_TP = "Показывает <<1>> при завершении задания.", SI_LUIE_LAM_CA_QUEST_ABANDON = "Отказ от задания - <<1>>", SI_LUIE_LAM_CA_QUEST_ABANDON_TP = "Показывает <<1>> при отказе от задания.", SI_LUIE_LAM_CA_QUEST_OBJECTIVE_FAILURE = "Провал цель задания - <<1>>", SI_LUIE_LAM_CA_QUEST_OBJECTIVE_FAILURE_TP = "Показывает <<1>> при провале одной из целей задания.", SI_LUIE_LAM_CA_QUEST_OBJECTIVE_UPDATE = "Обновление цели задания - <<1>>", SI_LUIE_LAM_CA_QUEST_OBJECTIVE_UPDATE_TP = "Показывает <<1>> при появлении новой цели задания.", SI_LUIE_LAM_CA_QUEST_OBJECTIVE_COMPLETE = "Выполнение цели задания - <<1>>", SI_LUIE_LAM_CA_QUEST_OBJECTIVE_COMPLETE_TP = "Показывает <<1>> при выполнении цели задания.", SI_LUIE_LAM_CA_QUEST_SHOWQUESTICON = "Значок задания", SI_LUIE_LAM_CA_QUEST_SHOWQUESTICON_TP = "Отображает значок задания в зависимости от его сложности и типа.", SI_LUIE_LAM_CA_QUEST_SHOWQUESTLONG = "Детальное описание задания", SI_LUIE_LAM_CA_QUEST_SHOWQUESTLONG_TP = "Когда включено, принятие задания выведет детали принятого задания в чат.", SI_LUIE_LAM_CA_QUEST_SHOWQUESTOBJECTIVELONG = "Детальное описание завершения POI", SI_LUIE_LAM_CA_QUEST_SHOWQUESTOBJECTIVELONG_TP = "Когда включено, при завершении задания, связанного с POI, будет выведено детальное сообщение о завершении.", SI_LUIE_LAM_CA_QUEST_COLOR1 = "Цвет названия POI", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_QUEST_COLOR2 = "Цвет описания POI", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_QUEST_COLOR3 = "Цвет названия задания", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_QUEST_COLOR4 = "Цвет описания задания", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_SOCIAL_HEADER = "Социальные/Гильдейские оповещения", SI_LUIE_LAM_CA_SOCIAL_FRIENDS_HEADER = "Друзья/Список игнорирования", SI_LUIE_LAM_CA_SOCIAL_FRIENDS = "Запросы в друзья и список игнорирования - <<1>>", SI_LUIE_LAM_CA_SOCIAL_FRIENDS_TP = "Показывает <<1>> для приглашений в друзья, изменении списка друзей и списка игнорирования.", SI_LUIE_LAM_CA_SOCIAL_FRIENDS_ONOFF = "Вход/Выход друзей - <<1>>", SI_LUIE_LAM_CA_SOCIAL_FRIENDS_ONOFF_TP = "Показывает <<1>> когда ваш друг входит или выходит из игры.", SI_LUIE_LAM_CA_SOCIAL_GUILD_HEADER = "Гильдейские оповещения", SI_LUIE_LAM_CA_SOCIAL_GUILD = "Приглашения в гильдию/выход/вступление - <<1>> ", SI_LUIE_LAM_CA_SOCIAL_GUILD_TP = "Показывает <<1>> для приглашений в гильдию и оповещения о вступлении/выходе.", SI_LUIE_LAM_CA_SOCIAL_GUILD_RANK = "Изменений гильд.банка - <<1>>", SI_LUIE_LAM_CA_SOCIAL_GUILD_RANK_TP = "Показывает <<1>> при изменениях гильд.банка. Зависит от настроек ниже.", SI_LUIE_LAM_CA_SOCIAL_GUILD_RANKOPTIONS = "Настройки гильд.банка", SI_LUIE_LAM_CA_SOCIAL_GUILD_RANKOPTIONS_TP = "Выберите, при каких изменениях выводить оповещение.\nПо умолчанию: Только свои", SI_LUIE_LAM_CA_SOCIAL_GUILD_ADMIN = "Администрирование - <<1>>", SI_LUIE_LAM_CA_SOCIAL_GUILD_ADMIN_TP = "Показывает <<1>> когда меняется сообщение дня гильдии или информация о гильдии, обновляются ранги или геральдика.", SI_LUIE_LAM_CA_SOCIAL_GUILD_ICONS = "Значок гильдии", SI_LUIE_LAM_CA_SOCIAL_GUILD_ICONS_TP = "Показывает значок альянса или ранга для сообщений гильдии.", SI_LUIE_LAM_CA_SOCIAL_GUILD_COLOR = "Цвет названия гильдии", SI_LUIE_LAM_CA_SOCIAL_GUILD_COLOR_ALLIANCE = "Цвет альянса для названия", SI_LUIE_LAM_CA_SOCIAL_GUILD_COLOR_ALLIANCE_TP = "Используется цвет соответствующего альянса для названия гильдии, значков, сообщениях гильдии и о рангах.", SI_LUIE_LAM_CA_SOCIAL_TRADE_HEADER = "Торговые оповещения", SI_LUIE_LAM_CA_SOCIAL_TRADE = "Торговые оповещения - <<1>>", SI_LUIE_LAM_CA_SOCIAL_TRADE_TP = "Показывает <<1>> для предложений торговли, отказе и совершении обмена.", SI_LUIE_LAM_CA_SOCIAL_DUEL_HEADER = "Оповещения о дуэлях", SI_LUIE_LAM_CA_SOCIAL_DUEL = "Вызов на дуэль - <<1>>", SI_LUIE_LAM_CA_SOCIAL_DUEL_TP = "Показывает <<1>> для вызовов на дуэль и отклонения вызовов.", SI_LUIE_LAM_CA_SOCIAL_DUELSTART = "Оповещение о начале дуэли - <<1>>", SI_LUIE_LAM_CA_SOCIAL_DUELSTART_TP = "Показывает <<1>> когда начинается дуэль.", SI_LUIE_LAM_CA_SOCIAL_DUELSTART_TPCSA = "Показывает <<1>> когда начинается дуэль. В центре экрана также отображается отсчёт", SI_LUIE_LAM_CA_SOCIAL_DUELSTART_OPTION = "Формат оповещения о дуэли (CA/Alert Only)", SI_LUIE_LAM_CA_SOCIAL_DUELSTART_OPTION_TP = "Выберите формат для оповещении о дуэли, когда отсчёт окончен и дуэль начинается.", SI_LUIE_LAM_CA_SOCIAL_DUELCOMPLETE = "Оповещении о завершении дуэли - <<1>>", SI_LUIE_LAM_CA_SOCIAL_DUELCOMPLETE_TP = "Показывает <<1>> при завершении дуэли.", SI_LUIE_LAM_CA_SOCIAL_DUELBOUNDARY = "Границы дуэли - <<1>>", SI_LUIE_LAM_CA_SOCIAL_DUELBOUNDARY_TP = "Показывает <<1>> когда вы приближаетесь к границам проведения дуэли.", SI_LUIE_LAM_CA_SOCIAL_MARA_HEADER = "Обет Мары", SI_LUIE_LAM_CA_MISC_MARA = "Обет Мары - <<1>>", SI_LUIE_LAM_CA_MISC_MARA_TP = "Показывает <<1>> для событий Обета Мары.", SI_LUIE_LAM_CA_MISC_MARA_ALERT = "Только при ошибках", SI_LUIE_LAM_CA_MISC_MARA_ALERT_TP = "Если включено, предупреждения будут выводиться только при ошибках во время Обета Мары. Симулирует обычное поведение UI.", SI_LUIE_LAM_CA_GROUP_HEADER = "Оповещения группы/LFG/Испытаний", SI_LUIE_LAM_CA_GROUP_BASE_HEADER = "Групповые оповещения", SI_LUIE_LAM_CA_GROUP_BASE = "Групповые оповещения - <<1>>", SI_LUIE_LAM_CA_GROUP_BASE_TP = "Показывает <<1>> для групповых событий и изменений состава группы.", SI_LUIE_LAM_CA_GROUP_LFG_HEADER = "Оповещения LFG", SI_LUIE_LAM_CA_GROUP_LFGREADY = "Готовность LFG - <<1>>", SI_LUIE_LAM_CA_GROUP_LFGREADY_TP = "Показывает <<1>> когда LFG-группа сформирована или группа приступила к задаче.", SI_LUIE_LAM_CA_GROUP_LFGQUEUE = "Статус очереди LFG - <<1>>", SI_LUIE_LAM_CA_GROUP_LFGQUEUE_TP = "Показывает <<1>> при входе или покидании очереди на LFG-активность.", SI_LUIE_LAM_CA_GROUP_LFGVOTE = "LFG Голосование/Проверка готовности - <<1>>", SI_LUIE_LAM_CA_GROUP_LFGVOTE_TP = "Показывает <<1>> для голосований в группе и проверки готовности.", SI_LUIE_LAM_CA_GROUP_LFGCOMPLETE = "Завершение LFG-активности - <<1>>", SI_LUIE_LAM_CA_GROUP_LFGCOMPLETE_TP = "Показывает <<1>> LFG-активность завершена.", SI_LUIE_LAM_CA_GROUP_RAID_HEADER = "Оповещения рейда", SI_LUIE_LAM_CA_GROUP_RAID_BASE = "Статус рейда - <<1>>", SI_LUIE_LAM_CA_GROUP_RAID_BASE_TP = "Показывает <<1>> при начале, провале или завершении Испытания.", SI_LUIE_LAM_CA_GROUP_RAID_SCORE = "Обновление счёта - <<1>>", SI_LUIE_LAM_CA_GROUP_RAID_SCORE_TP = "Показывает <<1>> при обновлении счёта Испытания.", SI_LUIE_LAM_CA_GROUP_RAID_BESTSCORE = "Новый лучший счёт - <<1>>", SI_LUIE_LAM_CA_GROUP_RAID_BESTSCORE_TP = "Показывает <<1>> когда достигнут новый лучший счёт прохождения испытания.", SI_LUIE_LAM_CA_GROUP_RAID_REVIVE = "Бонус живучести - <<1>>", SI_LUIE_LAM_CA_GROUP_RAID_REVIVE_TP = "Показывает <<1>> при снижении бонуса выживаемости.", SI_LUIE_LAM_CA_DISPLAY_HEADER = "Оповещения", SI_LUIE_LAM_CA_DISPLAY_DESCRIPTION = "Показывает различные оповещения, выводимые при определённых условиях, очень специфические, поэтому выделены в отдельную категорию.", SI_LUIE_LAM_CA_GROUP_RAID_ARENA = "Уровни DSA/MSA арен - <<1>>", SI_LUIE_LAM_CA_GROUP_RAID_ARENA_TP = "Показывает <<1>> когда начинается новый уровень Драгонстарской или Вихревой арены.", SI_LUIE_LAM_CA_GROUP_RAID_ARENA_ROUND = "Раунды Вихревой арены - <<1>>", SI_LUIE_LAM_CA_GROUP_RAID_ARENA_ROUND_TP = "Показывает <<1>> когда начинается новый раунд Вихревой арены.", SI_LUIE_LAM_CA_DISPLAY_CRAGLORN = "Баффы Краглорна - <<1>>", SI_LUIE_LAM_CA_DISPLAY_CRAGLORN_TP = "Показывает <<1>> когда вы получаете бафф за завершение мировых событий Краглорна.", SI_LUIE_LAM_CA_MISC_GROUPAREA = "Вход/Выход из групповой области - <<1>>", SI_LUIE_LAM_CA_MISC_GROUPAREA_TP = "Показывает <<1>> при входе или выходе из групповой области.", SI_LUIE_LAM_CA_MISC_HEADER = "Прочие оповещения", SI_LUIE_LAM_CA_MISC_SHOWLOCKPICK = "Оповещения о взломе - <<1>>", SI_LUIE_LAM_CA_MISC_SHOWLOCKPICK_TP = "Показывает <<1>> при успешной или неуспешной попытке взлома, а также при невозможности взлома или если у вас нет отмычек.", SI_LUIE_LAM_CA_MISC_SHOWMAIL = "Почтовые оповещения - <<1>>", SI_LUIE_LAM_CA_MISC_SHOWMAIL_TP = "Показывает <<1>> при получении, удалении или отправке письма.", SI_LUIE_LAM_CA_MISC_SHOWJUSTICE = "Оповещения правосудия - <<1>>", SI_LUIE_LAM_CA_MISC_SHOWJUSTICE_TP = "Показывает <<1>> когда золото или предметы конфискуются стражей.", SI_LUIE_LAM_CA_MISC_SHOWBANKBAG = "Расширение Сумки/Банка - <<1>>", SI_LUIE_LAM_CA_MISC_SHOWBANKBAG_TP = "Показывает <<1>> когда приобретается расширение сумки или банка.", SI_LUIE_LAM_CA_MISC_SHOWBANKBAG_COLOR = "Цвет сообщений расширения Сумки/Банка", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_MISC_SHOWRIDING = "Навыки верховой езды - <<1>>", SI_LUIE_LAM_CA_MISC_SHOWRIDING_TP = "Показывает <<1>> при повышении навыка верховой езды.", SI_LUIE_LAM_CA_MISC_SHOWRIDING_COLOR = "Цвет сообщений навыков верховой езды", SI_LUIE_LAM_CA_MISC_SHOWRIDING_COLOR_BOOK = "Цвет верховой езды (кронные уроки)", -- TODO: Add Tooltip with finalized color value SI_LUIE_LAM_CA_MISC_LOOTSHOWDISGUISE = "Статус маскировки - <<1>>", SI_LUIE_LAM_CA_MISC_LOOTSHOWDISGUISE_TP = "Показывает <<1>> при входе и выходе из соответствующей области где вы получаете или теряете маскировку.", SI_LUIE_LAM_CA_MISC_LOOTSHOWDISGUISEALERT = "Предупреждение обнаружении - <<1>>", SI_LUIE_LAM_CA_MISC_LOOTSHOWDISGUISEALERT_TP = "Показывает <<1>> когда вас почти обнаружили или ваша маскировка почти разоблачена.", SI_LUIE_LAM_CA_MISC_LOOTSHOWDISGUISEALERTCOLOR = "Цвет предупреждения CSA", SI_LUIE_LAM_CA_MISC_LOOTSHOWDISGUISEALERTCOLOR_TP = "Изменяет цвет предупреждения CSA (Предупреждение посреди экрана), показываемого, когда вас почти обнаружили или ваша маскировка почти разоблачена.", -- Module: Combat Info SI_LUIE_LAM_CI_HEADER = "Настройки инфо о бое", SI_LUIE_LAM_CI_SHOWCOMBATINFO = "Инфо о бое", SI_LUIE_LAM_CI_SHARED_FONT_TP = "Выберите шрифт надписи отсчёта.", SI_LUIE_LAM_CI_SHARED_FONTSIZE_TP = "Выберите размер шрифта надписи отсчёта.", SI_LUIE_LAM_CI_SHARED_FONTSTYLE_TP = "Выберите стиль шрифта надписи отсчёта.", SI_LUIE_LAM_CI_SHARED_POSITION = "Вертикальное положение надписи", SI_LUIE_LAM_CI_SHARED_POSITION_TP = "Задаёт вертикальное положение надписи отсчёта.", SI_LUIE_LAM_CI_HEADER_GCD = "Настройки ГКД", SI_LUIE_LAM_CI_GCD_SHOW = "Глобальный кулдаун (Выс.нагр. на CPU)", SI_LUIE_LAM_CI_GCD_SHOW_TP = "Показывает анимацию на способности на панели, пока он под глобальным кулдауном.", SI_LUIE_LAM_CI_GCD_SHOW_WARN = "Этот компонент может вызывать проблемы с производительностью на некоторых машинах! Если у вас происходит падение FPS, в первую очередь отключите эту настройку.", SI_LUIE_LAM_CI_GCD_QUICK = "ГКД для зелий", SI_LUIE_LAM_CI_GCD_QUICK_TP = "Также показывает анимацию ГКД для зелий в ячейке быстрого доступа и для других предметов в ячейке быстрого доступа.", SI_LUIE_LAM_CI_GCD_FLASH = "Вспышка при готовности", SI_LUIE_LAM_CI_GCD_FLASH_TP = "Анимация вспышки для каждой способности на панели по истечению ГКД.", SI_LUIE_LAM_CI_GCD_DESAT = "Серые значки", SI_LUIE_LAM_CI_GCD_DESAT_TP = "Бесцветные значки способностей, пока они на ГКД.", SI_LUIE_LAM_CI_GCD_COLOR = "Красный цвет # ячейки", SI_LUIE_LAM_CI_GCD_COLOR_TP = "Пока действует ГКД, номер кнопки ячейки на панели будет красным.", SI_LUIE_LAM_CI_GCD_ANIMATION = "Анимация ГКД", SI_LUIE_LAM_CI_GCD_ANIMATION_TP = "Выберите тип анимации для отслеживания ГКД.", SI_LUIE_LAM_CI_HEADER_ULTIMATE = "Отслеживание Абсолютной способности", SI_LUIE_LAM_CI_ULTIMATE_SHOW_VAL = "Значение Абсолютной способности", SI_LUIE_LAM_CI_ULTIMATE_SHOW_VAL_TP = "Показывает значение абсолютной способности на её ячейке.", SI_LUIE_LAM_CI_ULTIMATE_SHOW_PCT = "Проценты абсолютной способности", SI_LUIE_LAM_CI_ULTIMATE_SHOW_PCT_TP = "Показывает процент до заполнения абсолютной способности", SI_LUIE_LAM_CI_ULTIMATE_HIDEFULL = "Скрыть при заполнении", SI_LUIE_LAM_CI_ULTIMATE_HIDEFULL_TP = "Убирает проценты, когда особая способность готова к применению.", SI_LUIE_LAM_CI_ULTIMATE_TEXTURE = "Текстура набора абсолютной способности", SI_LUIE_LAM_CI_ULTIMATE_TEXTURE_TP = "Показывает специальную текстуру поверх ячейки абсолютной способности, пока она заполняется.", SI_LUIE_LAM_CI_HEADER_BAR = "Подсветка панели навыков", SI_LUIE_LAM_CI_BAR_EFFECT = "Активные эффекты", SI_LUIE_LAM_CI_BAR_EFFECT_TP = "Подсвечивает активные действующие баффы от способностей на панели.", SI_LUIE_LAM_CI_BAR_PROC = "Активные проки", SI_LUIE_LAM_CI_BAR_PROC_TP = "Подсвечивает способности на панели, которые прокнули и могут быть применены.", SI_LUIE_LAM_CI_BAR_PROCSOUND = "Звук при проке", SI_LUIE_LAM_CI_BAR_PROCSOUND_TP = "Проигрывает звуковое оповещение при проке способности.", SI_LUIE_LAM_CI_BAR_PROCSOUNDCHOICE = "Звук прока", SI_LUIE_LAM_CI_BAR_PROCSOUNDCHOICE_TP = "Выберите звук. который будет проигрываться при проке.", SI_LUIE_LAM_CI_BAR_SECONDARY = "Подсветить вторичный эффект", SI_LUIE_LAM_CI_BAR_SECONDARY_TP = "Подсвечивает способность, когда у неё активируется вторичный эффект. Примеры: Honor the Dead бафф восстановления магии, Major Savagery от Biting Jabs.", SI_LUIE_LAM_CI_BAR_ULTIMATE = "Эффект Абсолютной способности", SI_LUIE_LAM_CI_BAR_ULTIMATE_TP = "Подсвечивает активную действующую абсолютную способность на панели. Скрывает проценты накопления, пока действует, если включено.", SI_LUIE_LAM_CI_BAR_LABEL = "Надпись перезарядки", SI_LUIE_LAM_CI_BAR_LABEL_TP = "Показывает таймер перезарядки для всех подсвеченных способностей.", SI_LUIE_LAM_CI_HEADER_POTION = "Перезарядка быстрой ячейки", SI_LUIE_LAM_CI_POTION = "Перезарядка быстрой ячейки", SI_LUIE_LAM_CI_POTION_TP = "Показывает таймер перезарядки для зелий и прочих предметов в ячейке быстрого доступа.", SI_LUIE_LAM_CI_POTION_COLOR = "Цвет надписи", SI_LUIE_LAM_CI_POTION_COLOR_TP = "Цвет таймера перезарядки ячейки быстрого доступа на основе оставшегося времени.", SI_LUIE_LAM_CI_HEADER_CASTBAR = "Кастбар", SI_LUIE_LAM_CI_CASTBAR_MOVE = "Разблокировать кастбар", SI_LUIE_LAM_CI_CASTBAR_MOVE_TP = "Разблокируйте, чтобы перемещать полоску применения способности.", SI_LUIE_LAM_CI_CASTBAR_RESET_TP = "Это сбросит положение кастбара.", SI_LUIE_LAM_CI_CASTBAR_ENABLE = "Вкл. полоску Каста/Поддержки закл.", SI_LUIE_LAM_CI_CASTBAR_ENABLE_TP = "Включите, чтобы отображать полоску, когда вы применяете или поддерживаете способность. Это также включает в себя способности, которые применяет игрок, взаимодействуя с дорожными святилищами или при получении эффекта камня Мундуса.", SI_LUIE_LAM_CI_CASTBAR_SIZEW = "Ширина", SI_LUIE_LAM_CI_CASTBAR_SIZEH = "Высота", SI_LUIE_LAM_CI_CASTBAR_ICONSIZE = "Размер значка", SI_LUIE_LAM_CI_CASTBAR_TEXTURE = "Текстура", SI_LUIE_LAM_CI_CASTBAR_TEXTURE_TP = "Выберите текстуру для кастбара.", SI_LUIE_LAM_CI_CASTBAR_LABEL = "Название", SI_LUIE_LAM_CI_CASTBAR_LABEL_TP = "Отображает название применяемой или поддерживаемой способности.", SI_LUIE_LAM_CI_CASTBAR_TIMER = "Таймер", SI_LUIE_LAM_CI_CASTBAR_TIMER_TP = "Отображает оставшееся время применения или поддержания способности.", SI_LUIE_LAM_CI_CASTBAR_FONTFACE = "Шрифт названия и таймера", SI_LUIE_LAM_CI_CASTBAR_FONTFACE_TP = "Выберите шрифт для названия и таймера, отображаемых на кастбаре.", SI_LUIE_LAM_CI_CASTBAR_FONTSIZE = "Размер шрифта названия и таймера", SI_LUIE_LAM_CI_CASTBAR_FONTSIZE_TP = "Выберите размер шрифт для названия и таймера, отображаемых на кастбаре.", SI_LUIE_LAM_CI_CASTBAR_FONTSTYLE = "Стиль шрифта названия и таймера", SI_LUIE_LAM_CI_CASTBAR_FONTSTYLE_TP = "Выберите стиль шрифт для названия и таймера, отображаемых на кастбаре.", SI_LUIE_LAM_CI_CASTBAR_GRADIENTC1 = "Цвет градиента (Начало)", SI_LUIE_LAM_CI_CASTBAR_GRADIENTC1_TP = "Выберите начальный цвет градиента на кастбаре.", SI_LUIE_LAM_CI_CASTBAR_GRADIENTC2 = "Цвет градиента (Конец)", SI_LUIE_LAM_CI_CASTBAR_GRADIENTC2_TP = "Выберите конечный цвет градиента на кастбаре.", -- Module: Info Panel SI_LUIE_LAM_PNL = "Инфо-панель", SI_LUIE_LAM_PNL_ENABLE = "Инфо-панель", SI_LUIE_LAM_PNL_DESCRIPTION = "Показывает панель с потенциально полезной информацией, такой как: задержка, время, FPS, прочность брони, заряд оружия и прочее...", SI_LUIE_LAM_PNL_DISABLECOLORSRO = "Отключить цвет значений только для чтения", SI_LUIE_LAM_PNL_DISABLECOLORSRO_TP = "Отключает цвет в зависимости от значения для таких вещей, которые игрок не может контролировать: На текущий момент это включает FPS и Задержку (пинг).", SI_LUIE_LAM_PNL_ELEMENTS_HEADER = "Элементы Инфо-панели", SI_LUIE_LAM_PNL_HEADER = "Настройки Инфо-панели", SI_LUIE_LAM_PNL_PANELSCALE = "Масштаб, %", SI_LUIE_LAM_PNL_PANELSCALE_TP = "Используется для изменения масштаба инфо-панели на экранах с большим разрешением.", SI_LUIE_LAM_PNL_RESETPOSITION_TP = "Это сбросит положение Инфо-панели в верхний правый угол.", SI_LUIE_LAM_PNL_SHOWARMORDURABILITY = "Прочность брони", SI_LUIE_LAM_PNL_SHOWBAGSPACE = "Сумка", SI_LUIE_LAM_PNL_SHOWCLOCK = "Часы", SI_LUIE_LAM_PNL_SHOWEAPONCHARGES = "Заряд оружия", SI_LUIE_LAM_PNL_SHOWFPS = "FPS", SI_LUIE_LAM_PNL_SHOWLATENCY = "Задержка", SI_LUIE_LAM_PNL_SHOWMOUNTTIMER = "Таймер уроков верховой езды |c00FFFF*|r", SI_LUIE_LAM_PNL_SHOWMOUNTTIMER_TP = "(*)Как только вы достигнете максимальных значений, эта настройка окажется автоматически скрыта.", SI_LUIE_LAM_PNL_SHOWSOULGEMS = "Камни душ", SI_LUIE_LAM_PNL_UNLOCKPANEL = "Разблокировать панель", SI_LUIE_LAM_PNL_UNLOCKPANEL_TP = "Позволяет мышью перемещать Инфо-панель.", -- Module: Unitframes SI_LUIE_LAM_UF_ENABLE = "Модуль фреймов", SI_LUIE_LAM_UF_DESCRIPTION = "Позволяет отображать текстовую информацию поверх стандартных фреймов, а также позволяет включить настраиваемые фреймы игрока и цели.", SI_LUIE_LAM_UF_SHORTNUMBERS = "Краткие цифры на всех барах", SI_LUIE_LAM_UF_SHORTNUMBERS_TP = "Заменяет большие цифры, такие как 12345 сокращением 12.3k на всех барах фреймов юнитов.", SI_LUIE_LAM_UF_SHARED_LABEL = "Формат надписи", SI_LUIE_LAM_UF_SHARED_LABEL_TP = "Формат надписи для настраиваемых полосок характеристик.", SI_LUIE_LAM_UF_SHARED_LABEL_LEFT = "Формат надписи (Слева)", SI_LUIE_LAM_UF_SHARED_LABEL_LEFT_TP = "Формат первой надписи для настраиваемых полосок характеристик.", SI_LUIE_LAM_UF_SHARED_LABEL_RIGHT = "Формат надписи (Справа)", SI_LUIE_LAM_UF_SHARED_LABEL_RIGHT_TP = "Формат второй надписи для настраиваемых полосок характеристик.", SI_LUIE_LAM_UF_SHARED_PT = "Игрок/Цель", SI_LUIE_LAM_UF_SHARED_GROUP = "Группа", SI_LUIE_LAM_UF_SHARED_RAID = "Рейд", SI_LUIE_LAM_UF_SHARED_BOSS = "Босс", SI_LUIE_LAM_UF_SHARED_ARMOR = "<<1>> - отображение брони", SI_LUIE_LAM_UF_SHARED_ARMOR_TP = "Показывает дополнительный значок на полоске здоровья юнита, если у него имеется эффект, увеличивающий броню. Также показывает ломанную текстуру на полоске здоровья, если броня снижена.", SI_LUIE_LAM_UF_SHARED_POWER = "<<1>> - отображение усиления", SI_LUIE_LAM_UF_SHARED_POWER_TP = "Показывает анимированную текстуру, когда сила оружия/заклинания повышена или понижена.", SI_LUIE_LAM_UF_SHARED_REGEN = "<<1>> - отображение HoT/DoT", SI_LUIE_LAM_UF_SHARED_REGEN_TP = "Показывает анимированные стрелки когда восстановление увеличено или снижено.", SI_LUIE_LAM_UF_SHARED_GROUPRAID_OPACITY = "Прозрачность Группы/Рейда (Общая настройка)", SI_LUIE_LAM_UF_SHARED_GROUPRAID_OPACITY_TP = "Изменяет прозрачность настраиваемых фреймов группы и рейда.", SI_LUIE_LAM_UF_RESOLUTION = "Разрешение", SI_LUIE_LAM_UF_RESOLUTION_TP = "Выберите используемое разрешение. Это изменится якоря по умолчанию для фреймов юнитов. Вам может потребоваться сбросить настроенное вами положение после изменения этого значения.\nВнимание: Вам нужно выбрать 1080p если ваше разрешение ниже 1080p.", SI_LUIE_LAM_UF_DFRAMES_HEADER = "Стандартные Фрейм юнитов", SI_LUIE_LAM_UF_DFRAMES_PLAYER = "Стандартный фрейм ИГРОКА", SI_LUIE_LAM_UF_DFRAMES_TARGET = "Стандартный фрейм ЦЕЛИ", SI_LUIE_LAM_UF_DFRAMES_GROUPSMALL = "Стандартный фрейм ГРУППЫ", SI_LUIE_LAM_UF_DFRAMES_BOSS_COMPASS = "Стандартный фрейм БОССА (Компас)", SI_LUIE_LAM_UF_DFRAMES_REPOSIT = "Перекомпоновать", SI_LUIE_LAM_UF_DFRAMES_REPOSIT_TP = "Изменяет расположение стандартных фреймов компактно в центре.", SI_LUIE_LAM_UF_DFRAMES_VERT = "Вертикальное положение фреймов Игрока", SI_LUIE_LAM_UF_DFRAMES_VERT_TP = "Задаёт вертикальное положение стандартных фреймов игрока.", SI_LUIE_LAM_UF_DFRAMES_OOCTRANS = "Прозрачность вне боя", SI_LUIE_LAM_UF_DFRAMES_OOCTRANS_TP = "Задаёт прозрачность стандартных фреймов вне боя. По умолчанию фреймы полностью не видны, это значение 0.", SI_LUIE_LAM_UF_DFRAMES_INCTRANS = "Прозрачность в бою", SI_LUIE_LAM_UF_DFRAMES_INCTRANS_TP = "Задаёт прозрачность стандартных фреймов во время боя. По умолчанию фреймы полностью видны, это значение 100.", SI_LUIE_LAM_UF_DFRAMES_LABEL = "Формат текста", SI_LUIE_LAM_UF_DFRAMES_LABEL_TP = "Формат текста поверх стандартных фреймов.", SI_LUIE_LAM_UF_DFRAMES_FONT_TP = "Шрифт который будет использоваться во всех надписях в стандартных фреймах.", SI_LUIE_LAM_UF_DFRAMES_FONT_SIZE_TP = "Размер шрифта, который будет использоваться во всех надписях в стандартных фреймах.", SI_LUIE_LAM_UF_DFRAMES_FONT_STYLE_TP = "Выберите стиль шрифта для надписей на стандартных полосках фреймов юнитов.", SI_LUIE_LAM_UF_DFRAMES_LABEL_COLOR = "Цвет надписи", SI_LUIE_LAM_UF_TARGET_COLOR_REACTION = "Цвет имени по реакции", SI_LUIE_LAM_UF_TARGET_COLOR_REACTION_TP = "Изменяет цвет имени цели в соответствии с её враждебностью.", SI_LUIE_LAM_UF_TARGET_ICON_CLASS = "Значок класса цели", SI_LUIE_LAM_UF_TARGET_ICON_CLASS_TP = "Отображает значок класса цели-игрока.", SI_LUIE_LAM_UF_TARGET_ICON_GFI = "Значок игнора/друга/гильдии", SI_LUIE_LAM_UF_TARGET_ICON_GFI_TP = "Отображает значок для уели игрока, указывающую на его статус: игнорируется, друг, согильдеец.", SI_LUIE_LAM_UF_CFRAMES_HEADER = "Настраиваемые фреймы юнитов", SI_LUIE_LAM_UF_CFRAMES_UNLOCK = "Разблокировать фреймы", SI_LUIE_LAM_UF_CFRAMES_UNLOCK_TP = "Позволяет мышью перетаскивать все настраиваемые фреймы юнитов. Когда фреймы разблокированы, фрейм цели не будет скрыт и может отображать устаревшую информацию.", SI_LUIE_LAM_UF_CFRAMES_RESETPOSIT_TP = "Это вернёт все настраиваемые фреймы в их положение по умолчанию.", SI_LUIE_LAM_UF_CFRAMES_FONT_TP = "Шрифт на всех настраиваемых фреймах.", SI_LUIE_LAM_UF_CFRAMES_FONT_SIZE_LABELS = "Размер шрифта (надписи)", SI_LUIE_LAM_UF_CFRAMES_FONT_SIZE_LABELS_TP = "Размер шрифта для отображения имени, описания и т.д.: всё, что не на полосках.", SI_LUIE_LAM_UF_CFRAMES_FONT_SIZE_BARS = "Размер шрифта (полоски)", SI_LUIE_LAM_UF_CFRAMES_FONT_SIZE_BARS_TP = "Размер шрифта для отображения текста на полосках.", SI_LUIE_LAM_UF_CFRAMES_FONT_STYLE_TP = "Выберите стиль шрифта для настраиваемых фреймов юнитов.", SI_LUIE_LAM_UF_CFRAMES_TEXTURE = "Текстура", SI_LUIE_LAM_UF_CFRAMES_TEXTURE_TP = "Текстура настраиваемых фреймов.", SI_LUIE_LAM_UF_CFRAMES_SHIELD_SEPERATE = "Отдельная полоска Щита", SI_LUIE_LAM_UF_CFRAMES_SHIELD_SEPERATE_TP = "Включение этой настройки делает полоску Щита Игрока, Цели и малой Группы независимой от полоски здоровья и не перекрывающей её.", SI_LUIE_LAM_UF_CFRAMES_SHIELD_SEPERATE_NOTE = "Если вы используете много щитов, как любят игроки за Чародеев, вам должна понравится эта настройка.", SI_LUIE_LAM_UF_CFRAMES_SHIELD_SEPERATE_HEIGHT = "Высота отдельной полоски Щита", SI_LUIE_LAM_UF_CFRAMES_SHIELD_OVERLAY = "Полная высота Щита", SI_LUIE_LAM_UF_CFRAMES_SHIELD_OVERLAY_TP = "Когда полоска Щита НЕ отдельная, используется полная высота полоски здоровья для отображения на Игроке, Цели и малой Группы настраиваемых фреймов, вместо половины высоты этой полоски.", SI_LUIE_LAM_UF_CFRAMES_SHIELD_ALPHA = "Прозрачность щита", SI_LUIE_LAM_UF_CFRAMES_SHIELD_ALPHA_TP = "Задаёт прозрачность полоски щита, когда он налагается поверх полоски здоровья.", SI_LUIE_LAM_UF_CFRAMES_SMOOTHBARTRANS = "Плавное изменение", SI_LUIE_LAM_UF_CFRAMES_SMOOTHBARTRANS_TP = "Используется плавное изменение заполнение полоски при изменении значения. Отключение этой настройки может немного повысить производительность.", SI_LUIE_LAM_UF_CFRAMES_CHAMPION = "Очки чемпиона", SI_LUIE_LAM_UF_CFRAMES_CHAMPION_TP = "Выберите, показывать текущий кап очков чемпиона или реальное количество набранных очков чемпиона, если их набрано больше капа.", SI_LUIE_LAM_UF_CFRAMES_COLOR_HEADER = "Настройка цветов настраиваемых фреймов юнитов", SI_LUIE_LAM_UF_CFRAMES_COLOR_HEALTH = "Цвет полоски ЗДОРОВЬЯ", SI_LUIE_LAM_UF_CFRAMES_COLOR_SHIELD = "Цвет полоски ЩИТА", SI_LUIE_LAM_UF_CFRAMES_COLOR_MAGICKA = "Цвет полоски МАГИИ", SI_LUIE_LAM_UF_CFRAMES_COLOR_STAMINA = "Цвет полоски ЗАПАСА СИЛ", SI_LUIE_LAM_UF_CFRAMES_COLOR_DPS = "Цвет DPS", SI_LUIE_LAM_UF_CFRAMES_COLOR_HEALER = "Цвет Целителя", SI_LUIE_LAM_UF_CFRAMES_COLOR_TANK = "Цвет Танка", SI_LUIE_LAM_UF_CFRAMES_COLOR_DK = "Цвет Рыцаря-дракона", SI_LUIE_LAM_UF_CFRAMES_COLOR_NB = "Цвет Клинков ночи", SI_LUIE_LAM_UF_CFRAMES_COLOR_SORC = "Цвет Чародеев", SI_LUIE_LAM_UF_CFRAMES_COLOR_TEMP = "Цвет Храмовников", SI_LUIE_LAM_UF_CFRAMES_COLOR_WARD = "Цвет Хранителей", SI_LUIE_LAM_UF_CFRAMES_COLOR_FILL_R_PLAYER = "Цвет реакции - Игрок", SI_LUIE_LAM_UF_CFRAMES_COLOR_FILL_R_FRIENDLY = "Цвет реакции - Дружественный", SI_LUIE_LAM_UF_CFRAMES_COLOR_FILL_R_HOSTILE = "Цвет реакции - Враждебный", SI_LUIE_LAM_UF_CFRAMES_COLOR_FILL_R_NEUTRAL = "Цвет реакции - Нейтральный", SI_LUIE_LAM_UF_CFRAMES_COLOR_FILL_R_GUARD = "Цвет реакции - Стража", SI_LUIE_LAM_UF_CFRAMESPT_HEADER = "Настраиваемые фреймы юнитов (Игрок, Цель)", SI_LUIE_LAM_UF_CFRAMESPT_OPTIONS_HEADER = "Дополнительные настройки фреймов Игрока", SI_LUIE_LAM_UF_CFRAMESPT_ENABLE_PLAYER = "Фрейм ИГРОКА", SI_LUIE_LAM_UF_CFRAMESPT_ENABLE_PLAYER_TP = "Создаётся настраиваемый фрейм Игрока.", SI_LUIE_LAM_UF_CFRAMESPT_ENABLE_TARGET = "Фрейм ЦЕЛИ", SI_LUIE_LAM_UF_CFRAMESPT_ENABLE_TARGET_TP = "Создаётся настраиваемый фрейм Цели.", SI_LUIE_LAM_UF_CFRAMESPT_PLAYER_WIDTH = "Длина полосок игрока", SI_LUIE_LAM_UF_CFRAMESPT_PLAYER_HP_HIGHT = "Высота полоски Здоровья игрока", SI_LUIE_LAM_UF_CFRAMESPT_PLAYER_MAG_HIGHT = "Высота полоски Магии игрока", SI_LUIE_LAM_UF_CFRAMESPT_PLAYER_STAM_HIGHT = "Высота полоски Запаса Сил игрока", SI_LUIE_LAM_UF_CFRAMESPT_PLAYER_MAG_NOLABEL = "Скрыть текст полоски Магии игрока", SI_LUIE_LAM_UF_CFRAMESPT_PLAYER_MAG_NOLABEL_TP = "Скрывает только текст на полоске Магии Игрока", SI_LUIE_LAM_UF_CFRAMESPT_PLAYER_MAG_NOBAR = "Скрыть полоску Магии игрока", SI_LUIE_LAM_UF_CFRAMESPT_PLAYER_MAG_NOBAR_TP = "Полностью скрывает полоску Магии игрока", SI_LUIE_LAM_UF_CFRAMESPT_PLAYER_STAM_NOLABEL = "Скрыть текст полоски Запаса Сил игрока", SI_LUIE_LAM_UF_CFRAMESPT_PLAYER_STAM_NOLABEL_TP = "Скрывает только текст на полоске Запаса Сил Игрока", SI_LUIE_LAM_UF_CFRAMESPT_PLAYER_STAM_NOBAR = "Скрыть полоску Запаса Сил игрока", SI_LUIE_LAM_UF_CFRAMESPT_PLAYER_STAM_NOBAR_TP = "Полностью скрывает полоску Запаса Сил игрока", SI_LUIE_LAM_UF_CFRAMESPT_PLAYER_OOCPACITY = "Игрок - Прозрачность - Вне боя", SI_LUIE_LAM_UF_CFRAMESPT_PLAYER_OOCPACITY_TP = "Изменяет прозрачность настраиваемого фрейма игрока, когда игрок вне боя.", SI_LUIE_LAM_UF_CFRAMESPT_PLAYER_ICPACITY = "Игрок - Прозрачность - В бою", SI_LUIE_LAM_UF_CFRAMESPT_PLAYER_ICPACITY_TP = "Изменяет прозрачность настраиваемого фрейма игрока, когда игрок в бою.", SI_LUIE_LAM_UF_CFRAMESPT_BuFFS_PLAYER = "Игрок - скрыть баффы вне боя", SI_LUIE_LAM_UF_CFRAMESPT_BuFFS_PLAYER_TP = "Когда вне боя, скрывает фрейм баффов и дебаффов, если они привязаны к фреймам игрока или цели.", SI_LUIE_LAM_UF_CFRAMESPT_PLAYER_METHOD = "Способ отображения фреймов Игрока", SI_LUIE_LAM_UF_CFRAMESPT_PLAYER_METHOD_TP = "Выберите положение настраиваемых фреймов игрока. Это сбросит текущее положение настраиваемых фреймов игрока, Горизонтальная и Пирамидальная настройки разместят фреймы игрока и цели по центру экрана.", SI_LUIE_LAM_UF_CFRAMESPT_PLAYER_METHOD_WARN = "Это сбросит текущее положение настраиваемых фреймов!", SI_LUIE_LAM_UF_CFRAMESPT_S_HORIZ_ADJUST = "Горизонтальное положение Запаса сил", SI_LUIE_LAM_UF_CFRAMESPT_S_HORIZ_ADJUST_TP = "Задаёт горизонтальное положение полоски Запаса сил. Если вы хотите переместить все фреймы, разблокируйте перемещение настраиваемых фреймов и переместите их вместо этого.", SI_LUIE_LAM_UF_CFRAMESPT_S_VERT_ADJUST = "Вертикальное положение Запаса сил", SI_LUIE_LAM_UF_CFRAMESPT_S_VERT_ADJUST_TP = "Задаёт вертикальное положение полоски Запаса сил. Если вы хотите переместить все фреймы, разблокируйте перемещение настраиваемых фреймов и переместите их вместо этого.", SI_LUIE_LAM_UF_CFRAMESPT_M_HORIZ_ADJUST = "Горизонтальное положение Магии", SI_LUIE_LAM_UF_CFRAMESPT_M_HORIZ_ADJUST_TP = "Задаёт горизонтальное положение полоски Магии. Если вы хотите переместить все фреймы, разблокируйте перемещение настраиваемых фреймов и переместите их вместо этого.", SI_LUIE_LAM_UF_CFRAMESPT_M_VERT_ADJUST = "Вертикальное положение Магии", SI_LUIE_LAM_UF_CFRAMESPT_M_VERT_ADJUST_TP = "Задаёт вертикальное положение полоски Магии. Если вы хотите переместить все фреймы, разблокируйте перемещение настраиваемых фреймов и переместите их вместо этого.", SI_LUIE_LAM_UF_CFRAMESPT_PLAYER_SPACING = "Расстояние между полосками игрока", SI_LUIE_LAM_UF_CFRAMESPT_PLAYER_SPACING_TP = "Задаёт вертикальный промежуток между полосками характеристик игрока.", SI_LUIE_LAM_UF_CFRAMESPT_PLAYER_NAMESELF = "Имя на фрейме Игрока", SI_LUIE_LAM_UF_CFRAMESPT_PLAYER_NAMESELF_TP = "Показывает имя и уровень вашего персонажа на фрейме Игрока.", SI_LUIE_LAM_UF_CFRAMESPT_MOUNTSIEGEWWBAR = "Ездовое/Осадка/Оборотень", SI_LUIE_LAM_UF_CFRAMESPT_MOUNTSIEGEWWBAR_TP = "Показывает дополнительную полоску для отслеживания запаса сил ездового, здоровья осадного оружия, таймера оборотня.", SI_LUIE_LAM_UF_CFRAMESPT_XPCPBAR = "Полоска опыта", SI_LUIE_LAM_UF_CFRAMESPT_XPCPBAR_TP = "Показывает полоску для отслеживания опыта, получаемого игроком.", SI_LUIE_LAM_UF_CFRAMESPT_XPCPBARCOLOR = "Цвет Чемпионского опыта", SI_LUIE_LAM_UF_CFRAMESPT_XPCPBARCOLOR_TP = "Задаёт цвет полоски опыта в соответствии с типом набираемого Чемпионского очка.", SI_LUIE_LAM_UF_LOWRESOURCE_HEALTH = "Игрок - Мало Здоровья % Порог", SI_LUIE_LAM_UF_LOWRESOURCE_HEALTH_TP = "Задаёт порог, по достижению которого текст на полоске здоровья игрока станет красными.", SI_LUIE_LAM_UF_LOWRESOURCE_MAGICKA = "Игрок - Мало Магии % Порог", SI_LUIE_LAM_UF_LOWRESOURCE_MAGICKA_TP = "Задаёт порог, по достижению которого текст на полоске магии игрока станет красными.", SI_LUIE_LAM_UF_LOWRESOURCE_STAMINA = "Игрок - Мало Запаса Сил % Порог", SI_LUIE_LAM_UF_LOWRESOURCE_STAMINA_TP = "Задаёт порог, по достижению которого текст на полоске запаса сил игрока станет красными.", SI_LUIE_LAM_UF_CFRAMESPT_TARGET_WIDTH = "Длина полоски Цели", SI_LUIE_LAM_UF_CFRAMESPT_TARGET_HEIGHT = "Высота полоски Цели", SI_LUIE_LAM_UF_CFRAMESPT_TARGET_OOCPACITY = "Цель - Прозрачность - Вне боя", SI_LUIE_LAM_UF_CFRAMESPT_TARGET_OOCPACITY_TP = "Изменяет прозрачность настраиваемого фрейма цели, когда игрок вне боя.", SI_LUIE_LAM_UF_CFRAMESPT_TARGET_ICPACITY = "Цель - Прозрачность - В бою", SI_LUIE_LAM_UF_CFRAMESPT_TARGET_ICPACITY_TP = "Изменяет прозрачность настраиваемого фрейма цели, когда игрок в бою.", SI_LUIE_LAM_UF_CFRAMESPT_BUFFS_TARGET = "Цель - скрыть баффы вне боя", SI_LUIE_LAM_UF_CFRAMESPT_BUFFS_TARGET_TP = "Когда вне боя, скрывает фрейм баффов и дебаффов, если они привязаны к фреймам игрока или цели.", SI_LUIE_LAM_UF_CFRAMESPT_REACTION_TARGET = "Цель - Цвет реакции", SI_LUIE_LAM_UF_CFRAMESPT_REACTION_TARGET_TP = "Цвет фрейма цели определяется реакцией, а не цветом полоски здоровья.", SI_LUIE_LAM_UF_CFRAMESPT_CLASS_TARGET = "Цель - Цвет класса", SI_LUIE_LAM_UF_CFRAMESPT_CLASS_TARGET_TP = "Цвет фрейма цели определяется классом игрока, а не цветом полоски здоровья. Эта настройка имеет более высокий приоритет, чем Цвет реакции, когда включены обе.", SI_LUIE_LAM_UF_CFRAMESPT_TARGET_CLASSLABEL = "Класс цели", SI_LUIE_LAM_UF_CFRAMESPT_TARGET_CLASSLABEL_TP = "Отображает название класса цели на фреймах цели вместе со значком класса.", SI_LUIE_LAM_UF_CFRAMESPT_EXETHRESHOLD = "Порог Здоровья для Прикончи %", SI_LUIE_LAM_UF_CFRAMESPT_EXETHRESHOLD_TP = "Определяет порог значения Здоровья, чтобы окрасить цвет текста цели в красный, а также отобразить значок черепа, если включено.", SI_LUIE_LAM_UF_CFRAMESPT_EXETEXTURE = "Череп для Прикончить", SI_LUIE_LAM_UF_CFRAMESPT_EXETEXTURE_TP = "Отображает значок Черепа рядом с настраиваемыми фреймами цели при низком значении здоровья, когда цель можно Прикончить.", SI_LUIE_LAM_UF_CFRAMESPT_TITLE = "Цель - Титул", SI_LUIE_LAM_UF_CFRAMESPT_TITLE_TP = "Показывает титул цель (игрока или NPC).", SI_LUIE_LAM_UF_CFRAMESPT_RANK = "Цель - AvA Звание", SI_LUIE_LAM_UF_CFRAMESPT_RANK_TP = "Показывает AvA звание цели-игрока.", SI_LUIE_LAM_UF_CFRAMESPT_RANKICON = "Цель - Значок и цифра AvA звания", SI_LUIE_LAM_UF_CFRAMESPT_RANKICON_TP = "Отображает цифру и значок AVA звания (ранга) для цели игрока.", SI_LUIE_LAM_UF_CFRAMESPT_RANK_TITLE_PRIORITY = "Цель - Приоритет звания/титула", SI_LUIE_LAM_UF_CFRAMESPT_RANK_TITLE_PRIORITY_TP = "Выберите, что отображать в приоритете: AVA-звание или титул игрока.", SI_LUIE_LAM_UF_CFRAMESPT_MISSPOWERCOMBAT = "Неполные ресурсы - как в бою", SI_LUIE_LAM_UF_CFRAMESPT_MISSPOWERCOMBAT_TP = "Когда ресурсы не полные, фрейм будет использовать прозрачность, заданную для ситуации в бою.", SI_LUIE_LAM_UF_CFRAMESG_HEADER = "Настраиваемые фреймы (Группа)", SI_LUIE_LAM_UF_CFRAMESG_LUIEFRAMESENABLE = "Фреймы ГРУППЫ", SI_LUIE_LAM_UF_CFRAMESG_LUIEFRAMESENABLE_TP = "Создаётся настраиваемый фрейм Группы.", SI_LUIE_LAM_UF_CFRAMESG_WIDTH = "Длина полосок Группы", SI_LUIE_LAM_UF_CFRAMESG_HEIGHT = "Высота полосок Группы", SI_LUIE_LAM_UF_CFRAMESG_SPACING = "Расстояние между полосками группы", SI_LUIE_LAM_UF_CFRAMESG_INCPLAYER = "Включить игрока в группу", SI_LUIE_LAM_UF_CFRAMESG_INCPLAYER_TP = "Включить игрока в список групповых фреймов.", SI_LUIE_LAM_UF_CFRAMESG_ROLEICON = "Значок роли", SI_LUIE_LAM_UF_CFRAMESG_ROLEICON_TP = "Показывает значок выбранной игроком роли.", SI_LUIE_LAM_UF_CFRAMES_COLOR_GFRAMESBYROLE = "Цвета группы по ролям", SI_LUIE_LAM_UF_CFRAMES_COLOR_GFRAMESBYROLE_TP = "Цвета настраиваемого фрейма группы на основе роли.", SI_LUIE_LAM_UF_CFRAMES_COLOR_GFRAMESBYCLASS = "Цвета фреймов группы по классам", SI_LUIE_LAM_UF_CFRAMES_COLOR_GFRAMESBYCLASS_TP = "Цвет настраиваемых фреймов группы будет основываться на классе.", SI_LUIE_LAM_UF_CFRAMESR_HEADER = "Настраиваемые фреймы (Рейд)", SI_LUIE_LAM_UF_CFRAMESR_LUIEFRAMESENABLE = "Фреймы РЕЙДА", SI_LUIE_LAM_UF_CFRAMESR_LUIEFRAMESENABLE_TP = "Создаётся настраиваемый фрейм Рейда. Если включены настраиваемые фреймы ГРУППЫ, тогда эти фреймы рейда будут также использоваться и для малых групп.", SI_LUIE_LAM_UF_CFRAMESR_WIDTH = "Длина полосок Рейда", SI_LUIE_LAM_UF_CFRAMESR_HEIGHT = "Высота полосок Рейда", SI_LUIE_LAM_UF_CFRAMESR_LAYOUT = "Формат фрейма Рейда", SI_LUIE_LAM_UF_CFRAMESR_LAYOUT_TP = "Выберите формат фреймов рейда по типу 'столбцы*строки'.", SI_LUIE_LAM_UF_CFRAMESR_SPACER = "Пробел между каждыми 4 игроками", SI_LUIE_LAM_UF_CFRAMESR_SPACER_TP = "Добавляет небольшой пробел между каждыми 4 членами рейда для визуального разделения на обычные группы.", SI_LUIE_LAM_UF_CFRAMESR_NAMECLIP = "Положение имён в Рейде", SI_LUIE_LAM_UF_CFRAMESR_NAMECLIP_TP = "Из-за невозможности автоматически определить длину полоски здоровья, вы можете задать вручную положение имени на фреймах рейда для предотвращения наложений.", SI_LUIE_LAM_UF_CFRAMESR_ROLEICON = "Значок роли", SI_LUIE_LAM_UF_CFRAMESR_ROLEICON_TP = "Показывает значок выбранной игроком роли.", SI_LUIE_LAM_UF_CFRAMES_COLOR_RFRAMESBYROLE = "Цвета рейда по ролям", SI_LUIE_LAM_UF_CFRAMES_COLOR_RFRAMESBYROLE_TP = "Цвета настраиваемого фрейма рейда на основе роли.", SI_LUIE_LAM_UF_CFRAMES_COLOR_RFRAMESBYCLASS = "Цвета фреймов рейда по классам", SI_LUIE_LAM_UF_CFRAMES_COLOR_RFRAMESBYCLASS_TP = "Цвет настраиваемых фреймов рейда будет основываться на классе.", SI_LUIE_LAM_UF_CFRAMESB_HEADER = "Настраиваемый фрейм (Босс)", SI_LUIE_LAM_UF_CFRAMESB_LUIEFRAMESENABLE = "Фрейм Босса", SI_LUIE_LAM_UF_CFRAMESB_LUIEFRAMESENABLE_TP = "Создаётся настраиваемый фрейм Босса. Возможно отслеживать здоровье до 6 боссов в Подземельях.", SI_LUIE_LAM_UF_CFRAMESB_WIDTH = "Длина полоски босса", SI_LUIE_LAM_UF_CFRAMESB_HEIGHT = "Высота полоски босса", SI_LUIE_LAM_UF_CFRAMESB_OPACITYOOC = "Прозрачность полоски босса - Вне боя", SI_LUIE_LAM_UF_CFRAMESB_OPACITYOOC_TP = "Изменяет прозрачность настраиваемого фрейма босса, когда игрок вне боя.", SI_LUIE_LAM_UF_CFRAMESB_OPACITYIC = "Прозрачность полоски босса - В бою", SI_LUIE_LAM_UF_CFRAMESB_OPACITYIC_TP = "Изменяет прозрачность настраиваемого фрейма босса, когда игрок в бою.", SI_LUIE_LAM_UF_CFRAMESPVP_HEADER = "Настраиваемый фрейм (PvP-цели)", SI_LUIE_LAM_UF_CFRAMESPVP_TARGETFRAME = "Фрейм PvP-цели", SI_LUIE_LAM_UF_CFRAMESPVP_TARGETFRAME_TP = "Создаётся дополнительный настраиваемый фрейм цели в PvP. Это позволяет отслеживать здоровье целей только вражеских игроков. Он также имеет больший размер, меньше информации и располагается в центр экрана.", SI_LUIE_LAM_UF_CFRAMESPVP_TARGETFRAME_WIDTH = "Длина полоски PvP-цели", SI_LUIE_LAM_UF_CFRAMESPVP_TARGETFRAME_HEIGHT = "Высота полоски PvP-цели", SI_LUIE_LAM_UF_COMMON_HEADER = "Прочие настройки", SI_LUIE_LAM_UF_COMMON_NAMEDISPLAY_PLAYER = "Имя игрока (Игрок)", SI_LUIE_LAM_UF_COMMON_NAMEDISPLAY_PLAYER_TP = "Определяет способ отображения вашего имени на фрейме игрока.\nПо умолчанию: Имя персонажа", SI_LUIE_LAM_UF_COMMON_NAMEDISPLAY_TARGET = "Имя игрока (Цель)", SI_LUIE_LAM_UF_COMMON_NAMEDISPLAY_TARGET_TP = "Определяет способ отображения имени других игроков на фрейме цели.\nПо умолчанию: Имя персонажа", SI_LUIE_LAM_UF_COMMON_NAMEDISPLAY_GROUPRAID = "Имя игрока (Группа/Рейд)", SI_LUIE_LAM_UF_COMMON_NAMEDISPLAY_GROUPRAID_TP = "Определяет способ отображения имени других игроков на фрейме группы и рейда.\nПо умолчанию: Имя персонажа", SI_LUIE_LAM_UF_COMMON_CAPTIONCOLOR = "Цвет описания по умолчанию", SI_LUIE_LAM_UF_COMMON_NPCFONTCOLOR = "Цвет шрифта дружественных NPC", SI_LUIE_LAM_UF_COMMON_PLAYERFONTCOLOR = "Цвет шрифта дружественных Игроков", SI_LUIE_LAM_UF_COMMON_HOSTILEFONTCOLOR = "Цвет шрифта противников", SI_LUIE_LAM_UF_COMMON_RETICLECOLOR = "Применить к прицелу", SI_LUIE_LAM_UF_COMMON_RETICLECOLOR_TP = "Изменяет цвет прицела в соответствии с враждебностью цели.", SI_LUIE_LAM_UF_COMMON_RETICLECOLORINTERACT = "Цвет прицела интерактивных объектов", -- Module: Combat Text SI_LUIE_LAM_CT = "Текст боя", SI_LUIE_LAM_CT_SHOWCOMBATTEXT = "Текст боя (Combat Cloud)", SI_LUIE_LAM_CT_DESCRIPTION = "Показывает текст боя как Combat Cloud, значение урона/исцеления и различные предупреждения.", SI_LUIE_LAM_CT_UNLOCK = "Разблокировать", SI_LUIE_LAM_CT_UNLOCK_TP = "Разблокирует панели, чтобы перемещать их.", SI_LUIE_LAM_CT_IC_ONLY = "Только в бою", SI_LUIE_LAM_CT_IC_ONLY_TP = "Показывать входящие и исходящие значения только в бою.", SI_LUIE_LAM_CT_TRANSPARENCY = "Прозрачность", SI_LUIE_LAM_CT_TRANSPARENCY_TP = "Задаёт прозрачность для текста боя.", SI_LUIE_LAM_CT_ABBREVIATE = "Короткие цифры", SI_LUIE_LAM_CT_ABBREVIATE_TP = "Заменяет длинные цифры, такие как 12345, на короткие (12.3k) во всех текстах боя.", SI_LUIE_LAM_CT_SHARED_DAMAGE = "Урон", SI_LUIE_LAM_CT_SHARED_DAMAGE_CRITICAL = "Урон (Критический)", SI_LUIE_LAM_CT_SHARED_HEALING = "Исцеление", SI_LUIE_LAM_CT_SHARED_HEALING_CRITICAL = "Исцеление (Критическое)", SI_LUIE_LAM_CT_SHARED_DOT = "Урон за Время (DoT)", SI_LUIE_LAM_CT_SHARED_DOT_ABV = "DoT", SI_LUIE_LAM_CT_SHARED_DOT_CRITICAL = "Урон за Время (Критический)", SI_LUIE_LAM_CT_SHARED_HOT = "Исцеления за Время (HoT)", SI_LUIE_LAM_CT_SHARED_HOT_ABV = "HoT", SI_LUIE_LAM_CT_SHARED_HOT_CRITICAL = "Исцеления за Время (Критическое)", SI_LUIE_LAM_CT_SHARED_GAIN_LOSS = "Получение/Потеря ресурсов", SI_LUIE_LAM_CT_SHARED_ENERGIZE = "Восстановление ресурсов", SI_LUIE_LAM_CT_SHARED_ENERGIZE_ULTIMATE = "Накопление ульты", SI_LUIE_LAM_CT_SHARED_DRAIN = "Потеря ресурсов", SI_LUIE_LAM_CT_SHARED_MITIGATION = "Смягчение", SI_LUIE_LAM_CT_SHARED_MISS = "Промах", SI_LUIE_LAM_CT_SHARED_IMMUNE = "Иммун", SI_LUIE_LAM_CT_SHARED_PARRIED = "Парировано", SI_LUIE_LAM_CT_SHARED_REFLECTED = "Отражено", SI_LUIE_LAM_CT_SHARED_DAMAGE_SHIELD = "Щит урона", SI_LUIE_LAM_CT_SHARED_DODGED = "Уворот", SI_LUIE_LAM_CT_SHARED_BLOCKED = "Заблокировано", SI_LUIE_LAM_CT_SHARED_INTERRUPTED = "Прервано", SI_LUIE_LAM_CT_SHARED_CROWD_CONTROL = "Контроль", SI_LUIE_LAM_CT_SHARED_DISORIENTED = "Дезориентация", SI_LUIE_LAM_CT_SHARED_FEARED = "Страх", SI_LUIE_LAM_CT_SHARED_OFF_BALANCE = "Выведен из равновесия", SI_LUIE_LAM_CT_SHARED_SILENCED = "Безмолвие", SI_LUIE_LAM_CT_SHARED_STUNNED = "Оглушён", SI_LUIE_LAM_CT_SHARED_COMBAT_STATE = "Статус боя", SI_LUIE_LAM_CT_SHARED_COMBAT_IN = "В бою", SI_LUIE_LAM_CT_SHARED_COMBAT_OUT = "Не в бою", SI_LUIE_LAM_CT_SHARED_ALERT = "Активные предупреждения", SI_LUIE_LAM_CT_SHARED_ALERT_BLOCK = "Block", SI_LUIE_LAM_CT_SHARED_ALERT_BLOCK_S = "Block Stagger", SI_LUIE_LAM_CT_SHARED_ALERT_DODGE = "Увернись", SI_LUIE_LAM_CT_SHARED_ALERT_AVOID = "Избеги", SI_LUIE_LAM_CT_SHARED_ALERT_INTERRUPT = "Прерви", SI_LUIE_LAM_CT_SHARED_ALERT_UNMIT = "Unmitigatable", -- TODO: Translate SI_LUIE_LAM_CT_SHARED_ALERT_CLEANSE = "Очистись", SI_LUIE_LAM_CT_SHARED_ALERT_EXPLOIT = "Воспользуйся", SI_LUIE_LAM_CT_SHARED_ALERT_EXECUTE = "Добей", SI_LUIE_LAM_CT_SHARED_ALERT_POWER = "Важный бафф на цели (Сила/Бешенство)", SI_LUIE_LAM_CT_SHARED_ALERT_DESTROY = "Уничтожь (основную цель)", SI_LUIE_LAM_CT_SHARED_ALERT_SUMMON = "Enemy NPC Summons", -- TODO: Translate SI_LUIE_LAM_CT_SHARED_POINTS = "Очки Опыта, Чемпиона и Альянса", SI_LUIE_LAM_CT_SHARED_POINTS_ALLIANCE = "Очки Альянса", SI_LUIE_LAM_CT_SHARED_POINTS_EXPERIENCE = "Очки Опыта", SI_LUIE_LAM_CT_SHARED_POINTS_CHAMPION = "Очки Чемпиона", SI_LUIE_LAM_CT_SHARED_RESOURCE = "Ресурсы", SI_LUIE_LAM_CT_SHARED_LOW_HEALTH = "Мало здоровья", SI_LUIE_LAM_CT_SHARED_LOW_MAGICKA = "Мало магии", SI_LUIE_LAM_CT_SHARED_LOW_STAMINA = "Мало запаса сил", SI_LUIE_LAM_CT_SHARED_ULTIMATE_READY = "Ульта готова", SI_LUIE_LAM_CT_SHARED_POTION_READY = "Зелье готов", SI_LUIE_LAM_CT_SHARED_INCOMING = "Входящий", SI_LUIE_LAM_CT_SHARED_OUTGOING = "Исходящий", SI_LUIE_LAM_CT_SHARED_DISPLAY = "Отображение", SI_LUIE_LAM_CT_SHARED_FORMAT = "Формат", SI_LUIE_LAM_CT_SHARED_CRITICAL = "Критический", SI_LUIE_LAM_CT_SHARED_OPTIONS = "Опционально", SI_LUIE_LAM_CT_SHARED_COLOR = "Цвет шрифта", SI_LUIE_LAM_CT_SHARED_WARNING = "Предупреждение", SI_LUIE_LAM_CT_SHARED_STAMINA = "Запас сил", SI_LUIE_LAM_CT_SHARED_MAGICKA = "Магия", SI_LUIE_LAM_CT_SHARED_ULTIMATE = "Ульта", SI_LUIE_LAM_CT_SHARED_INCOMING_ABILITY_ALERTS = "Предупреждение о входящих способностях", SI_LUIE_LAM_CT_HEADER_DAMAGE_AND_HEALING = "Урон & Исцеление", SI_LUIE_LAM_CT_HEADER_RESOURCE_GAIN_DRAIN = "Получение & Трата ресурсов", SI_LUIE_LAM_CT_HEADER_MITIGATION = "Поглощение", SI_LUIE_LAM_CT_HEADER_CROWD_CONTROL = "Эффекты контроля", SI_LUIE_LAM_CT_HEADER_NOTIFICATION = "Предупреждения", SI_LUIE_LAM_CT_HEADER_LOW_RESOURCE = "Предупреждение о низком запасе ресурса", SI_LUIE_LAM_CT_HEADER_ACTIVE_COMBAT_ALERT = "Боевые предупреждения", SI_LUIE_LAM_CT_HEADER_DAMAGE_COLOR = "Настройки цвета урона", SI_LUIE_LAM_CT_HEADER_HEALING_COLOR = "Настройки цвета исцеления", SI_LUIE_LAM_CT_HEADER_SHARED_FONT_SIZE = "Общий размер шрифта", SI_LUIE_LAM_CT_HEADER_SHARED_RESOURCE_OPTIONS = "Общий размер шрифта низкого запаса ресурса", SI_LUIE_LAM_CT_INCOMING_DAMAGE_HEAL_HEADER = "Входящий Урон & Исцеление", SI_LUIE_LAM_CT_INCOMING_DAMAGE_TP = "Показать входящий прямой урон.", SI_LUIE_LAM_CT_INCOMING_DOT_TP = "Показать входящий урон за время.", SI_LUIE_LAM_CT_INCOMING_HEALING_TP = "Показать входящее прямое исцеление.", SI_LUIE_LAM_CT_INCOMING_HOT_TP = "Показать входящее исцеление за время.", SI_LUIE_LAM_CT_INCOMING_ENERGIZE_TP = "Показать входящее получение магии/запаса сил.", SI_LUIE_LAM_CT_INCOMING_ENERGIZE_ULTIMATE_TP = "Показать входящее получение очков абсолютной способности.", SI_LUIE_LAM_CT_INCOMING_DRAIN_TP = "Показать входящую потерю магии/запаса сил.", SI_LUIE_LAM_CT_INCOMING_MISS_TP = "Показать входящие атаки, которые по вам промахнулись.", SI_LUIE_LAM_CT_INCOMING_IMMUNE_TP = "Показать входящие атаки, к которым у вас иммунитет.", SI_LUIE_LAM_CT_INCOMING_PARRIED_TP = "Показать входящие атаки, которые вы парировали.", SI_LUIE_LAM_CT_INCOMING_REFLECTED_TP = "Показать входящие атаки, которые вы отразили.", SI_LUIE_LAM_CT_INCOMING_DAMAGE_SHIELD_TP = "Показать входящий урон, поглощённый щитом.", SI_LUIE_LAM_CT_INCOMING_DODGED_TP = "Показать входящие атаки, от которых вы увернулись.", SI_LUIE_LAM_CT_INCOMING_BLOCKED_TP = "Показать входящие заблокированные атаки.", SI_LUIE_LAM_CT_INCOMING_INTERRUPTED_TP = "Показать когда вас прервали.", SI_LUIE_LAM_CT_INCOMING_DISORIENTED_TP = "Показать когда вы дезориентированы.", SI_LUIE_LAM_CT_INCOMING_FEARED_TP = "Показать когда вы в страхе.", SI_LUIE_LAM_CT_INCOMING_OFF_BALANCE_TP = "Показать когда вы выведены из равновесия.", SI_LUIE_LAM_CT_INCOMING_SILENCED_TP = "Показать когда вы обезмолвлены.", SI_LUIE_LAM_CT_INCOMING_STUNNED_TP = "Показать когда вы оглушены.", SI_LUIE_LAM_CT_OUTGOING_DAMAGE_TP = "Показать исходящий прямой урон.", SI_LUIE_LAM_CT_OUTGOING_DOT_TP = "Показать исходящий урон за время.", SI_LUIE_LAM_CT_OUTGOING_HEALING_TP = "Показать исходящее исходящее исцеление.", SI_LUIE_LAM_CT_OUTGOING_HOT_TP = "Показать исходящее исцеление за время.", SI_LUIE_LAM_CT_OUTGOING_ENERGIZE_TP = "Показать исходящие получение магии/запаса сил.", SI_LUIE_LAM_CT_OUTGOING_ENERGIZE_ULTIMATE_TP = "Показать исходящее получение очков абсолютной способности.", SI_LUIE_LAM_CT_OUTGOING_DRAIN_TP = "Показать исходящий потерю магии/запаса сил.", SI_LUIE_LAM_CT_OUTGOING_MISS_TP = "Показать исходящие атаки, когда вы промахнулись.", SI_LUIE_LAM_CT_OUTGOING_IMMUNE_TP = "Показать исходящие атаки, которым у цели иммунитет.", SI_LUIE_LAM_CT_OUTGOING_PARRIED_TP = "Показать исходящие атаки, которые цель парировала", SI_LUIE_LAM_CT_OUTGOING_REFLECTED_TP = "Показать исходящие атаки, которые цель отразила.", SI_LUIE_LAM_CT_OUTGOING_DAMAGE_SHIELD_TP = "Показать исходящий урон, который цель поглотила щитом урона.", SI_LUIE_LAM_CT_OUTGOING_DODGED_TP = "Показать исходящие атаки, от который цель увернулась.", SI_LUIE_LAM_CT_OUTGOING_BLOCKED_TP = "Показать исходящие атаки, которые цель блокировала.", SI_LUIE_LAM_CT_OUTGOING_INTERRUPTED_TP = "Показать когда вы прервали цель.", SI_LUIE_LAM_CT_OUTGOING_DISORIENTED_TP = "Показать когда вы дезориентировали цель.", SI_LUIE_LAM_CT_OUTGOING_FEARED_TP = "Показать когда вы наложили страх на цель.", SI_LUIE_LAM_CT_OUTGOING_OFF_BALANCE_TP = "Показать когда вы вывели цель из равновесия.", SI_LUIE_LAM_CT_OUTGOING_SILENCED_TP = "Показать когда вы обезмолвили цель.", SI_LUIE_LAM_CT_OUTGOING_STUNNED_TP = "Показать когда вы оглушили цель.", SI_LUIE_LAM_CT_NOTIFICATION_COMBAT_STATE = "Статус боя", SI_LUIE_LAM_CT_NOTIFICATION_ALERTS_DESC = "Включите настройку Активные подсказки в бою -> Показывать всегда в настройках интерфейса, чтобы предупреждения выводили корректно.", SI_LUIE_LAM_CT_NOTIFICATION_POINTS = "Очки", SI_LUIE_LAM_CT_NOTIFICATION_RESOURCES = "Ресурсы", SI_LUIE_LAM_CT_NOTIFICATION_COMBAT_IN_TP = "Показывать оповещение в входе в бой.", SI_LUIE_LAM_CT_NOTIFICATION_COMBAT_OUT_TP = "Показывать оповещение о выходе из боя.", SI_LUIE_LAM_CT_NOTIFICATION_MITIGATION = "Продвинутые оповещения об атаках", SI_LUIE_LAM_CT_NOTIFICATION_MITIGATION_TP = "Показывает продвинутые оповещения об атаках, которые можно блокировать, увернуться, избежать или прервать.", SI_LUIE_LAM_CT_NOTIFICATION_MITIGATION_DESCRIPTION = "\t\t\t\t\tИспользуйте следующий формат, чтобы изменить предупреждения о смягчении:\n\t\t\t\t\t%n Название источника\n\t\t\t\t\t%t Название способности\n\t\t\t\t\t%i Значок способности", SI_LUIE_LAM_CT_NOTIFICATION_MITIGATION_METHOD = "Способ предупреждения", SI_LUIE_LAM_CT_NOTIFICATION_MITIGATION_METHOD_TP = "Выберите, как показывать предупреждение о смягчении, одной строкой или в несколько. Если одной строкой, то оповещение будет использовать цвет наиболее эффективного способа смягчения.", SI_LUIE_LAM_CT_NOTIFICATION_MITIGATION_HIDE = "Не предлагать смягчение", SI_LUIE_LAM_CT_NOTIFICATION_MITIGATION_HIDE_TP = "Если предупреждение выводится в одну линию, включение этой настройки скроет из предупреждения БЛОКИРУЙ/УВЕРНИСЬ/ИЗБЕГИ/ПРЕРВИ и т.п. и выведет только надвигающуюся способность.", SI_LUIE_LAM_CT_NOTIFICATION_MITIGATION_FORMAT = "Префикс поглощения", SI_LUIE_LAM_CT_NOTIFICATION_MITIGATION_FORMAT_TP = "Выберите префикс для предупреждений о поглощении", SI_LUIE_LAM_CT_NOTIFICATION_MITIGATION_FORMAT_P = "Префикс важных баффов", SI_LUIE_LAM_CT_NOTIFICATION_MITIGATION_FORMAT_P_TP = "Выберите префикс для отображения применения важных баффов ближайшими вражескими целями", SI_LUIE_LAM_CT_NOTIFICATION_MITIGATION_FORMAT_D = "Префикс приоритетной цели", SI_LUIE_LAM_CT_NOTIFICATION_MITIGATION_FORMAT_D_TP = "Выберите префикс для для отображения, когда рядом обнаруживается приоритетная вражеская цель", SI_LUIE_LAM_CT_NOTIFICATION_MITIGATION_FORMAT_S = "Summon Prefix", -- TODO: Translate SI_LUIE_LAM_CT_NOTIFICATION_MITIGATION_FORMAT_S_TP = "Choose the prefix to display when a summon is detected nearby", -- TODO: Translate SI_LUIE_LAM_CT_NOTIFICATION_MITIGATION_NO_NAME = "(Без имени)", SI_LUIE_LAM_CT_NOTIFICATION_MITIGATION_NO_NAME_TP = "(Префикс, когда имя врага не может быть получено).", SI_LUIE_LAM_CT_NOTIFICATION_MITIGATION_NAME = "(С именем)", SI_LUIE_LAM_CT_NOTIFICATION_MITIGATION_NAME_TP = "(Префикс, когда имя врага получено корректно).", SI_LUIE_LAM_CT_NOTIFICATION_SUFFIX = "Суффикс прямой атаки", SI_LUIE_LAM_CT_NOTIFICATION_SUFFIX_TP = "Добавляет суффикс к сообщению об атаки ПРЯМОЙ целью которой являетесь вы. Это не будет касаться эффектов урона по площади или исцеляющих способностей противника.", SI_LUIE_LAM_CT_NOTIFICATION_AURA = "События ближайших NPC", SI_LUIE_LAM_CT_NOTIFICATION_AURA_TP = "Многие способности, прямой целью которых не является игрок, не могут быть обнаружены, чтобы вывести предупреждение (например, когда ближайший NPC кастует целительную способность). Эта настройка позволяет компоненту предупреждений также отслеживать ауры и предоставлять больше информации. Тем не менее, это может привести к тому, что будут появляться предупреждения об NPC, которые далеко от игрока. Помните, что такие события всегда будут отображаться в Подземельях.", SI_LUIE_LAM_CT_NOTIFICATION_RANK3 = "Способности обычных NPC", SI_LUIE_LAM_CT_NOTIFICATION_RANK3_TP = "Включает оповещения о способностях, используемых обычными NPC.", SI_LUIE_LAM_CT_NOTIFICATION_RANK2 = "Способности Элитных/Квестовых NPC", SI_LUIE_LAM_CT_NOTIFICATION_RANK2_TP = "Включает оповещения о способностях, используемых Элитными или квестовыми NPC. Включает в себя, например, NPC-варианты Dragonknight Standard и Soul Tether.", SI_LUIE_LAM_CT_NOTIFICATION_RANK1 = "Способности Боссов и NPC Испытаний", SI_LUIE_LAM_CT_NOTIFICATION_RANK1_TP = "Включает оповещения о способностях, используемых Боссами или NPC испытаний (триалов).", SI_LUIE_LAM_CT_NOTIFICATION_DUNGEON = "ВСЕГДА предупреждать в Подземельях", SI_LUIE_LAM_CT_NOTIFICATION_DUNGEON_TP = "Предупреждения всегда выводятся, если вы в подземелье. Эта настройка прекрасно подходит, если вы не хотите видеть предупреждения о способностях обычных NPC вне подземелий, но хотите быть осведомлены о многом, что делают NPC в подземельях или испытаниях (триалах).", SI_LUIE_LAM_CT_NOTIFICATION_ALERT_CLEANSE_TP = "Показывать предупреждение, когда DoT может быть очищен.", SI_LUIE_LAM_CT_NOTIFICATION_ALERT_BLOCK_TP = "Показывать предупреждение о надвигающихся атаках, которые могут быть смягчены блоком.", SI_LUIE_LAM_CT_NOTIFICATION_ALERT_EXPLOIT_TP = "Показывать предупреждение, когда цель выведена из равновесия.", SI_LUIE_LAM_CT_NOTIFICATION_ALERT_INTERRUPT_TP = "Показывать предупреждение, когда вы можете прервать способность противника.", SI_LUIE_LAM_CT_NOTIFICATION_ALERT_UNMIT_TP = "Show an alert abilities that can't be mitigated.", -- TODO: Translate SI_LUIE_LAM_CT_NOTIFICATION_ALERT_DODGE_TP = "Показывать предупреждение о надвигающихся атаках, которые могут быть смягчены уворотом.", SI_LUIE_LAM_CT_NOTIFICATION_ALERT_AVOID_TP = "Показывать предупреждение о надвигающихся атаках, которые должны быть смягчены выходом из зоны поражения.", SI_LUIE_LAM_CT_NOTIFICATION_ALERT_EXECUTE_TP = "Показывать предупреждение, когда цель можно добить.", SI_LUIE_LAM_CT_NOTIFICATION_ALERT_POWER_TP = "Показывать предупреждение, когда ближайший враждебный NPC кастует важный бафф (такой сильный бафф, как бешенство).", SI_LUIE_LAM_CT_NOTIFICATION_ALERT_DESTROY_TP = "Показывать предупреждение, когда ближайшая враждебная цель представляет как приоритетная цель для уничтожения (те, кто уменьшают исходящий или увеличивают получаемый урон, или предоставляют неуязвимость).", SI_LUIE_LAM_CT_NOTIFICATION_ALERT_SUMMON_TP = "Show an alert when a nearby enemy target summons additional enemies.", -- TODO: Translate SI_LUIE_LAM_CT_NOTIFIACTION_EXECUTE_THRESHOLD = "Порог добивания", SI_LUIE_LAM_CT_NOTIFIACTION_EXECUTE_THRESHOLD_TP = "Порог здоровья цели, при котором появится сообщение 'ДОБЕЙ!'.\nПо умолчанию: 20%", SI_LUIE_LAM_CT_NOTIFICATION_EXECUTE_FREQUENCY = "Частота добивания", SI_LUIE_LAM_CT_NOTIFICATION_EXECUTE_FREQUENCY_TP = "Частота между сообщениями о добивании для одной цели.\nПо умолчанию: 8", SI_LUIE_LAM_CT_NOTIFICATION_INGAME_TIPS = "Скрыть внутриигровые подсказки", SI_LUIE_LAM_CT_NOTIFICATION_INGAME_TIPS_TP = "Скрыть встроенные внутриигровые боевые подсказки по умолчанию.", SI_LUIE_LAM_CT_NOTIFICATION_POINTS_ALLIANCE_TP = "Показывает полученные Очка Альянса.", SI_LUIE_LAM_CT_NOTIFICATION_POINTS_EXPERIENCE_TP = "Показывает полученные Очки Опыта.", SI_LUIE_LAM_CT_NOTIFICATION_POINTS_CHAMPION_TP = "Показывает полученные Очки Чемпиона.", SI_LUIE_LAM_CT_NOTIFICATION_LOW_HEALTH_TP = "Показать предупреждение, когда Здоровье опускается ниже указанного порога.", SI_LUIE_LAM_CT_NOTIFICATION_LOW_MAGICKA_TP = "Показать предупреждение, когда Магия опускается ниже указанного порога.", SI_LUIE_LAM_CT_NOTIFICATION_LOW_STAMINA_TP = "Показать предупреждение, когда Запас Сил опускается ниже указанного порога.", SI_LUIE_LAM_CT_NOTIFICATION_ULTIMATE_READY_TP = "Показывает предупреждение, когда ваша абсолютная способность готова к применению.", SI_LUIE_LAM_CT_NOTIFICATION_POTION_READY_TP = "Показывает предупреждение, когда ваше зелье снова готово к применению.", SI_LUIE_LAM_CT_NOTIFICATION_WARNING_SOUND = "Звук предупреждения", SI_LUIE_LAM_CT_NOTIFICATION_WARNING_SOUND_TP = "Проигрывает звук, когда ваши ресурсы опускаются ниже указанного порога.", SI_LUIE_LAM_CT_NOTIFICATION_WARNING_HEALTH = "Порог Здоровья", SI_LUIE_LAM_CT_NOTIFICATION_WARNING_HEALTH_TP = "Порог для предупреждения о низком уровне Здоровья.\nПо умолчанию: 35%", SI_LUIE_LAM_CT_NOTIFICATION_WARNING_MAGICKA = "Порог Магии", SI_LUIE_LAM_CT_NOTIFICATION_WARNING_MAGICKA_TP = "Порог для предупреждения о низком уровне Магии.\nПо умолчанию: 35%", SI_LUIE_LAM_CT_NOTIFICATION_WARNING_STAMINA = "Порог Запаса Сил", SI_LUIE_LAM_CT_NOTIFICATION_WARNING_STAMINA_TP = "Порог для предупреждения о низком уровне Запаса Сил.\nПо умолчанию: 35%", SI_LUIE_LAM_CT_FONT_HEADER = "Настройки формата шрифта", SI_LUIE_LAM_CT_FONT_FACE = "Вид шрифта", SI_LUIE_LAM_CT_FONT_FACE_TP = "Выберите вид шрифта.", SI_LUIE_LAM_CT_FONT_OUTLINE = "Контур шрифта", SI_LUIE_LAM_CT_FONT_OUTLINE_TP = "Выберите контур шрифта.", SI_LUIE_LAM_CT_FONT_TEST = "Проверка шрифта", SI_LUIE_LAM_CT_FONT_TEST_TP = "Генерирует проверочное боевое событие для проверки выбранного шрифта.", SI_LUIE_LAM_CT_FONT_COMBAT_DAMAGE_TP = "Размер шрифта прямого урона.\nПо умолчанию: 32", SI_LUIE_LAM_CT_FONT_COMBAT_DAMAGE_CRITICAL_TP = "Размер шрифта прямого критического урона.\nПо умолчанию: 32", SI_LUIE_LAM_CT_FONT_COMBAT_HEALING_TP = "Размер шрифта прямого исцеление.\nПо умолчанию: 32", SI_LUIE_LAM_CT_FONT_COMBAT_HEALING_CRITICAL_TP = "Размер шрифта прямого критическое исцеление.\nПо умолчанию: 32", SI_LUIE_LAM_CT_FONT_COMBAT_DOT_TP = "Размер шрифта DoT.\nПо умолчанию: 26", SI_LUIE_LAM_CT_FONT_COMBAT_DOT_CRITICAL_TP = "Размер шрифта критического DoT.\nПо умолчанию: 26", SI_LUIE_LAM_CT_FONT_COMBAT_HOT_TP = "Размер шрифта HoT.\nПо умолчанию: 26", SI_LUIE_LAM_CT_FONT_COMBAT_HOT_CRITICAL_TP = "Размер шрифта критического HoT.\nПо умолчанию: 26", SI_LUIE_LAM_CT_FONT_COMBAT_GAIN_LOSS_TP = "Размер шрифта восполнения и потери ресурсов.\nПо умолчанию: 32", SI_LUIE_LAM_CT_FONT_COMBAT_MITIGATION_TP = "Размер шрифта поглощённого урон.\nПо умолчанию: 32", SI_LUIE_LAM_CT_FONT_COMBAT_CROWD_CONTROL_TP = "Размер шрифта контроля.\nПо умолчанию: 32", SI_LUIE_LAM_CT_FONT_NOTIFICATION_COMBAT_STATE_TP = "Размер шрифта оповещений о входе в бой или выходе из него.\nПо умолчанию: 24", SI_LUIE_LAM_CT_FONT_NOTIFICATION_ALERT_TP = "Размер шрифта активных боевых подсказок.\nПо умолчанию: 32", SI_LUIE_LAM_CT_FONT_NOTIFICATION_POINTS_TP = "Размер шрифта получения очков\nПо умолчанию: 24", SI_LUIE_LAM_CT_FONT_NOTIFICATION_RESOURCE_TP = "Размер шрифта предупреждений о ресурсах.\nПо умолчанию: 32", SI_LUIE_LAM_CT_COLOR_COMBAT_DAMAGE_NONE = "Цвет шрифта (Без типа)", SI_LUIE_LAM_CT_COLOR_COMBAT_DAMAGE_NONE_TP = "Задаёт цвет для урона без типа.", SI_LUIE_LAM_CT_COLOR_COMBAT_DAMAGE_GENERIC = "Цвет шрифта (Обычный)", SI_LUIE_LAM_CT_COLOR_COMBAT_DAMAGE_GENERIC_TP = "Задаёт цвет для обычного урона.", SI_LUIE_LAM_CT_COLOR_COMBAT_DAMAGE_PHYSICAL = "Цвет шрифта (Физический)", SI_LUIE_LAM_CT_COLOR_COMBAT_DAMAGE_PHYSICAL_TP = "Задаёт цвет для Физического урона.", SI_LUIE_LAM_CT_COLOR_COMBAT_DAMAGE_FIRE = "Цвет шрифта (Огненный)", SI_LUIE_LAM_CT_COLOR_COMBAT_DAMAGE_FIRE_TP = "Задаёт цвет для урона от Огня.", SI_LUIE_LAM_CT_COLOR_COMBAT_DAMAGE_SHOCK = "Цвет шрифта (Электрический)", SI_LUIE_LAM_CT_COLOR_COMBAT_DAMAGE_SHOCK_TP = "Задаёт цвет для урона от Электричества.", SI_LUIE_LAM_CT_COLOR_COMBAT_DAMAGE_OBLIVION = "Цвет шрифта (Обливион)", SI_LUIE_LAM_CT_COLOR_COMBAT_DAMAGE_OBLIVION_TP = "Задаёт цвет для урона Обливиона.", SI_LUIE_LAM_CT_COLOR_COMBAT_DAMAGE_COLD = "Цвет шрифта (Морозный)", SI_LUIE_LAM_CT_COLOR_COMBAT_DAMAGE_COLD_TP = "Задаёт цвет для урона от Мороза.", SI_LUIE_LAM_CT_COLOR_COMBAT_DAMAGE_EARTH = "Цвет шрифта (Земляной)", SI_LUIE_LAM_CT_COLOR_COMBAT_DAMAGE_EARTH_TP = "Задаёт цвет для земляного урона.", SI_LUIE_LAM_CT_COLOR_COMBAT_DAMAGE_MAGIC = "Цвет шрифта (Магический)", SI_LUIE_LAM_CT_COLOR_COMBAT_DAMAGE_MAGIC_TP = "Задаёт цвет для Магического урона.", SI_LUIE_LAM_CT_COLOR_COMBAT_DAMAGE_DROWN = "Цвет шрифта (Утопление)", SI_LUIE_LAM_CT_COLOR_COMBAT_DAMAGE_DROWN_TP = "Задаёт цвет для урона от утопления.", SI_LUIE_LAM_CT_COLOR_COMBAT_DAMAGE_DISEASE = "Цвет шрифта (Болезнь)", SI_LUIE_LAM_CT_COLOR_COMBAT_DAMAGE_DISEASE_TP = "Задаёт цвет для урона от Болезни.", SI_LUIE_LAM_CT_COLOR_COMBAT_DAMAGE_POISON = "Цвет шрифта (Яд)", SI_LUIE_LAM_CT_COLOR_COMBAT_DAMAGE_POISON_TP = "Задаёт цвет для урона от Яда.", SI_LUIE_LAM_CT_COLOR_COMBAT_HEALING = "Цвет шрифта (Исцеление)", SI_LUIE_LAM_CT_COLOR_COMBAT_HEALING_TP = "Задаёт цвет для всего исцеления.", SI_LUIE_LAM_CT_COLOR_COMBAT_ENERGIZE_MAGICKA_TP = "Задаёт цвет для получения магии.", SI_LUIE_LAM_CT_COLOR_COMBAT_ENERGIZE_STAMINA_TP = "Задаёт цвет для получения запаса сил.", SI_LUIE_LAM_CT_COLOR_COMBAT_ENERGIZE_ULTIMATE_TP = "Задаёт цвет для получения очков абсолютной способности.", SI_LUIE_LAM_CT_COLOR_COMBAT_DRAIN_MAGICKA_TP = "Задаёт цвет для потери магии.", SI_LUIE_LAM_CT_COLOR_COMBAT_DRAIN_STAMINA_TP = "Задаёт цвет для потери запаса сил.", SI_LUIE_LAM_CT_COLOR_COMBAT_DAMAGE_OVERRIDE = "Любой критический урон", SI_LUIE_LAM_CT_COLOR_COMBAT_DAMAGE_OVERRIDE_TP = "Задаёт цвет для любого критического урона.", SI_LUIE_LAM_CT_COLOR_COMBAT_CRIT_DAMAGE_COLOR = "Критический урон", SI_LUIE_LAM_CT_COLOR_COMBAT_CRIT_DAMAGE_COLOR_TP = "Задаёт цвет для критического урона.", SI_LUIE_LAM_CT_COLOR_COMBAT_HEALING_OVERRIDE = "Любое критическое исцеление", SI_LUIE_LAM_CT_COLOR_COMBAT_HEALING_OVERRIDE_TP = "Задаёт цвет для любого критического исцеления.", SI_LUIE_LAM_CT_COLOR_COMBAT_CRIT_HEALING_COLOR = "Критическое исцеление", SI_LUIE_LAM_CT_COLOR_COMBAT_CRIT_HEALING_COLOR_TP = "Задаёт цвет для критического исцеления.", SI_LUIE_LAM_CT_COLOR_COMBAT_INCOMING_OVERRIDE = "Любой входящий урон", SI_LUIE_LAM_CT_COLOR_COMBAT_INCOMING_OVERRIDE_TP = "Задаёт цвет для любого входящего урона (перезаписывает и цвет критического урона).", SI_LUIE_LAM_CT_COLOR_COMBAT_INCOMING_COLOR = "Входящий урон", SI_LUIE_LAM_CT_COLOR_COMBAT_INCOMING_COLOR_TP = "Задаёт цвет для входящего урона.", SI_LUIE_LAM_CT_COLOR_COMBAT_MISS_TP = "Задаёт цвет для промахнувшихся атак.", SI_LUIE_LAM_CT_COLOR_COMBAT_IMMUNE_TP = "Задаёт цвет для атак, к которым иммун.", SI_LUIE_LAM_CT_COLOR_COMBAT_PARRIED_TP = "Задаёт цвет для парированных атак.", SI_LUIE_LAM_CT_COLOR_COMBAT_REFLETCED_TP = "Задаёт цвет для отражённых атак.", SI_LUIE_LAM_CT_COLOR_COMBAT_DAMAGE_SHIELD_TP = "Задаёт цвет для урона, поглощённого щитом.", SI_LUIE_LAM_CT_COLOR_COMBAT_DODGED_TP = "Задаёт цвет для атак, от которых увернулись.", SI_LUIE_LAM_CT_COLOR_COMBAT_BLOCKED_TP = "Задаёт цвет для заблокированных атак.", SI_LUIE_LAM_CT_COLOR_COMBAT_INTERRUPTED_TP = "Задаёт цвет для прерванных атак.", SI_LUIE_LAM_CT_COLOR_COMBAT_DISORIENTED_TP = "Задаёт цвет для оповещений о дезориентации.", SI_LUIE_LAM_CT_COLOR_COMBAT_FEARED_TP = "Задаёт цвет для оповещений о страхе.", SI_LUIE_LAM_CT_COLOR_COMBAT_OFF_BALANCE_TP = "Задаёт цвет для оповещений о выводе из равновесия.", SI_LUIE_LAM_CT_COLOR_COMBAT_SILENCED_TP = "Задаёт цвет для оповещений о безмолвии.", SI_LUIE_LAM_CT_COLOR_COMBAT_STUNNED_TP = "Задаёт цвет для оповещений об оглушении.", SI_LUIE_LAM_CT_COLOR_NOTIFICATION_COMBAT_IN_TP = "Задаёт цвет для оповещении о входе в бой.", SI_LUIE_LAM_CT_COLOR_NOTIFICATION_COMBAT_OUT_TP = "Задаёт цвет для оповещения о выходе из боя.", SI_LUIE_LAM_CT_COLOR_NOTIFICATION_CLEANSE_TP = "Задаёт цвет для предупреждения об очищении.", SI_LUIE_LAM_CT_COLOR_NOTIFICATION_BASE = "Общий цвет надписи", SI_LUIE_LAM_CT_COLOR_NOTIFICATION_BASE_TP = "Задаёт общий цветя для префикса, суффикса и значения надписи.", SI_LUIE_LAM_CT_COLOR_NOTIFICATION_BLOCK_TP = "Задаёт цвет для предупреждения о блоке.", SI_LUIE_LAM_CT_COLOR_NOTIFICATION_EXPLOIT_TP = "Задаёт цвет для предупреждения о возможности воспользоваться.", SI_LUIE_LAM_CT_COLOR_NOTIFICATION_INTERRUPT_TP = "Задаёт цвет для предупреждения о прерывании.", SI_LUIE_LAM_CT_COLOR_NOTIFICATION_UNMIT_TP = "Set a color for alerts for abilities that can't be mitigated.", -- TODO: Translate SI_LUIE_LAM_CT_COLOR_NOTIFICATION_DODGE_TP = "Задаёт цвет для предупреждения о увороте.", SI_LUIE_LAM_CT_COLOR_NOTIFICATION_AVOID_TP = "Задаёт цвет для предупреждения, чтобы выйти из зоны.", SI_LUIE_LAM_CT_COLOR_NOTIFICATION_EXECUTE_TP = "Задаёт цвет для предупреждения о добивании.", SI_LUIE_LAM_CT_COLOR_NOTIFICATION_POWER_TP = "Задаёт цвет для предупреждения о важных баффах.", SI_LUIE_LAM_CT_COLOR_NOTIFICATION_DESTROY_TP = "Задаёт цвет для предупреждения о приоритетной цели.", SI_LUIE_LAM_CT_COLOR_NOTIFICATION_SUMMON_TP = "Set a color for summon alerts.", -- TODO: Translate SI_LUIE_LAM_CT_COLOR_NOTIFICATION_ALLIANCE_TP = "Задаёт цвет для оповещения о получении Очков Альянса.", SI_LUIE_LAM_CT_COLOR_NOTIFICATION_EXPERIENCE_TP = "Задаёт цвет для оповещения о получении Очков Опыта.", SI_LUIE_LAM_CT_COLOR_NOTIFICATION_CHAMPION_TP = "Задаёт цвет для оповещения о получении Очков Чемпиона.", SI_LUIE_LAM_CT_COLOR_NOTIFICATION_LOW_HEALTH_TP = "Задаёт цвет для предупреждении о низком Здоровье.", SI_LUIE_LAM_CT_COLOR_NOTIFICATION_LOW_MAGICKA_TP = "Задаёт цвет для предупреждении о низкой Магии.", SI_LUIE_LAM_CT_COLOR_NOTIFICATION_LOW_STAMINA_TP = "Задаёт цвет для предупреждении о низком Запасе Сил.", SI_LUIE_LAM_CT_COLOR_NOTIFICATION_ULTIMATE_TP = "Задаёт цвет для предупреждении о возможности применить свою абсолютную способность.", SI_LUIE_LAM_CT_COLOR_NOTIFICATION_POTION_TP = "Задаёт цвет для предупреждении о возможности повторно использовать зелье.", SI_LUIE_LAM_CT_FORMAT_DESCRIPTION = "Переменные формата:\n %t - Название способности, локализованное название\n %a - Значение\n %r - Тип силы, ресурса", SI_LUIE_LAM_CT_FORMAT_COMBAT_DAMAGE_TP = "Формат текста для цифр прямого урона.", SI_LUIE_LAM_CT_FORMAT_COMBAT_DAMAGE_CRITICAL_TP = "Формат текста для цифр прямого критического урона.", SI_LUIE_LAM_CT_FORMAT_COMBAT_HEALING_TP = "Формат текста для цифр прямого исцеления.", SI_LUIE_LAM_CT_FORMAT_COMBAT_HEALING_CRITICAL_TP = "Формат текста для цифр прямого критического исцеления.", SI_LUIE_LAM_CT_FORMAT_COMBAT_DOT_TP = "Формат текста для цифр DoT.", SI_LUIE_LAM_CT_FORMAT_COMBAT_DOT_CRITICAL_TP = "Формат текста для цифр критического DoT.", SI_LUIE_LAM_CT_FORMAT_COMBAT_HOT_TP = "Формат текста для цифр HoT.", SI_LUIE_LAM_CT_FORMAT_COMBAT_HOT_CRITICAL_TP = "Формат текста для цифр критического HoT.", SI_LUIE_LAM_CT_FORMAT_COMBAT_ENERGIZE_TP = "Формат текста для получения магии/запаса сил.", SI_LUIE_LAM_CT_FORMAT_COMBAT_ENERGIZE_ULTIMATE_TP = "Формат текста для получения очков абсолютной способности.", SI_LUIE_LAM_CT_FORMAT_COMBAT_DRAIN_TP = "Формат текста для потери магии/запаса сил.", SI_LUIE_LAM_CT_FORMAT_COMBAT_MISS_TP = "Формат текста для промахнувшихся атак.", SI_LUIE_LAM_CT_FORMAT_COMBAT_IMMUNE_TP = "Формат текста для атак, к которым иммун.", SI_LUIE_LAM_CT_FORMAT_COMBAT_PARRIED_TP = "Формат текста для парированных атак.", SI_LUIE_LAM_CT_FORMAT_COMBAT_REFLECTED_TP = "Формат текста для отражённых атак.", SI_LUIE_LAM_CT_FORMAT_COMBAT_DAMAGE_SHIELD_TP = "Формат текста для урона, поглощённого щитом.", SI_LUIE_LAM_CT_FORMAT_COMBAT_DODGED_TP = "Формат текста для атак, от которых увернулись.", SI_LUIE_LAM_CT_FORMAT_COMBAT_BLOCKED_TP = "Формат текста для заблокированных атак.", SI_LUIE_LAM_CT_FORMAT_COMBAT_INTERRUPTED_TP = "Формат текста для прерванных атак.", SI_LUIE_LAM_CT_FORMAT_COMBAT_DISORIENTED_TP = "Формат текста для оповещений о дезориентации.", SI_LUIE_LAM_CT_FORMAT_COMBAT_FEARED_TP = "Формат текста для оповещений о страхе.", SI_LUIE_LAM_CT_FORMAT_COMBAT_OFF_BALANCE_TP = "Формат текста для оповещений о выводе из равновесия.", SI_LUIE_LAM_CT_FORMAT_COMBAT_SILENCED_TP = "Формат текста для оповещений о безмолвии.", SI_LUIE_LAM_CT_FORMAT_COMBAT_STUNNED_TP = "Формат текста для оповещений об оглушении.", SI_LUIE_LAM_CT_FORMAT_POINTS_HEADER = "Очки", SI_LUIE_LAM_CT_FORMAT_NOTIFICATION_COMBAT_IN_TP = "Формат текста для оповещении о входе в бой.", SI_LUIE_LAM_CT_FORMAT_NOTIFICATION_COMBAT_OUT_TP = "Формат текста для оповещения о выходе из боя.", SI_LUIE_LAM_CT_FORMAT_NOTIFICATION_CLEANSE_TP = "Формат текста для предупреждения об очищении.", SI_LUIE_LAM_CT_FORMAT_NOTIFICATION_BLOCK_TP = "Формат текста для предупреждения о блоке.", SI_LUIE_LAM_CT_FORMAT_NOTIFICATION_BLOCK_S_TP = "Формат текста для предупреждения о блоке, когда противник окажется ошеломлён.", SI_LUIE_LAM_CT_FORMAT_NOTIFICATION_EXPLOIT_TP = "Формат текста для предупреждения о возможности воспользоваться.", SI_LUIE_LAM_CT_FORMAT_NOTIFICATION_INTERRUPT_TP = "Формат текста для предупреждения о прерывании.", SI_LUIE_LAM_CT_FORMAT_NOTIFICATION_UNMIT_TP = "Text format for alerts for abilities that can't be mitigated.", -- TODO: Translate SI_LUIE_LAM_CT_FORMAT_NOTIFICATION_DODGE_TP = "Формат текста для предупреждения о увороте.", SI_LUIE_LAM_CT_FORMAT_NOTIFICATION_AVOID_TP = "Формат текста для предупреждения, чтобы выйти из зоны.", SI_LUIE_LAM_CT_FORMAT_NOTIFICATION_EXECUTE_TP = "Формат текста для предупреждения о добивании.", SI_LUIE_LAM_CT_FORMAT_NOTIFICATION_POWER_TP = "Формат текста для предупреждения о важных баффах.", SI_LUIE_LAM_CT_FORMAT_NOTIFICATION_DESTROY_TP = "Формат текста для предупреждения о приоритетной цели.", SI_LUIE_LAM_CT_FORMAT_NOTIFICATION_SUMMON_TP = "Text format for summon alerts.", -- TODO: Translate SI_LUIE_LAM_CT_FORMAT_NOTIFICATION_ALLIANCE_TP = "Формат текста для оповещения о получении Очков Альянса.", SI_LUIE_LAM_CT_FORMAT_NOTIFICATION_EXPERIENCE_TP = "Формат текста для оповещения о получении Очков Опыта.", SI_LUIE_LAM_CT_FORMAT_NOTIFICATION_CHAMPION_TP = "Формат текста для оповещения о получении Очков Чемпиона.", SI_LUIE_LAM_CT_FORMAT_NOTIFICATION_RESOURCE_TP = "Формат текста для предупреждении о низком запасе ресурсов.", SI_LUIE_LAM_CT_FORMAT_NOTIFICATION_ULTIMATE_TP = "Формат текста для предупреждении о возможности применить свою абсолютную способность.", SI_LUIE_LAM_CT_FORMAT_NOTIFICATION_POTION_TP = "Формат текста для предупреждении о возможности повторно использовать зелье.", SI_LUIE_LAM_CT_ANIMATION_HEADER = "Настройки Анимации", SI_LUIE_LAM_CT_ANIMATION_TYPE = "Тип Анимации", SI_LUIE_LAM_CT_ANIMATION_TYPE_TP = "Выберите предпочитаемый тип анимации.", SI_LUIE_LAM_CT_ANIMATION_DIRECTION_OUT = "Направление Исходящих", SI_LUIE_LAM_CT_ANIMATION_DIRECTION_OUT_TP = "Задаёт направление движения текста для исходящих эффектов.", SI_LUIE_LAM_CT_ANIMATION_DIRECTION_IN = "Направление Входящих", SI_LUIE_LAM_CT_ANIMATION_DIRECTION_IN_TP = "Задаёт направление движения текста для входящих эффектов.", SI_LUIE_LAM_CT_ANIMATION_ICON_OUT = "Положение значка Исходящих", SI_LUIE_LAM_CT_ANIMATION_ICON_OUT_TP = "Задаёт положение значка в тексте для исходящих событий.", SI_LUIE_LAM_CT_ANIMATION_ICON_IN = "Положение значка Входящих", SI_LUIE_LAM_CT_ANIMATION_ICON_IN_TP = "Задаёт положение значка в тексте для входящих событий.", SI_LUIE_LAM_CT_ANIMATION_TEST = "Проверка Анимации", SI_LUIE_LAM_CT_ANIMATION_TEST_TP = "Запускает проверку анимации текста входящих и исходящих эффектов.", SI_LUIE_LAM_CT_THROTTLE_HEADER = "Настройки суммирования", SI_LUIE_LAM_CT_THROTTLE_DESCRIPTION = "Суммирует множество ударов в один. Используйте ползунок, чтобы задать временной период для суммирования в миллисекундах. Критические удары не суммируются, если не включена соответствующая настройка ниже.", SI_LUIE_LAM_CT_THROTTLE_DAMAGE_TP = "Задаёт период времени в мс для суммирование цифр урона.\nПо умолчанию: 200 мс", SI_LUIE_LAM_CT_THROTTLE_HEALING_TP = "Задаёт период времени в мс для суммирование цифр исцеления.\nПо умолчанию: 200 мс", SI_LUIE_LAM_CT_THROTTLE_DOT_TP = "Задаёт период времени в мс для суммирование цифр урона DoT.\nПо умолчанию: 200 мс", SI_LUIE_LAM_CT_THROTTLE_HOT_TP = "Задаёт период времени в мс для суммирование цифр исцеления HoT.\nПо умолчанию: 200 мс", SI_LUIE_LAM_CT_THROTTLE_CRITICAL = "Суммировать Крит.удары", SI_LUIE_LAM_CT_THROTTLE_CRITICAL_TP = "Включает суммирование критических ударов.", SI_LUIE_LAM_CT_THROTTLE_TRAILER = "Показать число сложений", SI_LUIE_LAM_CT_THROTTLE_TRAILER_TP = "Включает отображение числа сумм, из которых сложен урон.", SI_LUIE_LAM_CT_DEATH_HEADER = "Смерть членов группы", SI_LUIE_LAM_CT_DEATH_NOTIFICATION = "Показывать смерти членов группы", SI_LUIE_LAM_CT_DEATH_NOTIFICATION_TP = "Показывает предупреждение, когда член вашей группы или рейда погибает.", SI_LUIE_LAM_CT_DEATH_FORMAT_TP = "Формат текста предупреждения о смерти.", SI_LUIE_LAM_CT_DEATH_FONT_SIZE_TP = "Размер шрифта сообщения о смерти.\nПо умолчанию: 32", SI_LUIE_LAM_CT_DEATH_COLOR_TP = "Цвет предупреждения о смерти члена группы.", ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------ ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------ -- SKILL NAMES AND TOOLTIPS ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------ ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------ ---------------------------------------------------------------- -- INNATE SKILLS ----------------------------------------------- ---------------------------------------------------------------- -- Mundus Stones SI_LUIE_SKILL_MUNDUS_BASIC_LADY = "Повышает ваши магическую и физическую сопротивляемости на |cFFFFFF2752|r.", SI_LUIE_SKILL_MUNDUS_BASIC_LOVER = "Повышает ваши магическую и физическую проникновение на |cFFFFFF2752|r.", SI_LUIE_SKILL_MUNDUS_BASIC_LORD = "Повышает ваш макс.запас Здоровья на |cFFFFFF2230|r.", SI_LUIE_SKILL_MUNDUS_BASIC_MAGE = "Повышает ваш макс.запас Магии на |cFFFFFF2028|r.", SI_LUIE_SKILL_MUNDUS_BASIC_TOWER = "Повышает ваш макс. Запас сил на |cFFFFFF2028|r.", SI_LUIE_SKILL_MUNDUS_BASIC_ATRONACH = "Повышает ваше восстановление Магии на |cFFFFFF238|r.", SI_LUIE_SKILL_MUNDUS_BASIC_SERPENT = "Повышает ваше восстановление Запаса сил на |cFFFFFF238|r.", SI_LUIE_SKILL_MUNDUS_BASIC_SHADOW = "Повышает ваш критический урон на |cFFFFFF9|r%.", SI_LUIE_SKILL_MUNDUS_BASIC_RITUAL = "Повышает наносимое вами исцеление на |cFFFFFF10|r%.", SI_LUIE_SKILL_MUNDUS_BASIC_THIEF = "Повышает ваш рейтинг критического удара Оружием и Заклинаниями на |cFFFFFF1533|r.", SI_LUIE_SKILL_MUNDUS_BASIC_WARRIOR = "Повышает ваш урон от Оружия на |cFFFFFF238|r.", SI_LUIE_SKILL_MUNDUS_BASIC_APPRENTICE = "Повышает ваш урон от Заклинаний на |cFFFFFF238|r.", SI_LUIE_SKILL_MUNDUS_BASIC_STEED = "Повышает вашу скорость передвижения на |cFFFFFF10|r% и восстановление Здоровья на |cFFFFFF238|r.", -- Player Innate SI_LUIE_SKILL_RECALL_PENALTY = "Штраф перемещения", SI_LUIE_SKILL_MOUNTED = "Верхом", SI_LUIE_SKILL_RESURRECTION_IMMUNITY = "Иммун воскрешения", SI_LUIE_SKILL_SOUL_GEM_RESURRECTION = "Воскрешение камнем душ", SI_LUIE_SKILL_STEALTH_STUN = "Стан из невидимости", SI_LUIE_SKILL_FALL_DAMAGE = "Урон от падения", SI_LUIE_SKILL_ABSORBING_SKYSHARD = "Поглощение небесного осколка", SI_LUIE_SKILL_RECEIVING_BOON = "Получение бонуса Мундуса", SI_LUIE_SKILL_MOUNT_SPRINT = "Галоп", SI_LUIE_SKILL_BLOCK_STUN = "Стан от блока", SI_LUIE_SKILL_AYLEID_WELL = "Айлейдский колодец", SI_LUIE_SKILL_AYLEID_WELL_TP = "Повышение здоровья на |cFFFFFF10|r% в течение |cFFFFFF10|r минут.", SI_LUIE_SKILL_AYLEID_WELL_FORTIFIED = "Усиленный Айлейдский колодец", SI_LUIE_SKILL_AYLEID_WELL_FORTIFIED_TP = "Повышение здоровья на |cFFFFFF10|r% в течение |cFFFFFF30|r минут.", SI_LUIE_SKILL_IMMOBILIZE_IMMUNITY_TP = "Иммунитет к замедляющим и обездвиживающим эффектам на |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_DODGE_FATIGUE_TP = "Повторный уворот будет расходовать больше Запаса сил в течение следующих |cFFFFFF<<1>>|r <<1[секунду/секунд]>>.", -- TODO: Translate - capitalize Stamina in here if not. SI_LUIE_SKILL_HIDDEN_TP = "Крадётесь и сокрыты от чужих глаз.\n\nРасходуется Запас сил при движении.", SI_LUIE_SKILL_INVISIBLE_TP = "Сокрыты от чужих глаз магией или окружающей средой.", SI_LUIE_SKILL_SPRINT_TP = "Спринт, скорость передвижения увеличена на |cFFFFFF40|r%.\n\nРасходуется Запас сил при движении.", SI_LUIE_SKILL_GALLOP_TP = "Галоп, скорость передвижения увеличена на |cFFFFFF30|r%.\n\nРасходуется Запас сил ездового животного при движении.", SI_LUIE_SKILL_BLOCK_TP = "Блокируется атака, получаемый урон снижен и действует иммунитет к оглушающим и отбрасывающим эффектам .", SI_LUIE_SKILL_RESURRECTION_IMMUNITY_TP = "Reviving. Immune to damage and all negative effects.", -- TODO: Translate SI_LUIE_SKILL_TAUNT_TP = "Спровоцирован. Этот противник фокусирует все атаки на вас.", SI_LUIE_SKILL_DISGUISE_TP = "Маскировка. Вы можете быть обнаружены часовыми или выполняя подозрительную деятельность.\n\nПолучение урона снимет вашу маскировку.", SI_LUIE_SKILL_BATTLE_SPIRIT_TP = "• Здоровье увеличено на |cFFFFFF5000|r\n• Получаемый урон, исцеление и щиты от урона уменьшены на |cFFFFFF50|r%\n• Дальность действия способностей действующих на расстоянии |cFFFFFF28|r метров и более увеличена на |cFFFFFF8|r", SI_LUIE_SKILL_RECALL_PENALTY_TP = "Вы недавно пользовались перемещением к дорожному святилищу и должно заплатить дополнительное золото, чтобы воспользоваться им вновь.", SI_LUIE_SKILL_BATTLEGROUND_DESERTER_TP = "You left a Battleground match early and cannot queue again or earn Alliance points from any PvP sources.", -- TODO: Translate ---------------------------------------------------------------- -- ITEM / CONSUMABLE TOOLTIPS ---------------------------------- ---------------------------------------------------------------- -- Glyphs SI_LUIE_SKILL_GLYPH_CRUSHING = "Crushing (Зачарование)", SI_LUIE_SKILL_GLYPH_DECREASE_HEALTH = "Снижение здоровья", SI_LUIE_SKILL_GLYPH_HARDENING = "Hardening (Зачарование)", SI_LUIE_SKILL_GLYPH_WEAKENING = "Weakening (Зачарование)", SI_LUIE_SKILL_GLYPH_WEAPON_DAMAGE = "Урон от оружия (Зачарование)", SI_LUIE_SKILL_GLYPH_CRUSHING_TP = "Reduce Physical and Spell Resistance for |cFFFFFF5|r seconds.", -- TODO: Translate this block SI_LUIE_SKILL_GLYPH_HARDENING_TP = "Absorbing damage for |cFFFFFF7|r seconds.", SI_LUIE_SKILL_GLYPH_WEAKENING_TP = "Reduce Weapon and Spell Damage for |cFFFFFF5|r seconds.", SI_LUIE_SKILL_GLYPH_WEAPON_DAMAGE_TP = "Increase Weapon and Spell Damage for |cFFFFFF5|r seconds.", -- TODO: Translate this block -- Crafting Station Creation SI_LUIE_SKILL_CRAFTING_STATION_JEWELRY = "Настройка Ювелирной станции", SI_LUIE_SKILL_CRAFTING_STATION_BLACKSMITH = "Настройка Кузницы", SI_LUIE_SKILL_CRAFTING_STATION_CLOTHING = "Настройка Портняжного станка", SI_LUIE_SKILL_CRAFTING_STATION_WOODWORK = "Настройка Столярного верстака", -- Consumable / Food / Drink SI_LUIE_SKILL_POISON_STEALTH_DRAIN = "Яд скрытности", SI_LUIE_SKILL_POISON_CONSPICUOUS = "Яд обнаружения", SI_LUIE_SKILL_DRINK_INCREASE = "Повышение", SI_LUIE_SKILL_REMOVE_TOOLTIP_SCALED_LEVEL = "Сила эффектов зависит от вашего уровня.", -- Note this needs to be an exact match to the description in Crown Crate food/drink items for it to be correctly removed in each localization. SI_LUIE_SKILL_REMOVE_TOOLTIP_DOUBLE_BLOODY_MARA = "Если вы вампир, кровь, входящая в состав этого напитка, постепенно утоляет ваш голод.\nСила эффектов зависит от вашего уровня.", -- Must be exact match in each localization SI_LUIE_SKILL_REMOVE_TOOLTIP_HISSMIR = "Этот напиток также дает вам понимание того, какая рыба водится в различных водоемах, и наделяет особым вниманием к местам рыбной ловли поблизости.\nСила эффектов зависит от вашего уровня.", -- Must be exact match in each localization SI_LUIE_SKILL_ADD_TOOLTIP_HISSMIR = "\n\nЭтот напиток также дает вам понимание того, какая рыба водится в различных водоемах, и наделяет особым вниманием к местам рыбной ловли поблизости.", SI_LUIE_SKILL_ESO_PLUS_TP = "Увеличивает получаемые Опыт, Золото и Вдохновение на |cffffff10|r%. Увеличивает скорость исследования особенностей на |cffffff10|r%.", -- Collectible SI_LUIE_SKILL_COLLECTIBLE_MYSTERY_MEAT = "Mystery Meat", -- Experience SI_LUIE_SKILL_EXPERIENCE_HALF_HOUR_TP = "Увеличивает получаемый опыт на |cffffff<<1>>|r% в течение |cffffff30|r минут.", SI_LUIE_SKILL_EXPERIENCE_HOUR_TP = "Увеличивает получаемый опыт на |cffffff<<1>>|r% в течение |cffffff<<2>>|r <<2[часа/часов]>>.", SI_LUIE_SKILL_EXPERIENCE_PELINAL = "Увеличивает получаемые Очки Альянса и опыт, получаемый за убийство игроков на |cffffff100|r% в течение |cffffff<<1>>|r <<1[часа/часов]>>.", -- Misc SI_LUIE_SKILL_FILLET_FISH = "Чистка рыбы", SI_LUIE_SKILL_COUNTERFEIT_PARDON_EDICT = "Поддельный указ о помиловании", SI_LUIE_SKILL_LENIENCY_EDICT = "Указ о смягчении наказания", SI_LUIE_SKILL_GRAND_AMNESTY_EDICT = "Указ о большой амнистии", SI_LUIE_SKILL_REVELRY_PIE_TP = "Covered in pie! Delicious!.", -- TODO: Translate ---------------------------------------------------------------- -- EVENT TOOLTIPS ---------------------------------------------- ---------------------------------------------------------------- SI_LUIE_SKILL_EVENT_FREEZING = "Вы замерзаете и скорость вашего передвижения замедлена. Найдите костёр, чтобы согреться.", SI_LUIE_SKILL_EVENT_WARM = "Вы прижимаетесь к ближайшему костру, чтобы согреться. Время замерзания сокращается на |cffffff10|r секунд каждую |cffffff1|r секунду.", SI_LUIE_SKILL_EVENT_FESTIVAL_GROG = "You are feeling a bit... disoriented.", -- TODO: Translate SI_LUIE_SKILL_EVENT_FESTIVAL_MINTS = "Вы ОЧЕНЬ замерзли.", ---------------------------------------------------------------- -- MAJOR / MINOR EFFECTS --------------------------------------- ---------------------------------------------------------------- -- Major / Minor Buffs SI_LUIE_SKILL_MINOR_RESOLVE_TP = "Повышает физическую сопротивляемость на |cffffff1320|r.", SI_LUIE_SKILL_MAJOR_RESOLVE_TP = "Повышает физическую сопротивляемость на |cffffff5280|r.", SI_LUIE_SKILL_MINOR_WARD_TP = "Повышает магическую сопротивляемость на |cffffff1320|r.", SI_LUIE_SKILL_MAJOR_WARD_TP = "Повышает магическую сопротивляемость на |cffffff5280|r.", SI_LUIE_SKILL_MINOR_FORTITUDE_TP = "Повышает восстановление здоровья на |cffffff10|r%.", SI_LUIE_SKILL_MAJOR_FORTITUDE_TP = "Повышает восстановление здоровья на |cffffff20|r%.", SI_LUIE_SKILL_MINOR_ENDURANCE_TP = "Повышает восстановление запаса сил на |cffffff10|r%.", SI_LUIE_SKILL_MAJOR_ENDURANCE_TP = "Повышает восстановление запаса сил на |cffffff20|r%.", SI_LUIE_SKILL_MINOR_INTELLECT_TP = "Повышает восстановление магии на |cffffff10|r%.", SI_LUIE_SKILL_MAJOR_INTELLECT_TP = "Повышает восстановление магии на |cffffff20|r%.", SI_LUIE_SKILL_MINOR_SORCERY_TP = "Повышает урон от заклинаний на |cffffff10|r%.", SI_LUIE_SKILL_MAJOR_SORCERY_TP = "Повышает урон от заклинаний на |cffffff20|r%.", SI_LUIE_SKILL_MINOR_PROPHECY_TP = "Повышает рейтинг критического удара заклинаниями на |cffffff1320|r.", SI_LUIE_SKILL_MAJOR_PROPHECY_TP = "Повышает рейтинг критического удара заклинаниями на |cffffff2191|r.", SI_LUIE_SKILL_MINOR_BRUTALITY_TP = "Повышает урон от оружия на |cffffff10|r%.", SI_LUIE_SKILL_MAJOR_BRUTALITY_TP = "Повышает урон от оружия на |cffffff20|r%.", SI_LUIE_SKILL_MINOR_SAVAGERY_TP = "Повышает рейтинг критического удара оружием на |cffffff1320|r.", SI_LUIE_SKILL_MAJOR_SAVAGERY_TP = "Повышает рейтинг критического удара оружием на |cffffff2191|r.", SI_LUIE_SKILL_MINOR_BERSERK_TP = "Повышает наносимый урон на |cffffff8|r%.", SI_LUIE_SKILL_MAJOR_BERSERK_TP = "Повышает наносимый урон на |cffffff25|r%.", SI_LUIE_SKILL_MINOR_FORCE_TP = "Повышает критический урон на |cffffff10|r%.", SI_LUIE_SKILL_MAJOR_FORCE_TP = "Повышает критический урон на |cffffff15|r%.", SI_LUIE_SKILL_MINOR_VITALITY_TP = "Повышает получаемое исцеление на |cffffff8|r%.", SI_LUIE_SKILL_MAJOR_VITALITY_TP = "Повышает получаемое исцеление на |cffffff30|r%.", SI_LUIE_SKILL_MINOR_MENDING_TP = "Повышает наносимое исцеление на |cffffff8|r%.", SI_LUIE_SKILL_MAJOR_MENDING_TP = "Повышает наносимое исцеление на |cffffff25|r%.", SI_LUIE_SKILL_MINOR_PROTECTION_TP = "Снижает получаемый урон на |cffffff8|r%.", SI_LUIE_SKILL_MAJOR_PROTECTION_TP = "Снижает получаемый урон на |cffffff30|r%.", SI_LUIE_SKILL_MINOR_EVASION_TP = "Снижает получаемый урон от атак по площади на |cffffff10|r%.", SI_LUIE_SKILL_MAJOR_EVASION_TP = "Снижает получаемый урон от атак по площади на |cffffff25|r%.", SI_LUIE_SKILL_MINOR_EXPEDITION_TP = "Повышает скорость передвижения на |cffffff10|r%.", SI_LUIE_SKILL_MAJOR_EXPEDITION_TP = "Повышает скорость передвижения на |cffffff30|r%.", SI_LUIE_SKILL_MAJOR_GALLOP_TP = "Повышает скорость передвижения верхом на |cffffff30|r%.", SI_LUIE_SKILL_MINOR_HEROISM_TP = "Даёт |cffffff1|r очков ульты каждые |cffffff1.5|r секунды.", SI_LUIE_SKILL_MAJOR_HEROISM_TP = "Даёт |cffffff3|r очков ульты каждые |cffffff1.5|r секунды.", SI_LUIE_SKILL_MINOR_TOUGHNESS_TP = "Повышает здоровье на |cffffff10|r%.", SI_LUIE_SKILL_MAJOR_COURAGE_TP = "Повышает урон от оружия и заклинаний на |cffffff258|r.", -- Major / Minor Debuffs SI_LUIE_SKILL_MINOR_BREACH_TP = "Снижает магическую сопротивляемость на |cffffff1320|r.", SI_LUIE_SKILL_MAJOR_BREACH_TP = "Снижает магическую сопротивляемость на |cffffff5280|r.", SI_LUIE_SKILL_MINOR_FRACTURE_TP = "Снижает физическую сопротивляемость на |cffffff1320|r.", SI_LUIE_SKILL_MAJOR_FRACTURE_TP = "Снижает физическую сопротивляемость на |cffffff5280|r.", SI_LUIE_SKILL_MAJOR_FRACTURE_NPC_TP = "Снижает физическую сопротивляемость на |cffffff4000|r.", SI_LUIE_SKILL_MINOR_VULNERABILITY_TP = "Увеличивает получаемый урон на |cffffff8|r%.", SI_LUIE_SKILL_MINOR_MAIM_TP = "Снижает наносимый урон на |cffffff15|r%.", SI_LUIE_SKILL_MAJOR_MAIM_TP = "Снижает наносимый урон на |cffffff30|r%.", SI_LUIE_SKILL_MINOR_DEFILE_TP = "Снижает получаемое исцеление и восстановление здоровья на |cffffff15|r%.", SI_LUIE_SKILL_MAJOR_DEFILE_TP = "Снижает получаемое исцеление и восстановление здоровья на |cffffff30|r%.", SI_LUIE_SKILL_MINOR_MAGICKASTEAL_TP = "Восстанавливает |cffffff300|r магии каждую |cffffff1|r секунду, при получении урона.", SI_LUIE_SKILL_MINOR_LIFESTEAL_TP = "Восстанавливает |cffffff600|r здоровья каждую |cffffff1|r секунду, при получении урона.", SI_LUIE_SKILL_MINOR_ENERVATION_TP = "Снижает критический урон на |cffffff10|r%.", SI_LUIE_SKILL_MINOR_UNCERTAINTY_TP = "Снижает рейтинг критического удара оружием и заклинаниями на |cffffff657|r.", SI_LUIE_SKILL_MINOR_COWARDICE_TP = "Увеличивает стоимость абсолютной способности на |cffffff60|r%.", SI_LUIE_SKILL_MINOR_MANGLE_TP = "Снижает макс. здоровье на |cffffff10|r%.", SI_LUIE_SKILL_HINDRANCE_TP = "Снижает скорость передвижения на |cffffff40|r%.", -- Slayer / Aegis SI_LUIE_SKILL_MINOR_SLAYER_TP = "Ваши атаки наносят на |cffffff5|r% больше урона по противникам в Подземельях, Испытаниях и на Аренах.", SI_LUIE_SKILL_MAJOR_SLAYER_TP = "Ваши атаки наносят на |cffffff15|r% больше урона по противникам в Подземельях, Испытаниях и на Аренах.", SI_LUIE_SKILL_MINOR_AEGIS_TP = "Вы получаете на |cffffff5|r% меньше урона от противников в Подземельях, Испытаниях и на Аренах.", SI_LUIE_SKILL_MAJOR_AEGIS_TP = "Вы получаете на |cffffff15|r% меньше урона от противников в Подземельях, Испытаниях и на Аренах.", -- Empower SI_LUIE_SKILL_EMPOWER_TP = "Увеличивает урон от вашей следующей обычной атаки на |cffffff40|r%.", ---------------------------------------------------------------- -- CHAMPION POINT SKILLS --------------------------------------- ---------------------------------------------------------------- SI_LUIE_SKILL_PHASE_TP = "Повышает Физическую и Магическую сопротивляемости на |cFFFFFF660|r в течение |cFFFFFF3|r секунд.", SI_LUIE_SKILL_UNCHAINED_TP = "Снижает расход Запаса сил на вашу следующую способность, применённую в течение |cFFFFFF5|r секунд на |cFFFFFF80|r%.", SI_LUIE_SKILL_FORESIGHT_TP = "Снижает расход Магии на вашу следующую способность, применённую в течение |cFFFFFF7|r секунд на |cFFFFFF80|r%.", SI_LUIE_SKILL_RETALIATION_TP = "Ваша следующая Обычная атака, проведённая в течение |cFFFFFF7|r секунд наносит |cFFFFFF30|r% дополнительного урона.", SI_LUIE_SKILL_OPPORTUNIST_TP = "Ваша следующая способность, наносящая Физический урон, применённая в течение |cFFFFFF7|r секунд наносит |cFFFFFF15|r% дополнительного урона.", SI_LUIE_SKILL_SIPHONER_TP = "Снижает Здоровье, Магию и Запас сил, а также их восстановление на |cFFFFFF3|r секунд.", SI_LUIE_SKILL_VENGEANCE_TP = "Ваша следующая способность, расходующая магию, применённая в течение |cFFFFFF5|r секунд обязательно нанесёт Критический удар.", SI_LUIE_SKILL_VENGEANCE_CHARGE = "Месть", ---------------------------------------------------------------- -- GENERIC / SHARED TOOLTIPS ----------------------------------- ---------------------------------------------------------------- -- Test Effect SI_LUIE_SKILL_TEST_TP = "Это тестовый эффект.", -- Damage over Time SI_LUIE_SKILL_GENERIC_BLEED_TP = "Подвержен урону от Кровотечения на |cFFFFFF<<1>>|r секунд.", -- TODO: Translate remaining strings in this block. Switch the "seconds" on the END only to <<1[second/seconds]>> unless in Russian it doesn't need to be singular/plural. SI_LUIE_SKILL_GENERIC_BLEED_0_2_SEC_TP = "Afflicted with Bleeding Damage every |cFFFFFF0.2|r seconds for |cFFFFFF<<1>>|r <<1[second/seconds]>>.", SI_LUIE_SKILL_GENERIC_BLEED_0_5_SEC_TP = "Подвержен урону от Кровотечения каждые |cFFFFFF0.5|r секунды в течение |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_GENERIC_BLEED_1_SEC_TP = "Afflicted with Bleeding Damage every |cFFFFFF1|r second for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_GENERIC_BLEED_2_SEC_TP = "Подвержен урону от Кровотечения каждые |cFFFFFF2|r секунды в течение |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_GENERIC_DISEASE_TP = "Подвержен урону от Болезни на |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_GENERIC_DISEASE_2_SEC_TP = "Afflicted with Disease Damage every |cFFFFFF2|r seconds for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_GENERIC_POISON_TP = "Подвержен урону от Яда на |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_GENERIC_POISON_0_5_SEC_TP = "Afflicted with Poison Damage every |cFFFFFF0.5|r seconds for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_GENERIC_POISON_1_SEC_TP = "Afflicted with Poison Damage every |cFFFFFF1|r second for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_GENERIC_POISON_1_5_SEC_TP = "Подвержен урону от Болезни каждые |cFFFFFF1.5|r секунды в течение |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_GENERIC_POISON_2_SEC_TP = "Подвержен урону от Болезни каждые |cFFFFFF2|r секунды в течение |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_GENERIC_BURN_TP = "Подвержен урону от Огня на |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_GENERIC_BURN_1_SEC_TP = "Afflicted with Flame Damage every |cFFFFFF1|r second for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_GENERIC_BURN_1_5_SEC_TP = "Afflicted with Flame Damage every |cFFFFFF1.5|r seconds for |cFFFFFF<<1>>|r <<1[second/seconds]>>.", SI_LUIE_SKILL_GENERIC_BURN_2_SEC_TP = "Подвержен урону от Огня каждые |cFFFFFF2|r секунды в течение |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_GENERIC_FREEZE_TP = "Подвержен урону от Мороза на |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_GENERIC_FREEZE_1_SEC_TP = "Afflicted with Frost Damage every |cFFFFFF1|r second for |cFFFFFF<<1>>|r <<1[second/seconds]>>.", SI_LUIE_SKILL_GENERIC_FREEZE_2_SEC_TP = "Afflicted with Frost Damage every |cFFFFFF2|r seconds for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_GENERIC_SHOCK_TP = "Подвержен урону от Электричества на |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_GENERIC_SHOCK_1_SEC_TP = "Afflicted with Shock Damage every |cFFFFFF1|r second for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_GENERIC_SHOCK_2_SEC_TP = "Afflicted with Shock Damage every |cFFFFFF2|r seconds for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_GENERIC_OBLIVION_TP = "Подвержен урону Обливиона на |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_GENERIC_OBLIVION_1_SEC_TP = "Afflicted with Oblivion Damage every |cFFFFFF1|r second for |cFFFFFF<<1>>|r <<1[second/seconds]>>.", SI_LUIE_SKILL_GENERIC_MAGIC_TP = "Подвержен Магическому урону на |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_GENERIC_MAGIC_1_SEC_TP = "Afflicted with Magic Damage every |cFFFFFF1|r second for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_GENERIC_MAGIC_2_SEC_TP = "Подвержен Магическому урону каждые |cFFFFFF2|r секунды в течение |cFFFFFF<<1>>|r секунд.", -- TODO: End - Translate this Block -- Ground over Time SI_LUIE_SKILL_GENERIC_AOE_PHYSICAL_0_5_SEC = "Taking Physical Damage every |cFFFFFF0.5|r seconds.", -- TODO: Translate this Block SI_LUIE_SKILL_GENERIC_AOE_PHYSICAL_1_SEC = "Taking Physical Damage every |cFFFFFF1|r second.", SI_LUIE_SKILL_GENERIC_AOE_POISON_0_5_SEC = "Taking Poison Damage every |cFFFFFF0.5|r seconds.", SI_LUIE_SKILL_GENERIC_AOE_POISON_0_66_SEC = "Taking Poison Damage every |cFFFFFF0.7|r seconds.", SI_LUIE_SKILL_GENERIC_AOE_POISON_1_SEC = "Taking Poison Damage every |cFFFFFF1|r second.", SI_LUIE_SKILL_GENERIC_AOE_DISEASE_0_5_SEC = "Taking Disease Damage every |cFFFFFF0.5|r seconds.", SI_LUIE_SKILL_GENERIC_AOE_DISEASE_1_SEC = "Taking Disease Damage every |cFFFFFF1|r second.", SI_LUIE_SKILL_GENERIC_AOE_FIRE_0_5_SEC = "Taking Flame Damage every |cFFFFFF0.5|r seconds.", SI_LUIE_SKILL_GENERIC_AOE_FIRE_0_66_SEC = "Taking Flame Damage every |cFFFFFF0.7|r seconds.", SI_LUIE_SKILL_GENERIC_AOE_FIRE_0_9_SEC = "Taking Flame Damage every |cFFFFFF0.9|r seconds.", SI_LUIE_SKILL_GENERIC_AOE_FIRE_1_SEC = "Taking Flame Damage every |cFFFFFF1|r second.", SI_LUIE_SKILL_GENERIC_AOE_FIRE_1_5_SEC = "Taking Flame Damage every |cFFFFFF1.5|r seconds.", SI_LUIE_SKILL_GENERIC_AOE_FROST_0_5_SEC = "Taking Frost Damage every |cFFFFFF0.5|r seconds.", SI_LUIE_SKILL_GENERIC_AOE_FROST_1_SEC = "Taking Frost Damage every |cFFFFFF1|r second.", SI_LUIE_SKILL_GENERIC_AOE_SHOCK_0_5_SEC = "Taking Shock Damage every |cFFFFFF0.5|r seconds.", SI_LUIE_SKILL_GENERIC_AOE_SHOCK_0_7_SEC = "Taking Shock Damage every |cFFFFFF0.75|r seconds.", SI_LUIE_SKILL_GENERIC_AOE_SHOCK_1_SEC = "Taking Shock Damage every |cFFFFFF1|r second.", SI_LUIE_SKILL_GENERIC_AOE_MAGIC_0_5_SEC = "Taking Magic Damage every |cFFFFFF0.5|r seconds.", SI_LUIE_SKILL_GENERIC_AOE_MAGIC_0_66_SEC = "Taking Magic Damage every |cFFFFFF0.7|r seconds.", SI_LUIE_SKILL_GENERIC_AOE_MAGIC_1_SEC = "Taking Magic Damage every |cFFFFFF1|r second.", SI_LUIE_SKILL_GENERIC_AOE_MAGIC_1_5_SEC = "Taking Magic Damage every |cFFFFFF1.5|r seconds.", SI_LUIE_SKILL_GENERIC_AOE_MAGIC_2_SEC = "Taking Magic Damage every |cFFFFFF2|r seconds.", SI_LUIE_SKILL_GENERIC_AOE_HEAL_1_SEC = "Healing every |cFFFFFF1|r second.", SI_LUIE_SKILL_GENERIC_AOE_HEAL_2_SEC = "Healing every |cFFFFFF2|r seconds.", SI_LUIE_SKILL_GENERIC_AOE_HEAL_0_5_SEC = "Healing every |cFFFFFF0.5|r seconds.", -- TODO: End - Translate this Block -- Heal over Time, Resource Regeneration, Shields -- SI_LUIE_SKILL_GENERIC_HOT_TP = "Healing over time for |cFFFFFF<<1>>|r seconds.", -- TODO: Translate remaining strings in this block. Switch the "seconds" on the END only to <<1[second/seconds]>> unless in Russian it doesn't need to be singular/plural. SI_LUIE_SKILL_GENERIC_HEALTH_RECOVERY_TP = "Increase Health Recovery for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_GENERIC_HOT_TIME_05SEC_TP = "Исцеление каждые |cFFFFFF0.5|r секунды в течение |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_GENERIC_HOT_TIME_1SEC_TP = "Исцеление каждую|cFFFFFF1|r секунду в течение |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_GENERIC_HOT_TIME_1_5_SEC_TP = "Исцеление каждые |cFFFFFF1.5|r секунды в течение |cFFFFFF<<1>>|r секунд.",-- TODO: Check Translation SI_LUIE_SKILL_GENERIC_HOT_TIME_08SEC_TP = "Исцеление каждые |cFFFFFF0.8|r секунды в течение |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_GENERIC_HOT_TIME_2SEC_TP = "Исцеление каждые |cFFFFFF2|r секунды в течение |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_GENERIC_MGK_REGEN_TP = "Восстанавливает Магию каждую |cFFFFFF1|r секунду в течение |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_GENERIC_MGK_REGEN_2_SEC_TP = "Восстанавливает Магию каждые |cFFFFFF2|r секунды в течение |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_GENERIC_STAM_REGEN_TP = "Восстанавливает Запас сил каждую |cFFFFFF1|r секунду в течение |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_GENERIC_DAMAGE_SHIELD_NO_DUR_TP = "Поглощение урона.", SI_LUIE_SKILL_GENERIC_DAMAGE_SHIELD_TP = "Поглощение урона в течение |cFFFFFF<<1>>|r секунд.", -- TODO: End - Translate this Block -- Stealth / Detection SI_LUIE_SKILL_GENERIC_MARKED_TP = "Помечен на |cFFFFFF<<1>>|r секунд. Вы видны для противника, который пометил вас, даже если уходите в скрытность.", SI_LUIE_SKILL_GENERIC_REVEAL_TP = "Обнаружен на |cFFFFFF<<1>>|r секунд. Вы не можете уйти в невидимость.", SI_LUIE_SKILL_GENERIC_REVEAL_NO_DUR_TP = "Revealed. You are unable to stealth.", -- TODO: Translate SI_LUIE_SKILL_GENERIC_INVISIBILITY_TP = "Невидим на |cFFFFFF<<1>>|r секунд. Вы сокрыты от чужих глаз.", SI_LUIE_SKILL_GENERIC_DETECTION_POTION_TP = "Stealth Detection increased by |cffffff20|r meters for |cFFFFFF<<1>>|r seconds.", -- TODO: Translate SI_LUIE_SKILL_GENERIC_DETECTION_NPC_TP = "Revealing nearby stealthed and invisible enemies.", -- TODO: Translate -- Crowd Control / Immunity SI_LUIE_SKILL_GENERIC_OFF_BALANCE_IMMUNITY_TP = "Иммунитет к эффектам, которые выводят из равновесия и делают уязвимым.", SI_LUIE_SKILL_GENERIC_OFF_BALANCE_TP = "Off Balance for |cFFFFFF<<1>>|r <<1[second/seconds]>>.", -- TODO: Translate this Block SI_LUIE_SKILL_GENERIC_SNARE_TP = "Movement Speed reduced for |cFFFFFF<<1>>|r <<1[second/seconds]>>.", SI_LUIE_SKILL_GENERIC_SNARE_NO_DUR_TP = "Movement Speed reduced.", SI_LUIE_SKILL_GENERIC_SNARE_15_TP = "Movement Speed reduced by |cFFFFFF15|r% for |cFFFFFF<<1>>|r <<1[second/seconds]>>.", SI_LUIE_SKILL_GENERIC_SNARE_15_NO_DURTP = "Movement Speed reduced by |cFFFFFF15|r%.", SI_LUIE_SKILL_GENERIC_SNARE_20_TP = "Movement Speed reduced by |cFFFFFF20|r% for |cFFFFFF<<1>>|r <<1[second/seconds]>>.", SI_LUIE_SKILL_GENERIC_SNARE_20_NO_DUR_TP = "Movement Speed reduced by |cFFFFFF20|r%.", SI_LUIE_SKILL_GENERIC_SNARE_25_TP = "Movement Speed reduced by |cFFFFFF25|r% for |cFFFFFF<<1>>|r <<1[second/seconds]>>.", SI_LUIE_SKILL_GENERIC_SNARE_25_NO_DUR_TP = "Movement Speed reduced by |cFFFFFF25|r%.", SI_LUIE_SKILL_GENERIC_SNARE_30_TP = "Movement Speed reduced by |cFFFFFF30|r% for |cFFFFFF<<1>>|r <<1[second/seconds]>>.", SI_LUIE_SKILL_GENERIC_SNARE_30_NO_DUR_TP = "Movement Speed reduced by |cFFFFFF30|r%.", SI_LUIE_SKILL_GENERIC_SNARE_35_TP = "Movement Speed reduced by |cFFFFFF35|r% for |cFFFFFF<<1>>|r <<1[second/seconds]>>.", SI_LUIE_SKILL_GENERIC_SNARE_35_NO_DUR_TP = "Movement Speed reduced by |cFFFFFF35|r%.", SI_LUIE_SKILL_GENERIC_SNARE_40_TP = "Movement Speed reduced by |cFFFFFF40|r% for |cFFFFFF<<1>>|r <<1[second/seconds]>>.", SI_LUIE_SKILL_GENERIC_SNARE_40_NO_DUR_TP = "Movement Speed reduced by |cFFFFFF40|r%.", SI_LUIE_SKILL_GENERIC_SNARE_45_TP = "Movement Speed reduced by |cFFFFFF45|r% for |cFFFFFF<<1>>|r <<1[second/seconds]>>.", SI_LUIE_SKILL_GENERIC_SNARE_45_NO_DUR_TP = "Movement Speed reduced by |cFFFFFF45|r%.", SI_LUIE_SKILL_GENERIC_SNARE_50_TP = "Movement Speed reduced by |cFFFFFF50|r% for |cFFFFFF<<1>>|r <<1[second/seconds]>>.", SI_LUIE_SKILL_GENERIC_SNARE_50_NO_DUR_TP = "Movement Speed reduced by |cFFFFFF50|r%.", SI_LUIE_SKILL_GENERIC_SNARE_55_TP = "Movement Speed reduced by |cFFFFFF55|r% for |cFFFFFF<<1>>|r <<1[second/seconds]>>.", SI_LUIE_SKILL_GENERIC_SNARE_55_NO_DUR_TP = "Movement Speed reduced by |cFFFFFF55|r%.", SI_LUIE_SKILL_GENERIC_SNARE_60_TP = "Movement Speed reduced by |cFFFFFF60|r% for |cFFFFFF<<1>>|r <<1[second/seconds]>>.", SI_LUIE_SKILL_GENERIC_SNARE_60_NO_DUR_TP = "Movement Speed reduced by |cFFFFFF60|r%.", SI_LUIE_SKILL_GENERIC_SNARE_70_TP = "Movement Speed reduced by |cFFFFFF70|r% for |cFFFFFF<<1>>|r <<1[second/seconds]>>.", SI_LUIE_SKILL_GENERIC_SNARE_70_NO_DUR_TP = "Movement Speed reduced by |cFFFFFF70|r%.", SI_LUIE_SKILL_GENERIC_SNARE_75_TP = "Movement Speed reduced by |cFFFFFF75|r% for |cFFFFFF<<1>>|r <<1[second/seconds]>>.", SI_LUIE_SKILL_GENERIC_SNARE_75_NO_DUR_TP = "Movement Speed reduced by |cFFFFFF75|r%.", SI_LUIE_SKILL_GENERIC_SNARE_80_TP = "Movement Speed reduced by |cFFFFFF80|r% for |cFFFFFF<<1>>|r <<1[second/seconds]>>.", SI_LUIE_SKILL_GENERIC_SNARE_80_NO_DUR_TP = "Movement Speed reduced by |cFFFFFF80|r%.", SI_LUIE_SKILL_GENERIC_IMMOBILIZE_TP = "Immobilized for |cFFFFFF<<1>>|r <<1[second/seconds]>>.", SI_LUIE_SKILL_GENERIC_IMMOBILIZE_NO_DUR_TP = "Immobilized.", SI_LUIE_SKILL_GENERIC_STAGGER_TP = "Staggered.", SI_LUIE_SKILL_GENERIC_STUN_TP = "Stunned for |cFFFFFF<<1>>|r <<1[second/seconds]>>.", SI_LUIE_SKILL_GENERIC_STUN_NO_DUR_TP = "Stunned.", SI_LUIE_SKILL_GENERIC_LEVITATE_TP = "Levitated for |cFFFFFF<<1>>|r <<1[second/seconds]>>.", SI_LUIE_SKILL_GENERIC_KNOCKBACK_TP = "Knocked back for |cFFFFFF<<1>>|r <<1[second/seconds]>>.", SI_LUIE_SKILL_GENERIC_KNOCKDOWN_TP = "Knocked down for |cFFFFFF<<1>>|r <<1[second/seconds]>>.", SI_LUIE_SKILL_GENERIC_FEAR_TP = "Feared for |cFFFFFF<<1>>|r <<1[second/seconds]>>.", SI_LUIE_SKILL_GENERIC_FEAR_NO_DUR_TP = "Feared.", SI_LUIE_SKILL_GENERIC_SILENCE_TP = "Silenced for |cFFFFFF<<1>>|r <<1[second/seconds]>>.", SI_LUIE_SKILL_GENERIC_SILENCE_NO_DUR_TP = "Silenced.", -- TODO: END - Translate this Block SI_LUIE_SKILL_GENERIC_BLIND_TP = "Ослеплён на |cFFFFFF<<1>>|r секунд. |cffffff100|r% шанс пропустить все атаки.", SI_LUIE_SKILL_GENERIC_CC_IMMUNITY_TP = "Иммунитет к отбрасыванию и прочим ограничивающим эффектам на |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_GENERIC_SCARY_IMMUNITIES_TP = "Immune to all crowd control and movement impairing effects.", -- TODO: Translate SI_LUIE_SKILL_GENERIC_FLYING_IMMUNITIES_TP = "Immune to movement imparing effects.", -- TODO: Translate SI_LUIE_SKILL_SET_GENERIC_IMMUNITY_TP = "Immune to damage and all negative effects for |cffffff<<1>>|r <<1[second/seconds]>>.", -- TODO: Translate SI_LUIE_SKILL_GENERIC_DISORIENT_TP = "Disoriented for |cffffff<<1>>|r <<1[second/seconds]>>.", -- TODO: Translate -- Ravage Potions / Poisons SI_LUIE_SKILL_GENERIC_RAVAGE_MAGICKA_POTION_TP = "Увеличивает стоимость способностей, расходующих Магию на |cffffff60|r%.", SI_LUIE_SKILL_GENERIC_RAVAGE_STAMINA_POTION_TP = "Увеличивает стоимость способностей, расходующих Запас сил на |cffffff60|r%.", SI_LUIE_SKILL_GENERIC_RAVAGE_MAGICKA_POISON_TP = "Увеличивает стоимость способностей, расходующих Магию на |cffffff10|r%.", SI_LUIE_SKILL_GENERIC_RAVAGE_STAMINA_POISON_TP = "Увеличивает стоимость способностей, расходующих Запас сил на |cffffff10|r.%", -- Generic Stat Buffs SI_LUIE_SKILL_GENERIC_SPELL_DAMAGE_DURATION = "Увеличивает урон от заклинаний на |cffffff<<1>>|r секунд.", SI_LUIE_SKILL_SET_GENERIC_ARMOR_SPELL_RESIST = "Повышает Физическую и Магическую сопротивляемости на |cffffff<<1>>|r секунд.", SI_LUIE_SKILL_SET_GENERIC_WEP_SPELL_DAMAGE_TIME_TP = "Увеличивает урон от Оружия и Заклинаний на |cffffff<<1>>|r секунд.", SI_LUIE_SKILL_SET_GENERIC_WEP_DAMAGE_TIME_TP = "Увеличивает урон от Оружия на |cffffff<<1>>|r секунд.", SI_LUIE_SKILL_SET_GENERIC_SPELL_DAMAGE_TIME_TP = "Увеличивает урон от Заклинаний на |cffffff<<1>>|r секунд.", SI_LUIE_SKILL_SET_GENERIC_LA_HA_DAMAGE = "Ваши обычные и силовые атаки наносят дополнительный урон в течение |cffffff<<1>>|r секунд.", SI_LUIE_SKILL_SET_GENERIC_SPELL_RESIST_TIME_TP = "Повышает Магическую сопротивляемость на |cffffff<<1>>|r секунд.", SI_LUIE_SKILL_SET_GENERIC_MAG_RECOVERY_TIME_TP = "Увеличивает восстановление Магии на |cffffff<<1>>|r секунд.", ---------------------------------------------------------------- -- CLASS SKILLS ------------------------------------------------ ---------------------------------------------------------------- -- Dragonknight Skills SI_LUIE_SKILL_BURNING_EMBERS_TP = "Подвержен урону от Огня каждые |cFFFFFF2|r секунды в течение |cffffff<<1>>|r секунд.\n\nИсцеляет рыцаря-дракона на |cffffff75|r% от нанесённого урона по завершению действия эффекта.", SI_LUIE_SKILL_ENGULFING_FLAMES_TP = "Подвержен урону от Огня каждые |cFFFFFF2|r секунды в течение |cffffff<<1>>|r секунд.\n\nIncrease damage taken from Fire Damage attacks by |cffffff10|r%.", SI_LUIE_SKILL_INFERNO_TP = "Запускает в ближайшего противника огненный шар, наносящий урон от Огня каждые |cffffff5|r секунд в течение |cffffff15|r секунд.", SI_LUIE_SKILL_CAUTERIZE_TP = "Запускает в ближайшего союзника огненный шар, чтобы прижечь его раны, каждые |cffffff5|r секунды в течение |cffffff15|r секунд.", SI_LUIE_SKILL_DRAGONKIGHT_STANDARD_TP = "Enemies within the radius of the standard take Flame Damage every |cffffff1|r second and have Major Defile applied to them.", -- TODO: Translate SI_LUIE_SKILL_STANDARD_OF_MIGHT_TP = "Увеличивает наносимый урон и снижает получаемый урон, пока находитесь в радиусе действия штандарта.", SI_LUIE_SKILL_BURNING_TALONS_TP = "Afflicted with Flame Damage every |cFFFFFF1|r second for |cffffff<<1>>|r seconds and immobilized for |cffffff<<1>>|r seconds.", -- TODO: Translate SI_LUIE_SKILL_REFLECTIVE_SCALE = "Отражает до |cffffff4|r снарядов в течение |cffffff6|r секунд.", SI_LUIE_SKILL_REFLECTIVE_PLATE = "Отражает до |cffffff4|r снарядов в течение |cffffff6|r секунд.\n\nИммунитет к замедляющим и обездвиживающим эффектам на |cffffff2|r секунды.", SI_LUIE_SKILL_DRAGON_FIRE_SCALE = "Отражает до |cffffff4|r снарядов в течение |cffffff6|r секунд.\n\nОтражённый снаряд наносит атакующему дополнительный урон.", SI_LUIE_SKILL_INHALE_TP = "After |cffffff2.5|r seconds, you exhale fire, dealing Flame Damage to enemies within |cFFFFFF8|r meters.", -- TODO: Translate SI_LUIE_SKILL_DRAW_ESSENCE_TP = "After |cffffff2.5|r seconds, you exhale fire, dealing Flame Damage to enemies within |cFFFFFF8|r meters and restoring |cffffff10|r% of the ability's cost for each enemy hit as Magicka.", -- TODO: Translate SI_LUIE_SKILL_MOLTEN_ARMAMENTS_TP = "Увеличивает урон полностью заряженных Силовых атак на |cffffff40|r% в течение |cffffff<<1>>|r секунд.", SI_LUIE_SKILL_PETRIFY_STUN_TP = "Обращён в камень и оглушён на |cffffff<<1>>|r секунд. Вы не можете атаковать или двигаться во время оглушения.\n\nПо окончанию действия оглушения, получаете Магический урон.", SI_LUIE_SKILL_FOSSILIZE_STUN_TP = "Stunned for |cFFFFFF<<1>>|r <<1[second/seconds]>>.\n\nWhen the stun ends, take Magic Damage and become immobilized for |cffffff3|r seconds.", -- TODO: Translate SI_LUIE_SKILL_SHATTERING_ROCKS_STUN_TP = "Stunned for |cFFFFFF<<1>>|r <<1[second/seconds]>>.\n\nWhen the stun ends, take Magic Damage and your next attack used within |cffffff4|r seconds heals your target.", -- TODO: Translate SI_LUIE_SKILL_SHATTERING_ROCKS_TP = "Your next attack used within |cffffff<<1>>|r seconds heals your target.", -- TODO: Translate SI_LUIE_SKILL_ASH_CLOUD_TP = "Enemies in the ash cloud have their Movement Speed reduced by |cffffff70|r%, while you and allies are healed every |cffffff1|r second.", -- TODO: Translate SI_LUIE_SKILL_ERUPTION_TP = "Enemies in the ash cloud have their Movement Speed reduced by |cffffff70|r% and take Flame Damage every |cffffff1|r second.", -- TODO: Translate SI_LUIE_SKILL_MAGMA_ARMOR_TP = "Incoming damage is limited to |cffffff3|r% of your Max Health and nearby enemies take Flame Damage every |cffffff1|r second for |cffffff<<1>>|r seconds.", -- TODO: Translate SI_LUIE_SKILL_CORROSIVE_ARMOR_TP = "Incoming damage is limited to |cffffff3|r% of your Max Health and nearby enemies take Poison Damage every |cffffff1|r second for |cffffff<<1>>|r seconds.\n\nWhile active, your attacks ignore all Physical Resistance.", -- TODO: Translate SI_LUIE_SKILL_ERUPTION_GROUND_TP = "Taking Flame Damage every |cFFFFFF1|r second and Movement Speed reduced by |cFFFFFF70|r%.", -- Nightblade Skills SI_LUIE_SKILL_LOTUS_FAN_TP = "Afflicted with Magic Damage every |cFFFFFF2|r seconds and Movement Speed reduced by |cFFFFFF40|r% for |cFFFFFF<<1>>|r <<1[second/seconds]>>.", -- TODO: Translate SI_LUIE_SKILL_DEATH_STROKE_DEBUFF = "Увеличивает урон, получаемый от Клинка ночи на |cFFFFFF20|r% в течение |cFFFFFF6|r секунд.", SI_LUIE_SKILL_INCAPACITATING_STRIKE = "Increase damage taken from the Nightblade by |cFFFFFF20|r% for |cFFFFFF6|r seconds.\n\nStunned for |cFFFFFF4.5|r seconds.", -- TODO: Translate SI_LUIE_SKILL_SHADOWY_DISGUISE_TP = "Ваша следующая атака с прямым уроном, проведённая в течение |cFFFFFF3|r секунд всегда будет Критическим ударом.", SI_LUIE_SKILL_GRIM_FOCUS_TP = "В течение |cFFFFFF<<1>>|r секунд, |cFFFFFF5|r ударов обычной или силовой атакой по противнику заряжают эту способность для нанесения Assassin's Will, позволяющей вам поразить одного противника из призрачного лука Магическим уроном за половину стоимости способности.", SI_LUIE_SKILL_RELENTLESS_FOCUS_TP = "В течение |cFFFFFF<<1>>|r секунд, |cFFFFFF5|r ударов обычной или силовой атакой по противнику заряжают эту способность для нанесения Assassin's Scourge, позволяющей вам поразить одного противника из призрачного лука уроном от Болезни за половину стоимости способности.", SI_LUIE_SKILL_PATH_OF_DARKNESS_TP = "You and allies in the corridor of shadows gain Major Expedition for |cFFFFFF2|r seconds every |cFFFFFF1|r second.", -- TODO: Translate SI_LUIE_SKILL_TWISTING_PATH_TP = "You and allies in the corridor of shadows gain Major Expedition for |cFFFFFF2|r seconds every |cFFFFFF1|r second, while enemies in the area take Magic Damage every |cFFFFFF1|r second.", -- TODO: Translate SI_LUIE_SKILL_REFRESHING_PATH_TP = "You and allies in the corridor of shadows gain Major Expedition for |cFFFFFF2|r seconds, and heal every |cFFFFFF1|r second for |cFFFFFF2|r seconds.\n\nThis effect is reapplied every |cFFFFFF1|r second.", -- TODO: Translate SI_LUIE_SKILL_MANIFESTATION_OF_TERROR_TP = "Взрывается, когда близко подходит противник, призывая тёмного духа, который пугает до |cFFFFFF6|r противников на |cFFFFFF4|r секунды.\n\nКогда страх проходит, их скорость передвижения снижается на |cFFFFFF50|r% в течение |cFFFFFF2|r секунд.", SI_LUIE_SKILL_SUMMON_SHADE_TP = "Ваша теневая копия сражается на вашей стороне в течение |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_SHADOW_IMAGE_TP = "Ваша теневая копия стоит на месте и атакует противников на расстоянии в течение |cFFFFFF<<1>>|r секунд.\n\nПока тень призвана, вы можете активировать способность снова, чтобы переместиться к тени.", SI_LUIE_SKILL_CONSUMING_DARKNESS_TP = "Enemies in the ring of shadow have their Movement Speed reduced by |cFFFFFF70|r%, while you and allies gain Major Protection.\n\nAllies in the area can activate the |cFFFFFFHidden Refresh|r synergy.", -- TODO: Translate SI_LUIE_SKILL_BOLSTERING_DARKNESS_TP = "Enemies in the ring of shadow have their Movement Speed reduced by |cFFFFFF70|r%, while you and allies gain Major Protection in the ring and even after leaving it.\n\nAllies in the area can activate the |cFFFFFFHidden Refresh|r synergy.", -- TODO: Translate SI_LUIE_SKILL_VEIL_OF_BLADES_TP = "Enemies in the ring of shadow have their Movement Speed reduced by |cFFFFFF70|r% and take Magic Damage every |cFFFFFF1|r second, while you and allies gain Major Protection.\n\nAllies in the area can activate the |cFFFFFFHidden Refresh|r synergy.", -- TODO: Translate SI_LUIE_SKILL_MALEVOLENT_OFFERING_TP = "Высасывает здоровье каждую |cFFFFFF1|r секунду в течение |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_CRIPPLE_TP = "Afflicted with Magic Damage every |cFFFFFF2|r seconds for |cFFFFFF8|r seconds.\n\nMovement Speed reduced by |cFFFFFF40|r% for |cFFFFFF4|r seconds.", -- TODO: Translate SI_LUIE_SKILL_SIPHONING_STRIKES_TP = "Ваши обычные и силовые атаки исцеляют вас в течение |cFFFFFF20|r секунд. Полностью заряженная силовая атака исцеляет в два раза больше.", SI_LUIE_SKILL_LEECHING_STRIKES_TP = "Ваши обычные и силовые атаки исцеляют вас и восстанавливают Запас сил в течение |cFFFFFF20|r секунд. Полностью заряженная силовая атака восстанавливает в два раза больше ресурсов.\n\nВы восстанавливаете дополнительно до |cFFFFFF4270|r Запаса сил по истечению эффекта, в зависимости от времени действия Leeching Strikes.", SI_LUIE_SKILL_SIPHONING_ATTACKS_TP = "Ваши обычные и силовые атаки исцеляют вас и восстанавливают Магию в течение |cFFFFFF20|r секунд. Полностью заряженная силовая атака восстанавливает в два раза больше ресурсов.\n\nВы восстанавливаете дополнительно до |cFFFFFF4270|r Магии по истечению эффекта, в зависимости от времени действия Siphoning Attacks.", SI_LUIE_SKILL_SOUL_TETHER_TP = "Afflicted with Magic Damage every |cFFFFFF2|r seconds for |cFFFFFF8.5|r seconds.\n\nStunned for |cFFFFFF4.5|r seconds.", -- TODO: Translate SI_LUIE_SKILL_REFRESHING_PATH_GROUND = "Healing every |cFFFFFF1|r second.\n\nThe effect persists for |cFFFFFF2|r seconds after leaving the path.", SI_LUIE_SKILL_VEIL_OF_BLADES_GROUND = "Taking Magic Damage every |cFFFFFF1|r second and Movement Speed reduced by |cFFFFFF70|r%.", -- Sorcerer SI_LUIE_SKILL_PERSISTENCE = "Reduce the cost of your next Magicka or Stamina ability used within |cFFFFFF4|r seconds by |cFFFFFF<<1>>|r%.", -- TODO: Translate SI_LUIE_SKILL_CRYSTAL_FRAGMENTS_TP = "Ваше следующее применение Crystal Fragments в течение |cFFFFFF<<1>>|r секунд происходит мгновенно, наносит на |cFFFFFF20|r% больше урона, и расходует на |cFFFFFF50|r% меньше Магии.", SI_LUIE_SKILL_SHATTERING_PRISON_TP = "Immobilized for |cFFFFFF<<1>>|r <<1[second/seconds]>>.\n\nThe shards deal Magic Damage when the effect ends.", -- TODO: Translate SI_LUIE_SKILL_RUNE_CAGE_TP = "Imprisoned in a sphere of dark magic and stunned for |cFFFFFF<<1>>|r seconds.\n\nDeals Magic Damage if the stun lasts the full duration.", -- TODO: Translate SI_LUIE_SKILL_DEFENSIVE_RUNE_TP = "Следующий противник, который атакует вас, окажется заперт в тесную сферу тёмной магии, оглушающую вскоре его на |cFFFFFF3|r секунды.", SI_LUIE_SKILL_DAEDRIC_MINES_TP = "Взрывается, когда близко подходит противник, нанося Магический урон и обездвиживая его на |cFFFFFF1.5|r секунды.", SI_LUIE_SKILL_NEGATE_MAGIC_TP = "Enemies in the globe are stunned.\n\nEnemy players will be silenced rather than stunned.", -- TODO: Translate SI_LUIE_SKILL_SUPPRESSION_FIELD_TP = "Enemies in the globe are stunned and take Magic Damage every |cFFFFFF0.5|r seconds.\n\nEnemy players will be silenced rather than stunned.", -- TODO: Translate SI_LUIE_SKILL_ABSORPTION_FIELD_TP = "Enemies in the globe are stunned, while you and allies are healed every |cFFFFFF0.5|r seconds.\n\nEnemy players will be silenced rather than stunned.", -- TODO: Translate SI_LUIE_SKILL_UNSTABLE_FAMILIAR_TP = "Unstable Familiar сражается на вашей стороне. Нестабильный прислужник останется, пока не будет убит или отозван.", SI_LUIE_SKILL_UNSTABLE_CLANNFEAR_TP = "Unstable Clannfear сражается на вашей стороне. Нестабильный кланфир останется, пока не будет убит или отозван.", SI_LUIE_SKILL_VOLATILE_FAMILIAR_TP = "Volatile Familiar сражается на вашей стороне. Взрывной прислужник останется, пока не будет убит или отозван.", SI_LUIE_SKILL_FAMILIAR_DAMAGE_PULSE_SELF_TP = "Your familiar is pulsing waves of unstable electricity, dealing Shock Damage to nearby enemies every |cFFFFFF2|r seconds for |cFFFFFF<<1>>|r seconds.", -- TODO: Translate SI_LUIE_SKILL_FAMILIAR_DAMAGE_PULSE_TP = "Pulsing waves of unstable electricity, dealing Shock Damage to nearby enemies every |cFFFFFF2|r seconds for |cFFFFFF<<1>>|r seconds.", -- TODO: Translate SI_LUIE_SKILL_FAMILIAR_DAMAGE_PULSE_SELF_STUN_TP = "Your familiar is pulsing waves of volatile electricity, dealing Shock Damage to nearby enemies every |cFFFFFF2|r seconds for |cFFFFFF<<1>>|r seconds.\n\nThe final pulse will stun all enemies hit for |cFFFFFF3|r seconds.", -- TODO: Translate SI_LUIE_SKILL_FAMILIAR_DAMAGE_PULSE_STUN_TP = "Pulsing waves of volatile electricity, dealing Shock Damage to nearby enemies every |cFFFFFF2|r seconds for |cFFFFFF<<1>>|r seconds.\n\nThe final pulse will stun all enemies hit for |cFFFFFF3|r seconds.", -- TODO: Translate SI_LUIE_SKILL_UNSTABLE_PULSE = "Нестабильное пульсирование", SI_LUIE_SKILL_VOLATILE_PULSE = "Переменное пульсирование", SI_LUIE_SKILL_DAEDRIC_CURSE_TP = "After |cFFFFFF6|r seconds the rune detonates, dealing Magic Damage to you and nearby allies.", -- TODO: Translate SI_LUIE_SKILL_DAEDRIC_PREY_TP = "After |cFFFFFF6|r seconds the rune detonates, dealing Magic Damage to you and nearby allies.\n\nWhile the curse is active, the Sorcerer's pets deal an additional |cFFFFFF55|r% damage to you.", -- TODO: Translate SI_LUIE_SKILL_HAUNTING_CURSE_TP = "After |cFFFFFF3.5|r seconds the rune detonates, dealing Magic Damage and splashing to nearby allies.\n\nThe curse will apply a second time, detonating again after |cFFFFFF8.5|r seconds.", -- TODO: Translate SI_LUIE_SKILL_WINGED_TWILIGHT_TP = "Winged Twilight сражается на вашей стороне. Крылатый сумрак останется, пока не будет убит или отозван.", SI_LUIE_SKILL_TWILIGHT_TORMENTOR_TP = "Twilight Tormentor сражается на вашей стороне. Сумрак-мучитель останется, пока не будет убит или отозван.", SI_LUIE_SKILL_TWILIGHT_MATRIARCH_TP = "Twilight Matriarch сражается на вашей стороне. Сумрак-матриарх останется, пока не будет убит или отозван.", SI_LUIE_SKILL_TORMENTOR_DAMAGE_BOOST = "Twilight Empowerment", SI_LUIE_SKILL_TORMENTOR_DAMAGE_BOOST_SELF_TP = "Повышает на |cFFFFFF50|r% урон Сумрака-мучителя против целей с уровнем здоровья выше |cFFFFFF50|r% в течение |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_TORMENTOR_DAMAGE_BOOST_TP = "Повышает на |cFFFFFF50|r% урон против целей с уровнем здоровья выше |cFFFFFF50|r% в течение |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_BOUND_ARMOR_TP = "Увеличивает на |cFFFFFF36|r% блокируемый урон на |cFFFFFF3|r секунды.", SI_LUIE_SKILL_ATRONACH_ZAP_TP = "Afflicted with Shock Damage every |cFFFFFF1|r second and Movement Speed reduced by |cFFFFFF50|r% for |cFFFFFF<<1>>|r seconds.", -- TODO: Translate this Block SI_LUIE_SKILL_STORM_ATRONACH_TP = "An immobile storm atronach zaps the closest enemy, dealing Shock Damage every |cFFFFFF1|r second.\n\nAn ally near the atronach can activate the |cFFFFFFCharged Lightning|r synergy.", SI_LUIE_SKILL_CHARGED_ATRONACH_TP = "An immobile storm atronach zaps the closest enemy, dealing Shock Damage every |cFFFFFF1|r second, and periodically deals Shock Damage to enemies around it.\n\nAn ally near the atronach can activate the |cFFFFFFCharged Lightning|r synergy.", SI_LUIE_SKILL_MAGES_FURY_TP = "Falling below |cFFFFFF20%|r Health causes an explosion, dealing Shock Damage to you and nearby allies.", SI_LUIE_SKILL_ENDLESS_FURY_TP = "Falling below |cFFFFFF20%|r Health causes an explosion, dealing Shock Damage to you and nearby allies.\n\nRestore Magicka to the Sorcerer on death.", SI_LUIE_SKILL_LIGHTNING_FORM_TP = "Enemies within |cFFFFFF5|r meters take Shock Damage every |cFFFFFF1|r second for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_HURRICANE_TP = "Enemies within |cFFFFFF5|r meters take Physical Damage every |cFFFFFF1|r second for |cFFFFFF<<1>>|r seconds.\n\nThe winds grow in damage and size, increasing up to |cFFFFFF150|r% more damage and up to |cFFFFFF9|r meters in size.", SI_LUIE_SKILL_LIGHTNING_SPLASH_TP = "Enemies standing in the storm energy take Shock Damage every |cFFFFFF1|r second.", SI_LUIE_SKILL_SURGE_TP = "Dealing a Critical Strike heals you. This effect can occur once every |cFFFFFF1|r second.", -- TODO: Translate this Block SI_LUIE_SKILL_BOLT_ESCAPE_FATIGUE_TP = "Стоимость последующих Bolt Escape возрастает на |cFFFFFF50|r% Магии в течение следующих |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_INTERCEPT_TP = "Заклинания, направленные в вас, будут поглощены Ball of Lightning.", SI_LUIE_SKILL_OVERLOAD_TP = "Обычные атаки заменены шаровыми молниями, наносящими урон от Электричества, а Силовые атаки сжигают противников уроном от Электричества в радиусе от атакуемой цели.\n\nАтаки расходуют очки абсолютной способности, пока они не закончатся или пока способность не будет отключена.", SI_LUIE_SKILL_ENERGY_OVERLOAD_TP = "Обычные атаки заменены шаровыми молниями, наносящими урон от Электричества, а Силовые атаки сжигают противников уроном от Электричества в радиусе от атакуемой цели.\n\nОбычные и Силовые атаки восстанавливают Магию.\n\nАтаки расходуют очки абсолютной способности, пока они не закончатся или пока способность не будет отключена.", SI_LUIE_SKILL_SUPPRESSION_FIELD_STUN = "Stunned and taking Magic Damage every |cFFFFFF0.5|r seconds.", SI_LUIE_SKILL_SUPPRESSION_FIELD_SILENCE = "Silenced and taking Magic Damage every |cFFFFFF0.5|r seconds.", -- Templar SI_LUIE_SKILL_SPEAR_SHARDS_TP = "Enemies in the radius of the spear take Magic Damage every |cFFFFFF1|r second.\n\nAn ally near the spear can activate the |cFFFFFFBlessed Shards|r synergy.", -- TODO: Translate this Block SI_LUIE_SKILL_LUMINOUS_SHARDS_TP = "Enemies in the radius of the spear take Magic Damage every |cFFFFFF1|r second.\n\nAn ally near the spear can activate the |cFFFFFFHoly Shards|r synergy.", SI_LUIE_SKILL_BLAZING_SHIELD_TP = "Absorbing damage for |cFFFFFF<<1>>|r seconds.\n\nWhen the shield expires it explodes outward, dealing a percentage of the damage it absorbed as Magic Damage to enemies within |cFFFFFF5|r meters.", SI_LUIE_SKILL_RADIAL_SWEEP_TP = "Enemies within |cFFFFFF6|r meters take Magic Damage every |cFFFFFF2|r seconds for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_SUN_FIRE_TP = "Afflicted with Flame Damage every |cFFFFFF2|r seconds for |cFFFFFF<<1>>|r seconds.\n\nMovement Speed reduced by |cFFFFFF40|r% for |cFFFFFF<<2>>|r seconds.", SI_LUIE_SKILL_SUN_FIRE_SNARE_TP = "Afflicted with Flame Damage every |cFFFFFF2|r seconds for |cFFFFFF<<2>>|r seconds.\n\nMovement Speed reduced by |cFFFFFF40|r% for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_SOLAR_BARRAGE_TP = "Enemies within |cFFFFFF8|r meters take Magic Damage every |cFFFFFF2|r seconds for |cFFFFFF<<1>>|r seconds.\n\nWhile this ability is active you gain Empower.", SI_LUIE_SKILL_BACKLASH_TP = "|cFFFFFF20|r% of all damage taken for the next |cFFFFFF<<1>>|r seconds will be copied and released as Magic Damage when the effect ends.", SI_LUIE_SKILL_PURIFYING_LIGHT_TP = "|cFFFFFF20|r% of all damage taken for the next |cFFFFFF<<1>>|r seconds will be copied and released as Magic Damage when the effect ends.\n\nWhen the effect ends, a pool of sunlight remains attached to you, healing the Templar and their allies if they are nearby every |cFFFFFF2|r seconds for |cFFFFFF6|r seconds.", -- TODO: Translate this Block SI_LUIE_SKILL_PURIFYING_LIGHT_HOT_TP = "Исцеляет ближайших врагов каждые |cFFFFFF2|r секунды в течение |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_POWER_OF_THE_LIGHT_TP = "|cFFFFFF20|r% of all damage taken for the next |cFFFFFF<<1>>|r seconds will be copied and released as Physical Damage when the effect ends.", -- TODO: Translate this Block SI_LUIE_SKILL_ECLIPSE_TP = "Take Magic Damage each time you use a direct damage attack for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_TOTAL_DARK_TP = "Take Magic Damage and heal the Templar each time you use a direct damage attack for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_UNSTABLE_CORE_TP = "After |cFFFFFF<<1>>|r seconds, the magnetic energy explodes, dealing Magic Damage to you and nearby allies.", SI_LUIE_SKILL_RADIANT_DESTRUCTION_TP = "Afflicted with Magic Damage every |cFFFFFF0.75|r seconds for |cFFFFFF<<1>>|r seconds. Deals up to |cFFFFFF480|r% more damage if you are below |cFFFFFF50|r% Health.", SI_LUIE_SKILL_NOVA_TP = "Enemies in the nova take Magic Damage every |cFFFFFF1|r second and have Major Maim applied to them.\n\nAn ally near the fragment can activate the |cFFFFFFSupernova|r synergy.", SI_LUIE_SKILL_SOLAR_PRISON_TP = "Enemies in the nova take Magic Damage every |cFFFFFF1|r second and have Major Maim applied to them.\n\nAn ally near the fragment can activate the |cFFFFFFGravity Crush|r synergy.", SI_LUIE_SKILL_SOLAR_DISTURBANCE_TP = "Enemies in the nova take Magic Damage every |cFFFFFF1|r second, have their Movement Speed reduced by |cffffff70|r%, and have Major Maim applied to them.\n\nMajor Maim persists on enemies who leave the area for |cFFFFFF<<2>>|r seconds.\n\nAn ally near the fragment can activate the |cFFFFFFSupernova|r synergy.", SI_LUIE_SKILL_CLEANSING_RITUAL_TP = "You and allies in the area are healed every |cFFFFFF2|r seconds.\n\nAllies in the area can activate the |cFFFFFFPurify|r synergy.", SI_LUIE_SKILL_CLEANSING_RITUAL_RETRIBUTION_TP = "You and allies in the area are healed every |cFFFFFF2|r seconds, while enemies take Magic Damage every |cFFFFFF2|r seconds.\n\nAllies in the area can activate the |cFFFFFFPurify|r synergy.", SI_LUIE_SKILL_RUNE_FOCUS_BONUS_TP = "Increase Physical and Spell Resistance by |cFFFFFF2640|r.", SI_LUIE_SKILL_RITE_OF_PASSAGE_TP = "Healing you and allies within |cFFFFFF20|r meters every |cFFFFFF1|r second for |cFFFFFF<<1>>|r seconds.", -- TODO: Translate SI_LUIE_SKILL_SOLAR_DISTURBANCE_GROUND_TP = "Taking Magic Damage every |cFFFFFF1|r second and Movement Speed reduced by |cFFFFFF70|r%.", -- Warden SI_LUIE_SKILL_BOND_WITH_NATURE = "Bond with Nature", SI_LUIE_SKILL_SCORCH_TP = "Через |cFFFFFF3|r секунды, наносит Магический урон противникам перед вами на расстоянии до |cFFFFFF20|r метров.", SI_LUIE_SKILL_SUB_ASSAULT_TP = "Через |cFFFFFF3|r секунды, наносит Физический урон и накладывает Major Fracture на |cFFFFFF5|r секунд противникам перед вами на расстоянии до |cFFFFFF20|r метров.", SI_LUIE_SKILL_DEEP_FISSURE_TP = "Через |cFFFFFF3|r секунды, наносит Магический урон и накладывает Major Breach на |cFFFFFF5|r секунд противникам перед вами на расстоянии до |cFFFFFF20|r метров.", SI_LUIE_SKILL_FETCHER_INFECTION_BONUS_DAMAGE_TP = "Ваше следующее применение Fetcher Infection нанесёт на |cFFFFFF50|r% больше урона.", SI_LUIE_SKILL_GROWING_SWARM_TP = "Afflicted with Magic Damage every |cFFFFFF2|r seconds for |cFFFFFF<<1>>|r seconds.\n\nWhen this effect ends, the fetcherflies infect up to |cFFFFFF6|r nearby allies.", -- TODO: Translate SI_LUIE_SKILL_BETTY_NETCH_TP = "Восстанавливает |cFFFFFF4800|r Магии в течение |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_BLUE_BETTY_TP = "Восстанавливает |cFFFFFF5376|r Магии в течение |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_BULL_NETCH_TP = "Восстанавливает |cFFFFFF5376|r Запаса сил в течение |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_FERAL_GUARDIAN_TP = "На вашей стороне сражается гризли. Гризли остаётся, пока не будет убит или отозван.\n\nВы можете активировать Guardian's Wrath за |cFFFFFF75|r очков ульты, чтобы медведь нанёс сильный удар противнику, наносящий Магический урон.", SI_LUIE_SKILL_ETERNAL_GUARDIAN_TP = "На вашей стороне сражается гризли. Гризли остаётся, пока не будет убит или отозван.\n\nРаз в минуту гризли автоматически возрождается снова, если будет убит.\n\nВы можете активировать Guardian's Wrath за |cFFFFFF75|r очков ульты, чтобы медведь нанёс сильный удар противнику, наносящий Магический урон.", SI_LUIE_SKILL_WILD_GUARDIAN_TP = "На вашей стороне сражается гризли. Гризли остаётся, пока не будет убит или отозван.\n\nВы можете активировать Guardian's Savagery за |cFFFFFF75|r очков ульты, чтобы медведь нанёс сильный удар противнику, наносящий Физический урон.", SI_LUIE_SKILL_GUARDIANS_WRATH_TP = "Цель атаки Guardian's Wrath.", SI_LUIE_SKILL_GUARDIANS_SAVAGERY_TP = "Цель атаки Guardian's Savagery.", SI_LUIE_SKILL_ETERNAL_GUARDIAN_COOLDOWN_TP = "Ваш медведь только что был возрождён и не может снова возродиться автоматически.", SI_LUIE_SKILL_HEALING_SEED_TP = "After |cFFFFFF6|r seconds, heals you and allies in the area.\n\nAn ally within the field can activate the |cFFFFFFHarvest|r synergy.", -- TODO: Translate SI_LUIE_SKILL_BUDDING_SEEDS_TP = "After |cFFFFFF6|r seconds, heals you and allies in the area.\n\nWhile the field grows, you can activate this ability again to cause it to instantly bloom.\n\nAn ally within the field can activate the |cFFFFFFHarvest|r synergy.", -- TODO: Translate SI_LUIE_SKILL_CORRUPTING_POLLEN_TP = "After |cFFFFFF6|r seconds, heals you and allies in the area.\n\nEnemies who enter the field are afflicted with Major Defile for |cFFFFFF4|r seconds every |cFFFFFF1|r second.\n\nAn ally within the field can activate the |cFFFFFFHarvest|r synergy.", -- TODO: Translate SI_LUIE_SKILL_LIVING_VINES_TP = "Исцеляет вас, когда вы получаете урон, действует в течение |cFFFFFF<<1>>|r секунд. Эффект может срабатывать раз в |cFFFFFF1|r секунду.", SI_LUIE_SKILL_LEECHING_VINES_TP = "Исцеляет вас, когда вы получаете урон, действует в течение |cFFFFFF<<1>>|r секунд. Эффект может срабатывать раз в |cFFFFFF1|r секунду.\n\nЛозы накладывают Minor Lifesteal на противника, который наносит вам урон, на |cFFFFFF10|r секунд.", SI_LUIE_SKILL_LIVING_TRELLIS_TP = "Исцеляет вас, когда вы получаете урон, действует в течение |cFFFFFF<<1>>|r секунд. Эффект может срабатывать раз в |cFFFFFF1|r секунду.\n\nКогда лозы исчезают, дополнительно восстанавливает здоровье.", SI_LUIE_SKILL_LOTUS_FLOWER_TP = "Your Light and Heavy Attacks heal you or an ally within |cFFFFFF12|r meters for |cFFFFFF20|r seconds. Fully charged Heavy Attacks restore three times the value.", -- TODO: Translate SI_LUIE_SKILL_NATURES_GRASP_TP = "Исцеляет каждую |cFFFFFF1|r секунду в течение |cFFFFFF<<1>>|r секунд.\n\nХранитель получает |cFFFFFF3|r очка ульты, когда эффект заканчивается, если находится в бою.", SI_LUIE_SKILL_NATURES_GRASP_SELF_TP = "Исцеляет каждую |cFFFFFF1|r секунду в течение |cFFFFFF<<1>>|r секунд.\n\nВы получаете |cFFFFFF3|r очка ульты, когда эффект заканчивается, если находитесь в бою.", SI_LUIE_SKILL_SECLUDED_GROVE_TP = "Healing you and allies in the area every |cFFFFFF1|r second for |cFFFFFF<<1>>|r seconds.", -- TODO: Translate SI_LUIE_SKILL_HEALING_THICKET_TP = "Every |cFFFFFF1|r second apply a |cFFFFFF4.1|r second duration heal over time effect on you and allies in the |cFFFFFF8|r meter radius of the healing forest.", -- TODO: Translate SI_LUIE_SKILL_IMPALING_SHARDS_TP = "Enemies in the area take Frost Damage and have their movement speed reduced by |cFFFFFF30|r% for |cFFFFFF3|r seconds every |cFFFFFF1|r second.", -- TODO: Translate SI_LUIE_SKILL_ARCTIC_WIND_TP = "Healing for |cFFFFFF2|r% of your Max Health every |cFFFFFF2|r seconds for |cFFFFFF<<1>>|r seconds.", -- TODO: Translate SI_LUIE_SKILL_CRYSTALLIZED_SHIELD_TP = "Поглощает урон максимум |cFFFFFF3|r снарядов.\n\nКаждый раз при поглощении снаряда вы восстанавливаете |cFFFFFF578|r Магии.", SI_LUIE_SKILL_CRYSTALLIZED_SLAB_TP = "Поглощает урон максимум |cFFFFFF3|r снарядов.\n\nКаждый раз при поглощении снаряда вы восстанавливаете |cFFFFFF578|r Магии и запускаете обратно во врага ледяной шар, наносящий урон от Мороза.", SI_LUIE_SKILL_SHIMMERING_SHIELD_TP = "Поглощает урон максимум |cFFFFFF3|r снарядов.\n\nКаждый раз при поглощении снаряда вы восстанавливаете |cFFFFFF578|r Магии и даёт Major Heroism в течение |cFFFFFF6|r секунд.", SI_LUIE_SKILL_FROZEN_GATE_TP = "Detonates when a enemy comes close, dealing Frost Damage, teleporting the enemy to you, and immobilizing them for |cFFFFFF3|r seconds.", -- TODO: Translate SI_LUIE_SKILL_FROZEN_DEVICE_TP = "Взрывается при приближении противника, нанося урон от Мороза, перемещая противника к вам и обездвиживая его на |cFFFFFF3|r секунды и накладывая Major Maim на |cFFFFFF4|r секунд.", SI_LUIE_SKILL_FROZEN_RETREAT_TP = "Detonates when a enemy comes close, dealing Frost Damage, teleporting the enemy to you, and immobilizing them for |cFFFFFF3|r seconds.\n\nAn ally in the portal can activate the |cFFFFFFIcy Escape|r synergy.", -- TODO: Translate SI_LUIE_SKILL_SLEET_STORM_TP = "Enemies in the storm take Frost Damage and have their movement speed reduced by |cFFFFFF70|r% every |cFFFFFF1|r second.", -- TODO: Translate SI_LUIE_SKILL_PERMAFROST_TP = "Enemies in the storm take Frost Damage and have their movement speed reduced by |cFFFFFF70|r% every |cFFFFFF1|r second.\n\nDamaging an enemy three times with the storm will stun them for |cFFFFFF3|r seconds.", -- TODO: Translate SI_LUIE_SKILL_PERMAFROST_SNARE_TP = "Movement Speed reduced by |cFFFFFF70|r%.\n\nIf you take damage from the storm three times, you will be stunned for |cFFFFFF3|r seconds.", -- TODO: Translate SI_LUIE_SKILL_IMPALING_SHARDS_GROUND_TP = "Taking Frost Damage every |cFFFFFF1|r second and Movement Speed reduced by |cFFFFFF30|r%.", SI_LUIE_SKILL_SLEET_STORM_GROUND_TP = "Taking Frost Damage every |cFFFFFF1|r second and Movement Speed reduced by |cFFFFFF70|r%.", SI_LUIE_SKILL_PERMAFROST_GROUND_TP = "Taking Frost Damage every |cFFFFFF1|r second and Movement Speed reduced by |cFFFFFF70|r%.\n\nIf you take damage from the storm three times, you will be stunned for |cFFFFFF3|r seconds.", ---------------------------------------------------------------- -- WEAPON SKILLS ----------------------------------------------- ---------------------------------------------------------------- -- Shared SI_LUIE_SKILL_PASSIVE_HEAVY_MAIN_HAND = "Силовая атака (Ведущая рука)", SI_LUIE_SKILL_PASSIVE_HEAVY_OFF_HAND = "Силовая атака (Вторая рука)", -- Two-Handed SI_LUIE_SKILL_FOLLOW_UP_TP = "Ваша следующая атака с прямым уроном, нанесённая в течение |cFFFFFF7|r секунд нанесёт |cFFFFFF<<1>>|r% дополнительного урона.", SI_LUIE_SKILL_BATTLE_RUSH_TP = "Увеличивает восстановление Запаса сил на |cFFFFFF<<1>>|r% в течение |cFFFFFF10|r секунд.", SI_LUIE_SKILL_RALLY_TP = "Healing every |cFFFFFF2|r seconds for |cFFFFFF<<1>>|r seconds, and for additional Health when Rally expires.\n\nThe final heal is increased by up to |cFFFFFF564|r%, in proportion to the length of time Rally has been active.", -- TODO: Translate SI_LUIE_SKILL_BERSERKER_STRIKE_TP = "Увеличивает в течение |cFFFFFF<<1>>|r секунд Физическую и Магическую сопротивляемости на величину, равную проигнорированному способностью Berserker Strike сопротивлению цели.", SI_LUIE_SKILL_ONSLAUGHT_TP = "Увеличивает в течение |cFFFFFF<<1>>|r секунд Физическую и Магическую сопротивляемости на величину, равную проигнорированному способностью Onslaught сопротивлению цели.", SI_LUIE_SKILL_BERSERKER_RAGE_TP = "Увеличивает в течение |cFFFFFF<<1>>|r секунд Физическую и Магическую сопротивляемости на величину, равную проигнорированному способностью Berserker Rage сопротивлению цели.\n\nВы получаете иммунитет к обездвиживанию, замедлению и обезмолвливанию на время действия эффекта.", -- One Hand and Shield SI_LUIE_SKILL_DEFENSIVE_POSTURE_TP = "Отражает обратной в противника следующий направленный в вас снаряд заклинания, выпущенный в течение |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_DEFENSIVE_STANCE_TP = "Отражает обратной в противника следующий направленный в вас снаряд заклинания, выпущенный в течение |cFFFFFF<<1>>|r секунд.\n\nОтражённый снаряд оглушает цель на |cFFFFFF4|r секунды.", SI_LUIE_SKILL_ABSORB_MAGIC_TP = "Поглощает урон следующего направленного в вас снаряда заклинания, выпущенный в течение |cFFFFFF<<1>>|r секунд и исцеляет вас на |cFFFFFF15|r% от вашего максимального запаса Здоровья.", SI_LUIE_SKILL_POWER_SLAM_TP = "Ваше следующее применение способности Power Slam в течение |cFFFFFF<<1>>|r секунд наносит |cFFFFFF25|r% дополнительного урона.", SI_LUIE_SKILL_SHIELD_WALL_TP = "Автоматически блокирует все атаки в течение |cFFFFFF<<1>>|r секунд, не расходуя ресурсов.", SI_LUIE_SKILL_SPELL_WALL_TP = "Автоматически блокирует все атаки и отражает снаряды в течение |cFFFFFF<<1>>|r секунд, не расходуя ресурсов.", SI_LUIE_SKILL_SHIELD_DISCIPLINE_TP = "Автоматически блокирует все атаки в течение |cFFFFFF<<1>>|r секунд, не расходуя ресурсов.\n\nВаши способности из ветки Одноручного оружия и Щита расходуют на |cFFFFFF100|r% меньше ресурсов, пока активно.", -- Dual Wield SI_LUIE_SKILL_RENDING_SLASHES_TP = "Afflicted with Bleeding Damage every |cFFFFFF2|r seconds and Movement Speed reduced by |cFFFFFF40|r% for |cFFFFFF<<1>>|r seconds.", -- TODO: Translate SI_LUIE_SKILL_BLOOD_CRAZE_TP = "Подвержен Кровотечению каждые |cFFFFFF2|r секунды в течение |cFFFFFF<<1>>|r секунд.\n\nАтакуюие вас исцеляются каждые |cFFFFFF2|r секунды, пока активная способность Blood Craze.", SI_LUIE_SKILL_BLOOD_CRAZE_HEAL_TP = "Исцеляет каждые |cFFFFFF2|r секунды в течение |cFFFFFF<<1>>|r секунд, пока на вашей цели активе эффект Blood Craze.", SI_LUIE_SKILL_BLADE_CLOAK_TP = "Кольцо летающих острых лезвий окружает вас, нанося Физический урон всем ближайшим противникам каждые |cFFFFFF3|r секунды в течение |cFFFFFF<<1>>|r секунд.", SI_LUIE_SKILL_LACERATE_TP = "Afflicted with Bleeding Damage every |cFFFFFF2|r seconds for |cFFFFFF<<1>>|r seconds.\n\nEvery time this effect deals damage, your attacker heals for |cFFFFFF50|r% of the damage done.", -- TODO: Translate SI_LUIE_SKILL_THRIVE_IN_CHAOS_TP = "Увеличивает наносимый урон на |cFFFFFF5|r% за каждый удар способностью Thrive in Chaos, максимум на |cFFFFFF30|r%.", -- Bow SI_LUIE_SKILL_HAWK_EYE_TP = "Increase the damage of your Bow abilities by |cFFFFFF<<1>>|r% for |cFFFFFF5|r seconds, stacking up to |cFFFFFF5|r times.", SI_LUIE_SKILL_FOCUSED_AIM_TP = "Increase the range from which your attacker can hit you with Bow attacks by |cFFFFFF5|r meters for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_VOLLEY_TP = "Arrows rain down from the sky, dealing Physical Damage to enemies in the target area every |cFFFFFF0.5|r seconds.", SI_LUIE_SKILL_ENDLESS_HAIL_TP = "Arrows rain down from the sky, dealing Physical Damage to enemies in the target area every |cFFFFFF0.5|r seconds.", SI_LUIE_SKILL_DRAINING_SHOT_TP = "Stunned for |cFFFFFF<<1>>|r seconds.\n\nWhen the stun ends, your attacker heals.", SI_LUIE_SKILL_BOMBARD_TP = "Immobilized for |cFFFFFF<<1>>|r seconds.\n\nWhen this effect ends, your Movement Speed is reduced by |cFFFFFF40|r% for |cFFFFFF4|r seconds.", SI_LUIE_SKILL_ACID_SPRAY_TP = "Afflicted with Poison Damage every |cFFFFFF1|r second for |cFFFFFF6|r seconds.\n\nMovement Speed reduced by |cFFFFFF40|r% for |cFFFFFF4|r seconds.", SI_LUIE_SKILL_POISON_INJECTION_TP = "Afflicted with Poison Damage every |cFFFFFF2|r seconds for |cFFFFFF<<1>>|r seconds.\n\nDeals up to |cFFFFFF200|r% more damage in proportion to your missing health under |cFFFFFF50|r%.", SI_LUIE_SKILL_BALLISTA_TP = "Your ballista turret unleashes a barrage of arrows, dealing Physical Damage over |cFFFFFF<<1>>|r seconds.", -- Destruction Staff SI_LUIE_HEAVY_ATTACK_LIGHTNING_STAFF_TP = "Afflicted with Shock Damage over time for |cFFFFFF<<1>>|r seconds.\n\nDeals additional Shock Damage if the channel is finished.", SI_LUIE_SKILL_WOE_FIRE_TP = "Enemies standing in the elemental barrier take Flame Damage every |cFFFFFF1|r second.\n\nBurning enemies take |cFFFFFF20|r% more damage from this ability.", SI_LUIE_SKILL_WOE_FROST_TP = "Enemies standing in the elemental barrier take Frost Damage and have their Movement Speed reduced by |cFFFFFF60|r% every |cFFFFFF1|r second.\n\nChilled enemies become frozen and are immobilized for |cFFFFFF4|r seconds.", SI_LUIE_SKILL_WOE_SHOCK_TP = "Enemies standing in the elemental barrier take Shock Damage every |cFFFFFF1|r second.\n\nConcussed enemies are set Off Balance for |cFFFFFF5|r seconds.", SI_LUIE_SKILL_UWOE_FIRE_TP = "Enemies standing in the elemental barrier take Flame Damage every |cFFFFFF1|r second.\n\nBurning enemies take |cFFFFFF20|r% more damage from this ability.\n\nThe wall explodes when it expires, dealing additional Flame Damage.", SI_LUIE_SKILL_UWOE_FROST_TP = "Enemies standing in the elemental barrier take Frost Damage and have their Movement Speed reduced by |cFFFFFF60|r% every |cFFFFFF1|r second.\n\nChilled enemies become frozen and are immobilized for |cFFFFFF4|r seconds.\n\nThe wall explodes when it expires, dealing additional Frost Damage.", SI_LUIE_SKILL_UWOE_SHOCK_TP = "Enemies standing in the elemental barrier take Shock Damage every |cFFFFFF1|r second.\n\nConcussed enemies are set Off Balance for |cFFFFFF5|r seconds.\n\nThe wall explodes when it expires, dealing additional Shock Damage.", SI_LUIE_SKILL_FLAME_TOUCH_TP = "Afflicted with Flame Damage every |cFFFFFF2|r seconds for |cFFFFFF<<1>>|r seconds.\n\nKnocked back for |cFFFFFF1.8|r seconds.", SI_LUIE_SKILL_FLAME_TOUCH_ALT_TP = "Afflicted with Flame Damage every |cFFFFFF2|r seconds for |cFFFFFF10|r seconds.\n\nKnocked back for |cFFFFFF1.8|r seconds.", SI_LUIE_SKILL_SHOCK_TOUCH_TP = "Afflicted with Shock Damage every |cFFFFFF2|r seconds for |cFFFFFF<<1>>|r seconds.\n\nStunned for |cFFFFFF2.5|r seconds.", SI_LUIE_SKILL_SHOCK_TOUCH_ALT_TP = "Afflicted with Shock Damage every |cFFFFFF2|r seconds for |cFFFFFF10|r seconds.\n\nStunned for |cFFFFFF2.5|r seconds.", SI_LUIE_SKILL_FROST_TOUCH_TP = "Afflicted with Frost Damage every |cFFFFFF2|r seconds for |cFFFFFF<<1>>|r seconds.\n\nImmobilized for |cFFFFFF4|r seconds.", SI_LUIE_SKILL_FROST_TOUCH_ALT_TP = "Afflicted with Frost Damage every |cFFFFFF2|r seconds for |cFFFFFF10|r seconds.\n\nImmobilized for |cFFFFFF4|r seconds.", SI_LUIE_SKILL_FROST_CLENCH_TP = "Afflicted with Frost Damage every |cFFFFFF2|r seconds for |cFFFFFF<<1>>|r seconds.\n\nImmobilized for |cFFFFFF6.5|r seconds.", SI_LUIE_SKILL_FROST_CLENCH_ALT_TP = "Afflicted with Frost Damage every |cFFFFFF2|r seconds for |cFFFFFF10|r seconds.\n\nImmobilized for |cFFFFFF6.5|r seconds.", SI_LUIE_SKILL_ELEMENTAL_STORM_TP = "A cataclysmic storm builds for |cFFFFFF2|r seconds then lays waste to all enemies in the area, dealing <<1>> Damage every |cFFFFFF1|r second.", SI_LUIE_SKILL_ICY_RAGE_TP = "A cataclysmic storm builds for |cFFFFFF2|r seconds then lays waste to all enemies in the area, dealing Frost Damage every |cFFFFFF1|r second.\n\nImmobilizes enemies hit for |cFFFFFF3|r seconds.", SI_LUIE_SKILL_EYE_OF_THE_STORM_TP = "A cataclysmic storm builds around you for |cFFFFFF2|r seconds then lays waste to all enemies within |cFFFFFF8|r meters, dealing <<1>> Damage every |cFFFFFF1|r second.", SI_LUIE_SKILL_WALL_OF_ELEMENTS_GROUND_FIRE = "Taking Flame Damage every |cFFFFFF1|r second.\n\nIf you are Burning, take |cFFFFFF20|r% more damage from this ability.", SI_LUIE_SKILL_WALL_OF_ELEMENTS_GROUND_FROST = "Taking Frost Damage every |cFFFFFF1|r second and Movement Speed reduced by |cFFFFFF60|r%.\n\nIf you are Chilled you will be immobilized for |cFFFFFF4|r seconds.", SI_LUIE_SKILL_WALL_OF_ELEMENTS_GROUND_SHOCK = "Taking Shock Damage every |cFFFFFF1|r second.\n\nIf you are Concussed you will be set Off Balance for |cFFFFFF5|r seconds.", SI_LUIE_SKILL_U_WALL_OF_ELEMENTS_GROUND_FIRE = "Taking Flame Damage every |cFFFFFF1|r second.\n\nIf you are Burning, take |cFFFFFF20|r% more damage from this ability.\n\nThe wall explodes when it expires, dealing additional Flame Damage.", SI_LUIE_SKILL_U_WALL_OF_ELEMENTS_GROUND_FROST = "Taking Frost Damage every |cFFFFFF1|r second and Movement Speed reduced by |cFFFFFF60|r%.\n\nIf you are Chilled you will be immobilized for |cFFFFFF4|r seconds.\n\nThe wall explodes when it expires, dealing additional Frost Damage.", SI_LUIE_SKILL_U_WALL_OF_ELEMENTS_GROUND_SHOCK = "Taking Shock Damage every |cFFFFFF1|r second.\n\nIf you are Concussed you will be set Off Balance for |cFFFFFF5|r seconds.\n\nThe wall explodes when it expires, dealing additional Shock Damage.", -- Restoration Staff SI_LUIE_SKILL_BLESSING_OF_RESTORATION = "Blessing of Restoration", SI_LUIE_SKILL_MUTAGEN = "Healing every |cFFFFFF2|r seconds for |cFFFFFF<<1>>|r seconds.\n\nIf you fall below |cFFFFFF20%|r Health, the Mutagen is consumed but instantly heals and removes |cFFFFFF1|r harmful effect.", SI_LUIE_SKILL_HEALING_WARD = "Absorbing damage for |cFFFFFF<<1>>|r seconds.\n\nWhen the shield expires, heal based of the shield's remaining strength.", SI_LUIE_SKILL_LIGHTS_CHAMPION = "Healing every |cFFFFFF1|r second for |cFFFFFF<<1>>|r seconds.\n\nGain Major Force and Major Protection for |cFFFFFF5|r seconds every time this effect heals.", ---------------------------------------------------------------- -- ARMOR SKILLS ------------------------------------------------ ---------------------------------------------------------------- -- Light Armor SI_LUIE_SKILL_HARNESS_MAGICKA = "Absorbing damage for |cFFFFFF<<1>>|r seconds.\n\nWhile active, up to three times when spell damage is absorbed, you restore Magicka.", ---------------------------------------------------------------- -- WORLD SKILLS ------------------------------------------------ ---------------------------------------------------------------- -- Soul Magic SI_LUIE_SKILL_SOUL_SUMMONS_TP = "Вы недавно воскресли без затрат Камня душ и не можете воскреснуть сова не потратив камня душ в течение |cFFFFFF<<1>>|r час.", -- TODO: Check Translation SI_LUIE_SKILL_SOUL_TRAP = "Afflicted with Magic Damage every |cFFFFFF2|r seconds for |cFFFFFF<<1>>|r seconds.\n\nYour attacker fills a soul gem if you die under this effect.", SI_LUIE_SKILL_CONSUMING_TRAP = "Afflicted with Magic Damage every |cFFFFFF2|r seconds for |cFFFFFF<<1>>|r seconds.\n\nYour attacker fills a soul gem and restores Health, Magicka, and Stamina if you die under this effect.", -- Werewolf SI_LUIE_SKILL_SANIES_LUPINUS_TP = "Вы были укушены Оборотнем и заразились Гнойным люпинусом.", SI_LUIE_SKILL_LYCANTHROPHY_TP = "Вы можете обратиться в дикого Оборотня.\n\nВы получаете на |cFFFFFF25|r% больше урона от Яда, пока находитесь в форме Вервольфа.", SI_LUIE_SKILL_BLOOD_MOON_TP = "Вы укусили другого игрока. Вы не сможете сделать этого снова в течение |cFFFFFF7|r дней.", -- TODO: Check Translation SI_LUIE_SKILL_FEEDING_FREZNY_TP = "Empowered for |cFFFFFF<<1>>|r seconds, increasing the damage of your Light Attacks by |cFFFFFF40|r%.", SI_LUIE_SKILL_CLAWS_OF_LIFE_TP = "Afflicted with Disease Damage every |cFFFFFF2|r seconds for |cFFFFFF<<1>>|r seconds.\n\nEvery time this effect deals damage, your attacker heals for |cFFFFFF50|r% of the damage done.", SI_LUIE_SKILL_WEREWOLF_TRANSFORMATION_TP = "Transformed into a werewolf.\n\nWhile transformed, your Light Attacks apply a bleed over |cFFFFFF8|r seconds, your Heavy Attacks deal |cFFFFFF50|r% splash damage, and your Max Stamina is increased by |cFFFFFF30|r%.", SI_LUIE_SKILL_PACK_LEADER_TP = "Transformed into a werewolf.\n\nWhile transformed, your Light Attacks apply a bleed over |cFFFFFF8|r seconds, your Heavy Attacks deal |cFFFFFF50|r% splash damage, and your Max Stamina is increased by |cFFFFFF30|r%.\n\nSummon two direwolves while transformed. If killed, they return after |cFFFFFF10|r seconds.", -- Vampire SI_LUIE_SKILL_PASSIVE_NOXIPHILIC_SANGUIVORIA = "Noxiphilic Sanguivoria", SI_LUIE_SKILL_NOXIPHILIC_SANGUIVORIA_TP = "You have been bitten by a Vampire and contracted Noxiphilic Sanguivoria.", SI_LUIE_SKILL_VAMPIRISM_STAGE1_TP = "• Using Vampire abilities advances your vampirism stage\n• Feeding reduces your vampirism stage, sneak up behind an enemy humanoid to feed", SI_LUIE_SKILL_VAMPIRISM_STAGE2_TP = "• Reduce Health Recovery by |cFFFFFF25|r%\n• Increase Fire Damage taken by |cFFFFFF15|r%\n• Vampire abilities cost |cFFFFFF7|r% less and advance your vampirism stage\n• Feeding reduces your vampirism stage, sneak up behind an enemy humanoid to feed", SI_LUIE_SKILL_VAMPIRISM_STAGE3_TP = "• Reduce Health Recovery by |cFFFFFF50|r%\n• Increase Fire Damage taken by |cFFFFFF20|r%\n• Vampire abilities cost |cFFFFFF14|r% less and advance your vampirism stage\n• Feeding reduces your vampirism stage, sneak up behind an enemy humanoid to feed", SI_LUIE_SKILL_VAMPIRISM_STAGE4_TP = "• Reduce Health Recovery by |cFFFFFF75|r%\n• Increase Fire Damage taken by |cFFFFFF25|r%\n• Vampire abilities cost |cFFFFFF21|r% less and advance your vampirism stage\n• Feeding reduces your vampirism stage, sneak up behind an enemy humanoid to feed", SI_LUIE_SKILL_FEED_TP = "A Vampire is draining your life force, healing every |cFFFFFF1|r second for |cFFFFFF<<1>>|r seconds and reducing their vampirism Stage when the effect ends.\n\nStunned for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_BLOOD_RITUAL_TP = "You have fed on another player. You may not do so again for |cFFFFFF7|r days.", SI_LUIE_SKILL_PROFANE_SYMBOL = "Profane Symbol", SI_LUIE_SKILL_DRAIN_ESSENCE_TP = "Afflicted with Magic Damage every |cFFFFFF1|r second for |cFFFFFF<<1>>|r seconds. Each tick heals the vampire for |cFFFFFF20|r% of their missing health.", SI_LUIE_SKILL_INVIGORATING_DRAIN_TP = "Afflicted with Magic Damage every |cFFFFFF1|r second for |cFFFFFF<<1>>|r seconds. Each tick heals the vampire for |cFFFFFF20|r% of their missing health and generates |cFFFFFF2|r Ultimate.", SI_LUIE_SKILL_MIST_FORM_TP = "Reduce damage taken by |cFFFFFF75|r% for |cFFFFFF<<1>>|r seconds.\n\nImmune to all disabling and immobilization effects while active, but cannot be healed and Magicka Recovery is disabled.", SI_LUIE_SKILL_BALEFUL_MIST_TP = "Reduce damage taken by |cFFFFFF75|r% and enemies within |cFFFFFF5|r meters take Magic Damage every |cFFFFFF1|r seconds for |cFFFFFF<<1>>|r seconds.\n\nImmune to all disabling and immobilization effects while active, but cannot be healed and Magicka Recovery is disabled.", SI_LUIE_SKILL_BAT_SWARM_TP = "Enemies within |cFFFFFF10|r meters take Magic Damage every |cFFFFFF1|r seconds for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_DEVOURING_SWARM_TP = "Enemies within |cFFFFFF10|r meters take Magic Damage every |cFFFFFF1|r seconds for |cFFFFFF<<1>>|r seconds.\n\nThe bats heal you for each enemy they damage.", SI_LUIE_SKILL_DEVOURING_SWARM_GROUND_TP = "Taking Magic Damage every |cFFFFFF1|r second.\n\nEach tick heals the Vampire.", ---------------------------------------------------------------- -- GUILD SKILLS ------------------------------------------------ ---------------------------------------------------------------- -- Fighters Guild SI_LUIE_SKILL_CIRCLE_OF_PROTECTION_TP = "You and allies in the rune gain Minor Protection and Minor Endurance.", SI_LUIE_SKILL_RING_OF_PRESERVATION_TP = "You and allies in the rune have the cost of Roll Dodge reduced by |cFFFFFF20|r% and gain Minor Protection and Minor Endurance.", SI_LUIE_SKILL_RING_OF_PRESERVATION_GROUND_TP = "The cost of Roll Dodge is reduced by |cFFFFFF20|r%.", SI_LUIE_SKILL_EXPERT_HUNTER_TP = "Revealing stealthed and invisible enemies within |cFFFFFF6|r meters for |cFFFFFF<<1>>|r seconds.\n\nExposed enemies cannot return to stealth or invisibility for |cFFFFFF3|r seconds.", SI_LUIE_SKILL_EVIL_HUNTER_TP = "Revealing stealthed and invisible enemies within |cFFFFFF6|r meters for |cFFFFFF<<1>>|r seconds.\n\nExposed enemies cannot return to stealth or invisibility for |cFFFFFF3|r seconds.\n\nWhile active the Stamina costs of your Fighters Guild abilities are reduced by |cFFFFFF25|r%.", SI_LUIE_SKILL_TRAP_BEAST_TP = "Triggers when an enemy comes close, dealing Physical Damage and afflicting them with Bleeding Damage for |cFFFFFF6|r seconds as well as immobilizing them.\n\nWhen triggered, grants you Minor Force for |cFFFFFF8|r seconds.", SI_LUIE_SKILL_TRAP_BEAST_DEBUFF_TP = "Afflicted with Bleeding Damage every |cFFFFFF2|r seconds and immobilized for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_REARMING_TRAP_TP = "Triggers when an enemy comes close, dealing Physical Damage and afflicting them with Bleeding Damage for |cFFFFFF6|r seconds as well as immobilizing them.\n\nWhen triggered, grants you Minor Force for |cFFFFFF8|r seconds.\n\nAfter being triggered the trap resets and can be triggered one more time.", SI_LUIE_SKILL_DAWNBREAKER_OF_SMITING_TP = "Afflicted with Bleeding Damage every |cFFFFFF2|r seconds for |cFFFFFF5|r seconds.\n\nStunned for |cFFFFFF2.5|r seconds.", -- Mages Guild SI_LUIE_SKILL_RADIANT_MAGELIGHT_TP = "Revealing stealthed and invisible enemies within |cFFFFFF12|r meters for |cFFFFFF<<1>>|r seconds.\n\nExposed enemies cannot return to stealth or invisibility for |cFFFFFF3|r seconds.", SI_LUIE_SKILL_ENTROPY_TP = "Afflicted with Magic Damage every |cFFFFFF2|r seconds for |cFFFFFF<<1>>|r seconds.\n\nYour attacker heals every |cFFFFFF6|r seconds while Entropy remains active.", SI_LUIE_SKILL_STRUCTURED_ENTROPY_TP = "Afflicted with Magic Damage every |cFFFFFF2|r seconds for |cFFFFFF<<1>>|r seconds.\n\nYour attacker heals every |cFFFFFF6|r seconds while Structured Entropy remains active.", SI_LUIE_SKILL_DEGENERATION_TP = "Afflicted with Magic Damage every |cFFFFFF2|r seconds for |cFFFFFF<<1>>|r seconds.\n\nYour attacker heals every |cFFFFFF6|r seconds while Degeneration remains active.\n\nLight and Heavy attacks made against you by your attacker have a |cFFFFFF15|r% chance to heal them for |cFFFFFF100|r% of the damage dealt.", SI_LUIE_SKILL_FIRE_RUNE_TP = "When triggered, the rune blasts all enemies in the target area for Flame Damage.", SI_LUIE_SKILL_VOLCANIC_RUNE_TP = "When triggered, the rune blasts all enemies in the target area for Flame Damage, knocks them into the air, and stuns them for |cFFFFFF4|r seconds.", SI_LUIE_SKILL_SCALDING_RUNE_TP = "When triggered, the rune blasts all enemies in the target area for Flame Damage and afflicts them with additional Flame Damage over time.", SI_LUIE_SKILL_EQUILIBRIUM_TP = "Reduce healing done and damage shield strength by |cFFFFFF50|r% for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_SPELL_SYMMETRY_TP = "Reduce the cost of your next Magicka ability used within |cFFFFFF<<1>>|r seconds by |cFFFFFF28|r%.", SI_LUIE_SKILL_METEOR_TP = "Enemies in the impact area take Flame Damage every |cFFFFFF1|r second.", SI_LUIE_SKILL_ICE_COMET_TP = "Enemies in the impact area take Frost Damage every |cFFFFFF1|r second.", -- Psijic Order SI_LUIE_SKILL_SPELL_ORB_TP = "When you cast a Psijic Order ability while you are in combat, you generate a spell charge.\n\nWhen you reach |cFFFFFF5|r spell charges, you launch a spell orb at the closest enemy to you dealing Magic Damage or Physical Damage, whichever is higher.", SI_LUIE_SKILL_CONCENTRATED_BARRIER_TP = "Absorbing damage while blocking.\n\nThis damage shield recharges back to full strength after you spend |cFFFFFF10|r seconds not blocking.", SI_LUIE_SKILL_TIME_STOP_TP = "Gradually being slowed over time for |cFFFFFF2|r seconds.\n\nIf you are still in the area of effect at end of this duration you will be stunned for |cFFFFFF3|r seconds.", SI_LUIE_SKILL_TIME_BORROWED_TIME_TP = "Gradually being slowed over time for |cFFFFFF2|r seconds.\n\nIf you are still in the area of effect at end of this duration you will be stunned and have the next |cFFFFFF5000|r points of healing negated for |cFFFFFF3|r seconds.", SI_LUIE_SKILL_TIME_BORROWED_TIME_STUN_TP = "Negating the next |cFFFFFF5000|r points of healing for |cFFFFFF<<1>>|r seconds.\n\nStunned for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_TIME_FREEZE_TP = "Gradually being slowed over time for |cFFFFFF4|r seconds.\n\nIf you are still in the area of effect at end of this duration you will be stunned for |cFFFFFF3|r seconds.", SI_LUIE_SKILL_IMBUE_WEAPON_TP = "Your next Light Attack used within |cFFFFFF2|r seconds deals additional Physical Damage.\n\nA portion of the resources spent are refunded if a Light Attack is not activated.", SI_LUIE_SKILL_ELEMENTAL_WEAPON_TP = "Your next Light Attack used within |cFFFFFF2|r seconds deals additional Magic Damage and applies the Burning, Concussion, or Chill status effect.\n\nA portion of the resources spent are refunded if a Light Attack is not activated.", SI_LUIE_SKILL_CRUSHING_WEAPON_TP = "Your next Light Attack used within |cFFFFFF2|r seconds deals additional Physical Damage and heals you for |cFFFFFF25|r% of the damage done.\n\nA portion of the resources spent are refunded if a Light Attack is not activated.", SI_LUIE_SKILL_MEND_WOUNDS_TP = "Your Light and Heavy attacks are replaced with healing abilities that can be used on allies.\n\nYour Light Attack applies a heal over time for |cFFFFFF10|r seconds.\n\nYour Heavy Attack heals every |cFFFFFF1|r second while channeling.", SI_LUIE_SKILL_MEND_SPIRIT_TP = "Your Light and Heavy attacks are replaced with healing abilities that can be used on allies.\n\nYour Light Attack applies a heal over time for |cFFFFFF10|r seconds.\n\nYour Heavy Attack heals every |cFFFFFF1|r second while channeling.\n\nWhile you heal an ally you grant them Major Resolve and Major Ward.", SI_LUIE_SKILL_SYMBIOSIS_TP = "Your Light and Heavy attacks are replaced with healing abilities that can be used on allies.\n\nYour Light Attack applies a heal over time for |cFFFFFF10|r seconds.\n\nYour Heavy Attack heals every |cFFFFFF1|r second while channeling.\n\nYou heal yourself for |cFFFFFF50|r% of the amount of healing done to the ally.", SI_LUIE_SKILL_MEND_WOUNDS_CHANNEL_TP = "Healing every |cFFFFFF1|r second while the channel is maintained.", SI_LUIE_SKILL_MEDITATE_TP = "Healing and restoring Magicka and Stamina every |cFFFFFF1|r second.\n\nYou will remain in a meditative state until you toggle this ability off or are interrupted.", SI_LUIE_SKILL_INTROSPECTION_TP = "Healing and restoring Magicka and Stamina every |cFFFFFF1|r second.\n\nMaintaining the channel increases the Health restored by |cFFFFFF10|r% every tick, up to a maximum of |cFFFFFF50|r%.\n\nYou will remain in a meditative state until you toggle this ability off or are interrupted.", -- Undaunted SI_LUIE_SKILL_BLOOD_ALTAR_TP = "Enemies within |cFFFFFF28|r meters of the Altar are afflicted with Minor Lifesteal.\n\nAllies in the area can activate the |cFFFFFFBlood Funnel|r synergy, healing for |cFFFFFF40|r% of their Max Health.", SI_LUIE_SKILL_OVERFLOWING_ALTAR_TP = "Enemies within |cFFFFFF28|r meters of the Altar are afflicted with Minor Lifesteal.\n\nAllies in the area can activate the |cFFFFFFBlood Feast|r synergy, healing for |cFFFFFF65|r% of their Max Health.", SI_LUIE_SKILL_TRAPPING_WEBS_TP = "Enemies caught in the webs are snared, reducing their Movement Speed by |cFFFFFF50|r%.\n\nAfter |cFFFFFF5|r seconds the webs explode, dealing Poison Damage to enemies within.\n\nA ranged ally targeting an enemy in the webs can activate the |cFFFFFFSpawn Broodlings|r synergy.", SI_LUIE_SKILL_SHADOW_SILK_TP = "Enemies caught in the webs are snared, reducing their Movement Speed by |cFFFFFF50|r%.\n\nAfter |cFFFFFF5|r seconds the webs explode, dealing Poison Damage to enemies within.\n\nA ranged ally targeting an enemy in the webs can activate the |cFFFFFFBlack Widows|r synergy.", SI_LUIE_SKILL_TANGLING_WEBS_TP = "Enemies caught in the webs are snared, reducing their Movement Speed by |cFFFFFF50|r%.\n\nAfter |cFFFFFF5|r seconds the webs explode, dealing Poison Damage to enemies within.\n\nA ranged ally targeting an enemy in the webs can activate the |cFFFFFFArachnophobia|r synergy.", SI_LUIE_SKILL_TRAPPING_WEBS_SNARE_TP = "Movement Speed reduced by |cFFFFFF50|r%.\n\nAfter |cFFFFFF5|r seconds the webs explode, dealing Poison damage.", SI_LUIE_SKILL_RADIATE_TP = "Afflicted with Magic Damage every |cFFFFFF1|r second for |cFFFFFF<<1>>|r seconds.\n\nWhen this effect ends, you and nearby allies take additional Magic Damage.", SI_LUIE_SKILL_SPAWN_BROODLINGS_TP = "Attacking nearby enemies. The spider remains for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_BONE_SHIELD_TP = "Absorbing damage for |cFFFFFF<<1>>|r seconds.\n\nAn ally near you can activate the |cFFFFFFBone Wall|r synergy.", SI_LUIE_SKILL_SPIKED_BONE_SHIELD_TP = "Absorbing damage for |cFFFFFF<<1>>|r seconds and returning |cFFFFFF43|r% of any direct damage absorbed back to the enemy.\n\nAn ally near you can activate the |cFFFFFFBone Wall|r synergy.", SI_LUIE_SKILL_BONE_SURGE_TP = "Absorbing damage for |cFFFFFF<<1>>|r seconds.\n\nAn ally near you can activate the |cFFFFFFSpinal Surge|r synergy.", ---------------------------------------------------------------- -- AVA SKILLS -------------------------------------------------- ---------------------------------------------------------------- -- Assault SI_LUIE_SKILL_CONTINUOUS_ATTACK_RANK_1_TP = "Increase Weapon and Spell Damage by |cFFFFFF5|r% and Magicka and Stamina Recovery by |cFFFFFF10|r% for |cFFFFFF10|r minutes.", SI_LUIE_SKILL_CONTINUOUS_ATTACK_RANK_2_TP = "Increase Weapon and Spell Damage by |cFFFFFF10|r% and Magicka and Stamina Recovery by |cFFFFFF20|r% for |cFFFFFF10|r minutes.", SI_LUIE_SKILL_RAPID_MANEUVER_TP = "Gain Major Expedition and Major Gallop for |cFFFFFF<<1>>|r seconds.\n\nThe effect ends if you cast any spell on an enemy or ally.", SI_LUIE_SKILL_RETREATING_MANEUEVER_TP = "Gain Major Expedition and Major Gallop for |cFFFFFF<<1>>|r seconds.\n\nAttacks from behind deal |cFFFFFF15|r% less damage while this effect persists.\n\nThe effect ends if you cast any spell on an enemy or ally.", SI_LUIE_SKILL_CHARGING_MANEUVER_TP = "Gain Major Expedition and Major Gallop for |cFFFFFF<<1>>|r seconds.\n\nThe effect ends if you cast any spell on an enemy or ally, but you gain Minor Expedition for |cFFFFFF8|r seconds.", SI_LUIE_SKILL_CALTROPS_TP = "Enemies standing in the caltrops take Physical Damage every |cFFFFFF1|r second and have their Movement Speed reduced by |cFFFFFF30|r%.", SI_LUIE_SKILL_ANTI_CAVALRY_CALTROPS_TP = "Enemies standing in the caltrops take Physical Damage every |cFFFFFF1|r second and have their Movement Speed reduced by |cFFFFFF30|r%.\n\nThe caltrops rapidly drain the Mount Stamina of any enemy in the area.", SI_LUIE_SKILL_CALTROPS_DEBUFF_TP = "Taking Physical Damage every |cFFFFFF1|r second and Movement Speed reduced by |cFFFFFF30|r%.", SI_LUIE_SKILL_ANTI_CAVALRY_CALTROPS_DEBUFF_TP = "Taking Physical Damage every |cFFFFFF1|r second and Movement Speed reduced by |cFFFFFF30|r%.\n\nThe caltrops rapidly drain Mount Stamina.", SI_LUIE_SKILL_MAGICKA_DETONATION_TP = "Cursed with a magical bomb that explodes after |cFFFFFF<<1>>|r seconds, dealing Magic Damage to you and any allies within |cFFFFFF8|r meters.\n\nEach ally within the bomb's radius increases the damage by |cFFFFFF25|r%, up to a maximum of |cFFFFFF250|r% increased damage.", SI_LUIE_SKILL_INEVITABLE_DETONATION_TP = "Cursed with a magical bomb that explodes after |cFFFFFF<<1>>|r seconds, dealing Magic Damage to you and any allies within |cFFFFFF8|r meters.\n\nEach ally within the bomb's radius increases the damage by |cFFFFFF25|r%, up to a maximum of |cFFFFFF250|r% increased damage.\n\nIf the bomb is dispelled or removed early, the explosion is triggered immediately.", SI_LUIE_SKILL_PROXIMITY_DETONATION_TP = "Charging a magical bomb that explodes after |cFFFFFF<<1>>|r seconds, dealing Magic Damage to all enemies within |cFFFFFF8|r meters.\n\nEach enemy within the bomb's radius increases the damage by |cFFFFFF25|r%, up to a maximum of |cFFFFFF250|r% increased damage.", SI_LUIE_SKILL_WAR_HORN_TP = "Increase Max Stamina and Max Magicka by |cFFFFFF10|r% for |cFFFFFF<<1>>|r seconds.", -- Support SI_LUIE_SKILL_SIEGE_SHIELD_TP = "Reduce damage taken from siege weapons by |cFFFFFF50|r%.", SI_LUIE_SKILL_SIEGE_SHIELD_GROUND_TP = "A protective sphere guards you and allies, reducing damage taken from siege weapons while in the bubble by |cFFFFFF50|r%.", SI_LUIE_SKILL_SIEGE_WEAPON_SHIELD_TP = "Reduce damage taken from siege weapons by |cFFFFFF50|r%.\n\nYour siege weapons take |cFFFFFF90|r% reduced damage from enemy siege weapons.", SI_LUIE_SKILL_SIEGE_WEAPON_SHIELD_GROUND_TP = "A protective sphere guards you and allies, reducing damage taken from siege weapons while in the bubble by |cFFFFFF50|r%.\n\nYou and allies' siege weapons in the bubble take |cFFFFFF90|r% reduced damage from enemy siege weapons.", SI_LUIE_SKILL_PROPELLING_SHIELD_TP = "Reduce damage taken from siege weapons by |cFFFFFF50|r% and increase the range of abilities with a range greater than |cFFFFFF20|r meters by |cFFFFFF7|r meters.\n\nDoes not effect Leap, Move Position, and Pull abilities.", SI_LUIE_SKILL_PROPELLING_SHIELD_GROUND_TP = "A protective sphere guards you and allies, reducing damage taken from siege weapons while in the bubble by |cFFFFFF50|r%.\n\nIncrease the range of you and allies' abilities with a range greater than |cFFFFFF20|r meters by |cFFFFFF7|r meters in the bubble.\n\nDoes not effect Leap, Move Position, and Pull abilities.", SI_LUIE_SKILL_PURGE_TP = "Reduce the duration of new negative effects applied on you by |cFFFFFF50|r% for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_GUARD_SELF_TP = "While the lifebond holds, |cFFFFFF30|r% of the damage your ally takes is redistributed to you.", SI_LUIE_SKILL_GUARD_OTHER_TP = "While the lifebond holds, |cFFFFFF30|r% of the damage you take is redistributed to your ally.", SI_LUIE_SKILL_REVEALING_FLARE_TP = "Revealed. You are unable to stealth.\n\nMovement Speed reduced by |cFFFFFF50|r% for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_LINGERING_FLARE_TP = "Enemies in the target area are revealed and have their Movement Speed reduced by |cFFFFFF50|r% for |cFFFFFF3|r seconds.", SI_LUIE_SKILL_SCORCHING_FLARE_TP = "Revealed. You are unable to stealth.\n\nAfflicted with Flame Damage every |cFFFFFF1.5|r seconds and Movement Speed reduced by |cFFFFFF50|r% for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_REVIVING_BARRIER_TP = "Absorbing damage and healing every |cFFFFFF1.5|r seconds for |cFFFFFF30|r seconds.", ---------------------------------------------------------------- -- RACIAL SKILLS ----------------------------------------------- ---------------------------------------------------------------- SI_LUIE_SKILL_HUNTERS_EYE_TP = "Increase Movement Speed by |cFFFFFF<<1>>|r% and Physical and Spell Penetration by |cFFFFFF<<2>>|r for |cFFFFFF6|r seconds.", ---------------------------------------------------------------- -- CYRODIIL ---------------------------------------------------- ---------------------------------------------------------------- SI_LUIE_SKILL_AVA_SANCTUARY_TP = "While in a Sanctuary, you cannot attack other players and other players cannot attack you.", SI_LUIE_SKILL_STOW_SIEGE_WEAPON = "Stow Siege Weapon", SI_LUIE_SKILL_DEPLOY = "Deploy", SI_LUIE_SKILL_PACT = "Pact", SI_LUIE_SKILL_COVENANT = "Covenant", SI_LUIE_SKILL_DOMINION = "Dominion", SI_LUIE_SKILL_LIGHTNING_BALLISTA = "Lightning Ballista", SI_LUIE_SKILL_LIGHTNING_BALLISTA_BOLT_TP = "Afflicted with Shock Damage every |cFFFFFF2|r seconds and Movement Speed reduced by |cFFFFFF50|r% for |cFFFFFF<<1>>|r seconds. Each tick drains |cFFFFFF10|r% of your Max Magicka.", SI_LUIE_SKILL_MEATBAG_CATAPULT_TP = "Healing and Health Recovery reduced by |cFFFFFF50|r% for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_MEATBAG_CATAPULT_GROUND_TP = "Enemies in the area take Disease Damage every |cFFFFFF1|r second and suffer |cFFFFFF50|r% reduced Healing and Health Recovery for |cFFFFFF6|r seconds.", SI_LUIE_SKILL_OIL_CATAPULT_GROUND_TP = "Enemies in the oil are snared, reducing their Movement Speed by |cFFFFFF50|r% for |cFFFFFF6|r seconds.", SI_LUIE_SKILL_SCATTERSHOT_CATAPULT_TP = "Increase damage taken from all sources by |cFFFFFF20|r% for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_SCATTERSHOT_CATAPULT_GROUND_TP = "Enemies in the area take Physical Damage every |cFFFFFF1|r second and take |cFFFFFF20|r% more damage from all sources for |cFFFFFF6|r seconds.", SI_LUIE_SKILL_COLD_STONE_TREBUCHET = "Cold Stone Trebuchet", SI_LUIE_SKILL_COLD_FIRE_TREBUCHET = "Cold Fire Trebuchet", SI_LUIE_SKILL_COLD_FIRE_BALLISTA = "Cold Fire Ballista", SI_LUIE_SKILL_GUARD_DETECTION = "Vigilance", SI_LUIE_SKILL_GUARD_DETECTION_TP = "Guards are particularly vigilant and can see nearby players that are hiding in stealth.", SI_LUIE_SKILL_BLESSING_OF_WAR_TP = "Increase Alliance Points earned by |cFFFFFF20|r% for |cFFFFFF1|r hour.\n\nOnly active while in Cyrodiil or Cyrodiil delves.", SI_LUIE_SKILL_PUNCTURE_CYRODIIL_TP = "Increase damage taken by |cFFFFFF30|r% for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_RAZOR_ARMOR_TP = "Decrease damage taken by |cFFFFFF30|r% for |cFFFFFF<<1>>|r seconds.\n\nWhile active the armor returns Physical Damage to attackers.", SI_LUIE_SKILL_PUNCTURING_CHAINS_TP = "Increase damage taken by |cFFFFFF21.5|r% for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_UNSTABLE_CORE_CYRODIIL_TP = "Your single target ranged abilities are reflected back on you for |cFFFFFF<<1>>|r seconds.\n\nThe core explodes when this effect ends, dealing Magic Damage.", SI_LUIE_SKILL_SHATTERING_PRISON_CYRODIIL_TP = "Disoriented for |cffffff<<1>>|r <<1[second/seconds]>>.\n\nThe prison shatters when this effect ends, dealing Magic Damage.", SI_LUIE_SKILL_LETHAL_ARROW_CYRODIIL_TP = "Reduce healing received by |cFFFFFF50|r% for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_SIEGE_SHIELD_CYRODIIL_TP = "Negate damage taken from Siege Weapons for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_POWER_BASH_CYRODIIL_TP = "Stunned for |cFFFFFF<<1>>|r seconds.\n\nWhen this effect ends you will be disoriented for |cffffff15|r seconds.", SI_LUIE_SKILL_ELDER_SCROLL_TP = "Carrying the |cFFFFFF<<1>>|r.", SI_LUIE_SKILL_MEATBAG_CATAPULT_AOE_TP = "Taking Disease Damage every |cFFFFFF1|r second.\n\nHealing and Health Recovery reduced by |cFFFFFF50|r% for |cFFFFFF6|r seconds whenever you take damage from this effect.", SI_LUIE_SKILL_SCATTERSHOT_CATAPULT_AOE_TP = "Taking Physical Damage every |cFFFFFF1|r second.\n\nIncrease damage taken from all sources by |cFFFFFF20|r% for |cFFFFFF6|r seconds whenever you take damage from this effect.", ---------------------------------------------------------------- -- BATTLEGROUNDS ----------------------------------------------- ---------------------------------------------------------------- SI_LUIE_SKILL_MARK_OF_THE_WORM_TP = "Cursed with a magical bomb that explodes after |cFFFFFF<<1>>|r seconds, dealing Magic Damage.", ---------------------------------------------------------------- -- TRAPS ------------------------------------------------------- ---------------------------------------------------------------- SI_LUIE_SKILL_LAVA_SNARE_TP = "Taking Flame Damage every |cFFFFFF1|r second and Movement Speed reduced by |cFFFFFF30|r%.", SI_LUIE_SKILL_LAVA_STACK_TP = "Taking increasing Flame Damage every |cFFFFFF1|r second.", SI_LUIE_SKILL_LAVA_TRAP = "Lava Trap", SI_LUIE_SKILL_LIGHTNING_TRAP = "Lightning Trap", SI_LUIE_SKILL_SPIKE_TRAP_TP = "Movement Speed reduced by |cFFFFFF25|r% for |cFFFFFF5|r seconds.\n\nImmobilized for |cFFFFFF0.8|r seconds.", SI_LUIE_SKILL_FIRE_TRAP_TP = "Taking Flame Damage every |cFFFFFF0.75|r seconds and Movement Speed reduced by |cFFFFFF50|r%.", SI_LUIE_SKILL_FIRE_TRAP_CELLS_TP = "Taking Flame Damage every |cFFFFFF1.5|r seconds and Movement Speed reduced by |cFFFFFF50|r%.", SI_LUIE_SKILL_SPIKE_TRAP_AURIDON_TP = "Movement Speed reduced by |cFFFFFF25|r% for |cFFFFFF10|r seconds.\n\nThis effect stacks up to |cFFFFFF3|r times, to a maximum of |cFFFFFF75|r% Movement Speed reduction.\n\nStunned for |cFFFFFF1|r second.", ---------------------------------------------------------------- -- SETS -------------------------------------------------------- ---------------------------------------------------------------- -- Set Names SI_LUIE_SKILL_SET_BOGDAN_THE_NIGHTFLAME = "Bogdan the Nightflame", SI_LUIE_SKILL_SET_LORD_WARDEN_DUSK = "Lord Warden Dusk", SI_LUIE_SKILL_SET_MALUBETH_THE_SCOURGER = "Malubeth the Scourger", SI_LUIE_SKILL_SET_TROLL_KING = "Troll King", SI_LUIE_SKILL_SET_REDISTRIBUTION = "Redistribution", SI_LUIE_SKILL_SET_ICE_FURNACE = "Ice Furnace", SI_LUIE_SKILL_SET_COOLDOWN = "Перезарядка", -- Used as suffix for certain abilities internal cooldown SI_LUIE_SKILL_DISGUISE_MONKS_DISGUISE = "Monk\'s Disguise", -- Weapon Sets SI_LUIE_SKILL_SET_ASYLUM_BOW = "Your next Snipe, Scatter Shot, or Poison Arrow used within |cffffff6|r seconds deals |cffffff<<1>>|r% additional damage.", -- TODO: Translate SI_LUIE_SKILL_SET_ASYLUM_DESTRUCTION_STAFF = "Каждое третье применение Force Shock в течение |cffffff10|r секунд будет всегда накладывать эффекты Burning, Concussion и Chilled.", SI_LUIE_SKILL_SET_ASYLUM_DESTRUCTION_STAFF_PERFECT = "Каждое второе применение Force Shock в течение |cffffff10|r секунд будет всегда накладывать эффекты Burning, Concussion и Chilled.", SI_LUIE_SKILL_SET_ASYLUM_RESTORATION_STAFF = "Reduce the cost of your Magicka and Stamina healing abilities by |cffffff<<1>>|r% for |cffffff3|r seconds.", -- TODO: Translate SI_LUIE_SKILL_SET_MAELSTROM_DW = "Ваше следующие применение DoT-способности в течение |cffffff10|r секунд даст |cffffff2003|r урона Заклинаниями и Оружием.", SI_LUIE_SKILL_SET_MAELSTROM_1H = "Ваша следующая полностью заряженная Силовая атака, применённая в течение |cffffff5|r секунд дополнительно восстановит |cffffff2000|r Магии и Запаса сил.", SI_LUIE_SKILL_SET_MASTER_1H = "Gain up to |cffffff2500|r Spell and Physical Resistance for |cffffff3|r seconds based off the amount you healed with Puncturing Remedy.", -- TODO: Translate SI_LUIE_SKILL_SET_BLACKROSE_1H_TP = "Снижает стоимость применения следующей способности ветки Одноручного оружия и щита на |cffffff100|r%.", SI_LUIE_SKILL_SET_BLACKROSE_DESTRO_TP = "Afflicted with consecutive Flame, Shock, and Frost Damage every |cffffff2|r seconds for |cffffff8|r seconds.", -- TODO: Translate -- Monster Helms SI_LUIE_SKILL_SET_BALORGH = "Увеличивает урон от Оружия и Заклинаний на значение, вдвое большее, чем потраченные при применении ульты очки, на |cFFFFFF10|r секунд.", SI_LUIE_SKILL_SET_BOGDAN = "You and allies within |cFFFFFF5|r meters of the totem are healed every |cFFFFFF1|r second.", -- TODO: Translate SI_LUIE_SKILL_SET_DOMIHAUS_BUFF_STAMINA = "Повышает урон от Оружия, пока находитесь в круге.", SI_LUIE_SKILL_SET_DOMIHAUS_DAMAGE_STAMINA = "Enemies on the edge of the ring take Physical Damage every |cffffff1|r second.\n\nIncrease Weapon Damage while standing within the ring.", SI_LUIE_SKILL_SET_DOMIHAUS_BUFF_MAGICKA = "Повышает урон от Заклинаний, пока находитесь в круге.", SI_LUIE_SKILL_SET_DOMIHAUS_DAMAGE_MAGICKA = "Enemies on the edge of the ring take Flame Damage every |cffffff1|r second.\n\nIncrease Spell Damage while standing within the ring.", -- TODO: Translate SI_LUIE_SKILL_SET_EARTHGORE = "You and allies in the pool of blood are healed every |cFFFFFF1|r second.", -- TODO: Translate SI_LUIE_SKILL_SET_GROTHDARR = "Enemies within |cFFFFFF8|r meters take Flame Damage every |cFFFFFF1|r секунду в течение |cFFFFFF5|r секунд.", SI_LUIE_SKILL_SET_ICEHEART = "Absorbing damage for |cFFFFFF<<1>>|r seconds.\n\nEnemies within |cFFFFFF5|r meters take Frost Damage every |cFFFFFF1|r second while the damage shield holds.", -- TODO: Translate SI_LUIE_SKILL_SET_ILAMBRIS = "Enemies within |cffffff4|r meters of the meteor shower take <<1>> Damage every |cFFFFFF1|r second.", -- TODO: Translate SI_LUIE_SKILL_SET_LORD_WARDEN_GROUND = "Increase Physical and Spell Resistance.", -- TODO: Translate SI_LUIE_SKILL_SET_LORD_WARDEN_BUFF = "You and allies within |cFFFFFF8|r meters of the shadow orb have increased Physical and Spell Resistance.", -- TODO: Translate SI_LUIE_SKILL_SET_MALUBETH = "Высасывает здоровье каждые |cFFFFFF0.5|r секунды в течение |cFFFFFF4|r секунд, пока луч активен.", SI_LUIE_SKILL_SET_MAW_OF_THE_INFERNAL = "A fire breathing Daedroth fights at your side. The daedroth remains for |cFFFFFF15|r seconds or until killed.", -- TODO: Translate SI_LUIE_SKILL_SET_MIGHTY_CHUDAN = "Mighty Chudan", SI_LUIE_SKILL_SET_MOLAG_KENA_TP = "При нанесении урона |cFFFFFF2|r последовательными обычными атаками, активируется способность |cFFFFFFOverload|r на |cFFFFFF6|r секунд.", SI_LUIE_SKILL_SET_MOLAG_KENA_OVERKILL_TP = "Увеличивает урон от Оружия и Заклинания, но повышает стоимость способностей на |cFFFFFF20|r% в течение |cFFFFFF6|r секунд.", SI_LUIE_SKILL_SET_PIRATE_SKELETON_TP = "Gain Major Protection and Minor Defile for |cFFFFFF12|r seconds.", -- TODO: Translate SI_LUIE_SKILL_SET_SENTINEL_OF_REKUGAMZ_TP = "After |cFFFFFF2|r seconds, you and allies within |cffffff5|r meters of the Dwemer Spider are healed every |cffffff1|r second.", -- TODO: Translate SI_LUIE_SKILL_SET_SHADOWREND_TP = "A shadowy Clannfear fights at your side. The clannfear remains for |cFFFFFF15|r seconds.", -- TODO: Translate SI_LUIE_SKILL_SET_SLIMECRAW = "Slimecraw", SI_LUIE_SKILL_SET_SPAWN_OF_MEPHALA_TP = "Противники в радиусе |cffffff4|r метров от паутины получают урон Ядом каждую |cffffff1|r секунду, а их скорость передвижения снижена на |cffffff50|r% в течение |cffffff10|r секунд.", SI_LUIE_SKILL_SET_SPAWN_OF_MEPHALA_SNARE_TP = "Taking Poison Damage every |cffffff1|r second and Movement Speed reduced by |cffffff50|r%.", -- TODO: Translate SI_LUIE_SKILL_SPAWN_OF_MEPHALA_GROUND_TP = "Taking Poison Damage every |cFFFFFF1|r second and Movement Speed reduced by |cFFFFFF50|r%.", -- TODO: Translate SI_LUIE_SKILL_SET_STORMFIST_TP = "Enemies within |cffffff4|r meters of the thunderfist take Shock Damage every |cffffff1|r second.\n\nAfter |cffffff3|r seconds the fist closes, dealing Physical Damage.", -- TODO: Translate SI_LUIE_SKILL_STORMFIST_GROUND_TP = "Taking Shock Damage every |cFFFFFF1|r second.\n\nAfter |cffffff3|r seconds the fist closes, dealing Physical Damage.", -- TODO: Translate SI_LUIE_SKILL_SET_ENGINE_GUARDIAN = "Восстанавливает <<1>> каждые |cffffff0.5|r секунды в течение |cffffff6.5|r секунд.", SI_LUIE_SKILL_SET_THE_TROLL_KING_TP = "Восстановление Здоровья увеличено в течение |cffffff10|r секунд.", SI_LUIE_SKILL_SET_THURVOKUN_TP = "Enemies in the pool take Disease Damage every |cffffff1|r second and are afflicted with Minor Maim and Minor Defile for |cffffff4|r seconds.", -- TODO: Translate SI_LUIE_SKILL_SET_ZAAN_TP = "Подвержен увеличивающемуся урону от Огня каждую |cffffff1|r секунду в течение |cffffff5|r секунд, пока луч активен.", SI_LUIE_SKILL_SET_ENERGY_CHARGE = "Energy Charge", SI_LUIE_SKILL_SET_ENERGY_CHARGE_TP = "Gain an Energy Charge for |cffffff<<1>>|r seconds when you block an attack.\n\nWhen you gain |cffffff6|r charges, release the energy, restoring Stamina and Magicka and Healing.", SI_LUIE_SKILL_SET_MERIDIAS_FAVOR_TP = "Restoring Magicka or Stamina, whichever maximum is higher, every |cffffff1|r second for |cffffff<<1>>|r seconds.", SI_LUIE_SKILL_SET_AURORANS_THUNDER_TP = "Enemies in a cone in front of you take Shock Damage every |cffffff0.5|r seconds for |cffffff<<1>>|r seconds.", SI_LUIE_SKILL_SET_TZOGVINS_WARBAND_TP = "Increase Weapon Critical for |cffffff10|r seconds, stacking up to |cffffff10|r times.\n\nAt max stacks, you also gain Minor Force.", SI_LUIE_SKILL_SET_FROZEN_WATCHER_TP = "Nearby enemies take Frost Damage every |cffffff1|r second while you are blocking.\n\nYour blizzard has a |cffffff15|r% chance of inflicting Chilled on enemies damaged.", -- Crafted Sets SI_LUIE_SKILL_SET_ALESSIAS_BULWARK = "Урон от Оружия снижен на |cffffff10|r% в течение |cFFFFFF5|r секунд.", SI_LUIE_SKILL_SET_CLEVER_ALCHEMIST = "Урон от оружие и Заклинаний увеличен в течение |cFFFFFF15|r секунд.", SI_LUIE_SKILL_SET_ETERNAL_HUNT = "Взрывается при приближении противника, нанося урон Ядом и обездвиживая их на |cFFFFFF1.5|r секунды.", SI_LUIE_SKILL_SET_MORKULDIN = "An animated weapon fights at your side. The animated weapon remains for |cFFFFFF15|r seconds.", -- TODO: Translate SI_LUIE_SKILL_SET_TAVAS_FAVOR = "Generating |cFFFFFF3|r Ultimate every |cFFFFFF1|r second for |cFFFFFF3|r seconds.", -- TODO: Translate SI_LUIE_SKILL_SET_TRIAL_BY_FIRE = "Повышает <<1>> сопротивляемость в течении |cffffff4|r секунд.", SI_LUIE_SKILL_SET_VARENS_LEGACY = "Your next direct damage area of effect attack used within |cFFFFFF<<1>>|r seconds deals additional damage.", -- TODO: Translate SI_LUIE_SKILL_SET_MECHANICAL_ACUITY = "Повышает шанс критического удара Заклинанием и Оружием до |cFFFFFF100|r% в течение |cffffff5|r секунд.", SI_LUIE_SKILL_SET_ADEPT_RIDER = "Enemies in the dust cloud take Physical Damage every |cffffff1|r second.", -- TODO: Translate -- Light / Medium / Heavy Armor Sets SI_LUIE_SKILL_SET_BAHRAHAS_CURSE_TP = "Enemies in the desecrated ground take Magic Damage every |cffffff1|r second and have their Movement Speed reduced by |cffffff70|r%.\n\nYou heal for |cffffff100|r% of the damage done.", -- TODO: Translate SI_LUIE_SKILL_BAHRAHAS_CURSE_GROUND_TP = "Taking Magic Damage every |cFFFFFF1|r second and Movement Speed reduced by |cFFFFFF70|r%.\n\nEach tick heals your attacker.", -- TODO: Translate SI_LUIE_SKILL_SET_WAY_OF_MARTIAL_KNOWLEDGE_TP = "Increase damage taken from the next attack by |cffffff10|r%.", -- TODO: Translate SI_LUIE_SKILL_SET_BRIARHEART_TP = "Ваши критические удары исцеляют вас в течение |cffffff10|r секунд.", SI_LUIE_SKILL_SET_SENCHE_TP = "Увеличен урон от Оружия и шанс критического удара на |cffffff5|r секунд.", SI_LUIE_SKILL_SET_UNFATHOMABLE_DARKNESS_TP = "Every |cffffff3|r seconds a crow will be sent to peck the closest enemy within |cffffff12|r meters, dealing Physical Damage.", -- TODO: Translate SI_LUIE_SKILL_SET_SHALK_EXOSKELETON = "Shalk Exoskeleton", SI_LUIE_SKILL_SET_ORDER_OF_DIAGNA = "Order of Diagna", SI_LUIE_SKILL_SET_STORM_KNIGHT_TP = "Enemies within |cffffff5|r meters take Shock Damage every |cffffff2|r seconds for |cffffff6|r seconds.", -- TODO: Translate SI_LUIE_SKILL_SET_VAMPIRE_CLOAK = "Vampire Cloak", SI_LUIE_SKILL_SET_WARRIOR_POET = "Warrior-Poet", SI_LUIE_SKILL_SET_GRACE_OF_GLOOM_TP = "Your Light and Heavy Attacks heal you for the next |cffffff5|r seconds.", -- TODO: Translate SI_LUIE_SKILL_SET_DRAUGRS_REST_TP = "You and allies within |cffffff5|r meters of the consecrated circle heal every |cffffff1|r second.", -- TODO: Translate SI_LUIE_SKILL_SET_OVERWHELMING_SURGE_TP = "The closest enemy within |cffffff12|r meters takes Shock Damage every |cffffff1|r second for |cffffff6|r seconds.", -- TODO: Translate SI_LUIE_SKILL_SANCTUARY_TP = "Увеличивает получаемое исцеление на |cffffff12|r%.", SI_LUIE_SKILL_SHROUD_OF_THE_LICH_TP = "Увеличивает восстановление Магии на |cffffff20|r секунд.", SI_LUIE_SKILL_SET_NOBLE_DUELIST = "Noble Duelist's Silks", SI_LUIE_SKILL_SET_WORMS_RAIMENT_TP = "Снижает стоимость способностей, расходующих Магию, на |cffffff4|r%.", SI_LUIE_SKILL_SET_HIRCINES_VENEER_TP = "Снижает стоимость способностей, расходующих Запас сил, на |cffffff4|r%.", SI_LUIE_SKILL_SET_JAILBREAKER = "Jailbreaker", SI_LUIE_SKILL_PLAGUE_SLINGER_TP = "Выпускает ядовитый шар в ближайшего противника, нанося урон от Яда каждую |cffffff1|r секунду в течение |cffffff<<1>>|r секунд.", SI_LUIE_SKILL_SET_STORM_MASTER_TP = "Ваши Обычные атаки наносят урон от Электричества в течение |cffffff20|r секунд.", SI_LUIE_SKILL_SET_ESSENCE_THIEF_TP = "Увеличивает наносимый урон на |cffffff12|r% в течение |cffffff10|r секунд.", SI_LUIE_SKILL_SET_TOOTHROW = "Toothrow", SI_LUIE_SKILL_SET_BLOOD_SCENT = "When you deal Critical Damage with a melee Light Attack, you gain a stack of Blood Scent for |cffffff8|r seconds.\n\nWhen you gain |cffffff5|r stacks, you become Frenzied for |cffffff5|r seconds.", -- TODO: Translate SI_LUIE_SKILL_SET_FRENIZED = "Увеличивает урон от Обычных атак и их скорость на |cffffff50|r% а течение |cffffff5|r секунд.", SI_LUIE_SKILL_SET_EBON_ARMORY = "Увеличивает максимальное Здоровье.", SI_LUIE_SKILL_SET_EMBERSHIELD = "Increase Spell Resistance.\n\nEnemies within |cffffff5|r meters take Flame Damage every |cffffff1|r second for |cffffff6|r seconds.", -- TODO: Translate SI_LUIE_SKILL_SET_HAGRAVENS_GARDEN = "Any damage you take from enemies outside of the preservation is reduced by |cffffff50|r%.\n\nThe first time an enemy tries to enter the preservation they are knocked back |cffffff5|r meters.", -- TODO: Translate SI_LUIE_SKILL_SET_JOLTING_ARMS = "Increase Spell Resistance for |cffffff<<1>>|r seconds and your next Bash deals additional Shock Damage.", -- TODO: Translate SI_LUIE_SKILL_SET_LEECHING_PLATE_TP = "Enemies in the |cffffff4|r meter radius of the poison cloud take Poison Damage every |cffffff1|r second and heal you for |cffffff100|r% of the damage dealt.", -- TODO: Translate SI_LUIE_SKILL_SET_MEDUSA = "Medusa", SI_LUIE_SKILL_SET_HAND_OF_MEPHALA_TP = "Enemies in the web have their Movement Speed reduced by |cffffff50|r% for |cffffff5|r seconds.\n\nAfter |cffffff5|r seconds the webs burst into venom, dealing Poison Damage and applying Minor Fracture to any enemy hit for |cffffff5|r seconds.", -- TODO: Translate SI_LUIE_SKILL_SET_RATTLECAGE = "Rattlecage", SI_LUIE_SKILL_SET_DREUGH_KING_SLAYER = "Dreugh King Slayer", SI_LUIE_SKILL_LEECHING_PLATE_GROUND_TP = "Taking Poison Damage every |cFFFFFF1|r second.\n\nEach tick heals your attacker.", SI_LUIE_SKILL_HAND_OF_MEPHALA_GROUND_TP = "Movement Speed reduced by |cffffff50|r%.\n\nAfter |cffffff5|r seconds the webs burst into venom, dealing Poison Damage and applying Minor Fracture for |cffffff5|r seconds.", -- Trial Sets SI_LUIE_SKILL_SET_BERSERKING_WARRIOR_TP = "Increase Weapon Critical for |cffffff5|r seconds, stacking up to |cffffff5|r times.", -- TODO: Translate SI_LUIE_SKILL_SET_ETERNAL_IMMORTAL_WARRIOR_TP = "Вы недавно были обращены в статую и не можете избежать смерти этим способом снова.", SI_LUIE_SKILL_SET_DESTRUCTIVE_MAGE_TP = "Когда другой игрок поразит эту же цель полностью заряженной Силовой атакой, бомба взорвётся, нанося Магический урон всем противникам в радиусе |cffffff8|r метров.", SI_LUIE_SKILL_SET_HEALING_MAGE_TP = "Снижает урон от Оружия на |cffffff3|r секунды.", SI_LUIE_SKILL_SET_TWICE_FANGED_SERPENT_TP = "Повышает Физическое пробитие на |cffffff3|r секунды, суммируется до |cffffff5|r раз.", SI_LUIE_SKILL_SET_ALKOSH_TP = "Снижает Физическую и Магическую сопротивляемости на |cffffff10|r секунд.", SI_LUIE_SKILL_SET_LUNAR_BASTION_TP = "Absorb damage every |cffffff2|r seconds while standing in the lunar blessing.", -- TODO: Translate SI_LUIE_SKILL_SET_VESTMENT_OF_OLORIME_TP = "You and allies standing in the circle of might gain Major Courage for |cffffff30|r seconds.", -- TODO: Translate SI_LUIE_SKILL_SET_MANTLE_OF_SIRORIA_TP = "Standing in the ring grants you a stack of Siroria's Boon every |cffffff1|r second.", -- TODO: Translate SI_LUIE_SKILL_SET_SIRORIAS_BOON_TP = "Увеличивает урон от Заклинаний на |cffffff30|r в течение |cffffff5|r секунд, суммируется максимум до |cffffff20|r раз.", SI_LUIE_SKILL_SET_RELEQUENS_TP = "Afflicted with Physical damage every |cffffff1|r second for |cffffff5|r seconds.", -- TODO: Translate -- Battleground Sets SI_LUIE_SKILL_SET_COWARDS_GEAR = "Coward's Gear", SI_LUIE_SKILL_SET_VANGUARDS_CHALLENGE_TP = "Наносите на |cffffff100|r% больше урона игроку, который провоцирует вас, но на |cffffff50|r% меньше урона другим игрокам в течение |cffffff15|r секунд.", -- Imperial City Sets SI_LUIE_SKILL_SET_GALERIONS_REVENGE_TP = "Marked for |cffffff15|r seconds.\n\nIf |cffffff6|r Marks of Revenge are applied they detonate for Magic Damage.", -- TODO: Translate SI_LUIE_SKILL_SET_MERITORIUS_SERVICE_TP = "Физическая и Магическая сопротивляемости повышены на |cffffff2|r минуты.", SI_LUIE_SKILL_SET_PHOENIX_TP = "Вы недавно возродились как феникс и не можете избежать смерти этим способом снова.", -- Alliance War Sets SI_LUIE_SKILL_SET_SOLDIER_OF_ANGUISH_TP = "Нивелирует получаемое исцеление в течение |cffffff4|r секунд.", SI_LUIE_SKILL_SET_SPELL_STRATEGIST_TP = "Увеличивает урон от Заклинаний против цели в течение |cffffff5|r секунд.", SI_LUIE_SKILL_SET_SUCCESSION_TP = "Увеличивает урон от Заклинаний атакам, наносящим урон с типом \"<<1>>\", в течение |cffffff4|r секунд.", SI_LUIE_SKILL_SET_PARA_BELLUM_TP = "Даёт щит от урона, если вы не получали никакого урона в течение как минимум |cffffff10|r секунд.", SI_LUIE_SKILL_SET_GLORIOUS_DEFENDER_TP = "|cffffff100|r% шанс уклониться от следующей атаки.", SI_LUIE_SKILL_SET_HEALERS_HABIT = "Healer's Habit", SI_LUIE_SKILL_SET_CYRODIILS_LIGHT_TP = "Ваша следующая способность, расходующая Магию, применённая в течение |cffffff30|r секунд, будет применена бесплатно.", SI_LUIE_SKILL_SET_MORAG_TONG_TP = "Увеличивает урон, получаемый от способностей с уроном от Яда, на |cffffff10|r% в течение |cffffff5|r секунд.", SI_LUIE_SKILL_SET_WARRIORS_FURY_TP = "Increase Weapon Damage for |cffffff6|r seconds when you take Critical Damage, stacking up to |cffffff25|r times.", SI_LUIE_SKILL_SET_ROBES_OF_TRANSMUTATION_TP = "Increase Critical Resistance for |cffffff20|r seconds.", SI_LUIE_SKILL_SET_BECKONING_STEEL_TP = "Reduce damage taken from projectiles by |cffffff10|r%.", SI_LUIE_SKILL_SET_SENTRY_TP = "Dramatically increase Stealth Detection radius for |cffffff<<1>>|r seconds.", SI_LUIE_SKILL_SET_SENTRY_ICD_TP = "You have recently crouched to increase detection and cannot do so again.", ---------------------------------------------------------------- -- NPC ABILITY / QUEST TOOLTIPS -------------------------------- ---------------------------------------------------------------- SI_LUIE_SKILL_ANCHOR_DROP = "Anchor Drop", SI_LUIE_SKILL_SHIELD_RUSH = "Shield Rush", SI_LUIE_SKILL_BLITZ = "Blitz", SI_LUIE_SKILL_BARRELING_CHARGE = "Barreling Charge", SI_LUIE_SKILL_ZOOM = "Zoom", SI_LUIE_SKILL_PLOW = "Plow", SI_LUIE_SKILL_DEFENSIVE_WARD = "Defensive Ward", SI_LUIE_SKILL_GREAT_CLEAVE = "Great Cleave", SI_LUIE_SKILL_INSPIRE = "Inspire", SI_LUIE_SKILL_HIDE_IN_SHADOWS = "Hide in Shadows", SI_LUIE_SKILL_SHADOWY_BARRIER = "Shadowy Barrier", SI_LUIE_SKILL_MIGHTY_CHARGE = "Mighty Charge", SI_LUIE_SKILL_DETECTION = "Detection", SI_LUIE_SKILL_IMPROVED_SHOCK_TORRENT = "Improved Shock Torrent", SI_LUIE_SKILL_SIEGE_BARRIER = "Siege Barrier", SI_LUIE_SKILL_PUNCTURING_CHAINS = "Puncturing Chains", SI_LUIE_SKILL_IMPROVED_VOLLEY = "Improved Volley", SI_LUIE_SKILL_FIRE_TORRENT = "Fire Torrent", SI_LUIE_SKILL_RIP_AND_TEAR = "Rip and Tear", SI_LUIE_SKILL_LEECHING_BITE = "Leeching Bite", SI_LUIE_SKILL_FETCHERFLY_COLONY = "Fetcherfly Colony", SI_LUIE_SKILL_EMPOWER_ATRONACH_FLAME = "Empower Atronach: Flame", SI_LUIE_SKILL_EMPOWER_ATRONACH_FROST = "Empower Atronach: Frost", SI_LUIE_SKILL_EMPOWER_ATRONACH_STORM = "Empower Atronach: Storm", SI_LUIE_SKILL_EMPOWER_ATRONACH_FLAME_TP = "The death of a nearby Flame Atronach has empowered this Air Atronach, granting it the use of |cFFFFFFFlame Tornado|r for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_EMPOWER_ATRONACH_FLAME_UNLIMITED_TP = "This Air Atronach is empowered, granting it the use of |cFFFFFFFlame Tornado|r.", SI_LUIE_SKILL_EMPOWER_ATRONACH_STORM_TP = "The death of a nearby Storm Atronach has empowered this Air Atronach, granting it the use of |cFFFFFFLightning Rod|r for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_EMPOWER_ATRONACH_FROST_TP = "The death of a nearby Frost Atronach has empowered this Air Atronach, granting it the use of |cFFFFFFIce Vortex|r for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_STORM_BOUND_TP = "Afflicted with Shock Damage every |cFFFFFF1|r second and Movement Speed reduced by |cFFFFFF50|r% for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_CHILLING_AURA_TP = "Nearby enemies have their Movement Speed reduced by |cFFFFFF20|r%.", SI_LUIE_SKILL_RADIANCE_TP = "Nearby enemies take Flame Damage every |cFFFFFF1|r second.", SI_LUIE_SKILL_LIGHTNING_ROD_TP = "Afflicted with Shock Damage every |cFFFFFF1|r second for |cFFFFFF<<1>>|r seconds.\n\nDeals additional Shock Damage if the channel is finished.", SI_LUIE_SKILL_COLOSSAL_STOMP = "Colossal Stomp", SI_LUIE_SKILL_DUST_CLOUD = "Dust Cloud", SI_LUIE_SKILL_BATTLE_SPIRIT = "Battle Spirit", SI_LUIE_SKILL_COLD_FIRE_TRAP = "Cold Fire Trap", SI_LUIE_SKILL_LAVA_FOOT_STOMP = "Lava Foot Stomp", SI_LUIE_SKILL_KNIFE_JUGGLING = "Knife Juggling", SI_LUIE_SKILL_TORCH_JUGGLING = "Torch Juggling", SI_LUIE_SKILL_WALL_OF_FLAMES = "Wall of Flames", SI_LUIE_SKILL_TRAIL_OF_FLAMES = "Trail of Flames", SI_LUIE_SKILL_CONSECRATE_SHRINE = "Consecrate Shrine", SI_LUIE_SKILL_UNSTABLE_PORTAL = "Unstable Portal", SI_LUIE_SKILL_STABILIZE_PORTAL = "Stabilize Portal", SI_LUIE_SKILL_CLOSE_UNSTABLE_RIFT = "Close Unstable Rift", SI_LUIE_SKILL_FLAME_BLOSSOM = "Flame Blossom", SI_LUIE_SKILL_SAHDINAS_ESSENCE = "Sahdina's Essence", SI_LUIE_SKILL_RASHOMTAS_ESSENCE = "Rashomta's Essence", SI_LUIE_SKILL_POLYMORPH_SKELETON = "Polymorph: Skeleton", SI_LUIE_SKILL_DRAIN_ENERGY = "Drain Energy", SI_LUIE_SKILL_FIRELIGHT_TP = "Увеличивает Запас сил на |cFFFFFF5|r% в течение |cFFFFFF30|r минут.", SI_LUIE_SKILL_BARRIER_REBUKE = "Barrier Rebuke", SI_LUIE_SKILL_TELEPORT_SCROLL = "Teleport Scroll", SI_LUIE_SKILL_BIND_HANDS = "Bind Hands", SI_LUIE_SKILL_BIND_BEAR = "Bind Bear", SI_LUIE_SKILL_IMPROVED = "Improved", SI_LUIE_SKILL_AETHERIAL_SHIFT = "Aetherial Shift", SI_LUIE_SKILL_FREE_SPIRIT = "Free Spirit", SI_LUIE_SKILL_UNBIND = "Unbind", SI_LUIE_SKILL_BACKFIRE = "Backfire", SI_LUIE_SKILL_DIVINE_SPEED_TP = "A divine blessing boosts your Movement Speed for |cFFFFFF2|r minutes.", -- TODO: ADD % -- TODO: Translate SI_LUIE_SKILL_QUEST_LIGHTNING_FURY_TP = "Lightning courses through your body causing all weapon attacks to deal Shock Damage.", -- TODO: Translate SI_LUIE_SKILL_MANTLES_SHADOW = "Mantle's Shadow", SI_LUIE_SKILL_THROW_WATER = "Throw Water", SI_LUIE_SKILL_VISION_JOURNEY_TP = "Вам открывается истинная природа леса.", SI_LUIE_SKILL_SNAKE_SCALES_TP = "Увеличивает наносимый урон на |cffffff5|r% и снижает получаемый урон на |cffffff5|r% пока вы в Гратвуде.", SI_LUIE_SKILL_WOLFS_PELT_TP = "Увеличивает скорость передвижения на |cffffff4|r% и наносимый урон на |cffffff5|r% пока вы в Гратвуде.", SI_LUIE_SKILL_TIGERS_FUR_TP = "Увеличивает скорость передвижения на |cffffff4|r% и снижает получаемый урон на |cffffff5|r% пока вы в Гратвуде.", SI_LUIE_SKILL_SOUL_BINDING_TP = "Вызывает ослабленную душу даэдра, заряжающую сигильскую жеоду.", SI_LUIE_SKILL_EMPOWER_TWILIT_HEART = "Empower Twilit Heart", SI_LUIE_SKILL_BLACKSAPS_BREW_TP = "Повышает скорость передвижения на |cffffff4|r% и снижает получаемый урон на |cffffff10|r% в течение |cffffff30|r минут.", SI_LUIE_SKILL_SPIRIT_ARMOR_TP = "Увеличивает броню на |cffffff5|r%.", SI_LUIE_SKILL_RESTRICTING_VINES = "Restricting Vines", SI_LUIE_SKILL_CHANGE_CLOTHES = "Change Clothes", SI_LUIE_SKILL_FANCY_CLOTHING = "Fancy Clothing", SI_LUIE_SKILL_FANCY_CLOTHING_TP = "Dressed to impress!", SI_LUIE_SKILL_BURROW_TP = "Вы защищены от вреда и сокрыты земным покровом.", SI_LUIE_SKILL_SERPENT_SPIT = "Serpent Spit", SI_LUIE_SKILL_SHADOW_WOOD = "Shadow Wood", SI_LUIE_SKILL_SHADOW_WOOD_TP = "Слуга тени принца Неймона утащил вас в Теневое древо.", SI_LUIE_SKILL_BEAR_FEROCITY_TP = "Immune to all crowd control and movement impairing effects for |cffffff<<1>>|r seconds.", SI_LUIE_SKILL_BOSS_CC_IMMUNITY = "Boss Immunities", SI_LUIE_SKILL_SLAUGHTERFISH_ATTACK_TP = "You are being devoured by a swarm of Slaughterfish, turn back before it's too late!", SI_LUIE_SKILL_RECOVER_TP = "Wounded and out of the fight, recovering Health over |cffffff<<1>>|r seconds.", SI_LUIE_SKILL_RECOVER_DUEL_TP = "Wounded and recovering, you will heal after |cffffff<<1>>|r seconds.", SI_LUIE_SKILL_BACKSTABBER_TP = "Increase damage done by |cffffff20|r% when you attack an enemy from behind.", SI_LUIE_SKILL_HARDENED_CARAPACE_TP = "Reduce damage taken by |cffffff<<1>>|r% for each stack remaining.\n\nLose one stack upon taking any damage.", SI_LUIE_SKILL_WAMASU_STATIC_TP = "Increase damage done by |cFFFFFF20|r% for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_MANTIKORA_ENRAGE_TP = "Increase damage done by |cFFFFFF20|r%.", SI_LUIE_SKILL_CLEAVE_STANCE_TP = "Cleaving with wild abandon for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_DEFENSIVE_WARD_TP = "Reduce damage taken by |cFFFFFF75|r% for |cFFFFFF<<1>>|r seconds as long as the channel is maintained.", SI_LUIE_SKILL_SOUL_TETHER_NPC_TP = "Afflicted with Magic Damage every |cFFFFFF1|r second for |cFFFFFF8|r seconds.\n\nStunned for |cFFFFFF2|r seconds.", SI_LUIE_SKILL_SIPHONING_STRIKES_NPC_TP = "Your attacks heal you while this ability is toggled on.", SI_LUIE_SKILL_FOCUSED_HEALING_TP = "Healing every |cFFFFFF0.5|r seconds for |cFFFFFF<<1>>|r seconds while the channel is maintained.\n\nHealing doubles in power after |cFFFFFF2|r seconds.", SI_LUIE_SKILL_RITE_OF_PASSAGE_NPC_TP = "Reduce damage taken by |cFFFFFF80|r% while the channel is maintained.", SI_LUIE_SKILL_INJECT_LARVA_TP = "You have been injected with a wasp larva. At the end of its |cFFFFFF<<1>>|r second gestation, it will burst out of you, dealing Physical Damage and spawning a Young Wasp.", SI_LUIE_SKILL_THROW_DAGGER_TP = "Afflicted with Bleeding Damage every |cFFFFFF1|r second for |cFFFFFF8|r seconds.\n\nMovement Speed reduced by |cFFFFFF40|r% for |cFFFFFF4|r seconds.", SI_LUIE_SKILL_AGONY_TP = "Stunned for |cFFFFFF<<1>>|r <<1[second/seconds]>>.\n\nWhen this effect ends you will be afflicted with Magic Damage every |cFFFFFF1|r second for |cFFFFFF7|r seconds.", SI_LUIE_SKILL_HARMONY_TP = "Reduce damage taken by |cFFFFFF20|r% for |cFFFFFF<<1>>|r seconds as long as another Lamia is nearby.", SI_LUIE_SKILL_SUMMON_SPECTRAL_LAMIA_TP = "A Spectral Lamia fights at your side. The lamia remains for |cFFFFFF2|r minutes or until killed.", SI_LUIE_SKILL_WEAKNESS_NPC_SUMMON_TP = "Reduce damage done by |cFFFFFF50|r% as long as a summoned creature fights at your side.", SI_LUIE_SKILL_WEAKNESS_LION_TP = "Reduce damage done by |cFFFFFF15|r% for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_ICE_BARRIER_TP = "Intercepting frontal attacks for the caster for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_DEVOUR_CLANNFEAR_TP = "Afflicted with Bleeding Damage every |cFFFFFF0.5|r seconds for |cFFFFFF<<1>>|r seconds. \n\nEach tick heals the clannfear.", SI_LUIE_SKILL_AURA_OF_PROTECTION_TP = "The Shaman and allies within the radius of the aura take |cFFFFFF25|r% less damage for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_AURA_OF_PROTECTION_OTHER_TP = "Reduce damage taken by |cFFFFFF25|r% while in proximity of the Aura of Protection.", SI_LUIE_SKILL_AGONIZING_FURY_TP = "Movement Speed reduced by |cFFFFFF10|r% for |cFFFFFF<<1>>|r seconds.\n\nThis effect stacks up to |cFFFFFF5|r times, to a maximum of |cFFFFFF50|r% Movement Speed reduction.", SI_LUIE_SKILL_ENRAGE_OGRE_TP = "Increase damage done by |cFFFFFF30|r% for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_GRASPING_VINES_TP = "Afflicted with Bleeding Damage every |cFFFFFF0.5|r seconds and immobilized for |cFFFFFF<<1>>|r seconds.\n\nThe vines explode at the end of the duration, dealing fire damage if you do not move away.", SI_LUIE_SKILL_RETALIATION_NPC_TP = "Blocking and counterattacking any incoming hits for |cFFFFFF<<1>>|r <<1[second/seconds]>>.", SI_LUIE_SKILL_BRIARHEART_RESURRECTION_TP = "A Hagraven has restarted the beating briarheart of this enemy, restoring them to life.", SI_LUIE_SKILL_INSPIRE_TP = "Increase damage done by |cFFFFFF5|r% for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_ENRAGE_DEVOTED_TP = "Increase damage done by |cFFFFFF20|r% for |cFFFFFF2|r minutes.", SI_LUIE_SKILL_ICE_PILLAR_TP = "Nearby enemies are chilled, reducing their Movement Speed by |cFFFFFF60|r%.\n\nThe Ogre Shaman's Frost Bolts will apply a |cFFFFFF4|r second immobilize on any chilled targets.", SI_LUIE_SKILL_SUMMON_BEAST_TP = "A beast fights at your side. The beast remains for |cFFFFFF2|r minutes or until killed.", SI_LUIE_SKILL_CONTROL_BEAST_TP = "Increase damage done by |cFFFFFF83|r% for |cFFFFFF<<1>>|r seconds while the channel is maintained.", SI_LUIE_SKILL_HEALING_SALVE_TP = "Healing every |cFFFFFF0.5|r seconds for |cFFFFFF<<1>>|r seconds while the channel is maintained.\n\nHealing doubles in power after |cFFFFFF2|r seconds, leading into a stronger burst heal at the end of the channel.", SI_LUIE_SKILL_LATCH_ON_TP = "Afflicted with Bleeding Damage every |cFFFFFF1|r second for |cFFFFFF<<1>>|r seconds.\n\nEach tick heals the hoarvor.", SI_LUIE_SKILL_KOTU_GAVA_SWARM_TP = "Afflicted with Poison Damage every |cFFFFFF1|r second for |cFFFFFF<<1>>|r seconds.\n\nAfter |cFFFFFF<<2>>|r <<2[second/seconds]>>, a swarm of Kotu Gava will spawn around you.", SI_LUIE_SKILL_HARDENED_SHELL_TP = "Chance when hit to reduce damage taken by |cFFFFFF50|r%.", SI_LUIE_SKILL_ENRAGE_SENTINEL_TP = "Increase damage done by |cFFFFFF25|r% for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_UNCANNY_DODGE_TP = "Unable to be taken off guard. Will always dodge the initial hit when engaged.", SI_LUIE_SKILL_BLOCK_NPC_TP = "Brace for attack, reducing damage taken and granting immunity to Stun and Knockback effects.\n\nIncoming melee Heavy Attacks will be counterattacked while active.", SI_LUIE_SKILL_CALL_ALLY_TP = "A summoned beast ally fights at your side. The beast remains for |cFFFFFF2|r minutes or until killed.", SI_LUIE_SKILL_VAMPIRIC_DRAIN_TP = "Afflicted with Magic Damage every |cFFFFFF1|r second for |cFFFFFF<<1>>|r seconds.\n\nEach tick heals the vampire.", SI_LUIE_SKILL_ICE_CAGE_TP = "Taking Frost Damage every |cFFFFFF0.7|r seconds and Movement Speed reduced by |cFFFFFF60|r%.", SI_LUIE_SKILL_FROZEN_GROUND_TP = "Taking Frost Damage every |cFFFFFF0.5|r seconds and Movement Speed reduced by |cFFFFFF70|r%.", SI_LUIE_SKILL_HURRICANE_GROUND_TP = "Taking Frost Damage every |cFFFFFF0.7|r seconds and Movement Speed reduced by |cFFFFFF60|r%.", SI_LUIE_SKILL_EMPOWER_ATRONACH_TP = "Healing every |cFFFFFF1|r second for |cFFFFFF<<1>>|r seconds while the channel is maintained.", SI_LUIE_SKILL_DEVOUR_HUNGER_TP = "Stunned and afflicted with Bleeding Damage every |cFFFFFF1|r second for |cFFFFFF<<1>>|r seconds.\n\nWhen this effect ends you will be knocked back for |cFFFFFF1.5|r seconds.", SI_LUIE_SKILL_TORPOR_TP = "You are hallucinating.", SI_LUIE_SKILL_COLONIZE_TP = "After |cFFFFFF5|r seconds this Fetcherfly Colony will turn into a nest.", SI_LUIE_SKILL_FERAL_GUARDIAN_NPC_TP = "A grizzly fights at your side. The grizzly remains for |cFFFFFF1|r minute or until killed.", SI_LUIE_SKILL_BASILISK_POWDER_TP = "Stunned and Silenced for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_SHADOWY_DUPLICATE_TP = "Detonating after |cFFFFFF<<1>>|r seconds, dealing Magic Damage to nearby enemies and stunning them for |cFFFFFF2|r seconds.", SI_LUIE_SKILL_SHADOWY_BARRIER_TP = "Absorbing damage for |cFFFFFF5|r seconds.", SI_LUIE_SKILL_FIENDISH_HEALING_TP = "Healing every |cFFFFFF0.5|r seconds for |cFFFFFF<<1>>|r seconds while the channel is maintained.\n\nHealing doubles in power after |cFFFFFF2|r seconds.\n\nEach tick enrages the Skaafin, increasing damage done by |cFFFFFF20|r%.", SI_LUIE_SKILL_ENRAGE_NIX_OX_TP = "Increase damage done by |cFFFFFF10|r% for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_SLASH_CLIFF_STRIDER_TP = "Afflicted with Bleeding Damage every |cFFFFFF1|r second and Movement Speed reduced by |cFFFFFF40|r% for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_CALTROPS_NPC_TP = "Taking Physical Damage every |cFFFFFF0.5|r seconds and Movement Speed reduced by |cFFFFFF60|r%.", SI_LUIE_SKILL_WAR_HORN_NPC_TP = "Increase Max Health by |cFFFFFF15|r% for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_RADIANT_MAGELIGHT_NPC_TP = "Revealing nearby stealthed and invisible enemies.\n\nReduce damage taken from stealth attacks by |cFFFFFF50|r%.", SI_LUIE_SKILL_REGENERATION_OGRIM_TP = "Healing every |cFFFFFF0.5|r seconds for |cFFFFFF<<1>>|r seconds while the channel is maintained.", SI_LUIE_SKILL_SUMMON_SPIDERLING_TP = "A spiderling fights at your side. The spiderling remains for |cFFFFFF2|r minutes or until killed.", SI_LUIE_SKILL_SOUL_FLAME_TP = "Taking Fire Damage every |cFFFFFF1|r second and Movement Speed reduced.", -- TODO: Add duration of snare here when I can find an area I can track it. SI_LUIE_SKILL_UNYIELDING_MACE_TP = "Afflicted with Bleeding Damage every |cFFFFFF1|r second and Movement Speed reduced by |cFFFFFF50|r% for |cFFFFFF8|r seconds.\n\nStunned for |cFFFFFF1.5|r seconds.", SI_LUIE_SKILL_REFLECTIVE_SHADOWS_TP = "Reflecting projectiles for |cffffff<<1>>|r seconds.", SI_LUIE_SKILL_STEAL_ESSENCE_TP = "Afflicted with Magic Damage every |cFFFFFF1|r second for |cFFFFFF<<1>>|r seconds.\n\nDeals additional Magic Damage if the channel is finished.", SI_LUIE_SKILL_DAMPEN_MAGIC_TP = "Absorbing |cFFFFFF40|r% of incoming Flame, Frost, Shock, and Magic Damage for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_FLAME_RAY_TP = "Afflicted with Flame Damage every |cFFFFFF1|r second for |cFFFFFF<<1>>|r seconds.\n\nDeals additional Flame Damage if the channel is finished.", SI_LUIE_SKILL_FROST_RAY_TP = "Afflicted with Frost Damage every |cFFFFFF1|r second for |cFFFFFF<<1>>|r seconds.\n\nDeals additional Frost Damage if the channel is finished.", SI_LUIE_SKILL_LACERATE_GARGOYLE_TP = "Afflicted with Bleeding Damage every |cFFFFFF2.5|r seconds for |cFFFFFF16.5|r seconds.\n\nKnocked down for |cFFFFFF2|r seconds.", SI_LUIE_SKILL_VAMPIRIC_TOUCH_GARGOYLE_TP = "Single target direct damage attacks restore Health.", SI_LUIE_SKILL_SUMMON_THE_DEAD_TP = "An risen undead companion fights at your side. The undead remains for |cFFFFFF2|r minutes or until killed.", SI_LUIE_SKILL_BURDENING_EYE_TP = "The Burdening Eye seeks out a nearby enemy and explodes, dealing Magic Damage and reducing the targets Movement Speed by |cFFFFFF80|r% for |cFFFFFF2|r seconds.", SI_LUIE_SKILL_SPELL_ABSORPTION_TP = "Reduce Flame, Frost, Shock, and Magic Damage taken by |cFFFFFF90|r% for |cFFFFFF<<1>>|r seconds while the channel is maintained.", SI_LUIE_SKILL_SHARD_SHIELD_TP = "Absorbing damage for |cFFFFFF5|r minutes.\n\nWhen the shield takes damage, as long as absorption remains, your attacker takes Physical Damage and is stunned for |cFFFFFF1.2|r seconds.", SI_LUIE_SKILL_TIL_DEATH_TP = "Protected from death by a bodyguard. When you take lethal damage the bodyguard will swap places with you and absorb the killing blow, providing you with immunity to damage and all negative effects for |cFFFFFF3|r seconds.", SI_LUIE_SKILL_TIL_DEATH_SELF_TP = "Protecting a nearby ally from death. When your ally takes lethal damage, swap places with them and absorb the killing blow, providing you with immunity to damage and all negative effects for |cFFFFFF3|r seconds.", SI_LUIE_SKILL_DUTIFUL_FURY_TP = "When a nearby ally takes damage, you enrage, causing your next attack to deal |cFFFFFF5|r% additional damage.", SI_LUIE_SKILL_DUTIFUL_FURY_PROC_TP = "Your next attack deals |cFFFFFF5|r% additional damage.", SI_LUIE_SKILL_ELEMENTAL_WEAPON_NPC_TP = "Augment your next |cFFFFFF3|r uses of Chop or Cleave for |cFFFFFF<<1>>|r seconds.\n\nChop creates an elemental pool on the ground that deals Flame Damage every |cFFFFFF0.7|r seconds for |cFFFFFF5.5|r seconds.\n\nCleave fires 3 elemental waves, dealing Flame Damage to enemies in the path.", SI_LUIE_SKILL_BRIMSTONE_HAILFIRE_TP = "Taking Flame Damage every |cFFFFFF0.7|r seconds and Movement Speed reduced by |cFFFFFF60|r%.", SI_LUIE_SKILL_BALEFUL_CALL_TP = "Increase Max Health and damage done by |cFFFFFF33|r%.", SI_LUIE_SKILL_REGENERATION_TROLL_TP = "Regenerating Health every |cFFFFFF2.5|r seconds.", SI_LUIE_SKILL_CONSUMING_OMEN_TP = "Dealing Magic Damage to nearby allies every |cFFFFFF1|r second for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_CONSUMING_OMEN_SNARE_TP = "Movement speed reduced by |cFFFFFF50|r% for |cFFFFFF1.5|r seconds.", SI_LUIE_SKILL_CLOSE_WOUNDS_TP = "Healing every |cFFFFFF0.5|r seconds for |cFFFFFF<<1>>|r seconds while the channel is maintained, leading into a stronger burst heal at the end of the channel.", SI_LUIE_SKILL_DESECRATED_GROUND_TP = "Taking Magic Damage every |cFFFFFF2|r seconds and Movement Speed reduced by |cFFFFFF85|r%", SI_LUIE_SKILL_DEVOUR_NPC_TP = "Healing every |cFFFFFF1|r second for |cFFFFFF<<1>>|r seconds while the channel is maintained.", SI_LUIE_SKILL_OVERCHARGE_TP = "Increase damage done by |cFFFFFF25|r%.", SI_LUIE_SKILL_STATIC_FIELD_TP = "Enemies in the field take Shock Damage every |cFFFFFF1|r second while allied Dwemer can draw power from the field to |cFFFFFFOvercharge|r, increasing their damage done by |cFFFFFF25|r%.", SI_LUIE_SKILL_SHOCK_BARRAGE_TP = "Being targeted and bombarded by Shock Barrage, taking Shock Damage every |cFFFFFF0.75|r seconds for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_POLARIZING_FIELD_TP = "While active, the Polarizing Field returns Shock Damage to attackers.", SI_LUIE_SKILL_STATIC_SHIELD_TP = "Absorbing damage for |cFFFFFF<<1>>|r seconds.\n\nIf the shield is not destroyed it will detonate at the end of the duration, dealing Shock Damage to nearby enemies.", SI_LUIE_SKILL_TURRET_MODE_TP = "Charged by a power conduit, enabling the Sentry to shield itself with |cFFFFFFStatic Shield|r and use the |cFFFFFFThunderbolt|r ability.", SI_LUIE_SKILL_STATIC_CHARGE_TP = "Residual static energy from the Dolmen is suppressing your Health Recovery and you will be targeted by Static Charge, taking Oblivion damage.\n\nMove to reduce to the static buildup.", SI_LUIE_SKILL_INCAPACITATING_TERROR_TP = "Feared and taking Frost Damage every |cFFFFFF3|r seconds.", SI_LUIE_SKILL_SPIRITUAL_CLOAK_TP = "Prevent Soul Thirsters from pulling you into the spirit realm.", SI_LUIE_SKILL_BLESSING_GATHWEN_TP = "Reduce damage taken by |cFFFFFF3|r% for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_MAIM_NPC_TP = "Reduce damage done by |cFFFFFF40|r% for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_DRAIN_ESSENCE_NPC_TP = "Afflicted with Magic Damage every |cFFFFFF1|r second for |cFFFFFF<<1>>|r seconds.\n\nEach tick heals the caster.", SI_LUIE_SKILL_SUMMON_DARK_PROXY_TP = "A shadowy Clannfear fights at your side. The clannfear remains for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_SUMMON_CLANNFEAR_TP = "A Clannfear fights at your side. The clannfear remains for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_POOL_OF_FIRE = "Pool of Fire", SI_LUIE_SKILL_SISTERS_BOND = "Sister's Bond", SI_LUIE_SKILL_CURSE_OF_SUFFERING_TP = "Afflicted with with Magic Damage every |cFFFFFF2|r seconds and Movement Speed reduced by |cFFFFFF40|r%.\n\nEnter the Red Sigil to remove the curse.", SI_LUIE_SKILL_CURSE_OF_DOMINANCE_TP = "Afflicted with with Magic Damage every |cFFFFFF2|r seconds and Movement Speed reduced by |cFFFFFF40|r%.\n\nEnter the Black Sigil to remove the curse.", SI_LUIE_SKILL_HEAL_SPORES_TP = "Healing every |cFFFFFF1.5|r seconds for |cFFFFFF<<1>>|r seconds while the channel is maintained.", SI_LUIE_SKILL_HEAL_SPORES = "Healing Spores", SI_LUIE_SKILL_SUMMON_STRANGLER_SAPLINGS = "Summon Strangler Saplings", SI_LUIE_SKILL_SIPHON_MAGICKA = "Siphon Magicka", SI_LUIE_SKILL_SIPHON_MAGICKA_TP = "Draining |cFFFFFF5|r% Max Magicka every |cFFFFFF1|r second for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_SIPHON_STAMINA = "Siphon Stamina", SI_LUIE_SKILL_SIPHON_STAMINA_TP = "Draining |cFFFFFF5|r% Max Stamina every |cFFFFFF1|r second for |cFFFFFF<<1>>|r seconds.", SI_LUIE_SKILL_DARK_ROOT_STAMINA_TP = "Dramatically increase Max Stamina and Stamina Recovery.", SI_LUIE_SKILL_DARK_ROOT_MAGICKA_TP = "Dramatically increase Max Magicka and Magicka Recovery.", } -- TODO: Switch to StringId's CombatTextLocalization = { --------------------------------------------------------------------------------------------------------------------------------------- --//PANEL TITLES//-- --------------------------------------------------------------------------------------------------------------------------------------- panelTitles = { LUIE_CombatText_Outgoing = "Исходящий", LUIE_CombatText_Incoming = "Входящий", LUIE_CombatText_Point = "Очки", LUIE_CombatText_Alert = "Предупреждения", LUIE_CombatText_Resource = "Ресурсы" }, } local pairs = pairs for stringId, stringValue in pairs(strings) do ZO_CreateStringId(stringId, stringValue) SafeAddVersion(stringId, 1) end
AddCSLuaFile() ENT.Type = "anim" ENT.Base = "zig_printer_base" ENT.PrintName = "Amethyst Printer" ENT.Category = "ZigPrint" ENT.Spawnable = true ENT.Model = "models/props_c17/consolebox01a.mdl" ENT.Print = {} ENT.Print.Max = {} ENT.Display = {} ENT.Print.Amount = 120 ENT.Print.Time = 50 ENT.Print.Max.Ink = 10 ENT.Print.Max.Batteries = 10 ENT.Display.Background = Color(255, 0, 200) ENT.Display.Border = Color(255, 0, 125) ENT.Display.Text = Color(255, 255, 255)
sptbl["comb"] = { files = { module = "comb.c", header = "comb.h", example = "ex_comb.c", }, func = { create = "ut_comb_create", destroy = "ut_comb_destroy", init = "ut_comb_init", compute = "ut_comb_compute", }, params = { mandatory = { { name = "looptime", type = "UTFLOAT", description = "The loop time of the filter, in seconds. This can also be thought of as the delay time.", default = 0.1 } }, optional = { { name = "revtime", type = "UTFLOAT", description = "Reverberation time, in seconds (RT-60).", default = 3.5 }, } }, modtype = "module", description = [[Comb filter]], ninputs = 1, noutputs = 1, inputs = { { name = "input", description = "Signal input." }, }, outputs = { { name = "out", description = "Signal output." }, } }
modifier_spectre_special_attack_buff = class({}) function modifier_spectre_special_attack_buff:IsDebuff() return false end function modifier_spectre_special_attack_buff:IsHidden() return false end function modifier_spectre_special_attack_buff:IsPurgable() return false end function modifier_spectre_special_attack_buff:OnCreated(kv) self.speed_buff_pct = self:GetAbility():GetSpecialValueFor("speed_buff_pct") if IsServer() then self:PlayEffects() end end function modifier_spectre_special_attack_buff:OnDestroy() if IsServer() then EFX('particles/units/heroes/hero_spectre/spectre_death.vpcf', PATTACH_WORLDORIGIN, self:GetParent(), { cp0 = self:GetParent():GetAbsOrigin(), cp3 = self:GetParent():GetAbsOrigin(), release = true, }) self:StopEffects() end end function modifier_spectre_special_attack_buff:CheckState() return { [MODIFIER_STATE_INVISIBLE] = self:GivesInvisibility(), [MODIFIER_STATE_NO_UNIT_COLLISION] = true, [MODIFIER_STATE_FLYING_FOR_PATHING_PURPOSES_ONLY] = true } end function modifier_spectre_special_attack_buff:GivesInvisibility() return self:GetAbility():GetLevel() >=2 and not self:GetParent():FindModifierByName('modifier_casting') and self:GetParent() == self:GetCaster() end function modifier_spectre_special_attack_buff:DeclareFunctions() return { MODIFIER_PROPERTY_INVISIBILITY_LEVEL, MODIFIER_PROPERTY_MOVESPEED_BONUS_PERCENTAGE, } end function modifier_spectre_special_attack_buff:GetModifierInvisibilityLevel() if IsServer() then if self:GetAbility():GetLevel() >=2 and not self:GetParent():FindModifierByName('modifier_casting') then return 2 end return 0 end end function modifier_spectre_special_attack_buff:GetModifierMoveSpeedBonus_Percentage() return self.speed_buff_pct end function modifier_spectre_special_attack_buff:PlayEffects() local particle_cast = "particles/econ/items/lifestealer/lifestealer_immortal_backbone/lifestealer_immortal_backbone_rage_swirl.vpcf" self.effect_cast = ParticleManager:CreateParticle(particle_cast, PATTACH_CUSTOMORIGIN, self:GetParent()) ParticleManager:SetParticleControlEnt( self.effect_cast, 2, self:GetParent(), PATTACH_POINT_FOLLOW, "attach_hitloc", self:GetParent():GetOrigin(), true ) end function modifier_spectre_special_attack_buff:StopEffects() ParticleManager:DestroyParticle(self.effect_cast, false) ParticleManager:ReleaseParticleIndex(self.effect_cast) end
require("util") require("process") json = require("json") db = {} util.loadDB("config") util.loadDB("ignore") os.execute("mkdir /tmp/lazyvideo >/dev/null 2>&1") if db["config"]["path"] == nil or db["config"]["path"] == "" then db["config"]["path"] = "." util.saveDB("config") end --Set variables so we cycle through _all_ arguments before for _,argument in ipairs(arg) do if argument == "--cron" then youtube = true rt = true end if argument == "--youtube" then youtube = true end if argument == "--rt" or argument == "--roosterteeth" then rt = true end if argument == "-v" then verbose = true end end if youtube == true then process.Youtube() end if rt == true then process.RT() end util.safeClose() --[[ --Interactive prompt still needs to be implemented if youtube ~= true and rt ~= true then print("Didn't find run argument, running interactively. Type ? for help.") while true do io.write("> ") value = io.read() if value == "" or value == "exit" or value == "quit" then os.exit() end end end]]
object_mobile_outbreak_undead_civilian_07 = object_mobile_shared_outbreak_undead_civilian_07:new { } ObjectTemplates:addTemplate(object_mobile_outbreak_undead_civilian_07, "object/mobile/outbreak_undead_civilian_07.iff")
local module = {} module.__index = module module.New = function(value) local object = setmetatable({}, module) object.event = _G.classes["Event"].New() object.value = value object.selected = value or "" object.gui = Instance.new("Frame") object.gui.Size = UDim2.new(1, 0, 0, 184) object.gui.BackgroundColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Item) object.gui.BorderColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Border) local padding = Instance.new("UIPadding") padding.PaddingBottom = UDim.new(0, 8) padding.PaddingLeft = UDim.new(0, 8) padding.PaddingRight = UDim.new(0, 0) padding.PaddingTop = UDim.new(0, 8) padding.Parent = object.gui local gridLayout = Instance.new("UIGridLayout") gridLayout.CellSize = UDim2.new(0.125, -8, 0, 50) gridLayout.CellPadding = UDim2.new(0, 8, 0, 8) gridLayout.SortOrder = Enum.SortOrder.LayoutOrder gridLayout.Parent = object.gui object.imageButtons = {} for i, data in ipairs(_G.modules["Data"].materials) do local imageButton = Instance.new("ImageButton") imageButton.Image = data[2] imageButton.ScaleType = Enum.ScaleType.Crop imageButton.BorderSizePixel = 2 imageButton.AutoButtonColor = false imageButton.BackgroundColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Button) if object.selected == (data[1] or "") then imageButton.BorderColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Button, Enum.StudioStyleGuideModifier.Selected) else imageButton.BorderColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.ButtonBorder) end imageButton.Parent = object.gui imageButton.MouseEnter:Connect(function() if object.selected == (data[1] or "") then return end imageButton.BackgroundColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Button, Enum.StudioStyleGuideModifier.Hover) imageButton.BorderColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.ButtonBorder, Enum.StudioStyleGuideModifier.Hover) imageButton.ImageColor3 = Color3.new(0.75, 0.75, 0.75) end) imageButton.MouseLeave:Connect(function() if object.selected == (data[1] or "") then return end imageButton.BackgroundColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Button, Enum.StudioStyleGuideModifier.Default) imageButton.BorderColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.ButtonBorder, Enum.StudioStyleGuideModifier.Default) imageButton.ImageColor3 = Color3.new(1, 1, 1) end) imageButton.MouseButton1Down:Connect(function() if object.selected == (data[1] or "") then return end imageButton.BackgroundColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Button, Enum.StudioStyleGuideModifier.Pressed) imageButton.BorderColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.ButtonBorder, Enum.StudioStyleGuideModifier.Pressed) imageButton.ImageColor3 = Color3.new(0.5, 0.5, 0.5) end) imageButton.MouseButton1Up:Connect(function() if object.selected == (data[1] or "") then return end imageButton.BackgroundColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Button, Enum.StudioStyleGuideModifier.Hover) imageButton.BorderColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.ButtonBorder, Enum.StudioStyleGuideModifier.Hover) imageButton.ImageColor3 = Color3.new(0.75, 0.75, 0.75) end) imageButton.Activated:Connect(function() if object.value == data[1] then return end object.value = data[1] object.event:Call(object.value) end) object.imageButtons[data[1] or ""] = imageButton end return object end module.Select = function(self, value) self.imageButtons[self.selected].BackgroundColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Button, Enum.StudioStyleGuideModifier.Default) self.imageButtons[self.selected].BorderColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.ButtonBorder, Enum.StudioStyleGuideModifier.Default) self.imageButtons[self.selected].ImageColor3 = Color3.new(1, 1, 1) self.selected = value or "" self.imageButtons[self.selected].BackgroundColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Button, Enum.StudioStyleGuideModifier.Default) self.imageButtons[self.selected].BorderColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Button, Enum.StudioStyleGuideModifier.Selected) self.imageButtons[self.selected].ImageColor3 = Color3.new(1, 1, 1) end module.Destroy = function(self) self.event:UnBindAll() self.gui:Destroy() end return module
local function local_init() Asset.reset_system(Prefab_Asset.type) Entity.reset_system() Asset.add(Lua_Asset.type, "assets/scripts/- scene - physics test anew.lua") global_init_physics_test_anew() -- Asset.add(Lua_Asset.type, "assets/scripts/- scene - physics test.lua") -- global_init_physics_test() -- Asset.add(Lua_Asset.type, "assets/scripts/- scene - prefabs test.lua") -- global_init_prefab_test() end -- executed on load local_init() -- executed on the app start function global_init() end -- executed each frame function global_update() -- global_update_physics_test() -- global_update_prefab_test() if Input.get_key(Key_Code.Shift) and Input.get_key(Key_Code.F5) then local_init() end end
-- Imports / module wrapper local Pkg = {} local std = _G local error = error local print = print local type = type local tostring = tostring local getmetatable = getmetatable local setmetatable = setmetatable local pairs = pairs local ipairs = ipairs local string = string local table = table local util = require("util") local Set = require("set").Set setfenv(1, Pkg) OUT = "$$OUT" IN = "$$IN" STRONG_IN = "$$STRONG_IN" OPT = "$$OPT" local sigSymbols = {[OUT] = "f", [IN] = "b", [STRONG_IN] = "B", [OPT] = "?"} local function fmtSignature(args, signature) local result = "" local multi = false for _, arg in ipairs(args) do if multi then result = result .. ", " end result = result .. arg .. ": " .. sigSymbols[signature[arg]] multi = true end return result end local Signature = {} function Signature.__tostring(signature) local args = {} for arg in pairs(signature) do args[#args + 1] = arg end return fmtSignature(args, signature) end function getSignature(bindings, bound) local signature = setmetatable({}, Signature) for _, binding in ipairs(bindings) do if bound[binding.variable] or binding.constant then signature[binding.field] = IN else signature[binding.field] = OUT end end return signature end local Schema = {} function Schema.__tostring(schema) local signature = fmtSignature(schema.args, schema.signature) local rest = schema.rest and (", ...: " .. sigSymbols[schema.rest]) or "" return string.format("Schema<%s, (%s%s)>", schema.name or "UNNAMED", signature, rest) end local function schema(args, name, kind) local schema = {args = {}, signature = setmetatable({}, Signature), name = name, kind = kind} setmetatable(schema, Schema) if args.name then schema.name = args.name end local mode = OUT for ix, arg in ipairs(args) do if arg == OUT or arg == IN or arg == STRONG_IN or arg == OPT then mode = arg if ix == #args then -- a mode token in the final slot signifies a variadic expression that takes any number of vars matching the given mode schema.rest = arg end else schema.args[#schema.args + 1] = arg schema.signature[arg] = mode end end return schema end local function rename(name, schema) local neue = util.shallowCopy(schema) neue.name = name return neue end local schemas = { unary = schema{"return", IN, "a"}, unaryBound = schema{IN, "return", "a"}, unaryFilter = schema{IN, "a"}, binary = schema{"return", IN, "a", "b"}, binaryBound = schema{IN, "return", "a", "b"}, binaryFilter = schema{IN, "a", "b"}, moveIn = schema{"a", IN, "b"}, moveOut = schema{"b", IN, "a"} } local expressions = { ["+"] = {rename("plus", schemas.binary)}, ["-"] = {rename("minus", schemas.binary)}, ["*"] = {rename("multiply", schemas.binary)}, ["/"] = {rename("divide", schemas.binary)}, ["<"] = {rename("less_than", schemas.binaryFilter), rename("is_less_than", schemas.binary)}, ["<="] = {rename("less_than_or_equal", schemas.binaryFilter), rename("is_less_than_or_equal", schemas.binary)}, [">"] = {rename("greater_than", schemas.binaryFilter), rename("is_greater_than", schemas.binary)}, [">="] = {rename("greater_than_or_equal", schemas.binaryFilter), rename("is_greater_than_or_equal", schemas.binary)}, ["="] = {rename("equal", schemas.binaryFilter), rename("is_equal", schemas.binary), rename("move", schemas.moveIn), rename("move", schemas.moveOut)}, ["!="] = {rename("not_equal", schemas.binaryFilter), rename("is_not_equal", schemas.binary)}, concat = {schema({"return", IN}, "concat")}, length = {rename("length", schemas.unary)}, is = {rename("is", schemas.unary)}, abs = {rename("abs", schemas.unary)}, sin = {rename("sin", schemas.unary)}, cos = {rename("cos", schemas.unary)}, tan = {rename("tan", schemas.unary)}, toggle = {rename("toggle", schemas.unary)}, time = {schema({"return", OPT, "seconds", "minutes", "hours"}, "time")}, -- Aggregates count = {schema({"return"}, "sum", "aggregate"), schema({IN, "return"}, "sum", "aggregate")}, sum = {schema({"return", STRONG_IN, "a"}, "sum", "aggregate"), schema({IN, "return", STRONG_IN, "a"}, "sum", "aggregate")} } function getExpressions() local exprs = Set:new() for expr in pairs(expressions) do exprs:add(expr) end return exprs end function getSchemas(name) return expressions[name] end function getSchema(name, signature) if not expressions[name] then error("Unknown expression '" .. name .. "'") end if not signature then error("Must specify signature to disambiguate expression alternatives") end local result for _, schema in ipairs(expressions[name]) do local match = true local required = Set:new() for arg, mode in pairs(schema.signature) do if mode == OUT or mode == IN or mode == STRONG_IN then required:add(arg) end end for arg, mode in pairs(signature) do required:remove(arg) local schemaMode = schema.signature[arg] or schema.rest if schemaMode == STRONG_IN then schemaMode = IN end if schemaMode ~= mode and schemaMode ~= OPT then match = false break end end if match and required:length() == 0 then result = schema break end end if not result then local available = {} for _, schema in ipairs(expressions[name]) do available[#available + 1] = string.format("%s(%s)", name, fmtSignature(schema.args, schema.signature)) end error(string.format("No matching signature for expression %s(%s); Available signatures:\n %s", name, signature, table.concat(available, "\n "))) end return result end function getArgs(schema, bindings) local map = {} local positions = {} for _, binding in ipairs(bindings) do map[binding.field] = binding.variable or binding.constant positions[#positions + 1] = binding.field end local args = {} local fields = {} for _, arg in ipairs(schema.args) do if map[arg] then args[#args + 1] = map[arg] fields[#fields + 1] = arg end end if schema.rest then fields[#fields + 1] = "..." args["..."] = {} for _, field in ipairs(positions) do if not schema.signature[field] then args["..."][#args["..."] + 1] = map[field] end end end return args, fields end return Pkg
slot0 = class("ShinanoframePage", import("...base.BaseActivityPage")) slot0.OnInit = function (slot0) slot0.bg = slot0:findTF("AD") slot0.goBtn = slot0:findTF("GoBtn", slot0.bg) slot0.getBtn = slot0:findTF("GetBtn", slot0.bg) slot0.gotBtn = slot0:findTF("GotBtn", slot0.bg) slot0.switchBtn = slot0:findTF("SwitchBtn", slot0.bg) slot0.phaseTF_1 = slot0:findTF("Phase1", slot0.bg) slot0.phaseTF_2 = slot0:findTF("Phase2", slot0.bg) slot0.gotTag = slot0:findTF("Phase2/GotTag", slot0.bg) slot0.frameTF = slot0:findTF("Phase2/Icon", slot0.bg) slot0.progressBar = slot0:findTF("Phase2/Progress", slot0.bg) slot0.progressText = slot0:findTF("Phase2/ProgressText", slot0.bg) setActive(slot0.goBtn, false) setActive(slot0.getBtn, false) setActive(slot0.gotBtn, false) setActive(slot0.gotTag, false) setActive(slot0.progressBar, false) setActive(slot0.progressText, false) setActive(slot0.phaseTF_2, false) end slot0.OnDataSetting = function (slot0) if slot0.ptData then slot0.ptData:Update(slot0.activity) else slot0.ptData = ActivityPtData.New(slot0.activity) end end slot0.OnFirstFlush = function (slot0) onButton(slot0, slot0.goBtn, function () slot0:emit(ActivityMediator.EVENT_GO_SCENE, SCENE.TASK) end, SFX_PANEL) onButton(slot0, slot0.getBtn, function () slot2, slot5.arg1 = slot0.ptData:GetResProgress() slot0:emit(ActivityMediator.EVENT_PT_OPERATION, { cmd = 1, activity_id = slot0.ptData:GetId(), arg1 = slot1 }) end, SFX_PANEL) onButton(slot0, slot0.switchBtn, function () setActive(slot0.phaseTF_1, not isActive(slot0.phaseTF_1)) setActive(slot0.phaseTF_2, not isActive(slot0.phaseTF_2)) end, SFX_PANEL) slot2 = slot0.ptData.dropList[1][2] setParent(LoadAndInstantiateSync("IconFrame", slot3), slot0.frameTF, false) end slot0.OnUpdateFlush = function (slot0) if not getProxy(ActivityProxy):getActivityById(ActivityConst.SHINANO_EXP_ACT_ID) or slot1:isEnd() then setActive(slot0.phaseTF_1, false) setActive(slot0.phaseTF_2, true) setText(slot0.progressText, slot2 .. "/" .. slot3) setSlider(slot0.progressBar, 0, 1, slot4) setActive(slot0.progressBar, true) setActive(slot0.progressText, true) slot6 = slot0.ptData:CanGetNextAward() setActive(slot0.goBtn, slot0.ptData:CanGetMorePt() and not slot0.ptData:CanGetAward() and slot6) setActive(slot0.getBtn, slot0.ptData.CanGetAward()) setActive(slot0.gotBtn, not slot6) setActive(slot0.gotTag, not slot6) else setActive(slot0.phaseTF_1, true) setActive(slot0.phaseTF_2, false) slot7, slot9, slot9 = slot0.ptData:GetResProgress() setText(slot0.progressText, slot2 .. "/" .. slot3) setSlider(slot0.progressBar, 0, 1, slot4) setActive(slot0.progressBar, true) setActive(slot0.progressText, true) end end slot0.OnDestroy = function (slot0) return end return slot0
--[[********************************** * * Multi Theft Auto - Admin Panel * * admin_session.lua * * Original File by lil_Toady * **************************************]] local aSessions = {} addCommandHandler ( "adminpanel", function ( player ) if ( hasObjectPermissionTo ( player, "general.adminpanel" ) ) then triggerClientEvent ( player, "aClientAdminMenu", _root ) aPlayers[player]["chat"] = true end end ) addEventHandler ( "onPlayerLogin", _root, function ( previous, account, auto ) if ( hasObjectPermissionTo ( source, "general.adminpanel" ) ) then if ( aPlayers[source]["aLoaded"] ) then triggerEvent ( EVENT_SESSION, source, SESSION_UPDATE ) end end end ) addEvent ( EVENT_SESSION, true ) addEventHandler ( EVENT_SESSION, _root, function ( type ) if ( type == SESSION_START ) then if ( aPlayers[source] ) then aPlayers[source]["aLoaded"] = true end end if ( type == SESSION_UPDATE or type == SESSION_START ) then if ( hasObjectPermissionTo ( source, "general.adminpanel" ) ) then local tableOut = {} local account = "user."..getAccountName ( getPlayerAccount ( source ) ) for gi, group in ipairs ( aclGroupList() ) do for oi, object in ipairs ( aclGroupListObjects ( group ) ) do if ( ( object == account ) or ( object == "user.*" ) ) then for ai, acl in ipairs ( aclGroupListACL ( group ) ) do local rights = table.iadd ( aclListRights ( acl, "command" ), aclListRights ( acl, "general" ) ) for ri, right in ipairs ( rights ) do local access = aclGetRight ( acl, right ) if ( access ) then tableOut[right] = true end end end break end end end triggerClientEvent ( source, EVENT_SESSION, source, tableOut ) end end end )
local is_array = require "api-umbrella.utils.is_array" -- Determine if the table is hash-like (not an array). return function(obj) if type(obj) ~= "table" then return false end if is_array(obj) then return false end return true end
require("lib.batteries"):export() Object = require("lib.classic") Gamestate = require("lib.hump.gamestate") local bump = require("lib.bump") local spritely = require("mod.spritely") local const = require("mod.constants") local overworldState = require("mod.states.overworld") local Player = require("mod.player") local Keys = require("mod.keys") local Level = require("mod.level") local lurker = require("lib.lurker") Game = { keys = {}, showIntro = true, currentLevel = 1, world = bump.newWorld(const.TILE_SIZE) } function love.conf(t) t.identity = "escape-from-valis" t.console = true end function love.update() lurker.update() end function love.load() -- love.window.setIcon(love.graphics.newImage("")) love.window.setTitle("Escape from Valis!") love.window.setMode(const.WIDTH, const.HEIGHT) local font = love.graphics.newFont("fonts/merriweather/Merriweather-Regular.ttf", 32) love.graphics.setFont(font) local selector, playerSheet = spritely.load("gfx/blowhard2.png", { padding = 2, margin = 2 }) local quad = selector(1, 1) ---@diagnostic disable-next-line: undefined-field local screenW, screenH = love.graphics.getPixelDimensions() Game.level = Level(Game.currentLevel, screenW, screenH) local p1 = Player(playerSheet, quad) Game.world:add(p1.bumpId, p1.x, p1.y + p1.bumpOffset, p1.w, p1.h) Game.player = p1 Game.keys = Keys() Gamestate.registerEvents() Gamestate.switch(overworldState) end
--Hello! My name is "Helpful comment", Im Here to help you to use this source to build your ver own bot! --Everytime you seeing a "--" and in front a text, thats me helping you! local discordia = require "discordia"-- We need require the Discordia Lib to use this bot local client = discordia.Client() -- Also load the client, it will be very important discordia.extensions()-- Load all helpful extentions local warns = 0 -- ignore this local prefix = ">" -- Define the prefix, like when a members send "!ping" the '!' its the prefix. local commands = { -- Define commands its a table that will contain our commands [prefix..'ping'] = { -- Indexes can also be strings! So the string index it will concat our prefix and the command name! desc = 'Respond with a funny gif!', -- Description of our command... exec = function (message) -- And a function to our execute it! message.channel:send('https://tenor.com/view/cats-ping-pong-gif-8942945') --You can use message:reply('message'), its the same as message.channel:send end }; --Remember to put colon or semicolor when creating a new var (indenpedent if its a number, string, etc) --These other commands below i wont explane. [prefix..'coolness'] = { desc = 'See coolness of a person!', exec = function (message) local msg = prefix..'coolness' if message.content:sub(1, #msg) == msg then local mentioned = message.mentionedUsers if #mentioned == 1 then message:reply("<@!"..mentioned[1][1].."> is "..math.random(0, 100).."% cool! :sunglasses:") elseif #mentioned == 0 then message:reply("<@!"..message.author.id.."> is "..math.random(0, 100).."% cool! :sunglasses:") end end end }; [prefix..'ban'] = { desc = 'Ban some out-laws, sherrif! (Requires banMember permission)', exec = function (message) local msg = prefix..'ban' if message.content:sub(1, #msg) == msg then local author = message.guild:getMember(message.author.id) local member = message.mentionedUsers.first if not member then message:reply("Please mention someone to ban!") return elseif not author:hasPermission("administrator") then message:reply("You do not have permissions to ban!") return end for user in message.mentionedUsers:iter() do member = message.guild:getMember(user.id) if author.highestRole.position > member.highestRole.position then message:reply("Member Banned!") member:ban() else message:reply("That person its an admin or mod, i cant ban it.") end end end end }; [prefix..'warn'] = { desc = 'WIP | Warn people before doing a mess! (Requires administrator permission)', exec = function (message) local msg = prefix..'warn' if message.content:sub(1, #msg) == msg then local author = message.guild:getMember(message.author.id) local member = message.mentionedUsers.first if not member then message:reply("Please mention someone to warn!") return elseif not author:hasPermission("administrator") then message:reply("You do not have permissions to warn!") return end for user in message.mentionedUsers:iter() do member = message.guild:getMember(user.id) if author.highestRole.position > member.highestRole.position then warns = warns + 1 message:reply("Member "..user.username.." Warned! (Now "..warns..' Warns.)') else message:reply("That person its an admin or mod, i cant warn it.") end end end end }; [prefix..'unwarn'] = { desc = 'WIP | UnWarn wrong people you warned! (Requires administrator permission)', exec = function (message) local msg = prefix..'unwarn' if message.content:sub(1, #msg) == msg then local author = message.guild:getMember(message.author.id) local member = message.mentionedUsers.first if not member then message:reply("Please mention someone to warn!") return elseif not author:hasPermission("administrator") then message:reply("You do not have permissions to warn!") return end for user in message.mentionedUsers:iter() do member = message.guild:getMember(user.id) if author.highestRole.position > member.highestRole.position then warns = warns - 1 if warns <= -1 then warns = 0 message:reply("This member dont have any warns.") return end message:reply("Member "..user.username.." UnWarned! (Now "..warns..' Warns.)') end end end end }; [prefix..'time'] = { desc = 'Reveals the current time!', exec = function (message) message:reply('Current UNIX Time: '..os.date("%F %T", os.time())) end }; [prefix.."purge"] = { desc = "Start a purge to clean the chat! (Requies manageMessages permission)", exec = function(message) local msg = prefix..'purge' if message.content:sub(1, #msg) == msg then if message.member:hasPermission('manageMessages') then local repla = string.gsub(message.content, prefix.."purge ", "") local cha = message.guild:getChannel(message.channel.id) if not cha:bulkDelete(message.channel:getMessagesBefore(message.id, repla)) then message:delete() local reply = message:reply("Something went wrong whiling starting a purge...") discordia.Clock():waitFor("", 3000) reply:delete() else message:delete() local reply if repla == "1" then reply = message:reply("Chat purged by <@!"..message.author.id.."> (Purged "..repla.." Message)!") else reply = message:reply("Chat purged by <@!"..message.author.id.."> (Purged "..repla.." Messages)!") end discordia.Clock():waitFor("", 3000) reply:delete() end else message:reply("Sorry <@!"..message.author.id.."> you dont have perms to purge!") end end end }; [prefix.."whois"] = { desc = "See information of a user!", exec = function(message) local member = message.mentionedUsers if #member == 0 then message:reply("Please, mention someone to check!") return elseif #member == 1 then for user in message.mentionedUsers:iter() do member = message.guild:getMember(user.id) message:reply { embed = { thumbnail = {url = member.avatarURL}, fields = { {name = 'Nick & Tag', value = member.tag, inline = true}, {name = 'ID', value = member.id, inline = true}, {name = 'Highest Role', value = member.highestRole.name, inline = true}, {name = 'Boosted Since', value = member.premiumSince or "Dont Boosted", inline = true}, {name = 'Joined Server At', value = member.joinedAt and member.joinedAt:gsub('%..*', ''):gsub('T', ' ') or '?', inline = true}, {name = 'Joined Discord At', value = discordia.Date.fromSnowflake(member.id):toISO(' ', ''), inline = true}, }, color = discordia.Color.fromRGB(255, 0, 0).value } } end elseif #member >= 2 then message:reply("I cannot check "..#member.." users or more at same time.") return end end }; [prefix.."battle"] = { desc = "Fight someone!", exec = function(message) local enemy = message.mentionedUsers local author = message.author.id local winner = math.random(1, 100) local rounds = math.random(1, 20) if #enemy == 1 then for user in message.mentionedUsers:iter() do enemy = user.id if enemy == author then message:reply("You cannot beat yourself!") return end local winnedby= { 'Punching him to death', 'Using Shadow clone jutso', 'Stopping time and throwing knifes', 'Cutting him with a Powerful Sword', 'Giving him a head-shot with a sniper', 'Making him rage-quit', 'Abusing of bugs', 'Find and kill him in a manhunt', 'Using Uno Reverse card', 'Killing him in front of a crewmate' } if winner >= 50 then message:reply("<@!"..enemy.."> won the battle in "..rounds.." rounds by: "..winnedby[math.random(1, #winnedby)].."!") elseif winner <= 50 then message:reply("<@!"..author.."> won the battle in "..rounds.." rounds by: "..winnedby[math.random(1, #winnedby)].."!") end end elseif #enemy >= 2 then message:reply("I cant make you fight against "..#enemy.." people!") else message:reply("Please metion someone to battle!") end end }; [prefix.."magicball"] = { desc = "Speak with a magic ball!", exec = function(message) local answers = { 'Yes', 'No', 'Maybe', 'I dont know', 'Im dont gonna answer this.', 'I will think.', 'Probably yes.', 'Probably no.' } message:reply { embed = { title = ":8ball: Magic Ball", description = "Question:\n"..message.content:gsub(prefix.."magicball ", ""), fields = { {name = "Answer:", value = answers[math.random(1, #answers)]} }; color = discordia.Color.fromRGB(27,26,54).value } } end }; [prefix.."quote"] = { desc = "Quote a message (Needs Message ID)", exec = function (message) local MsgID = message.content:gsub(prefix.."quote ", "") local Msg = message.channel:getMessage(MsgID) local Channel = message.guild:getChannel(message.channel.id) if not Msg then message:reply("Couldn't find the quote you looking for.") else message:reply{ embed = { author = { name = Msg.author.username, icon_url = Msg.author.avatarURL }, description = Msg.content, footer = { text = string.format("#%s in %s", Channel.name, message.guild.name) }, timestamp = Msg.timestamp, color = discordia.Color.fromRGB(27,26,54).value } } end end } } client:on("ready", function() -- Remember we made a client variable? We can use it now! -- So if the bot its ready, it will prints thats its online! -- Ignore os.date, os.time, \027[94m etc. its things that just make the message cool! -- NOTE: Remember every thing related with client, its related to the bot! print(os.date("%F %T", os.time()).." | \027[94m[BOT]\027[0m | "..client.user.username.." Is online!") client:setGame("With Code | Shard "..tostring(client.totalShardCount)) -- Status message end) client:on('messageCreate', function(message) -- If someone sends a message, we gonna make a function with param "message". if message.author.bot then return end -- Prevent the bot to use thier own commands local args = message.content:split(" ") -- Split all arguments of the message content into a table local command = commands[args[1]] -- Use first index of the arguments if command then -- If one of the commands then execute it command.exec(message) end --Help command if args[1] == prefix.."help" then -- If first index of args its the prefix and help, then (bassicaly) display all the commands local stdout = {} for w, tbl in pairs(commands) do table.insert(stdout, w .. " - " .. tbl.desc) end if not message.member:send{embed = {title = "Old-Machine commands", description = table.concat(stdout, "\n\n"), color = discordia.Color.fromRGB(27,26,54).value;}} then --If cant send in the DMs then send on channel message:reply{embed = {title = "Old-Machine commands", description = table.concat(stdout, "\n\n"), color = discordia.Color.fromRGB(27,26,54).value;}} end end end) client:run("Bot TOKEN") --replace TOKEN with the bot token, running a second instance before/after can cause problems, regen the token to solve
fx_version 'adamant' game 'gta5' author 'Chef#6502' description 'Chef Menu F3' version '1.0' client_scripts { "@es_extended/locale.lua", 'dependencies/menu.lua', 'cl_shop.lua' } server_scripts { '@mysql-async/lib/MySQL.lua', "@es_extended/locale.lua", 'sv_shop.lua' }
--- LuaRocks-specific path handling functions. -- All paths are configured in this module, making it a single -- point where the layout of the local installation is defined in LuaRocks. --module("luarocks.path", package.seeall) local path = {} local dir = require("luarocks.dir") local cfg = require("luarocks.cfg") local util = require("luarocks.util") --- Infer rockspec filename from a rock filename. -- @param rock_name string: Pathname of a rock file. -- @return string: Filename of the rockspec, without path. function path.rockspec_name_from_rock(rock_name) assert(type(rock_name) == "string") local base_name = dir.base_name(rock_name) return base_name:match("(.*)%.[^.]*.rock") .. ".rockspec" end function path.rocks_dir(tree) if type(tree) == "string" then return dir.path(tree, cfg.rocks_subdir) else assert(type(tree) == "table") return tree.rocks_dir or dir.path(tree.root, cfg.rocks_subdir) end end function path.root_dir(rocks_dir) assert(type(rocks_dir) == "string") return rocks_dir:match("(.*)" .. util.matchquote(cfg.rocks_subdir) .. ".*$") end function path.rocks_tree_to_string(tree) if type(tree) == "string" then return tree else assert(type(tree) == "table") return tree.root end end function path.deploy_bin_dir(tree) if type(tree) == "string" then return dir.path(tree, "bin") else assert(type(tree) == "table") return tree.bin_dir or dir.path(tree.root, "bin") end end function path.deploy_lua_dir(tree) if type(tree) == "string" then return dir.path(tree, cfg.lua_modules_path) else assert(type(tree) == "table") return tree.lua_dir or dir.path(tree.root, cfg.lua_modules_path) end end function path.deploy_lib_dir(tree) if type(tree) == "string" then return dir.path(tree, cfg.lib_modules_path) else assert(type(tree) == "table") return tree.lib_dir or dir.path(tree.root, cfg.lib_modules_path) end end function path.manifest_file(tree) if type(tree) == "string" then return dir.path(tree, cfg.rocks_subdir, "manifest") else assert(type(tree) == "table") return (tree.rocks_dir and dir.path(tree.rocks_dir, "manifest")) or dir.path(tree.root, cfg.rocks_subdir, "manifest") end end --- Get the directory for all versions of a package in a tree. -- @param name string: The package name. -- @return string: The resulting path -- does not guarantee that -- @param tree string or nil: If given, specifies the local tree to use. -- the package (and by extension, the path) exists. function path.versions_dir(name, tree) assert(type(name) == "string") tree = tree or cfg.root_dir return dir.path(path.rocks_dir(tree), name) end --- Get the local installation directory (prefix) for a package. -- @param name string: The package name. -- @param version string: The package version. -- @param tree string or nil: If given, specifies the local tree to use. -- @return string: The resulting path -- does not guarantee that -- the package (and by extension, the path) exists. function path.install_dir(name, version, tree) assert(type(name) == "string") assert(type(version) == "string") tree = tree or cfg.root_dir return dir.path(path.rocks_dir(tree), name, version) end --- Get the local filename of the rockspec of an installed rock. -- @param name string: The package name. -- @param version string: The package version. -- @param tree string or nil: If given, specifies the local tree to use. -- @return string: The resulting path -- does not guarantee that -- the package (and by extension, the file) exists. function path.rockspec_file(name, version, tree) assert(type(name) == "string") assert(type(version) == "string") tree = tree or cfg.root_dir return dir.path(path.rocks_dir(tree), name, version, name.."-"..version..".rockspec") end --- Get the local filename of the rock_manifest file of an installed rock. -- @param name string: The package name. -- @param version string: The package version. -- @param tree string or nil: If given, specifies the local tree to use. -- @return string: The resulting path -- does not guarantee that -- the package (and by extension, the file) exists. function path.rock_manifest_file(name, version, tree) assert(type(name) == "string") assert(type(version) == "string") tree = tree or cfg.root_dir return dir.path(path.rocks_dir(tree), name, version, "rock_manifest") end --- Get the local installation directory for C libraries of a package. -- @param name string: The package name. -- @param version string: The package version. -- @param tree string or nil: If given, specifies the local tree to use. -- @return string: The resulting path -- does not guarantee that -- the package (and by extension, the path) exists. function path.lib_dir(name, version, tree) assert(type(name) == "string") assert(type(version) == "string") tree = tree or cfg.root_dir return dir.path(path.rocks_dir(tree), name, version, "lib") end --- Get the local installation directory for Lua modules of a package. -- @param name string: The package name. -- @param version string: The package version. -- @param tree string or nil: If given, specifies the local tree to use. -- @return string: The resulting path -- does not guarantee that -- the package (and by extension, the path) exists. function path.lua_dir(name, version, tree) assert(type(name) == "string") assert(type(version) == "string") tree = tree or cfg.root_dir return dir.path(path.rocks_dir(tree), name, version, "lua") end --- Get the local installation directory for documentation of a package. -- @param name string: The package name. -- @param version string: The package version. -- @param tree string or nil: If given, specifies the local tree to use. -- @return string: The resulting path -- does not guarantee that -- the package (and by extension, the path) exists. function path.doc_dir(name, version, tree) assert(type(name) == "string") assert(type(version) == "string") tree = tree or cfg.root_dir return dir.path(path.rocks_dir(tree), name, version, "doc") end --- Get the local installation directory for configuration files of a package. -- @param name string: The package name. -- @param version string: The package version. -- @param tree string or nil: If given, specifies the local tree to use. -- @return string: The resulting path -- does not guarantee that -- the package (and by extension, the path) exists. function path.conf_dir(name, version, tree) assert(type(name) == "string") assert(type(version) == "string") tree = tree or cfg.root_dir return dir.path(path.rocks_dir(tree), name, version, "conf") end --- Get the local installation directory for command-line scripts -- of a package. -- @param name string: The package name. -- @param version string: The package version. -- @param tree string or nil: If given, specifies the local tree to use. -- @return string: The resulting path -- does not guarantee that -- the package (and by extension, the path) exists. function path.bin_dir(name, version, tree) assert(type(name) == "string") assert(type(version) == "string") tree = tree or cfg.root_dir return dir.path(path.rocks_dir(tree), name, version, "bin") end --- Extract name, version and arch of a rock filename, -- or name, version and "rockspec" from a rockspec name. -- @param file_name string: pathname of a rock or rockspec -- @return (string, string, string) or nil: name, version and arch -- or nil if name could not be parsed function path.parse_name(file_name) assert(type(file_name) == "string") if file_name:match("%.rock$") then return dir.base_name(file_name):match("(.*)-([^-]+-%d+)%.([^.]+)%.rock$") else return dir.base_name(file_name):match("(.*)-([^-]+-%d+)%.(rockspec)") end end --- Make a rockspec or rock URL. -- @param pathname string: Base URL or pathname. -- @param name string: Package name. -- @param version string: Package version. -- @param arch string: Architecture identifier, or "rockspec" or "installed". -- @return string: A URL or pathname following LuaRocks naming conventions. function path.make_url(pathname, name, version, arch) assert(type(pathname) == "string") assert(type(name) == "string") assert(type(version) == "string") assert(type(arch) == "string") local filename = name.."-"..version if arch == "installed" then filename = dir.path(name, version, filename..".rockspec") elseif arch == "rockspec" then filename = filename..".rockspec" else filename = filename.."."..arch..".rock" end return dir.path(pathname, filename) end --- Convert a pathname to a module identifier. -- In Unix, for example, a path "foo/bar/baz.lua" is converted to -- "foo.bar.baz"; "bla/init.lua" returns "bla"; "foo.so" returns "foo". -- @param file string: Pathname of module -- @return string: The module identifier, or nil if given path is -- not a conformant module path (the function does not check if the -- path actually exists). function path.path_to_module(file) assert(type(file) == "string") local name = file:match("(.*)%."..cfg.lua_extension.."$") if name then name = name:gsub(dir.separator, ".") local init = name:match("(.*)%.init$") if init then name = init end else name = file:match("(.*)%."..cfg.lib_extension.."$") if name then name = name:gsub(dir.separator, ".") end end if not name then name = file end name = name:gsub("^%.+", ""):gsub("%.+$", "") return name end --- Obtain the directory name where a module should be stored. -- For example, on Unix, "foo.bar.baz" will return "foo/bar". -- @param mod string: A module name in Lua dot-separated format. -- @return string: A directory name using the platform's separator. function path.module_to_path(mod) assert(type(mod) == "string") return (mod:gsub("[^.]*$", ""):gsub("%.", dir.separator)) end --- Set up path-related variables for a given rock. -- Create a "variables" table in the rockspec table, containing -- adjusted variables according to the configuration file. -- @param rockspec table: The rockspec table. function path.configure_paths(rockspec) assert(type(rockspec) == "table") local vars = {} for k,v in pairs(cfg.variables) do vars[k] = v end local name, version = rockspec.name, rockspec.version vars.PREFIX = path.install_dir(name, version) vars.LUADIR = path.lua_dir(name, version) vars.LIBDIR = path.lib_dir(name, version) vars.CONFDIR = path.conf_dir(name, version) vars.BINDIR = path.bin_dir(name, version) vars.DOCDIR = path.doc_dir(name, version) rockspec.variables = vars end --- Produce a versioned version of a filename. -- @param file string: filename (must start with prefix) -- @param prefix string: Path prefix for file -- @param name string: Rock name -- @param version string: Rock version -- @return string: a pathname with the same directory parts and a versioned basename. function path.versioned_name(file, prefix, name, version) assert(type(file) == "string") assert(type(name) == "string") assert(type(version) == "string") local rest = file:sub(#prefix+1):gsub("^/*", "") local name_version = (name.."_"..version):gsub("%-", "_"):gsub("%.", "_") return dir.path(prefix, name_version.."-"..rest) end function path.use_tree(tree) cfg.root_dir = tree cfg.rocks_dir = path.rocks_dir(tree) cfg.deploy_bin_dir = path.deploy_bin_dir(tree) cfg.deploy_lua_dir = path.deploy_lua_dir(tree) cfg.deploy_lib_dir = path.deploy_lib_dir(tree) end --- Apply a given function to the active rocks trees based on chosen dependency mode. -- @param deps_mode string: Dependency mode: "one" for the current default tree, -- "all" for all trees, "order" for all trees with priority >= the current default, -- "none" for no trees (this function becomes a nop). -- @param fn function: function to be applied, with the tree dir (string) as the first -- argument and the remaining varargs of map_trees as the following arguments. -- @return a table with all results of invocations of fn collected. function path.map_trees(deps_mode, fn, ...) local result = {} if deps_mode == "one" then table.insert(result, (fn(cfg.root_dir, ...)) or 0) elseif deps_mode == "all" or deps_mode == "order" then local use = false if deps_mode == "all" then use = true end for _, tree in ipairs(cfg.rocks_trees) do if dir.normalize(path.rocks_tree_to_string(tree)) == dir.normalize(path.rocks_tree_to_string(cfg.root_dir)) then use = true end if use then table.insert(result, (fn(tree, ...)) or 0) end end end return result end --- Return the pathname of the file that would be loaded for a module, indexed. -- @param module_name string: module name (eg. "socket.core") -- @param name string: name of the package (eg. "luasocket") -- @param version string: version number (eg. "2.0.2-1") -- @param tree string: repository path (eg. "/usr/local") -- @param i number: the index, 1 if version is the current default, > 1 otherwise. -- This is done this way for use by select_module in luarocks.loader. -- @return string: filename of the module (eg. "/usr/local/lib/lua/5.1/socket/core.so") function path.which_i(module_name, name, version, tree, i) local deploy_dir if module_name:match("%.lua$") then deploy_dir = path.deploy_lua_dir(tree) module_name = dir.path(deploy_dir, module_name) else deploy_dir = path.deploy_lib_dir(tree) module_name = dir.path(deploy_dir, module_name) end if i > 1 then module_name = path.versioned_name(module_name, deploy_dir, name, version) end return module_name end --- Return the pathname of the file that would be loaded for a module, -- returning the versioned pathname if given version is not the default version -- in the given manifest. -- @param module_name string: module name (eg. "socket.core") -- @param name string: name of the package (eg. "luasocket") -- @param version string: version number (eg. "2.0.2-1") -- @param tree string: repository path (eg. "/usr/local") -- @param manifest table: the manifest table for the tree. -- @return string: filename of the module (eg. "/usr/local/lib/lua/5.1/socket/core.so") function path.which(module_name, filename, name, version, tree, manifest) local versions = manifest.modules[module_name] assert(versions) for i, name_version in ipairs(versions) do if name_version == name.."/"..version then return path.which_i(filename, name, version, tree, i):gsub("//", "/") end end assert(false) end return path
require "AudioEngine" local EFFECT_FILE = "effect1.wav" local MUSIC_FILE = "background.mp3" local LINE_SPACE = 40 local function CocosDenshionTest() local ret = CCLayer:create() local m_pItmeMenu = nil local m_tBeginPos = ccp(0, 0) local m_nSoundId = 0 local testItems = { "play background music", "stop background music", "pause background music", "resume background music", "rewind background music", "is background music playing", "play effect", "play effect repeatly", "stop effect", "unload effect", "add background music volume", "sub background music volume", "add effects volume", "sub effects volume", "pause effect", "resume effect", "pause all effects", "resume all effects", "stop all effects" } local function menuCallback(tag, pMenuItem) local nIdx = pMenuItem:getZOrder() - 10000 -- play background music if nIdx == 0 then AudioEngine.playMusic(MUSIC_FILE, true) elseif nIdx == 1 then -- stop background music AudioEngine.stopMusic() elseif nIdx == 2 then -- pause background music AudioEngine.pauseMusic() elseif nIdx == 3 then -- resume background music AudioEngine.resumeMusic() -- rewind background music elseif nIdx == 4 then AudioEngine.rewindMusic() elseif nIdx == 5 then -- is background music playing if AudioEngine.isMusicPlaying () then cclog("background music is playing") else cclog("background music is not playing") end elseif nIdx == 6 then -- play effect m_nSoundId = AudioEngine.playEffect(EFFECT_FILE) elseif nIdx == 7 then -- play effect m_nSoundId = AudioEngine.playEffect(EFFECT_FILE, true) elseif nIdx == 8 then -- stop effect AudioEngine.stopEffect(m_nSoundId) elseif nIdx == 9 then -- unload effect AudioEngine.unloadEffect(EFFECT_FILE) elseif nIdx == 10 then -- add bakcground music volume AudioEngine.setMusicVolume(AudioEngine.getMusicVolume() + 0.1) elseif nIdx == 11 then -- sub backgroud music volume AudioEngine.setMusicVolume(AudioEngine.getMusicVolume() - 0.1) elseif nIdx == 12 then -- add effects volume AudioEngine.setEffectsVolume(AudioEngine.getEffectsVolume() + 0.1) elseif nIdx == 13 then -- sub effects volume AudioEngine.setEffectsVolume(AudioEngine.getEffectsVolume() - 0.1) elseif nIdx == 14 then AudioEngine.pauseEffect(m_nSoundId) elseif nIdx == 15 then AudioEngine.resumeEffect(m_nSoundId) elseif nIdx == 16 then AudioEngine.pauseAllEffects() elseif nIdx == 17 then AudioEngine.resumeAllEffects() elseif nIdx == 18 then AudioEngine.stopAllEffects() end end -- add menu items for tests m_pItmeMenu = CCMenu:create() m_nTestCount = table.getn(testItems) local i = 1 for i = 1, m_nTestCount do local label = CCLabelTTF:create(testItems[i], "Arial", 24) local pMenuItem = CCMenuItemLabel:create(label) pMenuItem:registerScriptTapHandler(menuCallback) m_pItmeMenu:addChild(pMenuItem, i + 10000 -1) pMenuItem:setPosition( ccp( VisibleRect:center().x, (VisibleRect:top().y - i * LINE_SPACE) )) end m_pItmeMenu:setContentSize(CCSizeMake(VisibleRect:getVisibleRect().size.width, (m_nTestCount + 1) * LINE_SPACE)) m_pItmeMenu:setPosition(ccp(0, 0)) ret:addChild(m_pItmeMenu) ret:setTouchEnabled(true) -- preload background music and effect AudioEngine.preloadMusic( MUSIC_FILE ) AudioEngine.preloadEffect( EFFECT_FILE ) -- set default volume AudioEngine.setEffectsVolume(0.5) AudioEngine.setMusicVolume(0.5) local function onNodeEvent(event) if event == "enter" then elseif event == "exit" then --SimpleAudioEngine:sharedEngine():endToLua() end end ret:registerScriptHandler(onNodeEvent) local prev = {x = 0, y = 0} local function onTouchEvent(eventType, x, y) if eventType == "began" then prev.x = x prev.y = y m_tBeginPos = ccp(x, y) return true elseif eventType == "moved" then local touchLocation = ccp(x, y) local nMoveY = touchLocation.y - m_tBeginPos.y local curPosX, curPosY = m_pItmeMenu:getPosition() local curPos = ccp(curPosX, curPosY) local nextPos = ccp(curPos.x, curPos.y + nMoveY) if nextPos.y < 0.0 then m_pItmeMenu:setPosition(ccp(0, 0)) end if nextPos.y > ((m_nTestCount + 1)* LINE_SPACE - VisibleRect:getVisibleRect().size.height) then m_pItmeMenu:setPosition(ccp(0, ((m_nTestCount + 1)* LINE_SPACE - VisibleRect:getVisibleRect().size.height))) end m_pItmeMenu:setPosition(nextPos) m_tBeginPos.x = touchLocation.x m_tBeginPos.y = touchLocation.y prev.x = x prev.y = y end end ret:registerScriptTouchHandler(onTouchEvent) return ret end function CocosDenshionTestMain() cclog("CocosDenshionTestMain") local scene = CCScene:create() scene:addChild(CocosDenshionTest()) scene:addChild(CreateBackMenuItem()) return scene end
return { ["entreating"] = "entreat", ["foundering"] = "founder", ["fingers"] = "finger", ["gingers"] = "ginger", ["annihilates"] = "annihilate", ["disports"] = "disport", ["perceiving"] = "perceive", ["destabilized"] = "destabilize", ["indulged"] = "indulge", ["enslave"] = "enslave", ["consoling"] = "console", ["feathered"] = "feather", ["savour"] = "savour", ["desegregated"] = "desegregate", ["core"] = "core", ["mishear"] = "mishear", ["pore"] = "pore", ["simplifies"] = "simplify", ["reconvene"] = "reconvene", ["dramatize"] = "dramatize", ["compromises"] = "compromise", ["depend"] = "depend", ["integrating"] = "integrate", ["format"] = "format", ["bore"] = "bore", ["synchronise"] = "synchronise", ["chargesheet"] = "chargesheet", ["quipping"] = "quip", ["justify"] = "justify", ["dominated"] = "dominate", ["suppurates"] = "suppurate", ["lingers"] = "linger", ["festoon"] = "festoon", ["dismantling"] = "dismantle", ["bastardises"] = "bastardise", ["segued"] = "segue", ["galvanise"] = "galvanise", ["hurtle"] = "hurtle", ["poohpoohs"] = "poohpooh", ["refund"] = "refund", ["snorts"] = "snort", ["yowling"] = "yowl", ["proselytise"] = "proselytise", ["skewer"] = "skewer", ["bowling"] = "bowl", ["effervesced"] = "effervesce", ["extruded"] = "extrude", ["baaed"] = "baa", ["cultivating"] = "cultivate", ["howling"] = "howl", ["rinse"] = "rinse", ["vegges"] = "veg", ["marketed"] = "market", ["bubble"] = "bubble", ["compiling"] = "compile", ["blether"] = "blether", ["laps"] = "lap", ["blundering"] = "blunder", ["naps"] = "nap", ["blemished"] = "blemish", ["saps"] = "sap", ["overshared"] = "overshare", ["deprecates"] = "deprecate", ["paps"] = "pap", ["raps"] = "rap", ["riffling"] = "riffle", ["plundering"] = "plunder", ["overpowered"] = "overpower", ["yaps"] = "yap", ["zaps"] = "zap", ["sweeped"] = "sweep", ["perjuring"] = "perjure", ["astonishing"] = "astonish", ["privileging"] = "privilege", ["glint"] = "glint", ["scrutinised"] = "scrutinise", ["autosaving"] = "autosave", ["rouge"] = "rouge", ["demineralised"] = "demineralise", ["perpetuating"] = "perpetuate", ["reposes"] = "repose", ["deforest"] = "deforest", ["foisted"] = "foist", ["disentangled"] = "disentangle", ["hoisted"] = "hoist", ["scrubbed"] = "scrub", ["forking"] = "fork", ["gouge"] = "gouge", ["creating"] = "create", ["duelled"] = "duel", ["retrieves"] = "retrieve", ["kibitzing"] = "kibitz", ["dreaded"] = "dread", ["encapsulates"] = "encapsulate", ["nationalising"] = "nationalise", ["loosing"] = "loose", ["astounded"] = "astound", ["rationalising"] = "rationalise", ["mismatched"] = "mismatch", ["clutched"] = "clutch", ["bristled"] = "bristle", ["afforest"] = "afforest", ["goosing"] = "goose", ["thrown"] = "throw", ["loaned"] = "loan", ["moaned"] = "moan", ["balkanises"] = "balkanise", ["fuelled"] = "fuel", ["graduate"] = "graduate", ["relapse"] = "relapse", ["couple"] = "couple", ["post-syncs"] = "post-sync", ["sire"] = "sire", ["sleepwalking"] = "sleepwalk", ["tire"] = "tire", ["wire"] = "wire", ["bracketing"] = "bracket", ["empathizing"] = "empathize", ["redirect"] = "redirect", ["gabs"] = "gab", ["jabs"] = "jab", ["flummoxed"] = "flummox", ["striding"] = "stride", ["dabs"] = "dab", ["fire"] = "fire", ["gamifies"] = "gamify", ["cross-check"] = "cross-check", ["craned"] = "crane", ["pacing"] = "pace", ["network"] = "network", ["racing"] = "race", ["reacquainted"] = "reacquaint", ["chucking"] = "chuck", ["facing"] = "face", ["nabs"] = "nab", ["bounced"] = "bounce", ["inflame"] = "inflame", ["chundering"] = "chunder", ["script"] = "script", ["dismounted"] = "dismount", ["advancing"] = "advance", ["pounced"] = "pounce", ["peps"] = "pep", ["quavering"] = "quaver", ["thundering"] = "thunder", ["chromakeying"] = "chromakey", ["grooms"] = "groom", ["molests"] = "molest", ["sexts"] = "sext", ["demonising"] = "demonise", ["snuggling"] = "snuggle", ["redrawn"] = "redraw", ["undercook"] = "undercook", ["lauds"] = "laud", ["burns"] = "burn", ["trounced"] = "trounce", ["slobs"] = "slob", ["sandpaper"] = "sandpaper", ["skateboarded"] = "skateboard", ["stepped"] = "step", ["impeached"] = "impeach", ["smuggling"] = "smuggle", ["hunting"] = "hunt", ["hypothesises"] = "hypothesise", ["comprise"] = "comprise", ["ambush"] = "ambush", ["flicked"] = "flick", ["clicked"] = "click", ["punting"] = "punt", ["acknowledges"] = "acknowledge", ["aborts"] = "abort", ["embezzle"] = "embezzle", ["modernized"] = "modernize", ["rubbish"] = "rubbish", ["crawls"] = "crawl", ["drawls"] = "drawl", ["enclosing"] = "enclose", ["demystified"] = "demystify", ["slicked"] = "slick", ["communing"] = "commune", ["ebbs"] = "ebb", ["prompted"] = "prompt", ["departing"] = "depart", ["submerges"] = "submerge", ["birdie"] = "birdie", ["wobble"] = "wobble", ["savoring"] = "savor", ["brawls"] = "brawl", ["nobble"] = "nobble", ["gauge"] = "gauge", ["backheels"] = "backheel", ["bundle"] = "bundle", ["dunting"] = "dunt", ["outsmart"] = "outsmart", ["bottoms"] = "bottom", ["corks"] = "cork", ["engender"] = "engender", ["kips"] = "kip", ["dwelled"] = "dwell", ["bricked"] = "brick", ["cricked"] = "crick", ["objectify"] = "objectify", ["bootlegs"] = "bootleg", ["ensue"] = "ensue", ["role-play"] = "role-play", ["furloughing"] = "furlough", ["pricked"] = "prick", ["revamps"] = "revamp", ["tricked"] = "trick", ["rips"] = "rip", ["simulate"] = "simulate", ["tips"] = "tip", ["befell"] = "befall", ["launched"] = "launch", ["civilizing"] = "civilize", ["absolves"] = "absolve", ["blathering"] = "blather", ["comporting"] = "comport", ["twisted"] = "twist", ["oversimplifies"] = "oversimplify", ["draughting"] = "draught", ["nibble"] = "nibble", ["alternate"] = "alternate", ["triumphed"] = "triumph", ["defeats"] = "defeat", ["second-guessed"] = "second-guess", ["ref"] = "ref", ["strained"] = "strain", ["oversharing"] = "overshare", ["buckle"] = "buckle", ["commingle"] = "commingle", ["debit"] = "debit", ["trounces"] = "trounce", ["proceeding"] = "proceed", ["strumming"] = "strum", ["sweating"] = "sweat", ["requests"] = "request", ["diagnosing"] = "diagnose", ["hinting"] = "hint", ["sweet-talk"] = "sweet-talk", ["minting"] = "mint", ["suckle"] = "suckle", ["multicast"] = "multicast", ["name-drops"] = "name-drop", ["hobble"] = "hobble", ["gobble"] = "gobble", ["bobble"] = "bobble", ["swigs"] = "swig", ["divorced"] = "divorce", ["cobble"] = "cobble", ["bookmark"] = "bookmark", ["slathering"] = "slather", ["motored"] = "motor", ["excoriated"] = "excoriate", ["specialise"] = "specialise", ["patenting"] = "patent", ["flavouring"] = "flavour", ["impregnate"] = "impregnate", ["arrest"] = "arrest", ["absents"] = "absent", ["consorts"] = "consort", ["repel"] = "repel", ["overdosed"] = "overdose", ["snarling"] = "snarl", ["hoicked"] = "hoick", ["digitalize"] = "digitalize", ["planed"] = "plane", ["evangelizes"] = "evangelize", ["tense"] = "tense", ["anaesthetizing"] = "anaesthetize", ["converses"] = "converse", ["overtaken"] = "overtake", ["eff"] = "eff", ["back-burner"] = "back-burner", ["complying"] = "comply", ["panfries"] = "panfry", ["marginalising"] = "marginalise", ["breakdance"] = "breakdance", ["sounding"] = "sound", ["tie-dyes"] = "tie-dye", ["nasalises"] = "nasalise", ["philosophising"] = "philosophise", ["fascinating"] = "fascinate", ["guillotining"] = "guillotine", ["gurns"] = "gurn", ["dicing"] = "dice", ["glomming"] = "glom", ["vibrates"] = "vibrate", ["bounding"] = "bound", ["off"] = "off", ["founding"] = "found", ["videotaping"] = "videotape", ["hounding"] = "hound", ["desolated"] = "desolate", ["high-stick"] = "high-stick", ["misspent"] = "misspend", ["soldiered"] = "soldier", ["doublebook"] = "doublebook", ["trucking"] = "truck", ["moisturising"] = "moisturise", ["mesmerises"] = "mesmerise", ["luxuriates"] = "luxuriate", ["diluted"] = "dilute", ["skimped"] = "skimp", ["pastured"] = "pasture", ["detained"] = "detain", ["cavorts"] = "cavort", ["leased"] = "lease", ["testify"] = "testify", ["heisting"] = "heist", ["externalised"] = "externalise", ["institutionalizes"] = "institutionalize", ["protruded"] = "protrude", ["overlapped"] = "overlap", ["lurking"] = "lurk", ["discusses"] = "discuss", ["fink"] = "fink", ["barters"] = "barter", ["dink"] = "dink", ["shades"] = "shade", ["salaam"] = "salaam", ["refunded"] = "refund", ["commercializes"] = "commercialize", ["emphasising"] = "emphasise", ["electroplates"] = "electroplate", ["glimpse"] = "glimpse", ["jink"] = "jink", ["propagandises"] = "propagandise", ["chlorinated"] = "chlorinate", ["jangles"] = "jangle", ["mangles"] = "mangle", ["dubs"] = "dub", ["bloody"] = "bloody", ["chip"] = "chip", ["dangles"] = "dangle", ["gripping"] = "grip", ["dripping"] = "drip", ["refilling"] = "refill", ["ceased"] = "cease", ["consent"] = "consent", ["spinning"] = "spin", ["tripping"] = "trip", ["hype"] = "hype", ["disported"] = "disport", ["beguiles"] = "beguile", ["sequencing"] = "sequence", ["cocooned"] = "cocoon", ["manipulates"] = "manipulate", ["electing"] = "elect", ["backtracks"] = "backtrack", ["scrubs"] = "scrub", ["decarbonised"] = "decarbonize", ["rubs"] = "rub", ["outsources"] = "outsource", ["prangs"] = "prang", ["commune"] = "commune", ["overpay"] = "overpay", ["type"] = "type", ["cwtch"] = "cwtch", ["obtained"] = "obtain", ["dandling"] = "dandle", ["clipping"] = "clip", ["handling"] = "handle", ["flipping"] = "flip", ["gestured"] = "gesture", ["offsetting"] = "offset", ["cross-hatch"] = "cross-hatch", ["outweighs"] = "outweigh", ["expropriates"] = "expropriate", ["slipping"] = "slip", ["boomerangs"] = "boomerang", ["engineered"] = "engineer", ["fish"] = "fish", ["disengages"] = "disengage", ["fielding"] = "field", ["decorating"] = "decorate", ["darns"] = "darn", ["earns"] = "earn", ["arcing"] = "arc", ["unpicked"] = "unpick", ["perturbs"] = "perturb", ["empowered"] = "empower", ["bawling"] = "bawl", ["crystallizing"] = "crystallize", ["excepting"] = "except", ["wielding"] = "wield", ["abased"] = "abase", ["goof"] = "goof", ["harking"] = "hark", ["outclass"] = "outclass", ["larking"] = "lark", ["marking"] = "mark", ["tangles"] = "tangle", ["parking"] = "park", ["steam clean"] = "steam clean", ["distributing"] = "distribute", ["monetizing"] = "monetize", ["enunciates"] = "enunciate", ["marinated"] = "marinate", ["barking"] = "bark", ["eschewed"] = "eschew", ["ghosts"] = "ghost", ["provoked"] = "provoke", ["polymerises"] = "polymerise", ["purify"] = "purify", ["hardcode"] = "hardcode", ["snipping"] = "snip", ["revitalised"] = "revitalise", ["inhaling"] = "inhale", ["extrapolate"] = "extrapolate", ["expend"] = "expend", ["refrain"] = "refrain", ["perfect"] = "perfect", ["crystallize"] = "crystallize", ["bungled"] = "bungle", ["anesthetized"] = "anesthetize", ["crumpled"] = "crumple", ["incapacitated"] = "incapacitate", ["encircled"] = "encircle", ["demobilises"] = "demobilise", ["designate"] = "designate", ["decoys"] = "decoy", ["skinning"] = "skin", ["extirpated"] = "extirpate", ["chased"] = "chase", ["antagonizing"] = "antagonize", ["embalms"] = "embalm", ["lapsing"] = "lapse", ["adverting"] = "advert", ["landscapes"] = "landscape", ["turbocharges"] = "turbocharge", ["scudding"] = "scud", ["rioted"] = "riot", ["mewling"] = "mewl", ["schussing"] = "schuss", ["buckled"] = "buckle", ["raffling"] = "raffle", ["tattle"] = "tattle", ["preinstalled"] = "preinstall", ["resources"] = "resource", ["basks"] = "bask", ["beetling"] = "beetle", ["orbit"] = "orbit", ["suckled"] = "suckle", ["court-martial"] = "court-martial", ["emancipated"] = "emancipate", ["baffling"] = "baffle", ["denominating"] = "denominate", ["sideswiping"] = "sideswipe", ["concurred"] = "concur", ["buggered"] = "bugger", ["flipflop"] = "flipflop", ["impanelling"] = "impanel", ["tasks"] = "task", ["clangs"] = "clang", ["upshifting"] = "upshift", ["offed"] = "off", ["mollycoddles"] = "mollycoddle", ["cadges"] = "cadge", ["synthesise"] = "synthesise", ["effed"] = "eff", ["saluted"] = "salute", ["canvassing"] = "canvass", ["scrunchdried"] = "scrunchdry", ["renewing"] = "renew", ["tickle"] = "tickle", ["immortalising"] = "immortalise", ["pickle"] = "pickle", ["prunes"] = "prune", ["deice"] = "deice", ["beaned"] = "bean", ["illumining"] = "illumine", ["lumbered"] = "lumber", ["monetizes"] = "monetize", ["destroyed"] = "destroy", ["sunk"] = "sink", ["bleating"] = "bleat", ["disillusions"] = "disillusion", ["forsworn"] = "forswear", ["forswore"] = "forswear", ["creeped"] = "creep", ["mitres"] = "mitre", ["valued"] = "value", ["fist-pumps"] = "fist-pump", ["sanctioning"] = "sanction", ["counterattacking"] = "counterattack", ["deconsecrates"] = "deconsecrate", ["giftwrapping"] = "giftwrap", ["clucking"] = "cluck", ["authorized"] = "authorize", ["disassembles"] = "disassemble", ["working"] = "work", ["studs"] = "stud", ["disbarring"] = "disbar", ["waffling"] = "waffle", ["leaned"] = "lean", ["chuckling"] = "chuckle", ["throngs"] = "throng", ["bonk"] = "bonk", ["conk"] = "conk", ["piggyback"] = "piggyback", ["associate"] = "associate", ["battle"] = "battle", ["exiled"] = "exile", ["bobs"] = "bob", ["wash"] = "wash", ["botch"] = "botch", ["pluralized"] = "pluralize", ["gobs"] = "gob", ["mash"] = "mash", ["lash"] = "lash", ["dobs"] = "dob", ["fobs"] = "fob", ["cash"] = "cash", ["bash"] = "bash", ["depopulate"] = "depopulate", ["dash"] = "dash", ["gash"] = "gash", ["deepened"] = "deepen", ["hash"] = "hash", ["dermabraded"] = "dermabrade", ["appropriates"] = "appropriate", ["democratise"] = "democratise", ["misremembers"] = "misremember", ["sang"] = "sing", ["shine"] = "shine", ["engineering"] = "engineer", ["botoxed"] = "botox", ["whine"] = "whine", ["bolstered"] = "bolster", ["airkissed"] = "airkiss", ["gang"] = "gang", ["hang"] = "hang", ["holstered"] = "holster", ["bang"] = "bang", ["notch"] = "notch", ["funk"] = "funk", ["reintroduced"] = "reintroduce", ["lobs"] = "lob", ["mobs"] = "mob", ["browbeat"] = "browbeat", ["lambasted"] = "lambaste", ["insetting"] = "inset", ["packetises"] = "packetise", ["monetized"] = "monetize", ["heckle"] = "heckle", ["bunk"] = "bunk", ["misjudges"] = "misjudge", ["elapse"] = "elapse", ["rebuff"] = "rebuff", ["pink"] = "pink", ["fibs"] = "fib", ["rationalizes"] = "rationalize", ["clip"] = "clip", ["introduce"] = "introduce", ["laundering"] = "launder", ["maundering"] = "maunder", ["menaces"] = "menace", ["galvanized"] = "galvanize", ["acceded"] = "accede", ["biased"] = "bias", ["documents"] = "document", ["overfeeds"] = "overfeed", ["effectuating"] = "effectuate", ["hydroplaning"] = "hydroplane", ["two-timing"] = "two-time", ["emptied"] = "empty", ["situates"] = "situate", ["parole"] = "parole", ["photoshops"] = "photoshop", ["disfranchises"] = "disfranchise", ["retells"] = "retell", ["ribs"] = "rib", ["accented"] = "accent", ["crash-dive"] = "crash-dive", ["slip"] = "slip", ["biodegraded"] = "biodegrade", ["disperses"] = "disperse", ["hung"] = "hang", ["dollarise"] = "dollarise", ["deviating"] = "deviate", ["misdial"] = "misdial", ["ace"] = "ace", ["mesh"] = "mesh", ["ideates"] = "ideate", ["bung"] = "bung", ["ascend"] = "ascend", ["saturated"] = "saturate", ["toughing"] = "tough", ["ice"] = "ice", ["toys"] = "toy", ["murder"] = "murder", ["exonerate"] = "exonerate", ["rung"] = "ring", ["sung"] = "sing", ["carves"] = "carve", ["muddles"] = "muddle", ["baptising"] = "baptise", ["border"] = "border", ["huddles"] = "huddle", ["stable"] = "stable", ["partaken"] = "partake", ["fizzing"] = "fizz", ["comparison-shopped"] = "comparison-shop", ["manoeuvred"] = "manoeuvre", ["actualizing"] = "actualize", ["discovering"] = "discover", ["shrugs"] = "shrug", ["sipped"] = "sip", ["restated"] = "restate", ["annoys"] = "annoy", ["tabulates"] = "tabulate", ["bimbling"] = "bimble", ["fess"] = "fess", ["wedges"] = "wedge", ["pasteurize"] = "pasteurize", ["cannibalised"] = "cannibalise", ["fence"] = "fence", ["freeloaded"] = "freeload", ["concern"] = "concern", ["firms"] = "firm", ["cupped"] = "cup", ["condensed"] = "condense", ["decoy"] = "decoy", ["overtopping"] = "overtop", ["explains"] = "explain", ["strewn"] = "strew", ["flagellated"] = "flagellate", ["filching"] = "filch", ["screeched"] = "screech", ["overachieved"] = "overachieve", ["recrudescing"] = "recrudesce", ["cuddles"] = "cuddle", ["agglomerated"] = "agglomerate", ["fleshed"] = "flesh", ["recover"] = "recover", ["sermonised"] = "sermonise", ["shirking"] = "shirk", ["prioritising"] = "prioritise", ["fouled"] = "foul", ["spice"] = "spice", ["bereaved"] = "bereave", ["christened"] = "christen", ["harangue"] = "harangue", ["coughing"] = "cough", ["sequence"] = "sequence", ["ding"] = "ding", ["busks"] = "busk", ["cannon"] = "cannon", ["batting"] = "bat", ["debug"] = "debug", ["synthesises"] = "synthesise", ["reaffirming"] = "reaffirm", ["misspoken"] = "misspeak", ["tantalized"] = "tantalize", ["uncover"] = "uncover", ["sing"] = "sing", ["motoring"] = "motor", ["ping"] = "ping", ["ring"] = "ring", ["drip-feed"] = "drip-feed", ["airfreight"] = "airfreight", ["affronted"] = "affront", ["wing"] = "wing", ["feather-bed"] = "feather-bed", ["backtrack"] = "backtrack", ["zing"] = "zing", ["rumouring"] = "rumour", ["skimp"] = "skimp", ["back-pedalling"] = "back-pedal", ["prefixing"] = "prefix", ["destabilising"] = "destabilise", ["doodled"] = "doodle", ["purported"] = "purport", ["blowdry"] = "blowdry", ["hedges"] = "hedge", ["patting"] = "pat", ["terrorises"] = "terrorise", ["ratting"] = "rat", ["buzzing"] = "buzz", ["humouring"] = "humour", ["partied"] = "party", ["reminisce"] = "reminisce", ["dance"] = "dance", ["dipped"] = "dip", ["ripped"] = "rip", ["sleepwalked"] = "sleepwalk", ["pipped"] = "pip", ["heard"] = "hear", ["uninstall"] = "uninstall", ["kipped"] = "kip", ["intermingling"] = "intermingle", ["cremates"] = "cremate", ["outfitted"] = "outfit", ["bespeak"] = "bespeak", ["disappoint"] = "disappoint", ["keelhaul"] = "keelhaul", ["italicizing"] = "italicize", ["dispense"] = "dispense", ["sympathising"] = "sympathise", ["recoil"] = "recoil", ["breastfeeding"] = "breastfeed", ["salivated"] = "salivate", ["evangelize"] = "evangelize", ["enmeshing"] = "enmesh", ["constrains"] = "constrain", ["coxes"] = "cox", ["bungles"] = "bungle", ["underperforming"] = "underperform", ["foxes"] = "fox", ["stave"] = "stave", ["bayonets"] = "bayonet", ["boxes"] = "box", ["suited"] = "suit", ["groom"] = "groom", ["beard"] = "beard", ["expand"] = "expand", ["bodges"] = "bodge", ["incurring"] = "incur", ["school"] = "school", ["lodges"] = "lodge", ["discourses"] = "discourse", ["waterskiing"] = "waterski", ["imperil"] = "imperil", ["limited"] = "limit", ["baby"] = "baby", ["upsetting"] = "upset", ["unbutton"] = "unbutton", ["eke"] = "eke", ["snip"] = "snip", ["collaborated"] = "collaborate", ["collating"] = "collate", ["preview"] = "preview", ["chillaxed"] = "chillax", ["spring-clean"] = "spring-clean", ["pinpoint"] = "pinpoint", ["follow"] = "follow", ["spited"] = "spite", ["hollow"] = "hollow", ["grilled"] = "grill", ["compost"] = "compost", ["readvertise"] = "readvertise", ["apostrophizing"] = "apostrophize", ["miniaturised"] = "miniaturise", ["americanising"] = "americanise", ["penetrated"] = "penetrate", ["conform"] = "conform", ["subcontract"] = "subcontract", ["brownbags"] = "brownbag", ["grease"] = "grease", ["levitated"] = "levitate", ["renovating"] = "renovate", ["vacuum"] = "vacuum", ["promulgates"] = "promulgate", ["leverage"] = "leverage", ["visualise"] = "visualise", ["hallucinates"] = "hallucinate", ["mistaken"] = "mistake", ["divebombed"] = "divebomb", ["dirtied"] = "dirty", ["dollarizes"] = "dollarize", ["remains"] = "remain", ["die"] = "die", ["jaywalked"] = "jaywalk", ["matriculating"] = "matriculate", ["ritualizing"] = "ritualize", ["perplexed"] = "perplex", ["juice"] = "juice", ["crease"] = "crease", ["menstruates"] = "menstruate", ["provisions"] = "provision", ["tie"] = "tie", ["crimsoned"] = "crimson", ["destocked"] = "destock", ["capitulating"] = "capitulate", ["martyrs"] = "martyr", ["lie"] = "lie", ["restocked"] = "restock", ["resurrect"] = "resurrect", ["playact"] = "playact", ["charbroiled"] = "charbroil", ["realign"] = "realign", ["shrinking"] = "shrink", ["enable"] = "enable", ["cluttering"] = "clutter", ["exudes"] = "exude", ["stimulates"] = "stimulate", ["crossfertilised"] = "crossfertilise", ["shoe"] = "shoe", ["narrating"] = "narrate", ["deserved"] = "deserve", ["codify"] = "codify", ["embalm"] = "embalm", ["popped"] = "pop", ["stint"] = "stint", ["underpays"] = "underpay", ["lopped"] = "lop", ["predates"] = "predate", ["depleted"] = "deplete", ["hopped"] = "hop", ["pedalling"] = "pedal", ["upstage"] = "upstage", ["disprove"] = "disprove", ["age"] = "age", ["squeaking"] = "squeak", ["skateboard"] = "skateboard", ["psych"] = "psych", ["burgeon"] = "burgeon", ["dethrones"] = "dethrone", ["disparaging"] = "disparage", ["organised"] = "organise", ["interpolates"] = "interpolate", ["arced"] = "arc", ["cultures"] = "culture", ["supped"] = "sup", ["lowballing"] = "lowball", ["prolonging"] = "prolong", ["pootles"] = "pootle", ["forsake"] = "forsake", ["conscripting"] = "conscript", ["quirking"] = "quirk", ["touting"] = "tout", ["benefit"] = "benefit", ["postured"] = "posture", ["pouting"] = "pout", ["pare"] = "pare", ["confirms"] = "confirm", ["cradle-snatching"] = "cradle-snatch", ["double clicks"] = "double click", ["timetabled"] = "timetable", ["chilled"] = "chill", ["append"] = "append", ["bucket"] = "bucket", ["gee"] = "gee", ["side-footed"] = "side-foot", ["pranging"] = "prang", ["see"] = "see", ["bemoans"] = "bemoan", ["pong"] = "pong", ["pee"] = "pee", ["point"] = "point", ["remasters"] = "remaster", ["airkiss"] = "airkiss", ["congregate"] = "congregate", ["hot-dogging"] = "hot-dog", ["cosh"] = "cosh", ["beached"] = "beach", ["stifling"] = "stifle", ["leached"] = "leach", ["foregoes"] = "forego", ["shellacked"] = "shellac", ["memorialising"] = "memorialise", ["joint"] = "joint", ["redecorated"] = "redecorate", ["despoiling"] = "despoil", ["studding"] = "stud", ["handicaps"] = "handicap", ["tape record"] = "tape record", ["diverges"] = "diverge", ["accuse"] = "accuse", ["interlay"] = "interlay", ["care"] = "care", ["bare"] = "bare", ["mosh"] = "mosh", ["dare"] = "dare", ["merchandise"] = "merchandise", ["josh"] = "josh", ["outrun"] = "outrun", ["boycott"] = "boycott", ["mushrooming"] = "mushroom", ["pleaded"] = "plead", ["waterskis"] = "waterski", ["reinterprets"] = "reinterpret", ["broils"] = "broil", ["fulfilled"] = "fulfil", ["inaugurate"] = "inaugurate", ["occurring"] = "occur", ["betatesting"] = "betatest", ["tethers"] = "tether", ["strapping"] = "strap", ["furloughed"] = "furlough", ["convey"] = "convey", ["systematises"] = "systematise", ["popularising"] = "popularise", ["targeting"] = "target", ["industrializes"] = "industrialize", ["overflows"] = "overflow", ["strengthen"] = "strengthen", ["running"] = "run", ["narrated"] = "narrate", ["hurls"] = "hurl", ["relapses"] = "relapse", ["furls"] = "furl", ["curls"] = "curl", ["pulverise"] = "pulverise", ["rush"] = "rush", ["grapple"] = "grapple", ["adhering"] = "adhere", ["exalted"] = "exalt", ["carol"] = "carol", ["push"] = "push", ["gunning"] = "gun", ["peddles"] = "peddle", ["meddles"] = "meddle", ["hush"] = "hush", ["gush"] = "gush", ["mimic"] = "mimic", ["seeped"] = "seep", ["peeped"] = "peep", ["revoked"] = "revoke", ["trusted"] = "trust", ["deduces"] = "deduce", ["beheaded"] = "behead", ["romanticises"] = "romanticise", ["enforce"] = "enforce", ["corkscrew"] = "corkscrew", ["regaling"] = "regale", ["breach"] = "breach", ["graft"] = "graft", ["craft"] = "craft", ["draft"] = "draft", ["sunset"] = "sunset", ["elongated"] = "elongate", ["induces"] = "induce", ["tremble"] = "tremble", ["auctioned"] = "auction", ["reconfirming"] = "reconfirm", ["preach"] = "preach", ["customizes"] = "customize", ["truanting"] = "truant", ["flounced"] = "flounce", ["rasterise"] = "rasterise", ["effecting"] = "effect", ["assimilating"] = "assimilate", ["use"] = "use", ["timetables"] = "timetable", ["suctioned"] = "suction", ["decorated"] = "decorate", ["volleying"] = "volley", ["accoutred"] = "accoutre", ["exfoliate"] = "exfoliate", ["bar-hops"] = "bar-hop", ["evacuate"] = "evacuate", ["ape"] = "ape", ["stinted"] = "stint", ["trip"] = "trip", ["mail bombed"] = "mail bomb", ["fathers"] = "father", ["gathers"] = "gather", ["anneal"] = "anneal", ["wielded"] = "wield", ["yielded"] = "yield", ["uphold"] = "uphold", ["grip"] = "grip", ["cant"] = "cant", ["estimate"] = "estimate", ["militarize"] = "militarize", ["affecting"] = "affect", ["toe"] = "toe", ["encompassed"] = "encompass", ["interpolate"] = "interpolate", ["classifies"] = "classify", ["pant"] = "pant", ["pretests"] = "pretest", ["rant"] = "rant", ["hoe"] = "hoe", ["fielded"] = "field", ["revolts"] = "revolt", ["quip"] = "quip", ["misjudging"] = "misjudge", ["exports"] = "export", ["reckon"] = "reckon", ["spoils"] = "spoil", ["adulterating"] = "adulterate", ["vie"] = "vie", ["slumbers"] = "slumber", ["bummed"] = "bum", ["defecting"] = "defect", ["gummed"] = "gum", ["reincarnates"] = "reincarnate", ["confides"] = "confide", ["hummed"] = "hum", ["reduces"] = "reduce", ["seduces"] = "seduce", ["strung"] = "string", ["sanitising"] = "sanitise", ["purchases"] = "purchase", ["riddles"] = "riddle", ["piddles"] = "piddle", ["tabulate"] = "tabulate", ["tantalizing"] = "tantalize", ["demilitarizing"] = "demilitarize", ["survived"] = "survive", ["outspent"] = "outspend", ["smirking"] = "smirk", ["remodels"] = "remodel", ["adjourn"] = "adjourn", ["deafened"] = "deafen", ["slurped"] = "slurp", ["scuds"] = "scud", ["damning"] = "damn", ["blitzed"] = "blitz", ["beckon"] = "beckon", ["bulldozes"] = "bulldoze", ["barrel"] = "barrel", ["thump"] = "thump", ["biodegrading"] = "biodegrade", ["specializes"] = "specialize", ["crossexamining"] = "crossexamine", ["frisking"] = "frisk", ["frames"] = "frame", ["wee-wees"] = "wee-wee", ["emphasizing"] = "emphasize", ["detoxed"] = "detox", ["neutralises"] = "neutralise", ["intimate"] = "intimate", ["explore"] = "explore", ["jousted"] = "joust", ["languished"] = "languish", ["personalizing"] = "personalize", ["throws"] = "throw", ["unscrewing"] = "unscrew", ["daubed"] = "daub", ["norms"] = "norm", ["volley"] = "volley", ["damns"] = "damn", ["chipping"] = "chip", ["sleepwalks"] = "sleepwalk", ["worms"] = "worm", ["uncoil"] = "uncoil", ["vexes"] = "vex", ["taint"] = "taint", ["mothballs"] = "mothball", ["shimmying"] = "shimmy", ["sploshed"] = "splosh", ["shadow"] = "shadow", ["spring-cleaned"] = "spring-clean", ["telescopes"] = "telescope", ["encash"] = "encash", ["dispossesses"] = "dispossess", ["paint"] = "paint", ["grok"] = "grok", ["panics"] = "panic", ["vetoing"] = "veto", ["scoff"] = "scoff", ["quietens"] = "quieten", ["test-drives"] = "test-drive", ["declared"] = "declare", ["coached"] = "coach", ["foregathering"] = "foregather", ["enclosed"] = "enclose", ["sensitizes"] = "sensitize", ["sprained"] = "sprain", ["sexes"] = "sex", ["rediscovering"] = "rediscover", ["decentralizing"] = "decentralize", ["live-blogs"] = "live-blog", ["shames"] = "shame", ["sue"] = "sue", ["bloom"] = "bloom", ["brave"] = "brave", ["forms"] = "form", ["fastforwarded"] = "fastforward", ["crave"] = "crave", ["tempting"] = "tempt", ["mission"] = "mission", ["bottomed"] = "bottom", ["egosurfs"] = "egosurf", ["eviscerates"] = "eviscerate", ["dye"] = "dye", ["smites"] = "smite", ["diced"] = "dice", ["evaporates"] = "evaporate", ["burrow"] = "burrow", ["double-clicks"] = "double-click", ["remits"] = "remit", ["patterns"] = "pattern", ["carpetbombed"] = "carpetbomb", ["backcombed"] = "backcomb", ["dereferences"] = "dereference", ["machinegun"] = "machinegun", ["furrow"] = "furrow", ["disposed"] = "dispose", ["timetabling"] = "timetable", ["cook"] = "cook", ["book"] = "book", ["faint"] = "faint", ["hot-swaps"] = "hot-swap", ["certificating"] = "certificate", ["encouraging"] = "encourage", ["intercut"] = "intercut", ["flinches"] = "flinch", ["perverts"] = "pervert", ["clinches"] = "clinch", ["ring-fenced"] = "ring-fence", ["paired"] = "pair", ["took"] = "take", ["savored"] = "savor", ["axe"] = "axe", ["look"] = "look", ["hook"] = "hook", ["cartwheeled"] = "cartwheel", ["serves"] = "serve", ["savor"] = "savor", ["indicts"] = "indict", ["sass"] = "sass", ["owe"] = "owe", ["kindling"] = "kindle", ["pass"] = "pass", ["cleaves"] = "cleave", ["pulse"] = "pulse", ["chorusing"] = "chorus", ["disproved"] = "disprove", ["legitimises"] = "legitimise", ["awe"] = "awe", ["systematised"] = "systematise", ["fatfinger"] = "fatfinger", ["blames"] = "blame", ["kindle"] = "kindle", ["convince"] = "convince", ["combined"] = "combine", ["intimidates"] = "intimidate", ["stirfries"] = "stirfry", ["misdiagnoses"] = "misdiagnose", ["birdies"] = "birdie", ["acquiesces"] = "acquiesce", ["circumnavigated"] = "circumnavigate", ["nixes"] = "nix", ["chargrilled"] = "chargrill", ["foist"] = "foist", ["gestates"] = "gestate", ["fixes"] = "fix", ["hoist"] = "hoist", ["flames"] = "flame", ["loitering"] = "loiter", ["dynamites"] = "dynamite", ["flours"] = "flour", ["stigmatized"] = "stigmatize", ["overemphasizes"] = "overemphasize", ["nosedived"] = "nosedive", ["cue"] = "cue", ["rue"] = "rue", ["aquaplaned"] = "aquaplane", ["downgrading"] = "downgrade", ["connected"] = "connect", ["escalates"] = "escalate", ["marrying"] = "marry", ["laughing"] = "laugh", ["heisted"] = "heist", ["echoes"] = "echo", ["impart"] = "impart", ["honeymooned"] = "honeymoon", ["feint"] = "feint", ["breathalysing"] = "breathalyse", ["muddying"] = "muddy", ["imprison"] = "imprison", ["parrying"] = "parry", ["buddying"] = "buddy", ["tarrying"] = "tarry", ["timesing"] = "times", ["catalogued"] = "catalogue", ["overlooking"] = "overlook", ["defamed"] = "defame", ["europeanise"] = "europeanise", ["gybing"] = "gybe", ["slouch"] = "slouch", ["prepaying"] = "prepay", ["blathers"] = "blather", ["rehouse"] = "rehouse", ["spotlights"] = "spotlight", ["attained"] = "attain", ["elaborate"] = "elaborate", ["telemetering"] = "telemeter", ["mellowed"] = "mellow", ["exhume"] = "exhume", ["battens"] = "batten", ["misplace"] = "misplace", ["fattens"] = "fatten", ["negotiating"] = "negotiate", ["spills"] = "spill", ["had"] = "have", ["zeroed"] = "zero", ["penning"] = "pen", ["apostrophizes"] = "apostrophize", ["pad"] = "pad", ["counter-attacks"] = "counter-attack", ["sniffing"] = "sniff", ["wad"] = "wad", ["initialize"] = "initialize", ["retorts"] = "retort", ["professionalised"] = "professionalise", ["smelling"] = "smell", ["slathers"] = "slather", ["offshoring"] = "offshore", ["scrapped"] = "scrap", ["straightarms"] = "straightarm", ["carjacking"] = "carjack", ["polymerize"] = "polymerize", ["swung"] = "swing", ["actualise"] = "actualise", ["amplifying"] = "amplify", ["faced"] = "face", ["pixelate"] = "pixelate", ["depopulating"] = "depopulate", ["bilked"] = "bilk", ["partexchange"] = "partexchange", ["drills"] = "drill", ["stabbed"] = "stab", ["gambles"] = "gamble", ["vetting"] = "vet", ["wetting"] = "wet", ["glimpses"] = "glimpse", ["waddles"] = "waddle", ["grills"] = "grill", ["trivialising"] = "trivialise", ["purveys"] = "purvey", ["paddles"] = "paddle", ["stung"] = "sting", ["abuses"] = "abuse", ["existing"] = "exist", ["betting"] = "bet", ["detoxes"] = "detox", ["perplexes"] = "perplex", ["jangle"] = "jangle", ["mangle"] = "mangle", ["volunteered"] = "volunteer", ["contraindicated"] = "contraindicate", ["engulfing"] = "engulf", ["tangle"] = "tangle", ["wangle"] = "wangle", ["validates"] = "validate", ["deliquescing"] = "deliquesce", ["twisting"] = "twist", ["pauses"] = "pause", ["setting"] = "set", ["netting"] = "net", ["persecuting"] = "persecute", ["smouldered"] = "smoulder", ["milked"] = "milk", ["paced"] = "pace", ["ballsed"] = "balls", ["confuted"] = "confute", ["spiffing"] = "spiff", ["laced"] = "lace", ["causes"] = "cause", ["gift-wrapping"] = "gift-wrap", ["beeping"] = "beep", ["billowed"] = "billow", ["cope"] = "cope", ["unbend"] = "unbend", ["stiffened"] = "stiffen", ["creolised"] = "creolise", ["rope"] = "rope", ["blubber"] = "blubber", ["lope"] = "lope", ["mope"] = "mope", ["outrides"] = "outride", ["rouging"] = "rouge", ["adjudicated"] = "adjudicate", ["disinterred"] = "disinter", ["pillowed"] = "pillow", ["detour"] = "detour", ["established"] = "establish", ["sightreads"] = "sightread", ["dangle"] = "dangle", ["softshoeing"] = "softshoe", ["hallmarked"] = "hallmark", ["field-tested"] = "field-test", ["normalises"] = "normalise", ["consecrated"] = "consecrate", ["convinces"] = "convince", ["employs"] = "employ", ["peeping"] = "peep", ["doubted"] = "doubt", ["upholstered"] = "upholster", ["frizzled"] = "frizzle", ["grizzled"] = "grizzle", ["crosscheck"] = "crosscheck", ["weeping"] = "weep", ["intuiting"] = "intuit", ["drizzled"] = "drizzle", ["seeping"] = "seep", ["storing"] = "store", ["fasting"] = "fast", ["followed"] = "follow", ["enriching"] = "enrich", ["concussed"] = "concuss", ["bankrupted"] = "bankrupt", ["conning"] = "con", ["controverting"] = "controvert", ["acknowledged"] = "acknowledge", ["instigated"] = "instigate", ["fermented"] = "ferment", ["pasting"] = "paste", ["back-pedal"] = "back-pedal", ["reconstituting"] = "reconstitute", ["blow-dries"] = "blow-dry", ["militating"] = "militate", ["crippled"] = "cripple", ["comports"] = "comport", ["basting"] = "baste", ["casting"] = "cast", ["captures"] = "capture", ["energizes"] = "energize", ["caddie"] = "caddie", ["motivates"] = "motivate", ["beguiled"] = "beguile", ["debarked"] = "debark", ["caddied"] = "caddy", ["assessed"] = "assess", ["masculinized"] = "masculinize", ["forcing"] = "force", ["geofence"] = "geofence", ["spooled"] = "spool", ["indented"] = "indent", ["globalized"] = "globalize", ["waived"] = "waive", ["fuelling"] = "fuel", ["assuages"] = "assuage", ["duelling"] = "duel", ["implements"] = "implement", ["touchtyping"] = "touchtype", ["schleps"] = "schlep", ["hid"] = "hide", ["expostulating"] = "expostulate", ["reheats"] = "reheat", ["ready"] = "ready", ["cubed"] = "cube", ["kid"] = "kid", ["aid"] = "aid", ["resounded"] = "resound", ["did"] = "do", ["averages"] = "average", ["bid"] = "bid", ["electrocuted"] = "electrocute", ["synthesised"] = "synthesise", ["categorizes"] = "categorize", ["finalising"] = "finalise", ["thrummed"] = "thrum", ["determining"] = "determine", ["titivates"] = "titivate", ["empathizes"] = "empathize", ["rid"] = "rid", ["denationalizing"] = "denationalize", ["heist"] = "heist", ["optimizes"] = "optimize", ["loft"] = "loft", ["gentrified"] = "gentrify", ["drooled"] = "drool", ["keyboarding"] = "keyboard", ["Spelling"] = "Spell", ["doubleclicked"] = "doubleclick", ["disheartens"] = "dishearten", ["conspired"] = "conspire", ["outranks"] = "outrank", ["choreographed"] = "choreograph", ["confuting"] = "confute", ["maximise"] = "maximise", ["popularized"] = "popularize", ["pertains"] = "pertain", ["gauges"] = "gauge", ["outlasted"] = "outlast", ["browsing"] = "browse", ["micromanaged"] = "micromanage", ["foreshadows"] = "foreshadow", ["rumbling"] = "rumble", ["freewheel"] = "freewheel", ["revved"] = "rev", ["credentialed"] = "credential", ["braids"] = "braid", ["mumbling"] = "mumble", ["particularised"] = "particularise", ["jumbling"] = "jumble", ["job-shares"] = "job-share", ["catalogue"] = "catalogue", ["starched"] = "starch", ["binged"] = "binge", ["risking"] = "risk", ["dinged"] = "ding", ["inculcate"] = "inculcate", ["deadens"] = "deaden", ["hinged"] = "hinge", ["screenprinted"] = "screenprint", ["cover"] = "cover", ["pillow"] = "pillow", ["videotapes"] = "videotape", ["double-parked"] = "double-park", ["hover"] = "hover", ["endanger"] = "endanger", ["surpass"] = "surpass", ["radicalises"] = "radicalise", ["bimbles"] = "bimble", ["decorates"] = "decorate", ["mortgaged"] = "mortgage", ["fat-finger"] = "fat-finger", ["doodling"] = "doodle", ["underlined"] = "underline", ["assassinated"] = "assassinate", ["scorning"] = "scorn", ["binning"] = "bin", ["dinning"] = "din", ["sugarcoated"] = "sugarcoat", ["persecutes"] = "persecute", ["paginates"] = "paginate", ["endeared"] = "endear", ["fed"] = "feed", ["bed"] = "bed", ["lip-synced"] = "lip-sync", ["renames"] = "rename", ["led"] = "lead", ["grabbed"] = "grab", ["confounded"] = "confound", ["fumbling"] = "fumble", ["sideswiped"] = "sideswipe", ["humbling"] = "humble", ["deploys"] = "deploy", ["borrow"] = "borrow", ["extricating"] = "extricate", ["dotting"] = "dot", ["fouling"] = "foul", ["wed"] = "wed", ["dumbfounds"] = "dumbfound", ["jotting"] = "jot", ["add"] = "add", ["hotting"] = "hot", ["garland"] = "garland", ["explain"] = "explain", ["rotting"] = "rot", ["potting"] = "pot", ["placates"] = "placate", ["apologises"] = "apologise", ["painted"] = "paint", ["embrace"] = "embrace", ["intermixing"] = "intermix", ["crayoning"] = "crayon", ["adorning"] = "adorn", ["depraving"] = "deprave", ["agreed"] = "agree", ["struggle"] = "struggle", ["commercialised"] = "commercialise", ["see-sawing"] = "see-saw", ["massacre"] = "massacre", ["cavorting"] = "cavort", ["vacation"] = "vacation", ["toady"] = "toady", ["execrating"] = "execrate", ["spelling"] = "spell", ["ritualise"] = "ritualise", ["roughcuts"] = "roughcut", ["enraptures"] = "enrapture", ["quadruples"] = "quadruple", ["impacts"] = "impact", ["road-tested"] = "road-test", ["euthanises"] = "euthanise", ["pitting"] = "pit", ["sitting"] = "sit", ["miniaturize"] = "miniaturize", ["cordons"] = "cordon", ["coddles"] = "coddle", ["fitting"] = "fit", ["crosspollinated"] = "crosspolinate", ["bottle-feed"] = "bottle-feed", ["kitting"] = "kit", ["forgiving"] = "forgive", ["embarked"] = "embark", ["masticated"] = "masticate", ["dops"] = "dop", ["hops"] = "hop", ["scorches"] = "scorch", ["cross-post"] = "cross-post", ["lops"] = "lop", ["biodegrade"] = "biodegrade", ["itemise"] = "itemise", ["sops"] = "sop", ["pops"] = "pop", ["counterbalanced"] = "counterbalance", ["boost"] = "boost", ["decontrols"] = "decontrol", ["mortars"] = "mortar", ["navigating"] = "navigate", ["ranged"] = "range", ["emulates"] = "emulate", ["bops"] = "bop", ["cops"] = "cop", ["poleaxed"] = "poleaxe", ["roost"] = "roost", ["optimize"] = "optimize", ["razzes"] = "razz", ["disobey"] = "disobey", ["yodel"] = "yodel", ["depressurizes"] = "depressurize", ["demonstrate"] = "demonstrate", ["skivvied"] = "skivvy", ["gladhanded"] = "gladhand", ["migrate"] = "migrate", ["knotted"] = "knot", ["snag"] = "snag", ["jazzes"] = "jazz", ["reconciles"] = "reconcile", ["decarbonise"] = "decarbonise", ["underbids"] = "underbid", ["swishing"] = "swish", ["directed"] = "direct", ["crinkles"] = "crinkle", ["approach"] = "approach", ["squirting"] = "squirt", ["approximated"] = "approximate", ["outputted"] = "output", ["wrinkles"] = "wrinkle", ["capsising"] = "capsise", ["bootleg"] = "bootleg", ["clotted"] = "clot", ["diagrammed"] = "diagram", ["putting"] = "putt", ["blotted"] = "blot", ["jutting"] = "jut", ["banged"] = "bang", ["fashioned"] = "fashion", ["equated"] = "equate", ["ganged"] = "gang", ["butting"] = "butt", ["rightclicked"] = "rightclick", ["espouse"] = "espouse", ["cutting"] = "cut", ["slotted"] = "slot", ["tops"] = "top", ["plotted"] = "plot", ["caddying"] = "caddy", ["rewind"] = "rewind", ["alleviate"] = "alleviate", ["alternating"] = "alternate", ["manning"] = "man", ["bedevilled"] = "bedevil", ["plighting"] = "plight", ["panning"] = "pan", ["enshroud"] = "enshroud", ["chundered"] = "chunder", ["blighting"] = "blight", ["fanning"] = "fan", ["flighting"] = "flight", ["collaborates"] = "collaborate", ["imd"] = "im", ["chafe"] = "chafe", ["alighting"] = "alight", ["degrease"] = "degrease", ["incubates"] = "incubate", ["quarry"] = "quarry", ["air-dash"] = "air-dash", ["hints"] = "hint", ["thundered"] = "thunder", ["total"] = "total", ["channel-hopped"] = "channel-hop", ["consorted"] = "consort", ["romanticizes"] = "romanticize", ["spawned"] = "spawn", ["mislaid"] = "mislay", ["denigrate"] = "denigrate", ["prejudge"] = "prejudge", ["doubts"] = "doubt", ["bootlegged"] = "bootleg", ["mutinies"] = "mutiny", ["quarrel"] = "quarrel", ["conjectures"] = "conjecture", ["testdrives"] = "testdrive", ["iceskate"] = "iceskate", ["cashiers"] = "cashier", ["exist"] = "exist", ["harping"] = "harp", ["faxes"] = "fax", ["cups"] = "cup", ["weaponises"] = "weaponise", ["carping"] = "carp", ["sanitizing"] = "sanitize", ["backburnered"] = "backburner", ["mellow"] = "mellow", ["model"] = "model", ["branded"] = "brand", ["warping"] = "warp", ["descaling"] = "descale", ["crusading"] = "crusade", ["engross"] = "engross", ["picturizes"] = "picturize", ["bellow"] = "bellow", ["yellow"] = "yellow", ["complicated"] = "complicate", ["jumpstarts"] = "jumpstart", ["flag"] = "flag", ["limbered"] = "limber", ["trundle"] = "trundle", ["sod"] = "sod", ["encashing"] = "encash", ["mod"] = "mod", ["nod"] = "nod", ["superposing"] = "superpose", ["blag"] = "blag", ["embed"] = "embed", ["deplanes"] = "deplane", ["maxes"] = "max", ["coagulating"] = "coagulate", ["end"] = "end", ["conscripts"] = "conscript", ["waxes"] = "wax", ["slighting"] = "slight", ["slag"] = "slag", ["rambling"] = "ramble", ["quickens"] = "quicken", ["disunite"] = "disunite", ["shillyshallying"] = "shillyshally", ["kickstarts"] = "kickstart", ["vents"] = "vent", ["rents"] = "rent", ["conscript"] = "conscript", ["apostrophising"] = "apostrophise", ["caution"] = "caution", ["dents"] = "dent", ["enwind"] = "enwind", ["miswedding"] = "miswed", ["gleaning"] = "glean", ["overlays"] = "overlay", ["progressed"] = "progress", ["countenancing"] = "countenance", ["defile"] = "defile", ["overlaid"] = "overlay", ["empowers"] = "empower", ["cleaning"] = "clean", ["carbonized"] = "carbonize", ["wasting"] = "waste", ["tasting"] = "taste", ["misfires"] = "misfire", ["soldiering"] = "soldier", ["fizzes"] = "fizz", ["blaspheme"] = "blaspheme", ["jointed"] = "joint", ["redistributed"] = "redistribute", ["outclasses"] = "outclass", ["pointed"] = "point", ["knighting"] = "knight", ["balked"] = "balk", ["dissociating"] = "dissociate", ["overlooks"] = "overlook", ["beautify"] = "beautify", ["calked"] = "calk", ["obviates"] = "obviate", ["exorcized"] = "exorcize", ["detoxifying"] = "detoxify", ["antagonize"] = "antagonize", ["doubleglazed"] = "doubleglaze", ["transpose"] = "transpose", ["upend"] = "upend", ["contested"] = "contest", ["bracing"] = "brace", ["flung"] = "fling", ["bushwhacks"] = "bushwhack", ["whelped"] = "whelp", ["gracing"] = "grace", ["coexisting"] = "coexist", ["jingles"] = "jingle", ["slung"] = "sling", ["mingles"] = "mingle", ["press-gang"] = "press-gang", ["shag"] = "shag", ["deteriorates"] = "deteriorate", ["tingles"] = "tingle", ["exploding"] = "explode", ["tracing"] = "trace", ["walked"] = "walk", ["democratized"] = "democratize", ["co-opt"] = "co-opt", ["clung"] = "cling", ["discharging"] = "discharge", ["earned"] = "earn", ["disporting"] = "disport", ["gouges"] = "gouge", ["hobnobbed"] = "hobnob", ["presaged"] = "presage", ["results"] = "result", ["brands"] = "brand", ["profit"] = "profit", ["transfixing"] = "transfix", ["rouges"] = "rouge", ["smelted"] = "smelt", ["videotape"] = "videotape", ["ulcerating"] = "ulcerate", ["inoculate"] = "inoculate", ["fluoridates"] = "fluoridate", ["spit-roast"] = "spit-roast", ["bestriding"] = "bestride", ["expanded"] = "expand", ["mauling"] = "maul", ["hauling"] = "haul", ["computerized"] = "computerize", ["garners"] = "garner", ["rummaging"] = "rummage", ["lessens"] = "lessen", ["appealed"] = "appeal", ["mutated"] = "mutate", ["dry-cleans"] = "dry-clean", ["decarbonising"] = "decarbonize", ["interchanged"] = "interchange", ["divebomb"] = "divebomb", ["syndicates"] = "syndicate", ["suppresses"] = "suppress", ["services"] = "service", ["neutralizing"] = "neutralize", ["veneered"] = "veneer", ["overcomes"] = "overcome", ["panic"] = "panic", ["featherbedded"] = "featherbed", ["peppered"] = "pepper", ["proceeds"] = "proceed", ["deviates"] = "deviate", ["elaborated"] = "elaborate", ["nauseate"] = "nauseate", ["occasioned"] = "occasion", ["couriering"] = "courier", ["printed"] = "print", ["preheat"] = "preheat", ["integrates"] = "integrate", ["airdashing"] = "airdash", ["glinted"] = "glint", ["cherrypicked"] = "cherrypick", ["narrow"] = "narrow", ["recoup"] = "recoup", ["rinsing"] = "rinse", ["rekindles"] = "rekindle", ["stiffing"] = "stiff", ["harrow"] = "harrow", ["advance"] = "advance", ["farrow"] = "farrow", ["rescinds"] = "rescind", ["slum"] = "slum", ["lunged"] = "lunge", ["overeggs"] = "overegg", ["gunged"] = "gunge", ["overturns"] = "overturn", ["bunged"] = "bung", ["foundered"] = "founder", ["writeprotect"] = "writeprotect", ["photosynthesises"] = "photosynthesise", ["alternates"] = "alternate", ["crosspollinating"] = "crosspolinate", ["blundered"] = "blunder", ["crouching"] = "crouch", ["chokes"] = "choke", ["breezed"] = "breeze", ["disentangle"] = "disentangle", ["congregated"] = "congregate", ["debugging"] = "debug", ["restores"] = "restore", ["plundered"] = "plunder", ["shoving"] = "shove", ["annotate"] = "annotate", ["signs"] = "sign", ["optimising"] = "optimise", ["chunters"] = "chunter", ["rimmed"] = "rim", ["acquiesce"] = "acquiesce", ["reworded"] = "reword", ["proofs"] = "proof", ["bawl"] = "bawl", ["desensitizes"] = "desensitize", ["handwrites"] = "handwrite", ["backheel"] = "backheel", ["demos"] = "demo", ["coupled"] = "couple", ["exclaims"] = "exclaim", ["canalising"] = "canalise", ["perking"] = "perk", ["ordered"] = "order", ["labouring"] = "labour", ["commanding"] = "command", ["demoing"] = "demo", ["eclipse"] = "eclipse", ["bequeathed"] = "bequeath", ["download"] = "download", ["cackle"] = "cackle", ["misusing"] = "misuse", ["intercutting"] = "intercut", ["scampers"] = "scamper", ["jaywalking"] = "jaywalk", ["worsens"] = "worsen", ["oozes"] = "ooze", ["compacts"] = "compact", ["dimmed"] = "dim", ["inherits"] = "inherit", ["processed"] = "process", ["ebbed"] = "ebb", ["actuates"] = "actuate", ["spoofs"] = "spoof", ["scrunchdries"] = "scrunchdry", ["censoring"] = "censor", ["exacts"] = "exact", ["sensing"] = "sense", ["jesting"] = "jest", ["finalised"] = "finalise", ["dripfeed"] = "dripfeed", ["foreseeing"] = "foresee", ["kneel"] = "kneel", ["besting"] = "best", ["instancing"] = "instance", ["surpassing"] = "surpass", ["downing"] = "down", ["necklaces"] = "necklace", ["crooning"] = "croon", ["composting"] = "compost", ["elaborates"] = "elaborate", ["vesting"] = "vest", ["dehydrating"] = "dehydrate", ["testing"] = "test", ["dozes"] = "doze", ["enthuse"] = "enthuse", ["nesting"] = "nest", ["standardizing"] = "standardize", ["radicalised"] = "radicalise", ["cards"] = "card", ["cribs"] = "crib", ["lards"] = "lard", ["suggest"] = "suggest", ["overgrazing"] = "overgraze", ["acknowledge"] = "acknowledge", ["prevaricated"] = "prevaricate", ["idolised"] = "idolise", ["spooning"] = "spoon", ["rebound"] = "rebound", ["ensnare"] = "ensnare", ["emoted"] = "emote", ["macerating"] = "macerate", ["trample"] = "trample", ["doubleparked"] = "doublepark", ["hemmed"] = "hem", ["ebbing"] = "ebb", ["mewl"] = "mewl", ["inaugurates"] = "inaugurate", ["appreciated"] = "appreciate", ["outstripping"] = "outstrip", ["rooted"] = "root", ["leavening"] = "leaven", ["perjures"] = "perjure", ["double-booking"] = "double-book", ["weary"] = "weary", ["swearing"] = "swear", ["motions"] = "motion", ["notarised"] = "notarise", ["tooted"] = "toot", ["booted"] = "boot", ["snorkels"] = "snorkel", ["repealed"] = "repeal", ["flocked"] = "flock", ["upsells"] = "upsell", ["clocked"] = "clock", ["nickname"] = "nickname", ["conceptualise"] = "conceptualise", ["circumcises"] = "circumcise", ["gritted"] = "grit", ["wards"] = "ward", ["blocked"] = "block", ["options"] = "option", ["layers"] = "layer", ["equalizing"] = "equalize", ["defoliate"] = "defoliate", ["espoused"] = "espouse", ["penalised"] = "penalise", ["reappraised"] = "reappraise", ["disinterring"] = "disinter", ["stonewalls"] = "stonewall", ["forwards"] = "forward", ["overreact"] = "overreact", ["underwhelmed"] = "underwhelm", ["overthrew"] = "overthrow", ["gladdening"] = "gladden", ["nicknaming"] = "nickname", ["exorcizes"] = "exorcize", ["exude"] = "exude", ["overacting"] = "overact", ["providing"] = "provide", ["divides"] = "divide", ["plastered"] = "plaster", ["hunts"] = "hunt", ["dunts"] = "dunt", ["saunters"] = "saunter", ["bunts"] = "bunt", ["distancing"] = "distance", ["analyses"] = "analyse", ["incises"] = "incise", ["costing"] = "cost", ["knitted"] = "knit", ["overstated"] = "overstate", ["forsaking"] = "forsake", ["detected"] = "detect", ["foreclose"] = "foreclose", ["proselytised"] = "proselytise", ["punts"] = "punt", ["hosting"] = "host", ["iconified"] = "iconify", ["greened"] = "green", ["descale"] = "descale", ["hitchhikes"] = "hitchhike", ["posting"] = "post", ["cleaved"] = "cleave", ["deconstructed"] = "deconstruct", ["snipes"] = "snipe", ["regenerates"] = "regenerate", ["solos"] = "solo", ["remark"] = "remark", ["molder"] = "molder", ["refresh"] = "refresh", ["alpha-testing"] = "alpha-test", ["gape"] = "gape", ["presage"] = "presage", ["reciprocate"] = "reciprocate", ["suffocates"] = "suffocate", ["disgrace"] = "disgrace", ["proving"] = "prove", ["deep-frying"] = "deep-fry", ["queened"] = "queen", ["collectivised"] = "collectivise", ["vape"] = "vape", ["quash"] = "quash", ["tape"] = "tape", ["letterboxing"] = "letterbox", ["rampaging"] = "rampage", ["minute"] = "minute", ["splurge"] = "splurge", ["write-protected"] = "write-protect", ["convoys"] = "convoy", ["lark"] = "lark", ["mark"] = "mark", ["park"] = "park", ["theorizes"] = "theorize", ["despising"] = "despise", ["overusing"] = "overuse", ["indulges"] = "indulge", ["converts"] = "convert", ["reappearing"] = "reappear", ["hark"] = "hark", ["birds"] = "bird", ["wallowed"] = "wallow", ["concocts"] = "concoct", ["bundled"] = "bundle", ["omitted"] = "omit", ["panhandle"] = "panhandle", ["hospitalising"] = "hospitalise", ["nettle"] = "nettle", ["kettle"] = "kettle", ["yak"] = "yak", ["mispronounced"] = "mispronounce", ["belong"] = "belong", ["passivizing"] = "passivize", ["ram-raiding"] = "ram-aid", ["flitted"] = "flit", ["girds"] = "gird", ["absolve"] = "absolve", ["laundered"] = "launder", ["delineated"] = "delineate", ["stokes"] = "stoke", ["doubleclicking"] = "doubleclick", ["freights"] = "freight", ["coopting"] = "coopt", ["regale"] = "regale", ["buzzes"] = "buzz", ["propound"] = "propound", ["privilege"] = "privilege", ["provided"] = "provide", ["defrosted"] = "defrost", ["writeprotected"] = "writeprotect", ["pressurises"] = "pressurise", ["reconnected"] = "reconnect", ["exporting"] = "export", ["parcelled"] = "parcel", ["reclassifies"] = "reclassify", ["emitted"] = "emit", ["swooning"] = "swoon", ["crusaded"] = "crusade", ["probated"] = "probate", ["recuperated"] = "recuperate", ["perverting"] = "pervert", ["bottle"] = "bottle", ["self-destructing"] = "self-destruct", ["degenerates"] = "degenerate", ["vindicates"] = "vindicate", ["sacrificing"] = "sacrifice", ["ploughing"] = "plough", ["sloughing"] = "slough", ["outpaced"] = "outpace", ["corners"] = "corner", ["reanimate"] = "reanimate", ["alloys"] = "alloy", ["listing"] = "list", ["confirmed"] = "confirm", ["disrespect"] = "disrespect", ["Soothsays"] = "Soothsay", ["lipsynched"] = "lipsynch", ["demanding"] = "demand", ["deputizing"] = "deputize", ["prevailed"] = "prevail", ["defragmented"] = "defragment", ["trialled"] = "trial", ["taxiing"] = "taxi", ["Soothsay"] = "Soothsay", ["perk"] = "perk", ["ripostes"] = "riposte", ["jerk"] = "jerk", ["ponies"] = "pony", ["necessitated"] = "necessitate", ["stonewall"] = "stonewall", ["descrying"] = "descry", ["spooking"] = "spook", ["trussing"] = "truss", ["deflowering"] = "deflower", ["reacts"] = "react", ["stab"] = "stab", ["mimicking"] = "mimic", ["terrifies"] = "terrify", ["minimise"] = "minimise", ["disconcerts"] = "disconcert", ["defame"] = "defame", ["reconsiders"] = "reconsider", ["intoxicates"] = "intoxicate", ["dehumanize"] = "dehumanize", ["liveblogging"] = "liveblog", ["perks"] = "perk", ["caroused"] = "carouse", ["dispels"] = "dispel", ["cheapens"] = "cheapen", ["recommends"] = "recommend", ["disguising"] = "disguise", ["flesh"] = "flesh", ["opposes"] = "oppose", ["gheraoing"] = "gherao", ["fawning"] = "fawn", ["dawning"] = "dawn", ["bifurcated"] = "bifurcate", ["disbarred"] = "disbar", ["deviate"] = "deviate", ["gang-rape"] = "gang-rape", ["admonished"] = "admonish", ["misinforming"] = "misinform", ["robing"] = "robe", ["moos"] = "moo", ["thirst"] = "thirst", ["splatting"] = "splat", ["caromed"] = "carom", ["squawk"] = "squawk", ["envisaging"] = "envisage", ["woos"] = "woo", ["participated"] = "participate", ["declassifies"] = "declassify", ["crosspost"] = "crosspost", ["propel"] = "propel", ["crooking"] = "crook", ["brooking"] = "brook", ["coos"] = "coo", ["boos"] = "boo", ["preserved"] = "preserve", ["swathes"] = "swathe", ["fathomed"] = "fathom", ["masking"] = "mask", ["engineers"] = "engineer", ["appears"] = "appear", ["allow"] = "allow", ["rusting"] = "rust", ["ousting"] = "oust", ["hazards"] = "hazard", ["evolved"] = "evolve", ["ask"] = "ask", ["cauterise"] = "cauterise", ["cozens"] = "cozen", ["uncurls"] = "uncurl", ["vulgarise"] = "vulgarise", ["dusting"] = "dust", ["glamorised"] = "glamorise", ["busting"] = "bust", ["recompensing"] = "recompense", ["disarmed"] = "disarm", ["relaunch"] = "relaunch", ["closing"] = "close", ["remix"] = "remix", ["concealed"] = "conceal", ["barks"] = "bark", ["channelhops"] = "channelhop", ["strangling"] = "strangle", ["costarring"] = "costar", ["rotated"] = "rotate", ["shroomed"] = "shroom", ["harks"] = "hark", ["adoring"] = "adore", ["marks"] = "mark", ["larks"] = "lark", ["parks"] = "park", ["elicited"] = "elicit", ["unravelling"] = "unravel", ["embroiled"] = "embroil", ["hotwires"] = "hotwire", ["lulled"] = "lull", ["souses"] = "souse", ["pulled"] = "pull", ["botoxes"] = "botox", ["exercise"] = "exercise", ["stanched"] = "stanch", ["approves"] = "approve", ["glamorized"] = "glamorize", ["louses"] = "louse", ["undercooks"] = "undercook", ["re-examined"] = "re-examine", ["acquainted"] = "acquaint", ["enacts"] = "enact", ["culled"] = "cull", ["belittled"] = "belittle", ["immobilizing"] = "immobilize", ["moonwalk"] = "moonwalk", ["commandeer"] = "commandeer", ["mistimed"] = "mistime", ["choreographs"] = "choreograph", ["tickled"] = "tickle", ["dissimulating"] = "dissimulate", ["fords"] = "ford", ["dwelling"] = "dwell", ["presenting"] = "present", ["dummying"] = "dummy", ["plasticizing"] = "plasticize", ["lords"] = "lord", ["autographing"] = "autograph", ["particularizes"] = "particularize", ["pawning"] = "pawn", ["chargrilling"] = "chargrill", ["machines"] = "machine", ["yawning"] = "yawn", ["gauging"] = "gauge", ["probe"] = "probe", ["defraying"] = "defray", ["pickled"] = "pickle", ["predominate"] = "predominate", ["places"] = "place", ["skived"] = "skive", ["imprisons"] = "imprison", ["husking"] = "husk", ["amortises"] = "amortise", ["gang-raped"] = "gang-rape", ["double-faulting"] = "double-fault", ["purse"] = "purse", ["nurse"] = "nurse", ["distilled"] = "distil", ["scallop"] = "scallop", ["babble"] = "babble", ["evokes"] = "evoke", ["curse"] = "curse", ["gabble"] = "gabble", ["influences"] = "influence", ["outriding"] = "outride", ["dabble"] = "dabble", ["branched"] = "branch", ["springing"] = "spring", ["depositing"] = "deposit", ["counterattacked"] = "counterattack", ["accredited"] = "accredit", ["chills"] = "chill", ["parting"] = "part", ["demoralising"] = "demoralise", ["tarting"] = "tart", ["boosts"] = "boost", ["double-dipped"] = "double-dip", ["mooring"] = "moor", ["amuses"] = "amuse", ["machine-gunned"] = "machine-gun", ["carting"] = "cart", ["exposes"] = "expose", ["cubing"] = "cube", ["unnerved"] = "unnerve", ["farting"] = "fart", ["darting"] = "dart", ["lammed"] = "lam", ["traces"] = "trace", ["hammed"] = "ham", ["jammed"] = "jam", ["disunited"] = "disunite", ["deliquesced"] = "deliquesce", ["toboggans"] = "toboggan", ["crashdive"] = "crashdive", ["rammed"] = "ram", ["blab"] = "blab", ["parlayed"] = "parlay", ["snoozed"] = "snooze", ["clearing"] = "clear", ["embellishes"] = "embellish", ["flosses"] = "floss", ["glosses"] = "gloss", ["deep-fry"] = "deep-fry", ["publicizing"] = "publicize", ["purloins"] = "purloin", ["overdoses"] = "overdose", ["broached"] = "broach", ["wheel"] = "wheel", ["supported"] = "support", ["adopting"] = "adopt", ["penalising"] = "penalise", ["overestimates"] = "overestimate", ["interbreed"] = "interbreed", ["overgeneralizing"] = "overgeneralize", ["neutralize"] = "neutralize", ["braces"] = "brace", ["chastens"] = "chasten", ["curtains"] = "curtain", ["dammed"] = "dam", ["camouflaging"] = "camouflage", ["liberalizing"] = "liberalize", ["politicises"] = "politicise", ["afforesting"] = "afforest", ["boozed"] = "booze", ["polymerise"] = "polymerise", ["skippered"] = "skipper", ["tingle"] = "tingle", ["careering"] = "career", ["dooring"] = "door", ["anodizing"] = "anodize", ["declaimed"] = "declaim", ["balloted"] = "ballot", ["jingle"] = "jingle", ["mingle"] = "mingle", ["deejay"] = "deejay", ["canalised"] = "canalise", ["analyse"] = "analyse", ["overturn"] = "overturn", ["snoring"] = "snore", ["invoked"] = "invoke", ["deplaning"] = "deplane", ["double-faults"] = "double-fault", ["stringing"] = "string", ["enslaving"] = "enslave", ["highlights"] = "highlight", ["scratches"] = "scratch", ["cascaded"] = "cascade", ["pacify"] = "pacify", ["pants"] = "pant", ["wants"] = "want", ["demystifying"] = "demystify", ["sports"] = "sport", ["freestyled"] = "freestyle", ["frosts"] = "frost", ["confounding"] = "confound", ["carburizing"] = "carburize", ["decrypts"] = "decrypt", ["weatherises"] = "weatherise", ["grouped"] = "group", ["stills"] = "still", ["reexamined"] = "reexamine", ["re-emerging"] = "re-emerge", ["overstretches"] = "overstretch", ["demobilizing"] = "demobilize", ["panhandled"] = "panhandle", ["manhandled"] = "manhandle", ["subpoena"] = "subpoena", ["beheading"] = "behead", ["reconsidering"] = "reconsider", ["cherrypicks"] = "cherrypick", ["fellating"] = "fellate", ["telescope"] = "telescope", ["ovulates"] = "ovulate", ["acclaimed"] = "acclaim", ["rejuvenated"] = "rejuvenate", ["cants"] = "cant", ["dismissed"] = "dismiss", ["temporize"] = "temporize", ["spearing"] = "spear", ["occasioning"] = "occasion", ["creolising"] = "creolise", ["shipwrecked"] = "shipwreck", ["composed"] = "compose", ["misinformed"] = "misinform", ["crinkling"] = "crinkle", ["reconfigured"] = "reconfigure", ["utilizing"] = "utilize", ["twinned"] = "twin", ["predicated"] = "predicate", ["respraying"] = "respray", ["outsourcing"] = "outsource", ["transact"] = "transact", ["blog"] = "blog", ["clog"] = "clog", ["disfigured"] = "disfigure", ["flog"] = "flog", ["ice-skated"] = "ice-skate", ["disintegrates"] = "disintegrate", ["deepfries"] = "deepfry", ["pupated"] = "pupate", ["evaluated"] = "evaluate", ["plume"] = "plume", ["strokes"] = "stroke", ["reuses"] = "reuse", ["disarranging"] = "disarrange", ["repents"] = "repent", ["prorates"] = "prorate", ["privatizes"] = "privatize", ["palliated"] = "palliate", ["strutting"] = "strut", ["tormented"] = "torment", ["immunizing"] = "immunize", ["scrutinising"] = "scrutinise", ["allots"] = "allot", ["overbook"] = "overbook", ["embraces"] = "embrace", ["collectivized"] = "collectivize", ["glutting"] = "glut", ["cranks"] = "crank", ["franks"] = "frank", ["radicalizing"] = "radicalize", ["claim"] = "claim", ["flapped"] = "flap", ["puns"] = "pun", ["klapped"] = "klap", ["pulsed"] = "pulse", ["lampooned"] = "lampoon", ["challenging"] = "challenge", ["guns"] = "gun", ["clapped"] = "clap", ["freed"] = "free", ["enjoined"] = "enjoin", ["outflank"] = "outflank", ["validate"] = "validate", ["showcasing"] = "showcase", ["acquiescing"] = "acquiesce", ["pitchforked"] = "pitchfork", ["palms"] = "palm", ["breed"] = "breed", ["mislaying"] = "mislay", ["spreadeagles"] = "spreadeagle", ["americanises"] = "americanise", ["dwarfing"] = "dwarf", ["loosens"] = "loosen", ["pasteurises"] = "pasteurise", ["pruned"] = "prune", ["externalized"] = "externalize", ["anonymized"] = "anonymize", ["appraised"] = "appraise", ["philosophizing"] = "philosophize", ["debasing"] = "debase", ["raise"] = "raise", ["flame"] = "flame", ["pre-exist"] = "pre-exist", ["blame"] = "blame", ["graduating"] = "graduate", ["burp"] = "burp", ["visualizing"] = "visualize", ["owns"] = "own", ["worship"] = "worship", ["invigilated"] = "invigilate", ["calms"] = "calm", ["changed"] = "change", ["swathing"] = "swathe", ["toggles"] = "toggle", ["bets"] = "bet", ["fictionalises"] = "fictionalise", ["gets"] = "get", ["divests"] = "divest", ["clubbed"] = "club", ["baptized"] = "baptize", ["joggles"] = "joggle", ["flubbed"] = "flub", ["lets"] = "let", ["nets"] = "net", ["pets"] = "pet", ["sets"] = "set", ["enrages"] = "enrage", ["catnaps"] = "catnap", ["parrot"] = "parrot", ["rerouted"] = "reroute", ["chivvying"] = "chivvy", ["fronting"] = "front", ["dismays"] = "dismay", ["rubberneck"] = "rubberneck", ["depreciated"] = "depreciate", ["muffled"] = "muffle", ["ordering"] = "order", ["name-drop"] = "name-drop", ["spellcheck"] = "spellcheck", ["dissembles"] = "dissemble", ["eulogizing"] = "eulogize", ["foregrounded"] = "foreground", ["enlivened"] = "enliven", ["canoe"] = "canoe", ["quiz"] = "quiz", ["decomposes"] = "decompose", ["forages"] = "forage", ["beavered"] = "beaver", ["evicting"] = "evict", ["nauseated"] = "nauseate", ["sasses"] = "sass", ["passes"] = "pass", ["hawked"] = "hawk", ["masses"] = "mass", ["handcuff"] = "handcuff", ["sort"] = "sort", ["dices"] = "dice", ["fragmenting"] = "fragment", ["predating"] = "predate", ["closets"] = "closet", ["shampoos"] = "shampoo", ["distends"] = "distend", ["ignited"] = "ignite", ["doubleparking"] = "doublepark", ["hypnotise"] = "hypnotise", ["unloose"] = "unloose", ["remove"] = "remove", ["skivvying"] = "skivvy", ["slight"] = "slight", ["blanks"] = "blank", ["exhaling"] = "exhale", ["plight"] = "plight", ["exhibited"] = "exhibit", ["future-proof"] = "future-proof", ["schlep"] = "schlep", ["flight"] = "flight", ["outlawing"] = "outlaw", ["abrading"] = "abrade", ["doubledipping"] = "doubledip", ["victimizing"] = "victimize", ["flanks"] = "flank", ["padlock"] = "padlock", ["seeks"] = "seek", ["confiscates"] = "confiscate", ["peeks"] = "peek", ["dj'd"] = "dj", ["cooccurred"] = "cooccur", ["overgeneralises"] = "overgeneralise", ["silk-screens"] = "silk-screen", ["defuses"] = "defuse", ["blight"] = "blight", ["alight"] = "alight", ["sequestrating"] = "sequestrate", ["disgusts"] = "disgust", ["pledging"] = "pledge", ["frostbiting"] = "frostbite", ["launches"] = "launch", ["refuses"] = "refuse", ["nurtured"] = "nurture", ["converge"] = "converge", ["clutching"] = "clutch", ["segues"] = "segue", ["renaming"] = "rename", ["cross-breeds"] = "cross-breed", ["poach"] = "poach", ["envelops"] = "envelop", ["thrash"] = "thrash", ["functions"] = "function", ["merit"] = "merit", ["except"] = "except", ["honouring"] = "honour", ["accommodated"] = "accommodate", ["devolving"] = "devolve", ["coach"] = "coach", ["amputated"] = "amputate", ["obscure"] = "obscure", ["bloviating"] = "bloviate", ["malingering"] = "malinger", ["freeload"] = "freeload", ["needle"] = "needle", ["howled"] = "howl", ["immersing"] = "immerse", ["reprieves"] = "reprieve", ["incline"] = "incline", ["splutters"] = "splutter", ["degrading"] = "degrade", ["films"] = "film", ["baths"] = "bath", ["job-hunted"] = "job-hunt", ["dryclean"] = "dryclean", ["touches"] = "touch", ["vouches"] = "vouch", ["bowled"] = "bowl", ["outranking"] = "outrank", ["sniped"] = "snipe", ["disappointed"] = "disappoint", ["discredits"] = "discredit", ["exhorted"] = "exhort", ["slackening"] = "slacken", ["deteriorated"] = "deteriorate", ["withstanding"] = "withstand", ["naturalise"] = "naturalise", ["snarfing"] = "snarf", ["micturating"] = "micturate", ["prerecords"] = "prerecord", ["blazons"] = "blazon", ["dons"] = "don", ["inconveniencing"] = "inconvenience", ["heckled"] = "heckle", ["legalise"] = "legalise", ["maroon"] = "maroon", ["plugs"] = "plug", ["slugs"] = "slug", ["blackening"] = "blacken", ["magic"] = "magic", ["parrots"] = "parrot", ["internalized"] = "internalize", ["reinforced"] = "reinforce", ["bundling"] = "bundle", ["manufactures"] = "manufacture", ["actuating"] = "actuate", ["glugs"] = "glug", ["emphasise"] = "emphasise", ["slurs"] = "slur", ["ends"] = "end", ["perform"] = "perform", ["tiedyes"] = "tiedye", ["emblazoned"] = "emblazon", ["zapping"] = "zap", ["yapping"] = "yap", ["tapping"] = "tap", ["divesting"] = "divest", ["rapping"] = "rap", ["papping"] = "pap", ["frisked"] = "frisk", ["napping"] = "nap", ["mapping"] = "map", ["invests"] = "invest", ["wakeboards"] = "wakeboard", ["boggles"] = "boggle", ["harvests"] = "harvest", ["compiled"] = "compile", ["cloyed"] = "cloy", ["overegging"] = "overegg", ["overgrazed"] = "overgraze", ["tom-tom"] = "tom-tom", ["malfunctioning"] = "malfunction", ["disrobed"] = "disrobe", ["decided"] = "decide", ["slavered"] = "slaver", ["blazoned"] = "blazon", ["nasalizes"] = "nasalize", ["disassociated"] = "disassociate", ["excel"] = "excel", ["keyboards"] = "keyboard", ["hoovering"] = "hoover", ["daubing"] = "daub", ["consecrate"] = "consecrate", ["discomfit"] = "discomfit", ["beholding"] = "behold", ["intermingle"] = "intermingle", ["shadow-boxed"] = "shadow-box", ["nods"] = "nod", ["mods"] = "mod", ["wrongfoot"] = "wrongfoot", ["scandalise"] = "scandalise", ["militates"] = "militate", ["compromise"] = "compromise", ["crapped"] = "crap", ["differing"] = "differ", ["capitalise"] = "capitalise", ["first-footed"] = "first-foot", ["swooshed"] = "swoosh", ["evacuates"] = "evacuate", ["ruminated"] = "ruminate", ["clanged"] = "clang", ["replenished"] = "replenish", ["cackled"] = "cackle", ["remodelling"] = "remodel", ["countermand"] = "countermand", ["negatived"] = "negative", ["adjoined"] = "adjoin", ["understudied"] = "understudy", ["potty-trains"] = "potty-train", ["propels"] = "propel", ["invoice"] = "invoice", ["believes"] = "believe", ["impacting"] = "impact", ["discomforts"] = "discomfort", ["authorise"] = "authorise", ["lapping"] = "lap", ["dumbfound"] = "dumbfound", ["traumatised"] = "traumatise", ["capping"] = "cap", ["reinvented"] = "reinvent", ["sightread"] = "sightread", ["squeal"] = "squeal", ["copyedit"] = "copyedit", ["rankled"] = "rankle", ["twanged"] = "twang", ["deputise"] = "deputise", ["repulse"] = "repulse", ["cramps"] = "cramp", ["flailed"] = "flail", ["referenced"] = "reference", ["flattened"] = "flatten", ["chowing"] = "chow", ["rewords"] = "reword", ["deepens"] = "deepen", ["clink"] = "clink", ["blink"] = "blink", ["declare"] = "declare", ["dissolving"] = "dissolve", ["stirfried"] = "stirfry", ["redevelop"] = "redevelop", ["trashed"] = "trash", ["paralyse"] = "paralyse", ["emailed"] = "email", ["stagger"] = "stagger", ["chance"] = "chance", ["process"] = "process", ["muff"] = "muff", ["defecate"] = "defecate", ["oxygenates"] = "oxygenate", ["puff"] = "puff", ["negating"] = "negate", ["grassed"] = "grass", ["meowing"] = "meow", ["duff"] = "duff", ["cuff"] = "cuff", ["buff"] = "buff", ["defrays"] = "defray", ["huff"] = "huff", ["chuckle"] = "chuckle", ["teach"] = "teach", ["overhang"] = "overhang", ["reach"] = "reach", ["clamps"] = "clamp", ["butcher"] = "butcher", ["suss"] = "suss", ["leach"] = "leach", ["sparks"] = "spark", ["beach"] = "beach", ["growled"] = "growl", ["buss"] = "buss", ["cuss"] = "cuss", ["parading"] = "parade", ["fuss"] = "fuss", ["retaliate"] = "retaliate", ["turbocharge"] = "turbocharge", ["jolts"] = "jolt", ["stashed"] = "stash", ["potroasts"] = "potroast", ["infantilizes"] = "infantilize", ["awoke"] = "awake", ["subdivided"] = "subdivide", ["molts"] = "molt", ["suckling"] = "suckle", ["buckling"] = "buckle", ["decamped"] = "decamp", ["redecorates"] = "redecorate", ["browning"] = "brown", ["lacquers"] = "lacquer", ["packaged"] = "package", ["lever"] = "lever", ["attract"] = "attract", ["crowning"] = "crown", ["drowning"] = "drown", ["breathalysed"] = "breathalyse", ["expectorates"] = "expectorate", ["horsewhips"] = "horsewhip", ["dredges"] = "dredge", ["claiming"] = "claim", ["frolicking"] = "frolic", ["rations"] = "ration", ["encircle"] = "encircle", ["shutting"] = "shut", ["encumbering"] = "encumber", ["outrank"] = "outrank", ["carpetbombs"] = "carpetbomb", ["propositioned"] = "proposition", ["spring-cleaning"] = "spring-clean", ["replayed"] = "replay", ["combust"] = "combust", ["overstays"] = "overstay", ["contribute"] = "contribute", ["silts"] = "silt", ["crisp"] = "crisp", ["tilts"] = "tilt", ["wilts"] = "wilt", ["commercialising"] = "commercialise", ["varnish"] = "varnish", ["chink"] = "chink", ["demoting"] = "demote", ["niggles"] = "niggle", ["giggles"] = "giggle", ["capitalized"] = "capitalize", ["mechanizes"] = "mechanize", ["glance"] = "glance", ["think"] = "think", ["garnish"] = "garnish", ["commenced"] = "commence", ["loathing"] = "loathe", ["gnashed"] = "gnash", ["undersells"] = "undersell", ["depart"] = "depart", ["gambolled"] = "gambol", ["decelerate"] = "decelerate", ["quavered"] = "quaver", ["hero-worshipped"] = "hero-worship", ["lassoed"] = "lasso", ["goosestepping"] = "goosestep", ["pasteurizing"] = "pasteurize", ["siphoned"] = "siphon", ["checkmated"] = "checkmate", ["palatalizes"] = "palatalize", ["cross-examines"] = "cross-examine", ["smashed"] = "smash", ["nourishes"] = "nourish", ["induced"] = "induce", ["champs"] = "champ", ["inventing"] = "invent", ["retrofits"] = "retrofit", ["protests"] = "protest", ["mutilates"] = "mutilate", ["stabilise"] = "stabilise", ["encamps"] = "encamp", ["demean"] = "demean", ["misapprehend"] = "misapprehend", ["enamels"] = "enamel", ["sedate"] = "sedate", ["commingles"] = "commingle", ["prejudice"] = "prejudice", ["mobilizing"] = "mobilize", ["personifies"] = "personify", ["snores"] = "snore", ["misquote"] = "misquote", ["prioritises"] = "prioritise", ["whiz"] = "whiz", ["stifle"] = "stifle", ["accelerate"] = "accelerate", ["hassled"] = "hassle", ["records"] = "record", ["satiates"] = "satiate", ["accessorizing"] = "accessorize", ["patronize"] = "patronize", ["reference"] = "reference", ["knight"] = "knight", ["winkled"] = "winkle", ["overhears"] = "overhear", ["stage-manage"] = "stage-manage", ["gads"] = "gad", ["adduced"] = "adduce", ["co-occurring"] = "co-occur", ["pads"] = "pad", ["potty-trained"] = "potty-train", ["infringe"] = "infringe", ["preloads"] = "preload", ["air-kisses"] = "air-kiss", ["winnow"] = "winnow", ["distinguishes"] = "distinguish", ["melts"] = "melt", ["pelts"] = "pelt", ["adds"] = "add", ["pureed"] = "puree", ["acts"] = "act", ["debilitated"] = "debilitate", ["circumnavigates"] = "circumnavigate", ["forbade"] = "forbid", ["bestowed"] = "bestow", ["belts"] = "belt", ["lauded"] = "laud", ["spoke"] = "speak", ["shield"] = "shield", ["drugs"] = "drug", ["advantaging"] = "advantage", ["ripened"] = "ripen", ["incentivize"] = "incentivize", ["counterpoints"] = "counterpoint", ["detrained"] = "detrain", ["kowtowed"] = "kowtow", ["barf"] = "barf", ["croaking"] = "croak", ["bided"] = "bide", ["aided"] = "aid", ["consummating"] = "consummate", ["signals"] = "signal", ["recollect"] = "recollect", ["actions"] = "action", ["retrained"] = "retrain", ["centres"] = "centre", ["encamped"] = "encamp", ["theorises"] = "theorise", ["stubbed"] = "stub", ["diagramming"] = "diagram", ["thronging"] = "throng", ["canoeing"] = "canoe", ["tided"] = "tide", ["sequestering"] = "sequester", ["disparaged"] = "disparage", ["dignifies"] = "dignify", ["plumb"] = "plumb", ["prance"] = "prance", ["recoiling"] = "recoil", ["classed"] = "class", ["scalding"] = "scald", ["signifies"] = "signify", ["disowning"] = "disown", ["contents"] = "content", ["dissipate"] = "dissipate", ["argued"] = "argue", ["flagellating"] = "flagellate", ["broke"] = "break", ["impounded"] = "impound", ["abominates"] = "abominate", ["adapting"] = "adapt", ["microchipped"] = "microchip", ["overexposes"] = "overexpose", ["networked"] = "network", ["grimaces"] = "grimace", ["thresh"] = "thresh", ["zoning"] = "zone", ["awakening"] = "awaken", ["expounded"] = "expound", ["toning"] = "tone", ["remediated"] = "remediate", ["boning"] = "bone", ["blowing"] = "blow", ["conserved"] = "conserve", ["secreting"] = "secrete", ["glowing"] = "glow", ["flowing"] = "flow", ["honing"] = "hone", ["coning"] = "cone", ["decreases"] = "decrease", ["clogging"] = "clog", ["distil"] = "distil", ["pre-teaching"] = "pre-teach", ["stoke"] = "stoke", ["fosters"] = "foster", ["laces"] = "lace", ["coauthored"] = "coauthor", ["kneecapping"] = "kneecap", ["slogging"] = "slog", ["develops"] = "develop", ["clowning"] = "clown", ["races"] = "race", ["brownnose"] = "brownnose", ["paces"] = "pace", ["transfix"] = "transfix", ["disestablish"] = "disestablish", ["flogging"] = "flog", ["forgiven"] = "forgive", ["touted"] = "tout", ["closeting"] = "closet", ["quashed"] = "quash", ["soften"] = "soften", ["becomes"] = "become", ["fast-forward"] = "fast-forward", ["mining"] = "mine", ["automate"] = "automate", ["menstruate"] = "menstruate", ["dining"] = "dine", ["fining"] = "fine", ["housesit"] = "housesit", ["disrespects"] = "disrespect", ["curbing"] = "curb", ["feuded"] = "feud", ["fabricates"] = "fabricate", ["preserves"] = "preserve", ["colluding"] = "collude", ["overegg"] = "overegg", ["tickling"] = "tickle", ["saddle"] = "saddle", ["eats"] = "eat", ["bats"] = "bat", ["paddle"] = "paddle", ["propositioning"] = "proposition", ["extract"] = "extract", ["exterminated"] = "exterminate", ["bulged"] = "bulge", ["deduced"] = "deduce", ["hushing"] = "hush", ["gushing"] = "gush", ["deliquesce"] = "deliquesce", ["anglicises"] = "anglicise", ["bunkers"] = "bunker", ["pats"] = "pat", ["design"] = "design", ["modernizes"] = "modernize", ["doublefaulting"] = "doublefault", ["hunkers"] = "hunker", ["evacuated"] = "evacuate", ["deepen"] = "deepen", ["evicted"] = "evict", ["reduced"] = "reduce", ["rappelling"] = "rappel", ["abandoning"] = "abandon", ["combining"] = "combine", ["locate"] = "locate", ["holing"] = "hole", ["doling"] = "dole", ["resupplying"] = "resupply", ["encashed"] = "encash", ["skindering"] = "skinder", ["leavened"] = "leaven", ["sums"] = "sum", ["bastardise"] = "bastardise", ["cross-checks"] = "cross-check", ["inflamed"] = "inflame", ["turned"] = "turn", ["doublebooking"] = "doublebook", ["jibes"] = "jibe", ["jousts"] = "joust", ["video"] = "video", ["yo-yoed"] = "yo-yo", ["toadied"] = "toady", ["finalises"] = "finalise", ["corkscrewing"] = "corkscrew", ["multicasting"] = "multicast", ["scratch"] = "scratch", ["cudgels"] = "cudgel", ["spring-cleans"] = "spring-clean", ["crossquestion"] = "crossquestion", ["firebombed"] = "firebomb", ["stiff-arm"] = "stiff-arm", ["topping"] = "top", ["managed"] = "manage", ["longed"] = "long", ["increase"] = "increase", ["navigate"] = "navigate", ["initialling"] = "initial", ["reef"] = "reef", ["snuff"] = "snuff", ["decree"] = "decree", ["detract"] = "detract", ["front-loads"] = "front-load", ["remedied"] = "remedy", ["encapsulated"] = "encapsulate", ["pan-fries"] = "pan-fry", ["choke"] = "choke", ["belittles"] = "belittle", ["cloaks"] = "cloak", ["consigns"] = "consign", ["dragooned"] = "dragoon", ["effervesce"] = "effervesce", ["license"] = "license", ["enamelling"] = "enamel", ["hums"] = "hum", ["burned"] = "burn", ["challaning"] = "challan", ["crunches"] = "crunch", ["wishing"] = "wish", ["gurned"] = "gurn", ["copulate"] = "copulate", ["occupied"] = "occupy", ["surpassed"] = "surpass", ["heckling"] = "heckle", ["loosened"] = "loosen", ["pranged"] = "prang", ["livestreamed"] = "livestream", ["assaulted"] = "assault", ["fishing"] = "fish", ["pencilling"] = "pencil", ["populate"] = "populate", ["burgling"] = "burgle", ["recharging"] = "recharge", ["orphan"] = "orphan", ["gurgling"] = "gurgle", ["ripping"] = "rip", ["splinters"] = "splinter", ["pipping"] = "pip", ["nipping"] = "nip", ["co-opts"] = "co-opt", ["kipping"] = "kip", ["hot-swapping"] = "hot-swap", ["scalded"] = "scald", ["Spelled"] = "Spell", ["snubbed"] = "snub", ["retracted"] = "retract", ["reckoned"] = "reckon", ["reenter"] = "reenter", ["disinhibited"] = "disinhibit", ["discussed"] = "discuss", ["stowing"] = "stow", ["constructs"] = "construct", ["assimilates"] = "assimilate", ["intermixed"] = "intermix", ["beckoned"] = "beckon", ["futureproofed"] = "futureproof", ["detracted"] = "detract", ["chlorinates"] = "chlorinate", ["devalued"] = "devalue", ["avowing"] = "avow", ["mopping"] = "mop", ["lopping"] = "lop", ["bewitched"] = "bewitch", ["booby-traps"] = "booby-trap", ["patronized"] = "patronize", ["popping"] = "pop", ["copping"] = "cop", ["bopping"] = "bop", ["demobilise"] = "demobilise", ["dopping"] = "dop", ["discerning"] = "discern", ["hopping"] = "hop", ["tape recording"] = "tape record", ["chose"] = "choose", ["rappels"] = "rappel", ["finding"] = "find", ["leapfrogged"] = "leapfrog", ["hightailing"] = "hightail", ["whizzed"] = "whizz", ["minding"] = "mind", ["storms"] = "storm", ["anesthetize"] = "anesthetize", ["conjugate"] = "conjugate", ["reviles"] = "revile", ["binding"] = "bind", ["embroiling"] = "embroil", ["deface"] = "deface", ["popularise"] = "popularise", ["pussyfoots"] = "pussyfoot", ["zipping"] = "zip", ["meanstested"] = "meanstest", ["replicated"] = "replicate", ["partying"] = "party", ["missells"] = "missell", ["sipping"] = "sip", ["cross-examining"] = "cross-examine", ["foreshortening"] = "foreshorten", ["disbands"] = "disband", ["bullshits"] = "bullshit", ["resit"] = "resit", ["musses"] = "muss", ["chain-smoke"] = "chain-smoke", ["scalds"] = "scald", ["prioritizes"] = "prioritize", ["assign"] = "assign", ["discolor"] = "discolor", ["verbalises"] = "verbalise", ["disarranges"] = "disarrange", ["pepping"] = "pep", ["federates"] = "federate", ["unsettle"] = "unsettle", ["glorifying"] = "glorify", ["cusses"] = "cuss", ["busses"] = "buss", ["expurgated"] = "expurgate", ["embellishing"] = "embellish", ["stations"] = "station", ["fusses"] = "fuss", ["balk"] = "balk", ["calk"] = "calk", ["fertilising"] = "fertilise", ["stores"] = "store", ["horned"] = "horn", ["chirp"] = "chirp", ["opines"] = "opine", ["moshing"] = "mosh", ["noshing"] = "nosh", ["scourged"] = "scourge", ["coshing"] = "cosh", ["goose"] = "goose", ["increases"] = "increase", ["escaped"] = "escape", ["glutted"] = "glut", ["loose"] = "loose", ["studies"] = "study", ["reveal"] = "reveal", ["stravaiging"] = "stravaig", ["arcs"] = "arc", ["beggared"] = "beggar", ["swamps"] = "swamp", ["sentenced"] = "sentence", ["roosting"] = "roost", ["reddening"] = "redden", ["funding"] = "fund", ["deodorises"] = "deodorise", ["exchange"] = "exchange", ["sledges"] = "sledge", ["decontaminated"] = "decontaminate", ["idealised"] = "idealise", ["pledges"] = "pledge", ["boosting"] = "boost", ["copies"] = "copy", ["leafleting"] = "leaflet", ["liquidised"] = "liquidise", ["europeanize"] = "europeanize", ["availed"] = "avail", ["outrode"] = "outride", ["drummed"] = "drum", ["clashed"] = "clash", ["chickens"] = "chicken", ["flashed"] = "flash", ["desiring"] = "desire", ["belonging"] = "belong", ["stipulated"] = "stipulate", ["bivouacs"] = "bivouac", ["textmessaging"] = "textmessage", ["probed"] = "probe", ["paginating"] = "paginate", ["lubricates"] = "lubricate", ["brandishes"] = "brandish", ["thickens"] = "thicken", ["walk"] = "walk", ["scrunch-dry"] = "scrunch-dry", ["misrepresent"] = "misrepresent", ["depute"] = "depute", ["wolfwhistled"] = "wolfwhistle", ["back-heeling"] = "back-heel", ["contemplates"] = "contemplate", ["blustering"] = "bluster", ["enforces"] = "enforce", ["clustering"] = "cluster", ["reformulating"] = "reformulate", ["majors"] = "major", ["sexualizing"] = "sexualize", ["rejoicing"] = "rejoice", ["outmanoeuvring"] = "outmanoeuvre", ["composes"] = "compose", ["evicts"] = "evict", ["capturing"] = "capture", ["perjured"] = "perjure", ["humanizes"] = "humanize", ["arose"] = "arise", ["overemphasising"] = "overemphasise", ["galvanised"] = "galvanise", ["flustering"] = "fluster", ["forbidden"] = "forbid", ["verifies"] = "verify", ["brag"] = "brag", ["accoutring"] = "accoutre", ["drag"] = "drag", ["frag"] = "frag", ["belied"] = "belie", ["salvages"] = "salvage", ["bonding"] = "bond", ["romanticise"] = "romanticise", ["intervening"] = "intervene", ["dissimulated"] = "dissimulate", ["ruminates"] = "ruminate", ["conceptualises"] = "conceptualise", ["obligating"] = "obligate", ["perused"] = "peruse", ["decompose"] = "decompose", ["scavenge"] = "scavenge", ["imparts"] = "impart", ["mass-producing"] = "mass-produce", ["maddening"] = "madden", ["leashed"] = "leash", ["ballooning"] = "balloon", ["clobbers"] = "clobber", ["shutter"] = "shutter", ["saddening"] = "sadden", ["implicated"] = "implicate", ["encasing"] = "encase", ["boobed"] = "boob", ["moderates"] = "moderate", ["pan-fried"] = "pan-fry", ["prevaricates"] = "prevaricate", ["meshing"] = "mesh", ["frizzed"] = "frizz", ["overreacting"] = "overreact", ["dread"] = "dread", ["door"] = "door", ["desists"] = "desist", ["reconvenes"] = "reconvene", ["deciphering"] = "decipher", ["whup"] = "whup", ["enveloped"] = "envelop", ["fluff"] = "fluff", ["tread"] = "tread", ["bluff"] = "bluff", ["witnessed"] = "witness", ["moor"] = "moor", ["impinge"] = "impinge", ["pooh"] = "pooh", ["reclaim"] = "reclaim", ["rids"] = "rid", ["chirped"] = "chirp", ["billets"] = "billet", ["outliving"] = "outlive", ["fillets"] = "fillet", ["efface"] = "efface", ["airlifts"] = "airlift", ["dribble"] = "dribble", ["feeding"] = "feed", ["decay"] = "decay", ["bids"] = "bid", ["coinsures"] = "coinsure", ["demonstrated"] = "demonstrate", ["sundering"] = "sunder", ["impersonating"] = "impersonate", ["quibble"] = "quibble", ["bisected"] = "bisect", ["fraternised"] = "fraternise", ["relating"] = "relate", ["abbreviates"] = "abbreviate", ["tippexed"] = "tippex", ["legitimise"] = "legitimise", ["restructured"] = "restructure", ["compresses"] = "compress", ["bowdlerised"] = "bowdlerise", ["micturates"] = "micturate", ["masculinise"] = "masculinise", ["featherbed"] = "featherbed", ["needing"] = "need", ["doublebooks"] = "doublebook", ["borne"] = "bear", ["weeding"] = "weed", ["dropkick"] = "dropkick", ["meanstests"] = "meanstest", ["seeding"] = "seed", ["wee-weeing"] = "wee-wee", ["demobs"] = "demob", ["compacting"] = "compact", ["transmuting"] = "transmute", ["journeyed"] = "journey", ["postulate"] = "postulate", ["rejecting"] = "reject", ["advertise"] = "advertise", ["polarizing"] = "polarize", ["recalls"] = "recall", ["baling"] = "bale", ["routes"] = "route", ["darkening"] = "darken", ["average"] = "average", ["unwrapping"] = "unwrap", ["close"] = "close", ["reconnecting"] = "reconnect", ["wields"] = "wield", ["paling"] = "pale", ["yields"] = "yield", ["ensconced"] = "ensconce", ["terraforming"] = "terraform", ["renovates"] = "renovate", ["vomit"] = "vomit", ["overflow"] = "overflow", ["scoping"] = "scope", ["alphabetize"] = "alphabetize", ["slaughtered"] = "slaughter", ["substituted"] = "substitute", ["declassified"] = "declassify", ["compelling"] = "compel", ["explicated"] = "explicate", ["regains"] = "regain", ["highballed"] = "highball", ["scarfing"] = "scarf", ["weds"] = "wed", ["departmentalize"] = "departmentalize", ["filtered"] = "filter", ["griped"] = "gripe", ["revolt"] = "revolt", ["blurs"] = "blur", ["keynoting"] = "keynote", ["outwit"] = "outwit", ["mispronounce"] = "mispronounce", ["unroll"] = "unroll", ["beds"] = "bed", ["overrating"] = "overrate", ["gypping"] = "gyp", ["hindering"] = "hinder", ["decriminalizing"] = "decriminalize", ["barhopping"] = "barhop", ["titling"] = "title", ["accoutre"] = "accoutre", ["quacking"] = "quack", ["atomizing"] = "atomize", ["plod"] = "plod", ["bottle-feeding"] = "bottle-feed", ["enlivening"] = "enliven", ["convokes"] = "convoke", ["cartwheels"] = "cartwheel", ["inheres"] = "inhere", ["trampoline"] = "trampoline", ["co-stars"] = "co-star", ["paralleled"] = "parallel", ["elongates"] = "elongate", ["idling"] = "idle", ["leopard-crawling"] = "leopard-crawl", ["invites"] = "invite", ["greenlighting"] = "greenlight", ["neuters"] = "neuter", ["saws"] = "saw", ["weirding"] = "weird", ["paws"] = "paw", ["espies"] = "espy", ["bewailed"] = "bewail", ["coheres"] = "cohere", ["lowers"] = "lower", ["hankering"] = "hanker", ["authorising"] = "authorise", ["neutering"] = "neuter", ["stacking"] = "stack", ["jumbles"] = "jumble", ["misquotes"] = "misquote", ["upgrading"] = "upgrade", ["fumbles"] = "fumble", ["rumbles"] = "rumble", ["yaws"] = "yaw", ["mumbles"] = "mumble", ["duplicated"] = "duplicate", ["cooperated"] = "cooperate", ["scuff"] = "scuff", ["undresses"] = "undress", ["bumbles"] = "bumble", ["expropriate"] = "expropriate", ["paralyzed"] = "paralyze", ["reallocates"] = "reallocate", ["caws"] = "caw", ["configures"] = "configure", ["concussing"] = "concuss", ["re-advertises"] = "re-advertise", ["ghostwrite"] = "ghostwrite", ["depraved"] = "deprave", ["coauthoring"] = "coauthor", ["leapfrog"] = "leapfrog", ["flickers"] = "flicker", ["riffled"] = "riffle", ["refinancing"] = "refinance", ["cupping"] = "cup", ["modifying"] = "modify", ["overbears"] = "overbear", ["credits"] = "credit", ["enthroned"] = "enthrone", ["homesteading"] = "homestead", ["scores"] = "score", ["crest"] = "crest", ["overtaxed"] = "overtax", ["beatboxing"] = "beatbox", ["befriend"] = "befriend", ["defriend"] = "defriend", ["supping"] = "sup", ["barracks"] = "barrack", ["hyperventilating"] = "hyperventilate", ["disserviced"] = "disservice", ["quailed"] = "quail", ["devoice"] = "devoice", ["broadened"] = "broaden", ["canalises"] = "canalise", ["debriefing"] = "debrief", ["crossbred"] = "crossbreed", ["scroll"] = "scroll", ["objecting"] = "object", ["deputizes"] = "deputize", ["shod"] = "shoe", ["fraternises"] = "fraternise", ["reunifying"] = "reunify", ["ice-skates"] = "ice-skate", ["messes"] = "mess", ["reorganize"] = "reorganize", ["overworked"] = "overwork", ["undocks"] = "undock", ["adores"] = "adore", ["packetising"] = "packetise", ["abandon"] = "abandon", ["entrapped"] = "entrap", ["editorialise"] = "editorialise", ["curled"] = "curl", ["crowing"] = "crow", ["hews"] = "hew", ["furled"] = "furl", ["dashing"] = "dash", ["growing"] = "grow", ["bashing"] = "bash", ["sews"] = "sew", ["tending"] = "tend", ["sending"] = "send", ["rending"] = "rend", ["proposed"] = "propose", ["wending"] = "wend", ["soft-soap"] = "soft-soap", ["mending"] = "mend", ["oversteps"] = "overstep", ["tussled"] = "tussle", ["interspersing"] = "intersperse", ["subtitle"] = "subtitle", ["hashing"] = "hash", ["gashing"] = "gash", ["bending"] = "bend", ["penalises"] = "penalise", ["further"] = "further", ["fending"] = "fend", ["evinces"] = "evince", ["adheres"] = "adhere", ["specialized"] = "specialize", ["ferrets"] = "ferret", ["preexists"] = "preexist", ["protest"] = "protest", ["outfoxes"] = "outfox", ["facilitated"] = "facilitate", ["culture"] = "culture", ["yakked"] = "yak", ["mothballing"] = "mothball", ["reran"] = "rerun", ["retell"] = "retell", ["comprehended"] = "comprehend", ["dawdling"] = "dawdle", ["purled"] = "purl", ["incense"] = "incense", ["spirals"] = "spiral", ["countersigning"] = "countersign", ["misfiled"] = "misfile", ["scandalizes"] = "scandalize", ["underperforms"] = "underperform", ["innovates"] = "innovate", ["countermanding"] = "countermand", ["repatriating"] = "repatriate", ["keyboard"] = "keyboard", ["bridge"] = "bridge", ["curtailed"] = "curtail", ["dilating"] = "dilate", ["flourishes"] = "flourish", ["curbed"] = "curb", ["humanized"] = "humanize", ["faltered"] = "falter", ["shortchanges"] = "shortchange", ["mainstreams"] = "mainstream", ["crash-dives"] = "crash-dive", ["carousing"] = "carouse", ["disses"] = "diss", ["resected"] = "resect", ["climbing"] = "climb", ["crediting"] = "credit", ["misses"] = "miss", ["kisses"] = "kiss", ["bloodies"] = "bloody", ["slumbered"] = "slumber", ["hisses"] = "hiss", ["salts"] = "salt", ["pisses"] = "piss", ["flykick"] = "flykick", ["belabours"] = "belabour", ["captioned"] = "caption", ["extracted"] = "extract", ["service"] = "service", ["produced"] = "produce", ["blacking"] = "black", ["disarms"] = "disarm", ["clacking"] = "clack", ["discontinued"] = "discontinue", ["resonate"] = "resonate", ["mutinying"] = "mutiny", ["acclimatize"] = "acclimatize", ["acclaim"] = "acclaim", ["immunized"] = "immunize", ["irrupt"] = "irrupt", ["handing"] = "hand", ["predeceasing"] = "predecease", ["dethroned"] = "dethrone", ["slacking"] = "slack", ["invigorate"] = "invigorate", ["wondering"] = "wonder", ["banding"] = "band", ["rough-cut"] = "rough-cut", ["requite"] = "requite", ["bosses"] = "boss", ["dosses"] = "doss", ["attacking"] = "attack", ["hallooed"] = "halloo", ["disenfranchising"] = "disenfranchise", ["underperformed"] = "underperform", ["overrate"] = "overrate", ["cooperating"] = "cooperate", ["sanitised"] = "sanitise", ["ordains"] = "ordain", ["snowing"] = "snow", ["sexting"] = "sext", ["texting"] = "text", ["tiptoeing"] = "tiptoe", ["undressed"] = "undress", ["peered"] = "peer", ["knowing"] = "know", ["leered"] = "leer", ["jilted"] = "jilt", ["wallows"] = "wallow", ["jeopardising"] = "jeopardise", ["stagnate"] = "stagnate", ["charbroils"] = "charbroil", ["impales"] = "impale", ["crowdsource"] = "crowdsource", ["titter"] = "titter", ["disorientated"] = "disorientate", ["beta-test"] = "beta-test", ["prompting"] = "prompt", ["litter"] = "litter", ["manoeuvres"] = "manoeuvre", ["retrenches"] = "retrench", ["contained"] = "contain", ["expatiate"] = "expatiate", ["bastes"] = "baste", ["spraypainted"] = "spraypaint", ["sloping"] = "slope", ["crowdsourcing"] = "crowdsource", ["portion"] = "portion", ["conscientise"] = "conscientise", ["babysit"] = "babysit", ["humanise"] = "humanise", ["welshing"] = "welsh", ["sandbagging"] = "sandbag", ["ossified"] = "ossify", ["utilizes"] = "utilize", ["eloping"] = "elope", ["subedit"] = "subedit", ["carpet-bombed"] = "carpet-bomb", ["cross-fertilises"] = "cross-fertilise", ["glamorize"] = "glamorize", ["dismantle"] = "dismantle", ["kite"] = "kite", ["demagnetize"] = "demagnetize", ["govern"] = "govern", ["restocking"] = "restock", ["bite"] = "bite", ["deeming"] = "deem", ["brown-nosing"] = "brown-nose", ["specialising"] = "specialise", ["overthinking"] = "overthink", ["underbidding"] = "underbid", ["reliving"] = "relive", ["occupying"] = "occupy", ["seeming"] = "seem", ["teeming"] = "teem", ["singled"] = "single", ["decolonizes"] = "decolonize", ["mingled"] = "mingle", ["upheld"] = "uphold", ["accessorizes"] = "accessorize", ["necklaced"] = "necklace", ["outfit"] = "outfit", ["ramaid"] = "ramaid", ["soundproof"] = "soundproof", ["styling"] = "style", ["skips"] = "skip", ["carbonise"] = "carbonise", ["force-feed"] = "force-feed", ["awakens"] = "awaken", ["outspends"] = "outspend", ["destocking"] = "destock", ["silted"] = "silt", ["tilted"] = "tilt", ["structures"] = "structure", ["postsyncs"] = "postsync", ["reincarnated"] = "reincarnate", ["re-emerges"] = "re-emerge", ["dyes"] = "dye", ["flail"] = "flail", ["feminises"] = "feminise", ["deposits"] = "deposit", ["fostering"] = "foster", ["commercialise"] = "commercialise", ["connive"] = "connive", ["denote"] = "denote", ["marshals"] = "marshal", ["yellows"] = "yellow", ["parts"] = "part", ["dots"] = "dot", ["gheraoed"] = "gherao", ["mellows"] = "mellow", ["tarts"] = "tart", ["hots"] = "hot", ["dissipates"] = "dissipate", ["bellows"] = "bellow", ["declassify"] = "declassify", ["anaesthetized"] = "anaesthetize", ["descending"] = "descend", ["verbalised"] = "verbalise", ["stampede"] = "stampede", ["enrolling"] = "enrol", ["characterised"] = "characterise", ["jolt"] = "jolt", ["molt"] = "molt", ["opts"] = "opt", ["crisscrosses"] = "crisscross", ["refurbished"] = "refurbish", ["completing"] = "complete", ["hitchhiked"] = "hitchhike", ["mishearing"] = "mishear", ["generating"] = "generate", ["uncovers"] = "uncover", ["poohs"] = "pooh", ["blurts"] = "blurt", ["crashtest"] = "crashtest", ["site"] = "site", ["carts"] = "cart", ["darts"] = "dart", ["venerating"] = "venerate", ["farts"] = "fart", ["decides"] = "decide", ["molted"] = "molt", ["dribbles"] = "dribble", ["owning"] = "own", ["buffeting"] = "buffet", ["regressing"] = "regress", ["kits"] = "kit", ["minced"] = "mince", ["looping"] = "loop", ["whips"] = "whip", ["reaffirm"] = "reaffirm", ["gerrymanders"] = "gerrymander", ["owes"] = "owe", ["ships"] = "ship", ["cooping"] = "coop", ["slam-dunked"] = "slam-dunk", ["dissipating"] = "dissipate", ["axes"] = "axe", ["prettify"] = "prettify", ["deselecting"] = "deselect", ["insulates"] = "insulate", ["chips"] = "chip", ["frontloads"] = "frontload", ["hyphenated"] = "hyphenate", ["ferment"] = "ferment", ["publicizes"] = "publicize", ["crucified"] = "crucify", ["tastes"] = "taste", ["anodise"] = "anodise", ["solemnize"] = "solemnize", ["pastes"] = "paste", ["postmarks"] = "postmark", ["restart"] = "restart", ["undone"] = "undo", ["ostracized"] = "ostracize", ["cues"] = "cue", ["tots"] = "tot", ["defaulting"] = "default", ["rejig"] = "rejig", ["burbling"] = "burble", ["snips"] = "snip", ["reflects"] = "reflect", ["tuning"] = "tune", ["disturb"] = "disturb", ["europeanised"] = "europeanise", ["downed"] = "down", ["excerpts"] = "excerpt", ["conjures"] = "conjure", ["alpha-tests"] = "alpha-test", ["survey"] = "survey", ["purvey"] = "purvey", ["gazumped"] = "gazump", ["superintends"] = "superintend", ["clowns"] = "clown", ["divulging"] = "divulge", ["colouring"] = "colour", ["gripe"] = "gripe", ["evolve"] = "evolve", ["crystallizes"] = "crystallize", ["destocks"] = "destock", ["disinherits"] = "disinherit", ["deflects"] = "deflect", ["condition"] = "condition", ["revitalise"] = "revitalise", ["buttoning"] = "button", ["twigging"] = "twig", ["consulting"] = "consult", ["amended"] = "amend", ["smiles"] = "smile", ["softshoe"] = "softshoe", ["emended"] = "emend", ["dangled"] = "dangle", ["bloating"] = "bloat", ["headlines"] = "headline", ["smarten"] = "smarten", ["gloating"] = "gloat", ["mangled"] = "mangle", ["benefited"] = "benefit", ["spurns"] = "spurn", ["bypassing"] = "bypass", ["dwindling"] = "dwindle", ["hassle"] = "hassle", ["homesteaded"] = "homestead", ["tangled"] = "tangle", ["clips"] = "clip", ["interacts"] = "interact", ["legalised"] = "legalise", ["alters"] = "alter", ["flips"] = "flip", ["forgotten"] = "forget", ["swindling"] = "swindle", ["connecting"] = "connect", ["blended"] = "blend", ["wangled"] = "wangle", ["bunny-hopping"] = "bunny-hop", ["husbands"] = "husband", ["cannulate"] = "cannulate", ["mis-sold"] = "mis-sell", ["reimburses"] = "reimburse", ["manipulated"] = "manipulate", ["familiarized"] = "familiarize", ["depressurize"] = "depressurize", ["shoot"] = "shoot", ["dispel"] = "dispel", ["emend"] = "emend", ["fruits"] = "fruit", ["dripfeeds"] = "dripfeed", ["subsided"] = "subside", ["flaked"] = "flake", ["rewrite"] = "rewrite", ["reprocess"] = "reprocess", ["trips"] = "trip", ["abominate"] = "abominate", ["bleach"] = "bleach", ["discriminates"] = "discriminate", ["accompany"] = "accompany", ["gutter"] = "gutter", ["sprawls"] = "sprawl", ["overthrown"] = "overthrow", ["charbroil"] = "charbroil", ["lounges"] = "lounge", ["reelecting"] = "reelect", ["presupposes"] = "presuppose", ["mutter"] = "mutter", ["mourns"] = "mourn", ["inters"] = "inter", ["grappling"] = "grapple", ["enters"] = "enter", ["convects"] = "convect", ["leaked"] = "leak", ["anesthetise"] = "anesthetise", ["levitating"] = "levitate", ["gleans"] = "glean", ["plods"] = "plod", ["malfunctions"] = "malfunction", ["cleans"] = "clean", ["peaked"] = "peak", ["recreates"] = "recreate", ["dwarfs"] = "dwarf", ["scoffing"] = "scoff", ["scanning"] = "scan", ["bifurcate"] = "bifurcate", ["bankrolling"] = "bankroll", ["fraternizes"] = "fraternize", ["memorialises"] = "memorialise", ["reoffend"] = "reoffend", ["counteract"] = "counteract", ["excuse"] = "excuse", ["ballots"] = "ballot", ["mustering"] = "muster", ["mass-produced"] = "mass-produce", ["harnesses"] = "harness", ["communicate"] = "communicate", ["gravitates"] = "gravitate", ["moralizing"] = "moralize", ["proffer"] = "proffer", ["annuls"] = "annul", ["reduplicate"] = "reduplicate", ["intellectualizes"] = "intellectualize", ["lengthened"] = "lengthen", ["unlacing"] = "unlace", ["acidified"] = "acidify", ["videoed"] = "video", ["disunites"] = "disunite", ["repurpose"] = "repurpose", ["acclimatised"] = "acclimatise", ["consisted"] = "consist", ["shambling"] = "shamble", ["menstruated"] = "menstruate", ["agglomerate"] = "agglomerate", ["depreciate"] = "depreciate", ["purr"] = "purr", ["crimped"] = "crimp", ["adjusting"] = "adjust", ["belaboured"] = "belabour", ["galvanizes"] = "galvanize", ["skyrocketed"] = "skyrocket", ["solacing"] = "solace", ["sermonising"] = "sermonise", ["whispering"] = "whisper", ["mechanising"] = "mechanise", ["orchestrate"] = "orchestrate", ["preexisting"] = "preexist", ["rasp"] = "rasp", ["slugged"] = "slug", ["zhooshing"] = "zhoosh", ["excavated"] = "excavate", ["plugged"] = "plug", ["reassess"] = "reassess", ["clambering"] = "clamber", ["roughhousing"] = "roughhouse", ["glugged"] = "glug", ["resume"] = "resume", ["deducts"] = "deduct", ["tagging"] = "tag", ["gasp"] = "gasp", ["ragging"] = "rag", ["sexualise"] = "sexualise", ["caressed"] = "caress", ["wagging"] = "wag", ["memorize"] = "memorize", ["wedding"] = "wed", ["lagging"] = "lag", ["nasalizing"] = "nasalize", ["spurts"] = "spurt", ["milk"] = "milk", ["shirked"] = "shirk", ["letters"] = "letter", ["bagging"] = "bag", ["bilk"] = "bilk", ["gagging"] = "gag", ["inhales"] = "inhale", ["assassinates"] = "assassinate", ["crucifying"] = "crucify", ["sponge"] = "sponge", ["forborne"] = "forbear", ["lecture"] = "lecture", ["hallucinate"] = "hallucinate", ["sics"] = "sic", ["considered"] = "consider", ["double-crossed"] = "double-cross", ["recovers"] = "recover", ["request"] = "request", ["ratifies"] = "ratify", ["braided"] = "braid", ["concluding"] = "conclude", ["flutter"] = "flutter", ["bedding"] = "bed", ["dreams"] = "dream", ["clutter"] = "clutter", ["creams"] = "cream", ["deputises"] = "deputise", ["cavilled"] = "cavil", ["materialize"] = "materialize", ["back-heeled"] = "back-heel", ["forewarned"] = "forewarn", ["scoot"] = "scoot", ["accept"] = "accept", ["ulcerates"] = "ulcerate", ["masterminded"] = "mastermind", ["snipe"] = "snipe", ["moults"] = "moult", ["decriminalize"] = "decriminalize", ["cc'ed"] = "cc", ["absorbing"] = "absorb", ["diffracted"] = "diffract", ["comported"] = "comport", ["missold"] = "missell", ["multiplies"] = "multiply", ["covenanted"] = "covenant", ["concede"] = "concede", ["corrode"] = "corrode", ["intensifies"] = "intensify", ["outsells"] = "outsell", ["harmonising"] = "harmonise", ["bcc's"] = "bcc", ["gird"] = "gird", ["infringing"] = "infringe", ["plaguing"] = "plague", ["versifying"] = "versify", ["afflict"] = "afflict", ["orchestrated"] = "orchestrate", ["counterfeited"] = "counterfeit", ["crystallising"] = "crystallise", ["mesmerise"] = "mesmerise", ["paginate"] = "paginate", ["depoliticizes"] = "depoliticize", ["highballing"] = "highball", ["purports"] = "purport", ["counterfeits"] = "counterfeit", ["vegging"] = "veg", ["bird"] = "bird", ["backfilled"] = "backfill", ["whiles"] = "while", ["relies"] = "rely", ["pegging"] = "peg", ["legging"] = "leg", ["morphing"] = "morph", ["matters"] = "matter", ["irritates"] = "irritate", ["photosensitised"] = "photosensitise", ["regularizing"] = "regularize", ["batters"] = "batter", ["begging"] = "beg", ["belies"] = "belie", ["kidding"] = "kid", ["churns"] = "churn", ["precede"] = "precede", ["connives"] = "connive", ["natters"] = "natter", ["patters"] = "patter", ["chass�"] = "chass�", ["ensnared"] = "ensnare", ["catches"] = "catch", ["kowtows"] = "kowtow", ["unblock"] = "unblock", ["cannibalizing"] = "cannibalize", ["holidays"] = "holiday", ["hatches"] = "hatch", ["whinnies"] = "whinny", ["whisk"] = "whisk", ["individualising"] = "individualise", ["latches"] = "latch", ["electrocute"] = "electrocute", ["patches"] = "patch", ["watches"] = "watch", ["shreds"] = "shred", ["courts"] = "court", ["reinforcing"] = "reinforce", ["synthesising"] = "synthesise", ["encumbers"] = "encumber", ["amplified"] = "amplify", ["lightening"] = "lighten", ["guest"] = "guest", ["ionizing"] = "ionize", ["yank"] = "yank", ["apologise"] = "apologise", ["wank"] = "wank", ["tank"] = "tank", ["sank"] = "sink", ["rank"] = "rank", ["galvanises"] = "galvanise", ["miswedded"] = "miswed", ["reoccurred"] = "reoccur", ["simulcast"] = "simulcast", ["edited"] = "edit", ["bank"] = "bank", ["blabbed"] = "blab", ["subtracts"] = "subtract", ["coordinated"] = "coordinate", ["strafes"] = "strafe", ["slathered"] = "slather", ["feign"] = "feign", ["patter"] = "patter", ["deign"] = "deign", ["natter"] = "natter", ["matter"] = "matter", ["doubledip"] = "doubledip", ["deprecating"] = "deprecate", ["corroborates"] = "corroborate", ["itemized"] = "itemize", ["billows"] = "billow", ["decrease"] = "decrease", ["parboiled"] = "parboil", ["padlocked"] = "padlock", ["overlaying"] = "overlay", ["exempt"] = "exempt", ["acquainting"] = "acquaint", ["barhops"] = "barhop", ["squelched"] = "squelch", ["subtract"] = "subtract", ["snarfs"] = "snarf", ["assault"] = "assault", ["soliloquised"] = "soliloquise", ["prophesied"] = "prophesy", ["manure"] = "manure", ["plead"] = "plead", ["flounder"] = "flounder", ["reign"] = "reign", ["decayed"] = "decay", ["ogling"] = "ogle", ["congratulates"] = "congratulate", ["chuntered"] = "chunter", ["filing"] = "file", ["outsourced"] = "outsource", ["gangbang"] = "gangbang", ["resetting"] = "reset", ["incubate"] = "incubate", ["manifested"] = "manifest", ["comp�re"] = "comp�re", ["displeasing"] = "displease", ["lure"] = "lure", ["arrogate"] = "arrogate", ["sync"] = "sync", ["eyeballs"] = "eyeball", ["cure"] = "cure", ["power-napped"] = "power-nap", ["impersonated"] = "impersonate", ["smelled"] = "smell", ["evades"] = "evade", ["felt"] = "feel", ["buoying"] = "buoy", ["knead"] = "knead", ["cancelled"] = "cancel", ["pelt"] = "pelt", ["melt"] = "melt", ["preceding"] = "precede", ["mastering"] = "master", ["riling"] = "rile", ["gurgles"] = "gurgle", ["burgles"] = "burgle", ["unseating"] = "unseat", ["remaps"] = "remap", ["belt"] = "belt", ["captivating"] = "captivate", ["blathered"] = "blather", ["piling"] = "pile", ["analysed"] = "analyse", ["oiling"] = "oil", ["lard"] = "lard", ["intend"] = "intend", ["cannibalizes"] = "cannibalize", ["advertised"] = "advertise", ["card"] = "card", ["fatfingered"] = "fatfinger", ["corroborate"] = "corroborate", ["resurface"] = "resurface", ["chugged"] = "chug", ["dialling"] = "dial", ["corkscrews"] = "corkscrew", ["broiled"] = "broil", ["better"] = "better", ["trades"] = "trade", ["wadding"] = "wad", ["disgorging"] = "disgorge", ["mishits"] = "mishit", ["bulk"] = "bulk", ["confided"] = "confide", ["perfuming"] = "perfume", ["litters"] = "litter", ["brazens"] = "brazen", ["mastermind"] = "mastermind", ["lacerates"] = "lacerate", ["macerates"] = "macerate", ["gadding"] = "gad", ["abducts"] = "abduct", ["mobilized"] = "mobilize", ["overshadowing"] = "overshadow", ["shelled"] = "shell", ["enrol"] = "enrol", ["denuding"] = "denude", ["padding"] = "pad", ["upended"] = "upend", ["necessitates"] = "necessitate", ["vaporising"] = "vaporise", ["contest"] = "contest", ["deferring"] = "defer", ["mobilise"] = "mobilise", ["betatests"] = "betatest", ["canonize"] = "canonize", ["festering"] = "fester", ["outlast"] = "outlast", ["wilt"] = "wilt", ["tilt"] = "tilt", ["abducted"] = "abduct", ["sustain"] = "sustain", ["follows"] = "follow", ["palliating"] = "palliate", ["overburdens"] = "overburden", ["outshines"] = "outshine", ["eliminates"] = "eliminate", ["liberalizes"] = "liberalize", ["complements"] = "complement", ["jilt"] = "jilt", ["yearned"] = "yearn", ["resettle"] = "resettle", ["learned"] = "learn", ["saut�ing"] = "saut�", ["grades"] = "grade", ["asphyxiating"] = "asphyxiate", ["silt"] = "silt", ["inures"] = "inure", ["prods"] = "prod", ["excretes"] = "excrete", ["shivering"] = "shiver", ["retrenched"] = "retrench", ["misspend"] = "misspend", ["name-checks"] = "name-check", ["ward"] = "ward", ["climbs"] = "climb", ["grousing"] = "grouse", ["hobnobbing"] = "hobnob", ["divvied"] = "divvy", ["re-presents"] = "re-present", ["arousing"] = "arouse", ["pot-roasted"] = "pot-roast", ["notarise"] = "notarise", ["cribbing"] = "crib", ["salved"] = "salve", ["combating"] = "combat", ["entertained"] = "entertain", ["broadcast"] = "broadcast", ["notifies"] = "notify", ["bivvied"] = "bivvy", ["eavesdropped"] = "eavesdrop", ["eradicated"] = "eradicate", ["disputes"] = "dispute", ["forgave"] = "forgive", ["headhunts"] = "headhunt", ["mutters"] = "mutter", ["autograph"] = "autograph", ["rehabilitates"] = "rehabilitate", ["display"] = "display", ["oscillates"] = "oscillate", ["stripped"] = "strip", ["ionise"] = "ionise", ["cedes"] = "cede", ["furnish"] = "furnish", ["gutters"] = "gutter", ["burnish"] = "burnish", ["cradlesnatches"] = "cradlesnatch", ["relinquished"] = "relinquish", ["hobnob"] = "hobnob", ["staked"] = "stake", ["betiding"] = "betide", ["offload"] = "offload", ["scourging"] = "scourge", ["conscientised"] = "conscientise", ["lassoing"] = "lasso", ["geotagged"] = "geotag", ["snark"] = "snark", ["lobbied"] = "lobby", ["mitigate"] = "mitigate", ["litigate"] = "litigate", ["snatched"] = "snatch", ["floundering"] = "flounder", ["espying"] = "espy", ["calved"] = "calve", ["preserve"] = "preserve", ["scorched"] = "scorch", ["reneging"] = "renege", ["consummates"] = "consummate", ["wittering"] = "witter", ["halved"] = "halve", ["littering"] = "litter", ["mewled"] = "mewl", ["humiliates"] = "humiliate", ["glimmering"] = "glimmer", ["spoof"] = "spoof", ["capitalised"] = "capitalise", ["parses"] = "parse", ["lugging"] = "lug", ["sides"] = "side", ["rides"] = "ride", ["swipes"] = "swipe", ["hugging"] = "hug", ["enshrouded"] = "enshroud", ["excelled"] = "excel", ["bugging"] = "bug", ["dissociated"] = "dissociate", ["hides"] = "hide", ["grapples"] = "grapple", ["clamping"] = "clamp", ["discolored"] = "discolor", ["doss"] = "doss", ["loathed"] = "loathe", ["boss"] = "boss", ["effervesces"] = "effervesce", ["respawning"] = "respawn", ["prompt"] = "prompt", ["overspends"] = "overspend", ["tugging"] = "tug", ["deactivates"] = "deactivate", ["test-driven"] = "test-drive", ["truncated"] = "truncate", ["mugging"] = "mug", ["belonged"] = "belong", ["evangelised"] = "evangelise", ["precipitates"] = "precipitate", ["airkisses"] = "airkiss", ["fiddle"] = "fiddle", ["sustains"] = "sustain", ["diddle"] = "diddle", ["enthroning"] = "enthrone", ["pottering"] = "potter", ["bides"] = "bide", ["appropriating"] = "appropriate", ["greets"] = "greet", ["flourished"] = "flourish", ["tramping"] = "tramp", ["see-saw"] = "see-saw", ["eluded"] = "elude", ["sensitized"] = "sensitize", ["centralised"] = "centralise", ["addressed"] = "address", ["practice"] = "practice", ["proof"] = "proof", ["miss"] = "miss", ["roughhouse"] = "roughhouse", ["piss"] = "piss", ["debased"] = "debase", ["admit"] = "admit", ["excavating"] = "excavate", ["hotswaps"] = "hotswap", ["transliterating"] = "transliterate", ["portended"] = "portend", ["finalize"] = "finalize", ["hiss"] = "hiss", ["diss"] = "diss", ["affronting"] = "affront", ["demonises"] = "demonise", ["outputs"] = "output", ["instantmessages"] = "instantmessage", ["demeaning"] = "demean", ["copying"] = "copy", ["remarried"] = "remarry", ["overexpose"] = "overexpose", ["teetered"] = "teeter", ["stranded"] = "strand", ["planning"] = "plan", ["bawled"] = "bawl", ["delved"] = "delve", ["buds"] = "bud", ["promised"] = "promise", ["redressed"] = "redress", ["spreadeagle"] = "spreadeagle", ["undercuts"] = "undercut", ["shimmering"] = "shimmer", ["foregone"] = "forego", ["scuppers"] = "scupper", ["outshone"] = "outshine", ["legitimating"] = "legitimate", ["hot dog"] = "hot dog", ["canonises"] = "canonise", ["bigging"] = "big", ["blow-drying"] = "blow-dry", ["cohabited"] = "cohabit", ["materialized"] = "materialize", ["notches"] = "notch", ["digging"] = "dig", ["front"] = "front", ["modernised"] = "modernise", ["iconify"] = "iconify", ["rampages"] = "rampage", ["normalized"] = "normalize", ["freezedrying"] = "freezedry", ["rigging"] = "rig", ["botches"] = "botch", ["pigging"] = "pig", ["disburses"] = "disburse", ["whispered"] = "whisper", ["decamps"] = "decamp", ["jockeyed"] = "jockey", ["caterwauled"] = "caterwaul", ["personalize"] = "personalize", ["condescends"] = "condescend", ["surmounted"] = "surmount", ["treks"] = "trek", ["champing"] = "champ", ["particularizing"] = "particularize", ["meddle"] = "meddle", ["stink"] = "stink", ["peddle"] = "peddle", ["counterattack"] = "counterattack", ["simplifying"] = "simplify", ["dishonour"] = "dishonour", ["outvote"] = "outvote", ["blowdries"] = "blowdry", ["convenes"] = "convene", ["pre-recorded"] = "pre-record", ["distracted"] = "distract", ["bargain"] = "bargain", ["heartens"] = "hearten", ["dogging"] = "dog", ["smss"] = "sms", ["fogging"] = "fog", ["bogging"] = "bog", ["monopolises"] = "monopolise", ["logging"] = "log", ["digitalises"] = "digitalise", ["knifing"] = "knife", ["hogging"] = "hog", ["misunderstands"] = "misunderstand", ["jogging"] = "jog", ["gate"] = "gate", ["hate"] = "hate", ["drink"] = "drink", ["performs"] = "perform", ["canonizing"] = "canonize", ["mate"] = "mate", ["high-sticks"] = "high-stick", ["rate"] = "rate", ["sate"] = "sate", ["worshipping"] = "worship", ["trashing"] = "trash", ["uses"] = "use", ["hurt"] = "hurt", ["pair"] = "pair", ["penalize"] = "penalize", ["renewed"] = "renew", ["expands"] = "expand", ["outsold"] = "outsell", ["parlaying"] = "parlay", ["deejaying"] = "deejay", ["crashing"] = "crash", ["kibitzed"] = "kibitz", ["assuaged"] = "assuage", ["handcuffed"] = "handcuff", ["strike"] = "strike", ["predicting"] = "predict", ["KO'd"] = "KO", ["squalling"] = "squall", ["pressurise"] = "pressurise", ["outspend"] = "outspend", ["oversells"] = "oversell", ["desecrates"] = "desecrate", ["equalling"] = "equal", ["glad-hands"] = "glad-hand", ["cherished"] = "cherish", ["disapprove"] = "disapprove", ["fulminated"] = "fulminate", ["considers"] = "consider", ["expected"] = "expect", ["grieves"] = "grieve", ["downs"] = "down", ["stymie"] = "stymie", ["duplicating"] = "duplicate", ["bitmaps"] = "bitmap", ["censures"] = "censure", ["stashing"] = "stash", ["immunizes"] = "immunize", ["diagnoses"] = "diagnose", ["countered"] = "counter", ["bedecking"] = "bedeck", ["weakening"] = "weaken", ["dissuades"] = "dissuade", ["separating"] = "separate", ["denied"] = "deny", ["labelled"] = "label", ["Soothsaying"] = "Soothsay", ["rebelled"] = "rebel", ["overstock"] = "overstock", ["garlands"] = "garland", ["quashing"] = "quash", ["references"] = "reference", ["individualise"] = "individualise", ["utilised"] = "utilise", ["disturbs"] = "disturb", ["distrust"] = "distrust", ["interests"] = "interest", ["pitches"] = "pitch", ["disguised"] = "disguise", ["assembles"] = "assemble", ["mete"] = "mete", ["bitches"] = "bitch", ["tango"] = "tango", ["misplay"] = "misplay", ["sleets"] = "sleet", ["canalize"] = "canalize", ["mistrust"] = "mistrust", ["impedes"] = "impede", ["mantling"] = "mantle", ["skulk"] = "skulk", ["authenticated"] = "authenticate", ["enthralled"] = "enthral", ["paraphrase"] = "paraphrase", ["toes"] = "toe", ["befogs"] = "befog", ["immobilise"] = "immobilise", ["apes"] = "ape", ["sodding"] = "sod", ["foisting"] = "foist", ["pertain"] = "pertain", ["establishing"] = "establish", ["goes"] = "go", ["annex"] = "annex", ["modding"] = "mod", ["nodding"] = "nod", ["does"] = "do", ["slandered"] = "slander", ["panicked"] = "panic", ["infecting"] = "infect", ["chickened"] = "chicken", ["gift-wraps"] = "gift-wrap", ["harp"] = "harp", ["accustom"] = "accustom", ["shorting"] = "short", ["carp"] = "carp", ["improvises"] = "improvise", ["pupating"] = "pupate", ["hurts"] = "hurt", ["ambushed"] = "ambush", ["photoshop"] = "photoshop", ["wrangled"] = "wrangle", ["photosynthesizes"] = "photosynthesize", ["smartens"] = "smarten", ["skivvy"] = "skivvy", ["descries"] = "descry", ["solemnizing"] = "solemnize", ["meters"] = "meter", ["spirits"] = "spirit", ["peters"] = "peter", ["deride"] = "deride", ["skedaddles"] = "skedaddle", ["deters"] = "deter", ["id'd"] = "id", ["od'd"] = "od", ["interlinks"] = "interlink", ["nosedive"] = "nosedive", ["impute"] = "impute", ["mandates"] = "mandate", ["overstocking"] = "overstock", ["guts"] = "gut", ["labour"] = "labour", ["pre-install"] = "pre-install", ["retches"] = "retch", ["juts"] = "jut", ["blurring"] = "blur", ["outs"] = "out", ["panfrying"] = "panfry", ["letches"] = "letch", ["puts"] = "put", ["overstay"] = "overstay", ["reprint"] = "reprint", ["fetches"] = "fetch", ["copy-edits"] = "copy-edit", ["toddle"] = "toddle", ["abstract"] = "abstract", ["crystallised"] = "crystallise", ["edifies"] = "edify", ["rorts"] = "rort", ["sorts"] = "sort", ["cuts"] = "cut", ["predominated"] = "predominate", ["dawned"] = "dawn", ["roofed"] = "roof", ["fawned"] = "fawn", ["coddle"] = "coddle", ["adlibbing"] = "adlib", ["woofed"] = "woof", ["silenced"] = "silence", ["festers"] = "fester", ["passivize"] = "passivize", ["readvertises"] = "readvertise", ["strove"] = "strive", ["peppers"] = "pepper", ["depersonalized"] = "depersonalize", ["pawned"] = "pawn", ["unbalancing"] = "unbalance", ["goofed"] = "goof", ["dehydrate"] = "dehydrate", ["misused"] = "misuse", ["squirrel"] = "squirrel", ["breakfasts"] = "breakfast", ["pesters"] = "pester", ["countersigns"] = "countersign", ["deifies"] = "deify", ["disrespected"] = "disrespect", ["belted"] = "belt", ["vaporize"] = "vaporize", ["fraternized"] = "fraternize", ["customised"] = "customise", ["woo"] = "woo", ["battering"] = "batter", ["pelted"] = "pelt", ["moo"] = "moo", ["swapped"] = "swap", ["poo"] = "poo", ["offs"] = "off", ["aces"] = "ace", ["bribe"] = "bribe", ["melted"] = "melt", ["astonished"] = "astonish", ["predated"] = "predate", ["frowns"] = "frown", ["implicating"] = "implicate", ["grieving"] = "grieve", ["libelled"] = "libel", ["repossessed"] = "repossess", ["deprecate"] = "deprecate", ["soliciting"] = "solicit", ["thanks"] = "thank", ["meandered"] = "meander", ["reselling"] = "resell", ["deafens"] = "deafen", ["swaggered"] = "swagger", ["enshrined"] = "enshrine", ["scrunch"] = "scrunch", ["predominates"] = "predominate", ["flashing"] = "flash", ["rebrand"] = "rebrand", ["domesticating"] = "domesticate", ["confuse"] = "confuse", ["reorganizes"] = "reorganize", ["submit"] = "submit", ["complementing"] = "complement", ["dissented"] = "dissent", ["chastised"] = "chastise", ["cauterized"] = "cauterize", ["position"] = "position", ["eagled"] = "eagle", ["feather-bedding"] = "feather-bed", ["keelhauling"] = "keelhaul", ["browns"] = "brown", ["drowns"] = "drown", ["evidencing"] = "evidence", ["staggered"] = "stagger", ["synced"] = "sync", ["console"] = "console", ["muddied"] = "muddy", ["effs"] = "eff", ["creolize"] = "creolize", ["accessing"] = "access", ["rubber-stamps"] = "rubber-stamp", ["mimicked"] = "mimic", ["buddied"] = "buddy", ["refraining"] = "refrain", ["surfacing"] = "surface", ["mistakes"] = "mistake", ["vouchsafed"] = "vouchsafe", ["relates"] = "relate", ["thud"] = "thud", ["gnashing"] = "gnash", ["breast-fed"] = "breast-feed", ["masters"] = "master", ["sauntered"] = "saunter", ["relieve"] = "relieve", ["protested"] = "protest", ["misapprehends"] = "misapprehend", ["overhauls"] = "overhaul", ["bettering"] = "better", ["alienating"] = "alienate", ["ok'd"] = "ok", ["reasserts"] = "reassert", ["maximising"] = "maximise", ["pervade"] = "pervade", ["harpooned"] = "harpoon", ["halted"] = "halt", ["upsized"] = "upsize", ["fictionalizing"] = "fictionalize", ["enumerates"] = "enumerate", ["title"] = "title", ["cuddle"] = "cuddle", ["angled"] = "angle", ["subsume"] = "subsume", ["ionising"] = "ionise", ["upskilled"] = "upskill", ["fly-kicked"] = "fly-kick", ["job-share"] = "job-share", ["xeroxed"] = "xerox", ["huddle"] = "huddle", ["allied"] = "ally", ["fuddle"] = "fuddle", ["muddle"] = "muddle", ["editorializes"] = "editorialize", ["pairs"] = "pair", ["dismantles"] = "dismantle", ["grimace"] = "grimace", ["displease"] = "displease", ["butchered"] = "butcher", ["comparisonshopping"] = "comparisonshop", ["tantalised"] = "tantalise", ["winnows"] = "winnow", ["cottoning"] = "cotton", ["fantasizes"] = "fantasize", ["supervising"] = "supervise", ["highlighted"] = "highlight", ["atrophy"] = "atrophy", ["distract"] = "distract", ["ices"] = "ice", ["regularises"] = "regularise", ["dilates"] = "dilate", ["potters"] = "potter", ["soldering"] = "solder", ["double-dated"] = "double-date", ["behold"] = "behold", ["cross-bred"] = "cross-breed", ["calibrated"] = "calibrate", ["tobogganing"] = "toboggan", ["extricated"] = "extricate", ["agonise"] = "agonise", ["mattering"] = "matter", ["nattering"] = "natter", ["drifted"] = "drift", ["perfected"] = "perfect", ["magnetises"] = "magnetise", ["excavates"] = "excavate", ["juxtaposing"] = "juxtapose", ["neuter"] = "neuter", ["preyed"] = "prey", ["dote"] = "dote", ["weatherising"] = "weatherise", ["misdirects"] = "misdirect", ["sterilizes"] = "sterilize", ["criss-crossed"] = "criss-cross", ["quibbles"] = "quibble", ["note"] = "note", ["double-books"] = "double-book", ["caters"] = "cater", ["rightclicking"] = "rightclick", ["groused"] = "grouse", ["overfly"] = "overfly", ["succours"] = "succour", ["tripled"] = "triple", ["quickened"] = "quicken", ["frisk"] = "frisk", ["confined"] = "confine", ["buries"] = "bury", ["feud"] = "feud", ["decentralise"] = "decentralise", ["scrutinized"] = "scrutinize", ["redefine"] = "redefine", ["discarding"] = "discard", ["dredging"] = "dredge", ["parley"] = "parley", ["imprint"] = "imprint", ["gladden"] = "gladden", ["collected"] = "collect", ["returns"] = "return", ["lionise"] = "lionise", ["fades"] = "fade", ["pooing"] = "poo", ["mooing"] = "moo", ["quivering"] = "quiver", ["leashing"] = "leash", ["lanced"] = "lance", ["jeopardizing"] = "jeopardize", ["galumphed"] = "galumph", ["requisitions"] = "requisition", ["booing"] = "boo", ["reckons"] = "reckon", ["bias"] = "bias", ["mute"] = "mute", ["labor"] = "labor", ["donate"] = "donate", ["inculcating"] = "inculcate", ["stalling"] = "stall", ["denitrifying"] = "denitrify", ["aborting"] = "abort", ["lobby"] = "lobby", ["laud"] = "laud", ["danced"] = "dance", ["acquit"] = "acquit", ["ignite"] = "ignite", ["despoil"] = "despoil", ["malign"] = "malign", ["blockaded"] = "blockade", ["feathers"] = "feather", ["focuses"] = "focus", ["sexualises"] = "sexualise", ["tote"] = "tote", ["greyed"] = "grey", ["buttonholes"] = "buttonhole", ["resizes"] = "resize", ["beckons"] = "beckon", ["lettering"] = "letter", ["ante"] = "ante", ["kowtowing"] = "kowtow", ["interning"] = "intern", ["careening"] = "careen", ["confide"] = "confide", ["knock"] = "knock", ["palatalizing"] = "palatalize", ["blags"] = "blag", ["part-exchanges"] = "part-exchange", ["future-proofing"] = "future-proof", ["flags"] = "flag", ["deified"] = "deify", ["fleeces"] = "fleece", ["baptizing"] = "baptize", ["appropriated"] = "appropriate", ["marshalled"] = "marshal", ["chug"] = "chug", ["lavishing"] = "lavish", ["canoodling"] = "canoodle", ["keynoted"] = "keynote", ["ushering"] = "usher", ["uninstalling"] = "uninstall", ["messengered"] = "messenger", ["ravishing"] = "ravish", ["thirsts"] = "thirst", ["spreads"] = "spread", ["dent"] = "dent", ["communicated"] = "communicate", ["skippers"] = "skipper", ["maims"] = "maim", ["esteemed"] = "esteem", ["transfigured"] = "transfigure", ["disassociate"] = "disassociate", ["lent"] = "lend", ["clock"] = "clock", ["flock"] = "flock", ["bayed"] = "bay", ["culminate"] = "culminate", ["block"] = "block", ["contextualize"] = "contextualize", ["barring"] = "bar", ["assail"] = "assail", ["dispatch"] = "dispatch", ["cloaked"] = "cloak", ["partake"] = "partake", ["lacquered"] = "lacquer", ["marring"] = "mar", ["idealize"] = "idealize", ["finances"] = "finance", ["fulminate"] = "fulminate", ["quakes"] = "quake", ["stretching"] = "stretch", ["sterilised"] = "sterilise", ["delighting"] = "delight", ["rejigs"] = "rejig", ["snitching"] = "snitch", ["addles"] = "addle", ["strolls"] = "stroll", ["dampening"] = "dampen", ["replace"] = "replace", ["licensing"] = "license", ["flatted"] = "flat", ["disinheriting"] = "disinherit", ["arrogates"] = "arrogate", ["disappearing"] = "disappear", ["factors"] = "factor", ["bin"] = "bin", ["mail bombs"] = "mail bomb", ["delete"] = "delete", ["din"] = "din", ["overbid"] = "overbid", ["ghettoize"] = "ghettoize", ["prophesies"] = "prophesy", ["bleached"] = "bleach", ["fishtailed"] = "fishtail", ["brainwashing"] = "brainwash", ["epitomised"] = "epitomise", ["sin"] = "sin", ["forgot"] = "forget", ["career"] = "career", ["win"] = "win", ["abdicate"] = "abdicate", ["crowed"] = "crow", ["resised"] = "resise", ["nauseates"] = "nauseate", ["divulge"] = "divulge", ["vulgarising"] = "vulgarise", ["quotes"] = "quote", ["counter-attacking"] = "counter-attack", ["confusing"] = "confuse", ["shortchanged"] = "shortchange", ["emancipate"] = "emancipate", ["charge"] = "charge", ["bleaches"] = "bleach", ["plug"] = "plug", ["outspending"] = "outspend", ["reiterate"] = "reiterate", ["factored"] = "factor", ["remaining"] = "remain", ["motivate"] = "motivate", ["pre-empts"] = "pre-empt", ["geotagging"] = "geotag", ["breast-feeds"] = "breast-feed", ["churned"] = "churn", ["pasteurized"] = "pasteurize", ["stimulating"] = "stimulate", ["helping"] = "help", ["disengaged"] = "disengage", ["leer"] = "leer", ["jeer"] = "jeer", ["simpering"] = "simper", ["collectivize"] = "collectivize", ["brownbagging"] = "brownbag", ["frags"] = "frag", ["advert"] = "advert", ["courtmartialling"] = "courtmartial", ["nurses"] = "nurse", ["brags"] = "brag", ["peer"] = "peer", ["plumps"] = "plump", ["emulating"] = "emulate", ["annoy"] = "annoy", ["cohering"] = "cohere", ["shock"] = "shock", ["clumps"] = "clump", ["mantled"] = "mantle", ["nickeland-dimed"] = "nickeland-dime", ["captained"] = "captain", ["elbowing"] = "elbow", ["maunder"] = "maunder", ["launder"] = "launder", ["pains"] = "pain", ["trifled"] = "trifle", ["miscount"] = "miscount", ["opposing"] = "oppose", ["monopolized"] = "monopolize", ["crumbles"] = "crumble", ["overthrows"] = "overthrow", ["gains"] = "gain", ["pillory"] = "pillory", ["hectors"] = "hector", ["discount"] = "discount", ["parroting"] = "parrot", ["culturing"] = "culture", ["manacles"] = "manacle", ["waggling"] = "waggle", ["prescinds"] = "prescind", ["harassed"] = "harass", ["divested"] = "divest", ["brushes"] = "brush", ["crushes"] = "crush", ["road-testing"] = "road-test", ["discipline"] = "discipline", ["denominated"] = "denominate", ["attracts"] = "attract", ["coincides"] = "coincide", ["maneuvers"] = "maneuver", ["leopardcrawling"] = "leopardcrawl", ["slam-dunk"] = "slam-dunk", ["carve"] = "carve", ["equips"] = "equip", ["misdirected"] = "misdirect", ["fertilize"] = "fertilize", ["enquiring"] = "enquire", ["postdates"] = "postdate", ["detrains"] = "detrain", ["subedits"] = "subedit", ["compensated"] = "compensate", ["chides"] = "chide", ["lipsynch"] = "lipsynch", ["inquiring"] = "inquire", ["ransack"] = "ransack", ["controverts"] = "controvert", ["yelping"] = "yelp", ["slurps"] = "slurp", ["inuring"] = "inure", ["verging"] = "verge", ["mismanaging"] = "mismanage", ["deplaned"] = "deplane", ["hunkered"] = "hunker", ["assays"] = "assay", ["disincentivises"] = "disincentivise", ["improving"] = "improve", ["tightens"] = "tighten", ["weeing"] = "wee", ["botox"] = "botox", ["unknotting"] = "unknot", ["touch-type"] = "touch-type", ["incur"] = "incur", ["overtraining"] = "overtrain", ["bottle-feeds"] = "bottle-feed", ["stored"] = "store", ["foresees"] = "foresee", ["essays"] = "essay", ["lightens"] = "lighten", ["peopled"] = "people", ["anger"] = "anger", ["eaten"] = "eat", ["interrupting"] = "interrupt", ["revolutionized"] = "revolutionize", ["outpaces"] = "outpace", ["specifies"] = "specify", ["slakes"] = "slake", ["haggling"] = "haggle", ["roger"] = "roger", ["embroider"] = "embroider", ["peeing"] = "pee", ["seeing"] = "see", ["quirk"] = "quirk", ["spearheaded"] = "spearhead", ["gloat"] = "gloat", ["misappropriating"] = "misappropriate", ["float"] = "float", ["unknot"] = "unknot", ["adopt"] = "adopt", ["bloat"] = "bloat", ["flagellates"] = "flagellate", ["pulsated"] = "pulsate", ["appear"] = "appear", ["leafleted"] = "leaflet", ["unnerving"] = "unnerve", ["sandblast"] = "sandblast", ["abridge"] = "abridge", ["dramatises"] = "dramatise", ["ovulating"] = "ovulate", ["plunder"] = "plunder", ["twitching"] = "twitch", ["switching"] = "switch", ["trembled"] = "tremble", ["strutted"] = "strut", ["barbecued"] = "barbecue", ["captioning"] = "caption", ["messengering"] = "messenger", ["passivised"] = "passivise", ["tint"] = "tint", ["poohing"] = "pooh", ["decommissions"] = "decommission", ["underscores"] = "underscore", ["tromped"] = "tromp", ["intervened"] = "intervene", ["apprehended"] = "apprehend", ["infantilised"] = "infantilise", ["hint"] = "hint", ["glitching"] = "glitch", ["amputating"] = "amputate", ["dramatised"] = "dramatise", ["mint"] = "mint", ["smooth"] = "smooth", ["blunder"] = "blunder", ["magnetising"] = "magnetise", ["pouring"] = "pour", ["watering"] = "water", ["merging"] = "merge", ["radicalized"] = "radicalize", ["louring"] = "lour", ["re-routes"] = "re-route", ["instructing"] = "instruct", ["ghostwrote"] = "ghostwrite", ["swooping"] = "swoop", ["crimping"] = "crimp", ["souring"] = "sour", ["touring"] = "tour", ["decontrolled"] = "decontrol", ["collectivise"] = "collectivise", ["screening"] = "screen", ["badger"] = "badger", ["catering"] = "cater", ["primping"] = "primp", ["bridling"] = "bridle", ["pumped"] = "pump", ["jumped"] = "jump", ["lumped"] = "lump", ["misgovern"] = "misgovern", ["pirouettes"] = "pirouette", ["tabulating"] = "tabulate", ["exposing"] = "expose", ["brandished"] = "brandish", ["machinegunning"] = "machinegun", ["crisscrossing"] = "crisscross", ["edified"] = "edify", ["solemnised"] = "solemnise", ["dapple"] = "dapple", ["snare"] = "snare", ["sensitizing"] = "sensitize", ["unify"] = "unify", ["mentioned"] = "mention", ["navigates"] = "navigate", ["double-check"] = "double-check", ["resorted"] = "resort", ["protect"] = "protect", ["substitutes"] = "substitute", ["braaied"] = "braai", ["dimple"] = "dimple", ["rejoices"] = "rejoice", ["fossilizing"] = "fossilize", ["cited"] = "cite", ["leant"] = "lean", ["meant"] = "mean", ["vociferates"] = "vociferate", ["palatalise"] = "palatalise", ["incising"] = "incise", ["quacked"] = "quack", ["speed-reading"] = "speed-read", ["humped"] = "hump", ["vitiating"] = "vitiate", ["bumped"] = "bump", ["dumped"] = "dump", ["merchandised"] = "merchandise", ["ties"] = "tie", ["personalise"] = "personalise", ["vies"] = "vie", ["lies"] = "lie", ["canoed"] = "canoe", ["charring"] = "char", ["errs"] = "err", ["clamours"] = "clamour", ["blow-dry"] = "blow-dry", ["activate"] = "activate", ["girdled"] = "girdle", ["reappointed"] = "reappoint", ["immigrating"] = "immigrate", ["won"] = "win", ["deserving"] = "deserve", ["overgeneralized"] = "overgeneralize", ["enriches"] = "enrich", ["shushes"] = "shush", ["reserving"] = "reserve", ["con"] = "con", ["don"] = "don", ["remedying"] = "remedy", ["enslaves"] = "enslave", ["predicted"] = "predict", ["justified"] = "justify", ["metering"] = "meter", ["alternated"] = "alternate", ["denuded"] = "denude", ["rappelled"] = "rappel", ["encompass"] = "encompass", ["prewashing"] = "prewash", ["detail"] = "detail", ["eliminated"] = "eliminate", ["lust"] = "lust", ["abides"] = "abide", ["dignified"] = "dignify", ["cracked"] = "crack", ["betokens"] = "betoken", ["meted"] = "mete", ["bust"] = "bust", ["reasserting"] = "reassert", ["dust"] = "dust", ["crossreferred"] = "crossrefer", ["catalyses"] = "catalyse", ["retail"] = "retail", ["oust"] = "oust", ["short-sheet"] = "short-sheet", ["sluiced"] = "sluice", ["breaches"] = "breach", ["rust"] = "rust", ["sandbag"] = "sandbag", ["disintegrated"] = "disintegrate", ["preempt"] = "preempt", ["nurture"] = "nurture", ["deadhead"] = "deadhead", ["eddies"] = "eddy", ["bypassed"] = "bypass", ["excepted"] = "except", ["chant"] = "chant", ["decriminalising"] = "decriminalise", ["brown-bagging"] = "brown-bag", ["partnered"] = "partner", ["rumple"] = "rumple", ["nationalises"] = "nationalise", ["itched"] = "itch", ["interlink"] = "interlink", ["etched"] = "etch", ["outshine"] = "outshine", ["unfurled"] = "unfurl", ["congratulating"] = "congratulate", ["disestablishes"] = "disestablish", ["oxidise"] = "oxidise", ["blabber"] = "blabber", ["projecting"] = "project", ["forecasting"] = "forecast", ["seised"] = "seise", ["pressure"] = "pressure", ["gentrifies"] = "gentrify", ["sees"] = "see", ["tees"] = "tee", ["pees"] = "pee", ["ferreting"] = "ferret", ["freestyling"] = "freestyle", ["mirrors"] = "mirror", ["nurtures"] = "nurture", ["gees"] = "gee", ["perforate"] = "perforate", ["franchise"] = "franchise", ["downscaling"] = "downscale", ["loitered"] = "loiter", ["air-dashing"] = "air-dash", ["europeanizing"] = "europeanize", ["itemised"] = "itemise", ["flushes"] = "flush", ["filch"] = "filch", ["condescending"] = "condescend", ["symbolized"] = "symbolize", ["mis-sell"] = "mis-sell", ["absent"] = "absent", ["harvesting"] = "harvest", ["blushes"] = "blush", ["overlapping"] = "overlap", ["meowed"] = "meow", ["refereeing"] = "referee", ["expresses"] = "express", ["gated"] = "gate", ["elucidated"] = "elucidate", ["indicate"] = "indicate", ["sated"] = "sate", ["depersonalizing"] = "depersonalize", ["sparking"] = "spark", ["blinding"] = "blind", ["comped"] = "comp", ["obfuscated"] = "obfuscate", ["interwork"] = "interwork", ["downgrade"] = "downgrade", ["refocuses"] = "refocus", ["submitted"] = "submit", ["snacked"] = "snack", ["campaigns"] = "campaign", ["ages"] = "age", ["ken"] = "ken", ["groups"] = "group", ["medicate"] = "medicate", ["gen"] = "gen", ["misspoke"] = "misspeak", ["teething"] = "teethe", ["resent"] = "resent", ["struts"] = "strut", ["mistime"] = "mistime", ["betakes"] = "betake", ["prostituted"] = "prostitute", ["weatherized"] = "weatherize", ["altering"] = "alter", ["dumping"] = "dump", ["backheeling"] = "backheel", ["bumping"] = "bump", ["damage"] = "damage", ["subjects"] = "subject", ["sunburn"] = "sunburn", ["patterning"] = "pattern", ["syringed"] = "syringe", ["jumping"] = "jump", ["pen"] = "pen", ["moseys"] = "mosey", ["blacked"] = "black", ["clacked"] = "clack", ["elicits"] = "elicit", ["pumping"] = "pump", ["abounding"] = "abound", ["alerting"] = "alert", ["raised"] = "raise", ["avowed"] = "avow", ["infused"] = "infuse", ["re-formed"] = "re-form", ["bulldoze"] = "bulldoze", ["consulted"] = "consult", ["dedicate"] = "dedicate", ["pursue"] = "pursue", ["recommencing"] = "recommence", ["preferring"] = "prefer", ["plant"] = "plant", ["monetise"] = "monetise", ["avoids"] = "avoid", ["sourcing"] = "source", ["indemnify"] = "indemnify", ["own"] = "own", ["quadrupled"] = "quadruple", ["backpacking"] = "backpack", ["expiate"] = "expiate", ["leaching"] = "leach", ["swatted"] = "swat", ["criminalize"] = "criminalize", ["reaching"] = "reach", ["limped"] = "limp", ["arched"] = "arch", ["scrabble"] = "scrabble", ["entering"] = "enter", ["pimped"] = "pimp", ["applaud"] = "applaud", ["wimped"] = "wimp", ["curtained"] = "curtain", ["beaching"] = "beach", ["highlight"] = "highlight", ["devoicing"] = "devoice", ["re-educate"] = "re-educate", ["exempts"] = "exempt", ["bedevils"] = "bedevil", ["caricatured"] = "caricature", ["initializes"] = "initialize", ["manages"] = "manage", ["indulging"] = "indulge", ["accessorize"] = "accessorize", ["emboldened"] = "embolden", ["miskeys"] = "miskey", ["blessed"] = "bless", ["featherbedding"] = "featherbed", ["retakes"] = "retake", ["truncates"] = "truncate", ["romances"] = "romance", ["wowed"] = "wow", ["fan"] = "fan", ["quarantined"] = "quarantine", ["roughcutting"] = "roughcut", ["man"] = "man", ["trumps"] = "trump", ["appals"] = "appal", ["invoicing"] = "invoice", ["whacked"] = "whack", ["flykicks"] = "flykick", ["dramatise"] = "dramatise", ["ban"] = "ban", ["can"] = "can", ["enwounding"] = "enwind", ["rescind"] = "rescind", ["rearend"] = "rearend", ["wager"] = "wager", ["pan"] = "pan", ["massproducing"] = "massproduce", ["mowed"] = "mow", ["idolise"] = "idolise", ["sowed"] = "sow", ["furs"] = "fur", ["deprived"] = "deprive", ["sexualising"] = "sexualise", ["picnicking"] = "picnic", ["prospect"] = "prospect", ["spearheading"] = "spearhead", ["overshoot"] = "overshoot", ["vacuuming"] = "vacuum", ["bowed"] = "bow", ["cowed"] = "cow", ["respond"] = "respond", ["glittered"] = "glitter", ["teaching"] = "teach", ["demob"] = "demob", ["shacked"] = "shack", ["absorbed"] = "absorb", ["slaughtering"] = "slaughter", ["proportion"] = "proportion", ["smouldering"] = "smoulder", ["seconds"] = "second", ["hoover"] = "hoover", ["denoting"] = "denote", ["bunker"] = "bunker", ["grant"] = "grant", ["stumps"] = "stump", ["supersized"] = "supersize", ["pressed"] = "press", ["hunker"] = "hunker", ["pampering"] = "pamper", ["partitioned"] = "partition", ["hampering"] = "hamper", ["mystified"] = "mystify", ["shrugged"] = "shrug", ["inched"] = "inch", ["redialled"] = "redial", ["frittered"] = "fritter", ["monitors"] = "monitor", ["overseeing"] = "oversee", ["stir-fries"] = "stir-fry", ["titivate"] = "titivate", ["evaluate"] = "evaluate", ["kited"] = "kite", ["devoiced"] = "devoice", ["uttering"] = "utter", ["hero-worshipping"] = "hero-worship", ["mandate"] = "mandate", ["prefaces"] = "preface", ["undershoots"] = "undershoot", ["broaches"] = "broach", ["storyboards"] = "storyboard", ["oppresses"] = "oppress", ["observing"] = "observe", ["augments"] = "augment", ["cold calling"] = "cold call", ["doubledipped"] = "doubledip", ["underrated"] = "underrate", ["materialise"] = "materialise", ["planted"] = "plant", ["shins"] = "shin", ["bitmap"] = "bitmap", ["rightsising"] = "rightsise", ["encountering"] = "encounter", ["slanted"] = "slant", ["stripping"] = "strip", ["repay"] = "repay", ["throve"] = "thrive", ["moralises"] = "moralise", ["herding"] = "herd", ["distending"] = "distend", ["tidies"] = "tidy", ["passivized"] = "passivize", ["helps"] = "help", ["foreshadowed"] = "foreshadow", ["corrals"] = "corral", ["bilks"] = "bilk", ["oversleeping"] = "oversleep", ["skins"] = "skin", ["lapses"] = "lapse", ["educated"] = "educate", ["backheeled"] = "backheel", ["tippled"] = "tipple", ["upswing"] = "upswing", ["intubating"] = "intubate", ["cogitates"] = "cogitate", ["parleyed"] = "parley", ["trace"] = "trace", ["misrepresenting"] = "misrepresent", ["solo"] = "solo", ["canes"] = "cane", ["replaces"] = "replace", ["conceals"] = "conceal", ["harasses"] = "harass", ["overlie"] = "overlie", ["flocking"] = "flock", ["acceding"] = "accede", ["tamped"] = "tamp", ["ram"] = "ram", ["palpated"] = "palpate", ["accepted"] = "accept", ["jam"] = "jam", ["lam"] = "lam", ["recompensed"] = "recompense", ["offset"] = "offset", ["overuse"] = "overuse", ["vest"] = "vest", ["belongs"] = "belong", ["illumined"] = "illumine", ["jest"] = "jest", ["frogmarched"] = "frogmarch", ["nest"] = "nest", ["reminds"] = "remind", ["best"] = "best", ["harvest"] = "harvest", ["clocking"] = "clock", ["blocking"] = "block", ["space"] = "space", ["disturbed"] = "disturb", ["parades"] = "parade", ["rosins"] = "rosin", ["orientated"] = "orientate", ["orient"] = "orient", ["reveals"] = "reveal", ["scattering"] = "scatter", ["economizes"] = "economize", ["yaks"] = "yak", ["galumph"] = "galumph", ["prefaced"] = "preface", ["dissembling"] = "dissemble", ["lost"] = "lose", ["liquidized"] = "liquidize", ["post"] = "post", ["channel-hops"] = "channel-hop", ["leched"] = "lech", ["slobbing"] = "slob", ["hoodwink"] = "hoodwink", ["limping"] = "limp", ["cost"] = "cost", ["prerecord"] = "prerecord", ["lamped"] = "lamp", ["wimping"] = "wimp", ["palpitate"] = "palpitate", ["camped"] = "camp", ["circled"] = "circle", ["memorise"] = "memorise", ["damped"] = "damp", ["heated"] = "heat", ["livestream"] = "livestream", ["recanted"] = "recant", ["appertains"] = "appertain", ["reenacted"] = "reenact", ["decapitate"] = "decapitate", ["chats"] = "chat", ["sheared"] = "shear", ["discounted"] = "discount", ["reconcile"] = "reconcile", ["decanted"] = "decant", ["romancing"] = "romance", ["rasterized"] = "rasterize", ["miscounted"] = "miscount", ["commingling"] = "commingle", ["speculate"] = "speculate", ["pivoted"] = "pivot", ["gazump"] = "gazump", ["pouncing"] = "pounce", ["consists"] = "consist", ["dollarized"] = "dollarize", ["intermeshed"] = "intermesh", ["compound"] = "compound", ["list"] = "list", ["mist"] = "mist", ["lollop"] = "lollop", ["revamping"] = "revamp", ["taperecorded"] = "taperecord", ["refrigerated"] = "refrigerate", ["rehoused"] = "rehouse", ["appeases"] = "appease", ["riveting"] = "rivet", ["dereferenced"] = "dereference", ["retrofitted"] = "retrofit", ["scare"] = "scare", ["behave"] = "behave", ["chanted"] = "chant", ["strain"] = "strain", ["misleading"] = "mislead", ["place"] = "place", ["brainstormed"] = "brainstorm", ["spins"] = "spin", ["postponed"] = "postpone", ["malingers"] = "malinger", ["run"] = "run", ["pun"] = "pun", ["regress"] = "regress", ["disclosed"] = "disclose", ["gyrate"] = "gyrate", ["gorging"] = "gorge", ["forging"] = "forge", ["misspelled"] = "misspell", ["reposing"] = "repose", ["coveting"] = "covet", ["clouded"] = "cloud", ["withstands"] = "withstand", ["prised"] = "prise", ["coruscate"] = "coruscate", ["wriggled"] = "wriggle", ["disobeyed"] = "disobey", ["cached"] = "cache", ["plagiarize"] = "plagiarize", ["coats"] = "coat", ["hamstringing"] = "hamstring", ["cross-hatching"] = "cross-hatch", ["prettifies"] = "prettify", ["steamrolled"] = "steamroll", ["front-loading"] = "front-load", ["proscribe"] = "proscribe", ["collect"] = "collect", ["conscripted"] = "conscript", ["declined"] = "decline", ["receding"] = "recede", ["compress"] = "compress", ["flooded"] = "flood", ["barricade"] = "barricade", ["expect"] = "expect", ["temping"] = "temp", ["revisiting"] = "revisit", ["tooling"] = "tool", ["conferred"] = "confer", ["lip-synched"] = "lip-synch", ["aim"] = "aim", ["blooded"] = "blood", ["decontaminating"] = "decontaminate", ["mugs"] = "mug", ["lugs"] = "lug", ["lounged"] = "lounge", ["ram-aid"] = "ram-aid", ["lording"] = "lord", ["bringing"] = "bring", ["aching"] = "ache", ["prated"] = "prate", ["fooling"] = "fool", ["bugs"] = "bug", ["ignores"] = "ignore", ["rim"] = "rim", ["fording"] = "ford", ["heckles"] = "heckle", ["glories"] = "glory", ["deposing"] = "depose", ["bemoaning"] = "bemoan", ["channelhopping"] = "channelhop", ["decommission"] = "decommission", ["recapture"] = "recapture", ["beats"] = "beat", ["depends"] = "depend", ["rebuilt"] = "rebuild", ["cleared"] = "clear", ["optimizing"] = "optimize", ["charbroiling"] = "charbroil", ["disqualifies"] = "disqualify", ["intimidating"] = "intimidate", ["reduplicated"] = "reduplicate", ["overstretching"] = "overstretch", ["post-dates"] = "post-date", ["seats"] = "seat", ["harrumphed"] = "harrumph", ["noised"] = "noise", ["monopolise"] = "monopolise", ["curve"] = "curve", ["fogs"] = "fog", ["hogs"] = "hog", ["jogs"] = "jog", ["cohabit"] = "cohabit", ["partitioning"] = "partition", ["curate"] = "curate", ["ground"] = "ground", ["premiering"] = "premiere", ["girding"] = "gird", ["outrunning"] = "outrun", ["radioes"] = "radio", ["skinders"] = "skinder", ["crashtested"] = "crashtest", ["interworked"] = "interwork", ["microwaving"] = "microwave", ["page-jacking"] = "page-jack", ["outclassing"] = "outclass", ["debriefed"] = "debrief", ["cooccur"] = "cooccur", ["sheltered"] = "shelter", ["shampoo"] = "shampoo", ["birding"] = "bird", ["arrays"] = "array", ["whups"] = "whup", ["joins"] = "join", ["skated"] = "skate", ["decants"] = "decant", ["masterminding"] = "mastermind", ["precipitated"] = "precipitate", ["portraying"] = "portray", ["recants"] = "recant", ["comping"] = "comp", ["accredits"] = "accredit", ["speared"] = "spear", ["checkmates"] = "checkmate", ["dappled"] = "dapple", ["barhopped"] = "barhop", ["revenges"] = "revenge", ["blare"] = "blare", ["underrates"] = "underrate", ["glare"] = "glare", ["flare"] = "flare", ["burnished"] = "burnish", ["digitise"] = "digitise", ["enfranchises"] = "enfranchise", ["stupefying"] = "stupefy", ["milks"] = "milk", ["activates"] = "activate", ["furnished"] = "furnish", ["exploits"] = "exploit", ["decriminalizes"] = "decriminalize", ["demilitarised"] = "demilitarise", ["commended"] = "commend", ["swatting"] = "swat", ["plunged"] = "plunge", ["convect"] = "convect", ["apologizes"] = "apologize", ["romping"] = "romp", ["penetrates"] = "penetrate", ["replatforming"] = "replatform", ["yomping"] = "yomp", ["inhabit"] = "inhabit", ["kick-started"] = "kick-start", ["muffles"] = "muffle", ["digress"] = "digress", ["shags"] = "shag", ["crackles"] = "crackle", ["cavorted"] = "cavort", ["summonses"] = "summons", ["conciliating"] = "conciliate", ["avenge"] = "avenge", ["debases"] = "debase", ["blindfolds"] = "blindfold", ["degreasing"] = "degrease", ["prompts"] = "prompt", ["professionalises"] = "professionalise", ["attributed"] = "attribute", ["proofreads"] = "proofread", ["vanquishing"] = "vanquish", ["coopt"] = "coopt", ["catapults"] = "catapult", ["internalizes"] = "internalize", ["shattering"] = "shatter", ["amass"] = "amass", ["shirk"] = "shirk", ["formulate"] = "formulate", ["dissipated"] = "dissipate", ["industrializing"] = "industrialize", ["arrange"] = "arrange", ["diphthongize"] = "diphthongize", ["hoeing"] = "hoe", ["brims"] = "brim", ["caucus"] = "caucus", ["glass"] = "glass", ["whispers"] = "whisper", ["squeaked"] = "squeak", ["interlays"] = "interlay", ["afford"] = "afford", ["chunder"] = "chunder", ["class"] = "class", ["pulps"] = "pulp", ["overrule"] = "overrule", ["magnetizing"] = "magnetize", ["garnished"] = "garnish", ["importune"] = "importune", ["meditates"] = "meditate", ["speeded"] = "speed", ["straightarming"] = "straightarm", ["patronises"] = "patronise", ["gangbanged"] = "gangbang", ["downlinked"] = "downlink", ["varnished"] = "varnish", ["outridden"] = "outride", ["cluster"] = "cluster", ["invoking"] = "invoke", ["transcends"] = "transcend", ["fluster"] = "fluster", ["downshifted"] = "downshift", ["whisks"] = "whisk", ["furlough"] = "furlough", ["anchoring"] = "anchor", ["tarnished"] = "tarnish", ["overpaying"] = "overpay", ["butt"] = "butt", ["stomped"] = "stomp", ["traversing"] = "traverse", ["means-tested"] = "means-test", ["drug"] = "drug", ["roleplayed"] = "roleplay", ["dillydallied"] = "dillydally", ["memorialised"] = "memorialise", ["putt"] = "putt", ["overpower"] = "overpower", ["boxed"] = "box", ["coxed"] = "cox", ["foxed"] = "fox", ["smirk"] = "smirk", ["gooses"] = "goose", ["looses"] = "loose", ["infiltrating"] = "infiltrate", ["juxtaposes"] = "juxtapose", ["charges"] = "charge", ["guilted"] = "guilt", ["misdirecting"] = "misdirect", ["consented"] = "consent", ["liquidated"] = "liquidate", ["leveraging"] = "leverage", ["rankling"] = "rankle", ["ingesting"] = "ingest", ["maximize"] = "maximize", ["parroted"] = "parrot", ["segment"] = "segment", ["clinging"] = "cling", ["freeze-drying"] = "freeze-dry", ["conditioned"] = "condition", ["atrophies"] = "atrophy", ["mandating"] = "mandate", ["bleaching"] = "bleach", ["gawped"] = "gawp", ["barrelling"] = "barrel", ["monopolize"] = "monopolize", ["discomfort"] = "discomfort", ["swims"] = "swim", ["flattering"] = "flatter", ["avail"] = "avail", ["mobilising"] = "mobilise", ["collecting"] = "collect", ["screwing"] = "screw", ["morphs"] = "morph", ["granted"] = "grant", ["digesting"] = "digest", ["coagulated"] = "coagulate", ["reeducate"] = "reeducate", ["bulks"] = "bulk", ["overthought"] = "overthink", ["pickles"] = "pickle", ["ideate"] = "ideate", ["equals"] = "equal", ["timeses"] = "times", ["flatting"] = "flat", ["sustained"] = "sustain", ["usurps"] = "usurp", ["balancing"] = "balance", ["tranquillizes"] = "tranquillize", ["ensues"] = "ensue", ["collapses"] = "collapse", ["impressed"] = "impress", ["furring"] = "fur", ["surfed"] = "surf", ["turfed"] = "turf", ["back-pedalled"] = "back-pedal", ["wallop"] = "wallop", ["pixelates"] = "pixelate", ["caramelizes"] = "caramelize", ["shadowbox"] = "shadowbox", ["warbled"] = "warble", ["grass"] = "grass", ["mobilises"] = "mobilise", ["personalising"] = "personalise", ["swallowing"] = "swallow", ["purring"] = "purr", ["pirate"] = "pirate", ["combine"] = "combine", ["iceskating"] = "iceskate", ["dynamiting"] = "dynamite", ["miscasting"] = "miscast", ["curated"] = "curate", ["decamp"] = "decamp", ["depending"] = "depend", ["register"] = "register", ["demineralises"] = "demineralise", ["subjugate"] = "subjugate", ["collectivises"] = "collectivise", ["frisks"] = "frisk", ["eliminating"] = "eliminate", ["decomposing"] = "decompose", ["kibitzes"] = "kibitz", ["revoking"] = "revoke", ["gambols"] = "gambol", ["underestimating"] = "underestimate", ["calks"] = "calk", ["garrisons"] = "garrison", ["tranquillised"] = "tranquillise", ["interned"] = "intern", ["hotfoots"] = "hotfoot", ["jobhunt"] = "jobhunt", ["magicked"] = "magic", ["hoaxing"] = "hoax", ["stressing"] = "stress", ["coaxing"] = "coax", ["assists"] = "assist", ["offsets"] = "offset", ["engraves"] = "engrave", ["restricted"] = "restrict", ["hallooing"] = "halloo", ["clonked"] = "clonk", ["larging"] = "large", ["depoliticized"] = "depoliticize", ["mines"] = "mine", ["legs"] = "leg", ["incentivised"] = "incentivise", ["plonked"] = "plonk", ["obstructing"] = "obstruct", ["metabolises"] = "metabolise", ["chucks"] = "chuck", ["barging"] = "barge", ["pegs"] = "peg", ["outdistances"] = "outdistance", ["inveigh"] = "inveigh", ["suppurate"] = "suppurate", ["engorged"] = "engorge", ["cueing"] = "cue", ["pacified"] = "pacify", ["hard-code"] = "hard-code", ["attests"] = "attest", ["outgunned"] = "outgun", ["divine"] = "divine", ["scrabbles"] = "scrabble", ["issues"] = "issue", ["drop-kicked"] = "drop-kick", ["vulgarises"] = "vulgarise", ["chatting"] = "chat", ["dislodge"] = "dislodge", ["actualised"] = "actualise", ["expends"] = "expend", ["disambiguate"] = "disambiguate", ["mismanaged"] = "mismanage", ["shroud"] = "shroud", ["kneads"] = "knead", ["nerve"] = "nerve", ["camps"] = "camp", ["tamping"] = "tamp", ["serve"] = "serve", ["appeased"] = "appease", ["devours"] = "devour", ["attested"] = "attest", ["pontificated"] = "pontificate", ["nickeland-diming"] = "nickeland-dime", ["lamping"] = "lamp", ["berate"] = "berate", ["cajole"] = "cajole", ["evidence"] = "evidence", ["tamps"] = "tamp", ["tinkling"] = "tinkle", ["abound"] = "abound", ["crinkle"] = "crinkle", ["misspends"] = "misspend", ["elapsed"] = "elapse", ["garlanding"] = "garland", ["deregulating"] = "deregulate", ["chimes"] = "chime", ["realised"] = "realise", ["rhapsodising"] = "rhapsodise", ["familiarizing"] = "familiarize", ["catfishing"] = "catfish", ["glances"] = "glance", ["damping"] = "damp", ["camping"] = "camp", ["oscillated"] = "oscillate", ["sicken"] = "sicken", ["expedite"] = "expedite", ["allowing"] = "allow", ["closes"] = "close", ["keyed"] = "key", ["expectorating"] = "expectorate", ["defaults"] = "default", ["oppressed"] = "oppress", ["deploring"] = "deplore", ["gags"] = "gag", ["pleads"] = "plead", ["costars"] = "costar", ["shored"] = "shore", ["surging"] = "surge", ["masculinised"] = "masculinise", ["cackles"] = "cackle", ["nags"] = "nag", ["lags"] = "lag", ["kneejerk"] = "kneejerk", ["flambe"] = "flambe", ["modernizing"] = "modernize", ["wags"] = "wag", ["hem"] = "hem", ["curtain"] = "curtain", ["adsorbed"] = "adsorb", ["officiating"] = "officiate", ["carbonising"] = "carbonise", ["bitmapping"] = "bitmap", ["winkling"] = "winkle", ["forwent"] = "forgo", ["moored"] = "moor", ["last"] = "last", ["fast"] = "fast", ["transcending"] = "transcend", ["enlivens"] = "enliven", ["cast"] = "cast", ["double click"] = "double click", ["enhances"] = "enhance", ["overbalancing"] = "overbalance", ["grokked"] = "grok", ["extradite"] = "extradite", ["cudgelled"] = "cudgel", ["crowding"] = "crowd", ["lurch"] = "lurch", ["condones"] = "condone", ["amortise"] = "amortise", ["bemoaned"] = "bemoan", ["petrified"] = "petrify", ["intercuts"] = "intercut", ["amortizing"] = "amortize", ["handcuffs"] = "handcuff", ["scalloping"] = "scallop", ["inking"] = "ink", ["pulsates"] = "pulsate", ["pretend"] = "pretend", ["husband"] = "husband", ["toking"] = "toke", ["overrules"] = "overrule", ["sculpt"] = "sculpt", ["smell"] = "smell", ["pal"] = "pal", ["pureeing"] = "puree", ["overwintering"] = "overwinter", ["hoovers"] = "hoover", ["secures"] = "secure", ["kludge"] = "kludge", ["base"] = "base", ["ease"] = "ease", ["uncorking"] = "uncork", ["joking"] = "joke", ["spouted"] = "spout", ["poking"] = "poke", ["harden"] = "harden", ["garden"] = "garden", ["quiet"] = "quiet", ["rimming"] = "rim", ["regulates"] = "regulate", ["emigrates"] = "emigrate", ["permitted"] = "permit", ["inviting"] = "invite", ["asphyxiated"] = "asphyxiate", ["crochets"] = "crochet", ["plagiarized"] = "plagiarize", ["excise"] = "excise", ["categorises"] = "categorise", ["whirrs"] = "whirr", ["objects"] = "object", ["victimize"] = "victimize", ["revolted"] = "revolt", ["reopening"] = "reopen", ["scrams"] = "scram", ["begetting"] = "beget", ["naturalize"] = "naturalize", ["grouted"] = "grout", ["disinherited"] = "disinherit", ["dimming"] = "dim", ["chairing"] = "chair", ["pasteurised"] = "pasteurise", ["accenting"] = "accent", ["rejects"] = "reject", ["westernising"] = "westernise", ["disorientates"] = "disorientate", ["brownnosed"] = "brownnose", ["introducing"] = "introduce", ["reorganises"] = "reorganise", ["parodied"] = "parody", ["administer"] = "administer", ["irking"] = "irk", ["augment"] = "augment", ["enshrines"] = "enshrine", ["cosied"] = "cosy", ["clerked"] = "clerk", ["sassed"] = "sass", ["charting"] = "chart", ["italicises"] = "italicise", ["ghostwritten"] = "ghostwrite", ["passed"] = "pass", ["massed"] = "mass", ["broadcasts"] = "broadcast", ["conflicted"] = "conflict", ["miskeying"] = "miskey", ["blitzing"] = "blitz", ["clouted"] = "clout", ["flouted"] = "flout", ["occur"] = "occur", ["staples"] = "staple", ["electrifying"] = "electrify", ["flip-flop"] = "flip-flop", ["consort"] = "consort", ["capture"] = "capture", ["first-foots"] = "first-foot", ["reintroduces"] = "reintroduce", ["diversified"] = "diversify", ["harangues"] = "harangue", ["hemming"] = "hem", ["asking"] = "ask", ["glad-handed"] = "glad-hand", ["implanting"] = "implant", ["grovels"] = "grovel", ["obliterating"] = "obliterate", ["intoxicated"] = "intoxicate", ["departmentalizes"] = "departmentalize", ["molten"] = "melt", ["mention"] = "mention", ["counsel"] = "counsel", ["recalling"] = "recall", ["dehumanised"] = "dehumanise", ["smudge"] = "smudge", ["overvalue"] = "overvalue", ["colonize"] = "colonize", ["exonerating"] = "exonerate", ["glistered"] = "glister", ["phoning"] = "phone", ["blistered"] = "blister", ["expounds"] = "expound", ["abridged"] = "abridge", ["frogmarching"] = "frogmarch", ["tangoing"] = "tango", ["multiplying"] = "multiply", ["recur"] = "recur", ["Spell"] = "Spell", ["effervescing"] = "effervesce", ["soft-shoeing"] = "soft-shoe", ["overdubbing"] = "overdub", ["ghettoizing"] = "ghettoize", ["processes"] = "process", ["spit-roasting"] = "spit-roast", ["wolfwhistling"] = "wolfwhistle", ["exculpating"] = "exculpate", ["execrate"] = "execrate", ["airlifted"] = "airlift", ["interfaces"] = "interface", ["soliloquizes"] = "soliloquize", ["pixelated"] = "pixelate", ["predeceases"] = "predecease", ["adjusted"] = "adjust", ["oil"] = "oil", ["messed"] = "mess", ["instantmessage"] = "instantmessage", ["intellectualize"] = "intellectualize", ["exemplified"] = "exemplify", ["folded"] = "fold", ["flexed"] = "flex", ["fessed"] = "fess", ["king-hits"] = "king-hit", ["quell"] = "quell", ["molded"] = "mold", ["strums"] = "strum", ["subcontracting"] = "subcontract", ["contributed"] = "contribute", ["authorizing"] = "authorize", ["incubated"] = "incubate", ["unburdens"] = "unburden", ["lamming"] = "lam", ["immunize"] = "immunize", ["jamming"] = "jam", ["concentrate"] = "concentrate", ["dwell"] = "dwell", ["ramming"] = "ram", ["gulp"] = "gulp", ["cawed"] = "caw", ["pertained"] = "pertain", ["amazes"] = "amaze", ["galling"] = "gall", ["pulp"] = "pulp", ["falling"] = "fall", ["meditating"] = "meditate", ["scarfs"] = "scarf", ["reapply"] = "reapply", ["perjure"] = "perjure", ["cloning"] = "clone", ["hawed"] = "haw", ["jawed"] = "jaw", ["churning"] = "churn", ["designating"] = "designate", ["shower"] = "shower", ["appending"] = "append", ["pawed"] = "paw", ["incise"] = "incise", ["encases"] = "encase", ["guilting"] = "guilt", ["palling"] = "pall", ["nosediving"] = "nosedive", ["grudge"] = "grudge", ["overexposed"] = "overexpose", ["spotlighting"] = "spotlight", ["auctioning"] = "auction", ["mooning"] = "moon", ["detests"] = "detest", ["bad-mouthing"] = "bad-mouth", ["contracts"] = "contract", ["hot dogs"] = "hot dog", ["damming"] = "dam", ["persuades"] = "persuade", ["interlaced"] = "interlace", ["demarcating"] = "demarcate", ["forgathering"] = "forgather", ["bruited"] = "bruit", ["nitrified"] = "nitrify", ["pausing"] = "pause", ["furred"] = "fur", ["potty-training"] = "potty-train", ["discomfited"] = "discomfit", ["vitrified"] = "vitrify", ["transliterates"] = "transliterate", ["preload"] = "preload", ["station"] = "station", ["ironing"] = "iron", ["gratifying"] = "gratify", ["interceded"] = "intercede", ["gravitate"] = "gravitate", ["mistrusted"] = "mistrust", ["fruited"] = "fruit", ["colorize"] = "colorize", ["compact"] = "compact", ["announcing"] = "announce", ["hissed"] = "hiss", ["overshooting"] = "overshoot", ["dissed"] = "diss", ["machine-guns"] = "machine-gun", ["massproduce"] = "massproduce", ["segments"] = "segment", ["pissed"] = "piss", ["missed"] = "miss", ["incriminates"] = "incriminate", ["kissed"] = "kiss", ["advocates"] = "advocate", ["detested"] = "detest", ["incurs"] = "incur", ["interceding"] = "intercede", ["fly-tipped"] = "fly-tip", ["empower"] = "empower", ["denigrating"] = "denigrate", ["bloats"] = "bloat", ["flay"] = "flay", ["notarize"] = "notarize", ["massaging"] = "massage", ["contracted"] = "contract", ["swopping"] = "swop", ["twerked"] = "twerk", ["hum"] = "hum", ["gum"] = "gum", ["bum"] = "bum", ["tolerated"] = "tolerate", ["certificate"] = "certificate", ["pinioning"] = "pinion", ["balkanizes"] = "balkanize", ["coppice"] = "coppice", ["abusing"] = "abuse", ["complaining"] = "complain", ["overwinter"] = "overwinter", ["cherishing"] = "cherish", ["distrusted"] = "distrust", ["romps"] = "romp", ["yomps"] = "yomp", ["rename"] = "rename", ["backbite"] = "backbite", ["befogged"] = "befog", ["defogged"] = "defog", ["overemphasize"] = "overemphasize", ["scourges"] = "scourge", ["king-hit"] = "king-hit", ["exhort"] = "exhort", ["comps"] = "comp", ["doctors"] = "doctor", ["overplaying"] = "overplay", ["robes"] = "robe", ["glazes"] = "glaze", ["conceive"] = "conceive", ["gelded"] = "geld", ["melded"] = "meld", ["overpowers"] = "overpower", ["causing"] = "cause", ["lacquer"] = "lacquer", ["shielding"] = "shield", ["trooping"] = "troop", ["reminded"] = "remind", ["undershot"] = "undershoot", ["isolating"] = "isolate", ["resises"] = "resise", ["masturbate"] = "masturbate", ["flex"] = "flex", ["ok's"] = "ok", ["starves"] = "starve", ["drooping"] = "droop", ["misdirect"] = "misdirect", ["perch"] = "perch", ["baking"] = "bake", ["lighten"] = "lighten", ["faking"] = "fake", ["valets"] = "valet", ["unhinges"] = "unhinge", ["dumps"] = "dump", ["measured"] = "measure", ["exasperating"] = "exasperate", ["liquefy"] = "liquefy", ["burbles"] = "burble", ["colorising"] = "colorise", ["participating"] = "participate", ["humps"] = "hump", ["jumps"] = "jump", ["outflanked"] = "outflank", ["individualize"] = "individualize", ["moonwalking"] = "moonwalk", ["reevaluating"] = "reevaluate", ["bench-tested"] = "bench-test", ["whelping"] = "whelp", ["rigs"] = "rig", ["volumise"] = "volumise", ["wigs"] = "wig", ["stigmatizes"] = "stigmatize", ["dismayed"] = "dismay", ["bamboozles"] = "bamboozle", ["espied"] = "espy", ["checkmate"] = "checkmate", ["flats"] = "flat", ["feng shuied"] = "feng shui", ["reevaluated"] = "reevaluate", ["rescuing"] = "rescue", ["forsaken"] = "forsake", ["smelts"] = "smelt", ["giftwrapped"] = "giftwrap", ["doublepark"] = "doublepark", ["wavering"] = "waver", ["photosynthesizing"] = "photosynthesize", ["jobshares"] = "jobshare", ["dj's"] = "dj", ["stooping"] = "stoop", ["essay"] = "essay", ["sodomized"] = "sodomize", ["broadcasting"] = "broadcast", ["firstfooting"] = "firstfoot", ["belittling"] = "belittle", ["test-drove"] = "test-drive", ["trawling"] = "trawl", ["garlanded"] = "garland", ["deluded"] = "delude", ["ricocheted"] = "ricochet", ["flickered"] = "flicker", ["enervates"] = "enervate", ["gilded"] = "gild", ["crawling"] = "crawl", ["drawling"] = "drawl", ["beget"] = "beget", ["frogmarch"] = "frogmarch", ["guzzled"] = "guzzle", ["involving"] = "involve", ["snooping"] = "snoop", ["recording"] = "record", ["mourning"] = "mourn", ["silhouetted"] = "silhouette", ["ordaining"] = "ordain", ["splash"] = "splash", ["spluttering"] = "splutter", ["mercerize"] = "mercerize", ["rehearse"] = "rehearse", ["encroach"] = "encroach", ["localised"] = "localise", ["clopping"] = "clop", ["inoculates"] = "inoculate", ["flopping"] = "flop", ["job-hunt"] = "job-hunt", ["interlinking"] = "interlink", ["visualized"] = "visualize", ["pilfers"] = "pilfer", ["deflate"] = "deflate", ["disband"] = "disband", ["atomizes"] = "atomize", ["silver"] = "silver", ["overcooks"] = "overcook", ["denationalised"] = "denationalise", ["procrastinating"] = "procrastinate", ["privatised"] = "privatise", ["schemes"] = "scheme", ["insisted"] = "insist", ["nuzzled"] = "nuzzle", ["perambulate"] = "perambulate", ["puzzled"] = "puzzle", ["gambolling"] = "gambol", ["precising"] = "precis", ["jigs"] = "jig", ["pigs"] = "pig", ["descend"] = "descend", ["biodegrades"] = "biodegrade", ["paraphrasing"] = "paraphrase", ["bigs"] = "big", ["balkanise"] = "balkanise", ["immolates"] = "immolate", ["tossed"] = "toss", ["overstate"] = "overstate", ["disperse"] = "disperse", ["photosynthesise"] = "photosynthesise", ["helped"] = "help", ["dossed"] = "doss", ["making"] = "make", ["levering"] = "lever", ["wassailing"] = "wassail", ["waking"] = "wake", ["revering"] = "revere", ["severing"] = "sever", ["disinvests"] = "disinvest", ["describing"] = "describe", ["sized"] = "size", ["auguring"] = "augur", ["double-checks"] = "double-check", ["bossed"] = "boss", ["blethered"] = "blether", ["overplayed"] = "overplay", ["centralising"] = "centralise", ["rear-ends"] = "rear-end", ["flipflops"] = "flipflop", ["signposting"] = "signpost", ["interfering"] = "interfere", ["metabolized"] = "metabolize", ["shelved"] = "shelve", ["assimilated"] = "assimilate", ["hyphenating"] = "hyphenate", ["writeprotecting"] = "writeprotect", ["misquoting"] = "misquote", ["chopping"] = "chop", ["text"] = "text", ["sext"] = "sext", ["answering"] = "answer", ["rails"] = "rail", ["tails"] = "tail", ["commenting"] = "comment", ["nails"] = "nail", ["mails"] = "mail", ["bussed"] = "buss", ["cussed"] = "cuss", ["jails"] = "jail", ["withdraw"] = "withdraw", ["preinstall"] = "preinstall", ["fails"] = "fail", ["mirroring"] = "mirror", ["costarred"] = "costar", ["sensitises"] = "sensitise", ["alloyed"] = "alloy", ["commuting"] = "commute", ["hovering"] = "hover", ["unlocked"] = "unlock", ["fussed"] = "fuss", ["accompanied"] = "accompany", ["mussed"] = "muss", ["wails"] = "wail", ["buckles"] = "buckle", ["buttonholed"] = "buttonhole", ["contravene"] = "contravene", ["bestir"] = "bestir", ["desensitized"] = "desensitize", ["outgrowing"] = "outgrow", ["malfunction"] = "malfunction", ["delineate"] = "delineate", ["messaging"] = "message", ["towels"] = "towel", ["bails"] = "bail", ["suckles"] = "suckle", ["scythes"] = "scythe", ["rousing"] = "rouse", ["overcoming"] = "overcome", ["clutches"] = "clutch", ["mousing"] = "mouse", ["lousing"] = "louse", ["powernapped"] = "powernap", ["postdate"] = "postdate", ["amusing"] = "amuse", ["plopping"] = "plop", ["slopping"] = "slop", ["engenders"] = "engender", ["redrafts"] = "redraft", ["shrivelling"] = "shrivel", ["sectioning"] = "section", ["agreeing"] = "agree", ["stocking"] = "stock", ["scalp"] = "scalp", ["audit"] = "audit", ["prepares"] = "prepare", ["retried"] = "retry", ["paraphrased"] = "paraphrase", ["boycotts"] = "boycott", ["transport"] = "transport", ["option"] = "option", ["assuming"] = "assume", ["peddling"] = "peddle", ["grafts"] = "graft", ["telecommutes"] = "telecommute", ["frequenting"] = "frequent", ["drafts"] = "draft", ["crafts"] = "craft", ["signpost"] = "signpost", ["particularize"] = "particularize", ["gel"] = "gel", ["immigrates"] = "immigrate", ["sloughed"] = "slough", ["bargaining"] = "bargain", ["outsource"] = "outsource", ["housing"] = "house", ["profiting"] = "profit", ["ploughed"] = "plough", ["dousing"] = "douse", ["inspected"] = "inspect", ["exorcising"] = "exorcise", ["merited"] = "merit", ["shimmy"] = "shimmy", ["abominated"] = "abominate", ["skidded"] = "skid", ["convinced"] = "convince", ["fistbump"] = "fistbump", ["reinvests"] = "reinvest", ["bestirred"] = "bestir", ["glued"] = "glue", ["decommissioned"] = "decommission", ["undulating"] = "undulate", ["redistribute"] = "redistribute", ["injects"] = "inject", ["organising"] = "organise", ["americanise"] = "americanise", ["plateaud"] = "plateau", ["accentuate"] = "accentuate", ["sellotaped"] = "sellotape", ["desisted"] = "desist", ["annealing"] = "anneal", ["depoliticised"] = "depoliticise", ["inundated"] = "inundate", ["modulating"] = "modulate", ["clued"] = "clue", ["misplacing"] = "misplace", ["schusses"] = "schuss", ["bruised"] = "bruise", ["comprehending"] = "comprehend", ["motion"] = "motion", ["differentiate"] = "differentiate", ["shopping"] = "shop", ["carpeting"] = "carpet", ["reciprocated"] = "reciprocate", ["subsist"] = "subsist", ["whopping"] = "whop", ["meddling"] = "meddle", ["toppled"] = "topple", ["deprive"] = "deprive", ["sobering"] = "sober", ["hankered"] = "hanker", ["closed"] = "close", ["repressed"] = "repress", ["waddling"] = "waddle", ["dissents"] = "dissent", ["saddling"] = "saddle", ["gas"] = "gas", ["mistimes"] = "mistime", ["unfasten"] = "unfasten", ["administers"] = "administer", ["paddling"] = "paddle", ["glue"] = "glue", ["depressed"] = "depress", ["cross-pollinated"] = "cross-polinate", ["clue"] = "clue", ["shape"] = "shape", ["reshuffled"] = "reshuffle", ["sympathises"] = "sympathise", ["depressurized"] = "depressurize", ["encumbered"] = "encumber", ["disengaging"] = "disengage", ["labored"] = "labor", ["dredged"] = "dredge", ["bulges"] = "bulge", ["offends"] = "offend", ["worsted"] = "worst", ["rubberstamps"] = "rubberstamp", ["leavens"] = "leaven", ["squander"] = "squander", ["prattles"] = "prattle", ["loosed"] = "loose", ["featuring"] = "feature", ["conspiring"] = "conspire", ["goosed"] = "goose", ["fetishise"] = "fetishise", ["fossilize"] = "fossilize", ["punctured"] = "puncture", ["instigating"] = "instigate", ["irradiated"] = "irradiate", ["crosspolinates"] = "crosspolinate", ["graduated"] = "graduate", ["cringes"] = "cringe", ["stiffs"] = "stiff", ["despaired"] = "despair", ["fringes"] = "fringe", ["flicker"] = "flicker", ["centralizing"] = "centralize", ["fantasises"] = "fantasise", ["doubled"] = "double", ["delineates"] = "delineate", ["pensioned"] = "pension", ["waylaid"] = "waylay", ["interjects"] = "interject", ["foresaw"] = "foresee", ["tensioned"] = "tension", ["sidestepping"] = "sidestep", ["snicker"] = "snicker", ["spices"] = "spice", ["alleges"] = "allege", ["disestablishing"] = "disestablish", ["overfilled"] = "overfill", ["defends"] = "defend", ["post-sync"] = "post-sync", ["engaged"] = "engage", ["shovels"] = "shovel", ["professionalize"] = "professionalize", ["unlock"] = "unlock", ["enfeebled"] = "enfeeble", ["flip-flopping"] = "flip-flop", ["re-forming"] = "re-form", ["crumble"] = "crumble", ["effectuates"] = "effectuate", ["squirrelled"] = "squirrel", ["tinkered"] = "tinker", ["groaning"] = "groan", ["liquefying"] = "liquefy", ["indorse"] = "indorse", ["rehashed"] = "rehash", ["imbedding"] = "imbed", ["endorse"] = "endorse", ["chomped"] = "chomp", ["overeaten"] = "overeat", ["grumble"] = "grumble", ["assigning"] = "assign", ["forecloses"] = "foreclose", ["narrate"] = "narrate", ["wronged"] = "wrong", ["creep"] = "creep", ["registering"] = "register", ["hydroplanes"] = "hydroplane", ["moistening"] = "moisten", ["carburized"] = "carburize", ["screwed"] = "screw", ["exhaust"] = "exhaust", ["posit"] = "posit", ["disappear"] = "disappear", ["specced"] = "spec", ["detracts"] = "detract", ["yoyoed"] = "yoyo", ["apprehends"] = "apprehend", ["suborning"] = "suborn", ["hypothesising"] = "hypothesise", ["splatters"] = "splatter", ["destressing"] = "destress", ["starring"] = "star", ["psychoanalyses"] = "psychoanalyse", ["convalesced"] = "convalesce", ["invalidating"] = "invalidate", ["bloops"] = "bloop", ["digitising"] = "digitise", ["cross-fertilizing"] = "cross-fertilize", ["bruiting"] = "bruit", ["copied"] = "copy", ["generalizes"] = "generalize", ["fruiting"] = "fruit", ["cheep"] = "cheep", ["encodes"] = "encode", ["elided"] = "elide", ["rebounds"] = "rebound", ["glided"] = "glide", ["memorizes"] = "memorize", ["embitter"] = "embitter", ["parsed"] = "parse", ["surprise"] = "surprise", ["dramatized"] = "dramatize", ["circumcising"] = "circumcise", ["braai"] = "braai", ["imploring"] = "implore", ["uncouple"] = "uncouple", ["holiday"] = "holiday", ["sway"] = "sway", ["defaced"] = "deface", ["lasso"] = "lasso", ["pinch-hitting"] = "pinch-hit", ["pur�e"] = "pur�e", ["caramelise"] = "caramelise", ["deices"] = "deice", ["defy"] = "defy", ["moulders"] = "moulder", ["impregnates"] = "impregnate", ["interweaving"] = "interweave", ["tortures"] = "torture", ["copyright"] = "copyright", ["contextualized"] = "contextualize", ["blogged"] = "blog", ["droops"] = "droop", ["palming"] = "palm", ["proffered"] = "proffer", ["anglicizes"] = "anglicize", ["quartering"] = "quarter", ["gibbering"] = "gibber", ["clogged"] = "clog", ["entail"] = "entail", ["riddling"] = "riddle", ["delouses"] = "delouse", ["miniaturizes"] = "miniaturize", ["indoctrinate"] = "indoctrinate", ["dated"] = "date", ["photosensitized"] = "photosensitize", ["barricades"] = "barricade", ["perceived"] = "perceive", ["dominate"] = "dominate", ["double-fault"] = "double-fault", ["manhandling"] = "manhandle", ["train"] = "train", ["twinkle"] = "twinkle", ["astonish"] = "astonish", ["panhandling"] = "panhandle", ["politicizing"] = "politicize", ["disrobing"] = "disrobe", ["tension"] = "tension", ["nominate"] = "nominate", ["mutate"] = "mutate", ["festooned"] = "festoon", ["pension"] = "pension", ["distressing"] = "distress", ["dis"] = "dis", ["slogged"] = "slog", ["cherish"] = "cherish", ["establish"] = "establish", ["mulch"] = "mulch", ["admire"] = "admire", ["backfired"] = "backfire", ["dawdled"] = "dawdle", ["showed"] = "show", ["interworking"] = "interwork", ["belabouring"] = "belabour", ["internalizing"] = "internalize", ["exacerbating"] = "exacerbate", ["fluffed"] = "fluff", ["soils"] = "soil", ["twine"] = "twine", ["drain"] = "drain", ["brain"] = "brain", ["handicapped"] = "handicap", ["soloed"] = "solo", ["quiver"] = "quiver", ["contending"] = "contend", ["grouse"] = "grouse", ["x-ray"] = "x-ray", ["jumpstart"] = "jumpstart", ["diverted"] = "divert", ["magnified"] = "magnify", ["formulates"] = "formulate", ["overprinted"] = "overprint", ["hamstring"] = "hamstring", ["inhered"] = "inhere", ["soliloquizing"] = "soliloquize", ["awake"] = "awake", ["contravening"] = "contravene", ["diddling"] = "diddle", ["awaken"] = "awaken", ["palliate"] = "palliate", ["calming"] = "calm", ["troops"] = "troop", ["overwhelm"] = "overwhelm", ["transplanted"] = "transplant", ["entwined"] = "entwine", ["chowed"] = "chow", ["mouths"] = "mouth", ["rasps"] = "rasp", ["striving"] = "strive", ["reenacting"] = "reenact", ["disenfranchised"] = "disenfranchise", ["voices"] = "voice", ["confiscated"] = "confiscate", ["harrumphs"] = "harrumph", ["broaden"] = "broaden", ["conjecture"] = "conjecture", ["ration"] = "ration", ["defiling"] = "defile", ["collar"] = "collar", ["abided"] = "abide", ["noise"] = "noise", ["blazoning"] = "blazon", ["commuted"] = "commute", ["fossilised"] = "fossilise", ["epitomising"] = "epitomise", ["antagonised"] = "antagonise", ["coils"] = "coil", ["boils"] = "boil", ["neatened"] = "neaten", ["lean"] = "lean", ["conquering"] = "conquer", ["summarized"] = "summarize", ["wean"] = "wean", ["dissenting"] = "dissent", ["bloodied"] = "bloody", ["luxuriated"] = "luxuriate", ["excising"] = "excise", ["fulfils"] = "fulfil", ["burbled"] = "burble", ["rehears"] = "rehear", ["cohered"] = "cohere", ["harbouring"] = "harbour", ["redrafted"] = "redraft", ["glowed"] = "glow", ["overtrains"] = "overtrain", ["counteracting"] = "counteract", ["commercialized"] = "commercialize", ["caper"] = "caper", ["plowed"] = "plow", ["interacting"] = "interact", ["overlook"] = "overlook", ["bean"] = "bean", ["prepone"] = "prepone", ["paper"] = "paper", ["disgraced"] = "disgrace", ["unsaddling"] = "unsaddle", ["cuddling"] = "cuddle", ["huddling"] = "huddle", ["calculates"] = "calculate", ["fuddling"] = "fuddle", ["arise"] = "arise", ["slices"] = "slice", ["treasuring"] = "treasure", ["caricatures"] = "caricature", ["hotdogs"] = "hotdog", ["randomized"] = "randomize", ["illuminated"] = "illuminate", ["snogged"] = "snog", ["characterising"] = "characterise", ["jol"] = "jol", ["disqualify"] = "disqualify", ["springclean"] = "springclean", ["prise"] = "prise", ["befitting"] = "befit", ["invert"] = "invert", ["cubes"] = "cube", ["overthrowing"] = "overthrow", ["collided"] = "collide", ["niggling"] = "niggle", ["chalks"] = "chalk", ["glistening"] = "glisten", ["snake"] = "snake", ["refinanced"] = "refinance", ["offshored"] = "offshore", ["wiggling"] = "wiggle", ["industrialize"] = "industrialize", ["bleeped"] = "bleep", ["prices"] = "price", ["reversed"] = "reverse", ["telescoping"] = "telescope", ["boggling"] = "boggle", ["persecuted"] = "persecute", ["goggling"] = "goggle", ["patent"] = "patent", ["joggling"] = "joggle", ["chain"] = "chain", ["denude"] = "denude", ["thumbs"] = "thumb", ["mollycoddled"] = "mollycoddle", ["tubes"] = "tube", ["dropping"] = "drop", ["telex"] = "telex", ["cropping"] = "crop", ["finetune"] = "finetune", ["enjoin"] = "enjoin", ["grinds"] = "grind", ["comprising"] = "comprise", ["tranquillise"] = "tranquillise", ["pray"] = "pray", ["matriculates"] = "matriculate", ["gallivanting"] = "gallivant", ["assaying"] = "assay", ["fray"] = "fray", ["essaying"] = "essay", ["paid"] = "pay", ["raid"] = "raid", ["clogs"] = "clog", ["laid"] = "lay", ["modernize"] = "modernize", ["re-electing"] = "re-elect", ["dunt"] = "dunt", ["overtake"] = "overtake", ["chided"] = "chide", ["approaches"] = "approach", ["throttled"] = "throttle", ["bunt"] = "bunt", ["performing"] = "perform", ["doctored"] = "doctor", ["mishandles"] = "mishandle", ["snogs"] = "snog", ["giggling"] = "giggle", ["jiggling"] = "jiggle", ["evidenced"] = "evidence", ["horsed"] = "horse", ["bray"] = "bray", ["misspending"] = "misspend", ["firebombs"] = "firebomb", ["broaching"] = "broach", ["visit"] = "visit", ["noticed"] = "notice", ["outselling"] = "outsell", ["focalise"] = "focalise", ["plan"] = "plan", ["contradicting"] = "contradict", ["ionizes"] = "ionize", ["localise"] = "localise", ["gybes"] = "gybe", ["strewed"] = "strew", ["goggled"] = "goggle", ["conscientises"] = "conscientise", ["joggled"] = "joggle", ["conquers"] = "conquer", ["brake"] = "brake", ["tippexing"] = "tippex", ["circumventing"] = "circumvent", ["undulated"] = "undulate", ["reverted"] = "revert", ["anaesthetise"] = "anaesthetise", ["stealing"] = "steal", ["repealing"] = "repeal", ["misled"] = "mislead", ["interleaves"] = "interleave", ["outpoints"] = "outpoint", ["slam-dunking"] = "slam-dunk", ["stereotype"] = "stereotype", ["modulated"] = "modulate", ["betatested"] = "betatest", ["bus"] = "bus", ["explaining"] = "explain", ["redistricting"] = "redistrict", ["fancied"] = "fancy", ["discourse"] = "discourse", ["delivered"] = "deliver", ["patronising"] = "patronise", ["disbanded"] = "disband", ["grazes"] = "graze", ["descried"] = "descry", ["caning"] = "cane", ["power-nap"] = "power-nap", ["name-dropping"] = "name-drop", ["lightened"] = "lighten", ["hewed"] = "hew", ["gulping"] = "gulp", ["mewed"] = "mew", ["screen-printed"] = "screen-print", ["stake"] = "stake", ["flaunted"] = "flaunt", ["exhilarating"] = "exhilarate", ["demerges"] = "demerge", ["jumpstarted"] = "jumpstart", ["categorise"] = "categorise", ["peeked"] = "peek", ["trampled"] = "trample", ["french polishes"] = "french polish", ["impaled"] = "impale", ["castigating"] = "castigate", ["sewed"] = "sew", ["loan"] = "loan", ["moan"] = "moan", ["wolfwhistles"] = "wolfwhistle", ["appraise"] = "appraise", ["moderate"] = "moderate", ["swirled"] = "swirl", ["rumpled"] = "rumple", ["diminishes"] = "diminish", ["recruiting"] = "recruit", ["bespeaking"] = "bespeak", ["juices"] = "juice", ["sugars"] = "sugar", ["lapsed"] = "lapse", ["span"] = "spin", ["superimposed"] = "superimpose", ["eliminate"] = "eliminate", ["undermines"] = "undermine", ["rearends"] = "rearend", ["occasions"] = "occasion", ["comparisonshopped"] = "comparisonshop", ["id's"] = "id", ["rotate"] = "rotate", ["lobotomize"] = "lobotomize", ["vulcanised"] = "vulcanise", ["inches"] = "inch", ["od's"] = "od", ["lassoes"] = "lasso", ["execrates"] = "execrate", ["perverted"] = "pervert", ["quarrelling"] = "quarrel", ["behoved"] = "behove", ["crosschecked"] = "crosscheck", ["exited"] = "exit", ["up-anchoring"] = "up-anchor", ["adhered"] = "adhere", ["insulted"] = "insult", ["pinch running"] = "pinch run", ["dilly-dally"] = "dilly-dally", ["spanned"] = "span", ["ascertain"] = "ascertain", ["brutalized"] = "brutalize", ["cc's"] = "cc", ["excites"] = "excite", ["goldbricks"] = "goldbrick", ["immortalised"] = "immortalise", ["dive-bombed"] = "dive-bomb", ["transitioned"] = "transition", ["misconstrue"] = "misconstrue", ["authorize"] = "authorize", ["sleep"] = "sleep", ["overcooked"] = "overcook", ["nursed"] = "nurse", ["pursed"] = "purse", ["shake"] = "shake", ["adjust"] = "adjust", ["protrude"] = "protrude", ["burdening"] = "burden", ["deriving"] = "derive", ["cannibalise"] = "cannibalise", ["moved"] = "move", ["loved"] = "love", ["bleep"] = "bleep", ["announce"] = "announce", ["impaired"] = "impair", ["strangled"] = "strangle", ["spoilt"] = "spoil", ["backtracked"] = "backtrack", ["energising"] = "energise", ["besmirching"] = "besmirch", ["rubbishes"] = "rubbish", ["damages"] = "damage", ["dissimulate"] = "dissimulate", ["fingerprinting"] = "fingerprint", ["duking"] = "duke", ["legitimising"] = "legitimise", ["dignify"] = "dignify", ["puking"] = "puke", ["nuking"] = "nuke", ["foretells"] = "foretell", ["overproduced"] = "overproduce", ["thwarting"] = "thwart", ["wildcatting"] = "wildcat", ["contemplated"] = "contemplate", ["mitred"] = "mitre", ["sanctions"] = "sanction", ["pur�es"] = "pur�e", ["march"] = "march", ["palpates"] = "palpate", ["parch"] = "parch", ["doubles"] = "double", ["invalided"] = "invalid", ["burping"] = "burp", ["authorizes"] = "authorize", ["divining"] = "divine", ["overrates"] = "overrate", ["juggling"] = "juggle", ["militarising"] = "militarise", ["defragmenting"] = "defragment", ["divert"] = "divert", ["pitchfork"] = "pitchfork", ["downshifts"] = "downshift", ["plagiarising"] = "plagiarise", ["marketing"] = "market", ["bedazzle"] = "bedazzle", ["cursed"] = "curse", ["manhandles"] = "manhandle", ["panhandles"] = "panhandle", ["decodes"] = "decode", ["Ods"] = "OD", ["booming"] = "boom", ["despoils"] = "despoil", ["prevents"] = "prevent", ["dooming"] = "doom", ["itches"] = "itch", ["decentralised"] = "decentralise", ["etches"] = "etch", ["accumulates"] = "accumulate", ["swanned"] = "swan", ["anodized"] = "anodize", ["balloons"] = "balloon", ["permeate"] = "permeate", ["flake"] = "flake", ["hypnotized"] = "hypnotize", ["researching"] = "research", ["smoldering"] = "smolder", ["personalised"] = "personalise", ["bridled"] = "bridle", ["visited"] = "visit", ["refurbishes"] = "refurbish", ["liking"] = "like", ["miking"] = "mike", ["looming"] = "loom", ["embosses"] = "emboss", ["pre-washes"] = "pre-wash", ["digitizes"] = "digitize", ["scoops"] = "scoop", ["biking"] = "bike", ["inspiring"] = "inspire", ["hiking"] = "hike", ["ruminate"] = "ruminate", ["coating"] = "coat", ["obtruded"] = "obtrude", ["intercede"] = "intercede", ["supplemented"] = "supplement", ["monopolising"] = "monopolise", ["actualizes"] = "actualize", ["jar"] = "jar", ["mar"] = "mar", ["dinging"] = "ding", ["operate"] = "operate", ["conformed"] = "conform", ["geofencing"] = "geofence", ["pinging"] = "ping", ["bar"] = "bar", ["acclimates"] = "acclimate", ["kicked"] = "kick", ["humidified"] = "humidify", ["unnerve"] = "unnerve", ["nicked"] = "nick", ["accessorized"] = "accessorize", ["licked"] = "lick", ["sicked"] = "sick", ["ricked"] = "rick", ["ingratiated"] = "ingratiate", ["assess"] = "assess", ["liveblogged"] = "liveblog", ["smother"] = "smother", ["manicured"] = "manicure", ["tinkles"] = "tinkle", ["disavowing"] = "disavow", ["compromising"] = "compromise", ["implicate"] = "implicate", ["guarded"] = "guard", ["winkles"] = "winkle", ["counselled"] = "counsel", ["slaughter"] = "slaughter", ["brooding"] = "brood", ["glitched"] = "glitch", ["regaled"] = "regale", ["deep-fried"] = "deep-fry", ["backslide"] = "backslide", ["finetuning"] = "finetune", ["remembers"] = "remember", ["dickered"] = "dicker", ["devastates"] = "devastate", ["slating"] = "slate", ["utter"] = "utter", ["mollycoddle"] = "mollycoddle", ["gussying"] = "gussy", ["nears"] = "near", ["worming"] = "worm", ["plating"] = "plate", ["elaborating"] = "elaborate", ["sears"] = "sear", ["hears"] = "hear", ["fears"] = "fear", ["overeats"] = "overeat", ["doffs"] = "doff", ["blindfold"] = "blindfold", ["parleys"] = "parley", ["forming"] = "form", ["couriers"] = "courier", ["swaggers"] = "swagger", ["skinder"] = "skinder", ["skating"] = "skate", ["overvalues"] = "overvalue", ["norming"] = "norm", ["bowdlerize"] = "bowdlerize", ["clanging"] = "clang", ["sculls"] = "scull", ["zinging"] = "zing", ["calculating"] = "calculate", ["sprains"] = "sprain", ["singing"] = "sing", ["eulogised"] = "eulogise", ["ravage"] = "ravage", ["gamify"] = "gamify", ["kneecap"] = "kneecap", ["debarks"] = "debark", ["part-exchanged"] = "part-exchange", ["inter"] = "inter", ["disrespecting"] = "disrespect", ["injured"] = "injure", ["borrows"] = "borrow", ["desires"] = "desire", ["unburdened"] = "unburden", ["praise"] = "praise", ["speak"] = "speak", ["troop"] = "troop", ["composted"] = "compost", ["redistributing"] = "redistribute", ["springboards"] = "springboard", ["sorrows"] = "sorrow", ["deify"] = "deify", ["commiserate"] = "commiserate", ["mishandled"] = "mishandle", ["retook"] = "retake", ["conserving"] = "conserve", ["suborned"] = "suborn", ["hospitalizing"] = "hospitalize", ["gardening"] = "garden", ["murders"] = "murder", ["packetizing"] = "packetize", ["financing"] = "finance", ["flustered"] = "fluster", ["infiltrated"] = "infiltrate", ["adlibs"] = "adlib", ["blustered"] = "bluster", ["upsell"] = "upsell", ["mortified"] = "mortify", ["blackballed"] = "blackball", ["initialises"] = "initialise", ["macerate"] = "macerate", ["lacerate"] = "lacerate", ["leopardcrawled"] = "leopardcrawl", ["immunises"] = "immunise", ["fondled"] = "fondle", ["moderated"] = "moderate", ["forfended"] = "forfend", ["prized"] = "prize", ["flooding"] = "flood", ["fortified"] = "fortify", ["slurred"] = "slur", ["betook"] = "betake", ["board"] = "board", ["marvelled"] = "marvel", ["aspirate"] = "aspirate", ["empaneling"] = "empanel", ["hoard"] = "hoard", ["equalising"] = "equalise", ["divest"] = "divest", ["tinted"] = "tint", ["combusts"] = "combust", ["harkened"] = "harken", ["mussing"] = "muss", ["blackened"] = "blacken", ["brokers"] = "broker", ["sussing"] = "suss", ["chauffeured"] = "chauffeur", ["blooding"] = "blood", ["fly-tip"] = "fly-tip", ["pals"] = "pal", ["arranging"] = "arrange", ["hinted"] = "hint", ["playacts"] = "playact", ["immolate"] = "immolate", ["minted"] = "mint", ["slackened"] = "slacken", ["impels"] = "impel", ["cussing"] = "cuss", ["fussing"] = "fuss", ["restrings"] = "restring", ["intensify"] = "intensify", ["bogies"] = "bogie", ["promenades"] = "promenade", ["snivels"] = "snivel", ["lowball"] = "lowball", ["ganging"] = "gang", ["hanging"] = "hang", ["boarded"] = "board", ["stilled"] = "still", ["banging"] = "bang", ["vacuumed"] = "vacuum", ["rubberstamping"] = "rubberstamp", ["rationalise"] = "rationalise", ["fascinates"] = "fascinate", ["nationalise"] = "nationalise", ["navigated"] = "navigate", ["meanders"] = "meander", ["forwarding"] = "forward", ["soft-pedal"] = "soft-pedal", ["decontaminate"] = "decontaminate", ["deal"] = "deal", ["benefits"] = "benefit", ["leveraged"] = "leverage", ["ups"] = "up", ["heal"] = "heal", ["softening"] = "soften", ["complain"] = "complain", ["maintain"] = "maintain", ["live-stream"] = "live-stream", ["prove"] = "prove", ["overextends"] = "overextend", ["open"] = "open", ["encapsulating"] = "encapsulate", ["enrols"] = "enrol", ["hyping"] = "hype", ["creak"] = "creak", ["publishing"] = "publish", ["rectifying"] = "rectify", ["freak"] = "freak", ["ostracizes"] = "ostracize", ["disembowel"] = "disembowel", ["overestimate"] = "overestimate", ["disambiguating"] = "disambiguate", ["skirmished"] = "skirmish", ["overtaxes"] = "overtax", ["burgeons"] = "burgeon", ["larded"] = "lard", ["savaged"] = "savage", ["ravaged"] = "ravage", ["wreak"] = "wreak", ["croons"] = "croon", ["figure"] = "figure", ["carded"] = "card", ["namedropped"] = "namedrop", ["metabolizes"] = "metabolize", ["dwelt"] = "dwell", ["spoons"] = "spoon", ["punted"] = "punt", ["alter"] = "alter", ["circumvent"] = "circumvent", ["overdoes"] = "overdo", ["fistpumped"] = "fistpump", ["legitimizes"] = "legitimize", ["housesits"] = "housesit", ["hunted"] = "hunt", ["swoop"] = "swoop", ["tenderizes"] = "tenderize", ["dunted"] = "dunt", ["bunted"] = "bunt", ["ranging"] = "range", ["traverses"] = "traverse", ["conforming"] = "conform", ["parcelling"] = "parcel", ["iterate"] = "iterate", ["unchecks"] = "uncheck", ["embarks"] = "embark", ["interconnects"] = "interconnect", ["palpating"] = "palpate", ["sms"] = "sms", ["outgrown"] = "outgrow", ["flouts"] = "flout", ["inset"] = "inset", ["ims"] = "im", ["immerses"] = "immerse", ["preregister"] = "preregister", ["maximizes"] = "maximize", ["bereft"] = "bereave", ["clouts"] = "clout", ["fur"] = "fur", ["denitrifies"] = "denitrify", ["puzzling"] = "puzzle", ["nuzzling"] = "nuzzle", ["fakes"] = "fake", ["meter"] = "meter", ["shredding"] = "shred", ["bakes"] = "bake", ["harps"] = "harp", ["guzzling"] = "guzzle", ["evoked"] = "evoke", ["muzzling"] = "muzzle", ["swamp"] = "swamp", ["crating"] = "crate", ["polarise"] = "polarise", ["regret"] = "regret", ["muffed"] = "muff", ["torpedoes"] = "torpedo", ["emcee"] = "emcee", ["huffed"] = "huff", ["drivels"] = "drivel", ["angered"] = "anger", ["outlive"] = "outlive", ["makes"] = "make", ["cuffed"] = "cuff", ["disinfects"] = "disinfect", ["hear"] = "hear", ["grinding"] = "grind", ["puckered"] = "pucker", ["knelt"] = "kneel", ["near"] = "near", ["prejudged"] = "prejudge", ["condense"] = "condense", ["sear"] = "sear", ["rear"] = "rear", ["even"] = "even", ["dazzled"] = "dazzle", ["reword"] = "reword", ["exercising"] = "exercise", ["deter"] = "deter", ["peal"] = "peal", ["carps"] = "carp", ["sculpting"] = "sculpt", ["scything"] = "scythe", ["buffet"] = "buffet", ["sluicing"] = "sluice", ["overdrawing"] = "overdraw", ["entitled"] = "entitle", ["pucker"] = "pucker", ["blubbing"] = "blub", ["inspires"] = "inspire", ["outlaw"] = "outlaw", ["sucker"] = "sucker", ["ails"] = "ail", ["rogered"] = "roger", ["relishes"] = "relish", ["clubbing"] = "club", ["fantasize"] = "fantasize", ["flubbing"] = "flub", ["imperils"] = "imperil", ["hoarded"] = "hoard", ["err"] = "err", ["screw"] = "screw", ["fidgets"] = "fidget", ["first-footing"] = "first-foot", ["oils"] = "oil", ["bear"] = "bear", ["describes"] = "describe", ["dissecting"] = "dissect", ["gear"] = "gear", ["fear"] = "fear", ["illuminates"] = "illuminate", ["devote"] = "devote", ["labors"] = "labor", ["gnawing"] = "gnaw", ["downgrades"] = "downgrade", ["given"] = "give", ["chillaxing"] = "chillax", ["prattle"] = "prattle", ["execute"] = "execute", ["parboiling"] = "parboil", ["troubleshot"] = "troubleshoot", ["stitches"] = "stitch", ["adjudicating"] = "adjudicate", ["freshen"] = "freshen", ["occurs"] = "occur", ["smelt"] = "smelt", ["quartered"] = "quarter", ["deselected"] = "deselect", ["polarises"] = "polarise", ["electrocutes"] = "electrocute", ["telephoned"] = "telephone", ["constricts"] = "constrict", ["connoting"] = "connote", ["dilly-dallies"] = "dilly-dally", ["disheartening"] = "dishearten", ["naturalising"] = "naturalise", ["screenprinting"] = "screenprint", ["liven"] = "liven", ["liberalize"] = "liberalize", ["headbutts"] = "headbutt", ["confutes"] = "confute", ["spurred"] = "spur", ["parches"] = "parch", ["ring-fence"] = "ring-fence", ["clawing"] = "claw", ["prorating"] = "prorate", ["slobbed"] = "slob", ["materializes"] = "materialize", ["assure"] = "assure", ["magnify"] = "magnify", ["snitched"] = "snitch", ["smoked"] = "smoke", ["idolizes"] = "idolize", ["shoulders"] = "shoulder", ["damned"] = "damn", ["dripfed"] = "dripfeed", ["coppiced"] = "coppice", ["swoops"] = "swoop", ["remediating"] = "remediate", ["labours"] = "labour", ["launch"] = "launch", ["enervated"] = "enervate", ["ingratiates"] = "ingratiate", ["politicized"] = "politicize", ["plumes"] = "plume", ["downsising"] = "downsise", ["flecked"] = "fleck", ["namedrop"] = "namedrop", ["douched"] = "douche", ["couched"] = "couch", ["europeanises"] = "europeanise", ["cheers"] = "cheer", ["funnels"] = "funnel", ["stoked"] = "stoke", ["spelt"] = "spell", ["wheedle"] = "wheedle", ["stars"] = "star", ["ignites"] = "ignite", ["backburner"] = "backburner", ["betrays"] = "betray", ["booked"] = "book", ["cooked"] = "cook", ["adducing"] = "adduce", ["spurt"] = "spurt", ["conforms"] = "conform", ["birdieing"] = "birdie", ["guard"] = "guard", ["limp"] = "limp", ["outnumbered"] = "outnumber", ["unbuckled"] = "unbuckle", ["pimp"] = "pimp", ["hooked"] = "hook", ["interfere"] = "interfere", ["looked"] = "look", ["tinkle"] = "tinkle", ["annotated"] = "annotate", ["interrogated"] = "interrogate", ["intercepting"] = "intercept", ["bikes"] = "bike", ["nominalise"] = "nominalise", ["mikes"] = "mike", ["teemed"] = "teem", ["hikes"] = "hike", ["dulling"] = "dull", ["queers"] = "queer", ["outran"] = "outrun", ["hulling"] = "hull", ["recite"] = "recite", ["pikes"] = "pike", ["lulling"] = "lull", ["mulling"] = "mull", ["reducing"] = "reduce", ["exonerates"] = "exonerate", ["seducing"] = "seduce", ["deemed"] = "deem", ["winkle"] = "winkle", ["glommed"] = "glom", ["tidy"] = "tidy", ["unscrewed"] = "unscrew", ["overextending"] = "overextend", ["saving"] = "save", ["gleaned"] = "glean", ["happened"] = "happen", ["perches"] = "perch", ["demonstrating"] = "demonstrate", ["paving"] = "pave", ["resuscitated"] = "resuscitate", ["misinterprets"] = "misinterpret", ["freestyles"] = "freestyle", ["having"] = "have", ["brazen"] = "brazen", ["libel"] = "libel", ["court"] = "court", ["downloading"] = "download", ["mould"] = "mould", ["appertaining"] = "appertain", ["flourishing"] = "flourish", ["trigger"] = "trigger", ["caramelised"] = "caramelise", ["ascribe"] = "ascribe", ["foal"] = "foal", ["torture"] = "torture", ["mitigating"] = "mitigate", ["percolated"] = "percolate", ["cranes"] = "crane", ["litigating"] = "litigate", ["stationing"] = "station", ["behoves"] = "behove", ["compartmentalising"] = "compartmentalise", ["particularising"] = "particularise", ["finagling"] = "finagle", ["shaving"] = "shave", ["cleaned"] = "clean", ["eschewing"] = "eschew", ["destresses"] = "destress", ["frozen"] = "freeze", ["air"] = "air", ["blurt"] = "blurt", ["kindled"] = "kindle", ["harmonizes"] = "harmonize", ["ravished"] = "ravish", ["powernapping"] = "powernap", ["invades"] = "invade", ["wee-weed"] = "wee-wee", ["overextend"] = "overextend", ["herds"] = "herd", ["outpacing"] = "outpace", ["lavished"] = "lavish", ["misname"] = "misname", ["suffocate"] = "suffocate", ["staunches"] = "staunch", ["temp"] = "temp", ["nixed"] = "nix", ["reside"] = "reside", ["tossing"] = "toss", ["polishes"] = "polish", ["heaving"] = "heave", ["fixed"] = "fix", ["leaving"] = "leave", ["liberalized"] = "liberalize", ["defuse"] = "defuse", ["forgives"] = "forgive", ["phase"] = "phase", ["mixed"] = "mix", ["listens"] = "listen", ["chase"] = "chase", ["threw"] = "throw", ["dossing"] = "doss", ["fizzling"] = "fizzle", ["bossing"] = "boss", ["accommodates"] = "accommodate", ["refuse"] = "refuse", ["calibrates"] = "calibrate", ["wagered"] = "wager", ["accessorise"] = "accessorise", ["instant-messages"] = "instant-message", ["subtending"] = "subtend", ["tape records"] = "tape record", ["bargains"] = "bargain", ["negotiated"] = "negotiate", ["burps"] = "burp", ["contact"] = "contact", ["conversing"] = "converse", ["diagnosed"] = "diagnose", ["intersect"] = "intersect", ["scouts"] = "scout", ["mourned"] = "mourn", ["chinked"] = "chink", ["evince"] = "evince", ["endangered"] = "endanger", ["scorching"] = "scorch", ["compel"] = "compel", ["insure"] = "insure", ["spar"] = "spar", ["obey"] = "obey", ["convulsed"] = "convulse", ["budgets"] = "budget", ["brains"] = "brain", ["enjoyed"] = "enjoy", ["drains"] = "drain", ["disciplines"] = "discipline", ["titrating"] = "titrate", ["woven"] = "weave", ["collectivizing"] = "collectivize", ["switched"] = "switch", ["twitched"] = "twitch", ["familiarises"] = "familiarise", ["misquoted"] = "misquote", ["subdues"] = "subdue", ["seen"] = "see", ["deputed"] = "depute", ["impugn"] = "impugn", ["weighing"] = "weigh", ["depraves"] = "deprave", ["hectoring"] = "hector", ["repackaging"] = "repackage", ["neighing"] = "neigh", ["disarming"] = "disarm", ["tamp"] = "tamp", ["ramp"] = "ramp", ["totals"] = "total", ["lamp"] = "lamp", ["pensioning"] = "pension", ["reassigning"] = "reassign", ["proselytises"] = "proselytise", ["drawing"] = "draw", ["executes"] = "execute", ["overbore"] = "overbear", ["lambing"] = "lamb", ["maturing"] = "mature", ["entangle"] = "entangle", ["live-blog"] = "live-blog", ["rankle"] = "rankle", ["countersigned"] = "countersign", ["hexed"] = "hex", ["illustrate"] = "illustrate", ["specialises"] = "specialise", ["forgo"] = "forgo", ["outruns"] = "outrun", ["goose-steps"] = "goose-step", ["handwritten"] = "handwrite", ["clarifying"] = "clarify", ["exhausts"] = "exhaust", ["deems"] = "deem", ["overdo"] = "overdo", ["attenuate"] = "attenuate", ["vexed"] = "vex", ["alphatest"] = "alphatest", ["marches"] = "march", ["ghettoized"] = "ghettoize", ["readjust"] = "readjust", ["disassociates"] = "disassociate", ["laddering"] = "ladder", ["optimise"] = "optimise", ["denationalize"] = "denationalize", ["refracted"] = "refract", ["highsticks"] = "highstick", ["brown-nones"] = "brown-nose", ["cuckolding"] = "cuckold", ["accomplished"] = "accomplish", ["narrows"] = "narrow", ["inducing"] = "induce", ["betaking"] = "betake", ["farrows"] = "farrow", ["harrows"] = "harrow", ["damp"] = "damp", ["replying"] = "reply", ["augur"] = "augur", ["camp"] = "camp", ["italicizes"] = "italicize", ["appealing"] = "appeal", ["capsise"] = "capsise", ["nickeland-dimes"] = "nickeland-dime", ["sightsee"] = "sightsee", ["bloop"] = "bloop", ["inform"] = "inform", ["push-starts"] = "push-start", ["been"] = "be", ["dissects"] = "dissect", ["rouged"] = "rouge", ["misfired"] = "misfire", ["gouged"] = "gouge", ["keen"] = "keen", ["computes"] = "compute", ["memorising"] = "memorise", ["smolder"] = "smolder", ["mattered"] = "matter", ["nattered"] = "natter", ["pattered"] = "patter", ["battered"] = "batter", ["forded"] = "ford", ["nukes"] = "nuke", ["pukes"] = "puke", ["upsizing"] = "upsize", ["lorded"] = "lord", ["clot"] = "clot", ["blot"] = "blot", ["willing"] = "will", ["slaving"] = "slave", ["tilling"] = "till", ["worded"] = "word", ["terming"] = "term", ["replay"] = "replay", ["perming"] = "perm", ["impresses"] = "impress", ["toot"] = "toot", ["hastens"] = "hasten", ["chauffeuring"] = "chauffeur", ["filling"] = "fill", ["loot"] = "loot", ["moot"] = "moot", ["ricochets"] = "ricochet", ["pilling"] = "pill", ["milling"] = "mill", ["green-lighted"] = "green-light", ["killing"] = "kill", ["clasped"] = "clasp", ["boot"] = "boot", ["hoot"] = "hoot", ["shortchanging"] = "shortchange", ["foot"] = "foot", ["trap"] = "trap", ["billing"] = "bill", ["chaperones"] = "chaperone", ["reunites"] = "reunite", ["bulldozing"] = "bulldoze", ["broiling"] = "broil", ["disallowing"] = "disallow", ["clap"] = "clap", ["volumize"] = "volumize", ["flap"] = "flap", ["girded"] = "gird", ["disadvantages"] = "disadvantage", ["equip"] = "equip", ["opting"] = "opt", ["tenderize"] = "tenderize", ["unhinge"] = "unhinge", ["soap"] = "soap", ["drawn"] = "draw", ["misread"] = "misread", ["cultured"] = "culture", ["biffed"] = "biff", ["hurdling"] = "hurdle", ["inputs"] = "input", ["fastens"] = "fasten", ["curdling"] = "curdle", ["overextended"] = "overextend", ["jolling"] = "jol", ["lolling"] = "loll", ["entailed"] = "entail", ["polling"] = "poll", ["recuperates"] = "recuperate", ["leches"] = "lech", ["moralize"] = "moralize", ["distributes"] = "distribute", ["snigger"] = "snigger", ["slap"] = "slap", ["inveighing"] = "inveigh", ["bandy"] = "bandy", ["skyping"] = "skype", ["sufficing"] = "suffice", ["overemphasised"] = "overemphasise", ["klap"] = "klap", ["birded"] = "bird", ["legalizes"] = "legalize", ["inveighs"] = "inveigh", ["mucked"] = "muck", ["lucked"] = "luck", ["knights"] = "knight", ["spot"] = "spot", ["militarised"] = "militarise", ["rampage"] = "rampage", ["ducked"] = "duck", ["function"] = "function", ["steering"] = "steer", ["telling"] = "tell", ["trolling"] = "troll", ["speechified"] = "speechify", ["benchtest"] = "benchtest", ["abridges"] = "abridge", ["scallops"] = "scallop", ["photobombing"] = "photobomb", ["doting"] = "dote", ["imputed"] = "impute", ["felling"] = "fell", ["gelling"] = "gel", ["immured"] = "immure", ["jelling"] = "jell", ["pinion"] = "pinion", ["oxidized"] = "oxidize", ["denounces"] = "denounce", ["noting"] = "note", ["back-burners"] = "back-burner", ["overburden"] = "overburden", ["misspelling"] = "misspell", ["mitring"] = "mitre", ["depersonalise"] = "depersonalise", ["court-martials"] = "court-martial", ["collapse"] = "collapse", ["centre"] = "centre", ["duet"] = "duet", ["reduplicating"] = "reduplicate", ["misdiagnosing"] = "misdiagnose", ["organized"] = "organize", ["drools"] = "drool", ["flights"] = "flight", ["throbbed"] = "throb", ["blights"] = "blight", ["alights"] = "alight", ["gulped"] = "gulp", ["taxi"] = "taxi", ["niggled"] = "niggle", ["jettisons"] = "jettison", ["disparage"] = "disparage", ["girdling"] = "girdle", ["abort"] = "abort", ["lurches"] = "lurch", ["counterpoint"] = "counterpoint", ["giggled"] = "giggle", ["pervaded"] = "pervade", ["jiggled"] = "jiggle", ["plights"] = "plight", ["keens"] = "keen", ["disconnecting"] = "disconnect", ["ventilates"] = "ventilate", ["satirised"] = "satirise", ["fictionalising"] = "fictionalise", ["bloodying"] = "bloody", ["overfilling"] = "overfill", ["resumes"] = "resume", ["capitulated"] = "capitulate", ["liberalises"] = "liberalise", ["counterfeit"] = "counterfeit", ["reprieved"] = "reprieve", ["clarify"] = "clarify", ["waitlisted"] = "waitlist", ["clinked"] = "clink", ["gesticulate"] = "gesticulate", ["tucked"] = "tuck", ["sucked"] = "suck", ["blinked"] = "blink", ["unseat"] = "unseat", ["opens"] = "open", ["concoct"] = "concoct", ["roofing"] = "roof", ["liberate"] = "liberate", ["confessed"] = "confess", ["scapegoating"] = "scapegoat", ["implemented"] = "implement", ["reawakening"] = "reawaken", ["demonised"] = "demonise", ["overloads"] = "overload", ["depresses"] = "depress", ["leap"] = "leap", ["remainder"] = "remainder", ["liaises"] = "liaise", ["monkeys"] = "monkey", ["juxtaposed"] = "juxtapose", ["doffed"] = "doff", ["incentivizes"] = "incentivize", ["sanction"] = "sanction", ["doubleglazing"] = "doubleglaze", ["represses"] = "repress", ["gauged"] = "gauge", ["busy"] = "busy", ["lump"] = "lump", ["jump"] = "jump", ["hump"] = "hump", ["embossed"] = "emboss", ["grants"] = "grant", ["fret"] = "fret", ["devolves"] = "devolve", ["bemuses"] = "bemuse", ["foment"] = "foment", ["caulked"] = "caulk", ["sabotage"] = "sabotage", ["carved"] = "carve", ["antedating"] = "antedate", ["autosave"] = "autosave", ["cross-question"] = "cross-question", ["infers"] = "infer", ["compensating"] = "compensate", ["immunising"] = "immunise", ["missell"] = "missell", ["lamented"] = "lament", ["canoodles"] = "canoodle", ["reneged"] = "renege", ["enshrouds"] = "enshroud", ["disbars"] = "disbar", ["outstripped"] = "outstrip", ["adjured"] = "adjure", ["double-cross"] = "double-cross", ["despair"] = "despair", ["kidnapped"] = "kidnap", ["weeweeing"] = "weewee", ["examines"] = "examine", ["dump"] = "dump", ["bump"] = "bump", ["energizing"] = "energize", ["begotten"] = "beget", ["bruit"] = "bruit", ["fruit"] = "fruit", ["remortgaged"] = "remortgage", ["heap"] = "heap", ["fast-track"] = "fast-track", ["resizing"] = "resize", ["preteaching"] = "preteach", ["anglicising"] = "anglicise", ["browsed"] = "browse", ["goofing"] = "goof", ["hoofing"] = "hoof", ["oversimplifying"] = "oversimplify", ["retain"] = "retain", ["telecasting"] = "telecast", ["farming"] = "farm", ["teem"] = "teem", ["enticing"] = "entice", ["overhauled"] = "overhaul", ["guides"] = "guide", ["harming"] = "harm", ["gunging"] = "gunge", ["serviced"] = "service", ["comp"] = "comp", ["deem"] = "deem", ["pedestrianize"] = "pedestrianize", ["torches"] = "torch", ["forewarn"] = "forewarn", ["digitized"] = "digitize", ["detain"] = "detain", ["monkeying"] = "monkey", ["pasture"] = "pasture", ["dispatching"] = "dispatch", ["sensationalising"] = "sensationalise", ["dispose"] = "dispose", ["cheeked"] = "cheek", ["jumpstarting"] = "jumpstart", ["ensconcing"] = "ensconce", ["inscribing"] = "inscribe", ["integrate"] = "integrate", ["fictionalizes"] = "fictionalize", ["skivvies"] = "skivvy", ["part-exchanging"] = "part-exchange", ["nourish"] = "nourish", ["mocked"] = "mock", ["locked"] = "lock", ["broadside"] = "broadside", ["cocked"] = "cock", ["concertina"] = "concertina", ["braving"] = "brave", ["hocked"] = "hock", ["memorializes"] = "memorialize", ["crunching"] = "crunch", ["squished"] = "squish", ["sleeked"] = "sleek", ["diphthongised"] = "diphthongise", ["compressed"] = "compress", ["airfreighted"] = "airfreight", ["spawn"] = "spawn", ["upskills"] = "upskill", ["absorbs"] = "absorb", ["humanizing"] = "humanize", ["calibrate"] = "calibrate", ["demarcated"] = "demarcate", ["colorized"] = "colorize", ["backlink"] = "backlink", ["strips"] = "strip", ["snuffled"] = "snuffle", ["dismembered"] = "dismember", ["alphabetises"] = "alphabetise", ["picket"] = "picket", ["soles"] = "sole", ["disobeying"] = "disobey", ["outmanoeuvred"] = "outmanoeuvre", ["diet"] = "diet", ["particularise"] = "particularise", ["abbreviating"] = "abbreviate", ["holes"] = "hole", ["rearmed"] = "rearm", ["doles"] = "dole", ["proofread"] = "proofread", ["canted"] = "cant", ["dirties"] = "dirty", ["handled"] = "handle", ["crowd"] = "crowd", ["dandled"] = "dandle", ["spoiling"] = "spoil", ["rehashes"] = "rehash", ["smoulders"] = "smoulder", ["bowdlerises"] = "bowdlerise", ["chass�ing"] = "chass�", ["tie-dyeing"] = "tie-dye", ["generalized"] = "generalize", ["structure"] = "structure", ["colorise"] = "colorise", ["offloading"] = "offload", ["defaming"] = "defame", ["strives"] = "strive", ["expires"] = "expire", ["bearded"] = "beard", ["pinchhits"] = "pinchhit", ["synchronised"] = "synchronise", ["accelerating"] = "accelerate", ["quarters"] = "quarter", ["pocket"] = "pocket", ["despairing"] = "despair", ["cantering"] = "canter", ["trolls"] = "troll", ["colorizes"] = "colorize", ["self-destruct"] = "self-destruct", ["bench-testing"] = "bench-test", ["freezes"] = "freeze", ["accumulate"] = "accumulate", ["trafficking"] = "traffic", ["skirting"] = "skirt", ["wisecrack"] = "wisecrack", ["bantering"] = "banter", ["copyedited"] = "copyedit", ["breezes"] = "breeze", ["legislating"] = "legislate", ["obtain"] = "obtain", ["overruns"] = "overrun", ["jump-starts"] = "jump-start", ["sequenced"] = "sequence", ["inscribes"] = "inscribe", ["globalised"] = "globalise", ["siphon"] = "siphon", ["zooms"] = "zoom", ["zooming"] = "zoom", ["decelerating"] = "decelerate", ["turfs"] = "turf", ["zoom"] = "zoom", ["unsaddle"] = "unsaddle", ["downlinking"] = "downlink", ["zoned"] = "zone", ["zone"] = "zone", ["ticket"] = "ticket", ["ziptying"] = "ziptie", ["refereed"] = "referee", ["knifed"] = "knife", ["acculturating"] = "acculturate", ["extends"] = "extend", ["zipties"] = "ziptie", ["bicker"] = "bicker", ["decked"] = "deck", ["ziptied"] = "ziptie", ["impugns"] = "impugn", ["summing"] = "sum", ["await"] = "await", ["zips"] = "zip", ["zipped"] = "zip", ["courses"] = "course", ["flirting"] = "flirt", ["furnishing"] = "furnish", ["tromping"] = "tromp", ["offered"] = "offer", ["arches"] = "arch", ["favoring"] = "favor", ["disbelieving"] = "disbelieve", ["zip-tied"] = "zip-tie", ["zip-tie"] = "zip-tie", ["obsessed"] = "obsess", ["bumming"] = "bum", ["swarming"] = "swarm", ["pecked"] = "peck", ["combat"] = "combat", ["necked"] = "neck", ["interposed"] = "interpose", ["recounted"] = "recount", ["overdubs"] = "overdub", ["zinged"] = "zing", ["zigzags"] = "zigzag", ["surmised"] = "surmise", ["zigzagged"] = "zigzag", ["embroiders"] = "embroider", ["zigzag"] = "zigzag", ["zhooshes"] = "zhoosh", ["zhooshed"] = "zhoosh", ["zhoosh"] = "zhoosh", ["zeroing"] = "zero", ["juddering"] = "judder", ["zeroes"] = "zero", ["grins"] = "grin", ["zapped"] = "zap", ["zap"] = "zap", ["adsorbs"] = "adsorb", ["prevailing"] = "prevail", ["turning"] = "turn", ["yuppifying"] = "yuppify", ["chortling"] = "chortle", ["rebuffs"] = "rebuff", ["foils"] = "foil", ["steamrollering"] = "steamroller", ["colligating"] = "colligate", ["encourage"] = "encourage", ["dispensing"] = "dispense", ["shuffled"] = "shuffle", ["meet"] = "meet", ["typing"] = "type", ["accounting"] = "account", ["gurning"] = "gurn", ["yuppifies"] = "yuppify", ["yuppified"] = "yuppify", ["privileges"] = "privilege", ["yoyoing"] = "yoyo", ["rocket"] = "rocket", ["insulate"] = "insulate", ["communicates"] = "communicate", ["yoyoes"] = "yoyo", ["uplifted"] = "uplift", ["fat-fingered"] = "fat-finger", ["molesting"] = "molest", ["yoyo"] = "yoyo", ["yowls"] = "yowl", ["fart"] = "fart", ["privatizing"] = "privatize", ["dart"] = "dart", ["cart"] = "cart", ["pontificating"] = "pontificate", ["short-sheeted"] = "short-sheet", ["yowled"] = "yowl", ["plunging"] = "plunge", ["yowl"] = "yowl", ["evens"] = "even", ["yomped"] = "yomp", ["trucks"] = "truck", ["yomp"] = "yomp", ["legislates"] = "legislate", ["yoking"] = "yoke", ["decrees"] = "decree", ["yokes"] = "yoke", ["disclaim"] = "disclaim", ["lip-syncing"] = "lip-sync", ["dereferencing"] = "dereference", ["permitting"] = "permit", ["longing"] = "long", ["part"] = "part", ["squelching"] = "squelch", ["wormed"] = "worm", ["indorsed"] = "indorse", ["sneezes"] = "sneeze", ["circling"] = "circle", ["charmed"] = "charm", ["pot-roasts"] = "pot-roast", ["circulate"] = "circulate", ["yodels"] = "yodel", ["threshed"] = "thresh", ["normed"] = "norm", ["sites"] = "site", ["yodelled"] = "yodel", ["posture"] = "posture", ["yo-yoing"] = "yo-yo", ["shadowed"] = "shadow", ["yo-yoes"] = "yo-yo", ["enacting"] = "enact", ["lounging"] = "lounge", ["captivate"] = "captivate", ["tensed"] = "tense", ["yo-yo"] = "yo-yo", ["headlined"] = "headline", ["yielding"] = "yield", ["suture"] = "suture", ["yield"] = "yield", ["patronised"] = "patronise", ["yelps"] = "yelp", ["yelped"] = "yelp", ["strains"] = "strain", ["plait"] = "plait", ["yellowed"] = "yellow", ["outfoxing"] = "outfox", ["scalps"] = "scalp", ["yellowing"] = "yellow", ["seating"] = "seat", ["yelp"] = "yelp", ["prepay"] = "prepay", ["tyrannising"] = "tyrannise", ["yelling"] = "yell", ["focalised"] = "focalise", ["rewarded"] = "reward", ["backed"] = "back", ["intercedes"] = "intercede", ["intends"] = "intend", ["sells"] = "sell", ["yearns"] = "yearn", ["indexing"] = "index", ["fomented"] = "foment", ["moseyed"] = "mosey", ["yearning"] = "yearn", ["yearn"] = "yearn", ["packed"] = "pack", ["help"] = "help", ["ambles"] = "amble", ["littered"] = "litter", ["tacked"] = "tack", ["multitasking"] = "multitask", ["racked"] = "rack", ["creases"] = "crease", ["hacked"] = "hack", ["shuts"] = "shut", ["enforcing"] = "enforce", ["greases"] = "grease", ["lacked"] = "lack", ["yawns"] = "yawn", ["jacked"] = "jack", ["yawned"] = "yawn", ["yawn"] = "yawn", ["utilize"] = "utilize", ["missioned"] = "mission", ["yawed"] = "yaw", ["wars"] = "war", ["eddy"] = "eddy", ["triggered"] = "trigger", ["overburdened"] = "overburden", ["alarming"] = "alarm", ["glitches"] = "glitch", ["imagines"] = "imagine", ["fathoms"] = "fathom", ["outstayed"] = "outstay", ["telegraphs"] = "telegraph", ["conserves"] = "conserve", ["suffers"] = "suffer", ["yarn bombed"] = "yarn bomb", ["yarn bomb"] = "yarn bomb", ["yapped"] = "yap", ["yap"] = "yap", ["ornaments"] = "ornament", ["overstocked"] = "overstock", ["clarifies"] = "clarify", ["manoeuvring"] = "manoeuvre", ["disguises"] = "disguise", ["sterilise"] = "sterilise", ["excises"] = "excise", ["effaced"] = "efface", ["unlaced"] = "unlace", ["yanked"] = "yank", ["explicate"] = "explicate", ["valuing"] = "value", ["gamified"] = "gamify", ["swap"] = "swap", ["translates"] = "translate", ["galls"] = "gall", ["yammering"] = "yammer", ["feminise"] = "feminise", ["falls"] = "fall", ["calls"] = "call", ["campaigning"] = "campaign", ["knackers"] = "knacker", ["balls"] = "balls", ["complained"] = "complain", ["entwine"] = "entwine", ["recaptures"] = "recapture", ["interpose"] = "interpose", ["stalks"] = "stalk", ["crosschecking"] = "crosscheck", ["yammer"] = "yammer", ["feting"] = "fete", ["telegraphing"] = "telegraph", ["yakking"] = "yak", ["mechanised"] = "mechanise", ["airbrushes"] = "airbrush", ["fluctuates"] = "fluctuate", ["yacks"] = "yack", ["meting"] = "mete", ["slighted"] = "slight", ["intensified"] = "intensify", ["palls"] = "pall", ["sequesters"] = "sequester", ["yacked"] = "yack", ["yack"] = "yack", ["xrays"] = "xray", ["rented"] = "rent", ["alarmed"] = "alarm", ["anonymize"] = "anonymize", ["watered"] = "water", ["neighbour"] = "neighbour", ["overlooked"] = "overlook", ["fluctuating"] = "fluctuate", ["beeped"] = "beep", ["cosy"] = "cosy", ["crystallises"] = "crystallise", ["foregather"] = "foregather", ["abet"] = "abet", ["xray"] = "xray", ["xeroxing"] = "xerox", ["xeroxes"] = "xerox", ["beating"] = "beat", ["xerox"] = "xerox", ["x-rays"] = "x-ray", ["chomping"] = "chomp", ["x-raying"] = "x-ray", ["goldbrick"] = "goldbrick", ["x-rayed"] = "x-ray", ["wrung"] = "wring", ["wrote"] = "write", ["interesting"] = "interest", ["heating"] = "heat", ["rinsed"] = "rinse", ["spray-paints"] = "spray-paint", ["vented"] = "vent", ["wrongfoots"] = "wrongfoot", ["wrongfooting"] = "wrongfoot", ["sprawling"] = "sprawl", ["waggles"] = "waggle", ["tables"] = "table", ["nasalized"] = "nasalize", ["adulterate"] = "adulterate", ["wrongfooted"] = "wrongfoot", ["wrong-foots"] = "wrong-foot", ["wrong-footing"] = "wrong-foot", ["distrusts"] = "distrust", ["gumming"] = "gum", ["fettered"] = "fetter", ["carbonizes"] = "carbonize", ["shot"] = "shoot", ["wrong"] = "wrong", ["bettered"] = "better", ["dented"] = "dent", ["lettered"] = "letter", ["extraditing"] = "extradite", ["haggles"] = "haggle", ["caressing"] = "caress", ["parboil"] = "parboil", ["emphasize"] = "emphasize", ["arraigned"] = "arraign", ["writing"] = "write", ["cross-fertilising"] = "cross-fertilise", ["writhes"] = "writhe", ["foreshorten"] = "foreshorten", ["expiated"] = "expiate", ["writhe"] = "writhe", ["mistrusts"] = "mistrust", ["appeal"] = "appeal", ["democratised"] = "democratise", ["finessing"] = "finesse", ["writes"] = "write", ["enumerated"] = "enumerate", ["writeprotects"] = "writeprotect", ["write-protects"] = "write-protect", ["write-protecting"] = "write-protect", ["write-protect"] = "write-protect", ["write"] = "write", ["wrinkling"] = "wrinkle", ["removes"] = "remove", ["wrinkle"] = "wrinkle", ["wrings"] = "wring", ["wringing"] = "wring", ["wring"] = "wring", ["wriggling"] = "wriggle", ["wriggles"] = "wriggle", ["wriggle"] = "wriggle", ["preregistering"] = "preregister", ["wrests"] = "wrest", ["wrestling"] = "wrestle", ["wrestles"] = "wrestle", ["preoccupy"] = "preoccupy", ["wrestled"] = "wrestle", ["wrestle"] = "wrestle", ["apportion"] = "apportion", ["wresting"] = "wrest", ["umpires"] = "umpire", ["teleconference"] = "teleconference", ["wrest"] = "wrest", ["furloughs"] = "furlough", ["wrenching"] = "wrench", ["swaggering"] = "swagger", ["beetles"] = "beetle", ["wrenches"] = "wrench", ["negative"] = "negative", ["wrenched"] = "wrench", ["accustoming"] = "accustom", ["wrench"] = "wrench", ["beggaring"] = "beggar", ["flexing"] = "flex", ["intending"] = "intend", ["offers"] = "offer", ["wrecking"] = "wreck", ["chromakeys"] = "chromakey", ["wrecked"] = "wreck", ["wreck"] = "wreck", ["wreathing"] = "wreathe", ["haggled"] = "haggle", ["belaying"] = "belay", ["mainstream"] = "mainstream", ["expectorated"] = "expectorate", ["earmark"] = "earmark", ["wreathed"] = "wreathe", ["changing"] = "change", ["launching"] = "launch", ["muffling"] = "muffle", ["hobnobs"] = "hobnob", ["underachieve"] = "underachieve", ["kiting"] = "kite", ["impugned"] = "impugn", ["cauterizes"] = "cauterize", ["wreaks"] = "wreak", ["waggled"] = "waggle", ["repatriates"] = "repatriate", ["panted"] = "pant", ["dividing"] = "divide", ["siting"] = "site", ["persists"] = "persist", ["ruffling"] = "ruffle", ["relinquish"] = "relinquish", ["ranted"] = "rant", ["wreaking"] = "wreak", ["brooded"] = "brood", ["wreaked"] = "wreak", ["wraps"] = "wrap", ["wrapping"] = "wrap", ["wrapped"] = "wrap", ["recommending"] = "recommend", ["wrap"] = "wrap", ["wrangling"] = "wrangle", ["chillax"] = "chillax", ["naturalizes"] = "naturalize", ["wrangle"] = "wrangle", ["unmasking"] = "unmask", ["competes"] = "compete", ["exciting"] = "excite", ["confront"] = "confront", ["wowing"] = "wow", ["reproduces"] = "reproduce", ["reiterates"] = "reiterate", ["wow"] = "wow", ["wove"] = "weave", ["unionizes"] = "unionize", ["wounding"] = "wound", ["advocating"] = "advocate", ["wound"] = "wound", ["worsts"] = "worst", ["farmed"] = "farm", ["doublecheck"] = "doublecheck", ["moralized"] = "moralize", ["resettles"] = "resettle", ["analyzing"] = "analyze", ["worsting"] = "worst", ["worst"] = "worst", ["jostle"] = "jostle", ["worships"] = "worship", ["worshipped"] = "worship", ["harmed"] = "harm", ["vaporizes"] = "vaporize", ["worsening"] = "worsen", ["customises"] = "customise", ["boobing"] = "boob", ["worsened"] = "worsen", ["regulated"] = "regulate", ["worsen"] = "worsen", ["anchor"] = "anchor", ["lap"] = "lap", ["worrying"] = "worry", ["squashes"] = "squash", ["mars"] = "mar", ["splurges"] = "splurge", ["dawdles"] = "dawdle", ["trilling"] = "trill", ["worried"] = "worry", ["jars"] = "jar", ["cap"] = "cap", ["worn"] = "wear", ["reaps"] = "reap", ["wells"] = "well", ["tells"] = "tell", ["gloms"] = "glom", ["comparison-shop"] = "comparison-shop", ["works"] = "work", ["snagging"] = "snag", ["yells"] = "yell", ["foreshortened"] = "foreshorten", ["pap"] = "pap", ["leaps"] = "leap", ["nap"] = "nap", ["wore"] = "wear", ["tap"] = "tap", ["readjusting"] = "readjust", ["rap"] = "rap", ["fells"] = "fell", ["ministering"] = "minister", ["words"] = "word", ["wording"] = "word", ["jells"] = "jell", ["partner"] = "partner", ["heaps"] = "heap", ["suggesting"] = "suggest", ["word"] = "word", ["torments"] = "torment", ["wooing"] = "woo", ["overstep"] = "overstep", ["elongating"] = "elongate", ["preempting"] = "preempt", ["woofing"] = "woof", ["wet-nurses"] = "wet-nurse", ["riffles"] = "riffle", ["woof"] = "woof", ["gravitating"] = "gravitate", ["steered"] = "steer", ["steep"] = "steep", ["wonders"] = "wonder", ["normalize"] = "normalize", ["wondered"] = "wonder", ["fattening"] = "fatten", ["remainders"] = "remainder", ["mastered"] = "master", ["transposes"] = "transpose", ["wolfwhistle"] = "wolfwhistle", ["double-crossing"] = "double-cross", ["wolfs"] = "wolf", ["names"] = "name", ["wolfing"] = "wolf", ["convened"] = "convene", ["wolfed"] = "wolf", ["penetrating"] = "penetrate", ["ferrying"] = "ferry", ["wolf-whistling"] = "wolf-whistle", ["spilling"] = "spill", ["regularized"] = "regularize", ["wolf-whistles"] = "wolf-whistle", ["wolf-whistled"] = "wolf-whistle", ["disclosing"] = "disclose", ["horning"] = "horn", ["stamps"] = "stamp", ["evangelizing"] = "evangelize", ["formalize"] = "formalize", ["requiring"] = "require", ["wolf"] = "wolf", ["overcook"] = "overcook", ["guesting"] = "guest", ["legalize"] = "legalize", ["slagging"] = "slag", ["woken"] = "wake", ["memorises"] = "memorise", ["stratifying"] = "stratify", ["grilling"] = "grill", ["indoctrinating"] = "indoctrinate", ["moonlighted"] = "moonlight", ["drilling"] = "drill", ["queered"] = "queer", ["abjuring"] = "abjure", ["retaliates"] = "retaliate", ["memorialise"] = "memorialise", ["contends"] = "contend", ["number"] = "number", ["interpreted"] = "interpret", ["souped"] = "soup", ["upchucking"] = "upchuck", ["wobbles"] = "wobble", ["deodorize"] = "deodorize", ["liberated"] = "liberate", ["witters"] = "witter", ["wittered"] = "witter", ["envelop"] = "envelop", ["witter"] = "witter", ["witnessing"] = "witness", ["witnesses"] = "witness", ["neutralising"] = "neutralise", ["persevering"] = "persevere", ["witness"] = "witness", ["withstood"] = "withstand", ["withstand"] = "withstand", ["square"] = "square", ["withholding"] = "withhold", ["withhold"] = "withhold", ["withheld"] = "withhold", ["pattern"] = "pattern", ["withers"] = "wither", ["trespass"] = "trespass", ["evade"] = "evade", ["stumping"] = "stump", ["reformulate"] = "reformulate", ["maligning"] = "malign", ["occludes"] = "occlude", ["gestating"] = "gestate", ["twiddle"] = "twiddle", ["placed"] = "place", ["foreshadow"] = "foreshadow", ["withdraws"] = "withdraw", ["intended"] = "intend", ["choking"] = "choke", ["acculturates"] = "acculturate", ["institutionalised"] = "institutionalise", ["withdrawn"] = "withdraw", ["intimates"] = "intimate", ["withdrawing"] = "withdraw", ["subsides"] = "subside", ["wishes"] = "wish", ["rationalized"] = "rationalize", ["wish"] = "wish", ["undoes"] = "undo", ["spews"] = "spew", ["roughen"] = "roughen", ["wills"] = "will", ["wisecracks"] = "wisecrack", ["sowing"] = "sow", ["buttresses"] = "buttress", ["clustered"] = "cluster", ["tills"] = "till", ["disincentivised"] = "disincentivise", ["ameliorate"] = "ameliorate", ["wisecracked"] = "wisecrack", ["skew"] = "skew", ["wiring"] = "wire", ["wiretaps"] = "wiretap", ["mowing"] = "mow", ["lowing"] = "low", ["placating"] = "placate", ["mollifying"] = "mollify", ["buggering"] = "bugger", ["abated"] = "abate", ["wiretapping"] = "wiretap", ["fills"] = "fill", ["wiretapped"] = "wiretap", ["acquiring"] = "acquire", ["dragging"] = "drag", ["propagandise"] = "propagandise", ["bragging"] = "brag", ["pills"] = "pill", ["mills"] = "mill", ["wiretap"] = "wiretap", ["kills"] = "kill", ["rule"] = "rule", ["discoloring"] = "discolor", ["wires"] = "wire", ["wired"] = "wire", ["reengineers"] = "reengineer", ["telecasts"] = "telecast", ["hotfooted"] = "hotfoot", ["deplores"] = "deplore", ["diverting"] = "divert", ["pressganged"] = "pressgang", ["licenses"] = "license", ["producing"] = "produce", ["wiped"] = "wipe", ["disincentivizes"] = "disincentivize", ["wipe"] = "wipe", ["winters"] = "winter", ["parodying"] = "parody", ["sabotaging"] = "sabotage", ["wintering"] = "winter", ["wintered"] = "winter", ["winter"] = "winter", ["cowing"] = "cow", ["bowing"] = "bow", ["booby-trapped"] = "booby-trap", ["cloak"] = "cloak", ["stagnating"] = "stagnate", ["expostulate"] = "expostulate", ["affront"] = "affront", ["winnowing"] = "winnow", ["winnowed"] = "winnow", ["winning"] = "win", ["overstaying"] = "overstay", ["abating"] = "abate", ["pretesting"] = "pretest", ["mewing"] = "mew", ["winked"] = "wink", ["wink"] = "wink", ["snarl"] = "snarl", ["wining"] = "wine", ["hewing"] = "hew", ["underperform"] = "underperform", ["stickybeaked"] = "stickybeak", ["rasterised"] = "rasterise", ["winging"] = "wing", ["sewing"] = "sew", ["winges"] = "winge", ["wingeing"] = "winge", ["misfields"] = "misfield", ["winged"] = "winge", ["expects"] = "expect", ["winge"] = "winge", ["escorting"] = "escort", ["insinuates"] = "insinuate", ["screech"] = "screech", ["titivating"] = "titivate", ["wines"] = "wine", ["wined"] = "wine", ["wine"] = "wine", ["windsurfs"] = "windsurf", ["mulching"] = "mulch", ["tunes"] = "tune", ["whitewashing"] = "whitewash", ["certificates"] = "certificate", ["warrants"] = "warrant", ["windsurfed"] = "windsurf", ["windsurf"] = "windsurf", ["overtopped"] = "overtop", ["winds"] = "wind", ["wassails"] = "wassail", ["winding"] = "wind", ["dole"] = "dole", ["mentioning"] = "mention", ["winded"] = "wind", ["gyp"] = "gyp", ["pole"] = "pole", ["wind"] = "wind", ["trademarking"] = "trademark", ["war"] = "war", ["lambastes"] = "lambaste", ["transforming"] = "transform", ["winched"] = "winch", ["potty-train"] = "potty-train", ["flub"] = "flub", ["club"] = "club", ["co-opted"] = "co-opt", ["deceives"] = "deceive", ["blub"] = "blub", ["aerated"] = "aerate", ["berated"] = "berate", ["bequeathing"] = "bequeath", ["hog"] = "hog", ["dropkicked"] = "dropkick", ["discontinues"] = "discontinue", ["happen"] = "happen", ["winced"] = "wince", ["wince"] = "wince", ["wimps"] = "wimp", ["wimp"] = "wimp", ["aped"] = "ape", ["shooed"] = "shoo", ["wilted"] = "wilt", ["detonates"] = "detonate", ["mercerises"] = "mercerise", ["confiding"] = "confide", ["taunted"] = "taunt", ["wildcatted"] = "wildcat", ["wildcats"] = "wildcat", ["wildcat"] = "wildcat", ["declaring"] = "declare", ["compelled"] = "compel", ["frequented"] = "frequent", ["wiggles"] = "wiggle", ["outweigh"] = "outweigh", ["redid"] = "redo", ["rebounding"] = "rebound", ["jazzing"] = "jazz", ["metamorphosed"] = "metamorphose", ["extemporised"] = "extemporise", ["wiggled"] = "wiggle", ["implanted"] = "implant", ["backdates"] = "backdate", ["wigging"] = "wig", ["chillaxes"] = "chillax", ["razzing"] = "razz", ["misapplies"] = "misapply", ["wigged"] = "wig", ["wig"] = "wig", ["trump"] = "trump", ["wield"] = "wield", ["widows"] = "widow", ["served"] = "serve", ["encounters"] = "encounter", ["times"] = "times", ["test"] = "test", ["widowed"] = "widow", ["nerved"] = "nerve", ["scalloped"] = "scallop", ["turbocharged"] = "turbocharge", ["cycling"] = "cycle", ["stretchered"] = "stretcher", ["widens"] = "widen", ["backspacing"] = "backspace", ["widening"] = "widen", ["mismatching"] = "mismatch", ["thank"] = "thank", ["recurred"] = "recur", ["flamb�ed"] = "flambe", ["complement"] = "complement", ["encourages"] = "encourage", ["wicks"] = "wick", ["secularising"] = "secularise", ["claps"] = "clap", ["wicking"] = "wick", ["wicked"] = "wick", ["intermingled"] = "intermingle", ["outweighed"] = "outweigh", ["flaps"] = "flap", ["wick"] = "wick", ["whupping"] = "whup", ["klaps"] = "klap", ["whupped"] = "whup", ["vitrifies"] = "vitrify", ["reunited"] = "reunite", ["dubbed"] = "dub", ["hiccuping"] = "hiccup", ["whooshing"] = "whoosh", ["veneering"] = "veneer", ["stir-fry"] = "stir-fry", ["fidgeted"] = "fidget", ["chafes"] = "chafe", ["whooshed"] = "whoosh", ["baffles"] = "baffle", ["creolise"] = "creolise", ["revisit"] = "revisit", ["whoops"] = "whoop", ["intersected"] = "intersect", ["whooping"] = "whoop", ["vulcanizing"] = "vulcanize", ["nullifying"] = "nullify", ["lolls"] = "loll", ["whoop"] = "whoop", ["sole"] = "sole", ["ebaying"] = "ebay", ["blooped"] = "bloop", ["mapped"] = "map", ["invigorating"] = "invigorate", ["rehearing"] = "rehear", ["dolls"] = "doll", ["alphabetise"] = "alphabetise", ["whizz"] = "whizz", ["exorcises"] = "exorcise", ["whittling"] = "whittle", ["ferments"] = "ferment", ["stewed"] = "stew", ["instantmessaged"] = "instantmessage", ["sledded"] = "sled", ["whittled"] = "whittle", ["gambol"] = "gambol", ["resolves"] = "resolve", ["whiting"] = "white", ["grey"] = "grey", ["whitewashes"] = "whitewash", ["badmouthing"] = "badmouth", ["alleviating"] = "alleviate", ["countering"] = "counter", ["whitewashed"] = "whitewash", ["whitewash"] = "whitewash", ["prey"] = "prey", ["hammers"] = "hammer", ["whites"] = "white", ["extorting"] = "extort", ["engage"] = "engage", ["whitening"] = "whiten", ["whitened"] = "whiten", ["whiten"] = "whiten", ["whited"] = "white", ["scotched"] = "scotch", ["extending"] = "extend", ["white"] = "white", ["green-lights"] = "green-light", ["rootling"] = "rootle", ["whistled"] = "whistle", ["achieving"] = "achieve", ["summonsed"] = "summons", ["seems"] = "seem", ["legitimated"] = "legitimate", ["overtax"] = "overtax", ["anonymising"] = "anonymise", ["intersperse"] = "intersperse", ["discolouring"] = "discolour", ["conflicts"] = "conflict", ["muttered"] = "mutter", ["whisking"] = "whisk", ["whisked"] = "whisk", ["whirs"] = "whir", ["credited"] = "credit", ["whirring"] = "whirr", ["whirred"] = "whirr", ["soughed"] = "sough", ["uncork"] = "uncork", ["gossiping"] = "gossip", ["presetting"] = "preset", ["lames"] = "lame", ["whirled"] = "whirl", ["groped"] = "grope", ["games"] = "game", ["field-tests"] = "field-test", ["whirl"] = "whirl", ["drooped"] = "droop", ["guttered"] = "gutter", ["hightail"] = "hightail", ["whir"] = "whir", ["motivating"] = "motivate", ["doublecrossed"] = "doublecross", ["whipping"] = "whip", ["yammers"] = "yammer", ["digitises"] = "digitise", ["whip"] = "whip", ["decapitated"] = "decapitate", ["scold"] = "scold", ["tramples"] = "trample", ["disobeys"] = "disobey", ["sensitising"] = "sensitise", ["proclaim"] = "proclaim", ["implores"] = "implore", ["whinges"] = "whinge", ["bribes"] = "bribe", ["spindried"] = "spindry", ["perambulated"] = "perambulate", ["whinged"] = "whinge", ["looped"] = "loop", ["whinge"] = "whinge", ["role-plays"] = "role-play", ["overturning"] = "overturn", ["poleaxing"] = "poleaxe", ["whines"] = "whine", ["whined"] = "whine", ["cooped"] = "coop", ["overbooked"] = "overbook", ["whimpers"] = "whimper", ["whimpering"] = "whimper", ["re-route"] = "re-route", ["blowdrying"] = "blowdry", ["see-sawn"] = "see-saw", ["cross-posting"] = "cross-post", ["burglarises"] = "burglarise", ["organizing"] = "organize", ["whiling"] = "while", ["compliments"] = "compliment", ["crossexamined"] = "crossexamine", ["whiled"] = "while", ["while"] = "while", ["whiffs"] = "whiff", ["whiffing"] = "whiff", ["queering"] = "queer", ["receives"] = "receive", ["cultivate"] = "cultivate", ["whiffed"] = "whiff", ["lingered"] = "linger", ["deciphers"] = "decipher", ["neighbours"] = "neighbour", ["overdraws"] = "overdraw", ["entrapping"] = "entrap", ["elucidate"] = "elucidate", ["whetting"] = "whet", ["limber"] = "limber", ["whetted"] = "whet", ["hydrates"] = "hydrate", ["challaned"] = "challan", ["whets"] = "whet", ["redoes"] = "redo", ["auditions"] = "audition", ["whet"] = "whet", ["whelps"] = "whelp", ["whelp"] = "whelp", ["adjourned"] = "adjourn", ["wheezing"] = "wheeze", ["annexing"] = "annex", ["wheezes"] = "wheeze", ["flamb�s"] = "flambe", ["wheezed"] = "wheeze", ["poncing"] = "ponce", ["tinkering"] = "tinker", ["re-presenting"] = "re-present", ["wheels"] = "wheel", ["wheeling"] = "wheel", ["smooches"] = "smooch", ["redeveloped"] = "redevelop", ["ideating"] = "ideate", ["spaying"] = "spay", ["rage"] = "rage", ["telegraphed"] = "telegraph", ["concurs"] = "concur", ["wheedled"] = "wheedle", ["demagnetised"] = "demagnetise", ["avow"] = "avow", ["page"] = "page", ["glistering"] = "glister", ["remunerating"] = "remunerate", ["hypnotises"] = "hypnotise", ["whale"] = "whale", ["overvalued"] = "overvalue", ["whacks"] = "whack", ["whacking"] = "whack", ["forgather"] = "forgather", ["duel"] = "duel", ["blacklisted"] = "blacklist", ["fuel"] = "fuel", ["whack"] = "whack", ["wetted"] = "wet", ["wets"] = "wet", ["propelling"] = "propel", ["deflower"] = "deflower", ["wetnurses"] = "wetnurse", ["canter"] = "canter", ["hulls"] = "hull", ["deepfrying"] = "deepfry", ["hardcoding"] = "hardcode", ["secreted"] = "secrete", ["lulls"] = "lull", ["mulls"] = "mull", ["wetnurse"] = "wetnurse", ["misconstruing"] = "misconstrue", ["pulls"] = "pull", ["ratchets"] = "ratchet", ["wet-nursing"] = "wet-nurse", ["wet-nursed"] = "wet-nurse", ["understanding"] = "understand", ["adsorb"] = "adsorb", ["gloried"] = "glory", ["lobotomising"] = "lobotomise", ["wet-nurse"] = "wet-nurse", ["wet"] = "wet", ["mismatch"] = "mismatch", ["forgoing"] = "forgo", ["scavenged"] = "scavenge", ["canonising"] = "canonise", ["freaked"] = "freak", ["frank"] = "frank", ["crank"] = "crank", ["drank"] = "drink", ["liquefied"] = "liquefy", ["tokes"] = "toke", ["westernizing"] = "westernize", ["remembering"] = "remember", ["hosts"] = "host", ["choosing"] = "choose", ["hurrying"] = "hurry", ["drumming"] = "drum", ["conceding"] = "concede", ["westernized"] = "westernize", ["enchant"] = "enchant", ["moseying"] = "mosey", ["posts"] = "post", ["westernize"] = "westernize", ["fist-pump"] = "fist-pump", ["westernises"] = "westernise", ["westernised"] = "westernise", ["prohibits"] = "prohibit", ["page-jack"] = "page-jack", ["westernise"] = "westernise", ["mediated"] = "mediate", ["pepped"] = "pep", ["slides"] = "slide", ["wept"] = "weep", ["went"] = "wend", ["traumatized"] = "traumatize", ["handwrote"] = "handwrite", ["ransacks"] = "ransack", ["wends"] = "wend", ["disarm"] = "disarm", ["impel"] = "impel", ["enlisted"] = "enlist", ["operates"] = "operate", ["typifies"] = "typify", ["dulls"] = "dull", ["characterizes"] = "characterize", ["crash-lands"] = "crash-land", ["wend"] = "wend", ["specialize"] = "specialize", ["welshed"] = "welsh", ["attended"] = "attend", ["plasticising"] = "plasticise", ["toilettrain"] = "toilettrain", ["welsh"] = "welsh", ["detonate"] = "detonate", ["wellying"] = "welly", ["showering"] = "shower", ["confound"] = "confound", ["welly"] = "welly", ["absorb"] = "absorb", ["honoured"] = "honour", ["noticing"] = "notice", ["welling"] = "well", ["wellies"] = "welly", ["wellied"] = "welly", ["affording"] = "afford", ["welled"] = "well", ["backcombs"] = "backcomb", ["well"] = "well", ["redounded"] = "redound", ["welding"] = "weld", ["welded"] = "weld", ["cage"] = "cage", ["misnaming"] = "misname", ["desert"] = "desert", ["bolstering"] = "bolster", ["welcoming"] = "welcome", ["hallmark"] = "hallmark", ["deluges"] = "deluge", ["welcomed"] = "welcome", ["welcome"] = "welcome", ["fostered"] = "foster", ["scented"] = "scent", ["tootled"] = "tootle", ["bellyaches"] = "bellyache", ["jols"] = "jol", ["live-streams"] = "live-stream", ["pootled"] = "pootle", ["webcasting"] = "webcast", ["perseveres"] = "persevere", ["possesses"] = "possess", ["escalated"] = "escalate", ["craps"] = "crap", ["haunting"] = "haunt", ["weeds"] = "weed", ["fingerprinted"] = "fingerprint", ["whales"] = "whale", ["toyed"] = "toy", ["quail"] = "quail", ["perfects"] = "perfect", ["teeters"] = "teeter", ["reserves"] = "reserve", ["awakes"] = "awake", ["weirded"] = "weird", ["weird"] = "weird", ["lobotomise"] = "lobotomise", ["scalping"] = "scalp", ["retools"] = "retool", ["delegating"] = "delegate", ["rostered"] = "roster", ["elides"] = "elide", ["weights"] = "weight", ["parsing"] = "parse", ["weighting"] = "weight", ["uprooted"] = "uproot", ["crated"] = "crate", ["glides"] = "glide", ["weighted"] = "weight", ["weight"] = "weight", ["grated"] = "grate", ["requested"] = "request", ["refloating"] = "refloat", ["relegating"] = "relegate", ["weighed"] = "weigh", ["sneaked"] = "sneak", ["boogies"] = "boogie", ["weigh"] = "weigh", ["upcycle"] = "upcycle", ["generalised"] = "generalise", ["coarsened"] = "coarsen", ["remodelled"] = "remodel", ["weeweed"] = "weewee", ["weewee"] = "weewee", ["wees"] = "wee", ["mimes"] = "mime", ["weeps"] = "weep", ["fornicate"] = "fornicate", ["limes"] = "lime", ["weep"] = "weep", ["weekends"] = "weekend", ["flaying"] = "flay", ["drape"] = "drape", ["bestirring"] = "bestir", ["iterates"] = "iterate", ["dating"] = "date", ["eating"] = "eat", ["weekending"] = "weekend", ["gating"] = "gate", ["hurling"] = "hurl", ["handicapping"] = "handicap", ["weekended"] = "weekend", ["bloviated"] = "bloviate", ["irradiates"] = "irradiate", ["weekend"] = "weekend", ["deodorizes"] = "deodorize", ["air-dashes"] = "air-dash", ["purling"] = "purl", ["dispatched"] = "dispatch", ["welches"] = "welch", ["booby-trap"] = "booby-trap", ["befits"] = "befit", ["obliges"] = "oblige", ["interlacing"] = "interlace", ["wee-wee"] = "wee-wee", ["glimpsed"] = "glimpse", ["overdone"] = "overdo", ["wee"] = "wee", ["cozied"] = "cozy", ["outgrow"] = "outgrow", ["belching"] = "belch", ["wedged"] = "wedge", ["deepsixing"] = "deepsix", ["resupplied"] = "resupply", ["concreting"] = "concrete", ["wedge"] = "wedge", ["wedded"] = "wed", ["re-proven"] = "re-prove", ["webcasts"] = "webcast", ["welching"] = "welch", ["individualised"] = "individualise", ["webcasted"] = "webcast", ["exacerbated"] = "exacerbate", ["chuntering"] = "chunter", ["short-circuit"] = "short-circuit", ["ghettoised"] = "ghettoise", ["bury"] = "bury", ["hybridizes"] = "hybridize", ["swallow"] = "swallow", ["weaving"] = "weave", ["lurched"] = "lurch", ["corrects"] = "correct", ["sating"] = "sate", ["parties"] = "party", ["betray"] = "betray", ["weave"] = "weave", ["confining"] = "confine", ["weathers"] = "weather", ["tailored"] = "tailor", ["furling"] = "furl", ["weatherizing"] = "weatherize", ["blank"] = "blank", ["observes"] = "observe", ["patronizing"] = "patronize", ["anesthetizing"] = "anesthetize", ["flank"] = "flank", ["assent"] = "assent", ["drycleans"] = "dryclean", ["radio"] = "radio", ["weatherizes"] = "weatherize", ["short"] = "short", ["weatherize"] = "weatherize", ["vocalising"] = "vocalise", ["weatherised"] = "weatherise", ["italicized"] = "italicize", ["polluting"] = "pollute", ["bothering"] = "bother", ["weatherise"] = "weatherise", ["discourages"] = "discourage", ["forks"] = "fork", ["weathered"] = "weather", ["know"] = "know", ["rankles"] = "rankle", ["beseech"] = "beseech", ["weather"] = "weather", ["weasels"] = "weasel", ["weaselling"] = "weasel", ["recharge"] = "recharge", ["focalising"] = "focalise", ["shaken"] = "shake", ["dip"] = "dip", ["kip"] = "kip", ["kink"] = "kink", ["humidifying"] = "humidify", ["booby-trapping"] = "booby-trap", ["mothering"] = "mother", ["arranges"] = "arrange", ["blackball"] = "blackball", ["localising"] = "localise", ["sip"] = "sip", ["apprise"] = "apprise", ["wearying"] = "weary", ["pip"] = "pip", ["wears"] = "wear", ["pigeonholes"] = "pigeonhole", ["gargle"] = "gargle", ["screenprint"] = "screenprint", ["rupture"] = "rupture", ["zip"] = "zip", ["perturbed"] = "perturb", ["backtracking"] = "backtrack", ["wearies"] = "weary", ["encrypting"] = "encrypt", ["demilitarizes"] = "demilitarize", ["wear"] = "wear", ["weaponizing"] = "weaponize", ["reminding"] = "remind", ["trivializing"] = "trivialize", ["weaponizes"] = "weaponize", ["overwrote"] = "overwrite", ["splays"] = "splay", ["snow"] = "snow", ["weaponize"] = "weaponize", ["weaponising"] = "weaponise", ["instituting"] = "institute", ["shed"] = "shed", ["weaponise"] = "weaponise", ["speed-read"] = "speed-read", ["neighed"] = "neigh", ["complete"] = "complete", ["infuse"] = "infuse", ["weaning"] = "wean", ["nestle"] = "nestle", ["braying"] = "bray", ["weaned"] = "wean", ["weakens"] = "weaken", ["slashing"] = "slash", ["fraying"] = "fray", ["weaken"] = "weaken", ["scorn"] = "scorn", ["crayoned"] = "crayon", ["waylays"] = "waylay", ["waylaying"] = "waylay", ["waylay"] = "waylay", ["desecrating"] = "desecrate", ["livening"] = "liven", ["detailed"] = "detail", ["factorises"] = "factorise", ["bestride"] = "bestride", ["fencing"] = "fence", ["thinning"] = "thin", ["waxing"] = "wax", ["underexpose"] = "underexpose", ["irritated"] = "irritate", ["waxed"] = "wax", ["shovelling"] = "shovel", ["retailed"] = "retail", ["waving"] = "wave", ["blaspheming"] = "blaspheme", ["atoning"] = "atone", ["dictate"] = "dictate", ["waves"] = "wave", ["menace"] = "menace", ["directs"] = "direct", ["invalidate"] = "invalidate", ["anglicized"] = "anglicize", ["fornicates"] = "fornicate", ["chartered"] = "charter", ["waver"] = "waver", ["swank"] = "swank", ["brokering"] = "broker", ["servicing"] = "service", ["verbalise"] = "verbalise", ["waterskied"] = "waterski", ["facilitates"] = "facilitate", ["waterski"] = "waterski", ["waters"] = "water", ["waterproofs"] = "waterproof", ["expediting"] = "expedite", ["castrated"] = "castrate", ["waterproofing"] = "waterproof", ["extemporizing"] = "extemporize", ["begs"] = "beg", ["xraying"] = "xray", ["maximised"] = "maximise", ["water"] = "water", ["watching"] = "watch", ["tippexes"] = "tippex", ["watch"] = "watch", ["wastes"] = "waste", ["despises"] = "despise", ["praying"] = "pray", ["frightens"] = "frighten", ["fistbumped"] = "fistbump", ["waste"] = "waste", ["jaw"] = "jaw", ["wassailed"] = "wassail", ["hazarded"] = "hazard", ["proposition"] = "proposition", ["shortsheeted"] = "shortsheet", ["downshifting"] = "downshift", ["haw"] = "haw", ["bewilder"] = "bewilder", ["inflate"] = "inflate", ["grow"] = "grow", ["washing"] = "wash", ["caw"] = "caw", ["deafen"] = "deafen", ["crow"] = "crow", ["washes"] = "wash", ["recaps"] = "recap", ["was"] = "be", ["yaw"] = "yaw", ["mollycoddling"] = "mollycoddle", ["allocating"] = "allocate", ["warring"] = "war", ["warred"] = "war", ["gladdened"] = "gladden", ["windsurfing"] = "windsurf", ["extrapolates"] = "extrapolate", ["maddened"] = "madden", ["sprinkled"] = "sprinkle", ["saw"] = "see", ["expatiating"] = "expatiate", ["deferred"] = "defer", ["paw"] = "paw", ["steepens"] = "steepen", ["warranted"] = "warrant", ["oversleeps"] = "oversleep", ["enrapture"] = "enrapture", ["discomfits"] = "discomfit", ["fancy"] = "fancy", ["rewards"] = "reward", ["pep"] = "pep", ["warrant"] = "warrant", ["warps"] = "warp", ["warped"] = "warp", ["minuted"] = "minute", ["warp"] = "warp", ["warns"] = "warn", ["annul"] = "annul", ["expire"] = "expire", ["torched"] = "torch", ["sentimentalising"] = "sentimentalise", ["distresses"] = "distress", ["warned"] = "warn", ["overfeeding"] = "overfeed", ["parallel"] = "parallel", ["imagining"] = "imagine", ["disheartened"] = "dishearten", ["warms"] = "warm", ["warming"] = "warm", ["reemerge"] = "reemerge", ["parachutes"] = "parachute", ["jobhunts"] = "jobhunt", ["warmed"] = "warm", ["bleat"] = "bleat", ["warm"] = "warm", ["warding"] = "ward", ["prosecute"] = "prosecute", ["infects"] = "infect", ["dooms"] = "doom", ["flyposting"] = "flypost", ["mincing"] = "mince", ["blow"] = "blow", ["vilifies"] = "vilify", ["jokes"] = "joke", ["glow"] = "glow", ["loiters"] = "loiter", ["looms"] = "loom", ["warded"] = "ward", ["warbling"] = "warble", ["beta-tested"] = "beta-test", ["compartmentalised"] = "compartmentalise", ["bamboozled"] = "bamboozle", ["peel"] = "peel", ["sapped"] = "sap", ["rapped"] = "rap", ["warbles"] = "warble", ["papped"] = "pap", ["keel"] = "keel", ["napped"] = "nap", ["offering"] = "offer", ["lapped"] = "lap", ["trademarks"] = "trademark", ["goldbricking"] = "goldbrick", ["debilitates"] = "debilitate", ["prebooking"] = "prebook", ["double clicked"] = "double click", ["wincing"] = "wince", ["jeers"] = "jeer", ["catalyse"] = "catalyse", ["wanted"] = "want", ["want"] = "want", ["outdistanced"] = "outdistance", ["wanking"] = "wank", ["ostracise"] = "ostracise", ["deepfried"] = "deepfry", ["franchised"] = "franchise", ["wanked"] = "wank", ["waning"] = "wane", ["budgeted"] = "budget", ["admires"] = "admire", ["wangling"] = "wangle", ["wangles"] = "wangle", ["wanes"] = "wane", ["waned"] = "wane", ["bollocked"] = "bollock", ["mistreating"] = "mistreat", ["wanders"] = "wander", ["blanket"] = "blanket", ["panfried"] = "panfry", ["utilise"] = "utilise", ["emulsified"] = "emulsify", ["plow"] = "plow", ["wander"] = "wander", ["waltzing"] = "waltz", ["waltzes"] = "waltz", ["plague"] = "plague", ["decriminalises"] = "decriminalise", ["waltzed"] = "waltz", ["waltz"] = "waltz", ["walls"] = "wall", ["hearken"] = "hearken", ["pitied"] = "pity", ["wallpapers"] = "wallpaper", ["advised"] = "advise", ["excreted"] = "excrete", ["wallpapering"] = "wallpaper", ["tapering"] = "taper", ["involves"] = "involve", ["alphabetising"] = "alphabetise", ["wallpapered"] = "wallpaper", ["telephone"] = "telephone", ["resell"] = "resell", ["wallpaper"] = "wallpaper", ["wallowing"] = "wallow", ["wallow"] = "wallow", ["subjugated"] = "subjugate", ["fasts"] = "fast", ["walloping"] = "wallop", ["walloped"] = "wallop", ["walling"] = "wall", ["ulcerated"] = "ulcerate", ["excerpting"] = "excerpt", ["stage"] = "stage", ["capering"] = "caper", ["acclimatized"] = "acclimatize", ["walks"] = "walk", ["papering"] = "paper", ["beautified"] = "beautify", ["wakes"] = "wake", ["wakens"] = "waken", ["corrupt"] = "corrupt", ["grunting"] = "grunt", ["tosses"] = "toss", ["devised"] = "devise", ["wakened"] = "waken", ["waken"] = "waken", ["pot-roast"] = "pot-roast", ["maxed"] = "max", ["wakeboarding"] = "wakeboard", ["hooned"] = "hoon", ["wakeboarded"] = "wakeboard", ["glamorising"] = "glamorise", ["restarts"] = "restart", ["impinged"] = "impinge", ["barbecues"] = "barbecue", ["casts"] = "cast", ["waiving"] = "waive", ["flannelled"] = "flannel", ["detach"] = "detach", ["waive"] = "waive", ["sideswipes"] = "sideswipe", ["glamorizing"] = "glamorize", ["cursing"] = "curse", ["moralising"] = "moralise", ["depict"] = "depict", ["waits"] = "wait", ["waitlists"] = "waitlist", ["pursing"] = "purse", ["scarified"] = "scarify", ["progress"] = "progress", ["mooned"] = "moon", ["bespatters"] = "bespatter", ["waited"] = "wait", ["nursing"] = "nurse", ["wait-lists"] = "wait-list", ["airlifting"] = "airlift", ["grub"] = "grub", ["prevaricating"] = "prevaricate", ["throbbing"] = "throb", ["subsists"] = "subsist", ["sodomize"] = "sodomize", ["counting"] = "count", ["hearten"] = "hearten", ["wail"] = "wail", ["dam"] = "dam", ["waggle"] = "waggle", ["noshed"] = "nosh", ["overproducing"] = "overproduce", ["disconnect"] = "disconnect", ["amplifies"] = "amplify", ["wages"] = "wage", ["pussyfooted"] = "pussyfoot", ["wagers"] = "wager", ["wagering"] = "wager", ["oversold"] = "oversell", ["chargrill"] = "chargrill", ["outdistancing"] = "outdistance", ["instant-messaged"] = "instant-message", ["waged"] = "wage", ["wage"] = "wage", ["kneaded"] = "knead", ["dislocating"] = "dislocate", ["skindered"] = "skinder", ["wafts"] = "waft", ["filches"] = "filch", ["satirising"] = "satirise", ["wafted"] = "waft", ["vacillating"] = "vacillate", ["waft"] = "waft", ["waffles"] = "waffle", ["waffled"] = "waffle", ["replacing"] = "replace", ["infilling"] = "infill", ["blunting"] = "blunt", ["wads"] = "wad", ["repeal"] = "repeal", ["bail"] = "bail", ["wades"] = "wade", ["waded"] = "wade", ["wade"] = "wade", ["storm"] = "storm", ["sashaying"] = "sashay", ["waddled"] = "waddle", ["articulate"] = "articulate", ["waddle"] = "waddle", ["wadded"] = "wad", ["belch"] = "belch", ["jackknifing"] = "jackknife", ["counterfeiting"] = "counterfeit", ["treat"] = "treat", ["vulgarizes"] = "vulgarize", ["mounting"] = "mount", ["boycotting"] = "boycott", ["summers"] = "summer", ["scales"] = "scale", ["vulgarized"] = "vulgarize", ["vulgarize"] = "vulgarize", ["anchored"] = "anchor", ["vulgarised"] = "vulgarise", ["shipwreck"] = "shipwreck", ["cooled"] = "cool", ["ironed"] = "iron", ["ousts"] = "oust", ["revenge"] = "revenge", ["hot dogging"] = "hot dog", ["fooled"] = "fool", ["hurdled"] = "hurdle", ["lusts"] = "lust", ["prising"] = "prise", ["transcribe"] = "transcribe", ["gusts"] = "gust", ["curdled"] = "curdle", ["cancels"] = "cancel", ["nominalised"] = "nominalise", ["billeting"] = "billet", ["pooled"] = "pool", ["dermabrades"] = "dermabrade", ["peels"] = "peel", ["whooped"] = "whoop", ["arising"] = "arise", ["keels"] = "keel", ["vulcanizes"] = "vulcanize", ["vulcanized"] = "vulcanize", ["hunger"] = "hunger", ["freewheeled"] = "freewheel", ["vulcanising"] = "vulcanise", ["filleting"] = "fillet", ["computerizes"] = "computerize", ["strand"] = "strand", ["vulcanises"] = "vulcanise", ["vulcanise"] = "vulcanise", ["voyaging"] = "voyage", ["overcompensate"] = "overcompensate", ["cooking"] = "cook", ["reads"] = "read", ["voyaged"] = "voyage", ["voyage"] = "voyage", ["berths"] = "berth", ["hooking"] = "hook", ["channelled"] = "channel", ["chickening"] = "chicken", ["vowing"] = "vow", ["looking"] = "look", ["vowed"] = "vow", ["fistpumping"] = "fistpump", ["piggybacked"] = "piggyback", ["hams"] = "ham", ["gurgle"] = "gurgle", ["jams"] = "jam", ["busts"] = "bust", ["lams"] = "lam", ["vow"] = "vow", ["vouchsafing"] = "vouchsafe", ["vouchsafes"] = "vouchsafe", ["rejuvenating"] = "rejuvenate", ["vouchsafe"] = "vouchsafe", ["rams"] = "ram", ["pondered"] = "ponder", ["detects"] = "detect", ["feel"] = "feel", ["vouched"] = "vouch", ["vouch"] = "vouch", ["foregrounding"] = "foreground", ["holding"] = "hold", ["voting"] = "vote", ["votes"] = "vote", ["regulating"] = "regulate", ["solicited"] = "solicit", ["voted"] = "vote", ["folding"] = "fold", ["vote"] = "vote", ["vomits"] = "vomit", ["mulches"] = "mulch", ["effects"] = "effect", ["burgle"] = "burgle", ["vomiting"] = "vomit", ["molding"] = "mold", ["fastforwarding"] = "fastforward", ["fund"] = "fund", ["vomited"] = "vomit", ["amounting"] = "amount", ["deteriorate"] = "deteriorate", ["idealizes"] = "idealize", ["defers"] = "defer", ["volunteering"] = "volunteer", ["volunteer"] = "volunteer", ["volumizing"] = "volumize", ["underlies"] = "underlie", ["volumized"] = "volumize", ["refers"] = "refer", ["straggling"] = "straggle", ["infantilizing"] = "infantilize", ["volumises"] = "volumise", ["volumised"] = "volumise", ["reasoning"] = "reason", ["seasoning"] = "season", ["pooh-poohing"] = "pooh-pooh", ["internationalizes"] = "internationalize", ["volleys"] = "volley", ["volleyed"] = "volley", ["voids"] = "void", ["guaranteeing"] = "guarantee", ["voiding"] = "void", ["entwining"] = "entwine", ["voided"] = "void", ["heels"] = "heel", ["void"] = "void", ["feels"] = "feel", ["sanctify"] = "sanctify", ["downchanges"] = "downchange", ["fumes"] = "fume", ["arguing"] = "argue", ["angering"] = "anger", ["discouraging"] = "discourage", ["voicing"] = "voice", ["voiced"] = "voice", ["simmers"] = "simmer", ["feminizing"] = "feminize", ["voice"] = "voice", ["vociferating"] = "vociferate", ["breakfast"] = "breakfast", ["vociferate"] = "vociferate", ["vocalizing"] = "vocalize", ["renounced"] = "renounce", ["annexes"] = "annex", ["vocalize"] = "vocalize", ["chops"] = "chop", ["becoming"] = "become", ["irons"] = "iron", ["vocalises"] = "vocalise", ["moisturized"] = "moisturize", ["fly-kicks"] = "fly-kick", ["cripples"] = "cripple", ["vocalised"] = "vocalise", ["reskills"] = "reskill", ["sloughs"] = "slough", ["vocalise"] = "vocalise", ["earning"] = "earn", ["darning"] = "darn", ["grade"] = "grade", ["stippled"] = "stipple", ["consign"] = "consign", ["lists"] = "list", ["mists"] = "mist", ["vitrifying"] = "vitrify", ["rhymed"] = "rhyme", ["whops"] = "whop", ["actuate"] = "actuate", ["rubbernecking"] = "rubberneck", ["vitiates"] = "vitiate", ["cross-fertilize"] = "cross-fertilize", ["vitiated"] = "vitiate", ["vitiate"] = "vitiate", ["visualizes"] = "visualize", ["visualize"] = "visualize", ["visualising"] = "visualise", ["quarterback"] = "quarterback", ["visualises"] = "visualise", ["visualised"] = "visualise", ["defer"] = "defer", ["visiting"] = "visit", ["double-clicking"] = "double-click", ["lacerated"] = "lacerate", ["macerated"] = "macerate", ["decoying"] = "decoy", ["overlaps"] = "overlap", ["violating"] = "violate", ["violates"] = "violate", ["backbitten"] = "backbite", ["caramelized"] = "caramelize", ["masculinizing"] = "masculinize", ["explores"] = "explore", ["cheapen"] = "cheapen", ["violate"] = "violate", ["mooching"] = "mooch", ["vindicating"] = "vindicate", ["vindicated"] = "vindicate", ["covet"] = "covet", ["vindicate"] = "vindicate", ["celebrate"] = "celebrate", ["vilifying"] = "vilify", ["vilify"] = "vilify", ["vanquished"] = "vanquish", ["vilified"] = "vilify", ["sunsetted"] = "sunset", ["soft-soaped"] = "soft-soap", ["views"] = "view", ["cautioning"] = "caution", ["deskills"] = "deskill", ["hems"] = "hem", ["viewing"] = "view", ["dispossessing"] = "dispossess", ["intertwines"] = "intertwine", ["second-guess"] = "second-guess", ["thriven"] = "thrive", ["envisage"] = "envisage", ["vied"] = "vie", ["videotaped"] = "videotape", ["unhooks"] = "unhook", ["videoing"] = "video", ["rifles"] = "rifle", ["victuals"] = "victual", ["fossick"] = "fossick", ["victualling"] = "victual", ["victualled"] = "victual", ["ogles"] = "ogle", ["hanker"] = "hanker", ["victual"] = "victual", ["flyposts"] = "flypost", ["victimizes"] = "victimize", ["phoned"] = "phone", ["harbour"] = "harbour", ["victimized"] = "victimize", ["victimising"] = "victimise", ["victimises"] = "victimise", ["victimised"] = "victimise", ["benchmarks"] = "benchmark", ["victimise"] = "victimise", ["toilet-trains"] = "toilet-train", ["vibrated"] = "vibrate", ["lance"] = "lance", ["vext"] = "vex", ["pulverises"] = "pulverise", ["scent"] = "scent", ["mushroomed"] = "mushroom", ["rebuilding"] = "rebuild", ["explored"] = "explore", ["hesitating"] = "hesitate", ["vets"] = "vet", ["machine-gun"] = "machine-gun", ["create"] = "create", ["vetoed"] = "veto", ["veto"] = "veto", ["reefs"] = "reef", ["vet"] = "vet", ["executing"] = "execute", ["vests"] = "vest", ["diagrams"] = "diagram", ["vested"] = "vest", ["decriminalised"] = "decriminalise", ["misremembered"] = "misremember", ["versify"] = "versify", ["entwines"] = "entwine", ["overproduce"] = "overproduce", ["alienates"] = "alienate", ["voyages"] = "voyage", ["trousers"] = "trouser", ["warning"] = "warn", ["trade"] = "trade", ["deputing"] = "depute", ["overate"] = "overeat", ["coasting"] = "coast", ["hindered"] = "hinder", ["knees"] = "knee", ["flops"] = "flop", ["melding"] = "meld", ["recall"] = "recall", ["clops"] = "clop", ["overvaluing"] = "overvalue", ["dramatizing"] = "dramatize", ["pales"] = "pale", ["hypothesise"] = "hypothesise", ["muddy"] = "muddy", ["verges"] = "verge", ["sense"] = "sense", ["suctions"] = "suction", ["verge"] = "verge", ["verbalizing"] = "verbalize", ["digs"] = "dig", ["gelding"] = "geld", ["propelled"] = "propel", ["verbalize"] = "verbalize", ["obliterates"] = "obliterate", ["slops"] = "slop", ["engraving"] = "engrave", ["stupefied"] = "stupefy", ["plops"] = "plop", ["sentimentalize"] = "sentimentalize", ["blasting"] = "blast", ["unburden"] = "unburden", ["verbalising"] = "verbalise", ["beefs"] = "beef", ["decimalise"] = "decimalise", ["drove"] = "drive", ["ventured"] = "venture", ["buddy"] = "buddy", ["hypnotising"] = "hypnotise", ["kinghitting"] = "kinghit", ["truss"] = "truss", ["grinning"] = "grin", ["venture"] = "venture", ["hoons"] = "hoon", ["dims"] = "dim", ["deep-sixed"] = "deep-six", ["anglicizing"] = "anglicize", ["hyphenate"] = "hyphenate", ["outgunning"] = "outgun", ["strolling"] = "stroll", ["siphoning"] = "siphon", ["ventilated"] = "ventilate", ["aggravates"] = "aggravate", ["ventilate"] = "ventilate", ["bales"] = "bale", ["vent"] = "vent", ["scandalized"] = "scandalize", ["venerated"] = "venerate", ["rims"] = "rim", ["teleoperates"] = "teleoperate", ["disservicing"] = "disservice", ["unveil"] = "unveil", ["chairs"] = "chair", ["bankrupts"] = "bankrupt", ["rappel"] = "rappel", ["whooshes"] = "whoosh", ["transfuse"] = "transfuse", ["stickybeaking"] = "stickybeak", ["moons"] = "moon", ["spellchecks"] = "spellcheck", ["shampooing"] = "shampoo", ["vends"] = "vend", ["vending"] = "vend", ["vended"] = "vend", ["emanates"] = "emanate", ["subverting"] = "subvert", ["veils"] = "veil", ["reexamines"] = "reexamine", ["veiling"] = "veil", ["digitalised"] = "digitalise", ["atoned"] = "atone", ["quibbling"] = "quibble", ["moldered"] = "molder", ["veiled"] = "veil", ["veil"] = "veil", ["experience"] = "experience", ["emotes"] = "emote", ["extended"] = "extend", ["soldered"] = "solder", ["vegetating"] = "vegetate", ["vegetates"] = "vegetate", ["collapsing"] = "collapse", ["conducting"] = "conduct", ["puckering"] = "pucker", ["vegetate"] = "vegetate", ["anneals"] = "anneal", ["beguiling"] = "beguile", ["wounds"] = "wound", ["pre-installs"] = "pre-install", ["neatening"] = "neaten", ["rehouses"] = "rehouse", ["disrupting"] = "disrupt", ["dramatising"] = "dramatise", ["ill-treated"] = "ill-treat", ["pounds"] = "pound", ["blubbers"] = "blubber", ["veered"] = "veer", ["veer"] = "veer", ["vaults"] = "vault", ["vaulting"] = "vault", ["messengers"] = "messenger", ["randomise"] = "randomise", ["hounds"] = "hound", ["beat"] = "beat", ["colonising"] = "colonise", ["rendered"] = "render", ["blubbering"] = "blubber", ["tendered"] = "tender", ["vary"] = "vary", ["first-foot"] = "first-foot", ["varnishing"] = "varnish", ["varnishes"] = "varnish", ["mobilizes"] = "mobilize", ["varies"] = "vary", ["varied"] = "vary", ["entombing"] = "entomb", ["scowls"] = "scowl", ["metabolize"] = "metabolize", ["vaporized"] = "vaporize", ["leak"] = "leak", ["vaporises"] = "vaporise", ["vaporised"] = "vaporise", ["floundered"] = "flounder", ["peak"] = "peak", ["vaporise"] = "vaporise", ["formalizing"] = "formalize", ["ram-aids"] = "ram-aid", ["taser"] = "taser", ["chipped"] = "chip", ["scripting"] = "script", ["role-played"] = "role-play", ["peek"] = "peek", ["gilding"] = "gild", ["excommunicates"] = "excommunicate", ["kenned"] = "ken", ["stooped"] = "stoop", ["automated"] = "automate", ["penned"] = "pen", ["vaping"] = "vape", ["aggravating"] = "aggravate", ["implant"] = "implant", ["vapes"] = "vape", ["confuses"] = "confuse", ["oozed"] = "ooze", ["sensitise"] = "sensitise", ["deconstruct"] = "deconstruct", ["partners"] = "partner", ["vanquishes"] = "vanquish", ["vanquish"] = "vanquish", ["normalizing"] = "normalize", ["economised"] = "economise", ["graduates"] = "graduate", ["vanishes"] = "vanish", ["vanished"] = "vanish", ["smash"] = "smash", ["strip-search"] = "strip-search", ["randomising"] = "randomise", ["idles"] = "idle", ["outlawed"] = "outlaw", ["reconstruct"] = "reconstruct", ["vandalizing"] = "vandalize", ["subjecting"] = "subject", ["clinking"] = "clink", ["vandalize"] = "vandalize", ["misfielded"] = "misfield", ["divvying"] = "divvy", ["crash"] = "crash", ["vandalises"] = "vandalise", ["downchanging"] = "downchange", ["vandalised"] = "vandalise", ["coexists"] = "coexist", ["vandalise"] = "vandalise", ["vamoosing"] = "vamoose", ["vamooses"] = "vamoose", ["punctures"] = "puncture", ["sprout"] = "sprout", ["shipped"] = "ship", ["vamoose"] = "vamoose", ["discomforted"] = "discomfort", ["obsess"] = "obsess", ["whipped"] = "whip", ["values"] = "value", ["value"] = "value", ["trash"] = "trash", ["stultify"] = "stultify", ["validating"] = "validate", ["merchandising"] = "merchandise", ["enthrals"] = "enthral", ["ejaculated"] = "ejaculate", ["valeting"] = "valet", ["valeted"] = "valet", ["valet"] = "valet", ["vacuums"] = "vacuum", ["gaoled"] = "gaol", ["vacillates"] = "vacillate", ["vacillated"] = "vacillate", ["railroad"] = "railroad", ["overcompensated"] = "overcompensate", ["props"] = "prop", ["tinged"] = "tinge", ["vaccinates"] = "vaccinate", ["militarized"] = "militarize", ["vaccinated"] = "vaccinate", ["suffering"] = "suffer", ["backdating"] = "backdate", ["lobotomises"] = "lobotomise", ["vaccinate"] = "vaccinate", ["vacations"] = "vacation", ["constricted"] = "constrict", ["showboated"] = "showboat", ["drops"] = "drop", ["crops"] = "crop", ["vacating"] = "vacate", ["importunes"] = "importune", ["dribbling"] = "dribble", ["lactate"] = "lactate", ["intellectualizing"] = "intellectualize", ["vacated"] = "vacate", ["buffering"] = "buffer", ["scoped"] = "scope", ["gassing"] = "gas", ["unlooses"] = "unloose", ["engaging"] = "engage", ["utters"] = "utter", ["uttered"] = "utter", ["utilized"] = "utilize", ["massing"] = "mass", ["legitimize"] = "legitimize", ["pandered"] = "pander", ["piggybacking"] = "piggyback", ["sawing"] = "saw", ["decentralises"] = "decentralise", ["yawing"] = "yaw", ["utilising"] = "utilise", ["utilises"] = "utilise", ["wandered"] = "wander", ["homesteads"] = "homestead", ["usurping"] = "usurp", ["usurped"] = "usurp", ["jawing"] = "jaw", ["imputing"] = "impute", ["pawing"] = "paw", ["usurp"] = "usurp", ["touch-typed"] = "touch-type", ["bandaging"] = "bandage", ["inks"] = "ink", ["cawing"] = "caw", ["passing"] = "pass", ["sassing"] = "sass", ["hawing"] = "haw", ["ushers"] = "usher", ["surcharge"] = "surcharge", ["idealises"] = "idealise", ["foresee"] = "foresee", ["ushered"] = "usher", ["reformulates"] = "reformulate", ["tanned"] = "tan", ["stops"] = "stop", ["decimalising"] = "decimalise", ["roam"] = "roam", ["panned"] = "pan", ["usher"] = "usher", ["haemorrhaged"] = "haemorrhage", ["manned"] = "man", ["ensconce"] = "ensconce", ["tests"] = "test", ["riles"] = "rile", ["rests"] = "rest", ["crunch"] = "crunch", ["marinate"] = "marinate", ["fanned"] = "fan", ["nests"] = "nest", ["urinating"] = "urinate", ["canned"] = "can", ["banned"] = "ban", ["jests"] = "jest", ["scouting"] = "scout", ["urinated"] = "urinate", ["drop-kicks"] = "drop-kick", ["nasalize"] = "nasalize", ["overburdening"] = "overburden", ["urging"] = "urge", ["moonwalks"] = "moonwalk", ["bests"] = "best", ["bleeding"] = "bleed", ["urged"] = "urge", ["urge"] = "urge", ["misbehaved"] = "misbehave", ["upswung"] = "upswing", ["bolsters"] = "bolster", ["benchtests"] = "benchtest", ["represent"] = "represent", ["freeloads"] = "freeload", ["entrenching"] = "entrench", ["upswings"] = "upswing", ["upswinging"] = "upswing", ["upswetp"] = "upswing", ["upstaging"] = "upstage", ["upstages"] = "upstage", ["bickers"] = "bicker", ["polymerizes"] = "polymerize", ["feasting"] = "feast", ["lynches"] = "lynch", ["upsold"] = "upsell", ["sidles"] = "sidle", ["overplay"] = "overplay", ["upskilling"] = "upskill", ["inconvenience"] = "inconvenience", ["inspects"] = "inspect", ["scored"] = "score", ["files"] = "file", ["idle"] = "idle", ["horses"] = "horse", ["daub"] = "daub", ["televising"] = "televise", ["deplored"] = "deplore", ["intermingles"] = "intermingle", ["amaze"] = "amaze", ["hop"] = "hop", ["eyeing"] = "eye", ["bop"] = "bop", ["sugared"] = "sugar", ["dop"] = "dop", ["cop"] = "cop", ["upsizes"] = "upsize", ["layer"] = "layer", ["blasphemed"] = "blaspheme", ["pleases"] = "please", ["rile"] = "rile", ["upsises"] = "upsise", ["anesthetizes"] = "anesthetize", ["upsised"] = "upsise", ["upsise"] = "upsise", ["symbolise"] = "symbolise", ["deep-sixes"] = "deep-six", ["upshifts"] = "upshift", ["upshifted"] = "upshift", ["bemusing"] = "bemuse", ["upsets"] = "upset", ["upset"] = "upset", ["hydrate"] = "hydrate", ["upselling"] = "upsell", ["overtaking"] = "overtake", ["deep-sixing"] = "deep-six", ["mesmerizes"] = "mesmerize", ["demagnetizes"] = "demagnetize", ["summarizes"] = "summarize", ["scramming"] = "scram", ["radiated"] = "radiate", ["blaze"] = "blaze", ["fessing"] = "fess", ["upscaling"] = "upscale", ["injuring"] = "injure", ["decolonized"] = "decolonize", ["expectorate"] = "expectorate", ["cauterize"] = "cauterize", ["upscale"] = "upscale", ["uproots"] = "uproot", ["pairing"] = "pair", ["messing"] = "mess", ["uprooting"] = "uproot", ["swooped"] = "swoop", ["uproot"] = "uproot", ["gypped"] = "gyp", ["filtering"] = "filter", ["fuels"] = "fuel", ["reconditions"] = "recondition", ["offloaded"] = "offload", ["picturize"] = "picturize", ["traducing"] = "traduce", ["scrimped"] = "scrimp", ["anesthetised"] = "anesthetise", ["upped"] = "up", ["mop"] = "mop", ["pop"] = "pop", ["uploads"] = "upload", ["cram"] = "cram", ["uploading"] = "upload", ["lop"] = "lop", ["microchip"] = "microchip", ["autosaved"] = "autosave", ["uploaded"] = "upload", ["shuttered"] = "shutter", ["founder"] = "founder", ["pressures"] = "pressure", ["uplift"] = "uplift", ["satisfied"] = "satisfy", ["upholsters"] = "upholster", ["upholstering"] = "upholster", ["caddy"] = "caddy", ["assert"] = "assert", ["outfacing"] = "outface", ["reconciled"] = "reconcile", ["retraining"] = "retrain", ["legitimates"] = "legitimate", ["leash"] = "leash", ["upholster"] = "upholster", ["mistake"] = "mistake", ["denitrified"] = "denitrify", ["upholds"] = "uphold", ["asks"] = "ask", ["upholding"] = "uphold", ["schematized"] = "schematize", ["upgrades"] = "upgrade", ["monopolizes"] = "monopolize", ["punt"] = "punt", ["beards"] = "beard", ["upending"] = "upend", ["constitute"] = "constitute", ["updating"] = "update", ["updates"] = "update", ["updated"] = "update", ["titrated"] = "titrate", ["paralleling"] = "parallel", ["pique"] = "pique", ["exculpate"] = "exculpate", ["spiralled"] = "spiral", ["seising"] = "seise", ["accruing"] = "accrue", ["backlight"] = "backlight", ["raving"] = "rave", ["trammelling"] = "trammel", ["preheating"] = "preheat", ["uncoiled"] = "uncoil", ["upchucks"] = "upchuck", ["contrasts"] = "contrast", ["spam"] = "spam", ["deplane"] = "deplane", ["upchucked"] = "upchuck", ["upchuck"] = "upchuck", ["bemuse"] = "bemuse", ["oscillating"] = "oscillate", ["propitiate"] = "propitiate", ["numbing"] = "numb", ["upchanging"] = "upchange", ["intoxicate"] = "intoxicate", ["upchanges"] = "upchange", ["improvising"] = "improvise", ["stage-managed"] = "stage-manage", ["detraining"] = "detrain", ["upchanged"] = "upchange", ["upchange"] = "upchange", ["arrests"] = "arrest", ["disrobe"] = "disrobe", ["flossing"] = "floss", ["siphons"] = "siphon", ["photosynthesised"] = "photosynthesise", ["dripped"] = "drip", ["gripped"] = "grip", ["upbraiding"] = "upbraid", ["stripsearches"] = "stripsearch", ["upbraid"] = "upbraid", ["upanchors"] = "upanchor", ["recompenses"] = "recompense", ["upanchored"] = "upanchor", ["paraphrases"] = "paraphrase", ["suppurating"] = "suppurate", ["decriminalise"] = "decriminalise", ["up-anchors"] = "up-anchor", ["glossing"] = "gloss", ["homeschooling"] = "homeschool", ["brown-nose"] = "brown-nose", ["up-anchored"] = "up-anchor", ["uncoils"] = "uncoil", ["insert"] = "insert", ["brand"] = "brand", ["inventoried"] = "inventory", ["miscarry"] = "miscarry", ["up-anchor"] = "up-anchor", ["up"] = "up", ["suck"] = "suck", ["unzipping"] = "unzip", ["decant"] = "decant", ["trialling"] = "trial", ["unzip"] = "unzip", ["unwraps"] = "unwrap", ["rebooting"] = "reboot", ["unbuttons"] = "unbutton", ["implement"] = "implement", ["unwinds"] = "unwind", ["incenses"] = "incense", ["dissing"] = "diss", ["roaring"] = "roar", ["unwind"] = "unwind", ["demisted"] = "demist", ["hissing"] = "hiss", ["kissing"] = "kiss", ["privatize"] = "privatize", ["missing"] = "miss", ["schedules"] = "schedule", ["unveils"] = "unveil", ["adored"] = "adore", ["unveiling"] = "unveil", ["pissing"] = "piss", ["codes"] = "code", ["tripped"] = "trip", ["untying"] = "untie", ["pressganging"] = "pressgang", ["bespoke"] = "bespeak", ["imputes"] = "impute", ["unties"] = "untie", ["untied"] = "untie", ["eloped"] = "elope", ["untie"] = "untie", ["export"] = "export", ["cajoled"] = "cajole", ["browbeaten"] = "browbeat", ["blemish"] = "blemish", ["grossing"] = "gross", ["namecheck"] = "namecheck", ["hones"] = "hone", ["untangled"] = "untangle", ["bones"] = "bone", ["clipped"] = "clip", ["extrapolating"] = "extrapolate", ["cones"] = "cone", ["untangle"] = "untangle", ["unsubscribing"] = "unsubscribe", ["unsubscribes"] = "unsubscribe", ["blagging"] = "blag", ["crossing"] = "cross", ["unsubscribed"] = "unsubscribe", ["unsubscribe"] = "unsubscribe", ["browbeats"] = "browbeat", ["beaver"] = "beaver", ["permed"] = "perm", ["disfranchising"] = "disfranchise", ["concusses"] = "concuss", ["skipped"] = "skip", ["coursing"] = "course", ["unsettles"] = "unsettle", ["unsettled"] = "unsettle", ["pretested"] = "pretest", ["somersault"] = "somersault", ["familiarizes"] = "familiarize", ["bursts"] = "burst", ["emigrating"] = "emigrate", ["recommenced"] = "recommence", ["unseated"] = "unseat", ["unscrews"] = "unscrew", ["unscrew"] = "unscrew", ["outsmarted"] = "outsmart", ["clunking"] = "clunk", ["troubled"] = "trouble", ["caramelising"] = "caramelise", ["unscrambling"] = "unscramble", ["brutalize"] = "brutalize", ["unscrambled"] = "unscramble", ["unscramble"] = "unscramble", ["unsaddles"] = "unsaddle", ["loops"] = "loop", ["unsaddled"] = "unsaddle", ["zones"] = "zone", ["unrolls"] = "unroll", ["implored"] = "implore", ["tyrannized"] = "tyrannize", ["unrolling"] = "unroll", ["demoralises"] = "demoralise", ["unrolled"] = "unroll", ["unravels"] = "unravel", ["gawping"] = "gawp", ["slipped"] = "slip", ["tones"] = "tone", ["plunking"] = "plunk", ["disseminate"] = "disseminate", ["ladles"] = "ladle", ["infuriated"] = "infuriate", ["unravel"] = "unravel", ["cluttered"] = "clutter", ["guillotines"] = "guillotine", ["rasterizes"] = "rasterize", ["fluttered"] = "flutter", ["concealing"] = "conceal", ["unplugging"] = "unplug", ["unplugged"] = "unplug", ["unplug"] = "unplug", ["dismounting"] = "dismount", ["rightsize"] = "rightsize", ["bale"] = "bale", ["refs"] = "ref", ["unpinning"] = "unpin", ["unpinned"] = "unpin", ["unpin"] = "unpin", ["marinates"] = "marinate", ["conflating"] = "conflate", ["unpicks"] = "unpick", ["evoking"] = "evoke", ["cradle-snatches"] = "cradle-snatch", ["pale"] = "pale", ["decompresses"] = "decompress", ["unpick"] = "unpick", ["unpegs"] = "unpeg", ["unpegging"] = "unpeg", ["unpegged"] = "unpeg", ["self-destructs"] = "self-destruct", ["homogenised"] = "homogenise", ["unpeg"] = "unpeg", ["sashayed"] = "sashay", ["re-enters"] = "re-enter", ["regularised"] = "regularise", ["unpacking"] = "unpack", ["stilling"] = "still", ["unpacked"] = "unpack", ["unpack"] = "unpack", ["scapegoated"] = "scapegoat", ["brutalise"] = "brutalise", ["fleecing"] = "fleece", ["install"] = "install", ["saddled"] = "saddle", ["inoculating"] = "inoculate", ["unmasks"] = "unmask", ["unmasked"] = "unmask", ["unmask"] = "unmask", ["defrauds"] = "defraud", ["blend"] = "blend", ["vacate"] = "vacate", ["noising"] = "noise", ["unloosed"] = "unloose", ["poising"] = "poise", ["clash"] = "clash", ["inspecting"] = "inspect", ["unlocks"] = "unlock", ["unlocking"] = "unlock", ["proclaims"] = "proclaim", ["unloads"] = "unload", ["bankrupt"] = "bankrupt", ["unloading"] = "unload", ["ramaids"] = "ramaid", ["unloaded"] = "unload", ["horsing"] = "horse", ["unload"] = "unload", ["rejuvenates"] = "rejuvenate", ["unlikes"] = "unlike", ["unliked"] = "unlike", ["swilling"] = "swill", ["shagging"] = "shag", ["enthrones"] = "enthrone", ["overhaul"] = "overhaul", ["cradle"] = "cradle", ["unleashing"] = "unleash", ["roll"] = "roll", ["googled"] = "google", ["abridging"] = "abridge", ["unleashed"] = "unleash", ["unleash"] = "unleash", ["bounce"] = "bounce", ["kinghits"] = "kinghit", ["idolising"] = "idolise", ["overpaid"] = "overpay", ["unlearned"] = "unlearn", ["laddered"] = "ladder", ["shilly-shally"] = "shilly-shally", ["double-park"] = "double-park", ["demilitarize"] = "demilitarize", ["canoodled"] = "canoodle", ["rely"] = "rely", ["pulped"] = "pulp", ["tunnelling"] = "tunnel", ["reinsure"] = "reinsure", ["shortsheeting"] = "shortsheet", ["unlace"] = "unlace", ["scrummages"] = "scrummage", ["unknotted"] = "unknot", ["pounce"] = "pounce", ["repulsed"] = "repulse", ["scampering"] = "scamper", ["reorienting"] = "reorient", ["probes"] = "probe", ["unites"] = "unite", ["demonstrates"] = "demonstrate", ["doorstep"] = "doorstep", ["united"] = "unite", ["commiserated"] = "commiserate", ["generated"] = "generate", ["deforms"] = "deform", ["unite"] = "unite", ["freewheels"] = "freewheel", ["veers"] = "veer", ["feuding"] = "feud", ["bayonet"] = "bayonet", ["unionize"] = "unionize", ["unionising"] = "unionise", ["speculated"] = "speculate", ["reprinted"] = "reprint", ["fume"] = "fume", ["rave"] = "rave", ["beams"] = "beam", ["uninstalls"] = "uninstall", ["uninstalled"] = "uninstall", ["prowls"] = "prowl", ["popularizing"] = "popularize", ["remonstrates"] = "remonstrate", ["propounding"] = "propound", ["butchering"] = "butcher", ["contextualizing"] = "contextualize", ["unifies"] = "unify", ["unified"] = "unify", ["meow"] = "meow", ["bookmarks"] = "bookmark", ["ill-treat"] = "ill-treat", ["unhooking"] = "unhook", ["grin"] = "grin", ["maintained"] = "maintain", ["circumcised"] = "circumcise", ["censors"] = "censor", ["minded"] = "mind", ["sashay"] = "sashay", ["peeled"] = "peel", ["unhitching"] = "unhitch", ["bestow"] = "bestow", ["cornered"] = "corner", ["microblog"] = "microblog", ["precedes"] = "precede", ["criss-cross"] = "criss-cross", ["reporting"] = "report", ["estimated"] = "estimate", ["jeopardises"] = "jeopardise", ["unhitch"] = "unhitch", ["ligates"] = "ligate", ["unhingeing"] = "unhinge", ["debars"] = "debar", ["abutting"] = "abut", ["reevaluate"] = "reevaluate", ["unhands"] = "unhand", ["unhanding"] = "unhand", ["praises"] = "praise", ["preclude"] = "preclude", ["unhand"] = "unhand", ["unfurls"] = "unfurl", ["unfurling"] = "unfurl", ["deadened"] = "deaden", ["unfurl"] = "unfurl", ["treated"] = "treat", ["unfroze"] = "unfreeze", ["prates"] = "prate", ["unfrocking"] = "unfrock", ["benchmarking"] = "benchmark", ["suits"] = "suit", ["masticates"] = "masticate", ["persevered"] = "persevere", ["straight-arming"] = "straight-arm", ["unfrocked"] = "unfrock", ["snickering"] = "snicker", ["defoliated"] = "defoliate", ["reacquaint"] = "reacquaint", ["unfriends"] = "unfriend", ["deracinates"] = "deracinate", ["unfriending"] = "unfriend", ["overdosing"] = "overdose", ["trembling"] = "tremble", ["succeed"] = "succeed", ["unfriend"] = "unfriend", ["clanking"] = "clank", ["emerged"] = "emerge", ["infuriate"] = "infuriate", ["objectifying"] = "objectify", ["unfreeze"] = "unfreeze", ["discriminate"] = "discriminate", ["creosotes"] = "creosote", ["shadow-box"] = "shadow-box", ["unfollows"] = "unfollow", ["unfollowing"] = "unfollow", ["grieve"] = "grieve", ["unfollowed"] = "unfollow", ["resonating"] = "resonate", ["unfolds"] = "unfold", ["quacks"] = "quack", ["stabilized"] = "stabilize", ["poison"] = "poison", ["doubledated"] = "doubledate", ["unfastens"] = "unfasten", ["unfastening"] = "unfasten", ["generalises"] = "generalise", ["unearths"] = "unearth", ["unearthing"] = "unearth", ["unearthed"] = "unearth", ["unearth"] = "unearth", ["destress"] = "destress", ["tenderizing"] = "tenderize", ["undulate"] = "undulate", ["sledged"] = "sledge", ["undress"] = "undress", ["rushing"] = "rush", ["ruling"] = "rule", ["undocking"] = "undock", ["grits"] = "grit", ["electroplated"] = "electroplate", ["undocked"] = "undock", ["provoking"] = "provoke", ["confronted"] = "confront", ["dinned"] = "din", ["strive"] = "strive", ["binned"] = "bin", ["pimping"] = "pimp", ["bayoneting"] = "bayonet", ["undid"] = "undo", ["communed"] = "commune", ["underwrote"] = "underwrite", ["underwritten"] = "underwrite", ["harkening"] = "harken", ["retards"] = "retard", ["underwrite"] = "underwrite", ["comfort"] = "comfort", ["underwhelms"] = "underwhelm", ["trounce"] = "trounce", ["hot dogged"] = "hot dog", ["indicating"] = "indicate", ["underwhelm"] = "underwhelm", ["underwent"] = "undergo", ["tasered"] = "taser", ["undervaluing"] = "undervalue", ["saturates"] = "saturate", ["psychoanalyzes"] = "psychoanalyze", ["depersonalizes"] = "depersonalize", ["undervalue"] = "undervalue", ["silvering"] = "silver", ["bludgeoned"] = "bludgeon", ["prostrate"] = "prostrate", ["overwrites"] = "overwrite", ["undertaking"] = "undertake", ["humoured"] = "humour", ["afflicts"] = "afflict", ["undertakes"] = "undertake", ["fragment"] = "fragment", ["undertake"] = "undertake", ["cross-fertilised"] = "cross-fertilise", ["understudying"] = "understudy", ["dieting"] = "diet", ["understudy"] = "understudy", ["glimmered"] = "glimmer", ["demagnetizing"] = "demagnetize", ["rubbing"] = "rub", ["cohabits"] = "cohabit", ["slate"] = "slate", ["stonewalled"] = "stonewall", ["enraging"] = "enrage", ["co-occurred"] = "co-occur", ["dehumanises"] = "dehumanise", ["suggested"] = "suggest", ["interlaying"] = "interlay", ["subbing"] = "sub", ["pupates"] = "pupate", ["understated"] = "understate", ["understate"] = "understate", ["subscribing"] = "subscribe", ["arbitrated"] = "arbitrate", ["reimbursing"] = "reimburse", ["agitates"] = "agitate", ["twerks"] = "twerk", ["understands"] = "understand", ["scalped"] = "scalp", ["silkscreened"] = "silkscreen", ["ostracize"] = "ostracize", ["underspent"] = "underspend", ["underspends"] = "underspend", ["underspending"] = "underspend", ["underspend"] = "underspend", ["dubbing"] = "dub", ["undersold"] = "undersell", ["leers"] = "leer", ["summoned"] = "summon", ["undershooting"] = "undershoot", ["parked"] = "park", ["ratifying"] = "ratify", ["cajoles"] = "cajole", ["flykicking"] = "flykick", ["larked"] = "lark", ["defriended"] = "defriend", ["archiving"] = "archive", ["undershoot"] = "undershoot", ["recasts"] = "recast", ["underselling"] = "undersell", ["undersell"] = "undersell", ["postpones"] = "postpone", ["crossfertilizing"] = "crossfertilize", ["boobytrap"] = "boobytrap", ["barked"] = "bark", ["underscored"] = "underscore", ["seconding"] = "second", ["underrating"] = "underrate", ["relaunched"] = "relaunch", ["underrate"] = "underrate", ["rev"] = "rev", ["intimated"] = "intimate", ["snitches"] = "snitch", ["befriended"] = "befriend", ["harked"] = "hark", ["underplaying"] = "underplay", ["underplayed"] = "underplay", ["underplay"] = "underplay", ["underpins"] = "underpin", ["engrosses"] = "engross", ["underpinning"] = "underpin", ["lobbing"] = "lob", ["suppress"] = "suppress", ["tattoos"] = "tattoo", ["gobbing"] = "gob", ["coalescing"] = "coalesce", ["underpin"] = "underpin", ["fobbing"] = "fob", ["underpaying"] = "underpay", ["dobbing"] = "dob", ["underpay"] = "underpay", ["bobbing"] = "bob", ["determine"] = "determine", ["examined"] = "examine", ["europeanising"] = "europeanise", ["emails"] = "email", ["puckers"] = "pucker", ["undermining"] = "undermine", ["undermined"] = "undermine", ["undermine"] = "undermine", ["vociferated"] = "vociferate", ["underlining"] = "underline", ["letterboxes"] = "letterbox", ["cheeks"] = "cheek", ["exfoliated"] = "exfoliate", ["underlines"] = "underline", ["underline"] = "underline", ["insist"] = "insist", ["pictured"] = "picture", ["volumizes"] = "volumize", ["mobbing"] = "mob", ["arming"] = "arm", ["confer"] = "confer", ["permeates"] = "permeate", ["underlie"] = "underlie", ["coin"] = "coin", ["underlay"] = "underlie", ["tensing"] = "tense", ["knew"] = "know", ["undergone"] = "undergo", ["undergoing"] = "undergo", ["leaflets"] = "leaflet", ["undergoes"] = "undergo", ["undergo"] = "undergo", ["underexposing"] = "underexpose", ["omitting"] = "omit", ["underexposes"] = "underexpose", ["abdicating"] = "abdicate", ["prospers"] = "prosper", ["herald"] = "herald", ["spattered"] = "spatter", ["shoos"] = "shoo", ["psychoanalyze"] = "psychoanalyze", ["underexposed"] = "underexpose", ["bonded"] = "bond", ["underestimates"] = "underestimate", ["underestimated"] = "underestimate", ["underestimate"] = "underestimate", ["undercutting"] = "undercut", ["unfriended"] = "unfriend", ["lipsynching"] = "lipsynch", ["blindside"] = "blindside", ["barbecue"] = "barbecue", ["facilitate"] = "facilitate", ["jolled"] = "jol", ["undercooked"] = "undercook", ["rumoured"] = "rumour", ["undercharging"] = "undercharge", ["undercharges"] = "undercharge", ["undercharged"] = "undercharge", ["undercharge"] = "undercharge", ["selfdestruct"] = "selfdestruct", ["slitting"] = "slit", ["underbid"] = "underbid", ["underachieving"] = "underachieve", ["greased"] = "grease", ["blogging"] = "blog", ["adopted"] = "adopt", ["underachieved"] = "underachieve", ["creased"] = "crease", ["conscientizes"] = "conscientize", ["wreathe"] = "wreathe", ["recounts"] = "recount", ["hero-worships"] = "hero-worship", ["undeleting"] = "undelete", ["slurping"] = "slurp", ["undeletes"] = "undelete", ["browbeating"] = "browbeat", ["undeleted"] = "undelete", ["wrangles"] = "wrangle", ["uncurling"] = "uncurl", ["emitting"] = "emit", ["pan-frying"] = "pan-fry", ["uncurled"] = "uncurl", ["uncurl"] = "uncurl", ["staunching"] = "staunch", ["overrated"] = "overrate", ["shams"] = "sham", ["uncovered"] = "uncover", ["qualifying"] = "qualify", ["gleaming"] = "gleam", ["resenting"] = "resent", ["uncoupled"] = "uncouple", ["anodised"] = "anodise", ["metamorphosing"] = "metamorphose", ["emceed"] = "emcee", ["disintegrating"] = "disintegrate", ["dislikes"] = "dislike", ["floors"] = "floor", ["uncorked"] = "uncork", ["uncoiling"] = "uncoil", ["upcycled"] = "upcycle", ["unchecking"] = "uncheck", ["auction"] = "auction", ["unchecked"] = "uncheck", ["conquer"] = "conquer", ["burrowed"] = "burrow", ["marvel"] = "marvel", ["powdering"] = "powder", ["scuffing"] = "scuff", ["furrowed"] = "furrow", ["deserts"] = "desert", ["excepts"] = "except", ["flitting"] = "flit", ["breathe"] = "breathe", ["unwrap"] = "unwrap", ["lusting"] = "lust", ["moisturize"] = "moisturize", ["impound"] = "impound", ["dedicating"] = "dedicate", ["unbuttoned"] = "unbutton", ["unburdening"] = "unburden", ["hot-dogged"] = "hot-dog", ["unbuckling"] = "unbuckle", ["strayed"] = "stray", ["unbuckles"] = "unbuckle", ["dismantled"] = "dismantle", ["unbuckle"] = "unbuckle", ["unblocks"] = "unblock", ["bicycled"] = "bicycle", ["eyeballed"] = "eyeball", ["unblocked"] = "unblock", ["mercerized"] = "mercerize", ["beginning"] = "begin", ["revitalises"] = "revitalise", ["pamper"] = "pamper", ["unbending"] = "unbend", ["unbans"] = "unban", ["bastardising"] = "bastardise", ["bluffs"] = "bluff", ["constrained"] = "constrain", ["unbanning"] = "unban", ["trotted"] = "trot", ["unban"] = "unban", ["refurbish"] = "refurbish", ["unbalances"] = "unbalance", ["unbalanced"] = "unbalance", ["tamper"] = "tamper", ["unbalance"] = "unbalance", ["abate"] = "abate", ["intimidate"] = "intimidate", ["grew"] = "grow", ["personalizes"] = "personalize", ["cages"] = "cage", ["drew"] = "draw", ["coming"] = "come", ["umpiring"] = "umpire", ["umpired"] = "umpire", ["umpire"] = "umpire", ["ululating"] = "ululate", ["coppicing"] = "coppice", ["ululates"] = "ululate", ["sorrowed"] = "sorrow", ["coinsure"] = "coinsure", ["disarrange"] = "disarrange", ["ululated"] = "ululate", ["rocking"] = "rock", ["suppurated"] = "suppurate", ["cashier"] = "cashier", ["borrowed"] = "borrow", ["rages"] = "rage", ["select"] = "select", ["forecasts"] = "forecast", ["ulcerate"] = "ulcerate", ["medicating"] = "medicate", ["tyrannizing"] = "tyrannize", ["brew"] = "brew", ["pottytrained"] = "pottytrain", ["doublechecked"] = "doublecheck", ["tyrannize"] = "tyrannize", ["conceptualizes"] = "conceptualize", ["heeled"] = "heel", ["tyrannises"] = "tyrannise", ["tyrannised"] = "tyrannise", ["anodising"] = "anodise", ["tyrannise"] = "tyrannise", ["typifying"] = "typify", ["influencing"] = "influence", ["monetize"] = "monetize", ["typify"] = "typify", ["abstain"] = "abstain", ["invaded"] = "invade", ["reshuffles"] = "reshuffle", ["shitting"] = "shit", ["feasts"] = "feast", ["jobshared"] = "jobshare", ["shortsheets"] = "shortsheet", ["annihilated"] = "annihilate", ["persecute"] = "persecute", ["fight"] = "fight", ["donned"] = "don", ["conned"] = "con", ["wended"] = "wend", ["relive"] = "relive", ["typified"] = "typify", ["stew"] = "stew", ["typesetting"] = "typeset", ["typesets"] = "typeset", ["join"] = "join", ["light"] = "light", ["typeset"] = "typeset", ["types"] = "type", ["typed"] = "type", ["sidling"] = "sidle", ["typecasts"] = "typecast", ["assist"] = "assist", ["sight"] = "sight", ["prefers"] = "prefer", ["sensationalizes"] = "sensationalize", ["right"] = "right", ["signalled"] = "signal", ["triumph"] = "triumph", ["idolizing"] = "idolize", ["hamper"] = "hamper", ["gunned"] = "gun", ["squirt"] = "squirt", ["twotiming"] = "twotime", ["displays"] = "display", ["skeeved"] = "skeeve", ["twotimes"] = "twotime", ["twotimed"] = "twotime", ["twotime"] = "twotime", ["downsises"] = "downsise", ["blanch"] = "blanch", ["boozing"] = "booze", ["unhinged"] = "unhinge", ["recognize"] = "recognize", ["colligates"] = "colligate", ["peppering"] = "pepper", ["bath"] = "bath", ["two-time"] = "two-time", ["fended"] = "fend", ["refuelling"] = "refuel", ["streamed"] = "stream", ["twittering"] = "twitter", ["twittered"] = "twitter", ["coarsens"] = "coarsen", ["trifles"] = "trifle", ["twitches"] = "twitch", ["twitch"] = "twitch", ["powernap"] = "powernap", ["twist"] = "twist", ["grosses"] = "gross", ["narrowcasting"] = "narrowcast", ["conciliates"] = "conciliate", ["twirling"] = "twirl", ["twirled"] = "twirl", ["clerks"] = "clerk", ["twirl"] = "twirl", ["emphasized"] = "emphasize", ["twins"] = "twin", ["twinning"] = "twin", ["circles"] = "circle", ["twinkling"] = "twinkle", ["contaminating"] = "contaminate", ["epitomises"] = "epitomise", ["reeling"] = "reel", ["twinkles"] = "twinkle", ["glitter"] = "glitter", ["generalising"] = "generalise", ["atomises"] = "atomise", ["twinkled"] = "twinkle", ["peeling"] = "peel", ["silhouette"] = "silhouette", ["streams"] = "stream", ["twining"] = "twine", ["twines"] = "twine", ["keeling"] = "keel", ["revile"] = "revile", ["forgoes"] = "forgo", ["overreaches"] = "overreach", ["absented"] = "absent", ["redone"] = "redo", ["twin"] = "twin", ["twigs"] = "twig", ["degenerated"] = "degenerate", ["support"] = "support", ["pricing"] = "price", ["enwinds"] = "enwind", ["twiddling"] = "twiddle", ["chattered"] = "chatter", ["twiddles"] = "twiddle", ["peaks"] = "peak", ["lengthening"] = "lengthen", ["twiddled"] = "twiddle", ["notifying"] = "notify", ["slapping"] = "slap", ["backdate"] = "backdate", ["licensed"] = "license", ["enamel"] = "enamel", ["tweets"] = "tweet", ["repossesses"] = "repossess", ["kneeling"] = "kneel", ["baptise"] = "baptise", ["miniaturizing"] = "miniaturize", ["straddle"] = "straddle", ["shattered"] = "shatter", ["explodes"] = "explode", ["tweet"] = "tweet", ["roasted"] = "roast", ["boomed"] = "boom", ["decontaminates"] = "decontaminate", ["doomed"] = "doom", ["tweaked"] = "tweak", ["flecking"] = "fleck", ["reengineering"] = "reengineer", ["edits"] = "edit", ["tweak"] = "tweak", ["deep-six"] = "deep-six", ["captions"] = "caption", ["murmurs"] = "murmur", ["twangs"] = "twang", ["twanging"] = "twang", ["twang"] = "twang", ["film"] = "film", ["begun"] = "begin", ["tutting"] = "tut", ["admonishing"] = "admonish", ["tuts"] = "tut", ["tutors"] = "tutor", ["thinned"] = "thin", ["tutoring"] = "tutor", ["tutored"] = "tutor", ["re-elect"] = "re-elect", ["fritter"] = "fritter", ["simulates"] = "simulate", ["perforated"] = "perforate", ["defining"] = "define", ["tut"] = "tut", ["incensed"] = "incense", ["tussling"] = "tussle", ["juddered"] = "judder", ["feeling"] = "feel", ["comp�ring"] = "comp�re", ["beggars"] = "beggar", ["tussle"] = "tussle", ["turns"] = "turn", ["carburizes"] = "carburize", ["bludgeoning"] = "bludgeon", ["jack-knifed"] = "jack-knife", ["zoomed"] = "zoom", ["turfing"] = "turf", ["turf"] = "turf", ["mortgaging"] = "mortgage", ["acquired"] = "acquire", ["tunnels"] = "tunnel", ["outlasts"] = "outlast", ["unlaces"] = "unlace", ["roomed"] = "room", ["sugarcoat"] = "sugarcoat", ["rescued"] = "rescue", ["elects"] = "elect", ["tunnelled"] = "tunnel", ["tunnel"] = "tunnel", ["tuned"] = "tune", ["tune"] = "tune", ["tumbling"] = "tumble", ["tumbles"] = "tumble", ["loomed"] = "loom", ["tumbled"] = "tumble", ["snuck"] = "sneak", ["criminalising"] = "criminalise", ["tugs"] = "tug", ["concocted"] = "concoct", ["speedreads"] = "speedread", ["nationalizes"] = "nationalize", ["tucks"] = "tuck", ["unhook"] = "unhook", ["tuckers"] = "tucker", ["lectured"] = "lecture", ["philosophize"] = "philosophize", ["dissuaded"] = "dissuade", ["shortsheet"] = "shortsheet", ["landing"] = "land", ["paring"] = "pare", ["derails"] = "derail", ["tuckered"] = "tucker", ["tucker"] = "tucker", ["encloses"] = "enclose", ["tuck"] = "tuck", ["faring"] = "fare", ["blanketing"] = "blanket", ["deputized"] = "deputize", ["tubing"] = "tube", ["baring"] = "bare", ["re-present"] = "re-present", ["daring"] = "dare", ["caring"] = "care", ["tubed"] = "tube", ["querying"] = "query", ["scrunchdry"] = "scrunchdry", ["irritate"] = "irritate", ["exorcise"] = "exorcise", ["transgressing"] = "transgress", ["sorted"] = "sort", ["try"] = "try", ["game"] = "game", ["decomposed"] = "decompose", ["accounted"] = "account", ["trusts"] = "trust", ["disembowelling"] = "disembowel", ["trusting"] = "trust", ["busied"] = "busy", ["color"] = "color", ["choked"] = "choke", ["trussed"] = "truss", ["bewitching"] = "bewitch", ["downshift"] = "downshift", ["came"] = "come", ["trundles"] = "trundle", ["trundled"] = "trundle", ["decrypt"] = "decrypt", ["departmentalized"] = "departmentalize", ["immobilizes"] = "immobilize", ["erects"] = "erect", ["minimize"] = "minimize", ["branch"] = "branch", ["realising"] = "realise", ["trumping"] = "trump", ["exacerbate"] = "exacerbate", ["trumpets"] = "trumpet", ["name"] = "name", ["required"] = "require", ["trumpeting"] = "trumpet", ["trudging"] = "trudge", ["trumpeted"] = "trumpet", ["trumpet"] = "trumpet", ["tame"] = "tame", ["trumped"] = "trump", ["trudges"] = "trudge", ["cloned"] = "clone", ["backpacked"] = "backpack", ["humanising"] = "humanise", ["moulded"] = "mould", ["trudge"] = "trudge", ["kickstarting"] = "kickstart", ["exhumed"] = "exhume", ["bums"] = "bum", ["truants"] = "truant", ["amble"] = "amble", ["truant"] = "truant", ["versified"] = "versify", ["trousering"] = "trouser", ["lines"] = "line", ["irrigated"] = "irrigate", ["perished"] = "perish", ["debase"] = "debase", ["trouncing"] = "trounce", ["troubling"] = "trouble", ["crossfertilizes"] = "crossfertilize", ["discourage"] = "discourage", ["rubber-stamp"] = "rubber-stamp", ["coinsured"] = "coinsure", ["endorsed"] = "endorse", ["finetunes"] = "finetune", ["disinhibits"] = "disinhibit", ["troubleshooting"] = "troubleshoot", ["criticising"] = "criticise", ["pre-booking"] = "pre-book", ["avers"] = "aver", ["likens"] = "liken", ["coloured"] = "colour", ["troubles"] = "trouble", ["countenances"] = "countenance", ["crafting"] = "craft", ["perfumed"] = "perfume", ["trotting"] = "trot", ["unbanned"] = "unban", ["guilt"] = "guilt", ["trots"] = "trot", ["trot"] = "trot", ["trooped"] = "troop", ["dowses"] = "dowse", ["tighten"] = "tighten", ["tromp"] = "tromp", ["ossify"] = "ossify", ["subsidizes"] = "subsidize", ["attenuated"] = "attenuate", ["soliloquize"] = "soliloquize", ["trolled"] = "troll", ["snaffled"] = "snaffle", ["pardon"] = "pardon", ["trodden"] = "tread", ["clamoured"] = "clamour", ["defrosts"] = "defrost", ["trod"] = "tread", ["conceives"] = "conceive", ["trivializes"] = "trivialize", ["externalize"] = "externalize", ["arm"] = "arm", ["highsticked"] = "highstick", ["raising"] = "raise", ["duffs"] = "duff", ["including"] = "include", ["necklace"] = "necklace", ["trivialises"] = "trivialise", ["huffs"] = "huff", ["encircles"] = "encircle", ["screen-printing"] = "screen-print", ["rebutting"] = "rebut", ["crayon"] = "crayon", ["muffs"] = "muff", ["pain"] = "pain", ["dishonours"] = "dishonour", ["puffs"] = "puff", ["rakes"] = "rake", ["metabolizing"] = "metabolize", ["epitomize"] = "epitomize", ["recycled"] = "recycle", ["freezedries"] = "freezedry", ["trivialise"] = "trivialise", ["explicates"] = "explicate", ["abrogated"] = "abrogate", ["triumphing"] = "triumph", ["demilitarized"] = "demilitarize", ["plummeted"] = "plummet", ["typecast"] = "typecast", ["tripling"] = "triple", ["overdub"] = "overdub", ["randomised"] = "randomise", ["triples"] = "triple", ["traumatize"] = "traumatize", ["brief"] = "brief", ["cuffs"] = "cuff", ["faltering"] = "falter", ["trims"] = "trim", ["misdiagnose"] = "misdiagnose", ["psychoanalyzed"] = "psychoanalyze", ["invested"] = "invest", ["bundles"] = "bundle", ["trimmed"] = "trim", ["trim"] = "trim", ["sleeted"] = "sleet", ["trills"] = "trill", ["trilled"] = "trill", ["charted"] = "chart", ["expound"] = "expound", ["triggers"] = "trigger", ["triggering"] = "trigger", ["transcribing"] = "transcribe", ["trifling"] = "trifle", ["barnstorms"] = "barnstorm", ["twitter"] = "twitter", ["trifle"] = "trifle", ["modernises"] = "modernise", ["satisfies"] = "satisfy", ["cogitated"] = "cogitate", ["asserts"] = "assert", ["executed"] = "execute", ["tried"] = "try", ["tricks"] = "trick", ["shamming"] = "sham", ["gone"] = "go", ["trickles"] = "trickle", ["deduce"] = "deduce", ["tonguing"] = "tongue", ["discriminating"] = "discriminate", ["pulverized"] = "pulverize", ["skin"] = "skin", ["identify"] = "identify", ["tricking"] = "trick", ["expounding"] = "expound", ["trick or treats"] = "trick or treat", ["trick or treating"] = "trick or treat", ["fertilised"] = "fertilise", ["sanded"] = "sand", ["markets"] = "market", ["negatives"] = "negative", ["professionalising"] = "professionalise", ["exterminating"] = "exterminate", ["commingled"] = "commingle", ["sprouting"] = "sprout", ["trick or treat"] = "trick or treat", ["rumours"] = "rumour", ["landed"] = "land", ["ally"] = "ally", ["riots"] = "riot", ["ramraiding"] = "ramaid", ["trials"] = "trial", ["control"] = "control", ["banded"] = "band", ["reconnoitres"] = "reconnoitre", ["unzipped"] = "unzip", ["christening"] = "christen", ["trespassing"] = "trespass", ["flits"] = "flit", ["abbreviate"] = "abbreviate", ["dehumanizes"] = "dehumanize", ["trespasses"] = "trespass", ["trespassed"] = "trespass", ["bullshit"] = "bullshit", ["omits"] = "omit", ["trepans"] = "trepan", ["deconstructing"] = "deconstruct", ["trepanning"] = "trepan", ["appreciates"] = "appreciate", ["manicures"] = "manicure", ["lock"] = "lock", ["trepan"] = "trepan", ["undercut"] = "undercut", ["gaming"] = "game", ["recognising"] = "recognise", ["restrict"] = "restrict", ["derogated"] = "derogate", ["harness"] = "harness", ["gain"] = "gain", ["bellying"] = "belly", ["distils"] = "distil", ["ravages"] = "ravage", ["naming"] = "name", ["lain"] = "lie", ["laming"] = "lame", ["tantalising"] = "tantalise", ["procure"] = "procure", ["home"] = "home", ["illumines"] = "illumine", ["accost"] = "accost", ["emits"] = "emit", ["trek"] = "trek", ["come"] = "come", ["trebling"] = "treble", ["summonsing"] = "summons", ["broadsides"] = "broadside", ["predisposing"] = "predispose", ["landscaped"] = "landscape", ["treble"] = "treble", ["expired"] = "expire", ["inconveniences"] = "inconvenience", ["treating"] = "treat", ["progressing"] = "progress", ["unfrozen"] = "unfreeze", ["testdrive"] = "testdrive", ["treasures"] = "treasure", ["sensationalize"] = "sensationalize", ["treasured"] = "treasure", ["gigging"] = "gig", ["treads"] = "tread", ["shoulder"] = "shoulder", ["sheds"] = "shed", ["realigns"] = "realign", ["trawls"] = "trawl", ["inserts"] = "insert", ["trawled"] = "trawl", ["trawl"] = "trawl", ["based"] = "base", ["traverse"] = "traverse", ["severed"] = "sever", ["travelling"] = "travel", ["travelled"] = "travel", ["travel"] = "travel", ["redrew"] = "redraw", ["implodes"] = "implode", ["mime"] = "mime", ["lime"] = "lime", ["traumatizes"] = "traumatize", ["traumatising"] = "traumatise", ["flattered"] = "flatter", ["quaffs"] = "quaff", ["clamming"] = "clam", ["deodorised"] = "deodorise", ["revealing"] = "reveal", ["haemorrhages"] = "haemorrhage", ["instils"] = "instil", ["clattered"] = "clatter", ["traumatise"] = "traumatise", ["grit"] = "grit", ["trashes"] = "trash", ["traps"] = "trap", ["kvetches"] = "kvetch", ["trapping"] = "trap", ["chirrups"] = "chirrup", ["trapped"] = "trap", ["countermanded"] = "countermand", ["exaggerate"] = "exaggerate", ["slamming"] = "slam", ["rerouting"] = "reroute", ["transacted"] = "transact", ["transports"] = "transport", ["requites"] = "requite", ["homes"] = "home", ["inveigled"] = "inveigle", ["de-stressed"] = "de-stress", ["comes"] = "come", ["internalize"] = "internalize", ["squeaks"] = "squeak", ["effected"] = "effect", ["checking"] = "check", ["transplanting"] = "transplant", ["narrates"] = "narrate", ["particularises"] = "particularise", ["scavenges"] = "scavenge", ["disgracing"] = "disgrace", ["transplant"] = "transplant", ["transpiring"] = "transpire", ["rewinds"] = "rewind", ["transpires"] = "transpire", ["headbutting"] = "headbutt", ["bowdlerising"] = "bowdlerise", ["transpired"] = "transpire", ["calcifies"] = "calcify", ["destroy"] = "destroy", ["import"] = "import", ["swaddle"] = "swaddle", ["flatten"] = "flatten", ["pinpoints"] = "pinpoint", ["buttressing"] = "buttress", ["finger"] = "finger", ["miscasts"] = "miscast", ["blister"] = "blister", ["emblazon"] = "emblazon", ["transmogrifies"] = "transmogrify", ["transmogrified"] = "transmogrify", ["germinated"] = "germinate", ["swept"] = "sweep", ["transmitting"] = "transmit", ["market"] = "market", ["foraging"] = "forage", ["farrowed"] = "farrow", ["transmitted"] = "transmit", ["cramming"] = "cram", ["sallying"] = "sally", ["defected"] = "defect", ["bludging"] = "bludge", ["rallying"] = "rally", ["citing"] = "cite", ["narrowed"] = "narrow", ["hoaxes"] = "hoax", ["transmit"] = "transmit", ["transliterated"] = "transliterate", ["forces"] = "force", ["diphthongise"] = "diphthongise", ["coaxes"] = "coax", ["imitates"] = "imitate", ["moonlighting"] = "moonlight", ["interpenetrate"] = "interpenetrate", ["translating"] = "translate", ["mass"] = "mass", ["dallying"] = "dally", ["murmuring"] = "murmur", ["garnered"] = "garner", ["translate"] = "translate", ["transits"] = "transit", ["scrapes"] = "scrape", ["girdles"] = "girdle", ["fatfingering"] = "fatfinger", ["airfreighting"] = "airfreight", ["daunting"] = "daunt", ["kludging"] = "kludge", ["document"] = "document", ["transiting"] = "transit", ["suit"] = "suit", ["crossfertilise"] = "crossfertilise", ["transited"] = "transit", ["steadying"] = "steady", ["majoring"] = "major", ["loaf"] = "loaf", ["manufacture"] = "manufacture", ["heading"] = "head", ["transit"] = "transit", ["proceeded"] = "proceed", ["extemporizes"] = "extemporize", ["overwinters"] = "overwinter", ["spearheads"] = "spearhead", ["transgress"] = "transgress", ["imping"] = "imping", ["greenlighted"] = "greenlight", ["pinches"] = "pinch", ["restraining"] = "restrain", ["sweeping"] = "sweep", ["reallocated"] = "reallocate", ["foretelling"] = "foretell", ["transfused"] = "transfuse", ["gritting"] = "grit", ["oppressing"] = "oppress", ["transforms"] = "transform", ["winches"] = "winch", ["prepare"] = "prepare", ["sheathe"] = "sheathe", ["entertaining"] = "entertain", ["fashions"] = "fashion", ["transfixes"] = "transfix", ["transfixed"] = "transfix", ["gift"] = "gift", ["transfigures"] = "transfigure", ["cwtched"] = "cwtch", ["resumed"] = "resume", ["amortize"] = "amortize", ["mess"] = "mess", ["transfers"] = "transfer", ["collocate"] = "collocate", ["transferring"] = "transfer", ["harbours"] = "harbour", ["transferred"] = "transfer", ["quitting"] = "quit", ["knit"] = "knit", ["audition"] = "audition", ["expunges"] = "expunge", ["transfer"] = "transfer", ["foraged"] = "forage", ["reading"] = "read", ["mothball"] = "mothball", ["devaluing"] = "devalue", ["formalise"] = "formalise", ["hibernates"] = "hibernate", ["cauterises"] = "cauterise", ["drip-feeds"] = "drip-feed", ["transcended"] = "transcend", ["revaluing"] = "revalue", ["transcend"] = "transcend", ["doctor"] = "doctor", ["transacts"] = "transact", ["prep"] = "prep", ["transacting"] = "transact", ["overexposing"] = "overexpose", ["transposed"] = "transpose", ["shrivels"] = "shrivel", ["tranquillized"] = "tranquillize", ["tranquillize"] = "tranquillize", ["convicting"] = "convict", ["hitchhiking"] = "hitchhike", ["punished"] = "punish", ["derogating"] = "derogate", ["exhibiting"] = "exhibit", ["tramps"] = "tramp", ["trampolining"] = "trampoline", ["trampolines"] = "trampoline", ["animating"] = "animate", ["revolting"] = "revolt", ["shinny"] = "shinny", ["misplayed"] = "misplay", ["promulgate"] = "promulgate", ["hoping"] = "hope", ["whinny"] = "whinny", ["tramped"] = "tramp", ["moping"] = "mope", ["loping"] = "lope", ["displayed"] = "display", ["tramp"] = "tramp", ["patrols"] = "patrol", ["sneeze"] = "sneeze", ["coping"] = "cope", ["trammels"] = "trammel", ["cautioned"] = "caution", ["doping"] = "dope", ["abhorred"] = "abhor", ["upcycles"] = "upcycle", ["trammelled"] = "trammel", ["trammel"] = "trammel", ["spit"] = "spit", ["bewitch"] = "bewitch", ["traipsing"] = "traipse", ["asterisking"] = "asterisk", ["prolongs"] = "prolong", ["salaamed"] = "salaam", ["traipses"] = "traipse", ["traipsed"] = "traipse", ["landscaping"] = "landscape", ["roping"] = "rope", ["crashlanded"] = "crashland", ["cinches"] = "cinch", ["traipse"] = "traipse", ["sexualised"] = "sexualise", ["trains"] = "train", ["training"] = "train", ["souping"] = "soup", ["swoon"] = "swoon", ["stub"] = "stub", ["trails"] = "trail", ["weans"] = "wean", ["extinguishes"] = "extinguish", ["trailed"] = "trail", ["redacting"] = "redact", ["trail"] = "trail", ["traffics"] = "traffic", ["trafficked"] = "traffic", ["traffic"] = "traffic", ["pooh-poohs"] = "pooh-pooh", ["revisited"] = "revisit", ["demerging"] = "demerge", ["feminised"] = "feminise", ["lucks"] = "luck", ["diphthongizes"] = "diphthongize", ["upping"] = "up", ["handwash"] = "handwash", ["purifies"] = "purify", ["traduces"] = "traduce", ["rucks"] = "ruck", ["harangued"] = "harangue", ["demarcate"] = "demarcate", ["preteach"] = "preteach", ["firebomb"] = "firebomb", ["clasping"] = "clasp", ["traduced"] = "traduce", ["accumulating"] = "accumulate", ["jeopardise"] = "jeopardise", ["id"] = "id", ["thwacks"] = "thwack", ["enraged"] = "enrage", ["outstaying"] = "outstay", ["encroaches"] = "encroach", ["swoons"] = "swoon", ["scratched"] = "scratch", ["inflates"] = "inflate", ["warble"] = "warble", ["trademarked"] = "trademark", ["trademark"] = "trademark", ["exploring"] = "explore", ["tracks"] = "track", ["hypothesizes"] = "hypothesize", ["commercialize"] = "commercialize", ["loans"] = "loan", ["tracking"] = "track", ["tracked"] = "track", ["caricaturing"] = "caricature", ["busing"] = "bus", ["crisscrossed"] = "crisscross", ["hitches"] = "hitch", ["slain"] = "slay", ["fusing"] = "fuse", ["augured"] = "augur", ["mined"] = "mine", ["lined"] = "line", ["accesses"] = "access", ["toying"] = "toy", ["double-checking"] = "double-check", ["toy"] = "toy", ["caterwauling"] = "caterwaul", ["towing"] = "tow", ["deglaze"] = "deglaze", ["towers"] = "tower", ["scents"] = "scent", ["abstracts"] = "abstract", ["safeguarded"] = "safeguard", ["bankrupting"] = "bankrupt", ["bucks"] = "buck", ["tower"] = "tower", ["ducks"] = "duck", ["subsiding"] = "subside", ["fucks"] = "fuck", ["towelled"] = "towel", ["towel"] = "towel", ["sunsets"] = "sunset", ["disservice"] = "disservice", ["towed"] = "tow", ["striking"] = "strike", ["tow"] = "tow", ["touts"] = "tout", ["redoubled"] = "redouble", ["stresses"] = "stress", ["dj"] = "dj", ["tousling"] = "tousle", ["freeze"] = "freeze", ["clamour"] = "clamour", ["deconsecrated"] = "deconsecrate", ["plasticize"] = "plasticize", ["breeze"] = "breeze", ["spending"] = "spend", ["tours"] = "tour", ["skipping"] = "skip", ["sleds"] = "sled", ["tour"] = "tour", ["dancing"] = "dance", ["symbolising"] = "symbolise", ["overdoing"] = "overdo", ["disfranchise"] = "disfranchise", ["perfecting"] = "perfect", ["toughs"] = "tough", ["toughens"] = "toughen", ["orchestrating"] = "orchestrate", ["lancing"] = "lance", ["re-releasing"] = "re-release", ["picturises"] = "picturise", ["materializing"] = "materialize", ["convoking"] = "convoke", ["depressing"] = "depress", ["toughening"] = "toughen", ["toughened"] = "toughen", ["overslept"] = "oversleep", ["patrol"] = "patrol", ["strummed"] = "strum", ["re-evaluate"] = "re-evaluate", ["be"] = "be", ["acculturate"] = "acculturate", ["ramps"] = "ramp", ["locating"] = "locate", ["touchtype"] = "touchtype", ["escape"] = "escape", ["touched"] = "touch", ["purifying"] = "purify", ["touch-types"] = "touch-type", ["sign"] = "sign", ["tranquillizing"] = "tranquillize", ["hector"] = "hector", ["crossposting"] = "crosspost", ["skittering"] = "skitter", ["perched"] = "perch", ["collide"] = "collide", ["people"] = "people", ["flamb�ing"] = "flambe", ["drop-kick"] = "drop-kick", ["engrossing"] = "engross", ["totting"] = "tot", ["stanch"] = "stanch", ["totters"] = "totter", ["deepening"] = "deepen", ["tottering"] = "totter", ["tottered"] = "totter", ["besieged"] = "besiege", ["totter"] = "totter", ["skim"] = "skim", ["courier"] = "courier", ["employed"] = "employ", ["sketches"] = "sketch", ["toting"] = "tote", ["totes"] = "tote", ["toted"] = "tote", ["totalling"] = "total", ["sweet-talks"] = "sweet-talk", ["consult"] = "consult", ["daydreams"] = "daydream", ["array"] = "array", ["concludes"] = "conclude", ["tot"] = "tot", ["hiccuped"] = "hiccup", ["wakening"] = "waken", ["indoctrinated"] = "indoctrinate", ["toss"] = "toss", ["torturing"] = "torture", ["tortured"] = "torture", ["scrump"] = "scrump", ["torpedoing"] = "torpedo", ["skimmed"] = "skim", ["torpedoed"] = "torpedo", ["torpedo"] = "torpedo", ["pursued"] = "pursue", ["amputate"] = "amputate", ["captain"] = "captain", ["reinterpreted"] = "reinterpret", ["abrogating"] = "abrogate", ["torn"] = "tear", ["tormenting"] = "torment", ["torment"] = "torment", ["tore"] = "tear", ["outlines"] = "outline", ["reigniting"] = "reignite", ["torch"] = "torch", ["cannibalized"] = "cannibalize", ["toppling"] = "topple", ["hawks"] = "hawk", ["taunting"] = "taunt", ["topped"] = "top", ["officiate"] = "officiate", ["incorporated"] = "incorporate", ["retires"] = "retire", ["top"] = "top", ["obviate"] = "obviate", ["tootling"] = "tootle", ["balance"] = "balance", ["tootles"] = "tootle", ["hasten"] = "hasten", ["annoying"] = "annoy", ["smoulder"] = "smoulder", ["bliss"] = "bliss", ["tootle"] = "tootle", ["adduces"] = "adduce", ["ok"] = "ok", ["repaying"] = "repay", ["burgeoning"] = "burgeon", ["tools"] = "tool", ["bustle"] = "bustle", ["tooled"] = "tool", ["canvass"] = "canvass", ["appointed"] = "appoint", ["pre-recording"] = "pre-record", ["barricaded"] = "barricade", ["drizzle"] = "drizzle", ["tonify"] = "tonify", ["calm"] = "calm", ["tonifies"] = "tonify", ["hustle"] = "hustle", ["connects"] = "connect", ["abseil"] = "abseil", ["excluding"] = "exclude", ["leaf"] = "leaf", ["tonified"] = "tonify", ["musing"] = "muse", ["impersonate"] = "impersonate", ["bicycles"] = "bicycle", ["finagled"] = "finagle", ["remarking"] = "remark", ["tongue"] = "tongue", ["toned"] = "tone", ["jets"] = "jet", ["tomtoms"] = "tomtom", ["palm"] = "palm", ["liked"] = "like", ["cradlesnatched"] = "cradlesnatch", ["swimming"] = "swim", ["brown-nosed"] = "brown-nose", ["tom-tomming"] = "tom-tom", ["tom-tommed"] = "tom-tom", ["tolls"] = "toll", ["tolling"] = "toll", ["remount"] = "remount", ["construing"] = "construe", ["tolled"] = "toll", ["blushed"] = "blush", ["tolerating"] = "tolerate", ["tolerates"] = "tolerate", ["moisturises"] = "moisturise", ["fleshes"] = "flesh", ["disrupted"] = "disrupt", ["padlocking"] = "padlock", ["overemphasized"] = "overemphasize", ["geotags"] = "geotag", ["lurked"] = "lurk", ["bestrides"] = "bestride", ["toils"] = "toil", ["toiling"] = "toil", ["toilettrains"] = "toilettrain", ["toilettraining"] = "toilettrain", ["disassembled"] = "disassemble", ["railroaded"] = "railroad", ["vibrating"] = "vibrate", ["parched"] = "parch", ["overwhelms"] = "overwhelm", ["spilled"] = "spill", ["affected"] = "affect", ["toilet-train"] = "toilet-train", ["toiled"] = "toil", ["synchronizing"] = "synchronize", ["marched"] = "march", ["togs"] = "tog", ["toggling"] = "toggle", ["toggled"] = "toggle", ["toggle"] = "toggle", ["togging"] = "tog", ["waved"] = "wave", ["enlist"] = "enlist", ["toeing"] = "toe", ["plans"] = "plan", ["massacring"] = "massacre", ["airdashed"] = "airdash", ["toed"] = "toe", ["toddling"] = "toddle", ["toddles"] = "toddle", ["threepeated"] = "threepeat", ["toddled"] = "toddle", ["ascribed"] = "ascribe", ["peep"] = "peep", ["ballses"] = "balls", ["supplementing"] = "supplement", ["keep"] = "keep", ["swans"] = "swan", ["overflowed"] = "overflow", ["toasts"] = "toast", ["personalized"] = "personalize", ["toasting"] = "toast", ["emboss"] = "emboss", ["postsync"] = "postsync", ["excerpted"] = "excerpt", ["inputting"] = "input", ["privatized"] = "privatize", ["primped"] = "primp", ["toadying"] = "toady", ["stultifying"] = "stultify", ["toadies"] = "toady", ["controvert"] = "controvert", ["nicknamed"] = "nickname", ["mispronounces"] = "mispronounce", ["titters"] = "titter", ["do"] = "do", ["backdated"] = "backdate", ["caved"] = "cave", ["tittering"] = "titter", ["tittered"] = "titter", ["titrates"] = "titrate", ["serialising"] = "serialise", ["delegated"] = "delegate", ["titrate"] = "titrate", ["titles"] = "title", ["titled"] = "title", ["digitalising"] = "digitalise", ["approached"] = "approach", ["profess"] = "profess", ["titillating"] = "titillate", ["titillates"] = "titillate", ["retrieved"] = "retrieve", ["go"] = "go", ["saved"] = "save", ["inconvenienced"] = "inconvenience", ["fry"] = "fry", ["paved"] = "pave", ["thrills"] = "thrill", ["echoing"] = "echo", ["enables"] = "enable", ["titillate"] = "titillate", ["remands"] = "remand", ["tires"] = "tire", ["padlocks"] = "padlock", ["tired"] = "tire", ["threepeating"] = "threepeat", ["recycles"] = "recycle", ["conjoin"] = "conjoin", ["tiptoes"] = "tiptoe", ["feeds"] = "feed", ["tiptoed"] = "tiptoe", ["tiptoe"] = "tiptoe", ["procuring"] = "procure", ["perspires"] = "perspire", ["staffs"] = "staff", ["heeds"] = "heed", ["tipple"] = "tipple", ["tipping"] = "tip", ["circle"] = "circle", ["watched"] = "watch", ["soft-soaps"] = "soft-soap", ["reunify"] = "reunify", ["tippex"] = "tippex", ["tipped"] = "tip", ["tip"] = "tip", ["daubs"] = "daub", ["avoid"] = "avoid", ["desire"] = "desire", ["tints"] = "tint", ["double-click"] = "double-click", ["aspirates"] = "aspirate", ["immuring"] = "immure", ["creeping"] = "creep", ["honed"] = "hone", ["hatched"] = "hatch", ["blooming"] = "bloom", ["tinting"] = "tint", ["defoliates"] = "defoliate", ["tinkled"] = "tinkle", ["giftwrap"] = "giftwrap", ["tinkers"] = "tinker", ["enveloping"] = "envelop", ["patched"] = "patch", ["wheeze"] = "wheeze", ["overbalances"] = "overbalance", ["instituted"] = "institute", ["latched"] = "latch", ["tinker"] = "tinker", ["tingling"] = "tingle", ["needs"] = "need", ["neaten"] = "neaten", ["liken"] = "liken", ["seeds"] = "seed", ["nourished"] = "nourish", ["ringfenced"] = "ringfence", ["tingled"] = "tingle", ["batched"] = "batch", ["sexed"] = "sex", ["squabbled"] = "squabble", ["vaccinating"] = "vaccinate", ["quarrelled"] = "quarrel", ["timing"] = "time", ["beaten"] = "beat", ["benches"] = "bench", ["dwarf"] = "dwarf", ["tweeting"] = "tweet", ["timesed"] = "times", ["installing"] = "install", ["spoonfed"] = "spoonfeed", ["time"] = "time", ["aligned"] = "align", ["re-covering"] = "re-cover", ["advertising"] = "advertise", ["shoots"] = "shoot", ["claims"] = "claim", ["tilled"] = "till", ["overheating"] = "overheat", ["bristles"] = "bristle", ["jobhunted"] = "jobhunt", ["topple"] = "topple", ["extolled"] = "extol", ["tiling"] = "tile", ["pirouetted"] = "pirouette", ["tiles"] = "tile", ["tiled"] = "tile", ["tile"] = "tile", ["tightening"] = "tighten", ["tightened"] = "tighten", ["demineralize"] = "demineralize", ["conscientizing"] = "conscientize", ["tromps"] = "tromp", ["orphaned"] = "orphan", ["tiedyeing"] = "tiedye", ["cackling"] = "cackle", ["exchanged"] = "exchange", ["neighboured"] = "neighbour", ["tiedye"] = "tiedye", ["edit"] = "edit", ["enlisting"] = "enlist", ["faulted"] = "fault", ["tie-dyed"] = "tie-dye", ["humidifies"] = "humidify", ["endeavours"] = "endeavour", ["tidying"] = "tidy", ["conflicting"] = "conflict", ["cheeping"] = "cheep", ["flummox"] = "flummox", ["tidied"] = "tidy", ["corked"] = "cork", ["tides"] = "tide", ["fluffing"] = "fluff", ["doubleclicks"] = "doubleclick", ["worked"] = "work", ["tickles"] = "tickle", ["shaven"] = "shave", ["ticking"] = "tick", ["detached"] = "detach", ["awaking"] = "awake", ["ligating"] = "ligate", ["garaging"] = "garage", ["ticketed"] = "ticket", ["is"] = "be", ["ticked"] = "tick", ["tick"] = "tick", ["thwarts"] = "thwart", ["addling"] = "addle", ["thwarted"] = "thwart", ["thwart"] = "thwart", ["solicit"] = "solicit", ["thwacking"] = "thwack", ["outlasting"] = "outlast", ["cossets"] = "cosset", ["thwacked"] = "thwack", ["thwack"] = "thwack", ["thunders"] = "thunder", ["thunder"] = "thunder", ["freshened"] = "freshen", ["factor"] = "factor", ["telemeter"] = "telemeter", ["thumps"] = "thump", ["charm"] = "charm", ["shanghai"] = "shanghai", ["pinch run"] = "pinch run", ["thumped"] = "thump", ["cultivates"] = "cultivate", ["inserted"] = "insert", ["refocusing"] = "refocus", ["air-dried"] = "air-dry", ["thumbing"] = "thumb", ["double-parks"] = "double-park", ["thumb"] = "thumb", ["thuds"] = "thud", ["thudding"] = "thud", ["globalises"] = "globalise", ["slobbering"] = "slobber", ["thudded"] = "thud", ["magnetised"] = "magnetise", ["quested"] = "quest", ["arbitrate"] = "arbitrate", ["thrusts"] = "thrust", ["miming"] = "mime", ["analyzes"] = "analyze", ["seises"] = "seise", ["step"] = "step", ["thrust"] = "thrust", ["correct"] = "correct", ["feng shuiing"] = "feng shui", ["thrums"] = "thrum", ["thrumming"] = "thrum", ["pervert"] = "pervert", ["clobbering"] = "clobber", ["equalise"] = "equalise", ["portend"] = "portend", ["goose-step"] = "goose-step", ["decreased"] = "decrease", ["throw"] = "throw", ["throttling"] = "throttle", ["throttles"] = "throttle", ["straight-arm"] = "straight-arm", ["mouldered"] = "moulder", ["endowing"] = "endow", ["thronged"] = "throng", ["throng"] = "throng", ["throbs"] = "throb", ["wait-list"] = "wait-list", ["chosen"] = "choose", ["thriving"] = "thrive", ["enduring"] = "endure", ["thrives"] = "thrive", ["forget"] = "forget", ["view"] = "view", ["burble"] = "burble", ["bait"] = "bait", ["thrived"] = "thrive", ["proscribes"] = "proscribe", ["ensnares"] = "ensnare", ["systematizing"] = "systematize", ["investigating"] = "investigate", ["creolises"] = "creolise", ["vegetated"] = "vegetate", ["crackle"] = "crackle", ["threshes"] = "thresh", ["threepeats"] = "threepeat", ["crash-landed"] = "crash-land", ["respire"] = "respire", ["mating"] = "mate", ["three-peats"] = "three-peat", ["bricking"] = "brick", ["departmentalised"] = "departmentalise", ["three-peated"] = "three-peat", ["pistolwhipping"] = "pistolwhip", ["three-peat"] = "three-peat", ["sleeping"] = "sleep", ["shuttling"] = "shuttle", ["breeding"] = "breed", ["spangles"] = "spangle", ["cajoling"] = "cajole", ["requesting"] = "request", ["threatening"] = "threaten", ["pitchforking"] = "pitchfork", ["threatened"] = "threaten", ["threaten"] = "threaten", ["threads"] = "thread", ["threading"] = "thread", ["threaded"] = "thread", ["begrudges"] = "begrudge", ["dermabrading"] = "dermabrade", ["feared"] = "fear", ["entice"] = "entice", ["ambushes"] = "ambush", ["slim"] = "slim", ["thrashing"] = "thrash", ["project"] = "project", ["tempering"] = "temper", ["springcleans"] = "springclean", ["anodize"] = "anodize", ["crams"] = "cram", ["thirsting"] = "thirst", ["defrauded"] = "defraud", ["corresponding"] = "correspond", ["thirsted"] = "thirst", ["thins"] = "thin", ["corking"] = "cork", ["dispossess"] = "dispossess", ["informs"] = "inform", ["wait"] = "wait", ["thin"] = "thin", ["amassing"] = "amass", ["thickening"] = "thicken", ["thickened"] = "thicken", ["pottytrains"] = "pottytrain", ["bleeping"] = "bleep", ["code"] = "code", ["flees"] = "flee", ["deigning"] = "deign", ["bode"] = "bode", ["theorized"] = "theorize", ["theorize"] = "theorize", ["bathed"] = "bathe", ["skeeve"] = "skeeve", ["headbutted"] = "headbutt", ["theorise"] = "theorise", ["thaws"] = "thaw", ["thawing"] = "thaw", ["thawed"] = "thaw", ["alarm"] = "alarm", ["spec"] = "spec", ["thaw"] = "thaw", ["scuffs"] = "scuff", ["sheathing"] = "sheathe", ["thatches"] = "thatch", ["infiltrate"] = "infiltrate", ["thatched"] = "thatch", ["streaks"] = "streak", ["ladling"] = "ladle", ["hulled"] = "hull", ["concretes"] = "concrete", ["texts"] = "text", ["textmessages"] = "textmessage", ["crocheted"] = "crochet", ["distracts"] = "distract", ["polarize"] = "polarize", ["textmessaged"] = "textmessage", ["squared"] = "square", ["symptomizes"] = "symptomize", ["slew"] = "slew", ["ideated"] = "ideate", ["occurred"] = "occur", ["text-messaging"] = "text-message", ["bellyached"] = "bellyache", ["smarted"] = "smart", ["overruling"] = "overrule", ["buoy"] = "buoy", ["re-form"] = "re-form", ["reheated"] = "reheat", ["coopted"] = "coopt", ["text messaging"] = "text message", ["flummoxes"] = "flummox", ["flew"] = "fly", ["dissolve"] = "dissolve", ["supplies"] = "supply", ["text messaged"] = "text message", ["blew"] = "blow", ["adopts"] = "adopt", ["text message"] = "text message", ["taken"] = "take", ["subordinated"] = "subordinate", ["recoils"] = "recoil", ["owned"] = "own", ["photosynthesized"] = "photosynthesize", ["circumscribe"] = "circumscribe", ["testifies"] = "testify", ["commencing"] = "commence", ["testified"] = "testify", ["inhering"] = "inhere", ["testdrove"] = "testdrive", ["testdriving"] = "testdrive", ["testdriven"] = "testdrive", ["test-driving"] = "test-drive", ["test-drive"] = "test-drive", ["apprentice"] = "apprentice", ["croon"] = "croon", ["widowing"] = "widow", ["apply"] = "apply", ["massages"] = "massage", ["terrorizing"] = "terrorize", ["terrorizes"] = "terrorize", ["miscalculated"] = "miscalculate", ["terrorize"] = "terrorize", ["direct"] = "direct", ["terrorising"] = "terrorise", ["conquered"] = "conquer", ["starve"] = "starve", ["dissembled"] = "dissemble", ["emit"] = "emit", ["consumes"] = "consume", ["regurgitates"] = "regurgitate", ["gatecrash"] = "gatecrash", ["parodies"] = "parody", ["terrify"] = "terrify", ["terrified"] = "terrify", ["terraforms"] = "terraform", ["terraformed"] = "terraform", ["backsliding"] = "backslide", ["doublechecks"] = "doublecheck", ["terraform"] = "terraform", ["demote"] = "demote", ["corrodes"] = "corrode", ["intermixes"] = "intermix", ["bewail"] = "bewail", ["terminating"] = "terminate", ["retrench"] = "retrench", ["act"] = "act", ["putters"] = "putter", ["terminated"] = "terminate", ["alit"] = "alight", ["fascinated"] = "fascinate", ["bastardize"] = "bastardize", ["appointing"] = "appoint", ["termed"] = "term", ["abseils"] = "abseil", ["tergiversating"] = "tergiversate", ["tergiversates"] = "tergiversate", ["botched"] = "botch", ["tergiversated"] = "tergiversate", ["tergiversate"] = "tergiversate", ["flit"] = "flit", ["asserted"] = "assert", ["omit"] = "omit", ["tensions"] = "tension", ["tensioning"] = "tension", ["superpose"] = "superpose", ["initiating"] = "initiate", ["underlain"] = "underlie", ["reimburse"] = "reimburse", ["notched"] = "notch", ["tends"] = "tend", ["procrastinated"] = "procrastinate", ["dictating"] = "dictate", ["poling"] = "pole", ["tenderized"] = "tenderize", ["salaaming"] = "salaam", ["alleging"] = "allege", ["pioneered"] = "pioneer", ["tenderises"] = "tenderise", ["tenderised"] = "tenderise", ["tenderise"] = "tenderise", ["Americanized"] = "Americanize", ["personifying"] = "personify", ["ripple"] = "ripple", ["tender"] = "tender", ["distorted"] = "distort", ["tended"] = "tend", ["symbolizes"] = "symbolize", ["prodded"] = "prod", ["section"] = "section", ["harnessed"] = "harness", ["green-lighting"] = "green-light", ["spoon"] = "spoon", ["recrudesces"] = "recrudesce", ["tenants"] = "tenant", ["airdried"] = "airdry", ["glistened"] = "glisten", ["localises"] = "localise", ["spoon-feeding"] = "spoon-feed", ["tenant"] = "tenant", ["shit"] = "shit", ["tempts"] = "tempt", ["tempted"] = "tempt", ["tempt"] = "tempt", ["stomps"] = "stomp", ["temps"] = "temp", ["appertained"] = "appertain", ["focalises"] = "focalise", ["deploying"] = "deploy", ["partexchanged"] = "partexchange", ["temporized"] = "temporize", ["temporising"] = "temporise", ["agonising"] = "agonise", ["bat"] = "bat", ["barfs"] = "barf", ["stultified"] = "stultify", ["indemnifying"] = "indemnify", ["perked"] = "perk", ["esteems"] = "esteem", ["temporised"] = "temporise", ["temporise"] = "temporise", ["comparisonshop"] = "comparisonshop", ["thrashed"] = "thrash", ["catnapped"] = "catnap", ["afforded"] = "afford", ["temper"] = "temper", ["sat"] = "sit", ["freelances"] = "freelance", ["deteriorating"] = "deteriorate", ["rat"] = "rat", ["temped"] = "temp", ["pat"] = "pat", ["telnetting"] = "telnet", ["converging"] = "converge", ["telnetted"] = "telnet", ["telnets"] = "telnet", ["settles"] = "settle", ["sputtered"] = "sputter", ["silk-screening"] = "silk-screen", ["begrudged"] = "begrudge", ["eat"] = "eat", ["telexes"] = "telex", ["orchestrates"] = "orchestrate", ["develop"] = "develop", ["telexed"] = "telex", ["messages"] = "message", ["recognizes"] = "recognize", ["televised"] = "televise", ["televise"] = "televise", ["telescoped"] = "telescope", ["counselling"] = "counsel", ["teleports"] = "teleport", ["treasure"] = "treasure", ["teleported"] = "teleport", ["teleport"] = "teleport", ["decimalised"] = "decimalise", ["piqued"] = "pique", ["tackles"] = "tackle", ["aligning"] = "align", ["entrench"] = "entrench", ["venerate"] = "venerate", ["teleoperated"] = "teleoperate", ["teleoperate"] = "teleoperate", ["telemeters"] = "telemeter", ["telemetered"] = "telemeter", ["wheedling"] = "wheedle", ["liquidizes"] = "liquidize", ["lunches"] = "lunch", ["telegraph"] = "telegraph", ["replicate"] = "replicate", ["heralds"] = "herald", ["punches"] = "punch", ["disdaining"] = "disdain", ["teleconferenced"] = "teleconference", ["scoots"] = "scoot", ["wrested"] = "wrest", ["telecommuting"] = "telecommute", ["hijack"] = "hijack", ["colonizes"] = "colonize", ["reenact"] = "reenact", ["ostracising"] = "ostracise", ["purchased"] = "purchase", ["deflates"] = "deflate", ["telecommuted"] = "telecommute", ["secluding"] = "seclude", ["gangrape"] = "gangrape", ["deprecated"] = "deprecate", ["committing"] = "commit", ["telecommute"] = "telecommute", ["wiping"] = "wipe", ["telecast"] = "telecast", ["benchtested"] = "benchtest", ["whistles"] = "whistle", ["publicized"] = "publicize", ["teethed"] = "teethe", ["crested"] = "crest", ["blackmailed"] = "blackmail", ["rearm"] = "rearm", ["resents"] = "resent", ["imply"] = "imply", ["moistened"] = "moisten", ["weirds"] = "weird", ["teetering"] = "teeter", ["rabbited"] = "rabbit", ["reflates"] = "reflate", ["reprints"] = "reprint", ["destock"] = "destock", ["teems"] = "teem", ["double-glazes"] = "double-glaze", ["teeing"] = "tee", ["beatifying"] = "beatify", ["tee"] = "tee", ["teasing"] = "tease", ["teases"] = "tease", ["slams"] = "slam", ["teased"] = "tease", ["cloy"] = "cloy", ["notice"] = "notice", ["interposing"] = "interpose", ["tease"] = "tease", ["tears"] = "tear", ["remonstrate"] = "remonstrate", ["tear"] = "tear", ["teams"] = "team", ["plasticizes"] = "plasticize", ["begets"] = "beget", ["necessitating"] = "necessitate", ["teaming"] = "team", ["microwaves"] = "microwave", ["snarled"] = "snarl", ["clams"] = "clam", ["team"] = "team", ["beetle"] = "beetle", ["cancel"] = "cancel", ["party"] = "party", ["cavilling"] = "cavil", ["teaches"] = "teach", ["taxing"] = "tax", ["appeals"] = "appeal", ["neigh"] = "neigh", ["bruits"] = "bruit", ["bunches"] = "bunch", ["cuckolded"] = "cuckold", ["hunches"] = "hunch", ["double-dip"] = "double-dip", ["lipsynced"] = "lipsync", ["precluding"] = "preclude", ["consults"] = "consult", ["taxied"] = "taxi", ["taxes"] = "tax", ["collars"] = "collar", ["prophesying"] = "prophesy", ["seasoned"] = "season", ["paves"] = "pave", ["caves"] = "cave", ["brim"] = "brim", ["restock"] = "restock", ["softpedal"] = "softpedal", ["clambered"] = "clamber", ["taxed"] = "tax", ["tax"] = "tax", ["chomps"] = "chomp", ["tautens"] = "tauten", ["inflaming"] = "inflame", ["misappropriate"] = "misappropriate", ["satirises"] = "satirise", ["tautened"] = "tauten", ["choreograph"] = "choreograph", ["bisecting"] = "bisect", ["tauten"] = "tauten", ["castigates"] = "castigate", ["till"] = "till", ["will"] = "will", ["taunt"] = "taunt", ["taught"] = "teach", ["gawp"] = "gawp", ["pitying"] = "pity", ["lactates"] = "lactate", ["pattering"] = "patter", ["tattooed"] = "tattoo", ["battles"] = "battle", ["blanches"] = "blanch", ["tattling"] = "tattle", ["tattles"] = "tattle", ["devastate"] = "devastate", ["frontload"] = "frontload", ["hollowed"] = "hollow", ["tasking"] = "task", ["foregrounds"] = "foreground", ["fill"] = "fill", ["deflating"] = "deflate", ["task"] = "task", ["kill"] = "kill", ["tasers"] = "taser", ["detoxifies"] = "detoxify", ["pluralise"] = "pluralise", ["reflating"] = "reflate", ["shovel"] = "shovel", ["tarted"] = "tart", ["humiliate"] = "humiliate", ["tart"] = "tart", ["tars"] = "tar", ["comments"] = "comment", ["hedge"] = "hedge", ["nosing"] = "nose", ["systematising"] = "systematise", ["tarring"] = "tar", ["delve"] = "delve", ["encased"] = "encase", ["baled"] = "bale", ["overtook"] = "overtake", ["disabled"] = "disable", ["keeps"] = "keep", ["focalize"] = "focalize", ["complies"] = "comply", ["peeps"] = "peep", ["tarries"] = "tarry", ["dummies"] = "dummy", ["repairs"] = "repair", ["spoonfeeding"] = "spoonfeed", ["repurposed"] = "repurpose", ["beeps"] = "beep", ["tarred"] = "tar", ["impose"] = "impose", ["tarnishing"] = "tarnish", ["undertaken"] = "undertake", ["tarnish"] = "tarnish", ["tarmacs"] = "tarmac", ["tarmacking"] = "tarmac", ["foams"] = "foam", ["crewed"] = "crew", ["brewed"] = "brew", ["tarmacked"] = "tarmac", ["clopped"] = "clop", ["tarmac"] = "tarmac", ["mercerise"] = "mercerise", ["targets"] = "target", ["pit"] = "pit", ["stirred"] = "stir", ["bad-mouthed"] = "bad-mouth", ["kit"] = "kit", ["lit"] = "light", ["targeted"] = "target", ["target"] = "target", ["befalling"] = "befall", ["stirfry"] = "stirfry", ["clad"] = "clothe", ["catalogues"] = "catalogue", ["redistricted"] = "redistrict", ["spams"] = "spam", ["tar"] = "tar", ["oversleep"] = "oversleep", ["ridge"] = "ridge", ["championed"] = "champion", ["dosing"] = "dose", ["rabbits"] = "rabbit", ["briefs"] = "brief", ["sprawled"] = "sprawl", ["taps"] = "tap", ["tapped"] = "tap", ["overhearing"] = "overhear", ["hit"] = "hit", ["taping"] = "tape", ["fit"] = "fit", ["tapes"] = "tape", ["attempted"] = "attempt", ["tapered"] = "taper", ["roleplay"] = "roleplay", ["taperecords"] = "taperecord", ["taperecording"] = "taperecord", ["airdash"] = "airdash", ["smsing"] = "sms", ["built"] = "build", ["balloting"] = "ballot", ["taper"] = "taper", ["sensed"] = "sense", ["conjugated"] = "conjugate", ["tape-records"] = "tape-record", ["demotes"] = "demote", ["psychoanalyse"] = "psychoanalyse", ["employing"] = "employ", ["see-saws"] = "see-saw", ["fabricating"] = "fabricate", ["tape recorded"] = "tape record", ["tantalizes"] = "tantalize", ["completes"] = "complete", ["trekked"] = "trek", ["tantalises"] = "tantalise", ["tantalise"] = "tantalise", ["ballsing"] = "balls", ["devolved"] = "devolve", ["snowball"] = "snowball", ["rattles"] = "rattle", ["piles"] = "pile", ["tanning"] = "tan", ["overreached"] = "overreach", ["afforested"] = "afforest", ["journeying"] = "journey", ["tanking"] = "tank", ["tanked"] = "tank", ["canonised"] = "canonise", ["coppices"] = "coppice", ["kettles"] = "kettle", ["sheer"] = "sheer", ["chain-smoking"] = "chain-smoke", ["tangoed"] = "tango", ["gases"] = "gas", ["tan"] = "tan", ["catch"] = "catch", ["transmute"] = "transmute", ["tampering"] = "tamper", ["batch"] = "batch", ["provide"] = "provide", ["taming"] = "tame", ["match"] = "match", ["load"] = "load", ["familiarise"] = "familiarise", ["latch"] = "latch", ["panels"] = "panel", ["cheer"] = "cheer", ["inciting"] = "incite", ["hatch"] = "hatch", ["tames"] = "tame", ["smartening"] = "smarten", ["falsified"] = "falsify", ["tamed"] = "tame", ["short-changed"] = "short-change", ["tallying"] = "tally", ["defiles"] = "defile", ["patch"] = "patch", ["sequester"] = "sequester", ["compressing"] = "compress", ["disarranged"] = "disarrange", ["glowers"] = "glower", ["extirpating"] = "extirpate", ["unfreezing"] = "unfreeze", ["roughhoused"] = "roughhouse", ["decriminalized"] = "decriminalize", ["talks"] = "talk", ["relented"] = "relent", ["busying"] = "busy", ["overturned"] = "overturn", ["talking"] = "talk", ["talked"] = "talk", ["talk"] = "talk", ["taking"] = "take", ["takes"] = "take", ["hugs"] = "hug", ["retrying"] = "retry", ["arsing"] = "arse", ["tainting"] = "taint", ["tainted"] = "taint", ["detaches"] = "detach", ["lengthen"] = "lengthen", ["tailors"] = "tailor", ["tailoring"] = "tailor", ["tailor"] = "tailor", ["sodomizing"] = "sodomize", ["practised"] = "practise", ["anticipate"] = "anticipate", ["eviscerated"] = "eviscerate", ["matured"] = "mature", ["net"] = "net", ["erupted"] = "erupt", ["exhaled"] = "exhale", ["met"] = "meet", ["immunise"] = "immunise", ["beaming"] = "beam", ["pet"] = "pet", ["tailgates"] = "tailgate", ["displaced"] = "displace", ["loading"] = "load", ["tailgated"] = "tailgate", ["befogging"] = "befog", ["goading"] = "goad", ["defogging"] = "defog", ["blasphemes"] = "blaspheme", ["sensationalises"] = "sensationalise", ["schmooze"] = "schmooze", ["tailgate"] = "tailgate", ["autocompleting"] = "autocomplete", ["blindsided"] = "blindside", ["bet"] = "bet", ["reaming"] = "ream", ["scattered"] = "scatter", ["pasteurising"] = "pasteurise", ["tailed"] = "tail", ["internationalizing"] = "internationalize", ["job-sharing"] = "job-share", ["sugarcoating"] = "sugarcoat", ["jet"] = "jet", ["substituting"] = "substitute", ["emboldens"] = "embolden", ["tags"] = "tag", ["collects"] = "collect", ["crashlanding"] = "crashland", ["tagged"] = "tag", ["tag"] = "tag", ["meanstesting"] = "meanstest", ["tackling"] = "tackle", ["telephones"] = "telephone", ["tackled"] = "tackle", ["gallivants"] = "gallivant", ["tackle"] = "tackle", ["goad"] = "goad", ["slicks"] = "slick", ["gesturing"] = "gesture", ["tack"] = "tack", ["tabulated"] = "tabulate", ["reaffirms"] = "reaffirm", ["attends"] = "attend", ["astonishes"] = "astonish", ["tabs"] = "tab", ["deny"] = "deny", ["reinventing"] = "reinvent", ["buffs"] = "buff", ["tabled"] = "table", ["doubledating"] = "doubledate", ["table"] = "table", ["mourn"] = "mourn", ["converges"] = "converge", ["enmesh"] = "enmesh", ["gratify"] = "gratify", ["tab"] = "tab", ["pistol-whip"] = "pistol-whip", ["thrilling"] = "thrill", ["batten"] = "batten", ["finalized"] = "finalize", ["systematizes"] = "systematize", ["angling"] = "angle", ["envision"] = "envision", ["judges"] = "judge", ["leading"] = "lead", ["chatters"] = "chatter", ["tarry"] = "tarry", ["systematise"] = "systematise", ["blazing"] = "blaze", ["automates"] = "automate", ["parry"] = "parry", ["ladders"] = "ladder", ["syringing"] = "syringe", ["glazing"] = "glaze", ["contended"] = "contend", ["drizzling"] = "drizzle", ["effect"] = "effect", ["bounces"] = "bounce", ["syringe"] = "syringe", ["synthesizing"] = "synthesize", ["endearing"] = "endear", ["synthesizes"] = "synthesize", ["deep-fries"] = "deep-fry", ["synthesized"] = "synthesize", ["bristle"] = "bristle", ["synthesize"] = "synthesize", ["letch"] = "letch", ["achieves"] = "achieve", ["affect"] = "affect", ["syndicated"] = "syndicate", ["syndicate"] = "syndicate", ["impairs"] = "impair", ["syncs"] = "sync", ["engrave"] = "engrave", ["syncing"] = "sync", ["deputize"] = "deputize", ["toil"] = "toil", ["synchronizes"] = "synchronize", ["achieve"] = "achieve", ["enrich"] = "enrich", ["synchronized"] = "synchronize", ["breached"] = "breach", ["synchronising"] = "synchronise", ["synchronises"] = "synchronise", ["symptomizing"] = "symptomize", ["symptomized"] = "symptomize", ["defect"] = "defect", ["symptomize"] = "symptomize", ["presses"] = "press", ["symptomising"] = "symptomise", ["beseeches"] = "beseech", ["symptomises"] = "symptomise", ["symptomised"] = "symptomise", ["railroading"] = "railroad", ["concedes"] = "concede", ["soothe"] = "soothe", ["sympathizing"] = "sympathize", ["reneges"] = "renege", ["bench-test"] = "bench-test", ["air-kissed"] = "air-kiss", ["overriding"] = "override", ["secularised"] = "secularise", ["infests"] = "infest", ["spray-painted"] = "spray-paint", ["handwashes"] = "handwash", ["internationalized"] = "internationalize", ["sympathise"] = "sympathise", ["symbolizing"] = "symbolize", ["symbolize"] = "symbolize", ["double-dates"] = "double-date", ["symbolises"] = "symbolise", ["disparages"] = "disparage", ["redeploying"] = "redeploy", ["beatify"] = "beatify", ["symbolised"] = "symbolise", ["sneer"] = "sneer", ["swum"] = "swim", ["interchanges"] = "interchange", ["enunciating"] = "enunciate", ["improve"] = "improve", ["internalised"] = "internalise", ["read"] = "read", ["boil"] = "boil", ["coil"] = "coil", ["swotted"] = "swot", ["plunges"] = "plunge", ["swot"] = "swot", ["lead"] = "lead", ["second-guessing"] = "second-guess", ["sworn"] = "swear", ["approximates"] = "approximate", ["micromanaging"] = "micromanage", ["swore"] = "swear", ["swops"] = "swop", ["swindles"] = "swindle", ["swop"] = "swop", ["probing"] = "probe", ["swooshing"] = "swoosh", ["alpha-test"] = "alpha-test", ["swooshes"] = "swoosh", ["swoosh"] = "swoosh", ["trading"] = "trade", ["amazing"] = "amaze", ["opt"] = "opt", ["disseminated"] = "disseminate", ["hamstrings"] = "hamstring", ["swollen"] = "swell", ["swivels"] = "swivel", ["curing"] = "cure", ["swivelling"] = "swivel", ["reassessed"] = "reassess", ["gusting"] = "gust", ["lampoon"] = "lampoon", ["overcompensating"] = "overcompensate", ["harry"] = "harry", ["excusing"] = "excuse", ["realises"] = "realise", ["censor"] = "censor", ["switches"] = "switch", ["carry"] = "carry", ["switch"] = "switch", ["blesses"] = "bless", ["attacked"] = "attack", ["rightclicks"] = "rightclick", ["dines"] = "dine", ["string"] = "string", ["reeducating"] = "reeducate", ["constraining"] = "constrain", ["outwitting"] = "outwit", ["bitch"] = "bitch", ["retouched"] = "retouch", ["photosensitise"] = "photosensitise", ["blockade"] = "blockade", ["swish"] = "swish", ["jot"] = "jot", ["disembarked"] = "disembark", ["cheats"] = "cheat", ["deliberate"] = "deliberate", ["swirls"] = "swirl", ["insinuated"] = "insinuate", ["heartening"] = "hearten", ["swirl"] = "swirl", ["swiping"] = "swipe", ["swiped"] = "swipe", ["penalized"] = "penalize", ["swipe"] = "swipe", ["mesmerising"] = "mesmerise", ["got"] = "get", ["hot"] = "hot", ["sodded"] = "sod", ["re-released"] = "re-release", ["swinging"] = "swing", ["exceeded"] = "exceed", ["policed"] = "police", ["clatters"] = "clatter", ["hitch"] = "hitch", ["bedevilling"] = "bedevil", ["swopped"] = "swop", ["swindled"] = "swindle", ["revs"] = "rev", ["begins"] = "begin", ["re-examining"] = "re-examine", ["tomtom"] = "tomtom", ["head"] = "head", ["stroking"] = "stroke", ["pursues"] = "pursue", ["swills"] = "swill", ["swilled"] = "swill", ["infuriating"] = "infuriate", ["swill"] = "swill", ["nodded"] = "nod", ["modded"] = "mod", ["overload"] = "overload", ["clothe"] = "clothe", ["humbled"] = "humble", ["swigging"] = "swig", ["backlinking"] = "backlink", ["swigged"] = "swig", ["pricking"] = "prick", ["mumbled"] = "mumble", ["jumbled"] = "jumble", ["spliced"] = "splice", ["securing"] = "secure", ["knackered"] = "knacker", ["swerves"] = "swerve", ["ridicules"] = "ridicule", ["skiing"] = "ski", ["interviewed"] = "interview", ["bumbled"] = "bumble", ["swerve"] = "swerve", ["swelters"] = "swelter", ["im"] = "im", ["sweltered"] = "swelter", ["digitalizing"] = "digitalize", ["clonks"] = "clonk", ["socialises"] = "socialise", ["quiets"] = "quiet", ["corrupts"] = "corrupt", ["swelling"] = "swell", ["swelled"] = "swell", ["swell"] = "swell", ["nullified"] = "nullify", ["sweettalks"] = "sweettalk", ["spellchecking"] = "spellcheck", ["sweettalking"] = "sweettalk", ["greys"] = "grey", ["sweettalked"] = "sweettalk", ["snoops"] = "snoop", ["demagnetized"] = "demagnetize", ["dispelled"] = "dispel", ["sweetens"] = "sweeten", ["prickling"] = "prickle", ["grazing"] = "graze", ["inflicts"] = "inflict", ["preys"] = "prey", ["trickling"] = "trickle", ["blessing"] = "bless", ["devoices"] = "devoice", ["excoriate"] = "excoriate", ["sweetened"] = "sweeten", ["dice"] = "dice", ["roughening"] = "roughen", ["overheats"] = "overheat", ["chalking"] = "chalk", ["sweet-talked"] = "sweet-talk", ["sweeps"] = "sweep", ["shimmied"] = "shimmy", ["sweep"] = "sweep", ["suctioning"] = "suction", ["secretes"] = "secrete", ["sweat"] = "sweat", ["mosey"] = "mosey", ["dropped"] = "drop", ["permit"] = "permit", ["cosying"] = "cosy", ["shoehorned"] = "shoehorn", ["blacklist"] = "blacklist", ["frizzling"] = "frizzle", ["swear"] = "swear", ["sways"] = "sway", ["individuates"] = "individuate", ["swaying"] = "sway", ["kids"] = "kid", ["overcame"] = "overcome", ["qualify"] = "qualify", ["swats"] = "swat", ["authors"] = "author", ["plonks"] = "plonk", ["swathed"] = "swathe", ["swathe"] = "swathe", ["swat"] = "swat", ["swarms"] = "swarm", ["propped"] = "prop", ["polish"] = "polish", ["swarmed"] = "swarm", ["swarm"] = "swarm", ["empathise"] = "empathise", ["elbowed"] = "elbow", ["job-shared"] = "job-share", ["swaps"] = "swap", ["reenacts"] = "reenact", ["vaulted"] = "vault", ["infect"] = "infect", ["swanks"] = "swank", ["desecrate"] = "desecrate", ["shuffling"] = "shuffle", ["swan"] = "swan", ["swamping"] = "swamp", ["key"] = "key", ["highball"] = "highball", ["sellotaping"] = "sellotape", ["fast-forwards"] = "fast-forward", ["swam"] = "swim", ["unblocking"] = "unblock", ["canalized"] = "canalize", ["swallowed"] = "swallow", ["castigate"] = "castigate", ["misgoverned"] = "misgovern", ["swagger"] = "swagger", ["swaddling"] = "swaddle", ["coned"] = "cone", ["boned"] = "bone", ["discolors"] = "discolor", ["futureproof"] = "futureproof", ["road-test"] = "road-test", ["hurtling"] = "hurtle", ["gambled"] = "gamble", ["swaddled"] = "swaddle", ["transmuted"] = "transmute", ["re-presented"] = "re-present", ["crowdsources"] = "crowdsource", ["relived"] = "relive", ["necessitate"] = "necessitate", ["convicted"] = "convict", ["spray-painting"] = "spray-paint", ["dissent"] = "dissent", ["fly-post"] = "fly-post", ["swabbing"] = "swab", ["gangbanging"] = "gangbang", ["germinating"] = "germinate", ["swabbed"] = "swab", ["approve"] = "approve", ["swab"] = "swab", ["suturing"] = "suture", ["reheating"] = "reheat", ["coruscates"] = "coruscate", ["sutures"] = "suture", ["departed"] = "depart", ["softpedalling"] = "softpedal", ["playacting"] = "playact", ["sustaining"] = "sustain", ["susses"] = "suss", ["donates"] = "donate", ["inlays"] = "inlay", ["shackle"] = "shackle", ["sussed"] = "suss", ["institutionalises"] = "institutionalise", ["suspends"] = "suspend", ["chain-smokes"] = "chain-smoke", ["demineralized"] = "demineralize", ["compares"] = "compare", ["glister"] = "glister", ["pedestrianising"] = "pedestrianise", ["accomplishing"] = "accomplish", ["clacks"] = "clack", ["blacks"] = "black", ["rend"] = "rend", ["suspended"] = "suspend", ["speeds"] = "speed", ["suspend"] = "suspend", ["circumnavigating"] = "circumnavigate", ["mend"] = "mend", ["lend"] = "lend", ["suspects"] = "suspect", ["suspecting"] = "suspect", ["scrunch-dried"] = "scrunch-dry", ["shorts"] = "short", ["imbibed"] = "imbibe", ["beggar"] = "beggar", ["cross-breed"] = "cross-breed", ["reffing"] = "ref", ["initialized"] = "initialize", ["bend"] = "bend", ["suspect"] = "suspect", ["steps"] = "step", ["commit"] = "commit", ["braves"] = "brave", ["craves"] = "crave", ["surviving"] = "survive", ["misconstrues"] = "misconstrue", ["regularize"] = "regularize", ["letched"] = "letch", ["survive"] = "survive", ["surveys"] = "survey", ["surveying"] = "survey", ["serialize"] = "serialize", ["throb"] = "throb", ["surrounding"] = "surround", ["blemishes"] = "blemish", ["deepsixes"] = "deepsix", ["surrounded"] = "surround", ["surround"] = "surround", ["surrenders"] = "surrender", ["coexist"] = "coexist", ["drivelling"] = "drivel", ["fetched"] = "fetch", ["atomize"] = "atomize", ["outbids"] = "outbid", ["disables"] = "disable", ["overstepping"] = "overstep", ["rootles"] = "rootle", ["magnetize"] = "magnetize", ["surrendered"] = "surrender", ["overspent"] = "overspend", ["firebombing"] = "firebomb", ["compartmentalizing"] = "compartmentalize", ["remortgaging"] = "remortgage", ["shagged"] = "shag", ["reassure"] = "reassure", ["leads"] = "lead", ["surmounts"] = "surmount", ["surmounting"] = "surmount", ["breasts"] = "breast", ["gaping"] = "gape", ["bethinking"] = "bethink", ["caress"] = "caress", ["livestreaming"] = "livestream", ["surmount"] = "surmount", ["surmising"] = "surmise", ["scootched"] = "scootch", ["compartmentalises"] = "compartmentalise", ["mollified"] = "mollify", ["surmises"] = "surmise", ["zigzagging"] = "zigzag", ["surmise"] = "surmise", ["papered"] = "paper", ["surges"] = "surge", ["disfranchised"] = "disfranchise", ["surged"] = "surge", ["demonized"] = "demonize", ["capered"] = "caper", ["lubricating"] = "lubricate", ["accessorised"] = "accessorise", ["apologizing"] = "apologize", ["computerizing"] = "computerize", ["stipulating"] = "stipulate", ["misrepresented"] = "misrepresent", ["surfs"] = "surf", ["surfing"] = "surf", ["forgathers"] = "forgather", ["surfaced"] = "surface", ["surface"] = "surface", ["surf"] = "surf", ["limps"] = "limp", ["suffuses"] = "suffuse", ["surcharges"] = "surcharge", ["surcharged"] = "surcharge", ["sups"] = "sup", ["convoyed"] = "convoy", ["upanchor"] = "upanchor", ["exaggerating"] = "exaggerate", ["castrate"] = "castrate", ["suppressing"] = "suppress", ["misreport"] = "misreport", ["suppressed"] = "suppress", ["underpinned"] = "underpin", ["supposing"] = "suppose", ["experiencing"] = "experience", ["supposes"] = "suppose", ["garrisoned"] = "garrison", ["supposed"] = "suppose", ["suppose"] = "suppose", ["rethinking"] = "rethink", ["signalling"] = "signal", ["outdo"] = "outdo", ["invoices"] = "invoice", ["raping"] = "rape", ["supports"] = "support", ["convecting"] = "convect", ["supporting"] = "support", ["reenters"] = "reenter", ["twigged"] = "twig", ["supplying"] = "supply", ["guesses"] = "guess", ["supply"] = "supply", ["breeds"] = "breed", ["meditate"] = "meditate", ["cut"] = "cut", ["oxygenating"] = "oxygenate", ["bowdlerizing"] = "bowdlerize", ["text messages"] = "text message", ["gut"] = "gut", ["supplied"] = "supply", ["hand"] = "hand", ["crosspolinate"] = "crosspolinate", ["supplements"] = "supplement", ["oversell"] = "oversell", ["land"] = "land", ["nut"] = "nut", ["out"] = "out", ["imbibe"] = "imbibe", ["supplants"] = "supplant", ["devastated"] = "devastate", ["supplanted"] = "supplant", ["put"] = "put", ["supplant"] = "supplant", ["polished"] = "polish", ["brimmed"] = "brim", ["lip-synchs"] = "lip-synch", ["rambled"] = "ramble", ["supervises"] = "supervise", ["supervised"] = "supervise", ["supervise"] = "supervise", ["shacks"] = "shack", ["cold call"] = "cold call", ["band"] = "band", ["supervening"] = "supervene", ["supervenes"] = "supervene", ["champion"] = "champion", ["sighing"] = "sigh", ["supervened"] = "supervene", ["regulate"] = "regulate", ["encamping"] = "encamp", ["chilling"] = "chill", ["deserting"] = "desert", ["supersizes"] = "supersize", ["hitched"] = "hitch", ["bombed"] = "bomb", ["discuss"] = "discuss", ["supersising"] = "supersise", ["ditched"] = "ditch", ["guarantees"] = "guarantee", ["bitched"] = "bitch", ["furthering"] = "further", ["supersises"] = "supersise", ["supersised"] = "supersise", ["interlocked"] = "interlock", ["fucked"] = "fuck", ["hyperventilate"] = "hyperventilate", ["hardens"] = "harden", ["gardens"] = "garden", ["relocates"] = "relocate", ["bleeds"] = "bleed", ["superseding"] = "supersede", ["bike"] = "bike", ["superseded"] = "supersede", ["arbitrates"] = "arbitrate", ["slaver"] = "slaver", ["superposes"] = "superpose", ["enlarge"] = "enlarge", ["misapplied"] = "misapply", ["superposed"] = "superpose", ["inhaled"] = "inhale", ["extirpate"] = "extirpate", ["inherited"] = "inherit", ["dictates"] = "dictate", ["prefix"] = "prefix", ["superintending"] = "superintend", ["overact"] = "overact", ["superintended"] = "superintend", ["enfranchising"] = "enfranchise", ["superintend"] = "superintend", ["bond"] = "bond", ["admonish"] = "admonish", ["chortle"] = "chortle", ["subdue"] = "subdue", ["superimposes"] = "superimpose", ["clinching"] = "clinch", ["resemble"] = "resemble", ["careen"] = "careen", ["flinching"] = "flinch", ["shaves"] = "shave", ["superimpose"] = "superimpose", ["sup"] = "sup", ["sunsetting"] = "sunset", ["suns"] = "sun", ["sunning"] = "sun", ["garnishing"] = "garnish", ["sunned"] = "sun", ["figured"] = "figure", ["sunken"] = "sink", ["prioritized"] = "prioritize", ["improvised"] = "improvise", ["bimbled"] = "bimble", ["cleaving"] = "cleave", ["replenishing"] = "replenish", ["hail"] = "hail", ["cushion"] = "cushion", ["fail"] = "fail", ["sundered"] = "sunder", ["stalking"] = "stalk", ["sunder"] = "sunder", ["sunburt"] = "sunburn", ["sunburnt"] = "sunburn", ["encroached"] = "encroach", ["sunburns"] = "sunburn", ["flatline"] = "flatline", ["freestyle"] = "freestyle", ["consigning"] = "consign", ["sunburning"] = "sunburn", ["ringfencing"] = "ringfence", ["pony"] = "pony", ["inflating"] = "inflate", ["sunburned"] = "sunburn", ["blenched"] = "blench", ["sunbathes"] = "sunbathe", ["sunbathed"] = "sunbathe", ["cheapening"] = "cheapen", ["sunbathe"] = "sunbathe", ["sun"] = "sun", ["whistle"] = "whistle", ["summons"] = "summons", ["demoralise"] = "demoralise", ["summoning"] = "summon", ["carbonizing"] = "carbonize", ["summon"] = "summon", ["autographed"] = "autograph", ["summered"] = "summer", ["summer"] = "summer", ["summed"] = "sum", ["summarizing"] = "summarize", ["summarize"] = "summarize", ["strengthens"] = "strengthen", ["summarising"] = "summarise", ["summarises"] = "summarise", ["drips"] = "drip", ["summarise"] = "summarise", ["sum"] = "sum", ["sullying"] = "sully", ["digressed"] = "digress", ["quaffed"] = "quaff", ["sully"] = "sully", ["enrolled"] = "enrol", ["pullulated"] = "pullulate", ["tonifying"] = "tonify", ["sullied"] = "sully", ["sulks"] = "sulk", ["confines"] = "confine", ["sulking"] = "sulk", ["sulked"] = "sulk", ["downsise"] = "downsise", ["sulk"] = "sulk", ["carpools"] = "carpool", ["sop"] = "sop", ["suing"] = "sue", ["retouches"] = "retouch", ["understates"] = "understate", ["cement"] = "cement", ["pasturing"] = "pasture", ["sugarcoats"] = "sugarcoat", ["sugar-coats"] = "sugar-coat", ["sugar-coating"] = "sugar-coat", ["sised"] = "sise", ["adumbrates"] = "adumbrate", ["prostrated"] = "prostrate", ["separate"] = "separate", ["sugar-coat"] = "sugar-coat", ["remand"] = "remand", ["caches"] = "cache", ["capitulates"] = "capitulate", ["sinks"] = "sink", ["suffuse"] = "suffuse", ["suffocating"] = "suffocate", ["welshes"] = "welsh", ["suffices"] = "suffice", ["sufficed"] = "suffice", ["suffice"] = "suffice", ["captivates"] = "captivate", ["overgeneralise"] = "overgeneralise", ["staffed"] = "staff", ["yarn bombing"] = "yarn bomb", ["chiselled"] = "chisel", ["disadvantaged"] = "disadvantage", ["rebrands"] = "rebrand", ["administered"] = "administer", ["sues"] = "sue", ["courtmartials"] = "courtmartial", ["acclimatizes"] = "acclimatize", ["gangrapes"] = "gangrape", ["answered"] = "answer", ["embolden"] = "embolden", ["cracks"] = "crack", ["interbreeding"] = "interbreed", ["sued"] = "sue", ["negotiate"] = "negotiate", ["sweats"] = "sweat", ["suction"] = "suction", ["horrify"] = "horrify", ["idled"] = "idle", ["sucks"] = "suck", ["rolling"] = "roll", ["overheard"] = "overhear", ["intermarries"] = "intermarry", ["lubricated"] = "lubricate", ["eagling"] = "eagle", ["jarring"] = "jar", ["slaves"] = "slave", ["pluralizes"] = "pluralize", ["urges"] = "urge", ["suckered"] = "sucker", ["sucker punching"] = "sucker punch", ["greet"] = "greet", ["copyediting"] = "copyedit", ["sucker punches"] = "sucker punch", ["overstretch"] = "overstretch", ["trousered"] = "trouser", ["grumbling"] = "grumble", ["demand"] = "demand", ["sucker punch"] = "sucker punch", ["challenged"] = "challenge", ["unzips"] = "unzip", ["strolled"] = "stroll", ["shopped"] = "shop", ["shrilling"] = "shrill", ["succumbing"] = "succumb", ["succumbed"] = "succumb", ["whopped"] = "whop", ["assumed"] = "assume", ["succouring"] = "succour", ["allege"] = "allege", ["succoured"] = "succour", ["succour"] = "succour", ["succeeds"] = "succeed", ["lessen"] = "lessen", ["succeeding"] = "succeed", ["acclimate"] = "acclimate", ["succeeded"] = "succeed", ["subverts"] = "subvert", ["chopped"] = "chop", ["carburised"] = "carburise", ["vend"] = "vend", ["subverted"] = "subvert", ["tend"] = "tend", ["send"] = "send", ["chisels"] = "chisel", ["subtracting"] = "subtract", ["nullify"] = "nullify", ["debut"] = "debut", ["dishonoured"] = "dishonour", ["subtracted"] = "subtract", ["scouted"] = "scout", ["betatest"] = "betatest", ["mind"] = "mind", ["screen"] = "screen", ["subtitles"] = "subtitle", ["previews"] = "preview", ["intermeshes"] = "intermesh", ["subtitled"] = "subtitle", ["subtends"] = "subtend", ["faffing"] = "faff", ["skyjacks"] = "skyjack", ["schools"] = "school", ["subtend"] = "subtend", ["avoided"] = "avoid", ["subsuming"] = "subsume", ["showcased"] = "showcase", ["subsumed"] = "subsume", ["find"] = "find", ["tail"] = "tail", ["substitute"] = "substitute", ["fulfilling"] = "fulfil", ["sail"] = "sail", ["substantiating"] = "substantiate", ["paled"] = "pale", ["substantiates"] = "substantiate", ["quizzing"] = "quiz", ["substantiated"] = "substantiate", ["mail"] = "mail", ["jail"] = "jail", ["pollarded"] = "pollard", ["thinking"] = "think", ["subsisting"] = "subsist", ["nail"] = "nail", ["subsisted"] = "subsist", ["cleanses"] = "cleanse", ["subsidizing"] = "subsidize", ["cross-refers"] = "cross-refer", ["growls"] = "growl", ["dials"] = "dial", ["mesmerized"] = "mesmerize", ["harmonised"] = "harmonise", ["embarrassed"] = "embarrass", ["sising"] = "sise", ["subsidize"] = "subsidize", ["obeyed"] = "obey", ["unhitches"] = "unhitch", ["snivelling"] = "snivel", ["chinking"] = "chink", ["subsidises"] = "subsidise", ["rising"] = "rise", ["resigns"] = "resign", ["expending"] = "expend", ["towelling"] = "towel", ["disembowels"] = "disembowel", ["wising"] = "wise", ["disfigure"] = "disfigure", ["festooning"] = "festoon", ["diphthongising"] = "diphthongise", ["subside"] = "subside", ["recasting"] = "recast", ["subscribes"] = "subscribe", ["subscribed"] = "subscribe", ["subscribe"] = "subscribe", ["subs"] = "sub", ["charts"] = "chart", ["subpoenas"] = "subpoena", ["subpoenaing"] = "subpoena", ["reply"] = "reply", ["suborns"] = "suborn", ["suborn"] = "suborn", ["faints"] = "faint", ["tries"] = "try", ["subordinates"] = "subordinate", ["tethering"] = "tether", ["adjure"] = "adjure", ["subordinate"] = "subordinate", ["compare"] = "compare", ["submits"] = "submit", ["submerging"] = "submerge", ["dispensed"] = "dispense", ["submerged"] = "submerge", ["impounding"] = "impound", ["partition"] = "partition", ["submerge"] = "submerge", ["seals"] = "seal", ["sublimating"] = "sublimate", ["pealing"] = "peal", ["dries"] = "dry", ["earmarks"] = "earmark", ["fries"] = "fry", ["sublimates"] = "sublimate", ["pries"] = "pry", ["content"] = "content", ["sublimate"] = "sublimate", ["subletting"] = "sublet", ["peals"] = "peal", ["palliates"] = "palliate", ["betrayed"] = "betray", ["prohibiting"] = "prohibit", ["sublet"] = "sublet", ["shin"] = "shin", ["criticizing"] = "criticize", ["autosaves"] = "autosave", ["overrides"] = "override", ["hypothesised"] = "hypothesise", ["backfill"] = "backfill", ["subjugates"] = "subjugate", ["wallops"] = "wallop", ["vandalizes"] = "vandalize", ["mediate"] = "mediate", ["lynched"] = "lynch", ["reconnoitre"] = "reconnoitre", ["downplays"] = "downplay", ["subject"] = "subject", ["forgive"] = "forgive", ["transmogrifying"] = "transmogrify", ["taints"] = "taint", ["subdued"] = "subdue", ["superimposing"] = "superimpose", ["besiege"] = "besiege", ["subdividing"] = "subdivide", ["renouncing"] = "renounce", ["subdivide"] = "subdivide", ["slept"] = "sleep", ["subcontracts"] = "subcontract", ["overcome"] = "overcome", ["namedropping"] = "namedrop", ["subcontracted"] = "subcontract", ["paints"] = "paint", ["sledding"] = "sled", ["puffing"] = "puff", ["apologize"] = "apologize", ["subbed"] = "sub", ["exhales"] = "exhale", ["rerun"] = "rerun", ["reformats"] = "reformat", ["schematize"] = "schematize", ["muffing"] = "muff", ["lament"] = "lament", ["rebut"] = "rebut", ["disintegrate"] = "disintegrate", ["stirfrying"] = "stirfry", ["stymieing"] = "stymie", ["screen-prints"] = "screen-print", ["reprocessed"] = "reprocess", ["jackknifed"] = "jackknife", ["abseiled"] = "abseil", ["jettisoned"] = "jettison", ["buffing"] = "buff", ["styles"] = "style", ["maligned"] = "malign", ["styled"] = "style", ["sheltering"] = "shelter", ["outvotes"] = "outvote", ["huffing"] = "huff", ["eventuating"] = "eventuate", ["disinhibiting"] = "disinhibit", ["style"] = "style", ["duffing"] = "duff", ["airdrops"] = "airdrop", ["stutters"] = "stutter", ["stuttering"] = "stutter", ["stuttered"] = "stutter", ["deals"] = "deal", ["emerges"] = "emerge", ["gamed"] = "game", ["stutter"] = "stutter", ["overbooks"] = "overbook", ["renovate"] = "renovate", ["substantiate"] = "substantiate", ["dealing"] = "deal", ["overreaching"] = "overreach", ["named"] = "name", ["redrawing"] = "redraw", ["healing"] = "heal", ["fat-fingers"] = "fat-finger", ["instigate"] = "instigate", ["relaid"] = "relay", ["stunting"] = "stunt", ["stunted"] = "stunt", ["stunt"] = "stunt", ["calcified"] = "calcify", ["stuns"] = "stun", ["demobilizes"] = "demobilize", ["savors"] = "savor", ["stunning"] = "stun", ["slinking"] = "slink", ["scapegoats"] = "scapegoat", ["comparison-shopping"] = "comparison-shop", ["favors"] = "favor", ["stunned"] = "stun", ["replies"] = "reply", ["stunk"] = "stink", ["bcc'ing"] = "bcc", ["trepanned"] = "trepan", ["withering"] = "wither", ["recovering"] = "recover", ["solve"] = "solve", ["partexchanges"] = "partexchange", ["leans"] = "lean", ["lisping"] = "lisp", ["moving"] = "move", ["stump"] = "stump", ["stumbling"] = "stumble", ["displaces"] = "displace", ["stumbles"] = "stumble", ["revere"] = "revere", ["fictionalized"] = "fictionalize", ["stumbled"] = "stumble", ["dummied"] = "dummy", ["stumble"] = "stumble", ["globalising"] = "globalise", ["ogled"] = "ogle", ["stultifies"] = "stultify", ["rifled"] = "rifle", ["stuffing"] = "stuff", ["scrunch-drying"] = "scrunch-dry", ["discrediting"] = "discredit", ["reset"] = "reset", ["exorcize"] = "exorcize", ["stuff"] = "stuff", ["steamrollered"] = "steamroller", ["roving"] = "rove", ["study"] = "study", ["pepper"] = "pepper", ["studied"] = "study", ["studded"] = "stud", ["leaking"] = "leak", ["dehydrates"] = "dehydrate", ["notarising"] = "notarise", ["stud"] = "stud", ["peaking"] = "peak", ["ordained"] = "ordain", ["stuck"] = "stick", ["drinking"] = "drink", ["interest"] = "interest", ["gesticulates"] = "gesticulate", ["dodges"] = "dodge", ["comply"] = "comply", ["hunched"] = "hunch", ["stretchers"] = "stretcher", ["trained"] = "train", ["strut"] = "strut", ["convalesce"] = "convalesce", ["fishtail"] = "fishtail", ["misplaces"] = "misplace", ["alienate"] = "alienate", ["toughen"] = "toughen", ["strum"] = "strum", ["hurry"] = "hurry", ["shedding"] = "shed", ["entranced"] = "entrance", ["struggling"] = "struggle", ["assemble"] = "assemble", ["struggles"] = "struggle", ["struggled"] = "struggle", ["structuring"] = "structure", ["structured"] = "structure", ["retweet"] = "retweet", ["struck"] = "strike", ["enfeeble"] = "enfeeble", ["ventilating"] = "ventilate", ["stroll"] = "stroll", ["engendering"] = "engender", ["swim"] = "swim", ["stroked"] = "stroke", ["infantilized"] = "infantilize", ["shrilled"] = "shrill", ["thrilled"] = "thrill", ["striven"] = "strive", ["curry"] = "curry", ["undock"] = "undock", ["stripsearching"] = "stripsearch", ["bordered"] = "border", ["upbraided"] = "upbraid", ["pootling"] = "pootle", ["means-tests"] = "means-test", ["bunched"] = "bunch", ["devoting"] = "devote", ["convulsing"] = "convulse", ["hearkening"] = "hearken", ["stripsearch"] = "stripsearch", ["strip-searching"] = "strip-search", ["brained"] = "brain", ["strip-searches"] = "strip-search", ["fasttracks"] = "fasttrack", ["vanish"] = "vanish", ["elude"] = "elude", ["abases"] = "abase", ["drained"] = "drain", ["conscientising"] = "conscientise", ["strikes"] = "strike", ["strides"] = "stride", ["stride"] = "stride", ["normalising"] = "normalise", ["stridden"] = "stride", ["stricken"] = "strike", ["strews"] = "strew", ["banish"] = "banish", ["signing"] = "sign", ["rejoiced"] = "rejoice", ["strewing"] = "strew", ["strew"] = "strew", ["fancying"] = "fancy", ["devoted"] = "devote", ["stretches"] = "stretch", ["stretchering"] = "stretcher", ["stretcher"] = "stretcher", ["bodge"] = "bodge", ["stretched"] = "stretch", ["dodge"] = "dodge", ["pout"] = "pout", ["stretch"] = "stretch", ["disconcert"] = "disconcert", ["greeted"] = "greet", ["tout"] = "tout", ["stressed"] = "stress", ["stipulates"] = "stipulate", ["erase"] = "erase", ["strengthening"] = "strengthen", ["grouching"] = "grouch", ["incorporate"] = "incorporate", ["demur"] = "demur", ["theorised"] = "theorise", ["implies"] = "imply", ["downsised"] = "downsise", ["post-date"] = "post-date", ["streamline"] = "streamline", ["crisped"] = "crisp", ["complemented"] = "complement", ["stream"] = "stream", ["diminish"] = "diminish", ["thatch"] = "thatch", ["streaking"] = "streak", ["bars"] = "bar", ["steaming"] = "steam", ["diffuses"] = "diffuse", ["strays"] = "stray", ["respiring"] = "respire", ["stray"] = "stray", ["sap"] = "sap", ["rubberstamp"] = "rubberstamp", ["stravaiged"] = "stravaig", ["stravaig"] = "stravaig", ["stratify"] = "stratify", ["stratifies"] = "stratify", ["stratified"] = "stratify", ["flytipping"] = "flytip", ["strapped"] = "strap", ["strap"] = "strap", ["strangles"] = "strangle", ["strangle"] = "strangle", ["strands"] = "strand", ["stranding"] = "strand", ["resitting"] = "resit", ["straightens"] = "straighten", ["incorporating"] = "incorporate", ["lights"] = "light", ["straightening"] = "straighten", ["impeaches"] = "impeach", ["halt"] = "halt", ["deliver"] = "deliver", ["rejoined"] = "rejoin", ["reconstitute"] = "reconstitute", ["needled"] = "needle", ["misconstrued"] = "misconstrue", ["eddying"] = "eddy", ["rights"] = "right", ["foals"] = "foal", ["prospecting"] = "prospect", ["plagues"] = "plague", ["straight-armed"] = "straight-arm", ["throttle"] = "throttle", ["od"] = "od", ["straggled"] = "straggle", ["commentate"] = "commentate", ["straggle"] = "straggle", ["strafing"] = "strafe", ["strafed"] = "strafe", ["strafe"] = "strafe", ["contextualising"] = "contextualise", ["reclaiming"] = "reclaim", ["attach"] = "attach", ["bulldozed"] = "bulldoze", ["straddles"] = "straddle", ["curb"] = "curb", ["factorised"] = "factorise", ["defacing"] = "deface", ["ailed"] = "ail", ["tweeted"] = "tweet", ["predetermine"] = "predetermine", ["stowed"] = "stow", ["stow"] = "stow", ["arraigning"] = "arraign", ["screeches"] = "screech", ["storyboarding"] = "storyboard", ["oxidising"] = "oxidise", ["doubledates"] = "doubledate", ["hoicks"] = "hoick", ["storming"] = "storm", ["pillaging"] = "pillage", ["ravelling"] = "ravel", ["oiled"] = "oil", ["neutralizes"] = "neutralize", ["query"] = "query", ["complimenting"] = "compliment", ["stormed"] = "storm", ["riled"] = "rile", ["parachuting"] = "parachute", ["outface"] = "outface", ["overeat"] = "overeat", ["introduces"] = "introduce", ["level"] = "level", ["overreacted"] = "overreact", ["exterminate"] = "exterminate", ["emigrate"] = "emigrate", ["beatbox"] = "beatbox", ["stopping"] = "stop", ["stoppers"] = "stopper", ["effacing"] = "efface", ["stoppering"] = "stopper", ["stoppered"] = "stopper", ["censure"] = "censure", ["stopper"] = "stopper", ["stopped"] = "stop", ["aggregating"] = "aggregate", ["stoops"] = "stoop", ["stoop"] = "stoop", ["rubber-stamping"] = "rubber-stamp", ["regimented"] = "regiment", ["crept"] = "creep", ["stoning"] = "stone", ["boobytrapped"] = "boobytrap", ["incorporates"] = "incorporate", ["anointed"] = "anoint", ["levitate"] = "levitate", ["chanting"] = "chant", ["understood"] = "understand", ["equal"] = "equal", ["glints"] = "glint", ["stinking"] = "stink", ["stoned"] = "stone", ["stone"] = "stone", ["narrowcast"] = "narrowcast", ["delimit"] = "delimit", ["fly-tipping"] = "fly-tip", ["scrolled"] = "scroll", ["stomping"] = "stomp", ["jackknifes"] = "jackknife", ["stomachs"] = "stomach", ["disaffiliated"] = "disaffiliate", ["disagrees"] = "disagree", ["front-loaded"] = "front-load", ["stomached"] = "stomach", ["recorded"] = "record", ["uplifting"] = "uplift", ["photobombed"] = "photobomb", ["stoking"] = "stoke", ["doffing"] = "doff", ["overflew"] = "overfly", ["dope"] = "dope", ["finished"] = "finish", ["stockpiling"] = "stockpile", ["stockpiles"] = "stockpile", ["stockpiled"] = "stockpile", ["doled"] = "dole", ["lathering"] = "lather", ["interview"] = "interview", ["prospering"] = "prosper", ["holed"] = "hole", ["stocked"] = "stock", ["stock"] = "stock", ["acclaiming"] = "acclaim", ["stitching"] = "stitch", ["soled"] = "sole", ["stitched"] = "stitch", ["queens"] = "queen", ["begat"] = "beget", ["stitch"] = "stitch", ["stirs"] = "stir", ["fathering"] = "father", ["diverged"] = "diverge", ["canonizes"] = "canonize", ["customising"] = "customise", ["stirring"] = "stir", ["radiate"] = "radiate", ["stir-frying"] = "stir-fry", ["stir-fried"] = "stir-fry", ["stir"] = "stir", ["stress"] = "stress", ["overachieving"] = "overachieve", ["stipulate"] = "stipulate", ["impeded"] = "impede", ["euthanize"] = "euthanize", ["stipples"] = "stipple", ["absolved"] = "absolve", ["apostrophize"] = "apostrophize", ["sandpapering"] = "sandpaper", ["stints"] = "stint", ["resolved"] = "resolve", ["stinting"] = "stint", ["admitting"] = "admit", ["intermesh"] = "intermesh", ["recant"] = "recant", ["stinging"] = "sting", ["sting"] = "sting", ["stimulated"] = "stimulate", ["applies"] = "apply", ["stimulate"] = "stimulate", ["outrages"] = "outrage", ["resonates"] = "resonate", ["importuning"] = "importune", ["palatalized"] = "palatalize", ["arbitrating"] = "arbitrate", ["merchandises"] = "merchandise", ["stigmatizing"] = "stigmatize", ["criticised"] = "criticise", ["defrock"] = "defrock", ["stigmatize"] = "stigmatize", ["stigmatising"] = "stigmatise", ["contacted"] = "contact", ["stigmatised"] = "stigmatise", ["stigmatise"] = "stigmatise", ["declaiming"] = "declaim", ["stifles"] = "stifle", ["depleting"] = "deplete", ["stifled"] = "stifle", ["fertilises"] = "fertilise", ["carolled"] = "carol", ["solemnizes"] = "solemnize", ["stiffening"] = "stiffen", ["shut"] = "shut", ["kneecaps"] = "kneecap", ["stiffen"] = "stiffen", ["stiffed"] = "stiff", ["stiffarms"] = "stiffarm", ["frizz"] = "frizz", ["stiffarming"] = "stiffarm", ["stiffarmed"] = "stiffarm", ["polarizes"] = "polarize", ["blossom"] = "blossom", ["boomeranging"] = "boomerang", ["stiffarm"] = "stiffarm", ["hungers"] = "hunger", ["ruled"] = "rule", ["stiff-arms"] = "stiff-arm", ["backslidden"] = "backslide", ["stiff-arming"] = "stiff-arm", ["finish"] = "finish", ["editorialises"] = "editorialise", ["stiff-armed"] = "stiff-arm", ["raking"] = "rake", ["stickybeaks"] = "stickybeak", ["stickybeak"] = "stickybeak", ["points"] = "point", ["wait-listed"] = "wait-list", ["grating"] = "grate", ["stick"] = "stick", ["discoursed"] = "discourse", ["organizes"] = "organize", ["dismissing"] = "dismiss", ["stews"] = "stew", ["stewing"] = "stew", ["whittles"] = "whittle", ["sterilizing"] = "sterilize", ["coupling"] = "couple", ["sterilized"] = "sterilize", ["sterilize"] = "sterilize", ["assented"] = "assent", ["sterilising"] = "sterilise", ["nasalise"] = "nasalise", ["equalized"] = "equalize", ["admired"] = "admire", ["prepared"] = "prepare", ["stereotyping"] = "stereotype", ["murdered"] = "murder", ["solemnise"] = "solemnise", ["enfolded"] = "enfold", ["bleats"] = "bleat", ["stepping"] = "step", ["stencils"] = "stencil", ["stencilling"] = "stencil", ["impinges"] = "impinge", ["scowled"] = "scowl", ["stencil"] = "stencil", ["stems"] = "stem", ["elevated"] = "elevate", ["waterproof"] = "waterproof", ["characterize"] = "characterize", ["stemmed"] = "stem", ["stem"] = "stem", ["steers"] = "steer", ["avails"] = "avail", ["beefing"] = "beef", ["steer"] = "steer", ["deluging"] = "deluge", ["booed"] = "boo", ["outputting"] = "output", ["compartmentalizes"] = "compartmentalize", ["allocates"] = "allocate", ["steeping"] = "steep", ["enjoining"] = "enjoin", ["warranting"] = "warrant", ["steepening"] = "steepen", ["steepened"] = "steepen", ["congeals"] = "congeal", ["patented"] = "patent", ["brainwashes"] = "brainwash", ["depreciates"] = "depreciate", ["reefing"] = "reef", ["pooed"] = "poo", ["cleave"] = "cleave", ["delimits"] = "delimit", ["steepen"] = "steepen", ["steeped"] = "steep", ["formatted"] = "format", ["resented"] = "resent", ["wooed"] = "woo", ["lollops"] = "lollop", ["extinguishing"] = "extinguish", ["highballs"] = "highball", ["chortled"] = "chortle", ["pencil"] = "pencil", ["steeling"] = "steel", ["hexes"] = "hex", ["dilate"] = "dilate", ["steel"] = "steel", ["steams"] = "steam", ["crash-dived"] = "crash-dive", ["judge"] = "judge", ["scour"] = "scour", ["port"] = "port", ["shanghaiing"] = "shanghai", ["fudge"] = "fudge", ["steamrollers"] = "steamroller", ["studying"] = "study", ["videoes"] = "video", ["budge"] = "budge", ["steamroll"] = "steamroll", ["streak"] = "streak", ["aches"] = "ache", ["steamed"] = "steam", ["fibbing"] = "fib", ["steam cleans"] = "steam clean", ["perplex"] = "perplex", ["computerises"] = "computerise", ["jibbing"] = "jib", ["excuses"] = "excuse", ["bussing"] = "buss", ["steam cleaned"] = "steam clean", ["preoccupying"] = "preoccupy", ["buggers"] = "bugger", ["incinerate"] = "incinerate", ["abjure"] = "abjure", ["seized"] = "seize", ["deodorise"] = "deodorise", ["levelling"] = "level", ["petrify"] = "petrify", ["poached"] = "poach", ["perpetrates"] = "perpetrate", ["extemporises"] = "extemporise", ["interred"] = "inter", ["relate"] = "relate", ["steal"] = "steal", ["bastardised"] = "bastardise", ["steady"] = "steady", ["imbue"] = "imbue", ["steadies"] = "steady", ["cradlesnatch"] = "cradlesnatch", ["collectivizes"] = "collectivize", ["bolster"] = "bolster", ["quails"] = "quail", ["deleted"] = "delete", ["stays"] = "stay", ["characterise"] = "characterise", ["casseroling"] = "casserole", ["procured"] = "procure", ["forcefeeding"] = "forcefeed", ["staying"] = "stay", ["mulled"] = "mull", ["abut"] = "abut", ["stay"] = "stay", ["staving"] = "stave", ["backcombing"] = "backcomb", ["staves"] = "stave", ["staved"] = "stave", ["uncovering"] = "uncover", ["staunched"] = "staunch", ["euthanised"] = "euthanise", ["chisel"] = "chisel", ["staunch"] = "staunch", ["burrows"] = "burrow", ["stationed"] = "station", ["stating"] = "state", ["reprimanded"] = "reprimand", ["chained"] = "chain", ["counterattacks"] = "counterattack", ["squabble"] = "squabble", ["shuddered"] = "shudder", ["consume"] = "consume", ["inculcated"] = "inculcate", ["statements"] = "statement", ["statementing"] = "statement", ["statemented"] = "statement", ["statement"] = "statement", ["stated"] = "state", ["spurning"] = "spurn", ["imposing"] = "impose", ["appalled"] = "appal", ["disclaiming"] = "disclaim", ["stash"] = "stash", ["backlit"] = "backlight", ["creosoted"] = "creosote", ["outpace"] = "outpace", ["starving"] = "starve", ["starved"] = "starve", ["overreach"] = "overreach", ["terrorised"] = "terrorise", ["guillotined"] = "guillotine", ["startling"] = "startle", ["startles"] = "startle", ["doublefaulted"] = "doublefault", ["facepalming"] = "facepalm", ["castrates"] = "castrate", ["overbalance"] = "overbalance", ["satirize"] = "satirize", ["startled"] = "startle", ["canonise"] = "canonise", ["castigated"] = "castigate", ["sods"] = "sod", ["emasculates"] = "emasculate", ["acclimatising"] = "acclimatise", ["marginalised"] = "marginalise", ["started"] = "start", ["gentrifying"] = "gentrify", ["reacting"] = "react", ["apprentices"] = "apprentice", ["socialised"] = "socialise", ["stares"] = "stare", ["allay"] = "allay", ["stubbing"] = "stub", ["stare"] = "stare", ["clamped"] = "clamp", ["calve"] = "calve", ["swaddles"] = "swaddle", ["counter-attack"] = "counter-attack", ["seesawed"] = "seesaw", ["star"] = "star", ["stapling"] = "staple", ["stapled"] = "staple", ["staple"] = "staple", ["stank"] = "stink", ["halve"] = "halve", ["stands"] = "stand", ["spawns"] = "spawn", ["standardizes"] = "standardize", ["standardized"] = "standardize", ["kenning"] = "ken", ["standardising"] = "standardise", ["standardises"] = "standardise", ["condescended"] = "condescend", ["pushstarting"] = "pushstart", ["presides"] = "preside", ["goosestep"] = "goosestep", ["standardised"] = "standardise", ["defog"] = "defog", ["standardise"] = "standardise", ["befog"] = "befog", ["stand"] = "stand", ["stanching"] = "stanch", ["belay"] = "belay", ["cease"] = "cease", ["delay"] = "delay", ["confessing"] = "confess", ["stanches"] = "stanch", ["wolf-whistle"] = "wolf-whistle", ["optimised"] = "optimise", ["sketched"] = "sketch", ["lease"] = "lease", ["stamping"] = "stamp", ["stampeding"] = "stampede", ["stampedes"] = "stampede", ["stampeded"] = "stampede", ["overruled"] = "overrule", ["stamped"] = "stamp", ["nudge"] = "nudge", ["relay"] = "relay", ["stamp"] = "stamp", ["nitrify"] = "nitrify", ["stammers"] = "stammer", ["ritualize"] = "ritualize", ["treats"] = "treat", ["stammered"] = "stammer", ["known"] = "know", ["stalls"] = "stall", ["stalled"] = "stall", ["vitrify"] = "vitrify", ["mouth"] = "mouth", ["pioneering"] = "pioneer", ["yammered"] = "yammer", ["seizes"] = "seize", ["unscrambles"] = "unscramble", ["complains"] = "complain", ["sections"] = "section", ["actualize"] = "actualize", ["staking"] = "stake", ["persisting"] = "persist", ["clumped"] = "clump", ["kidded"] = "kid", ["snubbing"] = "snub", ["oversimplified"] = "oversimplify", ["stakes"] = "stake", ["orientate"] = "orientate", ["mouthed"] = "mouth", ["chaffed"] = "chaff", ["stains"] = "stain", ["eradicates"] = "eradicate", ["mishears"] = "mishear", ["cherrypick"] = "cherrypick", ["reform"] = "reform", ["stained"] = "stain", ["chastises"] = "chastise", ["stain"] = "stain", ["disabuses"] = "disabuse", ["stagnated"] = "stagnate", ["exalts"] = "exalt", ["easing"] = "ease", ["staggers"] = "stagger", ["staggering"] = "stagger", ["stages"] = "stage", ["father"] = "father", ["basing"] = "base", ["casing"] = "case", ["dissuade"] = "dissuade", ["overflies"] = "overfly", ["anodizes"] = "anodize", ["stagemanages"] = "stagemanage", ["scans"] = "scan", ["stagemanage"] = "stagemanage", ["staged"] = "stage", ["riposte"] = "riposte", ["stage-managing"] = "stage-manage", ["croaked"] = "croak", ["stage-manages"] = "stage-manage", ["deport"] = "deport", ["shrink"] = "shrink", ["wall"] = "wall", ["strip"] = "strip", ["grasped"] = "grasp", ["stacks"] = "stack", ["stacked"] = "stack", ["choruses"] = "chorus", ["deepfry"] = "deepfry", ["plonk"] = "plonk", ["outguns"] = "outgun", ["stack"] = "stack", ["delighted"] = "delight", ["pall"] = "pall", ["call"] = "call", ["ball"] = "ball", ["shifting"] = "shift", ["crossfertilize"] = "crossfertilize", ["gall"] = "gall", ["fall"] = "fall", ["restricting"] = "restrict", ["stables"] = "stable", ["keynotes"] = "keynote", ["crane"] = "crane", ["sutured"] = "suture", ["acculturated"] = "acculturate", ["gussy"] = "gussy", ["stabilize"] = "stabilize", ["stabilising"] = "stabilise", ["stabilises"] = "stabilise", ["stabilised"] = "stabilise", ["grubbed"] = "grub", ["preheats"] = "preheat", ["disowned"] = "disown", ["comprehend"] = "comprehend", ["squishing"] = "squish", ["squishes"] = "squish", ["squish"] = "squish", ["ranks"] = "rank", ["squirted"] = "squirt", ["reprimands"] = "reprimand", ["catfished"] = "catfish", ["injure"] = "injure", ["squirrels"] = "squirrel", ["fingerprints"] = "fingerprint", ["hydroplaned"] = "hydroplane", ["internationalising"] = "internationalise", ["brandish"] = "brandish", ["splay"] = "splay", ["adorned"] = "adorn", ["squirming"] = "squirm", ["squirmed"] = "squirm", ["squirm"] = "squirm", ["blankets"] = "blanket", ["remoulded"] = "remould", ["squints"] = "squint", ["squinting"] = "squint", ["bespattering"] = "bespatter", ["distance"] = "distance", ["bunnyhops"] = "bunnyhop", ["squinted"] = "squint", ["gabbing"] = "gab", ["inundate"] = "inundate", ["renege"] = "renege", ["erupts"] = "erupt", ["democratizes"] = "democratize", ["giftwraps"] = "giftwrap", ["squelches"] = "squelch", ["nabbing"] = "nab", ["externalises"] = "externalise", ["squelch"] = "squelch", ["squeezing"] = "squeeze", ["nibbling"] = "nibble", ["squeezes"] = "squeeze", ["tabbing"] = "tab", ["squeeze"] = "squeeze", ["squeals"] = "squeal", ["exterminates"] = "exterminate", ["misremembering"] = "misremember", ["squealing"] = "squeal", ["chortles"] = "chortle", ["grovel"] = "grovel", ["rediscover"] = "rediscover", ["flyposted"] = "flypost", ["transplants"] = "transplant", ["squeak"] = "squeak", ["squawks"] = "squawk", ["squawking"] = "squawk", ["squawked"] = "squawk", ["squatting"] = "squat", ["editorializing"] = "editorialize", ["elucidates"] = "elucidate", ["soundproofs"] = "soundproof", ["squatted"] = "squat", ["squats"] = "squat", ["desensitise"] = "desensitise", ["squashing"] = "squash", ["worry"] = "worry", ["distilling"] = "distil", ["smothering"] = "smother", ["gherao"] = "gherao", ["bottoming"] = "bottom", ["endorsing"] = "endorse", ["squash"] = "squash", ["squaring"] = "square", ["squares"] = "square", ["indorsing"] = "indorse", ["textmessage"] = "textmessage", ["withholds"] = "withhold", ["squanders"] = "squander", ["electroplate"] = "electroplate", ["attack"] = "attack", ["presells"] = "presell", ["squandered"] = "squander", ["pre-taught"] = "pre-teach", ["editorialized"] = "editorialize", ["overworks"] = "overwork", ["feng shui"] = "feng shui", ["dismembering"] = "dismember", ["chow"] = "chow", ["flicking"] = "flick", ["squabbling"] = "squabble", ["singeing"] = "singe", ["yell"] = "yell", ["rasping"] = "rasp", ["tingeing"] = "tinge", ["unionises"] = "unionise", ["skitter"] = "skitter", ["indenting"] = "indent", ["hingeing"] = "hinge", ["sputters"] = "sputter", ["sputtering"] = "sputter", ["tell"] = "tell", ["sell"] = "sell", ["menacing"] = "menace", ["abolishing"] = "abolish", ["sputter"] = "sputter", ["spurting"] = "spurt", ["jell"] = "jell", ["spurted"] = "spurt", ["interrupt"] = "interrupt", ["spurs"] = "spur", ["fell"] = "fell", ["spurring"] = "spur", ["judders"] = "judder", ["state"] = "state", ["overpowering"] = "overpower", ["spurned"] = "spurn", ["spurn"] = "spurn", ["stumped"] = "stump", ["martyr"] = "martyr", ["sprung"] = "spring", ["incentivizing"] = "incentivize", ["geofences"] = "geofence", ["edge"] = "edge", ["moulder"] = "moulder", ["drafted"] = "draft", ["dinked"] = "dink", ["regiments"] = "regiment", ["sprouted"] = "sprout", ["spritzing"] = "spritz", ["spritzes"] = "spritz", ["spritzed"] = "spritz", ["ascends"] = "ascend", ["spritz"] = "spritz", ["heroworshipping"] = "heroworship", ["expecting"] = "expect", ["harkens"] = "harken", ["breakdancing"] = "breakdance", ["sprint"] = "sprint", ["sprinkling"] = "sprinkle", ["bingeing"] = "binge", ["sprinkles"] = "sprinkle", ["split"] = "split", ["springs"] = "spring", ["thought"] = "think", ["instance"] = "instance", ["springcleaning"] = "springclean", ["springcleaned"] = "springclean", ["proposes"] = "propose", ["exalting"] = "exalt", ["springboarded"] = "springboard", ["springboard"] = "springboard", ["ribbing"] = "rib", ["spreading"] = "spread", ["intellectualised"] = "intellectualise", ["shaming"] = "shame", ["grate"] = "grate", ["diving"] = "dive", ["overdose"] = "overdose", ["jiving"] = "jive", ["crate"] = "crate", ["hiving"] = "hive", ["quaver"] = "quaver", ["spreadeagled"] = "spreadeagle", ["circumvents"] = "circumvent", ["denigrated"] = "denigrate", ["spread"] = "spread", ["sprays"] = "spray", ["associating"] = "associate", ["spraypaints"] = "spraypaint", ["repels"] = "repel", ["badgers"] = "badger", ["bootlegging"] = "bootleg", ["spraypaint"] = "spraypaint", ["retrieve"] = "retrieve", ["inclines"] = "incline", ["gallops"] = "gallop", ["wronging"] = "wrong", ["sympathize"] = "sympathize", ["prate"] = "prate", ["optimized"] = "optimize", ["campaigned"] = "campaign", ["spray-paint"] = "spray-paint", ["backspaces"] = "backspace", ["spray"] = "spray", ["lowballs"] = "lowball", ["sprawl"] = "sprawl", ["drifts"] = "drift", ["nauseating"] = "nauseate", ["reshapes"] = "reshape", ["sprang"] = "spring", ["menaced"] = "menace", ["spraining"] = "sprain", ["precipitating"] = "precipitate", ["sprain"] = "sprain", ["proselytize"] = "proselytize", ["spouts"] = "spout", ["beatboxes"] = "beatbox", ["spout"] = "spout", ["housesat"] = "housesit", ["spotting"] = "spot", ["adumbrated"] = "adumbrate", ["padded"] = "pad", ["restructure"] = "restructure", ["spotted"] = "spot", ["inlay"] = "inlay", ["spots"] = "spot", ["gadded"] = "gad", ["queer"] = "queer", ["spotlit"] = "spotlight", ["copulates"] = "copulate", ["spotlight"] = "spotlight", ["sporting"] = "sport", ["streamlined"] = "streamline", ["sport"] = "sport", ["neighbouring"] = "neighbour", ["spoonfeeds"] = "spoonfeed", ["tarried"] = "tarry", ["spoonfeed"] = "spoonfeed", ["blaring"] = "blare", ["reissued"] = "reissue", ["spoon-feeds"] = "spoon-feed", ["tenanted"] = "tenant", ["attesting"] = "attest", ["moistens"] = "moisten", ["enjoy"] = "enjoy", ["outdone"] = "outdo", ["repays"] = "repay", ["recast"] = "recast", ["spools"] = "spool", ["spooling"] = "spool", ["carburises"] = "carburise", ["boiling"] = "boil", ["coiling"] = "coil", ["spool"] = "spool", ["caterwaul"] = "caterwaul", ["bypass"] = "bypass", ["harried"] = "harry", ["promulgating"] = "promulgate", ["flaring"] = "flare", ["bimble"] = "bimble", ["slack"] = "slack", ["married"] = "marry", ["spook"] = "spook", ["demerge"] = "demerge", ["parried"] = "parry", ["clothes"] = "clothe", ["patrolled"] = "patrol", ["spoofing"] = "spoof", ["remitted"] = "remit", ["prewashed"] = "prewash", ["requisitioned"] = "requisition", ["sponsoring"] = "sponsor", ["sponsored"] = "sponsor", ["misapprehended"] = "misapprehend", ["deodorising"] = "deodorise", ["sponsor"] = "sponsor", ["backfiring"] = "backfire", ["sponging"] = "sponge", ["sponges"] = "sponge", ["carried"] = "carry", ["sponged"] = "sponge", ["spoken"] = "speak", ["complicates"] = "complicate", ["spoiled"] = "spoil", ["spoil"] = "spoil", ["spluttered"] = "splutter", ["splutter"] = "splutter", ["splurging"] = "splurge", ["worries"] = "worry", ["depoliticize"] = "depoliticize", ["splurged"] = "splurge", ["flytips"] = "flytip", ["chargrills"] = "chargrill", ["syringes"] = "syringe", ["eclipses"] = "eclipse", ["sploshes"] = "splosh", ["capitalises"] = "capitalise", ["pester"] = "pester", ["scaled"] = "scale", ["splitting"] = "split", ["memorialize"] = "memorialize", ["grovelled"] = "grovel", ["dismembers"] = "dismember", ["jackknife"] = "jackknife", ["iron"] = "iron", ["revolutionised"] = "revolutionise", ["screamed"] = "scream", ["sprinkle"] = "sprinkle", ["splintering"] = "splinter", ["evangelized"] = "evangelize", ["splintered"] = "splinter", ["caulks"] = "caulk", ["splicing"] = "splice", ["delousing"] = "delouse", ["articulated"] = "articulate", ["levying"] = "levy", ["splices"] = "splice", ["showboats"] = "showboat", ["broil"] = "broil", ["plummeting"] = "plummet", ["ballot"] = "ballot", ["immersed"] = "immerse", ["weaponized"] = "weaponize", ["flatlines"] = "flatline", ["blossoming"] = "blossom", ["emphasised"] = "emphasise", ["harrowed"] = "harrow", ["dehumanized"] = "dehumanize", ["quarantining"] = "quarantine", ["comp�red"] = "comp�re", ["include"] = "include", ["enlarging"] = "enlarge", ["splats"] = "splat", ["repaired"] = "repair", ["splat"] = "splat", ["threshing"] = "thresh", ["blather"] = "blather", ["enlightened"] = "enlighten", ["splashes"] = "splash", ["extracting"] = "extract", ["cwtches"] = "cwtch", ["spitting"] = "spit", ["kinked"] = "kink", ["linked"] = "link", ["spits"] = "spit", ["jinked"] = "jink", ["spitroasts"] = "spitroast", ["spitroasting"] = "spitroast", ["bandying"] = "bandy", ["finked"] = "fink", ["snuffles"] = "snuffle", ["disable"] = "disable", ["lipread"] = "lipread", ["spitroast"] = "spitroast", ["fragments"] = "fragment", ["discerns"] = "discern", ["spiting"] = "spite", ["spites"] = "spite", ["homogenizes"] = "homogenize", ["keying"] = "key", ["liveblogs"] = "liveblog", ["overstepped"] = "overstep", ["spit-roasts"] = "spit-roast", ["ponce"] = "ponce", ["solving"] = "solve", ["uniting"] = "unite", ["implementing"] = "implement", ["dispenses"] = "dispense", ["boomeranged"] = "boomerang", ["invented"] = "invent", ["digests"] = "digest", ["spirited"] = "spirit", ["overfed"] = "overfeed", ["spirit"] = "spirit", ["potted"] = "pot", ["hurried"] = "hurry", ["shunned"] = "shun", ["roved"] = "rove", ["spindrying"] = "spindry", ["spindry"] = "spindry", ["polarising"] = "polarise", ["spindries"] = "spindry", ["whingeing"] = "whinge", ["spin-drying"] = "spin-dry", ["spin-dry"] = "spin-dry", ["rendezvoused"] = "rendezvous", ["spin-dried"] = "spin-dry", ["spin"] = "spin", ["spilt"] = "spill", ["toilet-training"] = "toilet-train", ["spill"] = "spill", ["consummated"] = "consummate", ["scarfed"] = "scarf", ["spiking"] = "spike", ["affirm"] = "affirm", ["disproving"] = "disprove", ["spikes"] = "spike", ["rouses"] = "rouse", ["spike"] = "spike", ["spiffs"] = "spiff", ["intuits"] = "intuit", ["reelects"] = "reelect", ["live-streaming"] = "live-stream", ["groan"] = "groan", ["deracinating"] = "deracinate", ["spies"] = "spy", ["spied"] = "spy", ["spicing"] = "spice", ["raves"] = "rave", ["overgeneralised"] = "overgeneralise", ["accrues"] = "accrue", ["rightsized"] = "rightsize", ["dandles"] = "dandle", ["detoxing"] = "detox", ["roller skates"] = "roller skate", ["wises"] = "wise", ["handles"] = "handle", ["spewing"] = "spew", ["spewed"] = "spew", ["majored"] = "major", ["poohed"] = "pooh", ["spew"] = "spew", ["redistricts"] = "redistrict", ["spent"] = "spend", ["smiting"] = "smite", ["internationalised"] = "internationalise", ["shears"] = "shear", ["decimalizing"] = "decimalize", ["spend"] = "spend", ["ship"] = "ship", ["veneer"] = "veneer", ["spellchecked"] = "spellcheck", ["spell"] = "spell", ["speedreading"] = "speedread", ["speedread"] = "speedread", ["rusts"] = "rust", ["prioritizing"] = "prioritize", ["speed-reads"] = "speed-read", ["speed"] = "speed", ["comparing"] = "compare", ["believed"] = "believe", ["speechify"] = "speechify", ["live"] = "live", ["curtsies"] = "curtsy", ["jive"] = "jive", ["speechifies"] = "speechify", ["commemorates"] = "commemorate", ["exaggerated"] = "exaggerate", ["speculating"] = "speculate", ["speculates"] = "speculate", ["dive"] = "dive", ["spying"] = "spy", ["spectating"] = "spectate", ["enshrine"] = "enshrine", ["hive"] = "hive", ["intones"] = "intone", ["matriculate"] = "matriculate", ["give"] = "give", ["spectates"] = "spectate", ["doses"] = "dose", ["attracting"] = "attract", ["neutralized"] = "neutralize", ["overshot"] = "overshoot", ["dock"] = "dock", ["idealizing"] = "idealize", ["anticipating"] = "anticipate", ["sifted"] = "sift", ["hock"] = "hock", ["court-martialled"] = "court-martial", ["noses"] = "nose", ["mock"] = "mock", ["barnstorm"] = "barnstorm", ["spectated"] = "spectate", ["spectate"] = "spectate", ["specs"] = "spec", ["drawl"] = "drawl", ["crawl"] = "crawl", ["panelled"] = "panel", ["shudder"] = "shudder", ["poses"] = "pose", ["specify"] = "specify", ["self-harms"] = "self-harm", ["specified"] = "specify", ["equipping"] = "equip", ["specializing"] = "specialize", ["suffocated"] = "suffocate", ["gifted"] = "gift", ["mass-produces"] = "mass-produce", ["namechecks"] = "namecheck", ["bellyache"] = "bellyache", ["anglicize"] = "anglicize", ["inflated"] = "inflate", ["fizz"] = "fizz", ["solidifies"] = "solidify", ["transgressed"] = "transgress", ["besmirched"] = "besmirch", ["re-enacted"] = "re-enact", ["spearhead"] = "spearhead", ["spear"] = "spear", ["reexamine"] = "reexamine", ["discolour"] = "discolour", ["loafs"] = "loaf", ["rummaged"] = "rummage", ["spayed"] = "spay", ["initiate"] = "initiate", ["spay"] = "spay", ["instances"] = "instance", ["standing"] = "stand", ["gamble"] = "gamble", ["spells"] = "spell", ["overbooking"] = "overbook", ["lip-synch"] = "lip-synch", ["culminating"] = "culminate", ["spatters"] = "spatter", ["bunny-hop"] = "bunny-hop", ["brown-bagged"] = "brown-bag", ["soft-pedalling"] = "soft-pedal", ["staring"] = "stare", ["contextualises"] = "contextualise", ["feather-beds"] = "feather-bed", ["cannoned"] = "cannon", ["ramble"] = "ramble", ["spatter"] = "spatter", ["spat"] = "spit", ["roadtesting"] = "roadtest", ["disdained"] = "disdain", ["spars"] = "spar", ["sparring"] = "spar", ["recuperate"] = "recuperate", ["attacks"] = "attack", ["dislodges"] = "dislodge", ["sorting"] = "sort", ["sparkling"] = "sparkle", ["sparkles"] = "sparkle", ["porting"] = "port", ["sparkled"] = "sparkle", ["rorting"] = "rort", ["objectifies"] = "objectify", ["scrawl"] = "scrawl", ["crashdiving"] = "crashdive", ["calmed"] = "calm", ["bottlefed"] = "bottlefeed", ["sparkle"] = "sparkle", ["fellate"] = "fellate", ["sparked"] = "spark", ["spark"] = "spark", ["slouched"] = "slouch", ["sparing"] = "spare", ["criminalizing"] = "criminalize", ["aspired"] = "aspire", ["diffracts"] = "diffract", ["spares"] = "spare", ["spared"] = "spare", ["spare"] = "spare", ["spans"] = "span", ["spanning"] = "span", ["debugs"] = "debug", ["spanks"] = "spank", ["coughs"] = "cough", ["punish"] = "punish", ["spanking"] = "spank", ["abused"] = "abuse", ["ski"] = "ski", ["gang-banging"] = "gang-bang", ["spank"] = "spank", ["roughs"] = "rough", ["redesigned"] = "redesign", ["feather"] = "feather", ["scribble"] = "scribble", ["flying"] = "fly", ["amalgamating"] = "amalgamate", ["chainsmoke"] = "chainsmoke", ["spangled"] = "spangle", ["recovered"] = "recover", ["avoiding"] = "avoid", ["spangle"] = "spangle", ["spamming"] = "spam", ["spammed"] = "spam", ["alphatesting"] = "alphatest", ["plying"] = "ply", ["spacing"] = "space", ["spaces"] = "space", ["guaranteed"] = "guarantee", ["preselects"] = "preselect", ["fistbumps"] = "fistbump", ["sickens"] = "sicken", ["ravaging"] = "ravage", ["ranked"] = "rank", ["scowling"] = "scowl", ["finishes"] = "finish", ["lessened"] = "lessen", ["girdle"] = "girdle", ["flounce"] = "flounce", ["clatter"] = "clatter", ["segue"] = "segue", ["barbecuing"] = "barbecue", ["alienated"] = "alienate", ["sow"] = "sow", ["discovered"] = "discover", ["sousing"] = "souse", ["soused"] = "souse", ["co-authoring"] = "co-author", ["scrubbing"] = "scrub", ["banked"] = "bank", ["levied"] = "levy", ["reamed"] = "ream", ["discussing"] = "discuss", ["irrigate"] = "irrigate", ["soured"] = "sour", ["clears"] = "clear", ["sources"] = "source", ["sourced"] = "source", ["slews"] = "slew", ["source"] = "source", ["fabricate"] = "fabricate", ["distances"] = "distance", ["retweeting"] = "retweet", ["jinx"] = "jinx", ["soups"] = "soup", ["wobbling"] = "wobble", ["entertain"] = "entertain", ["soup"] = "soup", ["sounds"] = "sound", ["conceptualised"] = "conceptualise", ["reanimated"] = "reanimate", ["bewilders"] = "bewilder", ["neglect"] = "neglect", ["assailed"] = "assail", ["arses"] = "arse", ["soothes"] = "soothe", ["petitioned"] = "petition", ["sought"] = "seek", ["scythe"] = "scythe", ["animate"] = "animate", ["hobbling"] = "hobble", ["gobbling"] = "gobble", ["skid"] = "skid", ["photographed"] = "photograph", ["redrafting"] = "redraft", ["cobbling"] = "cobble", ["daydreaming"] = "daydream", ["acquaint"] = "acquaint", ["adlibbed"] = "adlib", ["soughing"] = "sough", ["showered"] = "shower", ["whirr"] = "whirr", ["forgets"] = "forget", ["microblogging"] = "microblog", ["nobbling"] = "nobble", ["hot-swap"] = "hot-swap", ["captaining"] = "captain", ["trying"] = "try", ["sorrowing"] = "sorrow", ["sorrow"] = "sorrow", ["formalised"] = "formalise", ["bestowing"] = "bestow", ["sopping"] = "sop", ["sopped"] = "sop", ["suiting"] = "suit", ["elevating"] = "elevate", ["bobbling"] = "bobble", ["tautening"] = "tauten", ["preselecting"] = "preselect", ["applied"] = "apply", ["somersaults"] = "somersault", ["morph"] = "morph", ["somersaulted"] = "somersault", ["drying"] = "dry", ["equalize"] = "equalize", ["kindles"] = "kindle", ["soughs"] = "sough", ["disregards"] = "disregard", ["tangoes"] = "tango", ["frying"] = "fry", ["soloing"] = "solo", ["indict"] = "indict", ["interweave"] = "interweave", ["lofted"] = "loft", ["soling"] = "sole", ["crests"] = "crest", ["detecting"] = "detect", ["obtrudes"] = "obtrude", ["crumples"] = "crumple", ["soliloquized"] = "soliloquize", ["gainsaying"] = "gainsay", ["soliloquising"] = "soliloquise", ["soliloquises"] = "soliloquise", ["soliloquise"] = "soliloquise", ["entitling"] = "entitle", ["palmed"] = "palm", ["solidifying"] = "solidify", ["solidify"] = "solidify", ["spears"] = "spear", ["reused"] = "reuse", ["solidified"] = "solidify", ["carouses"] = "carouse", ["solicits"] = "solicit", ["experiments"] = "experiment", ["demoed"] = "demo", ["rig"] = "rig", ["punching"] = "punch", ["shrooms"] = "shroom", ["condemned"] = "condemn", ["stereotypes"] = "stereotype", ["shtupping"] = "shtup", ["energized"] = "energize", ["sleeking"] = "sleek", ["besets"] = "beset", ["soldier"] = "soldier", ["gussies"] = "gussy", ["caps"] = "cap", ["solder"] = "solder", ["imbibing"] = "imbibe", ["situated"] = "situate", ["greenlights"] = "greenlight", ["solaces"] = "solace", ["solaced"] = "solace", ["road-tests"] = "road-test", ["solace"] = "solace", ["hibernate"] = "hibernate", ["prewash"] = "prewash", ["promote"] = "promote", ["sojourned"] = "sojourn", ["delineating"] = "delineate", ["ornamenting"] = "ornament", ["bargained"] = "bargain", ["sojourn"] = "sojourn", ["soiling"] = "soil", ["soiled"] = "soil", ["soil"] = "soil", ["scurrying"] = "scurry", ["softsoaping"] = "softsoap", ["coalesces"] = "coalesce", ["Spells"] = "Spell", ["softsoaped"] = "softsoap", ["disillusioned"] = "disillusion", ["punishes"] = "punish", ["dopped"] = "dop", ["softshoes"] = "softshoe", ["programming"] = "programme", ["remedies"] = "remedy", ["softpedals"] = "softpedal", ["stabilizes"] = "stabilize", ["softpedalled"] = "softpedal", ["softens"] = "soften", ["abetting"] = "abet", ["jazz"] = "jazz", ["softened"] = "soften", ["soft-soaping"] = "soft-soap", ["soft-shoes"] = "soft-shoe", ["soft-shoed"] = "soft-shoe", ["soft-shoe"] = "soft-shoe", ["disaffiliates"] = "disaffiliate", ["networks"] = "network", ["misunderstood"] = "misunderstand", ["soft-pedals"] = "soft-pedal", ["pay"] = "pay", ["finalise"] = "finalise", ["soft-pedalled"] = "soft-pedal", ["buried"] = "bury", ["starting"] = "start", ["chainsmokes"] = "chainsmoke", ["tailing"] = "tail", ["bullshitting"] = "bullshit", ["railing"] = "rail", ["sailing"] = "sail", ["perpetrate"] = "perpetrate", ["sodomizes"] = "sodomize", ["palatalised"] = "palatalise", ["wailing"] = "wail", ["razz"] = "razz", ["growl"] = "growl", ["coldshoulders"] = "coldshoulder", ["appreciating"] = "appreciate", ["critiqued"] = "critique", ["interrelates"] = "interrelate", ["nailing"] = "nail", ["besieging"] = "besiege", ["customize"] = "customize", ["changes"] = "change", ["sodomised"] = "sodomise", ["mutilate"] = "mutilate", ["insets"] = "inset", ["sodomise"] = "sodomise", ["immigrated"] = "immigrate", ["fuses"] = "fuse", ["unnerves"] = "unnerve", ["socking"] = "sock", ["affronts"] = "affront", ["buses"] = "bus", ["socked"] = "sock", ["sock"] = "sock", ["socializing"] = "socialize", ["dwells"] = "dwell", ["socializes"] = "socialize", ["socialized"] = "socialize", ["incites"] = "incite", ["chaffing"] = "chaff", ["pinched"] = "pinch", ["eludes"] = "elude", ["socialising"] = "socialise", ["harvested"] = "harvest", ["gingered"] = "ginger", ["fingered"] = "finger", ["italicising"] = "italicise", ["cinched"] = "cinch", ["swells"] = "swell", ["chass�s"] = "chass�", ["muses"] = "muse", ["enfranchise"] = "enfranchise", ["spattering"] = "spatter", ["redefined"] = "redefine", ["retaken"] = "retake", ["blitz"] = "blitz", ["disport"] = "disport", ["ostracizing"] = "ostracize", ["teleconferencing"] = "teleconference", ["sobs"] = "sob", ["backslides"] = "backslide", ["sobers"] = "sober", ["sobered"] = "sober", ["kidnaps"] = "kidnap", ["sober"] = "sober", ["chunter"] = "chunter", ["sobbing"] = "sob", ["sobbed"] = "sob", ["fasttracked"] = "fasttrack", ["sob"] = "sob", ["reanimates"] = "reanimate", ["reassigns"] = "reassign", ["proctors"] = "proctor", ["soars"] = "soar", ["soaring"] = "soar", ["commissions"] = "commission", ["challan"] = "challan", ["overindulges"] = "overindulge", ["soared"] = "soar", ["gesticulating"] = "gesticulate", ["farewelling"] = "farewell", ["keened"] = "keen", ["double-parking"] = "double-park", ["delivers"] = "deliver", ["soar"] = "soar", ["bowls"] = "bowl", ["bailing"] = "bail", ["soaps"] = "soap", ["overbearing"] = "overbear", ["denationalises"] = "denationalise", ["failing"] = "fail", ["retarding"] = "retard", ["soaped"] = "soap", ["soaks"] = "soak", ["pronounced"] = "pronounce", ["gibber"] = "gibber", ["soaking"] = "soak", ["soaked"] = "soak", ["soak"] = "soak", ["purls"] = "purl", ["lances"] = "lance", ["snuggled"] = "snuggle", ["fine-tune"] = "fine-tune", ["franked"] = "frank", ["self-harmed"] = "self-harm", ["snuffs"] = "snuff", ["lay"] = "lie", ["snuffling"] = "snuffle", ["dances"] = "dance", ["fondles"] = "fondle", ["desolating"] = "desolate", ["snuffle"] = "snuffle", ["bay"] = "bay", ["initiated"] = "initiate", ["grouches"] = "grouch", ["snuffing"] = "snuff", ["rumble"] = "rumble", ["snuffed"] = "snuff", ["tumble"] = "tumble", ["reissuing"] = "reissue", ["paralyzing"] = "paralyze", ["mumble"] = "mumble", ["remarks"] = "remark", ["enlarges"] = "enlarge", ["jumble"] = "jumble", ["canonized"] = "canonize", ["initial"] = "initial", ["snub"] = "snub", ["fumble"] = "fumble", ["prattled"] = "prattle", ["overfeed"] = "overfeed", ["angers"] = "anger", ["housed"] = "house", ["careens"] = "careen", ["exasperated"] = "exasperate", ["snowploughs"] = "snowplough", ["notarises"] = "notarise", ["metabolise"] = "metabolise", ["snowploughing"] = "snowplough", ["predisposes"] = "predispose", ["remap"] = "remap", ["snowploughed"] = "snowplough", ["convected"] = "convect", ["ferried"] = "ferry", ["loused"] = "louse", ["purees"] = "puree", ["snowed"] = "snow", ["moused"] = "mouse", ["snowballs"] = "snowball", ["outlived"] = "outlive", ["sculpted"] = "sculpt", ["inclose"] = "inclose", ["completed"] = "complete", ["prohibited"] = "prohibit", ["snowballed"] = "snowball", ["smarting"] = "smart", ["snorting"] = "snort", ["horrifies"] = "horrify", ["snort"] = "snort", ["snorkelling"] = "snorkel", ["plodded"] = "plod", ["skies"] = "sky", ["snorkelled"] = "snorkel", ["enclose"] = "enclose", ["bumble"] = "bumble", ["pips"] = "pip", ["snored"] = "snore", ["moulds"] = "mould", ["fast-forwarded"] = "fast-forward", ["snoozing"] = "snooze", ["snoozes"] = "snooze", ["snooze"] = "snooze", ["sweettalk"] = "sweettalk", ["snooped"] = "snoop", ["intertwined"] = "intertwine", ["snoop"] = "snoop", ["congealing"] = "congeal", ["slugging"] = "slug", ["snookering"] = "snooker", ["benched"] = "bench", ["ran"] = "run", ["magicking"] = "magic", ["snooker"] = "snooker", ["snogging"] = "snog", ["snog"] = "snog", ["shadowboxes"] = "shadowbox", ["snivel"] = "snivel", ["underplays"] = "underplay", ["snitch"] = "snitch", ["snipped"] = "snip", ["firm"] = "firm", ["sniggers"] = "snigger", ["sniggering"] = "snigger", ["sniggered"] = "snigger", ["sniffs"] = "sniff", ["sniffling"] = "sniffle", ["sniffles"] = "sniffle", ["plies"] = "ply", ["preset"] = "preset", ["sniffle"] = "sniffle", ["saying"] = "say", ["impanels"] = "impanel", ["sniff"] = "sniff", ["accompanies"] = "accompany", ["snickers"] = "snicker", ["unfrock"] = "unfrock", ["ferreted"] = "ferret", ["flies"] = "fly", ["snickered"] = "snicker", ["sneezing"] = "sneeze", ["mirror"] = "mirror", ["sneezed"] = "sneeze", ["sneers"] = "sneer", ["fertilizes"] = "fertilize", ["sneering"] = "sneer", ["modified"] = "modify", ["sneered"] = "sneer", ["sneaks"] = "sneak", ["carped"] = "carp", ["demeaned"] = "demean", ["commiserates"] = "commiserate", ["paying"] = "pay", ["illuminating"] = "illuminate", ["liaise"] = "liaise", ["sneak"] = "sneak", ["codified"] = "codify", ["amused"] = "amuse", ["snatching"] = "snatch", ["shafting"] = "shaft", ["snatch"] = "snatch", ["mechanizing"] = "mechanize", ["fences"] = "fence", ["snarls"] = "snarl", ["de-icing"] = "de-ice", ["snarks"] = "snark", ["actualising"] = "actualise", ["distended"] = "distend", ["snarking"] = "snark", ["snarked"] = "snark", ["baying"] = "bay", ["simulated"] = "simulate", ["snaring"] = "snare", ["snarfed"] = "snarf", ["snarf"] = "snarf", ["snares"] = "snare", ["shimmies"] = "shimmy", ["outgun"] = "outgun", ["misgoverns"] = "misgovern", ["enthusing"] = "enthuse", ["overused"] = "overuse", ["commandeers"] = "commandeer", ["focalizing"] = "focalize", ["purport"] = "purport", ["dovetails"] = "dovetail", ["fist-bumping"] = "fist-bump", ["snaps"] = "snap", ["double-glazing"] = "double-glaze", ["redefining"] = "redefine", ["desired"] = "desire", ["flexes"] = "flex", ["snapped"] = "snap", ["snap"] = "snap", ["exasperates"] = "exasperate", ["horrified"] = "horrify", ["snakes"] = "snake", ["clout"] = "clout", ["snaked"] = "snake", ["snags"] = "snag", ["flout"] = "flout", ["snaggling"] = "snaggle", ["jump-starting"] = "jump-start", ["snaggles"] = "snaggle", ["lobbying"] = "lobby", ["feminising"] = "feminise", ["hiccups"] = "hiccup", ["snaggle"] = "snaggle", ["ply"] = "ply", ["corkscrewed"] = "corkscrew", ["decode"] = "decode", ["reveres"] = "revere", ["snaffling"] = "snaffle", ["angles"] = "angle", ["snaffles"] = "snaffle", ["troll"] = "troll", ["snaffle"] = "snaffle", ["modernise"] = "modernise", ["fly"] = "fly", ["marvelling"] = "marvel", ["snacks"] = "snack", ["resembling"] = "resemble", ["snacking"] = "snack", ["snack"] = "snack", ["smuggles"] = "smuggle", ["secedes"] = "secede", ["fortify"] = "fortify", ["smudging"] = "smudge", ["smudges"] = "smudge", ["kinghit"] = "kinghit", ["rustle"] = "rustle", ["safeguards"] = "safeguard", ["smothers"] = "smother", ["localizing"] = "localize", ["antagonizes"] = "antagonize", ["collated"] = "collate", ["actualized"] = "actualize", ["smothered"] = "smother", ["smote"] = "smite", ["reshuffle"] = "reshuffle", ["smooths"] = "smooth", ["sandpapered"] = "sandpaper", ["professionalizes"] = "professionalize", ["smoothed"] = "smooth", ["quadruple"] = "quadruple", ["smoodging"] = "smoodge", ["smoodges"] = "smoodge", ["smoodged"] = "smoodge", ["feminize"] = "feminize", ["demands"] = "demand", ["smoodge"] = "smoodge", ["cool"] = "cool", ["smooching"] = "smooch", ["preserving"] = "preserve", ["flanked"] = "flank", ["wheeled"] = "wheel", ["smooched"] = "smooch", ["smooch"] = "smooch", ["smolders"] = "smolder", ["collocated"] = "collocate", ["gingering"] = "ginger", ["smoking"] = "smoke", ["smokes"] = "smoke", ["accorded"] = "accord", ["grout"] = "grout", ["smoke"] = "smoke", ["tool"] = "tool", ["smite"] = "smite", ["skiving"] = "skive", ["smirks"] = "smirk", ["pool"] = "pool", ["smirked"] = "smirk", ["smiling"] = "smile", ["ebays"] = "ebay", ["counter"] = "counter", ["embargo"] = "embargo", ["smiled"] = "smile", ["smile"] = "smile", ["overtakes"] = "overtake", ["flaunt"] = "flaunt", ["outweighing"] = "outweigh", ["smelting"] = "smelt", ["screens"] = "screen", ["smells"] = "smell", ["smears"] = "smear", ["belittle"] = "belittle", ["smearing"] = "smear", ["behove"] = "behove", ["smeared"] = "smear", ["clanked"] = "clank", ["blanked"] = "blank", ["transliterate"] = "transliterate", ["smashing"] = "smash", ["eagles"] = "eagle", ["house-sits"] = "house-sit", ["smarts"] = "smart", ["smartened"] = "smarten", ["text-messaged"] = "text-message", ["smart"] = "smart", ["smacks"] = "smack", ["smacking"] = "smack", ["smacked"] = "smack", ["flopped"] = "flop", ["blabbered"] = "blabber", ["perpetuate"] = "perpetuate", ["corroborating"] = "corroborate", ["slurring"] = "slur", ["fetishises"] = "fetishise", ["slurp"] = "slurp", ["slur"] = "slur", ["slunk"] = "slink", ["slums"] = "slum", ["slumps"] = "slump", ["slumping"] = "slump", ["casserole"] = "casserole", ["slumped"] = "slump", ["perceives"] = "perceive", ["slump"] = "slump", ["slumming"] = "slum", ["misreading"] = "misread", ["slummed"] = "slum", ["press"] = "press", ["slumbering"] = "slumber", ["laughs"] = "laugh", ["slumber"] = "slumber", ["sluices"] = "sluice", ["deprave"] = "deprave", ["snookers"] = "snooker", ["slug"] = "slug", ["slows"] = "slow", ["air-kissing"] = "air-kiss", ["registers"] = "register", ["re-releases"] = "re-release", ["floodlight"] = "floodlight", ["accents"] = "accent", ["slowing"] = "slow", ["slowed"] = "slow", ["barracking"] = "barrack", ["slow"] = "slow", ["slough"] = "slough", ["captains"] = "captain", ["discoloured"] = "discolour", ["slouching"] = "slouch", ["dovetailed"] = "dovetail", ["sided"] = "side", ["compared"] = "compare", ["accentuates"] = "accentuate", ["ham"] = "ham", ["slots"] = "slot", ["mis-selling"] = "mis-sell", ["slot"] = "slot", ["sloshing"] = "slosh", ["mashing"] = "mash", ["decolonize"] = "decolonize", ["sloshed"] = "slosh", ["cold-shoulder"] = "cold-shoulder", ["slosh"] = "slosh", ["slopped"] = "slop", ["filibusters"] = "filibuster", ["roller skate"] = "roller skate", ["classify"] = "classify", ["sloped"] = "slope", ["ponied"] = "pony", ["contradicted"] = "contradict", ["back-heels"] = "back-heel", ["slogs"] = "slog", ["mishandle"] = "mishandle", ["slog"] = "slog", ["slobbers"] = "slobber", ["breathing"] = "breathe", ["overindulged"] = "overindulge", ["thanked"] = "thank", ["proportioned"] = "proportion", ["slob"] = "slob", ["slits"] = "slit", ["slithers"] = "slither", ["slithering"] = "slither", ["amounts"] = "amount", ["depressurised"] = "depressurise", ["relays"] = "relay", ["caramelizing"] = "caramelize", ["slit"] = "slit", ["palpate"] = "palpate", ["hotfooting"] = "hotfoot", ["slips"] = "slip", ["comparison-shops"] = "comparison-shop", ["romanticized"] = "romanticize", ["lectures"] = "lecture", ["slinked"] = "slink", ["forgone"] = "forgo", ["slink"] = "slink", ["embroidering"] = "embroider", ["rogers"] = "roger", ["misapprehending"] = "misapprehend", ["slings"] = "sling", ["belays"] = "belay", ["polarised"] = "polarise", ["slinging"] = "sling", ["pillaged"] = "pillage", ["sling"] = "sling", ["slims"] = "slim", ["plates"] = "plate", ["photographs"] = "photograph", ["slimmed"] = "slim", ["slights"] = "slight", ["yacking"] = "yack", ["curses"] = "curse", ["disestablished"] = "disestablish", ["relinquishing"] = "relinquish", ["liberalised"] = "liberalise", ["slid"] = "slide", ["deep fry"] = "deep fry", ["racking"] = "rack", ["dress"] = "dress", ["tacking"] = "tack", ["sacking"] = "sack", ["annealed"] = "anneal", ["listening"] = "listen", ["packing"] = "pack", ["defines"] = "define", ["jacking"] = "jack", ["slicing"] = "slice", ["lacking"] = "lack", ["swivel"] = "swivel", ["sidled"] = "sidle", ["slice"] = "slice", ["hacking"] = "hack", ["exiling"] = "exile", ["backing"] = "back", ["diphthongized"] = "diphthongize", ["slewing"] = "slew", ["outline"] = "outline", ["slewed"] = "slew", ["sleeting"] = "sleet", ["offer"] = "offer", ["necklacing"] = "necklace", ["sleet"] = "sleet", ["overhangs"] = "overhang", ["sleepwalk"] = "sleepwalk", ["birdied"] = "birdie", ["exercised"] = "exercise", ["sleeps"] = "sleep", ["decreasing"] = "decrease", ["sequestrate"] = "sequestrate", ["sleeks"] = "sleek", ["soldiers"] = "soldier", ["sleek"] = "sleek", ["misconceive"] = "misconceive", ["empty"] = "empty", ["sledging"] = "sledge", ["impact"] = "impact", ["undressing"] = "undress", ["sledge"] = "sledge", ["reprimand"] = "reprimand", ["sled"] = "sled", ["slays"] = "slay", ["abhor"] = "abhor", ["slaying"] = "slay", ["bequeaths"] = "bequeath", ["refer"] = "refer", ["slay"] = "slay", ["critiquing"] = "critique", ["industrialising"] = "industrialise", ["raze"] = "raze", ["clutters"] = "clutter", ["blenches"] = "blench", ["clenches"] = "clench", ["embalming"] = "embalm", ["slavering"] = "slaver", ["evincing"] = "evince", ["computed"] = "compute", ["supersede"] = "supersede", ["brooked"] = "brook", ["pares"] = "pare", ["occluding"] = "occlude", ["holds"] = "hold", ["rosining"] = "rosin", ["inlaying"] = "inlay", ["addled"] = "addle", ["slather"] = "slather", ["surprises"] = "surprise", ["enjoying"] = "enjoy", ["slated"] = "slate", ["fares"] = "fare", ["cares"] = "care", ["conceptualising"] = "conceptualise", ["weakened"] = "weaken", ["bares"] = "bare", ["beseeching"] = "beseech", ["landscape"] = "landscape", ["slashed"] = "slash", ["miaowing"] = "miaow", ["slash"] = "slash", ["slaps"] = "slap", ["bless"] = "bless", ["corresponds"] = "correspond", ["conciliated"] = "conciliate", ["twerking"] = "twerk", ["slapped"] = "slap", ["overfill"] = "overfill", ["slants"] = "slant", ["slanting"] = "slant", ["slant"] = "slant", ["slanders"] = "slander", ["exchanging"] = "exchange", ["heads"] = "head", ["driving"] = "drive", ["slander"] = "slander", ["redial"] = "redial", ["slammed"] = "slam", ["hypothesize"] = "hypothesize", ["slamdunking"] = "slamdunk", ["eased"] = "ease", ["conjoins"] = "conjoin", ["grill"] = "grill", ["passivise"] = "passivise", ["knackering"] = "knacker", ["slam-dunks"] = "slam-dunk", ["crowdsourced"] = "crowdsource", ["gawks"] = "gawk", ["booze"] = "booze", ["slam"] = "slam", ["slaking"] = "slake", ["absconds"] = "abscond", ["circumscribed"] = "circumscribe", ["slaked"] = "slake", ["slake"] = "slake", ["refitted"] = "refit", ["rubbed"] = "rub", ["programme"] = "programme", ["traced"] = "trace", ["eluding"] = "elude", ["slags"] = "slag", ["petition"] = "petition", ["glorified"] = "glorify", ["pry"] = "pry", ["cry"] = "cry", ["slacks"] = "slack", ["peoples"] = "people", ["dry"] = "dry", ["slackens"] = "slacken", ["badmouth"] = "badmouth", ["cased"] = "case", ["befitted"] = "befit", ["ensured"] = "ensure", ["commemorating"] = "commemorate", ["slacken"] = "slacken", ["masquerade"] = "masquerade", ["insured"] = "insure", ["necking"] = "neck", ["slacked"] = "slack", ["pecking"] = "peck", ["spooked"] = "spook", ["skyrockets"] = "skyrocket", ["skyrocketing"] = "skyrocket", ["decking"] = "deck", ["skyrocket"] = "skyrocket", ["fine-tuned"] = "fine-tune", ["skypes"] = "skype", ["froze"] = "freeze", ["modelling"] = "model", ["retouching"] = "retouch", ["remixes"] = "remix", ["discolours"] = "discolour", ["skype"] = "skype", ["crackled"] = "crackle", ["skyjacking"] = "skyjack", ["disown"] = "disown", ["skyjacked"] = "skyjack", ["skyjack"] = "skyjack", ["recognized"] = "recognize", ["mercerizes"] = "mercerize", ["skying"] = "sky", ["sky"] = "sky", ["skulks"] = "skulk", ["deflowered"] = "deflower", ["skulked"] = "skulk", ["exfoliates"] = "exfoliate", ["change"] = "change", ["skives"] = "skive", ["push-started"] = "push-start", ["inured"] = "inure", ["reecho"] = "reecho", ["parcel"] = "parcel", ["skittered"] = "skitter", ["continued"] = "continue", ["spy"] = "spy", ["skis"] = "ski", ["skirts"] = "skirt", ["skirted"] = "skirt", ["reapplied"] = "reapply", ["remaindered"] = "remainder", ["skirmishing"] = "skirmish", ["condenses"] = "condense", ["bonked"] = "bonk", ["conked"] = "conk", ["interpolated"] = "interpolate", ["inspired"] = "inspire", ["contented"] = "content", ["skirmishes"] = "skirmish", ["honked"] = "honk", ["flinging"] = "fling", ["nick"] = "nick", ["mechanises"] = "mechanise", ["lick"] = "lick", ["kick"] = "kick", ["secrete"] = "secrete", ["toured"] = "tour", ["skippering"] = "skipper", ["grasping"] = "grasp", ["skip"] = "skip", ["poured"] = "pour", ["dick"] = "dick", ["bottlefeeding"] = "bottlefeed", ["skinned"] = "skin", ["loured"] = "lour", ["inch"] = "inch", ["skims"] = "skim", ["embodied"] = "embody", ["overgeneralizes"] = "overgeneralize", ["skimping"] = "skimp", ["skimming"] = "skim", ["authenticates"] = "authenticate", ["swerved"] = "swerve", ["scootch"] = "scootch", ["depressurise"] = "depressurise", ["reefed"] = "reef", ["donated"] = "donate", ["skids"] = "skid", ["skidding"] = "skid", ["spanked"] = "spank", ["skews"] = "skew", ["addressing"] = "address", ["hallmarks"] = "hallmark", ["eavesdrop"] = "eavesdrop", ["refined"] = "refine", ["skewers"] = "skewer", ["scraps"] = "scrap", ["antes"] = "ante", ["nationalized"] = "nationalize", ["sise"] = "sise", ["exploited"] = "exploit", ["skewered"] = "skewer", ["skewed"] = "skew", ["wise"] = "wise", ["polymerising"] = "polymerise", ["rots"] = "rot", ["skeeving"] = "skeeve", ["skeeves"] = "skeeve", ["theorising"] = "theorise", ["skedaddling"] = "skedaddle", ["emulsify"] = "emulsify", ["firmed"] = "firm", ["skedaddle"] = "skedaddle", ["outpointed"] = "outpoint", ["cements"] = "cement", ["shapes"] = "shape", ["skateboards"] = "skateboard", ["skateboarding"] = "skateboard", ["skate"] = "skate", ["sizzling"] = "sizzle", ["sizzles"] = "sizzle", ["sizzled"] = "sizzle", ["sizzle"] = "sizzle", ["muted"] = "mute", ["bites"] = "bite", ["sizing"] = "size", ["sizes"] = "size", ["extirpates"] = "extirpate", ["prides"] = "pride", ["outed"] = "out", ["situating"] = "situate", ["kites"] = "kite", ["increasing"] = "increase", ["situate"] = "situate", ["sits"] = "sit", ["yodelling"] = "yodel", ["emphasizes"] = "emphasize", ["sited"] = "site", ["sit"] = "sit", ["nickel-and-dime"] = "nickel-and-dime", ["sises"] = "sise", ["sugar-coated"] = "sugar-coat", ["remanding"] = "remand", ["exercises"] = "exercise", ["commandeering"] = "commandeer", ["flinched"] = "flinch", ["sired"] = "sire", ["sips"] = "sip", ["upbraids"] = "upbraid", ["dieted"] = "diet", ["squirms"] = "squirm", ["furthers"] = "further", ["sinning"] = "sin", ["sinned"] = "sin", ["suffused"] = "suffuse", ["dwarfed"] = "dwarf", ["chlorinating"] = "chlorinate", ["pretended"] = "pretend", ["pedestrianised"] = "pedestrianise", ["lacquering"] = "lacquer", ["sink"] = "sink", ["discouraged"] = "discourage", ["despoiled"] = "despoil", ["sings"] = "sing", ["singling"] = "single", ["singles"] = "single", ["single"] = "single", ["singes"] = "singe", ["singed"] = "singe", ["quarrels"] = "quarrel", ["simulcasts"] = "simulcast", ["short-lists"] = "short-list", ["dehumanise"] = "dehumanise", ["simulating"] = "simulate", ["tutor"] = "tutor", ["keeping"] = "keep", ["resorts"] = "resort", ["precis"] = "precis", ["simplified"] = "simplify", ["simpers"] = "simper", ["mobbed"] = "mob", ["lobbed"] = "lob", ["simpered"] = "simper", ["disconcerting"] = "disconcert", ["simper"] = "simper", ["burning"] = "burn", ["gobbed"] = "gob", ["dotes"] = "dote", ["braising"] = "braise", ["delaying"] = "delay", ["memorizing"] = "memorize", ["robbed"] = "rob", ["peck"] = "peck", ["focused"] = "focus", ["neck"] = "neck", ["simmered"] = "simmer", ["corral"] = "corral", ["notes"] = "note", ["simmer"] = "simmer", ["silvers"] = "silver", ["bugger"] = "bugger", ["silvered"] = "silver", ["re-covered"] = "re-cover", ["outflanks"] = "outflank", ["saunter"] = "saunter", ["overdid"] = "overdo", ["silkscreens"] = "silkscreen", ["ensnaring"] = "ensnare", ["silkscreening"] = "silkscreen", ["silkscreen"] = "silkscreen", ["telexing"] = "telex", ["arse"] = "arse", ["fob"] = "fob", ["fasttrack"] = "fasttrack", ["silk-screen"] = "silk-screen", ["frays"] = "fray", ["aggregate"] = "aggregate", ["bamboozle"] = "bamboozle", ["remarries"] = "remarry", ["silencing"] = "silence", ["urinate"] = "urinate", ["prays"] = "pray", ["militate"] = "militate", ["retracting"] = "retract", ["eroded"] = "erode", ["silence"] = "silence", ["signposts"] = "signpost", ["signposted"] = "signpost", ["appreciate"] = "appreciate", ["signify"] = "signify", ["signified"] = "signify", ["mushrooms"] = "mushroom", ["focusing"] = "focus", ["ingested"] = "ingest", ["muse"] = "muse", ["brays"] = "bray", ["jobshare"] = "jobshare", ["dobbed"] = "dob", ["signal"] = "signal", ["bobbed"] = "bob", ["sights"] = "sight", ["sightseen"] = "sightsee", ["sightseeing"] = "sightsee", ["reassembles"] = "reassemble", ["sightsaw"] = "sightsee", ["sightsees"] = "sightsee", ["sightreading"] = "sightread", ["sighting"] = "sight", ["ransoms"] = "ransom", ["reappoints"] = "reappoint", ["multicasts"] = "multicast", ["misinform"] = "misinform", ["assembling"] = "assemble", ["contributing"] = "contribute", ["remade"] = "remake", ["deciphered"] = "decipher", ["sighted"] = "sight", ["sight-reads"] = "sight-read", ["psychs"] = "psych", ["scrunches"] = "scrunch", ["sight-read"] = "sight-read", ["burped"] = "burp", ["crossbreeding"] = "crossbreed", ["detoxified"] = "detoxify", ["pummels"] = "pummel", ["relished"] = "relish", ["incarnating"] = "incarnate", ["ghettoises"] = "ghettoise", ["dumbfounded"] = "dumbfound", ["detracting"] = "detract", ["divorces"] = "divorce", ["sigh"] = "sigh", ["bully"] = "bully", ["sifts"] = "sift", ["re-routing"] = "re-route", ["sifting"] = "sift", ["broadcasted"] = "broadcast", ["sift"] = "sift", ["mechanize"] = "mechanize", ["redeeming"] = "redeem", ["kick-starting"] = "kick-start", ["sieving"] = "sieve", ["goads"] = "goad", ["dry-cleaned"] = "dry-clean", ["sieves"] = "sieve", ["foaming"] = "foam", ["coruscating"] = "coruscate", ["braced"] = "brace", ["sieved"] = "sieve", ["pitched"] = "pitch", ["enabling"] = "enable", ["sidle"] = "sidle", ["nose"] = "nose", ["siding"] = "side", ["lose"] = "lose", ["sidetracks"] = "sidetrack", ["rose"] = "rise", ["sidetracking"] = "sidetrack", ["animates"] = "animate", ["bridle"] = "bridle", ["sidetrack"] = "sidetrack", ["salvaged"] = "salvage", ["sidesteps"] = "sidestep", ["sidestepped"] = "sidestep", ["sedated"] = "sedate", ["adulterated"] = "adulterate", ["sidelining"] = "sideline", ["glad-handing"] = "glad-hand", ["digitalizes"] = "digitalize", ["pack"] = "pack", ["sidelines"] = "sideline", ["sidelined"] = "sideline", ["sideline"] = "sideline", ["lack"] = "lack", ["sidefoots"] = "sidefoot", ["betided"] = "betide", ["harassing"] = "harass", ["interact"] = "interact", ["sidefooted"] = "sidefoot", ["shy"] = "shy", ["disturbing"] = "disturb", ["fuse"] = "fuse", ["sack"] = "sack", ["back"] = "back", ["chaired"] = "chair", ["betaken"] = "betake", ["shutters"] = "shutter", ["overawed"] = "overawe", ["slouches"] = "slouch", ["side-foots"] = "side-foot", ["side-footing"] = "side-foot", ["jack"] = "jack", ["cranked"] = "crank", ["enfolds"] = "enfold", ["side-foot"] = "side-foot", ["relegate"] = "relegate", ["sicks"] = "sick", ["sicking"] = "sick", ["spaced"] = "space", ["sickening"] = "sicken", ["bereaves"] = "bereave", ["inoculated"] = "inoculate", ["sickened"] = "sicken", ["sick"] = "sick", ["shriek"] = "shriek", ["sicced"] = "sic", ["jostled"] = "jostle", ["shying"] = "shy", ["decompress"] = "decompress", ["protesting"] = "protest", ["shuttles"] = "shuttle", ["overborne"] = "overbear", ["shuttled"] = "shuttle", ["surfaces"] = "surface", ["shuttering"] = "shutter", ["choose"] = "choose", ["exhilarates"] = "exhilarate", ["forbearing"] = "forbear", ["upload"] = "upload", ["benchmark"] = "benchmark", ["shushed"] = "shush", ["rucked"] = "ruck", ["proselytising"] = "proselytise", ["shambled"] = "shamble", ["emcees"] = "emcee", ["proctoring"] = "proctor", ["probates"] = "probate", ["reemerging"] = "reemerge", ["shunts"] = "shunt", ["incarnate"] = "incarnate", ["cache"] = "cache", ["shunting"] = "shunt", ["shunted"] = "shunt", ["shunt"] = "shunt", ["jibbed"] = "jib", ["shuns"] = "shun", ["shunning"] = "shun", ["demoralize"] = "demoralize", ["surrender"] = "surrender", ["annulling"] = "annul", ["swanked"] = "swank", ["distributed"] = "distribute", ["dose"] = "dose", ["decimalized"] = "decimalize", ["gazed"] = "gaze", ["shuffles"] = "shuffle", ["hose"] = "hose", ["brokered"] = "broker", ["shuffle"] = "shuffle", ["minimised"] = "minimise", ["shudders"] = "shudder", ["shuddering"] = "shudder", ["desensitizing"] = "desensitize", ["lazed"] = "laze", ["deregulated"] = "deregulate", ["hurting"] = "hurt", ["attaining"] = "attain", ["specifying"] = "specify", ["embargoes"] = "embargo", ["shucks"] = "shuck", ["shucking"] = "shuck", ["cured"] = "cure", ["churn"] = "churn", ["quieting"] = "quiet", ["grubbing"] = "grub", ["connotes"] = "connote", ["deforested"] = "deforest", ["shtupped"] = "shtup", ["shtup"] = "shtup", ["shrunk"] = "shrink", ["gloated"] = "gloat", ["shrugging"] = "shrug", ["sloshes"] = "slosh", ["scald"] = "scald", ["shrouding"] = "shroud", ["shrouded"] = "shroud", ["waiting"] = "wait", ["repackaged"] = "repackage", ["shroom"] = "shroom", ["dressing"] = "dress", ["touch"] = "touch", ["electrifies"] = "electrify", ["burglarizing"] = "burglarize", ["shrivelled"] = "shrivel", ["miscarrying"] = "miscarry", ["brainstorms"] = "brainstorm", ["shrivel"] = "shrivel", ["occlude"] = "occlude", ["move"] = "move", ["bitten"] = "bite", ["shrinks"] = "shrink", ["shrills"] = "shrill", ["succumbs"] = "succumb", ["rove"] = "rove", ["sympathizes"] = "sympathize", ["shrieks"] = "shriek", ["shrieking"] = "shriek", ["shrieked"] = "shriek", ["siccing"] = "sic", ["pressing"] = "press", ["shredded"] = "shred", ["imploded"] = "implode", ["shred"] = "shred", ["deigns"] = "deign", ["contenting"] = "content", ["cross-checking"] = "cross-check", ["revives"] = "revive", ["guffaw"] = "guffaw", ["commanded"] = "command", ["feigns"] = "feign", ["shown"] = "show", ["argues"] = "argue", ["showing"] = "show", ["showers"] = "shower", ["mortgages"] = "mortgage", ["learnt"] = "learn", ["showcases"] = "showcase", ["subsumes"] = "subsume", ["showcase"] = "showcase", ["pensions"] = "pension", ["immobilized"] = "immobilize", ["shelving"] = "shelve", ["nickeland-dime"] = "nickeland-dime", ["bloated"] = "bloat", ["vacationed"] = "vacation", ["guessing"] = "guess", ["delude"] = "delude", ["showboat"] = "showboat", ["deforming"] = "deform", ["message"] = "message", ["parries"] = "parry", ["forswearing"] = "forswear", ["show"] = "show", ["shoves"] = "shove", ["oppose"] = "oppose", ["wax"] = "wax", ["re-enacting"] = "re-enact", ["shovelled"] = "shovel", ["harries"] = "harry", ["quests"] = "quest", ["shoved"] = "shove", ["marries"] = "marry", ["interrogate"] = "interrogate", ["shove"] = "shove", ["shouts"] = "shout", ["drivel"] = "drivel", ["swelter"] = "swelter", ["attaching"] = "attach", ["shouted"] = "shout", ["bcc'ed"] = "bcc", ["poised"] = "poise", ["shouldering"] = "shoulder", ["shouldered"] = "shoulder", ["suspected"] = "suspect", ["shortlists"] = "shortlist", ["normalised"] = "normalise", ["banishes"] = "banish", ["shortlisting"] = "shortlist", ["pencils"] = "pencil", ["ennobles"] = "ennoble", ["text-message"] = "text-message", ["decoupling"] = "decouple", ["presume"] = "presume", ["shortening"] = "shorten", ["shortened"] = "shorten", ["botoxing"] = "botox", ["portray"] = "portray", ["reheard"] = "rehear", ["framing"] = "frame", ["shortcircuits"] = "shortcircuit", ["shortcircuiting"] = "shortcircuit", ["shortcircuited"] = "shortcircuit", ["acclimatise"] = "acclimatise", ["force-fed"] = "force-feed", ["imperilled"] = "imperil", ["shortchange"] = "shortchange", ["cogitate"] = "cogitate", ["flatters"] = "flatter", ["simulcasting"] = "simulcast", ["carries"] = "carry", ["cuffing"] = "cuff", ["baiting"] = "bait", ["mutes"] = "mute", ["anonymizing"] = "anonymize", ["christen"] = "christen", ["short-listed"] = "short-list", ["short-list"] = "short-list", ["erred"] = "err", ["beans"] = "bean", ["max"] = "max", ["short-circuiting"] = "short-circuit", ["short-circuited"] = "short-circuit", ["lowering"] = "lower", ["webcast"] = "webcast", ["resource"] = "resource", ["seesawing"] = "seesaw", ["short-changing"] = "short-change", ["short-changes"] = "short-change", ["short-change"] = "short-change", ["cowering"] = "cower", ["shorn"] = "shear", ["curtails"] = "curtail", ["shoring"] = "shore", ["shores"] = "shore", ["overstating"] = "overstate", ["shore"] = "shore", ["shops"] = "shop", ["capitalizing"] = "capitalize", ["deterring"] = "deter", ["butters"] = "butter", ["aired"] = "air", ["shoplifting"] = "shoplift", ["shoplifted"] = "shoplift", ["buckets"] = "bucket", ["deglazes"] = "deglaze", ["overworking"] = "overwork", ["towering"] = "tower", ["unbent"] = "unbend", ["shooting"] = "shoot", ["oxygenated"] = "oxygenate", ["powering"] = "power", ["scrunch-dries"] = "scrunch-dry", ["demotivate"] = "demotivate", ["shooing"] = "shoo", ["freaks"] = "freak", ["shoo"] = "shoo", ["reverses"] = "reverse", ["disgusted"] = "disgust", ["burden"] = "burden", ["creaks"] = "creak", ["shoes"] = "shoe", ["harmonises"] = "harmonise", ["shoeing"] = "shoe", ["mouldering"] = "moulder", ["shoehorns"] = "shoehorn", ["shoehorning"] = "shoehorn", ["swears"] = "swear", ["roller skating"] = "roller skate", ["emerge"] = "emerge", ["steam cleaning"] = "steam clean", ["shocking"] = "shock", ["grazed"] = "graze", ["confers"] = "confer", ["crosshatch"] = "crosshatch", ["shocked"] = "shock", ["restating"] = "restate", ["marginalise"] = "marginalise", ["shiver"] = "shiver", ["shits"] = "shit", ["shirks"] = "shirk", ["popularizes"] = "popularize", ["overdeveloping"] = "overdevelop", ["cruises"] = "cruise", ["shipwrecks"] = "shipwreck", ["collaring"] = "collar", ["debunking"] = "debunk", ["shipwrecking"] = "shipwreck", ["shipping"] = "ship", ["disaffiliate"] = "disaffiliate", ["spawning"] = "spawn", ["outsmarts"] = "outsmart", ["incapacitates"] = "incapacitate", ["shinnying"] = "shinny", ["ritualized"] = "ritualize", ["clumping"] = "clump", ["disillusioning"] = "disillusion", ["shinning"] = "shin", ["breakfasting"] = "breakfast", ["shinnies"] = "shinny", ["prostitutes"] = "prostitute", ["massage"] = "massage", ["lauding"] = "laud", ["criminalised"] = "criminalise", ["shinned"] = "shin", ["doublecrossing"] = "doublecross", ["procrastinate"] = "procrastinate", ["shines"] = "shine", ["see-sawed"] = "see-saw", ["hankers"] = "hanker", ["legalises"] = "legalise", ["overtrain"] = "overtrain", ["cored"] = "core", ["topples"] = "topple", ["plumping"] = "plump", ["bored"] = "bore", ["prostitute"] = "prostitute", ["countermands"] = "countermand", ["accustomed"] = "accustom", ["evened"] = "even", ["scooting"] = "scoot", ["itch"] = "itch", ["contacts"] = "contact", ["engulfs"] = "engulf", ["shillyshallied"] = "shillyshally", ["crouched"] = "crouch", ["shilly-shallying"] = "shilly-shally", ["shilly-shallies"] = "shilly-shally", ["shilly-shallied"] = "shilly-shally", ["gasped"] = "gasp", ["forearming"] = "forearm", ["shifts"] = "shift", ["stabling"] = "stable", ["disproves"] = "disprove", ["shifted"] = "shift", ["shift"] = "shift", ["shies"] = "shy", ["limiting"] = "limit", ["intubates"] = "intubate", ["ferry"] = "ferry", ["shields"] = "shield", ["shielded"] = "shield", ["broadsided"] = "broadside", ["shepherds"] = "shepherd", ["shepherding"] = "shepherd", ["grouched"] = "grouch", ["revolutionises"] = "revolutionise", ["misbehave"] = "misbehave", ["shepherded"] = "shepherd", ["shepherd"] = "shepherd", ["combated"] = "combat", ["showboating"] = "showboat", ["franchises"] = "franchise", ["shelves"] = "shelve", ["mercerising"] = "mercerise", ["shelve"] = "shelve", ["cooccurs"] = "cooccur", ["fighting"] = "fight", ["shelters"] = "shelter", ["shelter"] = "shelter", ["rivet"] = "rivet", ["righting"] = "right", ["shelling"] = "shell", ["nourishing"] = "nourish", ["extinguish"] = "extinguish", ["propose"] = "propose", ["endear"] = "endear", ["infantilises"] = "infantilise", ["shellacking"] = "shellac", ["enraptured"] = "enrapture", ["speaks"] = "speak", ["shell"] = "shell", ["ensuing"] = "ensue", ["sheers"] = "sheer", ["chromakey"] = "chromakey", ["gang-rapes"] = "gang-rape", ["patterned"] = "pattern", ["sheering"] = "sheer", ["sheered"] = "sheer", ["plaited"] = "plait", ["aligns"] = "align", ["quenches"] = "quench", ["depose"] = "depose", ["interns"] = "intern", ["treading"] = "tread", ["fuck"] = "fuck", ["muck"] = "muck", ["nudges"] = "nudge", ["weaponised"] = "weaponise", ["perspired"] = "perspire", ["thatching"] = "thatch", ["budges"] = "budge", ["jabber"] = "jabber", ["allude"] = "allude", ["percolating"] = "percolate", ["fudges"] = "fudge", ["blanketed"] = "blanket", ["buck"] = "buck", ["exerting"] = "exert", ["filleted"] = "fillet", ["genuflect"] = "genuflect", ["shearing"] = "shear", ["preexisted"] = "preexist", ["splattered"] = "splatter", ["shaved"] = "shave", ["miscarries"] = "miscarry", ["uncoupling"] = "uncouple", ["relish"] = "relish", ["shatters"] = "shatter", ["exerts"] = "exert", ["blaming"] = "blame", ["mewls"] = "mewl", ["neutered"] = "neuter", ["ruck"] = "ruck", ["proffers"] = "proffer", ["rains"] = "rain", ["opted"] = "opt", ["expose"] = "expose", ["chromakeyed"] = "chromakey", ["commence"] = "commence", ["putz"] = "putz", ["categorize"] = "categorize", ["quarterbacks"] = "quarterback", ["gotten"] = "get", ["reconditioned"] = "recondition", ["respired"] = "respire", ["futz"] = "futz", ["sharpened"] = "sharpen", ["sharpen"] = "sharpen", ["scarper"] = "scarper", ["reiterated"] = "reiterate", ["shares"] = "share", ["dreading"] = "dread", ["shared"] = "share", ["share"] = "share", ["sodomising"] = "sodomise", ["pilfered"] = "pilfer", ["king-hitting"] = "king-hit", ["skates"] = "skate", ["fetter"] = "fetter", ["shanghais"] = "shanghai", ["fellated"] = "fellate", ["shanghaied"] = "shanghai", ["thumping"] = "thump", ["exploded"] = "explode", ["interject"] = "interject", ["interviewing"] = "interview", ["rise"] = "rise", ["recapped"] = "recap", ["circumcise"] = "circumcise", ["hefted"] = "heft", ["deactivating"] = "deactivate", ["spreadeagling"] = "spreadeagle", ["two-times"] = "two-time", ["fired"] = "fire", ["belly"] = "belly", ["hired"] = "hire", ["drenches"] = "drench", ["shame"] = "shame", ["dropkicking"] = "dropkick", ["shambles"] = "shamble", ["shamble"] = "shamble", ["duetting"] = "duet", ["compounding"] = "compound", ["daunt"] = "daunt", ["overheat"] = "overheat", ["regroup"] = "regroup", ["sham"] = "sham", ["shaking"] = "shake", ["shakes"] = "shake", ["weaselled"] = "weasel", ["slates"] = "slate", ["shafts"] = "shaft", ["informing"] = "inform", ["snatches"] = "snatch", ["averts"] = "avert", ["haunt"] = "haunt", ["mauled"] = "maul", ["shaft"] = "shaft", ["secularized"] = "secularize", ["disgorges"] = "disgorge", ["envying"] = "envy", ["shadowing"] = "shadow", ["shadowboxing"] = "shadowbox", ["snivelled"] = "snivel", ["pigeonhole"] = "pigeonhole", ["aerate"] = "aerate", ["eases"] = "ease", ["bases"] = "base", ["cases"] = "case", ["shadow-boxing"] = "shadow-box", ["benchtesting"] = "benchtest", ["shadow-boxes"] = "shadow-box", ["buy"] = "buy", ["shading"] = "shade", ["shaded"] = "shade", ["shade"] = "shade", ["astound"] = "astound", ["shackles"] = "shackle", ["anted"] = "ante", ["enunciated"] = "enunciate", ["diffused"] = "diffuse", ["carburize"] = "carburize", ["shacking"] = "shack", ["ejaculate"] = "ejaculate", ["intubated"] = "intubate", ["backslided"] = "backslide", ["resold"] = "resell", ["sexualized"] = "sexualize", ["commentated"] = "commentate", ["backpedals"] = "backpedal", ["readmits"] = "readmit", ["sexualize"] = "sexualize", ["noted"] = "note", ["sexted"] = "sext", ["sexing"] = "sex", ["engorge"] = "engorge", ["forgathered"] = "forgather", ["pockets"] = "pocket", ["tinges"] = "tinge", ["re-enacts"] = "re-enact", ["reasserted"] = "reassert", ["kneading"] = "knead", ["knot"] = "knot", ["alloy"] = "alloy", ["contain"] = "contain", ["accused"] = "accuse", ["scowl"] = "scowl", ["braaiing"] = "braai", ["revolutionize"] = "revolutionize", ["severs"] = "sever", ["travels"] = "travel", ["sever"] = "sever", ["implied"] = "imply", ["chronicles"] = "chronicle", ["doted"] = "dote", ["settling"] = "settle", ["telnet"] = "telnet", ["propagandize"] = "propagandize", ["hinges"] = "hinge", ["proscribed"] = "proscribe", ["settle"] = "settle", ["manacle"] = "manacle", ["deterred"] = "deter", ["have"] = "have", ["congeal"] = "congeal", ["airdry"] = "airdry", ["amazed"] = "amaze", ["froth"] = "froth", ["set"] = "set", ["gangraping"] = "gangrape", ["save"] = "save", ["pave"] = "pave", ["fondle"] = "fondle", ["rubbernecks"] = "rubberneck", ["wave"] = "wave", ["filled"] = "fill", ["sermonizes"] = "sermonize", ["sermonized"] = "sermonize", ["mistreat"] = "mistreat", ["sermonize"] = "sermonize", ["sermonises"] = "sermonise", ["sermonise"] = "sermonise", ["splashed"] = "splash", ["fretting"] = "fret", ["ford"] = "ford", ["quadrupling"] = "quadruple", ["revitalized"] = "revitalize", ["surveyed"] = "survey", ["serialises"] = "serialise", ["fractured"] = "fracture", ["serialised"] = "serialise", ["serialise"] = "serialise", ["editing"] = "edit", ["embezzled"] = "embezzle", ["publishes"] = "publish", ["funked"] = "funk", ["hastened"] = "hasten", ["denounced"] = "denounce", ["differentiated"] = "differentiate", ["junked"] = "junk", ["blazed"] = "blaze", ["circulates"] = "circulate", ["charred"] = "char", ["glazed"] = "glaze", ["serenaded"] = "serenade", ["dunked"] = "dunk", ["serenade"] = "serenade", ["bunked"] = "bunk", ["sequestrates"] = "sequestrate", ["secondguessed"] = "secondguess", ["cooperates"] = "cooperate", ["exuding"] = "exude", ["sequestrated"] = "sequestrate", ["picnics"] = "picnic", ["controlled"] = "control", ["overlain"] = "overlie", ["grokking"] = "grok", ["sequestered"] = "sequester", ["cave"] = "cave", ["tally"] = "tally", ["sally"] = "sally", ["rally"] = "rally", ["gave"] = "give", ["decouple"] = "decouple", ["rechips"] = "rechip", ["referee"] = "referee", ["outstrip"] = "outstrip", ["sequences"] = "sequence", ["dine"] = "dine", ["bombarding"] = "bombard", ["sentimentalizing"] = "sentimentalize", ["muss"] = "muss", ["sentimentalized"] = "sentimentalize", ["verifying"] = "verify", ["sentimentalises"] = "sentimentalise", ["sentimentalised"] = "sentimentalise", ["disbursed"] = "disburse", ["sentimentalise"] = "sentimentalise", ["sentencing"] = "sentence", ["dehumanising"] = "dehumanise", ["anteing"] = "ante", ["merged"] = "merge", ["breakdances"] = "breakdance", ["serialized"] = "serialize", ["sentence"] = "sentence", ["raped"] = "rape", ["sent"] = "send", ["sensitize"] = "sensitize", ["sensitised"] = "sensitise", ["vaped"] = "vape", ["rehome"] = "rehome", ["taped"] = "tape", ["verged"] = "verge", ["crayons"] = "crayon", ["demobilized"] = "demobilize", ["cushioning"] = "cushion", ["typecasting"] = "typecast", ["sensationalized"] = "sensationalize", ["centralise"] = "centralise", ["retries"] = "retry", ["sensationalised"] = "sensationalise", ["endears"] = "endear", ["sensationalise"] = "sensationalise", ["detoxify"] = "detoxify", ["deodorizing"] = "deodorize", ["mauls"] = "maul", ["sends"] = "send", ["semaphoring"] = "semaphore", ["masticating"] = "masticate", ["reignites"] = "reignite", ["letterbox"] = "letterbox", ["semaphored"] = "semaphore", ["hauls"] = "haul", ["semaphore"] = "semaphore", ["squabbles"] = "squabble", ["sellotapes"] = "sellotape", ["laments"] = "lament", ["garrison"] = "garrison", ["selling"] = "sell", ["denounce"] = "denounce", ["crusades"] = "crusade", ["selfharming"] = "selfharm", ["selfharmed"] = "selfharm", ["rotates"] = "rotate", ["fly-kicking"] = "fly-kick", ["charged"] = "charge", ["flavour"] = "flavour", ["inclined"] = "incline", ["manifesting"] = "manifest", ["selfdestructs"] = "selfdestruct", ["dawdle"] = "dawdle", ["selfdestructing"] = "selfdestruct", ["selfdestructed"] = "selfdestruct", ["self-harming"] = "self-harm", ["plagued"] = "plague", ["crook"] = "crook", ["concentrating"] = "concentrate", ["self-harm"] = "self-harm", ["self-destructed"] = "self-destruct", ["selects"] = "select", ["selecting"] = "select", ["selected"] = "select", ["airbrushing"] = "airbrush", ["sodomises"] = "sodomise", ["seize"] = "seize", ["thrusting"] = "thrust", ["seise"] = "seise", ["segueing"] = "segue", ["segregating"] = "segregate", ["profits"] = "profit", ["segregated"] = "segregate", ["overflowing"] = "overflow", ["expelling"] = "expel", ["devoured"] = "devour", ["brook"] = "brook", ["segmenting"] = "segment", ["prang"] = "prang", ["recalled"] = "recall", ["intensifying"] = "intensify", ["seething"] = "seethe", ["over-egg"] = "over-egg", ["seethes"] = "seethe", ["seethed"] = "seethe", ["uncouples"] = "uncouple", ["seesaws"] = "seesaw", ["seesawn"] = "seesaw", ["seesaw"] = "seesaw", ["seeps"] = "seep", ["seep"] = "seep", ["whisper"] = "whisper", ["obfuscates"] = "obfuscate", ["seemed"] = "seem", ["seem"] = "seem", ["arching"] = "arch", ["alphabetised"] = "alphabetise", ["appease"] = "appease", ["seek"] = "seek", ["seeded"] = "seed", ["seed"] = "seed", ["chalk"] = "chalk", ["tape-record"] = "tape-record", ["pedestrianise"] = "pedestrianise", ["whimper"] = "whimper", ["seduced"] = "seduce", ["europeanizes"] = "europeanize", ["marinating"] = "marinate", ["seduce"] = "seduce", ["sedating"] = "sedate", ["contains"] = "contain", ["lifted"] = "lift", ["OD"] = "OD", ["sidestep"] = "sidestep", ["claw"] = "claw", ["swerving"] = "swerve", ["fastening"] = "fasten", ["secured"] = "secure", ["object"] = "object", ["secure"] = "secure", ["unfreezes"] = "unfreeze", ["secularizes"] = "secularize", ["hearkens"] = "hearken", ["clean"] = "clean", ["cudgelling"] = "cudgel", ["pricks"] = "prick", ["secularises"] = "secularise", ["glean"] = "glean", ["sympathized"] = "sympathize", ["secularise"] = "secularise", ["stalk"] = "stalk", ["dispersing"] = "disperse", ["glide"] = "glide", ["cox"] = "cox", ["box"] = "box", ["sweated"] = "sweat", ["demist"] = "demist", ["promising"] = "promise", ["fox"] = "fox", ["immolated"] = "immolate", ["underscore"] = "underscore", ["decouples"] = "decouple", ["secondguessing"] = "secondguess", ["resects"] = "resect", ["secondguess"] = "secondguess", ["picturized"] = "picturize", ["outlaws"] = "outlaw", ["seconded"] = "second", ["antagonises"] = "antagonise", ["second"] = "second", ["secludes"] = "seclude", ["jabbered"] = "jabber", ["refracts"] = "refract", ["fidget"] = "fidget", ["seclude"] = "seclude", ["proselytizes"] = "proselytize", ["copy-edited"] = "copy-edit", ["savoured"] = "savour", ["seceding"] = "secede", ["misfiring"] = "misfire", ["etching"] = "etch", ["forfeited"] = "forfeit", ["cozy"] = "cozy", ["feigned"] = "feign", ["itching"] = "itch", ["cannulating"] = "cannulate", ["smuggled"] = "smuggle", ["seceded"] = "secede", ["gorged"] = "gorge", ["chirruping"] = "chirrup", ["secede"] = "secede", ["seated"] = "seat", ["backfilling"] = "backfill", ["comforted"] = "comfort", ["accompanying"] = "accompany", ["season"] = "season", ["redefines"] = "redefine", ["deigned"] = "deign", ["gybe"] = "gybe", ["rewinding"] = "rewind", ["searing"] = "sear", ["pitch"] = "pitch", ["atomising"] = "atomise", ["biding"] = "bide", ["searches"] = "search", ["searched"] = "search", ["capitalize"] = "capitalize", ["embitters"] = "embitter", ["sealing"] = "seal", ["bridges"] = "bridge", ["vocalizes"] = "vocalize", ["seal"] = "seal", ["co-starring"] = "co-star", ["disbursing"] = "disburse", ["scythed"] = "scythe", ["scuttling"] = "scuttle", ["scuttles"] = "scuttle", ["scuttled"] = "scuttle", ["scuttle"] = "scuttle", ["softsoaps"] = "softsoap", ["localizes"] = "localize", ["manipulate"] = "manipulate", ["scurry"] = "scurry", ["scurries"] = "scurry", ["answer"] = "answer", ["customise"] = "customise", ["focalizes"] = "focalize", ["scuppering"] = "scupper", ["scuppered"] = "scupper", ["scupper"] = "scupper", ["disapproving"] = "disapprove", ["sculpts"] = "sculpt", ["sculling"] = "scull", ["attenuates"] = "attenuate", ["sculled"] = "scull", ["scull"] = "scull", ["listened"] = "listen", ["scuffling"] = "scuffle", ["scuffles"] = "scuffle", ["divorce"] = "divorce", ["scout"] = "scout", ["scuffled"] = "scuffle", ["authenticating"] = "authenticate", ["pour"] = "pour", ["uncheck"] = "uncheck", ["organises"] = "organise", ["remember"] = "remember", ["picnicked"] = "picnic", ["scuffed"] = "scuff", ["gawking"] = "gawk", ["hawking"] = "hawk", ["insinuating"] = "insinuate", ["encompasses"] = "encompass", ["emerging"] = "emerge", ["perambulates"] = "perambulate", ["joshing"] = "josh", ["scud"] = "scud", ["conditions"] = "condition", ["scrutinizing"] = "scrutinize", ["reechoed"] = "reecho", ["sabotages"] = "sabotage", ["scrutinize"] = "scrutinize", ["reboots"] = "reboot", ["scrutinise"] = "scrutinise", ["carrying"] = "carry", ["scruples"] = "scruple", ["eavesdropping"] = "eavesdrop", ["disapproves"] = "disapprove", ["scrupled"] = "scruple", ["scruple"] = "scruple", ["scrunching"] = "scrunch", ["debarred"] = "debar", ["demystify"] = "demystify", ["power-naps"] = "power-nap", ["sight-reading"] = "sight-read", ["scrunched"] = "scrunch", ["racks"] = "rack", ["poleaxes"] = "poleaxe", ["tacks"] = "tack", ["apportions"] = "apportion", ["tube"] = "tube", ["shook"] = "shake", ["packs"] = "pack", ["obscures"] = "obscure", ["jacks"] = "jack", ["scrumps"] = "scrump", ["concurring"] = "concur", ["reconquers"] = "reconquer", ["quarantine"] = "quarantine", ["scrumping"] = "scrump", ["hacks"] = "hack", ["calcify"] = "calcify", ["backs"] = "back", ["scrumped"] = "scrump", ["retests"] = "retest", ["draws"] = "draw", ["scrummaged"] = "scrummage", ["demobbing"] = "demob", ["scrummage"] = "scrummage", ["reject"] = "reject", ["awakened"] = "awaken", ["dowsed"] = "dowse", ["misinterpreted"] = "misinterpret", ["minimizes"] = "minimize", ["scrub"] = "scrub", ["scrounging"] = "scrounge", ["cosseting"] = "cosset", ["babies"] = "baby", ["scrounges"] = "scrounge", ["encode"] = "encode", ["scrounge"] = "scrounge", ["challenge"] = "challenge", ["scrolls"] = "scroll", ["discover"] = "discover", ["scrolling"] = "scroll", ["scripts"] = "script", ["scripted"] = "script", ["scrimps"] = "scrimp", ["retest"] = "retest", ["quest"] = "quest", ["scribbling"] = "scribble", ["scribbles"] = "scribble", ["scribbled"] = "scribble", ["screws"] = "screw", ["bellied"] = "belly", ["cube"] = "cube", ["screenprints"] = "screenprint", ["mix"] = "mix", ["screened"] = "screen", ["obligates"] = "obligate", ["nix"] = "nix", ["stymied"] = "stymie", ["screen-print"] = "screen-print", ["gratifies"] = "gratify", ["appeared"] = "appear", ["screams"] = "scream", ["floods"] = "flood", ["harmonized"] = "harmonize", ["couches"] = "couch", ["maim"] = "maim", ["bloods"] = "blood", ["scrawls"] = "scrawl", ["scrawling"] = "scrawl", ["deports"] = "deport", ["clues"] = "clue", ["scrawled"] = "scrawl", ["despised"] = "despise", ["KO"] = "KO", ["daunts"] = "daunt", ["skewering"] = "skewer", ["scrapping"] = "scrap", ["scraping"] = "scrape", ["haunts"] = "haunt", ["scraped"] = "scrape", ["fix"] = "fix", ["highstick"] = "highstick", ["grounding"] = "ground", ["threepeat"] = "threepeat", ["excommunicate"] = "excommunicate", ["scrap"] = "scrap", ["scrammed"] = "scram", ["scrambling"] = "scramble", ["legislate"] = "legislate", ["scrambles"] = "scramble", ["taunts"] = "taunt", ["reports"] = "report", ["debits"] = "debit", ["greenlight"] = "greenlight", ["rewrites"] = "rewrite", ["scram"] = "scram", ["scrabbling"] = "scrabble", ["mediates"] = "mediate", ["scrabbled"] = "scrabble", ["vaporizing"] = "vaporize", ["stencilled"] = "stencil", ["overdevelops"] = "overdevelop", ["urinates"] = "urinate", ["subtitling"] = "subtitle", ["scours"] = "scour", ["scouring"] = "scour", ["scourge"] = "scourge", ["pushstarts"] = "pushstart", ["relents"] = "relent", ["fieldtest"] = "fieldtest", ["perpetuated"] = "perpetuate", ["steamrolls"] = "steamroll", ["scotching"] = "scotch", ["jollied"] = "jolly", ["answers"] = "answer", ["scotches"] = "scotch", ["scotch"] = "scotch", ["picturising"] = "picturise", ["instant-messaging"] = "instant-message", ["scorns"] = "scorn", ["ghostwrites"] = "ghostwrite", ["scoring"] = "score", ["score"] = "score", ["enchanting"] = "enchant", ["munched"] = "munch", ["scope"] = "scope", ["shillyshallies"] = "shillyshally", ["enhancing"] = "enhance", ["pinions"] = "pinion", ["advantages"] = "advantage", ["absolving"] = "absolve", ["scootching"] = "scootch", ["mocking"] = "mock", ["criticizes"] = "criticize", ["facepalmed"] = "facepalm", ["piecing"] = "piece", ["factorized"] = "factorize", ["scooping"] = "scoop", ["intervenes"] = "intervene", ["reuniting"] = "reunite", ["cross-fertilise"] = "cross-fertilise", ["scooped"] = "scoop", ["scoop"] = "scoop", ["scooching"] = "scooch", ["scooches"] = "scooch", ["scooched"] = "scooch", ["emceeing"] = "emcee", ["scooch"] = "scooch", ["pirouette"] = "pirouette", ["scolds"] = "scold", ["resided"] = "reside", ["idolises"] = "idolise", ["scolding"] = "scold", ["scolded"] = "scold", ["whinnying"] = "whinny", ["scoffs"] = "scoff", ["scoffed"] = "scoff", ["schussed"] = "schuss", ["scooted"] = "scoot", ["subtended"] = "subtend", ["indents"] = "indent", ["permits"] = "permit", ["schooling"] = "school", ["schooled"] = "school", ["schmoozing"] = "schmooze", ["schmoozes"] = "schmooze", ["pedestrianized"] = "pedestrianize", ["schmoozed"] = "schmooze", ["disseminates"] = "disseminate", ["schlepping"] = "schlep", ["schlepped"] = "schlep", ["centralized"] = "centralize", ["scheming"] = "scheme", ["glasses"] = "glass", ["holstering"] = "holster", ["scheme"] = "scheme", ["rats"] = "rat", ["classes"] = "class", ["rambles"] = "ramble", ["stymies"] = "stymie", ["schematising"] = "schematise", ["fused"] = "fuse", ["baited"] = "bait", ["incentivising"] = "incentivise", ["rabbit"] = "rabbit", ["parade"] = "parade", ["bunny-hops"] = "bunny-hop", ["disavow"] = "disavow", ["blockades"] = "blockade", ["scheduling"] = "schedule", ["scheduled"] = "schedule", ["feather-bedded"] = "feather-bed", ["schedule"] = "schedule", ["shoplift"] = "shoplift", ["sex"] = "sex", ["vex"] = "vex", ["manicuring"] = "manicure", ["scavenging"] = "scavenge", ["scatters"] = "scatter", ["pleading"] = "plead", ["distress"] = "distress", ["precludes"] = "preclude", ["scars"] = "scar", ["perceive"] = "perceive", ["scarring"] = "scar", ["hex"] = "hex", ["massaged"] = "massage", ["attains"] = "attain", ["refunding"] = "refund", ["scarpers"] = "scarper", ["amasses"] = "amass", ["retested"] = "retest", ["scarpered"] = "scarper", ["scaring"] = "scare", ["scarifying"] = "scarify", ["generates"] = "generate", ["scarify"] = "scarify", ["scarifies"] = "scarify", ["addle"] = "addle", ["waitlisting"] = "waitlist", ["scarf"] = "scarf", ["dithering"] = "dither", ["deserted"] = "desert", ["dismember"] = "dismember", ["poisoning"] = "poison", ["scar"] = "scar", ["accentuating"] = "accentuate", ["scapegoat"] = "scapegoat", ["stagemanaged"] = "stagemanage", ["locking"] = "lock", ["scanned"] = "scan", ["scandalizing"] = "scandalize", ["venerates"] = "venerate", ["abrade"] = "abrade", ["queued"] = "queue", ["scandalising"] = "scandalise", ["scandalises"] = "scandalise", ["accosting"] = "accost", ["mused"] = "muse", ["scandalised"] = "scandalise", ["scan"] = "scan", ["spiriting"] = "spirit", ["scampered"] = "scamper", ["gallopping"] = "gallop", ["fouls"] = "foul", ["rearms"] = "rearm", ["draught"] = "draught", ["plays"] = "play", ["coopts"] = "coopt", ["modifies"] = "modify", ["ticks"] = "tick", ["copulating"] = "copulate", ["ovulate"] = "ovulate", ["demineralizing"] = "demineralize", ["understand"] = "understand", ["scaling"] = "scale", ["scale"] = "scale", ["shrouds"] = "shroud", ["demonizes"] = "demonize", ["inject"] = "inject", ["says"] = "say", ["imitated"] = "imitate", ["say"] = "say", ["strengthened"] = "strengthen", ["empowering"] = "empower", ["click"] = "click", ["dicks"] = "dick", ["sawed"] = "saw", ["savours"] = "savour", ["savouring"] = "savour", ["picks"] = "pick", ["saves"] = "save", ["ricks"] = "rick", ["kicks"] = "kick", ["licks"] = "lick", ["codifies"] = "codify", ["fibbed"] = "fib", ["retrain"] = "retrain", ["dermabrade"] = "dermabrade", ["carpeted"] = "carpet", ["flaunting"] = "flaunt", ["present"] = "present", ["savaging"] = "savage", ["prejudges"] = "prejudge", ["legitimizing"] = "legitimize", ["capsized"] = "capsize", ["savages"] = "savage", ["resourced"] = "resource", ["savage"] = "savage", ["re-release"] = "re-release", ["draw"] = "draw", ["revolutionizing"] = "revolutionize", ["drycleaning"] = "dryclean", ["program"] = "program", ["saut�s"] = "saut�", ["proportions"] = "proportion", ["arraying"] = "array", ["recoups"] = "recoup", ["saut�ed"] = "saut�", ["saut�"] = "saut�", ["sauntering"] = "saunter", ["saturating"] = "saturate", ["undervalues"] = "undervalue", ["emulsifying"] = "emulsify", ["populating"] = "populate", ["knifes"] = "knife", ["cocks"] = "cock", ["rewarding"] = "reward", ["dumb"] = "dumb", ["satisfy"] = "satisfy", ["subordinating"] = "subordinate", ["satirizing"] = "satirize", ["satirizes"] = "satirize", ["babysat"] = "babysit", ["sugaring"] = "sugar", ["wafting"] = "waft", ["soothing"] = "soothe", ["satirise"] = "satirise", ["satiating"] = "satiate", ["cooperate"] = "cooperate", ["satiate"] = "satiate", ["sucking"] = "suck", ["rucking"] = "ruck", ["remastered"] = "remaster", ["tucking"] = "tuck", ["sapping"] = "sap", ["imports"] = "import", ["detrain"] = "detrain", ["bunny-hopped"] = "bunny-hop", ["dovetailing"] = "dovetail", ["stravaigs"] = "stravaig", ["sanitizes"] = "sanitize", ["resect"] = "resect", ["sanitized"] = "sanitize", ["decontrolling"] = "decontrol", ["messaged"] = "message", ["sanitize"] = "sanitize", ["previewed"] = "preview", ["sanitise"] = "sanitise", ["invited"] = "invite", ["conduct"] = "conduct", ["sandwiches"] = "sandwich", ["naturalised"] = "naturalise", ["sandwiched"] = "sandwich", ["cross-refer"] = "cross-refer", ["sands"] = "sand", ["resells"] = "resell", ["degreases"] = "degrease", ["stipple"] = "stipple", ["brood"] = "brood", ["sanding"] = "sand", ["ambled"] = "amble", ["sandblasts"] = "sandblast", ["hospitalizes"] = "hospitalize", ["spoon-feed"] = "spoon-feed", ["sandbags"] = "sandbag", ["schematizing"] = "schematize", ["sand"] = "sand", ["filmed"] = "film", ["overcharging"] = "overcharge", ["gross"] = "gross", ["basted"] = "baste", ["disabusing"] = "disabuse", ["pussyfoot"] = "pussyfoot", ["cross"] = "cross", ["clocks"] = "clock", ["sampling"] = "sample", ["revivified"] = "revivify", ["sampled"] = "sample", ["crushed"] = "crush", ["brushed"] = "brush", ["sample"] = "sample", ["caching"] = "cache", ["rekindled"] = "rekindle", ["earthed"] = "earth", ["mesmerised"] = "mesmerise", ["salve"] = "salve", ["bubbles"] = "bubble", ["sideswipe"] = "sideswipe", ["plummet"] = "plummet", ["saluting"] = "salute", ["salutes"] = "salute", ["heaping"] = "heap", ["bickering"] = "bicker", ["salting"] = "salt", ["salted"] = "salt", ["salt"] = "salt", ["disincentivizing"] = "disincentivize", ["frostbites"] = "frostbite", ["decks"] = "deck", ["Americanizing"] = "Americanize", ["dosed"] = "dose", ["coursed"] = "course", ["planing"] = "plane", ["overuses"] = "overuse", ["roughens"] = "roughen", ["atone"] = "atone", ["nosed"] = "nose", ["crush"] = "crush", ["necks"] = "neck", ["salivating"] = "salivate", ["pecks"] = "peck", ["salivates"] = "salivate", ["brush"] = "brush", ["protects"] = "protect", ["clamber"] = "clamber", ["salaams"] = "salaam", ["dived"] = "dive", ["disallow"] = "disallow", ["sails"] = "sail", ["fractures"] = "fracture", ["commends"] = "commend", ["said"] = "say", ["sags"] = "sag", ["sagging"] = "sag", ["curbs"] = "curb", ["copyedits"] = "copyedit", ["initialising"] = "initialise", ["bodes"] = "bode", ["safeguard"] = "safeguard", ["left"] = "leave", ["riposted"] = "riposte", ["fucking"] = "fuck", ["penalise"] = "penalise", ["enthral"] = "enthral", ["appoint"] = "appoint", ["leaping"] = "leap", ["mucking"] = "muck", ["lucking"] = "luck", ["jived"] = "jive", ["saddles"] = "saddle", ["lived"] = "live", ["arranged"] = "arrange", ["involve"] = "involve", ["bucking"] = "buck", ["hived"] = "hive", ["ducking"] = "duck", ["socks"] = "sock", ["masquerades"] = "masquerade", ["multiply"] = "multiply", ["rocks"] = "rock", ["picking"] = "pick", ["saddens"] = "sadden", ["mocks"] = "mock", ["dynamited"] = "dynamite", ["distorting"] = "distort", ["locks"] = "lock", ["saddened"] = "sadden", ["sadden"] = "sadden", ["disclaimed"] = "disclaim", ["hocks"] = "hock", ["brutalises"] = "brutalise", ["sacrificed"] = "sacrifice", ["sacrifice"] = "sacrifice", ["sacks"] = "sack", ["cherishes"] = "cherish", ["sacked"] = "sack", ["sabotaged"] = "sabotage", ["speeding"] = "speed", ["reckoning"] = "reckon", ["rustling"] = "rustle", ["fumigates"] = "fumigate", ["agitated"] = "agitate", ["finesses"] = "finesse", ["kvetch"] = "kvetch", ["beam"] = "beam", ["overacts"] = "overact", ["craning"] = "crane", ["rustled"] = "rustle", ["regrets"] = "regret", ["smsed"] = "sms", ["derives"] = "derive", ["leching"] = "lech", ["barged"] = "barge", ["oppress"] = "oppress", ["dynamite"] = "dynamite", ["carbonize"] = "carbonize", ["invoiced"] = "invoice", ["democratize"] = "democratize", ["undoing"] = "undo", ["divided"] = "divide", ["backlights"] = "backlight", ["rupturing"] = "rupture", ["ruptures"] = "rupture", ["ruptured"] = "rupture", ["hassling"] = "hassle", ["docks"] = "dock", ["runs"] = "run", ["happens"] = "happen", ["rumples"] = "rumple", ["rumour"] = "rumour", ["rummages"] = "rummage", ["conjugates"] = "conjugate", ["spays"] = "spay", ["fragmented"] = "fragment", ["oxidised"] = "oxidise", ["re-educates"] = "re-educate", ["rumbled"] = "rumble", ["rules"] = "rule", ["cross-fertilizes"] = "cross-fertilize", ["ruins"] = "ruin", ["overflown"] = "overfly", ["convene"] = "convene", ["annexed"] = "annex", ["overbidding"] = "overbid", ["ruining"] = "ruin", ["ruined"] = "ruin", ["ruin"] = "ruin", ["primed"] = "prime", ["ruffles"] = "ruffle", ["ruffled"] = "ruffle", ["fossicks"] = "fossick", ["forswears"] = "forswear", ["defray"] = "defray", ["rues"] = "rue", ["reevaluates"] = "reevaluate", ["nominalized"] = "nominalize", ["intoned"] = "intone", ["rueing"] = "rue", ["rued"] = "rue", ["imbeds"] = "imbed", ["gussied"] = "gussy", ["shush"] = "shush", ["rubbishing"] = "rubbish", ["embeds"] = "embed", ["emulate"] = "emulate", ["rubbished"] = "rubbish", ["decreeing"] = "decree", ["persuaded"] = "persuade", ["modify"] = "modify", ["redressing"] = "redress", ["stood"] = "stand", ["rubber-stamped"] = "rubber-stamp", ["troubleshoots"] = "troubleshoot", ["amortizes"] = "amortize", ["bisect"] = "bisect", ["rub"] = "rub", ["deejayed"] = "deejay", ["endows"] = "endow", ["requiting"] = "requite", ["moon"] = "moon", ["rowing"] = "row", ["flushed"] = "flush", ["lift"] = "lift", ["overshoots"] = "overshoot", ["reconfirm"] = "reconfirm", ["barrels"] = "barrel", ["rowed"] = "row", ["retelling"] = "retell", ["dicking"] = "dick", ["featherbeds"] = "featherbed", ["roves"] = "rove", ["spiral"] = "spiral", ["bollocking"] = "bollock", ["routs"] = "rout", ["liveblog"] = "liveblog", ["lambasting"] = "lambaste", ["licking"] = "lick", ["kicking"] = "kick", ["nicking"] = "nick", ["exhilarated"] = "exhilarate", ["routing"] = "route", ["formulating"] = "formulate", ["routed"] = "route", ["opened"] = "open", ["route"] = "route", ["rout"] = "rout", ["escort"] = "escort", ["rousts"] = "roust", ["rousting"] = "roust", ["right-click"] = "right-click", ["rousted"] = "roust", ["dillydally"] = "dillydally", ["spiked"] = "spike", ["roused"] = "rouse", ["cauterizing"] = "cauterize", ["rounds"] = "round", ["devalues"] = "devalue", ["rounding"] = "round", ["douche"] = "douche", ["briefing"] = "brief", ["prescribed"] = "prescribe", ["petered"] = "peter", ["rallied"] = "rally", ["digitised"] = "digitise", ["roughing"] = "rough", ["manufacturing"] = "manufacture", ["immortalized"] = "immortalize", ["militarise"] = "militarise", ["drone"] = "drone", ["congealed"] = "congeal", ["nominalize"] = "nominalize", ["provoke"] = "provoke", ["tallied"] = "tally", ["sallied"] = "sally", ["sweet-talking"] = "sweet-talk", ["roughened"] = "roughen", ["wised"] = "wise", ["roughed"] = "rough", ["roughcut"] = "roughcut", ["rough-cutting"] = "rough-cut", ["rough-cuts"] = "rough-cut", ["assured"] = "assure", ["characterises"] = "characterise", ["hot-wire"] = "hot-wire", ["cheat"] = "cheat", ["sketch"] = "sketch", ["afflicting"] = "afflict", ["rotating"] = "rotate", ["selfharm"] = "selfharm", ["rot"] = "rot", ["rosters"] = "roster", ["rostering"] = "roster", ["disallows"] = "disallow", ["cheeped"] = "cheep", ["reaping"] = "reap", ["enamelled"] = "enamel", ["moaning"] = "moan", ["motors"] = "motor", ["rosin"] = "rosin", ["rorted"] = "rort", ["resurrects"] = "resurrect", ["lifting"] = "lift", ["rort"] = "rort", ["loaning"] = "loan", ["gifting"] = "gift", ["ropes"] = "rope", ["forwarded"] = "forward", ["confine"] = "confine", ["roped"] = "rope", ["dates"] = "date", ["roots"] = "root", ["duetted"] = "duet", ["discounts"] = "discount", ["hates"] = "hate", ["burrowing"] = "burrow", ["teethes"] = "teethe", ["surrendering"] = "surrender", ["muscled"] = "muscle", ["complied"] = "comply", ["demoralizes"] = "demoralize", ["magnetise"] = "magnetise", ["rootled"] = "rootle", ["rootle"] = "rootle", ["long"] = "long", ["mooches"] = "mooch", ["root"] = "root", ["overacted"] = "overact", ["roosts"] = "roost", ["roosted"] = "roost", ["detesting"] = "detest", ["rooms"] = "room", ["rooming"] = "room", ["phases"] = "phase", ["enfranchised"] = "enfranchise", ["furrowing"] = "furrow", ["colligate"] = "colligate", ["room"] = "room", ["roofs"] = "roof", ["roof"] = "roof", ["romped"] = "romp", ["groaned"] = "groan", ["gnaw"] = "gnaw", ["romp"] = "romp", ["retesting"] = "retest", ["romanticizing"] = "romanticize", ["feng shuis"] = "feng shui", ["liquefies"] = "liquefy", ["romanticize"] = "romanticize", ["romanticising"] = "romanticise", ["romanticised"] = "romanticise", ["waitlist"] = "waitlist", ["stole"] = "steal", ["dallied"] = "dally", ["beaning"] = "bean", ["interfaced"] = "interface", ["rolls"] = "roll", ["meaning"] = "mean", ["remunerates"] = "remunerate", ["sates"] = "sate", ["leaning"] = "lean", ["rollerblading"] = "rollerblade", ["rollerblades"] = "rollerblade", ["bunnyhop"] = "bunnyhop", ["charms"] = "charm", ["miskey"] = "miskey", ["rollerblade"] = "rollerblade", ["enshrining"] = "enshrine", ["miscounts"] = "miscount", ["shoehorn"] = "shoehorn", ["roller skated"] = "roller skate", ["mooched"] = "mooch", ["interpenetrated"] = "interpenetrate", ["redoing"] = "redo", ["violated"] = "violate", ["premieres"] = "premiere", ["unleashes"] = "unleash", ["bellyaching"] = "bellyache", ["roleplaying"] = "roleplay", ["channelhopped"] = "channelhop", ["rogering"] = "roger", ["rode"] = "ride", ["ululate"] = "ululate", ["palpitating"] = "palpitate", ["rockets"] = "rocket", ["litigated"] = "litigate", ["mitigated"] = "mitigate", ["rocketing"] = "rocket", ["hibernated"] = "hibernate", ["detaching"] = "detach", ["rocketed"] = "rocket", ["devolve"] = "devolve", ["coaxed"] = "coax", ["rocked"] = "rock", ["cripple"] = "cripple", ["handwashing"] = "handwash", ["rock"] = "rock", ["hoaxed"] = "hoax", ["robs"] = "rob", ["robed"] = "robe", ["robe"] = "robe", ["retains"] = "retain", ["personified"] = "personify", ["quarterbacking"] = "quarterback", ["robbing"] = "rob", ["dicked"] = "dick", ["revolve"] = "revolve", ["roasting"] = "roast", ["blush"] = "blush", ["doublebooked"] = "doublebook", ["tweaks"] = "tweak", ["prime"] = "prime", ["flush"] = "flush", ["roars"] = "roar", ["repossessing"] = "repossess", ["unwinding"] = "unwind", ["remounts"] = "remount", ["roared"] = "roar", ["roar"] = "roar", ["chastising"] = "chastise", ["roams"] = "roam", ["pressgangs"] = "pressgang", ["cosseted"] = "cosset", ["roaming"] = "roam", ["starts"] = "start", ["rebuked"] = "rebuke", ["express"] = "express", ["forbears"] = "forbear", ["roadtested"] = "roadtest", ["hefting"] = "heft", ["roadtest"] = "roadtest", ["obtains"] = "obtain", ["starches"] = "starch", ["assessing"] = "assess", ["outvoted"] = "outvote", ["dollarizing"] = "dollarize", ["rivets"] = "rivet", ["riveted"] = "rivet", ["shells"] = "shell", ["fetes"] = "fete", ["risked"] = "risk", ["defend"] = "defend", ["rivalling"] = "rival", ["dirty"] = "dirty", ["recapitulates"] = "recapitulate", ["pasteurise"] = "pasteurise", ["flood"] = "flood", ["rival"] = "rival", ["prevails"] = "prevail", ["deviated"] = "deviate", ["ritualizes"] = "ritualize", ["ritualising"] = "ritualise", ["scrape"] = "scrape", ["ritualised"] = "ritualise", ["risks"] = "risk", ["firstfoot"] = "firstfoot", ["rivals"] = "rival", ["disputed"] = "dispute", ["fights"] = "fight", ["rises"] = "rise", ["ceases"] = "cease", ["offend"] = "offend", ["risen"] = "rise", ["shammed"] = "sham", ["rebounded"] = "rebound", ["rippling"] = "ripple", ["ripples"] = "ripple", ["rippled"] = "ripple", ["riposting"] = "riposte", ["ripens"] = "ripen", ["ripening"] = "ripen", ["ripen"] = "ripen", ["disregarded"] = "disregard", ["rip"] = "rip", ["blunts"] = "blunt", ["trick"] = "trick", ["infuriates"] = "infuriate", ["rioting"] = "riot", ["riot"] = "riot", ["lamps"] = "lamp", ["rings"] = "ring", ["crossreferring"] = "crossrefer", ["doublefault"] = "doublefault", ["ringing"] = "ring", ["envisaged"] = "envisage", ["ringfences"] = "ringfence", ["ringfence"] = "ringfence", ["decentralized"] = "decentralize", ["ringed"] = "ring", ["amplify"] = "amplify", ["blood"] = "blood", ["rehomes"] = "rehome", ["crick"] = "crick", ["outfaces"] = "outface", ["demilitarising"] = "demilitarise", ["prick"] = "prick", ["metes"] = "mete", ["rightsizing"] = "rightsize", ["rightsizes"] = "rightsize", ["headline"] = "headline", ["cropped"] = "crop", ["fazed"] = "faze", ["fetishized"] = "fetishize", ["goring"] = "gore", ["ransomed"] = "ransom", ["gibbered"] = "gibber", ["swishes"] = "swish", ["rightclick"] = "rightclick", ["right-clicks"] = "right-click", ["medalled"] = "medal", ["right-clicking"] = "right-click", ["right-clicked"] = "right-click", ["philosophized"] = "philosophize", ["solemnising"] = "solemnise", ["rifling"] = "rifle", ["coring"] = "core", ["panfry"] = "panfry", ["flusters"] = "fluster", ["marginalizing"] = "marginalize", ["bogieing"] = "bogie", ["pacifies"] = "pacify", ["lamb"] = "lamb", ["steamroller"] = "steamroller", ["stuffs"] = "stuff", ["pedalled"] = "pedal", ["co-occur"] = "co-occur", ["poring"] = "pore", ["bartered"] = "barter", ["rifle"] = "rifle", ["riffle"] = "riffle", ["layering"] = "layer", ["borrowing"] = "borrow", ["authoring"] = "author", ["riding"] = "ride", ["ridiculing"] = "ridicule", ["assayed"] = "assay", ["memorialized"] = "memorialize", ["ridiculed"] = "ridicule", ["propagated"] = "propagate", ["flounces"] = "flounce", ["eulogize"] = "eulogize", ["captured"] = "capture", ["ridges"] = "ridge", ["boasts"] = "boast", ["released"] = "release", ["inventory"] = "inventory", ["imagined"] = "imagine", ["essayed"] = "essay", ["riddle"] = "riddle", ["incentivized"] = "incentivize", ["glorying"] = "glory", ["ridding"] = "rid", ["mushroom"] = "mushroom", ["documenting"] = "document", ["ridded"] = "rid", ["bellowed"] = "bellow", ["ricochet"] = "ricochet", ["ricking"] = "rick", ["rick"] = "rick", ["spring"] = "spring", ["massproduces"] = "massproduce", ["ribbed"] = "rib", ["signed"] = "sign", ["rhyming"] = "rhyme", ["caddies"] = "caddy", ["rhymes"] = "rhyme", ["stall"] = "stall", ["rhyme"] = "rhyme", ["dehydrated"] = "dehydrate", ["reintroducing"] = "reintroduce", ["marshal"] = "marshal", ["rhapsodizes"] = "rhapsodize", ["rhapsodized"] = "rhapsodize", ["bagged"] = "bag", ["build"] = "build", ["rhapsodises"] = "rhapsodise", ["motioned"] = "motion", ["rhapsodised"] = "rhapsodise", ["clammed"] = "clam", ["abide"] = "abide", ["freeing"] = "free", ["splattering"] = "splatter", ["hoick"] = "hoick", ["rewrote"] = "rewrite", ["powdered"] = "powder", ["installed"] = "install", ["rewriting"] = "rewrite", ["seeking"] = "seek", ["reworks"] = "rework", ["reworking"] = "rework", ["reworked"] = "rework", ["contrived"] = "contrive", ["rework"] = "rework", ["guffawed"] = "guffaw", ["blunt"] = "blunt", ["rewording"] = "reword", ["fingerprint"] = "fingerprint", ["floss"] = "floss", ["perpetrated"] = "perpetrate", ["musters"] = "muster", ["rewires"] = "rewire", ["name-check"] = "name-check", ["rewired"] = "rewire", ["erring"] = "err", ["rewire"] = "rewire", ["emphasises"] = "emphasise", ["reeking"] = "reek", ["federating"] = "federate", ["peeking"] = "peek", ["satisfying"] = "satisfy", ["enliven"] = "enliven", ["mercerizing"] = "mercerize", ["gloss"] = "gloss", ["incentivise"] = "incentivise", ["quivered"] = "quiver", ["deceiving"] = "deceive", ["revving"] = "rev", ["revolving"] = "revolve", ["hew"] = "hew", ["hypothesizing"] = "hypothesize", ["revolves"] = "revolve", ["mew"] = "mew", ["lip-syncs"] = "lip-sync", ["revolved"] = "revolve", ["roasts"] = "roast", ["receiving"] = "receive", ["revolutionizes"] = "revolutionize", ["sew"] = "sew", ["behead"] = "behead", ["revolutionising"] = "revolutionise", ["impress"] = "impress", ["revolutionise"] = "revolutionise", ["jives"] = "jive", ["trampling"] = "trample", ["lives"] = "live", ["fuming"] = "fume", ["mistrusting"] = "mistrust", ["revises"] = "revise", ["revokes"] = "revoke", ["departmentalizing"] = "departmentalize", ["reviving"] = "revive", ["made"] = "make", ["revivifying"] = "revivify", ["revivify"] = "revivify", ["deciding"] = "decide", ["endeavoured"] = "endeavour", ["revivifies"] = "revivify", ["samples"] = "sample", ["flower"] = "flower", ["readdressed"] = "readdress", ["antagonized"] = "antagonize", ["revitalizing"] = "revitalize", ["revitalizes"] = "revitalize", ["predicating"] = "predicate", ["elapses"] = "elapse", ["advises"] = "advise", ["sentences"] = "sentence", ["garages"] = "garage", ["revitalising"] = "revitalise", ["alleviates"] = "alleviate", ["draping"] = "drape", ["muscle"] = "muscle", ["loosen"] = "loosen", ["unbends"] = "unbend", ["revisits"] = "revisit", ["inseminate"] = "inseminate", ["interleave"] = "interleave", ["gladdens"] = "gladden", ["whoosh"] = "whoosh", ["jolly"] = "jolly", ["default"] = "default", ["recoiled"] = "recoil", ["photobomb"] = "photobomb", ["leases"] = "lease", ["revised"] = "revise", ["quintuples"] = "quintuple", ["reviling"] = "revile", ["distrusting"] = "distrust", ["reviled"] = "revile", ["mount"] = "mount", ["moisturise"] = "moisturise", ["flip-flopped"] = "flip-flop", ["reviews"] = "review", ["rearended"] = "rearend", ["mantles"] = "mantle", ["count"] = "count", ["agitating"] = "agitate", ["retaliated"] = "retaliate", ["cabled"] = "cable", ["reverting"] = "revert", ["dives"] = "dive", ["devises"] = "devise", ["revert"] = "revert", ["overestimated"] = "overestimate", ["moves"] = "move", ["loves"] = "love", ["leaflet"] = "leaflet", ["shone"] = "shine", ["overran"] = "overrun", ["reverse"] = "reverse", ["defrocked"] = "defrock", ["bankrolled"] = "bankroll", ["phone"] = "phone", ["ladle"] = "ladle", ["reverberating"] = "reverberate", ["monkeyed"] = "monkey", ["cavort"] = "cavort", ["reverberated"] = "reverberate", ["leapt"] = "leap", ["reverberate"] = "reverberate", ["revenging"] = "revenge", ["inseminates"] = "inseminate", ["revenged"] = "revenge", ["revels"] = "revel", ["minces"] = "mince", ["revelling"] = "revel", ["gleamed"] = "gleam", ["revel"] = "revel", ["browses"] = "browse", ["revamped"] = "revamp", ["winces"] = "wince", ["revalues"] = "revalue", ["aquaplaning"] = "aquaplane", ["obsessing"] = "obsess", ["revalued"] = "revalue", ["foreseen"] = "foresee", ["gheraoes"] = "gherao", ["misselling"] = "missell", ["revalue"] = "revalue", ["reusing"] = "reuse", ["outdistance"] = "outdistance", ["engraved"] = "engrave", ["commissioning"] = "commission", ["succumb"] = "succumb", ["handwashed"] = "handwash", ["leasing"] = "lease", ["rehoming"] = "rehome", ["interchanging"] = "interchange", ["reunite"] = "reunite", ["reunifies"] = "reunify", ["caterwauls"] = "caterwaul", ["converted"] = "convert", ["ceasing"] = "cease", ["retweets"] = "retweet", ["retweeted"] = "retweet", ["returning"] = "return", ["instruct"] = "instruct", ["ascribing"] = "ascribe", ["return"] = "return", ["disrupt"] = "disrupt", ["provision"] = "provision", ["subduing"] = "subdue", ["optioned"] = "option", ["remembered"] = "remember", ["barges"] = "barge", ["retrofit"] = "retrofit", ["retrieving"] = "retrieve", ["spraying"] = "spray", ["retrenching"] = "retrench", ["forfends"] = "forfend", ["retreating"] = "retreat", ["retreated"] = "retreat", ["inducting"] = "induct", ["retrains"] = "retrain", ["retracts"] = "retract", ["retract"] = "retract", ["hydrating"] = "hydrate", ["galvanising"] = "galvanise", ["retracing"] = "retrace", ["barrelled"] = "barrel", ["retraces"] = "retrace", ["retraced"] = "retrace", ["retrace"] = "retrace", ["suggests"] = "suggest", ["retouch"] = "retouch", ["grunt"] = "grunt", ["retorting"] = "retort", ["retorted"] = "retort", ["retort"] = "retort", ["lumps"] = "lump", ["retooled"] = "retool", ["outride"] = "outride", ["retool"] = "retool", ["retold"] = "retell", ["retiring"] = "retire", ["abode"] = "abide", ["retired"] = "retire", ["crammed"] = "cram", ["inventories"] = "inventory", ["distanced"] = "distance", ["retire"] = "retire", ["rethought"] = "rethink", ["rethinks"] = "rethink", ["rethink"] = "rethink", ["obviated"] = "obviate", ["scrummaging"] = "scrummage", ["ionised"] = "ionise", ["scarpering"] = "scarper", ["scrimping"] = "scrimp", ["nickel-and-dimes"] = "nickel-and-dime", ["row"] = "row", ["retching"] = "retch", ["retched"] = "retch", ["bullying"] = "bully", ["moderating"] = "moderate", ["mow"] = "mow", ["obscured"] = "obscure", ["retch"] = "retch", ["underwrites"] = "underwrite", ["soaping"] = "soap", ["retarded"] = "retard", ["abounds"] = "abound", ["push-start"] = "push-start", ["reverts"] = "revert", ["retaking"] = "retake", ["cow"] = "cow", ["bow"] = "bow", ["excavate"] = "excavate", ["ransom"] = "ransom", ["low"] = "low", ["fetishizes"] = "fetishize", ["camouflage"] = "camouflage", ["retained"] = "retain", ["corrupting"] = "corrupt", ["retails"] = "retail", ["individualises"] = "individualise", ["loll"] = "loll", ["disappears"] = "disappear", ["fathoming"] = "fathom", ["resuscitating"] = "resuscitate", ["fled"] = "flee", ["resuscitate"] = "resuscitate", ["shrooming"] = "shroom", ["reentered"] = "reenter", ["duped"] = "dupe", ["resurrected"] = "resurrect", ["resurfacing"] = "resurface", ["recedes"] = "recede", ["avenges"] = "avenge", ["straighten"] = "straighten", ["clone"] = "clone", ["graced"] = "grace", ["resupply"] = "resupply", ["resupplies"] = "resupply", ["resuming"] = "resume", ["resulting"] = "result", ["poll"] = "poll", ["ostracises"] = "ostracise", ["resulted"] = "result", ["abasing"] = "abase", ["toll"] = "toll", ["adjudicate"] = "adjudicate", ["infilled"] = "infill", ["disinfect"] = "disinfect", ["restructuring"] = "restructure", ["mesmerizing"] = "mesmerize", ["countersign"] = "countersign", ["adduce"] = "adduce", ["defecates"] = "defecate", ["restringing"] = "restring", ["restring"] = "restring", ["restricts"] = "restrict", ["trekking"] = "trek", ["restrains"] = "restrain", ["transfuses"] = "transfuse", ["orphans"] = "orphan", ["fete"] = "fete", ["pilloried"] = "pillory", ["distorts"] = "distort", ["restored"] = "restore", ["arsed"] = "arse", ["restore"] = "restore", ["restocks"] = "restock", ["resting"] = "rest", ["biasing"] = "bias", ["cartwheeling"] = "cartwheel", ["insinuate"] = "insinuate", ["ejects"] = "eject", ["shivers"] = "shiver", ["restates"] = "restate", ["stockpile"] = "stockpile", ["restarting"] = "restart", ["restarted"] = "restart", ["rest"] = "rest", ["shortlisted"] = "shortlist", ["prosecuted"] = "prosecute", ["respray"] = "respray", ["lull"] = "lull", ["harrumph"] = "harrumph", ["responding"] = "respond", ["responded"] = "respond", ["hull"] = "hull", ["straying"] = "stray", ["respires"] = "respire", ["numb"] = "numb", ["dull"] = "dull", ["cull"] = "cull", ["casseroled"] = "casserole", ["respects"] = "respect", ["respecting"] = "respect", ["respected"] = "respect", ["shaping"] = "shape", ["curries"] = "curry", ["respawns"] = "respawn", ["respawned"] = "respawn", ["contravenes"] = "contravene", ["respawn"] = "respawn", ["resourcing"] = "resource", ["neatens"] = "neaten", ["keening"] = "keen", ["profiling"] = "profile", ["prattling"] = "prattle", ["resounding"] = "resound", ["hurries"] = "hurry", ["mull"] = "mull", ["pull"] = "pull", ["minutes"] = "minute", ["audited"] = "audit", ["flutters"] = "flutter", ["gurgled"] = "gurgle", ["infill"] = "infill", ["slick"] = "slick", ["unfollow"] = "unfollow", ["acclimatizing"] = "acclimatize", ["resonated"] = "resonate", ["resolving"] = "resolve", ["flick"] = "flick", ["adverts"] = "advert", ["whittle"] = "whittle", ["resolve"] = "resolve", ["sexualizes"] = "sexualize", ["autocompleted"] = "autocomplete", ["clapt"] = "clap", ["recrudesce"] = "recrudesce", ["drive"] = "drive", ["prioritised"] = "prioritise", ["diverts"] = "divert", ["reskilled"] = "reskill", ["cycled"] = "cycle", ["reskill"] = "reskill", ["resized"] = "resize", ["feinted"] = "feint", ["straining"] = "strain", ["conjure"] = "conjure", ["adjuring"] = "adjure", ["coerce"] = "coerce", ["resists"] = "resist", ["professionalized"] = "professionalize", ["dollarises"] = "dollarise", ["resisted"] = "resist", ["interrupts"] = "interrupt", ["resist"] = "resist", ["narrowing"] = "narrow", ["kettling"] = "kettle", ["disagreeing"] = "disagree", ["misreporting"] = "misreport", ["categorized"] = "categorize", ["socialize"] = "socialize", ["harrowing"] = "harrow", ["subsidised"] = "subsidise", ["farrowing"] = "farrow", ["resigning"] = "resign", ["feigning"] = "feign", ["resign"] = "resign", ["residing"] = "reside", ["resides"] = "reside", ["cross-questions"] = "cross-question", ["reshuffling"] = "reshuffle", ["reshaping"] = "reshape", ["reshaped"] = "reshape", ["orders"] = "order", ["demoralised"] = "demoralise", ["commercializing"] = "commercialize", ["reshape"] = "reshape", ["gad"] = "gad", ["rebuilds"] = "rebuild", ["grubs"] = "grub", ["resettled"] = "resettle", ["resets"] = "reset", ["stuffed"] = "stuff", ["invigorates"] = "invigorate", ["outplays"] = "outplay", ["reserved"] = "reserve", ["oversee"] = "oversee", ["discompose"] = "discompose", ["teethe"] = "teethe", ["seethe"] = "seethe", ["resembles"] = "resemble", ["resembled"] = "resemble", ["deejays"] = "deejay", ["sandpapers"] = "sandpaper", ["halving"] = "halve", ["rehear"] = "rehear", ["foaled"] = "foal", ["secondguesses"] = "secondguess", ["resecting"] = "resect", ["calving"] = "calve", ["promises"] = "promise", ["researches"] = "research", ["researched"] = "research", ["research"] = "research", ["engulfed"] = "engulf", ["defraud"] = "defraud", ["rescues"] = "rescue", ["outfoxed"] = "outfox", ["rescue"] = "rescue", ["boogying"] = "boogie", ["rescinding"] = "rescind", ["hot-dog"] = "hot-dog", ["buttressed"] = "buttress", ["reschedules"] = "reschedule", ["metamorphoses"] = "metamorphose", ["rescheduled"] = "reschedule", ["stubs"] = "stub", ["accommodating"] = "accommodate", ["microblogged"] = "microblog", ["reruns"] = "rerun", ["convicts"] = "convict", ["reroutes"] = "reroute", ["outwits"] = "outwit", ["flour"] = "flour", ["coped"] = "cope", ["doped"] = "dope", ["reroute"] = "reroute", ["rereleasing"] = "rerelease", ["censored"] = "censor", ["inclosing"] = "inclose", ["maintains"] = "maintain", ["redoubles"] = "redouble", ["rereleased"] = "rerelease", ["loped"] = "lope", ["moped"] = "mope", ["rerelease"] = "rerelease", ["firstfoots"] = "firstfoot", ["hoped"] = "hope", ["outrage"] = "outrage", ["transporting"] = "transport", ["requited"] = "requite", ["requisitioning"] = "requisition", ["sponsors"] = "sponsor", ["pasteurizes"] = "pasteurize", ["requisition"] = "requisition", ["baulk"] = "baulk", ["eggs"] = "egg", ["popularised"] = "popularise", ["repurposing"] = "repurpose", ["repurposes"] = "repurpose", ["cold-shouldered"] = "cold-shoulder", ["repulsing"] = "repulse", ["repulses"] = "repulse", ["repent"] = "repent", ["unknots"] = "unknot", ["accusing"] = "accuse", ["possessing"] = "possess", ["crashdove"] = "crashdive", ["repudiating"] = "repudiate", ["repudiates"] = "repudiate", ["configure"] = "configure", ["repudiated"] = "repudiate", ["ossifying"] = "ossify", ["infringes"] = "infringe", ["divebombs"] = "divebomb", ["repudiate"] = "repudiate", ["overstates"] = "overstate", ["capitulate"] = "capitulate", ["reduce"] = "reduce", ["reproving"] = "reprove", ["reproves"] = "reprove", ["eventuate"] = "eventuate", ["allaying"] = "allay", ["condoned"] = "condone", ["guide"] = "guide", ["reproven"] = "reprove", ["reappraise"] = "reappraise", ["daydream"] = "daydream", ["reproved"] = "reprove", ["quivers"] = "quiver", ["pilfer"] = "pilfer", ["reprove"] = "reprove", ["reproducing"] = "reproduce", ["reproduced"] = "reproduce", ["questioned"] = "question", ["evinced"] = "evince", ["reproduce"] = "reproduce", ["reprocessing"] = "reprocess", ["reprocesses"] = "reprocess", ["reproaching"] = "reproach", ["reproaches"] = "reproach", ["reproached"] = "reproach", ["palpitated"] = "palpitate", ["reproach"] = "reproach", ["retooling"] = "retool", ["reprises"] = "reprise", ["indicting"] = "indict", ["reprised"] = "reprise", ["brownbag"] = "brownbag", ["teeter"] = "teeter", ["enforced"] = "enforce", ["pride"] = "pride", ["inverts"] = "invert", ["reprinting"] = "reprint", ["unionised"] = "unionise", ["reprimanding"] = "reprimand", ["reprieving"] = "reprieve", ["interlaces"] = "interlace", ["reprieve"] = "reprieve", ["repressing"] = "repress", ["repress"] = "repress", ["represents"] = "represent", ["gnaws"] = "gnaw", ["earth"] = "earth", ["representing"] = "represent", ["appal"] = "appal", ["escalate"] = "escalate", ["represented"] = "represent", ["timetable"] = "timetable", ["pierce"] = "pierce", ["repossess"] = "repossess", ["reposed"] = "repose", ["repose"] = "repose", ["subsidising"] = "subsidise", ["brick"] = "brick", ["dreamt"] = "dream", ["report"] = "report", ["subpoenaed"] = "subpoena", ["replied"] = "reply", ["replicating"] = "replicate", ["cashiering"] = "cashier", ["cede"] = "cede", ["besmirches"] = "besmirch", ["socialise"] = "socialise", ["replenishes"] = "replenish", ["replenish"] = "replenish", ["prorated"] = "prorate", ["replaying"] = "replay", ["fistbumping"] = "fistbump", ["overgrazes"] = "overgraze", ["replatforms"] = "replatform", ["copulated"] = "copulate", ["fantasizing"] = "fantasize", ["grouping"] = "group", ["forestalled"] = "forestall", ["microchips"] = "microchip", ["cradling"] = "cradle", ["replatform"] = "replatform", ["inactivated"] = "inactivate", ["rephrasing"] = "rephrase", ["rephrases"] = "rephrase", ["encompassing"] = "encompass", ["cherrypicking"] = "cherrypick", ["pupate"] = "pupate", ["preregisters"] = "preregister", ["fetishize"] = "fetishize", ["disassociating"] = "disassociate", ["cartwheel"] = "cartwheel", ["rephrased"] = "rephrase", ["entrenches"] = "entrench", ["repenting"] = "repent", ["repented"] = "repent", ["abominating"] = "abominate", ["package"] = "package", ["spraypainting"] = "spraypaint", ["achieved"] = "achieve", ["troubleshoot"] = "troubleshoot", ["preens"] = "preen", ["covets"] = "covet", ["grafted"] = "graft", ["disbelieves"] = "disbelieve", ["post-dating"] = "post-date", ["corresponded"] = "correspond", ["salivate"] = "salivate", ["quake"] = "quake", ["repeals"] = "repeal", ["sandblasted"] = "sandblast", ["larding"] = "lard", ["jettison"] = "jettison", ["repatriated"] = "repatriate", ["repatriate"] = "repatriate", ["bespattered"] = "bespatter", ["outsell"] = "outsell", ["packages"] = "package", ["carding"] = "card", ["expostulated"] = "expostulate", ["repair"] = "repair", ["repaid"] = "repay", ["de-stress"] = "de-stress", ["splaying"] = "splay", ["educating"] = "educate", ["accounts"] = "account", ["reorients"] = "reorient", ["reoriented"] = "reorient", ["argue"] = "argue", ["regularising"] = "regularise", ["pulverizes"] = "pulverize", ["reorganizing"] = "reorganize", ["peruse"] = "peruse", ["reorganized"] = "reorganize", ["extinguished"] = "extinguish", ["jump-started"] = "jump-start", ["double-glazed"] = "double-glaze", ["endangering"] = "endanger", ["predisposed"] = "predispose", ["reorganise"] = "reorganise", ["shrank"] = "shrink", ["reordering"] = "reorder", ["reordered"] = "reorder", ["reorder"] = "reorder", ["reopens"] = "reopen", ["reopened"] = "reopen", ["counts"] = "count", ["reopen"] = "reopen", ["capsize"] = "capsize", ["reoffends"] = "reoffend", ["reoffending"] = "reoffend", ["pierces"] = "pierce", ["reoccurs"] = "reoccur", ["chaperoned"] = "chaperone", ["reoccurring"] = "reoccur", ["reoccur"] = "reoccur", ["localize"] = "localize", ["rent"] = "rent", ["piped"] = "pipe", ["oxidizes"] = "oxidize", ["promoting"] = "promote", ["brooks"] = "brook", ["stupefy"] = "stupefy", ["subdivides"] = "subdivide", ["renounces"] = "renounce", ["sealed"] = "seal", ["renounce"] = "renounce", ["renews"] = "renew", ["pealed"] = "peal", ["renew"] = "renew", ["crooks"] = "crook", ["redirects"] = "redirect", ["created"] = "create", ["squint"] = "squint", ["alarms"] = "alarm", ["berth"] = "berth", ["rends"] = "rend", ["rendezvousing"] = "rendezvous", ["cannons"] = "cannon", ["spin-dries"] = "spin-dry", ["entrap"] = "entrap", ["rendezvous"] = "rendezvous", ["politicise"] = "politicise", ["assaults"] = "assault", ["rendering"] = "render", ["postmark"] = "postmark", ["cherry-picks"] = "cherry-pick", ["double"] = "double", ["renamed"] = "rename", ["optimises"] = "optimise", ["whaled"] = "whale", ["procreating"] = "procreate", ["mounts"] = "mount", ["loving"] = "love", ["creolized"] = "creolize", ["coarsen"] = "coarsen", ["remunerate"] = "remunerate", ["bide"] = "bide", ["removing"] = "remove", ["wrinkled"] = "wrinkle", ["removed"] = "remove", ["remounting"] = "remount", ["coldshoulder"] = "coldshoulder", ["hide"] = "hide", ["overemphasizing"] = "overemphasize", ["conveyed"] = "convey", ["grind"] = "grind", ["enumerate"] = "enumerate", ["blindsiding"] = "blindside", ["containing"] = "contain", ["picture"] = "picture", ["jettisoning"] = "jettison", ["elide"] = "elide", ["unfrocks"] = "unfrock", ["preside"] = "preside", ["postpone"] = "postpone", ["re-educated"] = "re-educate", ["surprising"] = "surprise", ["remortgages"] = "remortgage", ["decorate"] = "decorate", ["spooks"] = "spook", ["remonstrating"] = "remonstrate", ["remonstrated"] = "remonstrate", ["tearing"] = "tear", ["wearing"] = "wear", ["dishearten"] = "dishearten", ["remolding"] = "remold", ["crinkled"] = "crinkle", ["militated"] = "militate", ["blubs"] = "blub", ["groomed"] = "groom", ["remolded"] = "remold", ["remold"] = "remold", ["flubs"] = "flub", ["weewees"] = "weewee", ["remodel"] = "remodel", ["remixing"] = "remix", ["compliment"] = "compliment", ["skyped"] = "skype", ["critique"] = "critique", ["gearing"] = "gear", ["fearing"] = "fear", ["remixed"] = "remix", ["hearing"] = "hear", ["remitting"] = "remit", ["hybridised"] = "hybridise", ["cross-fertilized"] = "cross-fertilize", ["remit"] = "remit", ["foxing"] = "fox", ["nearing"] = "near", ["interleaved"] = "interleave", ["pummel"] = "pummel", ["elucidating"] = "elucidate", ["dislocate"] = "dislocate", ["remind"] = "remind", ["decimate"] = "decimate", ["westernizes"] = "westernize", ["retry"] = "retry", ["remedy"] = "remedy", ["softshoed"] = "softshoe", ["remediates"] = "remediate", ["remediate"] = "remediate", ["annotating"] = "annotate", ["remastering"] = "remaster", ["sashays"] = "sashay", ["impoverish"] = "impoverish", ["remaster"] = "remaster", ["remarrying"] = "remarry", ["accentuated"] = "accentuate", ["bearing"] = "bear", ["remarry"] = "remarry", ["silhouettes"] = "silhouette", ["firing"] = "fire", ["espouses"] = "espouse", ["snubs"] = "snub", ["doublechecking"] = "doublecheck", ["lionising"] = "lionise", ["airing"] = "air", ["remarked"] = "remark", ["hot-swapped"] = "hot-swap", ["convalesces"] = "convalesce", ["remapping"] = "remap", ["erasing"] = "erase", ["flirt"] = "flirt", ["remapped"] = "remap", ["barred"] = "bar", ["tiring"] = "tire", ["siring"] = "sire", ["marred"] = "mar", ["plotting"] = "plot", ["pre-books"] = "pre-book", ["remaking"] = "remake", ["remakes"] = "remake", ["jarred"] = "jar", ["remake"] = "remake", ["fictionalised"] = "fictionalise", ["blacklisting"] = "blacklist", ["profiles"] = "profile", ["cheeking"] = "cheek", ["skirt"] = "skirt", ["detect"] = "detect", ["instructs"] = "instruct", ["remain"] = "remain", ["delving"] = "delve", ["relying"] = "rely", ["relocating"] = "relocate", ["encroaching"] = "encroach", ["relocated"] = "relocate", ["relocate"] = "relocate", ["contextualizes"] = "contextualize", ["reloading"] = "reload", ["induce"] = "induce", ["crooned"] = "croon", ["reloaded"] = "reload", ["divvy"] = "divvy", ["overegged"] = "overegg", ["heralded"] = "herald", ["reload"] = "reload", ["handwriting"] = "handwrite", ["conditioning"] = "condition", ["rollerbladed"] = "rollerblade", ["postmarked"] = "postmark", ["slide"] = "slide", ["relinquishes"] = "relinquish", ["euthanizes"] = "euthanize", ["telephoning"] = "telephone", ["relieves"] = "relieve", ["relieved"] = "relieve", ["relied"] = "rely", ["relenting"] = "relent", ["dillydallying"] = "dillydally", ["relent"] = "relent", ["simplify"] = "simplify", ["relegated"] = "relegate", ["side"] = "side", ["tide"] = "tide", ["acquitting"] = "acquit", ["lipreading"] = "lipread", ["input"] = "input", ["instanced"] = "instance", ["releases"] = "release", ["ride"] = "ride", ["aggravate"] = "aggravate", ["chide"] = "chide", ["expurgating"] = "expurgate", ["apprehending"] = "apprehend", ["release"] = "release", ["relaying"] = "relay", ["relaxing"] = "relax", ["funded"] = "fund", ["rationalize"] = "rationalize", ["prescribe"] = "prescribe", ["relaxed"] = "relax", ["relax"] = "relax", ["reforms"] = "reform", ["brightens"] = "brighten", ["descry"] = "descry", ["relaunches"] = "relaunch", ["related"] = "relate", ["buzz"] = "buzz", ["relapsing"] = "relapse", ["relapsed"] = "relapse", ["stunts"] = "stunt", ["rekindling"] = "rekindle", ["course"] = "course", ["salving"] = "salve", ["photoshopped"] = "photoshop", ["reiterating"] = "reiterate", ["psychoanalysed"] = "psychoanalyse", ["cradled"] = "cradle", ["muddies"] = "muddy", ["beatifies"] = "beatify", ["rekindle"] = "rekindle", ["unliking"] = "unlike", ["rejuvenate"] = "rejuvenate", ["rejoins"] = "rejoin", ["outranked"] = "outrank", ["fulfil"] = "fulfil", ["rejoining"] = "rejoin", ["straightarmed"] = "straightarm", ["rejoin"] = "rejoin", ["buddies"] = "buddy", ["rejoice"] = "rejoice", ["rejigging"] = "rejig", ["rejigged"] = "rejig", ["affixing"] = "affix", ["sharing"] = "share", ["proliferating"] = "proliferate", ["cold-shoulders"] = "cold-shoulder", ["reissues"] = "reissue", ["spooned"] = "spoon", ["prorate"] = "prorate", ["reinvigorating"] = "reinvigorate", ["reinvigorates"] = "reinvigorate", ["nips"] = "nip", ["reinvigorate"] = "reinvigorate", ["separates"] = "separate", ["perambulating"] = "perambulate", ["page-jacks"] = "page-jack", ["reinvested"] = "reinvest", ["crewing"] = "crew", ["brewing"] = "brew", ["reinvest"] = "reinvest", ["reinvents"] = "reinvent", ["exhausting"] = "exhaust", ["reinvent"] = "reinvent", ["reintroduce"] = "reintroduce", ["reinterpreting"] = "reinterpret", ["disagreed"] = "disagree", ["swirling"] = "swirl", ["frontloading"] = "frontload", ["offshores"] = "offshore", ["reinsures"] = "reinsure", ["reinsured"] = "reinsure", ["inflames"] = "inflame", ["reinstates"] = "reinstate", ["reinstated"] = "reinstate", ["dazzle"] = "dazzle", ["reinstate"] = "reinstate", ["reins"] = "rein", ["hot-wired"] = "hot-wire", ["rear-ended"] = "rear-end", ["refuting"] = "refute", ["hinders"] = "hinder", ["reinforce"] = "reinforce", ["re-evaluated"] = "re-evaluate", ["presold"] = "presell", ["reincarnating"] = "reincarnate", ["reincarnate"] = "reincarnate", ["fly-tips"] = "fly-tip", ["rein"] = "rein", ["being"] = "be", ["senses"] = "sense", ["tenses"] = "tense", ["reigns"] = "reign", ["fried"] = "fry", ["torching"] = "torch", ["lessening"] = "lessen", ["semaphores"] = "semaphore", ["dowsing"] = "dowse", ["cried"] = "cry", ["dried"] = "dry", ["reignited"] = "reignite", ["bushwhack"] = "bushwhack", ["reignite"] = "reignite", ["plunks"] = "plunk", ["clunks"] = "clunk", ["reigning"] = "reign", ["diffuse"] = "diffuse", ["reigned"] = "reign", ["rehousing"] = "rehouse", ["flunks"] = "flunk", ["ring-fencing"] = "ring-fence", ["rehomed"] = "rehome", ["descales"] = "descale", ["reimbursed"] = "reimburse", ["reheat"] = "reheat", ["garage"] = "garage", ["misnames"] = "misname", ["fist-pumping"] = "fist-pump", ["rehearses"] = "rehearse", ["pried"] = "pry", ["duels"] = "duel", ["neglected"] = "neglect", ["whizzes"] = "whizz", ["deepsixed"] = "deepsix", ["nobbled"] = "nobble", ["bicycling"] = "bicycle", ["shorted"] = "short", ["cosies"] = "cosy", ["forewarns"] = "forewarn", ["rehashing"] = "rehash", ["personify"] = "personify", ["concentrated"] = "concentrate", ["rehash"] = "rehash", ["rehabilitating"] = "rehabilitate", ["hobbled"] = "hobble", ["gobbled"] = "gobble", ["rehabilitated"] = "rehabilitate", ["rehabilitate"] = "rehabilitate", ["regurgitating"] = "regurgitate", ["terrifying"] = "terrify", ["bottom"] = "bottom", ["outpointing"] = "outpoint", ["regurgitated"] = "regurgitate", ["regurgitate"] = "regurgitate", ["holster"] = "holster", ["survives"] = "survive", ["drunk"] = "drink", ["reorient"] = "reorient", ["unpacks"] = "unpack", ["regularise"] = "regularise", ["regroups"] = "regroup", ["wobbled"] = "wobble", ["fritters"] = "fritter", ["regrouped"] = "regroup", ["truncating"] = "truncate", ["regretted"] = "regret", ["martyring"] = "martyr", ["braining"] = "brain", ["re-echo"] = "re-echo", ["acing"] = "ace", ["analysing"] = "analyse", ["recessed"] = "recess", ["regressed"] = "regress", ["experimented"] = "experiment", ["sprouts"] = "sprout", ["covering"] = "cover", ["regiment"] = "regiment", ["icing"] = "ice", ["bobbled"] = "bobble", ["animated"] = "animate", ["regenerated"] = "regenerate", ["arraign"] = "arraign", ["misreads"] = "misread", ["manured"] = "manure", ["hits"] = "hit", ["inaugurating"] = "inaugurate", ["debar"] = "debar", ["downplaying"] = "downplay", ["overshadowed"] = "overshadow", ["rearing"] = "rear", ["honeymooning"] = "honeymoon", ["congregates"] = "congregate", ["regard"] = "regard", ["regales"] = "regale", ["distribute"] = "distribute", ["regaining"] = "regain", ["regained"] = "regain", ["abstained"] = "abstain", ["reinforces"] = "reinforce", ["refutes"] = "refute", ["promoted"] = "promote", ["refuted"] = "refute", ["negotiates"] = "negotiate", ["disabling"] = "disable", ["refute"] = "refute", ["freezedried"] = "freezedry", ["frostbit"] = "frostbite", ["burglarizes"] = "burglarize", ["refused"] = "refuse", ["refurbishing"] = "refurbish", ["bangs"] = "bang", ["bogs"] = "bog", ["scarred"] = "scar", ["refuels"] = "refuel", ["twitters"] = "twitter", ["refuelled"] = "refuel", ["enervating"] = "enervate", ["unpins"] = "unpin", ["refrigerating"] = "refrigerate", ["rampaged"] = "rampage", ["hangs"] = "hang", ["gangs"] = "gang", ["crosshatches"] = "crosshatch", ["indemnified"] = "indemnify", ["bends"] = "bend", ["deludes"] = "delude", ["zip-tying"] = "zip-tie", ["refreshed"] = "refresh", ["flat"] = "flat", ["refrains"] = "refrain", ["draughted"] = "draught", ["overlay"] = "overlie", ["refrained"] = "refrain", ["fasttracking"] = "fasttrack", ["refracting"] = "refract", ["blitzes"] = "blitz", ["befit"] = "befit", ["exhausted"] = "exhaust", ["withered"] = "wither", ["cross-pollinating"] = "cross-polinate", ["reforming"] = "reform", ["coercing"] = "coerce", ["obliterate"] = "obliterate", ["prescind"] = "prescind", ["sanctifying"] = "sanctify", ["reformatted"] = "reformat", ["reformat"] = "reformat", ["commending"] = "commend", ["staining"] = "stain", ["doubt"] = "doubt", ["doublefaults"] = "doublefault", ["buttering"] = "butter", ["refocus"] = "refocus", ["predetermines"] = "predetermine", ["weighs"] = "weigh", ["refloated"] = "refloat", ["air-dries"] = "air-dry", ["refloat"] = "refloat", ["meriting"] = "merit", ["modernising"] = "modernise", ["reflecting"] = "reflect", ["negativing"] = "negative", ["imbibes"] = "imbibe", ["reflected"] = "reflect", ["coat"] = "coat", ["hurtles"] = "hurtle", ["crapping"] = "crap", ["possetted"] = "posset", ["reflated"] = "reflate", ["reflate"] = "reflate", ["refitting"] = "refit", ["refits"] = "refit", ["arouses"] = "arouse", ["adapts"] = "adapt", ["refit"] = "refit", ["pioneers"] = "pioneer", ["refining"] = "refine", ["disallowed"] = "disallow", ["grouses"] = "grouse", ["refines"] = "refine", ["skewing"] = "skew", ["refine"] = "refine", ["refinances"] = "refinance", ["christens"] = "christen", ["exchanges"] = "exchange", ["mutinied"] = "mutiny", ["refinance"] = "refinance", ["embellish"] = "embellish", ["entrances"] = "entrance", ["refilled"] = "refill", ["aging"] = "age", ["coshed"] = "cosh", ["engineer"] = "engineer", ["eschews"] = "eschew", ["refill"] = "refill", ["reffed"] = "ref", ["referring"] = "refer", ["referred"] = "refer", ["naturalises"] = "naturalise", ["referencing"] = "reference", ["parleying"] = "parley", ["moshed"] = "mosh", ["referees"] = "referee", ["prevent"] = "prevent", ["joshed"] = "josh", ["reexamining"] = "reexamine", ["recycling"] = "recycle", ["extemporise"] = "extemporise", ["shellac"] = "shellac", ["catapult"] = "catapult", ["instantmessaging"] = "instantmessage", ["reengineered"] = "reengineer", ["reengineer"] = "reengineer", ["folds"] = "fold", ["swapping"] = "swap", ["pressurize"] = "pressurize", ["empathising"] = "empathise", ["reemerges"] = "reemerge", ["reemerged"] = "reemerge", ["reels"] = "reel", ["molds"] = "mold", ["contemplating"] = "contemplate", ["presuppose"] = "presuppose", ["reeled"] = "reel", ["spiff"] = "spiff", ["comforts"] = "comfort", ["blurting"] = "blurt", ["anesthetises"] = "anesthetise", ["prostrating"] = "prostrate", ["reelect"] = "reelect", ["reel"] = "reel", ["reeks"] = "reek", ["divebombing"] = "divebomb", ["combusting"] = "combust", ["ornament"] = "ornament", ["reeked"] = "reek", ["reek"] = "reek", ["clunk"] = "clunk", ["skied"] = "sky", ["egosurfed"] = "egosurf", ["mothered"] = "mother", ["reeducated"] = "reeducate", ["burnt"] = "burn", ["anthologising"] = "anthologise", ["reechoing"] = "reecho", ["envisages"] = "envisage", ["reechoes"] = "reecho", ["scrutinizes"] = "scrutinize", ["skitters"] = "skitter", ["reduplicates"] = "reduplicate", ["forewent"] = "forego", ["traumatizing"] = "traumatize", ["derogate"] = "derogate", ["rubbernecked"] = "rubberneck", ["redresses"] = "redress", ["adjourns"] = "adjourn", ["redress"] = "redress", ["crucifies"] = "crucify", ["courting"] = "court", ["refrigerates"] = "refrigerate", ["accent"] = "accent", ["glitters"] = "glitter", ["rebranded"] = "rebrand", ["motioning"] = "motion", ["redraw"] = "redraw", ["pig"] = "pig", ["patronizes"] = "patronize", ["redounds"] = "redound", ["redounding"] = "redound", ["welds"] = "weld", ["redound"] = "redound", ["melds"] = "meld", ["debuts"] = "debut", ["hails"] = "hail", ["rebels"] = "rebel", ["epitomizing"] = "epitomize", ["evaporated"] = "evaporate", ["twined"] = "twine", ["abrogate"] = "abrogate", ["redo"] = "redo", ["redistrict"] = "redistrict", ["redistributes"] = "redistribute", ["registered"] = "register", ["notify"] = "notify", ["redirecting"] = "redirect", ["gelds"] = "geld", ["missions"] = "mission", ["redirected"] = "redirect", ["redials"] = "redial", ["redialling"] = "redial", ["officiated"] = "officiate", ["neighs"] = "neigh", ["parboils"] = "parboil", ["disembarking"] = "disembark", ["inflecting"] = "inflect", ["outlining"] = "outline", ["miscalculates"] = "miscalculate", ["redeveloping"] = "redevelop", ["accumulated"] = "accumulate", ["redesigns"] = "redesign", ["excommunicating"] = "excommunicate", ["redesigning"] = "redesign", ["ODed"] = "OD", ["inserting"] = "insert", ["softsoap"] = "softsoap", ["redeploy"] = "redeploy", ["consider"] = "consider", ["snapping"] = "snap", ["redeems"] = "redeem", ["crashdived"] = "crashdive", ["redeemed"] = "redeem", ["diversify"] = "diversify", ["outperform"] = "outperform", ["eked"] = "eke", ["drycleaned"] = "dryclean", ["exhibit"] = "exhibit", ["redecorating"] = "redecorate", ["lambasts"] = "lambast", ["doff"] = "doff", ["redecorate"] = "redecorate", ["positioning"] = "position", ["displaying"] = "display", ["adjudging"] = "adjudge", ["cross-breeding"] = "cross-breed", ["besmirch"] = "besmirch", ["reddened"] = "redden", ["fields"] = "field", ["partaking"] = "partake", ["misplaying"] = "misplay", ["putter"] = "putter", ["redacted"] = "redact", ["prejudging"] = "prejudge", ["justifies"] = "justify", ["assigns"] = "assign", ["experiences"] = "experience", ["carouse"] = "carouse", ["shied"] = "shy", ["recycle"] = "recycle", ["recurs"] = "recur", ["recurring"] = "recur", ["widen"] = "widen", ["frostbitten"] = "frostbite", ["blindfolding"] = "blindfold", ["recuperating"] = "recuperate", ["sparred"] = "spar", ["rectify"] = "rectify", ["rectifies"] = "rectify", ["inhabited"] = "inhabit", ["recruits"] = "recruit", ["recruited"] = "recruit", ["grizzles"] = "grizzle", ["juiced"] = "juice", ["recruit"] = "recruit", ["freeloading"] = "freeload", ["beavering"] = "beaver", ["drizzles"] = "drizzle", ["impeach"] = "impeach", ["frizzles"] = "frizzle", ["dings"] = "ding", ["mustered"] = "muster", ["debate"] = "debate", ["recreate"] = "recreate", ["foists"] = "foist", ["recouping"] = "recoup", ["hoists"] = "hoist", ["recouped"] = "recoup", ["recounting"] = "recount", ["bespeaks"] = "bespeak", ["zings"] = "zing", ["convening"] = "convene", ["stomach"] = "stomach", ["wings"] = "wing", ["reconvening"] = "reconvene", ["reconvened"] = "reconvene", ["cold-shouldering"] = "cold-shoulder", ["interjected"] = "interject", ["accosts"] = "accost", ["reconstructing"] = "reconstruct", ["pings"] = "ping", ["gang-banged"] = "gang-bang", ["reconstructed"] = "reconstruct", ["reconstitutes"] = "reconstitute", ["overdrawn"] = "overdraw", ["honking"] = "honk", ["invading"] = "invade", ["reconstituted"] = "reconstitute", ["straightarm"] = "straightarm", ["reconsidered"] = "reconsider", ["reconsider"] = "reconsider", ["reconquering"] = "reconquer", ["aiding"] = "aid", ["divulges"] = "divulge", ["asphyxiates"] = "asphyxiate", ["demonizing"] = "demonize", ["humming"] = "hum", ["reconnoitred"] = "reconnoitre", ["cloys"] = "cloy", ["decimalises"] = "decimalise", ["subjected"] = "subject", ["reconnects"] = "reconnect", ["binges"] = "binge", ["reconfirms"] = "reconfirm", ["corralled"] = "corral", ["backspace"] = "backspace", ["reconfiguring"] = "reconfigure", ["downloaded"] = "download", ["gilds"] = "gild", ["reconfigure"] = "reconfigure", ["heightens"] = "heighten", ["allowed"] = "allow", ["reconditioning"] = "recondition", ["forbid"] = "forbid", ["sharpening"] = "sharpen", ["recondition"] = "recondition", ["distinguish"] = "distinguish", ["anoint"] = "anoint", ["effaces"] = "efface", ["reconciling"] = "reconcile", ["upanchoring"] = "upanchor", ["gasps"] = "gasp", ["immures"] = "immure", ["recommended"] = "recommend", ["pedestrianises"] = "pedestrianise", ["recommend"] = "recommend", ["colorizing"] = "colorize", ["democratises"] = "democratise", ["erected"] = "erect", ["factorising"] = "factorise", ["desegregating"] = "desegregate", ["sympathised"] = "sympathise", ["recollects"] = "recollect", ["recollecting"] = "recollect", ["leopardcrawls"] = "leopardcrawl", ["recollected"] = "recollect", ["tethered"] = "tether", ["recognizing"] = "recognize", ["televises"] = "televise", ["paralysed"] = "paralyse", ["two-timed"] = "two-time", ["clinch"] = "clinch", ["conking"] = "conk", ["bonking"] = "bonk", ["flinch"] = "flinch", ["trembles"] = "tremble", ["behaving"] = "behave", ["authorised"] = "authorise", ["recognises"] = "recognise", ["lumbers"] = "lumber", ["recognised"] = "recognise", ["finessed"] = "finesse", ["darken"] = "darken", ["demotivated"] = "demotivate", ["overcharge"] = "overcharge", ["hosing"] = "hose", ["jeopardize"] = "jeopardize", ["fracture"] = "fracture", ["adjusts"] = "adjust", ["reclined"] = "recline", ["mystifies"] = "mystify", ["banter"] = "banter", ["recline"] = "recline", ["arrested"] = "arrest", ["reclassify"] = "reclassify", ["alludes"] = "allude", ["reclassified"] = "reclassify", ["maundered"] = "maunder", ["authored"] = "author", ["reclaimed"] = "reclaim", ["reciting"] = "recite", ["recites"] = "recite", ["harken"] = "harken", ["recited"] = "recite", ["archived"] = "archive", ["encrypted"] = "encrypt", ["reciprocating"] = "reciprocate", ["reciprocates"] = "reciprocate", ["rechipping"] = "rechip", ["numbers"] = "number", ["clapping"] = "clap", ["rechipped"] = "rechip", ["handicap"] = "handicap", ["halting"] = "halt", ["rechip"] = "rechip", ["measures"] = "measure", ["unfastened"] = "unfasten", ["pinch runs"] = "pinch run", ["outing"] = "out", ["recessing"] = "recess", ["ravish"] = "ravish", ["contrives"] = "contrive", ["blackmail"] = "blackmail", ["recesses"] = "recess", ["muting"] = "mute", ["hotdogged"] = "hotdog", ["lavish"] = "lavish", ["regresses"] = "regress", ["befriends"] = "befriend", ["crowds"] = "crowd", ["defriends"] = "defriend", ["berthed"] = "berth", ["receive"] = "receive", ["misconceived"] = "misconceive", ["klapping"] = "klap", ["co-star"] = "co-star", ["receded"] = "recede", ["recede"] = "recede", ["field-testing"] = "field-test", ["flatter"] = "flatter", ["dickers"] = "dicker", ["flapping"] = "flap", ["spoon-fed"] = "spoon-feed", ["cobbled"] = "cobble", ["reappear"] = "reappear", ["beavers"] = "beaver", ["recaptured"] = "recapture", ["mashed"] = "mash", ["lashed"] = "lash", ["ejaculating"] = "ejaculate", ["categorizing"] = "categorize", ["lambs"] = "lamb", ["discloses"] = "disclose", ["washed"] = "wash", ["recapping"] = "recap", ["recapitulating"] = "recapitulate", ["highlighting"] = "highlight", ["rivalled"] = "rival", ["bashed"] = "bash", ["coordinating"] = "coordinate", ["individuate"] = "individuate", ["recap"] = "recap", ["recanting"] = "recant", ["parcels"] = "parcel", ["hospitalise"] = "hospitalise", ["stings"] = "sting", ["verified"] = "verify", ["re-emerge"] = "re-emerge", ["conceiving"] = "conceive", ["gashed"] = "gash", ["rebuts"] = "rebut", ["rebuking"] = "rebuke", ["dashed"] = "dash", ["cashed"] = "cash", ["boob"] = "boob", ["accedes"] = "accede", ["civilised"] = "civilise", ["roadtests"] = "roadtest", ["dragoons"] = "dragoon", ["rebuke"] = "rebuke", ["rebuild"] = "rebuild", ["rebuffing"] = "rebuff", ["stupefies"] = "stupefy", ["rebranding"] = "rebrand", ["scrutinises"] = "scrutinise", ["alloying"] = "alloy", ["unwrapped"] = "unwrap", ["culling"] = "cull", ["reboot"] = "reboot", ["analyze"] = "analyze", ["incentivises"] = "incentivise", ["rebel"] = "rebel", ["reawakens"] = "reawaken", ["reawakened"] = "reawaken", ["consents"] = "consent", ["construes"] = "construe", ["reviewed"] = "review", ["reassured"] = "reassure", ["surprised"] = "surprise", ["reassigned"] = "reassign", ["reassign"] = "reassign", ["muzzle"] = "muzzle", ["nuzzle"] = "nuzzle", ["reassessing"] = "reassess", ["puzzle"] = "puzzle", ["masculinizes"] = "masculinize", ["reassesses"] = "reassess", ["snaggled"] = "snaggle", ["limbering"] = "limber", ["regenerating"] = "regenerate", ["forbids"] = "forbid", ["reassembled"] = "reassemble", ["masturbating"] = "masturbate", ["reassemble"] = "reassemble", ["misappropriates"] = "misappropriate", ["delivering"] = "deliver", ["reasons"] = "reason", ["reasoned"] = "reason", ["reason"] = "reason", ["imbues"] = "imbue", ["rears"] = "rear", ["preinstalls"] = "preinstall", ["rearranging"] = "rearrange", ["rearranges"] = "rearrange", ["rearranged"] = "rearrange", ["connoted"] = "connote", ["rearrange"] = "rearrange", ["rearming"] = "rearm", ["regarding"] = "regard", ["drop-kicking"] = "drop-kick", ["reviewing"] = "review", ["oxidises"] = "oxidise", ["cannibalize"] = "cannibalize", ["reared"] = "rear", ["downchanged"] = "downchange", ["indexed"] = "index", ["brownnones"] = "brownnose", ["packaging"] = "package", ["lours"] = "lour", ["rear-ending"] = "rear-end", ["digresses"] = "digress", ["needling"] = "needle", ["audits"] = "audit", ["butter"] = "butter", ["reappraises"] = "reappraise", ["grumbled"] = "grumble", ["reappointing"] = "reappoint", ["part-exchange"] = "part-exchange", ["reappoint"] = "reappoint", ["bursting"] = "burst", ["reapplying"] = "reapply", ["reapplies"] = "reapply", ["pluralize"] = "pluralize", ["babied"] = "baby", ["pity"] = "pity", ["reappeared"] = "reappear", ["rosined"] = "rosin", ["reaped"] = "reap", ["reap"] = "reap", ["dappling"] = "dapple", ["reaffirmed"] = "reaffirm", ["reams"] = "ream", ["double clicking"] = "double click", ["sours"] = "sour", ["ream"] = "ream", ["reallocating"] = "reallocate", ["measuring"] = "measure", ["ghostwriting"] = "ghostwrite", ["occupy"] = "occupy", ["negate"] = "negate", ["reallocate"] = "reallocate", ["realizing"] = "realize", ["kneed"] = "knee", ["dragoon"] = "dragoon", ["sheathes"] = "sheathe", ["realize"] = "realize", ["truncate"] = "truncate", ["sliced"] = "slice", ["resisting"] = "resist", ["realigning"] = "realign", ["liquidate"] = "liquidate", ["realigned"] = "realign", ["reanimating"] = "reanimate", ["readying"] = "ready", ["readvertising"] = "readvertise", ["dominating"] = "dominate", ["readvertised"] = "readvertise", ["microwaved"] = "microwave", ["versifies"] = "versify", ["readmitting"] = "readmit", ["readmitted"] = "readmit", ["nominating"] = "nominate", ["readmit"] = "readmit", ["readjusts"] = "readjust", ["straps"] = "strap", ["financed"] = "finance", ["readies"] = "ready", ["libels"] = "libel", ["readied"] = "ready", ["injecting"] = "inject", ["motor"] = "motor", ["readdressing"] = "readdress", ["readdresses"] = "readdress", ["readdress"] = "readdress", ["reactivating"] = "reactivate", ["moralise"] = "moralise", ["reactivates"] = "reactivate", ["details"] = "detail", ["reactivate"] = "reactivate", ["starred"] = "star", ["rounded"] = "round", ["sounded"] = "sound", ["procreates"] = "procreate", ["optioning"] = "option", ["reacquainting"] = "reacquaint", ["wounded"] = "wound", ["reached"] = "reach", ["crisping"] = "crisp", ["re-routed"] = "re-route", ["laze"] = "laze", ["descends"] = "descend", ["whimpered"] = "whimper", ["swings"] = "swing", ["re-proving"] = "re-prove", ["pounded"] = "pound", ["re-proves"] = "re-prove", ["bounded"] = "bound", ["re-proved"] = "re-prove", ["overloaded"] = "overload", ["embraced"] = "embrace", ["founded"] = "found", ["leopard-crawl"] = "leopard-crawl", ["desisting"] = "desist", ["coughed"] = "cough", ["fly-kick"] = "fly-kick", ["inhabiting"] = "inhabit", ["re-forms"] = "re-form", ["adapt"] = "adapt", ["marching"] = "march", ["shortlist"] = "shortlist", ["goldbricked"] = "goldbrick", ["slope"] = "slope", ["re-examine"] = "re-examine", ["re-evaluating"] = "re-evaluate", ["re-evaluates"] = "re-evaluate", ["reined"] = "rein", ["toughed"] = "tough", ["lumbering"] = "lumber", ["conjectured"] = "conjecture", ["paroles"] = "parole", ["loosening"] = "loosen", ["elope"] = "elope", ["purses"] = "purse", ["fought"] = "fight", ["rewound"] = "rewind", ["re-enact"] = "re-enact", ["re-emerged"] = "re-emerge", ["rebutted"] = "rebut", ["re-elects"] = "re-elect", ["parching"] = "parch", ["intellectualising"] = "intellectualise", ["invigilating"] = "invigilate", ["re-elected"] = "re-elect", ["apprenticed"] = "apprentice", ["ruminating"] = "ruminate", ["re-echoing"] = "re-echo", ["re-echoes"] = "re-echo", ["decays"] = "decay", ["misspelt"] = "misspell", ["re-echoed"] = "re-echo", ["re-covers"] = "re-cover", ["tilting"] = "tilt", ["silting"] = "silt", ["leapfrogs"] = "leapfrog", ["befalls"] = "befall", ["plasticized"] = "plasticize", ["impoverishing"] = "impoverish", ["promotes"] = "promote", ["re-chipping"] = "re-chip", ["re-chipped"] = "re-chip", ["re-chip"] = "re-chip", ["jilting"] = "jilt", ["re-advertising"] = "re-advertise", ["liaising"] = "liaise", ["re-advertised"] = "re-advertise", ["re-advertise"] = "re-advertise", ["caned"] = "cane", ["razzed"] = "razz", ["mews"] = "mew", ["masturbates"] = "masturbate", ["ligate"] = "ligate", ["overbids"] = "overbid", ["wilting"] = "wilt", ["fizzle"] = "fizzle", ["razed"] = "raze", ["slavers"] = "slaver", ["ravishes"] = "ravish", ["upcycling"] = "upcycle", ["spiced"] = "spice", ["fraternizing"] = "fraternize", ["externalizes"] = "externalize", ["ravel"] = "ravel", ["monitor"] = "monitor", ["raved"] = "rave", ["fished"] = "fish", ["unionise"] = "unionise", ["dished"] = "dish", ["crashtesting"] = "crashtest", ["jibing"] = "jibe", ["stomaching"] = "stomach", ["flings"] = "fling", ["rattle"] = "rattle", ["ratted"] = "rat", ["originates"] = "originate", ["sandbagged"] = "sandbag", ["prowled"] = "prowl", ["rationed"] = "ration", ["immunised"] = "immunise", ["demarcates"] = "demarcate", ["wished"] = "wish", ["relaxes"] = "relax", ["rationalises"] = "rationalise", ["breastfeeds"] = "breastfeed", ["outnumber"] = "outnumber", ["rating"] = "rate", ["grope"] = "grope", ["ratify"] = "ratify", ["ratified"] = "ratify", ["rates"] = "rate", ["collaborate"] = "collaborate", ["rated"] = "rate", ["frolicked"] = "frolic", ["gathered"] = "gather", ["ratcheting"] = "ratchet", ["amalgamated"] = "amalgamate", ["fathered"] = "father", ["chewing"] = "chew", ["ratcheted"] = "ratchet", ["avenged"] = "avenge", ["ratchet"] = "ratchet", ["rasterizing"] = "rasterize", ["rasterize"] = "rasterize", ["ferret"] = "ferret", ["rasterises"] = "rasterise", ["balkanize"] = "balkanize", ["lathered"] = "lather", ["record"] = "record", ["rasped"] = "rasp", ["enchants"] = "enchant", ["notarizes"] = "notarize", ["inlaid"] = "inlay", ["elbows"] = "elbow", ["galumphing"] = "galumph", ["veneers"] = "veneer", ["rapes"] = "rape", ["rape"] = "rape", ["overtop"] = "overtop", ["backbiting"] = "backbite", ["captivated"] = "captivate", ["rants"] = "rant", ["suckers"] = "sucker", ["aspirating"] = "aspirate", ["decries"] = "decry", ["ransoming"] = "ransom", ["brutalizes"] = "brutalize", ["rightsise"] = "rightsise", ["retake"] = "retake", ["ransacking"] = "ransack", ["lurching"] = "lurch", ["gawps"] = "gawp", ["ransacked"] = "ransack", ["squirts"] = "squirt", ["straight-arms"] = "straight-arm", ["decried"] = "decry", ["ranges"] = "range", ["befriending"] = "befriend", ["budget"] = "budget", ["brings"] = "bring", ["catapulting"] = "catapult", ["propagandizes"] = "propagandize", ["rang"] = "ring", ["baptised"] = "baptise", ["betake"] = "betake", ["randomizing"] = "randomize", ["randomizes"] = "randomize", ["cramping"] = "cramp", ["randomises"] = "randomise", ["overhanging"] = "overhang", ["swanning"] = "swan", ["snookered"] = "snooker", ["ramraided"] = "ramaid", ["champed"] = "champ", ["touchtypes"] = "touchtype", ["itemizing"] = "itemize", ["cudgel"] = "cudgel", ["ramping"] = "ramp", ["ramped"] = "ramp", ["redraws"] = "redraw", ["pelting"] = "pelt", ["busies"] = "busy", ["schematizes"] = "schematize", ["melting"] = "melt", ["ram-raided"] = "ram-aid", ["busked"] = "busk", ["rallies"] = "rally", ["stiff"] = "stiff", ["trivialised"] = "trivialise", ["raked"] = "rake", ["lunge"] = "lunge", ["blissing"] = "bliss", ["trivialize"] = "trivialize", ["degenerating"] = "degenerate", ["account"] = "account", ["husked"] = "husk", ["raises"] = "raise", ["shatter"] = "shatter", ["raining"] = "rain", ["preoccupies"] = "preoccupy", ["rain"] = "rain", ["railroads"] = "railroad", ["symptomise"] = "symptomise", ["toilettrained"] = "toilettrain", ["vacillate"] = "vacillate", ["featured"] = "feature", ["rail"] = "rail", ["fieldtesting"] = "fieldtest", ["pronouncing"] = "pronounce", ["raided"] = "raid", ["discard"] = "discard", ["rags"] = "rag", ["meshed"] = "mesh", ["squeezed"] = "squeeze", ["chew"] = "chew", ["prejudicing"] = "prejudice", ["raged"] = "rage", ["eviscerate"] = "eviscerate", ["raffles"] = "raffle", ["planned"] = "plan", ["coauthors"] = "coauthor", ["labels"] = "label", ["radioing"] = "radio", ["radioed"] = "radio", ["inveighed"] = "inveigh", ["de-iced"] = "de-ice", ["cloud"] = "cloud", ["curtailing"] = "curtail", ["pre-empted"] = "pre-empt", ["expurgates"] = "expurgate", ["escalating"] = "escalate", ["radicalising"] = "radicalise", ["radicalise"] = "radicalise", ["prescribes"] = "prescribe", ["inhibit"] = "inhibit", ["radiates"] = "radiate", ["petitions"] = "petition", ["rack"] = "rack", ["pressurizes"] = "pressurize", ["raced"] = "race", ["race"] = "race", ["rabbiting"] = "rabbit", ["kidnap"] = "kidnap", ["quoting"] = "quote", ["quoted"] = "quote", ["opined"] = "opine", ["quote"] = "quote", ["devise"] = "devise", ["cannulates"] = "cannulate", ["quizzed"] = "quiz", ["reward"] = "reward", ["quits"] = "quit", ["minors"] = "minor", ["quit"] = "quit", ["quirks"] = "quirk", ["quirked"] = "quirk", ["quips"] = "quip", ["quipped"] = "quip", ["harmonize"] = "harmonize", ["tiedyed"] = "tiedye", ["compensates"] = "compensate", ["revise"] = "revise", ["brownnosing"] = "brownnose", ["field-test"] = "field-test", ["quintuple"] = "quintuple", ["quietening"] = "quieten", ["demanded"] = "demand", ["quietened"] = "quieten", ["contend"] = "contend", ["quieten"] = "quieten", ["autocomplete"] = "autocomplete", ["hyperventilates"] = "hyperventilate", ["channels"] = "channel", ["clowned"] = "clown", ["quieted"] = "quiet", ["advise"] = "advise", ["dislike"] = "dislike", ["quickening"] = "quicken", ["quicken"] = "quicken", ["quibbled"] = "quibble", ["remanded"] = "remand", ["queues"] = "queue", ["scandalize"] = "scandalize", ["outperformed"] = "outperform", ["queue"] = "queue", ["questions"] = "question", ["copyrighting"] = "copyright", ["question"] = "question", ["questing"] = "quest", ["scrimp"] = "scrimp", ["queries"] = "query", ["generalize"] = "generalize", ["queried"] = "query", ["marshalling"] = "marshal", ["overloading"] = "overload", ["damaging"] = "damage", ["quench"] = "quench", ["quells"] = "quell", ["debited"] = "debit", ["overwhelming"] = "overwhelm", ["quelling"] = "quell", ["quelled"] = "quell", ["gyrated"] = "gyrate", ["queen"] = "queen", ["ooze"] = "ooze", ["banished"] = "banish", ["ingratiating"] = "ingratiate", ["binge"] = "binge", ["sharpens"] = "sharpen", ["connote"] = "connote", ["balkanizing"] = "balkanize", ["quarterbacked"] = "quarterback", ["facepalm"] = "facepalm", ["hinge"] = "hinge", ["persisted"] = "persist", ["frosting"] = "frost", ["picturizing"] = "picturize", ["quarries"] = "quarry", ["outstay"] = "outstay", ["quarried"] = "quarry", ["photosensitises"] = "photosensitise", ["burying"] = "bury", ["singe"] = "singe", ["confirming"] = "confirm", ["embittered"] = "embitter", ["tinge"] = "tinge", ["shear"] = "shear", ["quarantines"] = "quarantine", ["quantifying"] = "quantify", ["quantify"] = "quantify", ["quantifies"] = "quantify", ["quantified"] = "quantify", ["qualifies"] = "qualify", ["denominates"] = "denominate", ["force"] = "force", ["pollinating"] = "pollinate", ["quaking"] = "quake", ["initialled"] = "initial", ["quaked"] = "quake", ["embroidered"] = "embroider", ["permeated"] = "permeate", ["repeat"] = "repeat", ["flourish"] = "flourish", ["outfaced"] = "outface", ["welch"] = "welch", ["traumatises"] = "traumatise", ["pillage"] = "pillage", ["acquires"] = "acquire", ["abandoned"] = "abandon", ["unfolding"] = "unfold", ["mummifies"] = "mummify", ["formed"] = "form", ["putzing"] = "putz", ["putzes"] = "putz", ["brainstorming"] = "brainstorm", ["mummify"] = "mummify", ["putts"] = "putt", ["contract"] = "contract", ["endorses"] = "endorse", ["doze"] = "doze", ["disconnects"] = "disconnect", ["terminates"] = "terminate", ["lasts"] = "last", ["puttered"] = "putter", ["mobilize"] = "mobilize", ["redacts"] = "redact", ["frostbite"] = "frostbite", ["putrefying"] = "putrefy", ["review"] = "review", ["putrefies"] = "putrefy", ["putrefied"] = "putrefy", ["pussyfooting"] = "pussyfoot", ["scoured"] = "scour", ["pushstarted"] = "pushstart", ["pushstart"] = "pushstart", ["emptying"] = "empty", ["pushing"] = "push", ["neglects"] = "neglect", ["deliquesces"] = "deliquesce", ["push-starting"] = "push-start", ["skive"] = "skive", ["circulating"] = "circulate", ["retaliating"] = "retaliate", ["anthologises"] = "anthologise", ["lofting"] = "loft", ["pur�ed"] = "pur�e", ["welched"] = "welch", ["crosschecks"] = "crosscheck", ["purveyed"] = "purvey", ["overshares"] = "overshare", ["re-entered"] = "re-enter", ["flatlined"] = "flatline", ["purred"] = "purr", ["flocks"] = "flock", ["snuggles"] = "snuggle", ["purloining"] = "purloin", ["purloined"] = "purloin", ["enfolding"] = "enfold", ["purloin"] = "purloin", ["abdicated"] = "abdicate", ["depersonalises"] = "depersonalise", ["dedicated"] = "dedicate", ["purl"] = "purl", ["denationalise"] = "denationalise", ["oblige"] = "oblige", ["touch-typing"] = "touch-type", ["purified"] = "purify", ["purging"] = "purge", ["medicated"] = "medicate", ["bottled"] = "bottle", ["enquires"] = "enquire", ["propounded"] = "propound", ["explained"] = "explain", ["glimmer"] = "glimmer", ["contrasting"] = "contrast", ["namechecked"] = "namecheck", ["compete"] = "compete", ["allotted"] = "allot", ["purged"] = "purge", ["incarnates"] = "incarnate", ["acquiesced"] = "acquiesce", ["snowplough"] = "snowplough", ["inquires"] = "inquire", ["puree"] = "puree", ["purchasing"] = "purchase", ["dereference"] = "dereference", ["combing"] = "comb", ["approaching"] = "approach", ["upgrade"] = "upgrade", ["punning"] = "pun", ["emboldening"] = "embolden", ["bar-hopping"] = "bar-hop", ["punned"] = "pun", ["bungling"] = "bungle", ["obtrude"] = "obtrude", ["punishing"] = "punish", ["puncturing"] = "puncture", ["vamoosed"] = "vamoose", ["actioning"] = "action", ["puncture"] = "puncture", ["punctuating"] = "punctuate", ["foreshadowing"] = "foreshadow", ["packetized"] = "packetize", ["punctuates"] = "punctuate", ["punctuated"] = "punctuate", ["punctuate"] = "punctuate", ["bethought"] = "bethink", ["solemnises"] = "solemnise", ["punched"] = "punch", ["premiered"] = "premiere", ["proselytized"] = "proselytize", ["hexing"] = "hex", ["pumps"] = "pump", ["pump"] = "pump", ["pummelling"] = "pummel", ["arrive"] = "arrive", ["reminisced"] = "reminisce", ["activated"] = "activate", ["indicates"] = "indicate", ["pulverizing"] = "pulverize", ["drones"] = "drone", ["decarbonises"] = "decarbonize", ["trickle"] = "trickle", ["pulverize"] = "pulverize", ["pulverising"] = "pulverise", ["vexing"] = "vex", ["pulverised"] = "pulverise", ["pulsing"] = "pulse", ["crosshatching"] = "crosshatch", ["pulses"] = "pulse", ["partitions"] = "partition", ["accelerates"] = "accelerate", ["excels"] = "excel", ["hallucinated"] = "hallucinate", ["pulsating"] = "pulsate", ["buoyed"] = "buoy", ["proofed"] = "proof", ["pulsate"] = "pulsate", ["pulping"] = "pulp", ["unlearn"] = "unlearn", ["pullulating"] = "pullulate", ["pullulates"] = "pullulate", ["pullulate"] = "pullulate", ["pulling"] = "pull", ["gleams"] = "gleam", ["electrocuting"] = "electrocute", ["puffed"] = "puff", ["underpaid"] = "underpay", ["splashing"] = "splash", ["published"] = "publish", ["belched"] = "belch", ["disembark"] = "disembark", ["publicize"] = "publicize", ["publicising"] = "publicise", ["publicises"] = "publicise", ["comprehends"] = "comprehend", ["publicise"] = "publicise", ["psychoanalyzing"] = "psychoanalyze", ["psychoanalysing"] = "psychoanalyse", ["tape-recording"] = "tape-record", ["neglecting"] = "neglect", ["psyching"] = "psych", ["gestate"] = "gestate", ["psyched"] = "psych", ["prying"] = "pry", ["pruning"] = "prune", ["clicks"] = "click", ["furthered"] = "further", ["prune"] = "prune", ["assume"] = "assume", ["unifying"] = "unify", ["demolish"] = "demolish", ["pampered"] = "pamper", ["degrade"] = "degrade", ["prowling"] = "prowl", ["coxing"] = "cox", ["boxing"] = "box", ["rationing"] = "ration", ["prowl"] = "prowl", ["provokes"] = "provoke", ["provisioning"] = "provision", ["provisioned"] = "provision", ["page-jacked"] = "page-jack", ["droning"] = "drone", ["tampered"] = "tamper", ["proves"] = "prove", ["proven"] = "prove", ["pre-installing"] = "pre-install", ["protruding"] = "protrude", ["yanking"] = "yank", ["repeated"] = "repeat", ["donating"] = "donate", ["reminisces"] = "reminisce", ["photoshopping"] = "photoshop", ["filched"] = "filch", ["badmouthed"] = "badmouth", ["satiated"] = "satiate", ["manoeuvre"] = "manoeuvre", ["crown"] = "crown", ["brown"] = "brown", ["influenced"] = "influence", ["discarded"] = "discard", ["grown"] = "grow", ["frown"] = "frown", ["undertook"] = "undertake", ["prostituting"] = "prostitute", ["shimmer"] = "shimmer", ["restate"] = "restate", ["predispose"] = "predispose", ["prosper"] = "prosper", ["derived"] = "derive", ["prospects"] = "prospect", ["ranking"] = "rank", ["prospected"] = "prospect", ["proselytizing"] = "proselytize", ["prosecuting"] = "prosecute", ["prosecutes"] = "prosecute", ["pan-fry"] = "pan-fry", ["resprayed"] = "respray", ["contorted"] = "contort", ["exempting"] = "exempt", ["hot-wires"] = "hot-wire", ["replays"] = "replay", ["reissue"] = "reissue", ["irrupting"] = "irrupt", ["propping"] = "prop", ["endangers"] = "endanger", ["propositions"] = "proposition", ["proposing"] = "propose", ["springboarding"] = "springboard", ["proportioning"] = "proportion", ["pities"] = "pity", ["slobber"] = "slobber", ["atrophied"] = "atrophy", ["cohabiting"] = "cohabit", ["frustrated"] = "frustrate", ["propitiates"] = "propitiate", ["propitiated"] = "propitiate", ["prophesy"] = "prophesy", ["attempt"] = "attempt", ["measure"] = "measure", ["wetnursing"] = "wetnurse", ["verbalized"] = "verbalize", ["propagating"] = "propagate", ["propagates"] = "propagate", ["ridicule"] = "ridicule", ["concuss"] = "concuss", ["propagandizing"] = "propagandize", ["clobber"] = "clobber", ["range"] = "range", ["potroasted"] = "potroast", ["forward"] = "forward", ["nettled"] = "nettle", ["overheated"] = "overheat", ["legalized"] = "legalize", ["epitomizes"] = "epitomize", ["propagandized"] = "propagandize", ["settled"] = "settle", ["dupes"] = "dupe", ["propagandising"] = "propagandise", ["hampered"] = "hamper", ["stones"] = "stone", ["tousle"] = "tousle", ["deicing"] = "deice", ["cloying"] = "cloy", ["aggregates"] = "aggregate", ["playacted"] = "playact", ["clown"] = "clown", ["proofing"] = "proof", ["raiding"] = "raid", ["cricks"] = "crick", ["bricks"] = "brick", ["legislated"] = "legislate", ["pronounces"] = "pronounce", ["pronounce"] = "pronounce", ["remortgage"] = "remortgage", ["promulgated"] = "promulgate", ["renovated"] = "renovate", ["re-chips"] = "re-chip", ["promise"] = "promise", ["anthologizing"] = "anthologize", ["passivising"] = "passivise", ["fizzed"] = "fizz", ["promenading"] = "promenade", ["promenaded"] = "promenade", ["energize"] = "energize", ["pits"] = "pit", ["engulf"] = "engulf", ["prolonged"] = "prolong", ["outperforms"] = "outperform", ["prolong"] = "prolong", ["deflect"] = "deflect", ["proliferates"] = "proliferate", ["mishitting"] = "mishit", ["disqualifying"] = "disqualify", ["proliferate"] = "proliferate", ["miscalculating"] = "miscalculate", ["transmits"] = "transmit", ["hard-coding"] = "hard-code", ["projected"] = "project", ["judder"] = "judder", ["cower"] = "cower", ["thrashes"] = "thrash", ["decanting"] = "decant", ["affiliated"] = "affiliate", ["reflect"] = "reflect", ["legalising"] = "legalise", ["romanced"] = "romance", ["masturbated"] = "masturbate", ["chargesheets"] = "chargesheet", ["programmes"] = "programme", ["atones"] = "atone", ["programmed"] = "programme", ["segregates"] = "segregate", ["lower"] = "lower", ["debunks"] = "debunk", ["profited"] = "profit", ["plumbing"] = "plumb", ["power"] = "power", ["brainstorm"] = "brainstorm", ["doorstepping"] = "doorstep", ["depoliticizing"] = "depoliticize", ["dismiss"] = "dismiss", ["demobilize"] = "demobilize", ["dwindles"] = "dwindle", ["remaindering"] = "remainder", ["profiled"] = "profile", ["profile"] = "profile", ["prescinding"] = "prescind", ["pluming"] = "plume", ["reloads"] = "reload", ["devalue"] = "devalue", ["fast-forwarding"] = "fast-forward", ["smoothing"] = "smooth", ["gerrymander"] = "gerrymander", ["realise"] = "realise", ["trick or treated"] = "trick or treat", ["professionalise"] = "professionalise", ["overawe"] = "overawe", ["professing"] = "profess", ["dampened"] = "dampen", ["cocooning"] = "cocoon", ["poleaxe"] = "poleaxe", ["professes"] = "profess", ["professed"] = "profess", ["titivated"] = "titivate", ["compile"] = "compile", ["packetise"] = "packetise", ["partook"] = "partake", ["profaned"] = "profane", ["profanes"] = "profane", ["profane"] = "profane", ["wipes"] = "wipe", ["produces"] = "produce", ["bandies"] = "bandy", ["accrediting"] = "accredit", ["produce"] = "produce", ["pottytraining"] = "pottytrain", ["conceived"] = "conceive", ["subvert"] = "subvert", ["chart"] = "chart", ["jockey"] = "jockey", ["prod"] = "prod", ["tippling"] = "tipple", ["procures"] = "procure", ["outfitting"] = "outfit", ["contaminates"] = "contaminate", ["proctored"] = "proctor", ["philosophised"] = "philosophise", ["proctor"] = "proctor", ["reacquaints"] = "reacquaint", ["procreated"] = "procreate", ["procreate"] = "procreate", ["procrastinates"] = "procrastinate", ["shining"] = "shine", ["proclaiming"] = "proclaim", ["digitize"] = "digitize", ["proclaimed"] = "proclaim", ["whining"] = "whine", ["processing"] = "process", ["aborted"] = "abort", ["transgresses"] = "transgress", ["proceed"] = "proceed", ["composing"] = "compose", ["inventorying"] = "inventory", ["ornamented"] = "ornament", ["economizing"] = "economize", ["probate"] = "probate", ["quaff"] = "quaff", ["exonerated"] = "exonerate", ["prizes"] = "prize", ["prize"] = "prize", ["privileged"] = "privilege", ["genuflecting"] = "genuflect", ["double-glaze"] = "double-glaze", ["toilet-trained"] = "toilet-train", ["liquidises"] = "liquidise", ["curtsying"] = "curtsy", ["privatises"] = "privatise", ["disqualified"] = "disqualify", ["privatise"] = "privatise", ["floured"] = "flour", ["eliciting"] = "elicit", ["sunders"] = "sunder", ["prioritize"] = "prioritize", ["scrounged"] = "scrounge", ["prints"] = "print", ["live-blogging"] = "live-blog", ["disinters"] = "disinter", ["pipes"] = "pipe", ["print"] = "print", ["primps"] = "primp", ["toast"] = "toast", ["primp"] = "primp", ["casseroles"] = "casserole", ["presided"] = "preside", ["flogs"] = "flog", ["primes"] = "prime", ["roast"] = "roast", ["photosynthesize"] = "photosynthesize", ["size"] = "size", ["docking"] = "dock", ["mishit"] = "mishit", ["secularize"] = "secularize", ["prickles"] = "prickle", ["enumerating"] = "enumerate", ["amount"] = "amount", ["prickle"] = "prickle", ["swig"] = "swig", ["twig"] = "twig", ["priced"] = "price", ["price"] = "price", ["erode"] = "erode", ["blast"] = "blast", ["pivot"] = "pivot", ["prewashes"] = "prewash", ["spoofed"] = "spoof", ["sojourning"] = "sojourn", ["indicated"] = "indicate", ["solved"] = "solve", ["sanitises"] = "sanitise", ["cocoons"] = "cocoon", ["proffering"] = "proffer", ["prevented"] = "prevent", ["sticks"] = "stick", ["dethroning"] = "dethrone", ["crash-landing"] = "crash-land", ["edging"] = "edge", ["prettifying"] = "prettify", ["miniaturized"] = "miniaturize", ["dive-bombing"] = "dive-bomb", ["outwitted"] = "outwit", ["prettified"] = "prettify", ["winking"] = "wink", ["upscales"] = "upscale", ["lowballed"] = "lowball", ["falsifying"] = "falsify", ["sinking"] = "sink", ["deep fried"] = "deep fry", ["preteaches"] = "preteach", ["pinking"] = "pink", ["pines"] = "pine", ["incriminated"] = "incriminate", ["outflanking"] = "outflank", ["linking"] = "link", ["kinking"] = "kink", ["jinking"] = "jink", ["embarrasses"] = "embarrass", ["presupposed"] = "presuppose", ["falsifies"] = "falsify", ["finking"] = "fink", ["expelled"] = "expel", ["dinking"] = "dink", ["ponders"] = "ponder", ["presuming"] = "presume", ["presumes"] = "presume", ["presumed"] = "presume", ["shortens"] = "shorten", ["prejudiced"] = "prejudice", ["homogenize"] = "homogenize", ["compartmentalise"] = "compartmentalise", ["snorted"] = "snort", ["pressurized"] = "pressurize", ["deformed"] = "deform", ["pressurising"] = "pressurise", ["accommodate"] = "accommodate", ["fetishizing"] = "fetishize", ["disbelieved"] = "disbelieve", ["isolated"] = "isolate", ["pressuring"] = "pressure", ["decide"] = "decide", ["stolen"] = "steal", ["capsises"] = "capsise", ["pressured"] = "pressure", ["live-streamed"] = "live-stream", ["pressgang"] = "pressgang", ["press-gangs"] = "press-gang", ["press-ganging"] = "press-gang", ["press-ganged"] = "press-gang", ["awaits"] = "await", ["plaits"] = "plait", ["depoliticising"] = "depoliticise", ["whirling"] = "whirl", ["discontinue"] = "discontinue", ["doctoring"] = "doctor", ["presets"] = "preset", ["sniffled"] = "sniffle", ["presents"] = "present", ["presented"] = "present", ["squandering"] = "squander", ["dispelt"] = "dispel", ["preselling"] = "presell", ["dethrone"] = "dethrone", ["congratulate"] = "congratulate", ["hailing"] = "hail", ["jockeys"] = "jockey", ["gawk"] = "gawk", ["deduct"] = "deduct", ["betraying"] = "betray", ["soothed"] = "soothe", ["text-messages"] = "text-message", ["preselect"] = "preselect", ["prescribing"] = "prescribe", ["climax"] = "climax", ["radiating"] = "radiate", ["coast"] = "coast", ["prescinded"] = "prescind", ["defiled"] = "defile", ["jazzed"] = "jazz", ["reformed"] = "reform", ["boast"] = "boast", ["maxing"] = "max", ["inflects"] = "inflect", ["lands"] = "land", ["jib"] = "jib", ["presages"] = "presage", ["mouthing"] = "mouth", ["hands"] = "hand", ["perfume"] = "perfume", ["dissociates"] = "dissociate", ["miscalculate"] = "miscalculate", ["flipflopping"] = "flipflop", ["cloaking"] = "cloak", ["prerecorded"] = "prerecord", ["preps"] = "prep", ["overproduces"] = "overproduce", ["gesture"] = "gesture", ["prepped"] = "prep", ["corroded"] = "corrode", ["mainstreaming"] = "mainstream", ["reorganising"] = "reorganise", ["prepones"] = "prepone", ["preponed"] = "prepone", ["bunch"] = "bunch", ["feasted"] = "feast", ["tempered"] = "temper", ["munch"] = "munch", ["gained"] = "gain", ["preponderates"] = "preponderate", ["parted"] = "part", ["varying"] = "vary", ["brazened"] = "brazen", ["paged"] = "page", ["hunch"] = "hunch", ["assumes"] = "assume", ["caged"] = "cage", ["preparing"] = "prepare", ["prepaid"] = "prepay", ["rained"] = "rain", ["preoccupied"] = "preoccupy", ["pained"] = "pain", ["punch"] = "punch", ["immobilize"] = "immobilize", ["downlink"] = "downlink", ["premiere"] = "premiere", ["preloading"] = "preload", ["overcompensates"] = "overcompensate", ["preloaded"] = "preload", ["lipsynchs"] = "lipsynch", ["enlightens"] = "enlighten", ["misrepresents"] = "misrepresent", ["prejudices"] = "prejudice", ["preinstalling"] = "preinstall", ["funking"] = "funk", ["preheated"] = "preheat", ["prefixes"] = "prefix", ["jigging"] = "jig", ["junking"] = "junk", ["embalmed"] = "embalm", ["elbow"] = "elbow", ["paroling"] = "parole", ["hosed"] = "hose", ["mulched"] = "mulch", ["prefigures"] = "prefigure", ["cocoon"] = "cocoon", ["minuting"] = "minute", ["prefigure"] = "prefigure", ["preferred"] = "prefer", ["reawaken"] = "reawaken", ["prefacing"] = "preface", ["preface"] = "preface", ["preexist"] = "preexist", ["repelled"] = "repel", ["courtmartial"] = "courtmartial", ["preened"] = "preen", ["colour"] = "colour", ["bombarded"] = "bombard", ["emancipates"] = "emancipate", ["fashioning"] = "fashion", ["preempts"] = "preempt", ["preempted"] = "preempt", ["fieldtests"] = "fieldtest", ["predominating"] = "predominate", ["reorganised"] = "reorganise", ["prospered"] = "prosper", ["predicts"] = "predict", ["elected"] = "elect", ["predict"] = "predict", ["misconceives"] = "misconceive", ["predicates"] = "predicate", ["predicate"] = "predicate", ["evolves"] = "evolve", ["predetermining"] = "predetermine", ["refloats"] = "refloat", ["predetermined"] = "predetermine", ["dunking"] = "dunk", ["stows"] = "stow", ["bunking"] = "bunk", ["predeceased"] = "predecease", ["overgeneralize"] = "overgeneralize", ["predecease"] = "predecease", ["predate"] = "predate", ["conveys"] = "convey", ["belting"] = "belt", ["bewailing"] = "bewail", ["precipitate"] = "precipitate", ["grows"] = "grow", ["preceded"] = "precede", ["alerts"] = "alert", ["incised"] = "incise", ["crows"] = "crow", ["anoints"] = "anoint", ["prebooks"] = "prebook", ["prebooked"] = "prebook", ["prebook"] = "prebook", ["branches"] = "branch", ["preaching"] = "preach", ["preaches"] = "preach", ["preached"] = "preach", ["pre-washing"] = "pre-wash", ["floor"] = "floor", ["illustrates"] = "illustrate", ["pre-washed"] = "pre-wash", ["lashing"] = "lash", ["pre-teaches"] = "pre-teach", ["pre-teach"] = "pre-teach", ["squalls"] = "squall", ["pre-records"] = "pre-record", ["pre-record"] = "pre-record", ["proved"] = "prove", ["mediating"] = "mediate", ["inhibiting"] = "inhibit", ["betide"] = "betide", ["proscribing"] = "proscribe", ["inferred"] = "infer", ["exceeding"] = "exceed", ["ascertains"] = "ascertain", ["likened"] = "liken", ["misunderstand"] = "misunderstand", ["pre-existing"] = "pre-exist", ["imbued"] = "imbue", ["pre-empting"] = "pre-empt", ["perishes"] = "perish", ["radicalizes"] = "radicalize", ["brutalizing"] = "brutalize", ["cinch"] = "cinch", ["desensitize"] = "desensitize", ["munches"] = "munch", ["boards"] = "board", ["repelling"] = "repel", ["hoards"] = "hoard", ["pre-booked"] = "pre-book", ["goofs"] = "goof", ["hoofs"] = "hoof", ["pinch"] = "pinch", ["pre-book"] = "pre-book", ["prayed"] = "pray", ["snows"] = "snow", ["prating"] = "prate", ["remoulding"] = "remould", ["volumising"] = "volumise", ["hoodwinking"] = "hoodwink", ["plodding"] = "plod", ["prances"] = "prance", ["pranced"] = "prance", ["knows"] = "know", ["praising"] = "praise", ["unhanded"] = "unhand", ["woofs"] = "woof", ["paralyzes"] = "paralyze", ["exists"] = "exist", ["dopes"] = "dope", ["humiliating"] = "humiliate", ["practising"] = "practise", ["practises"] = "practise", ["tailgating"] = "tailgate", ["individualizing"] = "individualize", ["forcefed"] = "forcefeed", ["practicing"] = "practice", ["practices"] = "practice", ["practiced"] = "practice", ["overdubbed"] = "overdub", ["energised"] = "energise", ["powers"] = "power", ["powernaps"] = "powernap", ["celebrates"] = "celebrate", ["twists"] = "twist", ["ensures"] = "ensure", ["depress"] = "depress", ["colored"] = "color", ["dabbled"] = "dabble", ["insures"] = "insure", ["mopes"] = "mope", ["monitored"] = "monitor", ["clothed"] = "clothe", ["lopes"] = "lope", ["ascertaining"] = "ascertain", ["brighten"] = "brighten", ["entangled"] = "entangle", ["hopes"] = "hope", ["powders"] = "powder", ["pardoning"] = "pardon", ["rewritten"] = "rewrite", ["campaign"] = "campaign", ["powder"] = "powder", ["pouts"] = "pout", ["pouted"] = "pout", ["coasted"] = "coast", ["boasted"] = "boast", ["controverted"] = "controvert", ["banking"] = "bank", ["malfunctioned"] = "malfunction", ["misspells"] = "misspell", ["pours"] = "pour", ["scuffle"] = "scuffle", ["pounding"] = "pound", ["petering"] = "peter", ["pounces"] = "pounce", ["thicken"] = "thicken", ["capsised"] = "capsise", ["crates"] = "crate", ["deliberated"] = "deliberate", ["fixing"] = "fix", ["prodding"] = "prod", ["enmeshes"] = "enmesh", ["blanching"] = "blanch", ["pottytrain"] = "pottytrain", ["horsewhip"] = "horsewhip", ["pottered"] = "potter", ["potter"] = "potter", ["bartering"] = "barter", ["spiralling"] = "spiral", ["grates"] = "grate", ["pots"] = "pot", ["institutes"] = "institute", ["potroasting"] = "potroast", ["lipsyncs"] = "lipsync", ["disuniting"] = "disunite", ["anglicise"] = "anglicise", ["potroast"] = "potroast", ["pot-roasting"] = "pot-roast", ["avows"] = "avow", ["pot"] = "pot", ["overrode"] = "override", ["exiles"] = "exile", ["panders"] = "pander", ["nixing"] = "nix", ["mixing"] = "mix", ["postures"] = "posture", ["postulating"] = "postulate", ["postulates"] = "postulate", ["postulated"] = "postulate", ["postsyncing"] = "postsync", ["redeployed"] = "redeploy", ["toasted"] = "toast", ["postponing"] = "postpone", ["remould"] = "remould", ["postmarking"] = "postmark", ["relishing"] = "relish", ["posted"] = "post", ["misjudge"] = "misjudge", ["postdated"] = "postdate", ["post-syncing"] = "post-sync", ["post-synced"] = "post-sync", ["post-dated"] = "post-date", ["chicken"] = "chicken", ["sported"] = "sport", ["confounds"] = "confound", ["glory"] = "glory", ["progresses"] = "progress", ["possets"] = "posset", ["counteracts"] = "counteract", ["possessed"] = "possess", ["possess"] = "possess", ["author"] = "author", ["posits"] = "posit", ["positions"] = "position", ["reddens"] = "redden", ["coruscated"] = "coruscate", ["resise"] = "resise", ["caramelize"] = "caramelize", ["posited"] = "posit", ["posing"] = "pose", ["posed"] = "pose", ["pose"] = "pose", ["ports"] = "port", ["portrays"] = "portray", ["excluded"] = "exclude", ["clutch"] = "clutch", ["shorten"] = "shorten", ["portions"] = "portion", ["portioning"] = "portion", ["portioned"] = "portion", ["manicure"] = "manicure", ["portends"] = "portend", ["portending"] = "portend", ["throwing"] = "throw", ["earmarked"] = "earmark", ["chains"] = "chain", ["steamrolling"] = "steamroll", ["pores"] = "pore", ["dialled"] = "dial", ["egosurfing"] = "egosurf", ["pored"] = "pore", ["populates"] = "populate", ["populated"] = "populate", ["popularize"] = "popularize", ["colonise"] = "colonise", ["popularises"] = "popularise", ["pootle"] = "pootle", ["poos"] = "poo", ["poops"] = "poop", ["pooping"] = "poop", ["pooped"] = "poop", ["demo"] = "demo", ["dwindled"] = "dwindle", ["commiserating"] = "commiserate", ["pooling"] = "pool", ["cascades"] = "cascade", ["poohpoohing"] = "poohpooh", ["poohpoohed"] = "poohpooh", ["poohpooh"] = "poohpooh", ["pooh-poohed"] = "pooh-pooh", ["major"] = "major", ["embellished"] = "embellish", ["ladled"] = "ladle", ["pontificate"] = "pontificate", ["re-examines"] = "re-examine", ["pongs"] = "pong", ["ponging"] = "pong", ["ponged"] = "pong", ["disconnected"] = "disconnect", ["pondering"] = "ponder", ["guards"] = "guard", ["consuming"] = "consume", ["transitions"] = "transition", ["ponces"] = "ponce", ["ponced"] = "ponce", ["spit-roasted"] = "spit-roast", ["polymerizing"] = "polymerize", ["polymerized"] = "polymerize", ["sketching"] = "sketch", ["staging"] = "stage", ["pollutes"] = "pollute", ["depoliticises"] = "depoliticise", ["polluted"] = "pollute", ["pollute"] = "pollute", ["polls"] = "poll", ["qualified"] = "qualify", ["pollinates"] = "pollinate", ["decolonise"] = "decolonise", ["ossifies"] = "ossify", ["induct"] = "induct", ["pollinated"] = "pollinate", ["pollinate"] = "pollinate", ["grossed"] = "gross", ["egged"] = "egg", ["pollards"] = "pollard", ["pollarding"] = "pollard", ["rebuffed"] = "rebuff", ["pollard"] = "pollard", ["politicizes"] = "politicize", ["politicize"] = "politicize", ["mortaring"] = "mortar", ["politicising"] = "politicise", ["politicised"] = "politicise", ["obfuscating"] = "obfuscate", ["obsesses"] = "obsess", ["fluctuated"] = "fluctuate", ["decolonises"] = "decolonise", ["renders"] = "render", ["polishing"] = "polish", ["tenders"] = "tender", ["policing"] = "police", ["polices"] = "police", ["farted"] = "fart", ["carted"] = "cart", ["darted"] = "dart", ["pocketed"] = "pocket", ["future-proofed"] = "future-proof", ["poles"] = "pole", ["poled"] = "pole", ["ploughs"] = "plough", ["pokes"] = "poke", ["abolished"] = "abolish", ["gerrymandered"] = "gerrymander", ["goosestepped"] = "goosestep", ["edged"] = "edge", ["refrigerate"] = "refrigerate", ["poisons"] = "poison", ["scared"] = "scare", ["poisoned"] = "poison", ["unfolded"] = "unfold", ["correlating"] = "correlate", ["shout"] = "shout", ["poise"] = "poise", ["facepalms"] = "facepalm", ["bastardizes"] = "bastardize", ["overseen"] = "oversee", ["police"] = "police", ["poaching"] = "poach", ["poaches"] = "poach", ["steals"] = "steal", ["pluralizing"] = "pluralize", ["pluralising"] = "pluralise", ["pluralises"] = "pluralise", ["pluralised"] = "pluralise", ["ameliorates"] = "ameliorate", ["tasering"] = "taser", ["deconsecrate"] = "deconsecrate", ["ostracised"] = "ostracise", ["curl"] = "curl", ["furl"] = "furl", ["plunk"] = "plunk", ["swots"] = "swot", ["dazzling"] = "dazzle", ["impelling"] = "impel", ["plunders"] = "plunder", ["plumped"] = "plump", ["plump"] = "plump", ["trundling"] = "trundle", ["splice"] = "splice", ["hurl"] = "hurl", ["salvage"] = "salvage", ["preventing"] = "prevent", ["awards"] = "award", ["carburising"] = "carburise", ["plumbs"] = "plumb", ["plumbed"] = "plumb", ["states"] = "state", ["de-stresses"] = "de-stress", ["plucks"] = "pluck", ["plucking"] = "pluck", ["restrain"] = "restrain", ["pluck"] = "pluck", ["anointing"] = "anoint", ["plowing"] = "plow", ["polarized"] = "polarize", ["plough"] = "plough", ["modulate"] = "modulate", ["queuing"] = "queue", ["pistol-whipped"] = "pistol-whip", ["plot"] = "plot", ["plopped"] = "plop", ["appoints"] = "appoint", ["charter"] = "charter", ["assenting"] = "assent", ["bedazzles"] = "bedazzle", ["masculinising"] = "masculinise", ["descaled"] = "descale", ["plighted"] = "plight", ["plied"] = "ply", ["pledged"] = "pledge", ["actuated"] = "actuate", ["holler"] = "holler", ["extend"] = "extend", ["depicting"] = "depict", ["upsising"] = "upsise", ["pleased"] = "please", ["please"] = "please", ["playing"] = "play", ["decelerates"] = "decelerate", ["played"] = "play", ["forswear"] = "forswear", ["heaved"] = "heave", ["proofreading"] = "proofread", ["back-heel"] = "back-heel", ["crop"] = "crop", ["exasperate"] = "exasperate", ["play-acting"] = "play-act", ["play-acted"] = "play-act", ["play-act"] = "play-act", ["drop"] = "drop", ["play"] = "play", ["balkanized"] = "balkanize", ["slimming"] = "slim", ["plated"] = "plate", ["deadening"] = "deaden", ["hypnotizes"] = "hypnotize", ["plateauing"] = "plateau", ["fatfingers"] = "fatfinger", ["plateau"] = "plateau", ["plate"] = "plate", ["re-cover"] = "re-cover", ["prop"] = "prop", ["haemorrhaging"] = "haemorrhage", ["blench"] = "blench", ["plasticised"] = "plasticise", ["plasticise"] = "plasticise", ["slaved"] = "slave", ["coshes"] = "cosh", ["plastering"] = "plaster", ["photosensitize"] = "photosensitize", ["interleaving"] = "interleave", ["plants"] = "plant", ["pervading"] = "pervade", ["planting"] = "plant", ["raffled"] = "raffle", ["outdid"] = "outdo", ["planes"] = "plane", ["moshes"] = "mosh", ["noshes"] = "nosh", ["plane"] = "plane", ["credential"] = "credential", ["asterisk"] = "asterisk", ["joshes"] = "josh", ["plagiarizing"] = "plagiarize", ["forges"] = "forge", ["gorges"] = "gorge", ["plagiarizes"] = "plagiarize", ["plagiarises"] = "plagiarise", ["plagiarised"] = "plagiarise", ["plagiarise"] = "plagiarise", ["baffled"] = "baffle", ["placing"] = "place", ["withdrew"] = "withdraw", ["placated"] = "placate", ["beguile"] = "beguile", ["placate"] = "placate", ["anaesthetising"] = "anaesthetise", ["pivots"] = "pivot", ["pivoting"] = "pivot", ["fragged"] = "frag", ["button"] = "button", ["opening"] = "open", ["preying"] = "prey", ["cheeps"] = "cheep", ["adjudicates"] = "adjudicate", ["promenade"] = "promenade", ["atomized"] = "atomize", ["greying"] = "grey", ["sermonizing"] = "sermonize", ["sieve"] = "sieve", ["seared"] = "sear", ["neared"] = "near", ["pistolwhips"] = "pistolwhip", ["entitles"] = "entitle", ["drives"] = "drive", ["pistolwhipped"] = "pistolwhip", ["lather"] = "lather", ["disdains"] = "disdain", ["pistolwhip"] = "pistolwhip", ["gather"] = "gather", ["pagejacked"] = "pagejack", ["genuflects"] = "genuflect", ["crucify"] = "crucify", ["stop"] = "stop", ["plots"] = "plot", ["pigeonholing"] = "pigeonhole", ["photograph"] = "photograph", ["existed"] = "exist", ["dollarize"] = "dollarize", ["pirated"] = "pirate", ["concreted"] = "concrete", ["perms"] = "perm", ["disenfranchises"] = "disenfranchise", ["piques"] = "pique", ["relieving"] = "relieve", ["update"] = "update", ["snorkel"] = "snorkel", ["piping"] = "pipe", ["pipe"] = "pipe", ["coldshouldered"] = "coldshoulder", ["pampers"] = "pamper", ["pioneer"] = "pioneer", ["cordoning"] = "cordon", ["terms"] = "term", ["tampers"] = "tamper", ["pinpointing"] = "pinpoint", ["hurled"] = "hurl", ["pinning"] = "pin", ["injected"] = "inject", ["pinned"] = "pin", ["silhouetting"] = "silhouette", ["pinked"] = "pink", ["assisting"] = "assist", ["schuss"] = "schuss", ["pinioned"] = "pinion", ["pining"] = "pine", ["pinged"] = "ping", ["pretaught"] = "preteach", ["pined"] = "pine", ["cribbed"] = "crib", ["pine"] = "pine", ["conjugating"] = "conjugate", ["embargoing"] = "embargo", ["lactating"] = "lactate", ["pinchhitting"] = "pinchhit", ["pinchhit"] = "pinchhit", ["pinch-hits"] = "pinch-hit", ["misplays"] = "misplay", ["recharged"] = "recharge", ["enslaved"] = "enslave", ["garrotted"] = "garrotte", ["eradicate"] = "eradicate", ["pin"] = "pin", ["pimps"] = "pimp", ["undo"] = "undo", ["insists"] = "insist", ["piloting"] = "pilot", ["piloted"] = "pilot", ["deliberates"] = "deliberate", ["ingratiate"] = "ingratiate", ["pillows"] = "pillow", ["cans"] = "can", ["mutating"] = "mutate", ["consenting"] = "consent", ["pillowing"] = "pillow", ["pillorying"] = "pillory", ["fans"] = "fan", ["pillories"] = "pillory", ["bonds"] = "bond", ["restoring"] = "restore", ["pilled"] = "pill", ["overshadows"] = "overshadow", ["double-date"] = "double-date", ["quaffing"] = "quaff", ["incurred"] = "incur", ["embroils"] = "embroil", ["pans"] = "pan", ["pill"] = "pill", ["pilfering"] = "pilfer", ["maltreats"] = "maltreat", ["tans"] = "tan", ["piled"] = "pile", ["gazunders"] = "gazunder", ["pile"] = "pile", ["affiliating"] = "affiliate", ["cleansed"] = "cleanse", ["demolishes"] = "demolish", ["piking"] = "pike", ["piked"] = "pike", ["confronts"] = "confront", ["eventuated"] = "eventuate", ["piggybacks"] = "piggyback", ["philosophises"] = "philosophise", ["misspeak"] = "misspeak", ["pirouetting"] = "pirouette", ["derive"] = "derive", ["inundating"] = "inundate", ["pigeonholed"] = "pigeonhole", ["geared"] = "gear", ["redraft"] = "redraft", ["piercing"] = "pierce", ["liquidates"] = "liquidate", ["reoffended"] = "reoffend", ["pierced"] = "pierce", ["palpitates"] = "palpitate", ["pieces"] = "piece", ["pieced"] = "piece", ["piece"] = "piece", ["piddling"] = "piddle", ["lends"] = "lend", ["mends"] = "mend", ["coated"] = "coat", ["destressed"] = "destress", ["betoken"] = "betoken", ["piddle"] = "piddle", ["mass-produce"] = "mass-produce", ["quarrying"] = "quarry", ["bag"] = "bag", ["misfiling"] = "misfile", ["fends"] = "fend", ["dolling"] = "doll", ["missioning"] = "mission", ["forbidding"] = "forbid", ["pictures"] = "picture", ["harmonizing"] = "harmonize", ["flared"] = "flare", ["glared"] = "glare", ["remoulds"] = "remould", ["picnic"] = "picnic", ["maiming"] = "maim", ["pickling"] = "pickle", ["debarking"] = "debark", ["abducting"] = "abduct", ["cross-posts"] = "cross-post", ["deifying"] = "deify", ["picketing"] = "picket", ["gratified"] = "gratify", ["blared"] = "blare", ["picked"] = "pick", ["pick"] = "pick", ["covenant"] = "covenant", ["intriguing"] = "intrigue", ["caulking"] = "caulk", ["phrasing"] = "phrase", ["compounded"] = "compound", ["phrases"] = "phrase", ["phrased"] = "phrase", ["evaporating"] = "evaporate", ["phrase"] = "phrase", ["empanels"] = "empanel", ["evangelise"] = "evangelise", ["tether"] = "tether", ["collared"] = "collar", ["priding"] = "pride", ["photosynthesising"] = "photosynthesise", ["dupe"] = "dupe", ["champions"] = "champion", ["plaster"] = "plaster", ["idolized"] = "idolize", ["supersize"] = "supersize", ["crossexamines"] = "crossexamine", ["ok'ing"] = "ok", ["mutilating"] = "mutilate", ["photocopying"] = "photocopy", ["halts"] = "halt", ["defrosting"] = "defrost", ["farms"] = "farm", ["denationalizes"] = "denationalize", ["loafed"] = "loaf", ["equivocate"] = "equivocate", ["photocopies"] = "photocopy", ["mown"] = "mow", ["manufactured"] = "manufacture", ["invigorated"] = "invigorate", ["romance"] = "romance", ["flagged"] = "flag", ["builds"] = "build", ["competed"] = "compete", ["philosophizes"] = "philosophize", ["blagged"] = "blag", ["rigged"] = "rig", ["cannibalises"] = "cannibalise", ["pigged"] = "pig", ["illtreats"] = "illtreat", ["philosophise"] = "philosophise", ["bound"] = "bound", ["phasing"] = "phase", ["phased"] = "phase", ["incommoding"] = "incommode", ["petting"] = "pet", ["revoke"] = "revoke", ["hound"] = "hound", ["clattering"] = "clatter", ["drivelled"] = "drivel", ["petrifies"] = "petrify", ["petitioning"] = "petition", ["sound"] = "sound", ["destabilise"] = "destabilise", ["slagged"] = "slag", ["pound"] = "pound", ["overwhelmed"] = "overwhelm", ["round"] = "round", ["peter"] = "peter", ["pestering"] = "pester", ["pestered"] = "pester", ["splosh"] = "splosh", ["pervades"] = "pervade", ["perusing"] = "peruse", ["deafening"] = "deafen", ["edify"] = "edify", ["perturbing"] = "perturb", ["perturb"] = "perturb", ["interring"] = "inter", ["franking"] = "frank", ["nestled"] = "nestle", ["drags"] = "drag", ["pardoned"] = "pardon", ["bidding"] = "bid", ["persuade"] = "persuade", ["mismanages"] = "mismanage", ["perspiring"] = "perspire", ["tipples"] = "tipple", ["perspire"] = "perspire", ["bunting"] = "bunt", ["energises"] = "energise", ["endured"] = "endure", ["absconded"] = "abscond", ["cotton"] = "cotton", ["hydrated"] = "hydrate", ["cycle"] = "cycle", ["brazening"] = "brazen", ["gigged"] = "gig", ["blockading"] = "blockade", ["fossilising"] = "fossilise", ["endowed"] = "endow", ["minds"] = "mind", ["crosshatched"] = "crosshatch", ["bouncing"] = "bounce", ["circumscribing"] = "circumscribe", ["moisturizing"] = "moisturize", ["propounds"] = "propound", ["muzzled"] = "muzzle", ["extols"] = "extol", ["encrypt"] = "encrypt", ["finds"] = "find", ["cremated"] = "cremate", ["encrypts"] = "encrypt", ["depersonalize"] = "depersonalize", ["binds"] = "bind", ["cozen"] = "cozen", ["name-checked"] = "name-check", ["privatising"] = "privatise", ["expel"] = "expel", ["crossed"] = "cross", ["palatalize"] = "palatalize", ["forfending"] = "forfend", ["bivvying"] = "bivvy", ["pace"] = "pace", ["vandalising"] = "vandalise", ["aggregated"] = "aggregate", ["bopped"] = "bop", ["lace"] = "lace", ["censuring"] = "censure", ["gravitated"] = "gravitate", ["emasculated"] = "emasculate", ["overlies"] = "overlie", ["intertwining"] = "intertwine", ["divide"] = "divide", ["crimp"] = "crimp", ["clenched"] = "clench", ["levy"] = "levy", ["staffing"] = "staff", ["nibbles"] = "nibble", ["chatter"] = "chatter", ["denting"] = "dent", ["barnstorming"] = "barnstorm", ["cross-questioning"] = "cross-question", ["bearding"] = "beard", ["diffracting"] = "diffract", ["buffer"] = "buffer", ["tenderising"] = "tenderise", ["earn"] = "earn", ["darn"] = "darn", ["flattening"] = "flatten", ["disenfranchise"] = "disenfranchise", ["overprint"] = "overprint", ["breast"] = "breast", ["employ"] = "employ", ["overpays"] = "overpay", ["reverberates"] = "reverberate", ["ekes"] = "eke", ["externalizing"] = "externalize", ["access"] = "access", ["emulated"] = "emulate", ["reinvesting"] = "reinvest", ["warn"] = "warn", ["suffer"] = "suffer", ["overdrew"] = "overdraw", ["crossrefer"] = "crossrefer", ["displace"] = "displace", ["eavesdrops"] = "eavesdrop", ["legged"] = "leg", ["overbear"] = "overbear", ["envy"] = "envy", ["ladder"] = "ladder", ["conflates"] = "conflate", ["crossposts"] = "crosspost", ["vegged"] = "veg", ["replicates"] = "replicate", ["exert"] = "exert", ["dulled"] = "dull", ["observe"] = "observe", ["crochet"] = "crochet", ["pegged"] = "peg", ["likening"] = "liken", ["coauthor"] = "coauthor", ["sublets"] = "sublet", ["enthused"] = "enthuse", ["believing"] = "believe", ["commences"] = "commence", ["chattering"] = "chatter", ["coops"] = "coop", ["dry-cleaning"] = "dry-clean", ["fetishised"] = "fetishise", ["drip"] = "drip", ["mandated"] = "mandate", ["drifting"] = "drift", ["outfits"] = "outfit", ["depopulates"] = "depopulate", ["gnash"] = "gnash", ["compacted"] = "compact", ["snared"] = "snare", ["dreads"] = "dread", ["reserve"] = "reserve", ["lingering"] = "linger", ["clots"] = "clot", ["hesitate"] = "hesitate", ["disbanding"] = "disband", ["blots"] = "blot", ["deluge"] = "deluge", ["backfires"] = "backfire", ["originating"] = "originate", ["pertaining"] = "pertain", ["biffing"] = "biff", ["overemphasise"] = "overemphasise", ["consoles"] = "console", ["ennoble"] = "ennoble", ["deserve"] = "deserve", ["doubling"] = "double", ["inflected"] = "inflect", ["minored"] = "minor", ["dilly-dallied"] = "dilly-dally", ["ogle"] = "ogle", ["embittering"] = "embitter", ["dove"] = "dive", ["braved"] = "brave", ["fingering"] = "finger", ["plummets"] = "plummet", ["craved"] = "crave", ["begged"] = "beg", ["straggles"] = "straggle", ["occasion"] = "occasion", ["jinxes"] = "jinx", ["flipped"] = "flip", ["deflated"] = "deflate", ["thrive"] = "thrive", ["convincing"] = "convince", ["bleeps"] = "bleep", ["apprised"] = "apprise", ["overselling"] = "oversell", ["enshrouding"] = "enshroud", ["tyrannizes"] = "tyrannize", ["obeys"] = "obey", ["budded"] = "bud", ["nutting"] = "nut", ["conveying"] = "convey", ["nutted"] = "nut", ["double-booked"] = "double-book", ["temporises"] = "temporise", ["bar-hopped"] = "bar-hop", ["cantered"] = "canter", ["decoding"] = "decode", ["embarking"] = "embark", ["postsynced"] = "postsync", ["rediscovered"] = "rediscover", ["appraising"] = "appraise", ["bespatter"] = "bespatter", ["scares"] = "scare", ["notarized"] = "notarize", ["expurgate"] = "expurgate", ["cornering"] = "corner", ["restructures"] = "restructure", ["honour"] = "honour", ["engorges"] = "engorge", ["molest"] = "molest", ["overestimating"] = "overestimate", ["stared"] = "stare", ["archives"] = "archive", ["airdropped"] = "airdrop", ["docked"] = "dock", ["gushes"] = "gush", ["models"] = "model", ["nip"] = "nip", ["baits"] = "bait", ["chafed"] = "chafe", ["hushes"] = "hush", ["dissected"] = "dissect", ["purges"] = "purge", ["distinguished"] = "distinguish", ["nettles"] = "nettle", ["bark"] = "bark", ["rushes"] = "rush", ["clasp"] = "clasp", ["pushes"] = "push", ["organise"] = "organise", ["diversifying"] = "diversify", ["ignored"] = "ignore", ["needles"] = "needle", ["frolics"] = "frolic", ["blazes"] = "blaze", ["cooed"] = "coo", ["certify"] = "certify", ["disillusion"] = "disillusion", ["incited"] = "incite", ["allocate"] = "allocate", ["ditch"] = "ditch", ["scatter"] = "scatter", ["re-educating"] = "re-educate", ["clouting"] = "clout", ["desolate"] = "desolate", ["penetrate"] = "penetrate", ["dumbing"] = "dumb", ["turbocharging"] = "turbocharge", ["lolloped"] = "lollop", ["boots"] = "boot", ["multitask"] = "multitask", ["diversifies"] = "diversify", ["infer"] = "infer", ["foots"] = "foot", ["integrated"] = "integrate", ["insisting"] = "insist", ["chivvied"] = "chivvy", ["lord"] = "lord", ["homogenise"] = "homogenise", ["fine-tunes"] = "fine-tune", ["bandage"] = "bandage", ["kens"] = "ken", ["blistering"] = "blister", ["rewiring"] = "rewire", ["recreated"] = "recreate", ["gens"] = "gen", ["conflated"] = "conflate", ["swabs"] = "swab", ["diverging"] = "diverge", ["murdering"] = "murder", ["hungering"] = "hunger", ["centralizes"] = "centralize", ["swooned"] = "swoon", ["ravels"] = "ravel", ["autocompletes"] = "autocomplete", ["mortifies"] = "mortify", ["carpool"] = "carpool", ["anticipated"] = "anticipate", ["chat"] = "chat", ["deconstructs"] = "deconstruct", ["air-drying"] = "air-dry", ["faded"] = "fade", ["deregulate"] = "deregulate", ["accredit"] = "accredit", ["moralizes"] = "moralize", ["reconstructs"] = "reconstruct", ["micromanages"] = "micromanage", ["check"] = "check", ["pens"] = "pen", ["computerised"] = "computerise", ["moots"] = "moot", ["loots"] = "loot", ["muscling"] = "muscle", ["menstruating"] = "menstruate", ["disposes"] = "dispose", ["coagulate"] = "coagulate", ["brawled"] = "brawl", ["crawled"] = "crawl", ["drawled"] = "drawl", ["toots"] = "toot", ["motivated"] = "motivate", ["elect"] = "elect", ["displeases"] = "displease", ["blur"] = "blur", ["oxidizing"] = "oxidize", ["chances"] = "chance", ["demurs"] = "demur", ["determined"] = "determine", ["guffaws"] = "guffaw", ["cone"] = "cone", ["recapitulate"] = "recapitulate", ["mouses"] = "mouse", ["comforting"] = "comfort", ["acidifies"] = "acidify", ["conducts"] = "conduct", ["stalked"] = "stalk", ["waives"] = "waive", ["destabilises"] = "destabilise", ["quizzes"] = "quiz", ["downsize"] = "downsize", ["corrupted"] = "corrupt", ["invoke"] = "invoke", ["catalysed"] = "catalyse", ["grab"] = "grab", ["mops"] = "mop", ["denitrify"] = "denitrify", ["dilutes"] = "dilute", ["recapitulated"] = "recapitulate", ["oversaw"] = "oversee", ["bud"] = "bud", ["shackled"] = "shackle", ["ensuring"] = "ensure", ["flouting"] = "flout", ["attributes"] = "attribute", ["investigated"] = "investigate", ["establishes"] = "establish", ["crumbling"] = "crumble", ["breakdanced"] = "breakdance", ["babysits"] = "babysit", ["insulated"] = "insulate", ["commandeered"] = "commandeer", ["glaze"] = "glaze", ["lech"] = "lech", ["monitoring"] = "monitor", ["debiting"] = "debit", ["chiding"] = "chide", ["douches"] = "douche", ["bind"] = "bind", ["hurdle"] = "hurdle", ["mollify"] = "mollify", ["rehearsed"] = "rehearse", ["molested"] = "molest", ["swivelled"] = "swivel", ["knots"] = "knot", ["buttonhole"] = "buttonhole", ["meditated"] = "meditate", ["congratulated"] = "congratulate", ["coagulates"] = "coagulate", ["disfigures"] = "disfigure", ["carjack"] = "carjack", ["deep fries"] = "deep fry", ["channelhop"] = "channelhop", ["lobbies"] = "lobby", ["mummifying"] = "mummify", ["unplugs"] = "unplug", ["maximises"] = "maximise", ["resising"] = "resise", ["disdain"] = "disdain", ["discovers"] = "discover", ["functioned"] = "function", ["imagineer"] = "imagineer", ["misweds"] = "miswed", ["bandied"] = "bandy", ["intermarry"] = "intermarry", ["arms"] = "arm", ["bother"] = "bother", ["dissolved"] = "dissolve", ["crying"] = "cry", ["tomtommed"] = "tomtom", ["disconcerted"] = "disconcert", ["contradict"] = "contradict", ["discomposing"] = "discompose", ["plumed"] = "plume", ["misheard"] = "mishear", ["discomforting"] = "discomfort", ["trebles"] = "treble", ["sliding"] = "slide", ["allying"] = "ally", ["convulse"] = "convulse", ["cringing"] = "cringe", ["encoding"] = "encode", ["bewails"] = "bewail", ["discern"] = "discern", ["cozies"] = "cozy", ["misnamed"] = "misname", ["dyeing"] = "dye", ["curves"] = "curve", ["short-listing"] = "short-list", ["mentions"] = "mention", ["freelance"] = "freelance", ["holsters"] = "holster", ["dramatizes"] = "dramatize", ["disentangles"] = "disentangle", ["freshens"] = "freshen", ["disbelieve"] = "disbelieve", ["equalised"] = "equalise", ["clam"] = "clam", ["tattled"] = "tattle", ["proliferated"] = "proliferate", ["rattled"] = "rattle", ["busk"] = "busk", ["burgeoned"] = "burgeon", ["critiques"] = "critique", ["carpet-bombs"] = "carpet-bomb", ["cleanse"] = "cleanse", ["hotwiring"] = "hotwire", ["enchanted"] = "enchant", ["igniting"] = "ignite", ["asphyxiate"] = "asphyxiate", ["lengthens"] = "lengthen", ["disabuse"] = "disabuse", ["mistook"] = "mistake", ["pretest"] = "pretest", ["bluffed"] = "bluff", ["fumigated"] = "fumigate", ["battled"] = "battle", ["mother"] = "mother", ["bewitches"] = "bewitch", ["mislay"] = "mislay", ["disliking"] = "dislike", ["domesticated"] = "domesticate", ["bastardizing"] = "bastardize", ["compensate"] = "compensate", ["pagejacking"] = "pagejack", ["battened"] = "batten", ["headhunted"] = "headhunt", ["foam"] = "foam", ["caucused"] = "caucus", ["chalked"] = "chalk", ["blogs"] = "blog", ["appeasing"] = "appease", ["ministered"] = "minister", ["creolizes"] = "creolize", ["evaporate"] = "evaporate", ["condoning"] = "condone", ["transformed"] = "transform", ["fattened"] = "fatten", ["recess"] = "recess", ["mimics"] = "mimic", ["digressing"] = "digress", ["shouting"] = "shout", ["personalises"] = "personalise", ["microblogs"] = "microblog", ["spiffed"] = "spiff", ["fluttering"] = "flutter", ["endeavouring"] = "endeavour", ["roughhouses"] = "roughhouse", ["airbrush"] = "airbrush", ["funds"] = "fund", ["discomposed"] = "discompose", ["jobsharing"] = "jobshare", ["nominates"] = "nominate", ["bungs"] = "bung", ["dies"] = "die", ["beef"] = "beef", ["anthologize"] = "anthologize", ["worm"] = "worm", ["shop"] = "shop", ["manures"] = "manure", ["convulses"] = "convulse", ["gliding"] = "glide", ["whop"] = "whop", ["sweeten"] = "sweeten", ["panel"] = "panel", ["patrolling"] = "patrol", ["brackets"] = "bracket", ["inculcates"] = "inculcate", ["mortared"] = "mortar", ["pagejacks"] = "pagejack", ["blind"] = "blind", ["diagnose"] = "diagnose", ["demobilised"] = "demobilise", ["devotes"] = "devote", ["chop"] = "chop", ["cures"] = "cure", ["dozed"] = "doze", ["disassemble"] = "disassemble", ["disadvantaging"] = "disadvantage", ["developing"] = "develop", ["form"] = "form", ["memorializing"] = "memorialize", ["eject"] = "eject", ["declaim"] = "declaim", ["infest"] = "infest", ["balkanising"] = "balkanise", ["educates"] = "educate", ["implicates"] = "implicate", ["norm"] = "norm", ["glorifies"] = "glorify", ["engages"] = "engage", ["hotwire"] = "hotwire", ["finalizing"] = "finalize", ["mortgage"] = "mortgage", ["juicing"] = "juice", ["mechanized"] = "mechanize", ["namechecking"] = "namecheck", ["attributing"] = "attribute", ["downscale"] = "downscale", ["covenanting"] = "covenant", ["creosoting"] = "creosote", ["means"] = "mean", ["detoured"] = "detour", ["detonating"] = "detonate", ["outnumbering"] = "outnumber", ["glamorizes"] = "glamorize", ["meander"] = "meander", ["dumbed"] = "dumb", ["broadening"] = "broaden", ["harnessing"] = "harness", ["mean"] = "mean", ["flee"] = "flee", ["busking"] = "busk", ["numbed"] = "numb", ["stagnates"] = "stagnate", ["sanctioned"] = "sanction", ["clonk"] = "clonk", ["minor"] = "minor", ["creolizing"] = "creolize", ["bathing"] = "bathe", ["demobilising"] = "demobilise", ["hesitates"] = "hesitate", ["dismisses"] = "dismiss", ["ritualises"] = "ritualise", ["mates"] = "mate", ["detaining"] = "detain", ["extradited"] = "extradite", ["bracketed"] = "bracket", ["crash-tested"] = "crash-test", ["emasculating"] = "emasculate", ["matches"] = "match", ["matched"] = "match", ["bustled"] = "bustle", ["masticate"] = "masticate", ["demagnetise"] = "demagnetise", ["destabilize"] = "destabilize", ["couch"] = "couch", ["derogates"] = "derogate", ["hustled"] = "hustle", ["acidify"] = "acidify", ["syndicating"] = "syndicate", ["masks"] = "mask", ["desolates"] = "desolate", ["desecrated"] = "desecrate", ["declining"] = "decline", ["desist"] = "desist", ["mainlined"] = "mainline", ["cascade"] = "cascade", ["industrialise"] = "industrialise", ["depended"] = "depend", ["consecrating"] = "consecrate", ["designing"] = "design", ["double-crosses"] = "double-cross", ["overemphasises"] = "overemphasise", ["marry"] = "marry", ["liquidize"] = "liquidize", ["monopolised"] = "monopolise", ["trimming"] = "trim", ["cross-referred"] = "cross-refer", ["clashes"] = "clash", ["temporizing"] = "temporize", ["prefigured"] = "prefigure", ["truck"] = "truck", ["commend"] = "commend", ["dj'ing"] = "dj", ["gatecrashed"] = "gatecrash", ["swanking"] = "swank", ["knee"] = "knee", ["dither"] = "dither", ["air-kiss"] = "air-kiss", ["crib"] = "crib", ["descended"] = "descend", ["coerces"] = "coerce", ["entailing"] = "entail", ["fathom"] = "fathom", ["brimming"] = "brim", ["guillotine"] = "guillotine", ["aquaplanes"] = "aquaplane", ["interpolating"] = "interpolate", ["spruce"] = "spruce", ["delimiting"] = "delimit", ["scratching"] = "scratch", ["genned"] = "gen", ["dispelling"] = "dispel", ["deputes"] = "depute", ["commentating"] = "commentate", ["manifests"] = "manifest", ["sensationalizing"] = "sensationalize", ["cashing"] = "cash", ["orbits"] = "orbit", ["expels"] = "expel", ["slop"] = "slop", ["caption"] = "caption", ["deposited"] = "deposit", ["wrecks"] = "wreck", ["classifying"] = "classify", ["plop"] = "plop", ["demagnetises"] = "demagnetise", ["maneuvering"] = "maneuver", ["faffs"] = "faff", ["transitioning"] = "transition", ["dismount"] = "dismount", ["flop"] = "flop", ["shushing"] = "shush", ["adumbrate"] = "adumbrate", ["maltreated"] = "maltreat", ["downloads"] = "download", ["clop"] = "clop", ["depoliticise"] = "depoliticise", ["overlying"] = "overlie", ["blubbed"] = "blub", ["wither"] = "wither", ["presaging"] = "presage", ["chants"] = "chant", ["pooh-pooh"] = "pooh-pooh", ["deputising"] = "deputise", ["intrigued"] = "intrigue", ["beetled"] = "beetle", ["electroplating"] = "electroplate", ["dragooning"] = "dragoon", ["defoliating"] = "defoliate", ["evening"] = "even", ["mainlines"] = "mainline", ["added"] = "add", ["mainline"] = "mainline", ["disservices"] = "disservice", ["depersonalised"] = "depersonalise", ["levels"] = "level", ["comprised"] = "comprise", ["bounds"] = "bound", ["mail bombing"] = "mail bomb", ["mail bomb"] = "mail bomb", ["fancies"] = "fancy", ["doubleclick"] = "doubleclick", ["awaited"] = "await", ["greening"] = "green", ["founds"] = "found", ["prostrates"] = "prostrate", ["deodorized"] = "deodorize", ["immerse"] = "immerse", ["derail"] = "derail", ["drowned"] = "drown", ["obtaining"] = "obtain", ["denotes"] = "denote", ["conspires"] = "conspire", ["hightailed"] = "hightail", ["bins"] = "bin", ["immobilised"] = "immobilise", ["dins"] = "din", ["wins"] = "win", ["disfiguring"] = "disfigure", ["luxuriate"] = "luxuriate", ["fine-tuning"] = "fine-tune", ["amounted"] = "amount", ["ceded"] = "cede", ["downlinks"] = "downlink", ["anaesthetises"] = "anaesthetise", ["lured"] = "lure", ["preening"] = "preen", ["lunges"] = "lunge", ["pins"] = "pin", ["sins"] = "sin", ["lunch"] = "lunch", ["lumping"] = "lump", ["gallivanted"] = "gallivant", ["demonize"] = "demonize", ["medicates"] = "medicate", ["groping"] = "grope", ["frustrating"] = "frustrate", ["misconceiving"] = "misconceive", ["moors"] = "moor", ["trouble"] = "trouble", ["demonise"] = "demonise", ["dedicates"] = "dedicate", ["disinvest"] = "disinvest", ["democratising"] = "democratise", ["disclose"] = "disclose", ["doors"] = "door", ["guiding"] = "guide", ["pretends"] = "pretend", ["retaining"] = "retain", ["love"] = "love", ["contemplate"] = "contemplate", ["parallels"] = "parallel", ["louse"] = "louse", ["bolted"] = "bolt", ["advocated"] = "advocate", ["losing"] = "lose", ["pistol-whipping"] = "pistol-whip", ["poop"] = "poop", ["demists"] = "demist", ["demineralizes"] = "demineralize", ["champ"] = "champ", ["loop"] = "loop", ["doubledate"] = "doubledate", ["wearied"] = "weary", ["chronicling"] = "chronicle", ["demerged"] = "demerge", ["admonishes"] = "admonish", ["demeans"] = "demean", ["preponderating"] = "preponderate", ["layered"] = "layer", ["coop"] = "coop", ["homeschools"] = "homeschool", ["mistaking"] = "mistake", ["prizing"] = "prize", ["Soothsaid"] = "Soothsay", ["spouting"] = "spout", ["knife"] = "knife", ["harrumphing"] = "harrumph", ["defecating"] = "defecate", ["impregnated"] = "impregnate", ["nasalised"] = "nasalise", ["damaged"] = "damage", ["auctions"] = "auction", ["aims"] = "aim", ["amputates"] = "amputate", ["overhauling"] = "overhaul", ["beholds"] = "behold", ["exculpates"] = "exculpate", ["amend"] = "amend", ["delight"] = "delight", ["degreased"] = "degrease", ["deleting"] = "delete", ["deletes"] = "delete", ["behaved"] = "behave", ["tickets"] = "ticket", ["criss-crosses"] = "criss-cross", ["anonymised"] = "anonymise", ["commentates"] = "commentate", ["pickets"] = "picket", ["advanced"] = "advance", ["erect"] = "erect", ["relives"] = "relive", ["lisps"] = "lisp", ["transmogrify"] = "transmogrify", ["differ"] = "differ", ["carpet-bombing"] = "carpet-bomb", ["lipsyncing"] = "lipsync", ["howls"] = "howl", ["back-burnered"] = "back-burner", ["foments"] = "foment", ["boasting"] = "boast", ["defrost"] = "defrost", ["shillyshally"] = "shillyshally", ["molting"] = "molt", ["milking"] = "milk", ["enquired"] = "enquire", ["masked"] = "mask", ["lionized"] = "lionize", ["defrocking"] = "defrock", ["inquired"] = "inquire", ["deforesting"] = "deforest", ["assailing"] = "assail", ["incite"] = "incite", ["anthologised"] = "anthologise", ["betters"] = "better", ["grasp"] = "grasp", ["annihilating"] = "annihilate", ["basked"] = "bask", ["imitating"] = "imitate", ["coined"] = "coin", ["link"] = "link", ["lobotomizes"] = "lobotomize", ["polymerised"] = "polymerise", ["whiff"] = "whiff", ["dusted"] = "dust", ["fainting"] = "faint", ["bolting"] = "bolt", ["breathes"] = "breathe", ["disincentivising"] = "disincentivise", ["abounded"] = "abound", ["linger"] = "linger", ["constricting"] = "constrict", ["tendering"] = "tender", ["embodying"] = "embody", ["jolting"] = "jolt", ["painting"] = "paint", ["costar"] = "costar", ["palatalising"] = "palatalise", ["skulking"] = "skulk", ["overcharged"] = "overcharge", ["foreclosing"] = "foreclose", ["deflecting"] = "deflect", ["fluoridate"] = "fluoridate", ["trudged"] = "trudge", ["tomtomming"] = "tomtom", ["housesitting"] = "housesit", ["continues"] = "continue", ["bothered"] = "bother", ["crash-test"] = "crash-test", ["bogie"] = "bogie", ["briefed"] = "brief", ["imparting"] = "impart", ["liberating"] = "liberate", ["libelling"] = "libel", ["back-pedals"] = "back-pedal", ["averaging"] = "average", ["segregate"] = "segregate", ["coalesced"] = "coalesce", ["dirtying"] = "dirty", ["matures"] = "mature", ["defames"] = "defame", ["chirrup"] = "chirrup", ["grudged"] = "grudge", ["compromised"] = "compromise", ["lounge"] = "lounge", ["confesses"] = "confess", ["disorientating"] = "disorientate", ["vows"] = "vow", ["destabilised"] = "destabilise", ["awarding"] = "award", ["wows"] = "wow", ["rows"] = "row", ["house"] = "house", ["tows"] = "tow", ["sows"] = "sow", ["deflowers"] = "deflower", ["mows"] = "mow", ["hoon"] = "hoon", ["fleck"] = "fleck", ["decreed"] = "decree", ["expiates"] = "expiate", ["lows"] = "low", ["reskilling"] = "reskill", ["besetting"] = "beset", ["intruding"] = "intrude", ["crash-tests"] = "crash-test", ["bridles"] = "bridle", ["lofts"] = "loft", ["courtmartialled"] = "courtmartial", ["clueing"] = "clue", ["cows"] = "cow", ["deconsecrating"] = "deconsecrate", ["tousled"] = "tousle", ["laying"] = "lay", ["bathes"] = "bathe", ["defied"] = "defy", ["spur"] = "spur", ["leaks"] = "leak", ["bemoan"] = "bemoan", ["cross-examine"] = "cross-examine", ["digitalized"] = "digitalize", ["systematize"] = "systematize", ["denoted"] = "denote", ["demurring"] = "demur", ["crossrefers"] = "crossrefer", ["misfiles"] = "misfile", ["surrounds"] = "surround", ["lazing"] = "laze", ["infantilize"] = "infantilize", ["trebled"] = "treble", ["bridging"] = "bridge", ["deskilling"] = "deskill", ["steels"] = "steel", ["outpoint"] = "outpoint", ["declares"] = "declare", ["congregating"] = "congregate", ["accosted"] = "accost", ["calcifying"] = "calcify", ["defragments"] = "defragment", ["complicate"] = "complicate", ["castrating"] = "castrate", ["decimated"] = "decimate", ["decimalizes"] = "decimalize", ["lasting"] = "last", ["oscillate"] = "oscillate", ["miswed"] = "miswed", ["babbles"] = "babble", ["tasked"] = "task", ["cluck"] = "cluck", ["gabbles"] = "gabble", ["decentralize"] = "decentralize", ["underachieves"] = "underachieve", ["decamping"] = "decamp", ["shackling"] = "shackle", ["reaches"] = "reach", ["vibrate"] = "vibrate", ["reconfirmed"] = "reconfirm", ["drilled"] = "drill", ["conjured"] = "conjure", ["connect"] = "connect", ["coded"] = "code", ["interrelate"] = "interrelate", ["picturised"] = "picturise", ["toboggan"] = "toboggan", ["mislays"] = "mislay", ["boded"] = "bode", ["debunked"] = "debunk", ["spruced"] = "spruce", ["repeats"] = "repeat", ["commission"] = "commission", ["defects"] = "defect", ["conjuring"] = "conjure", ["haze"] = "haze", ["deadheading"] = "deadhead", ["lisp"] = "lisp", ["chasten"] = "chasten", ["emoting"] = "emote", ["de-stressing"] = "de-stress", ["outsmarting"] = "outsmart", ["brutalising"] = "brutalise", ["amending"] = "amend", ["de-ices"] = "de-ice", ["plunge"] = "plunge", ["identifying"] = "identify", ["downchange"] = "downchange", ["knocking"] = "knock", ["cables"] = "cable", ["abetted"] = "abet", ["mismanage"] = "mismanage", ["knits"] = "knit", ["begrudge"] = "begrudge", ["billet"] = "billet", ["deploy"] = "deploy", ["ended"] = "end", ["gripes"] = "gripe", ["beheads"] = "behead", ["affects"] = "affect", ["search"] = "search", ["accrue"] = "accrue", ["fantasized"] = "fantasize", ["overcharges"] = "overcharge", ["guilts"] = "guilt", ["domesticates"] = "domesticate", ["cherry-picking"] = "cherry-pick", ["lour"] = "lour", ["levies"] = "levy", ["fossilises"] = "fossilise", ["debrief"] = "debrief", ["bethinks"] = "bethink", ["sunbathing"] = "sunbathe", ["decarbonize"] = "decarbonize", ["sour"] = "sour", ["admiring"] = "admire", ["restrung"] = "restring", ["futzing"] = "futz", ["oversimplify"] = "oversimplify", ["centralises"] = "centralise", ["excite"] = "excite", ["haemorrhage"] = "haemorrhage", ["boggle"] = "boggle", ["damps"] = "damp", ["terrorise"] = "terrorise", ["bastardized"] = "bastardize", ["paginated"] = "paginate", ["innovated"] = "innovate", ["means-test"] = "means-test", ["weasel"] = "weasel", ["empties"] = "empty", ["smudged"] = "smudge", ["togged"] = "tog", ["miniaturises"] = "miniaturise", ["dwindle"] = "dwindle", ["assaulting"] = "assault", ["fleeing"] = "flee", ["dusts"] = "dust", ["jogged"] = "jog", ["dams"] = "dam", ["logged"] = "log", ["customizing"] = "customize", ["fogged"] = "fog", ["apologised"] = "apologise", ["hogged"] = "hog", ["acknowledging"] = "acknowledge", ["bogged"] = "bog", ["defogs"] = "defog", ["dogged"] = "dog", ["swindle"] = "swindle", ["booking"] = "book", ["kettled"] = "kettle", ["agonises"] = "agonise", ["airdries"] = "airdry", ["economize"] = "economize", ["resounds"] = "resound", ["kludged"] = "kludge", ["keelhauls"] = "keelhaul", ["carols"] = "carol", ["teleconferences"] = "teleconference", ["tom-toms"] = "tom-tom", ["lunched"] = "lunch", ["civilize"] = "civilize", ["wreathes"] = "wreathe", ["doodles"] = "doodle", ["overstocks"] = "overstock", ["hoodwinks"] = "hoodwink", ["bludged"] = "bludge", ["keys"] = "key", ["beaches"] = "beach", ["defrocks"] = "defrock", ["backlinks"] = "backlink", ["silences"] = "silence", ["certificated"] = "certificate", ["droned"] = "drone", ["tussles"] = "tussle", ["limbers"] = "limber", ["divined"] = "divine", ["adorns"] = "adorn", ["leaches"] = "leach", ["amuse"] = "amuse", ["defeat"] = "defeat", ["energise"] = "energise", ["trusses"] = "truss", ["sic"] = "sic", ["basking"] = "bask", ["upshift"] = "upshift", ["jolted"] = "jolt", ["communes"] = "commune", ["blisters"] = "blister", ["cannoning"] = "cannon", ["crumbled"] = "crumble", ["co-starred"] = "co-star", ["joined"] = "join", ["lures"] = "lure", ["bristling"] = "bristle", ["verbalizes"] = "verbalize", ["effing"] = "eff", ["gang-raping"] = "gang-rape", ["crouches"] = "crouch", ["battling"] = "battle", ["storyboarded"] = "storyboard", ["over-egged"] = "over-egg", ["floored"] = "floor", ["blabbers"] = "blabber", ["edges"] = "edge", ["sublimated"] = "sublimate", ["dim"] = "dim", ["adsorbing"] = "adsorb", ["breathalyses"] = "breathalyse", ["crossquestioned"] = "crossquestion", ["high-sticking"] = "high-stick", ["crossposted"] = "crosspost", ["reorders"] = "reorder", ["prefixed"] = "prefix", ["copyrighted"] = "copyright", ["crossfertilising"] = "crossfertilise", ["jibe"] = "jibe", ["dollarised"] = "dollarise", ["pre-installed"] = "pre-install", ["cross-referring"] = "cross-refer", ["moonlight"] = "moonlight", ["harm"] = "harm", ["command"] = "command", ["farm"] = "farm", ["cross-polinate"] = "cross-polinate", ["cross-hatched"] = "cross-hatch", ["chaining"] = "chain", ["divvies"] = "divvy", ["jeopardized"] = "jeopardize", ["unhitched"] = "unhitch", ["interpenetrating"] = "interpenetrate", ["diphthongizing"] = "diphthongize", ["criminalises"] = "criminalise", ["chastise"] = "chastise", ["jeered"] = "jeer", ["jaywalks"] = "jaywalk", ["cadging"] = "cadge", ["labelling"] = "label", ["gaol"] = "gaol", ["alphabetizing"] = "alphabetize", ["decrypted"] = "decrypt", ["decolonizing"] = "decolonize", ["incommode"] = "incommode", ["experimenting"] = "experiment", ["enervate"] = "enervate", ["solders"] = "solder", ["hoarding"] = "hoard", ["interbred"] = "interbreed", ["exhuming"] = "exhume", ["jailing"] = "jail", ["climb"] = "climb", ["mistreats"] = "mistreat", ["vulgarizing"] = "vulgarize", ["criticized"] = "criticize", ["convoke"] = "convoke", ["molders"] = "molder", ["sacrifices"] = "sacrifice", ["criss-crossing"] = "criss-cross", ["blown"] = "blow", ["brainwash"] = "brainwash", ["boarding"] = "board", ["flavours"] = "flavour", ["outnumbers"] = "outnumber", ["machine-gunning"] = "machine-gun", ["pleasing"] = "please", ["insult"] = "insult", ["retreat"] = "retreat", ["arrived"] = "arrive", ["civilise"] = "civilise", ["dispossessed"] = "dispossess", ["blackmailing"] = "blackmail", ["accustoms"] = "accustom", ["cremating"] = "cremate", ["foreshortens"] = "foreshorten", ["contrast"] = "contrast", ["italicize"] = "italicize", ["concocting"] = "concoct", ["double-checked"] = "double-check", ["issuing"] = "issue", ["formatting"] = "format", ["wait-listing"] = "wait-list", ["erodes"] = "erode", ["acclimatises"] = "acclimatise", ["bifurcating"] = "bifurcate", ["maimed"] = "maim", ["pedestrianizes"] = "pedestrianize", ["earths"] = "earth", ["muttering"] = "mutter", ["issue"] = "issue", ["oriented"] = "orient", ["crews"] = "crew", ["crew"] = "crew", ["cresting"] = "crest", ["irrigating"] = "irrigate", ["encouraged"] = "encourage", ["empanel"] = "empanel", ["individualized"] = "individualize", ["glitch"] = "glitch", ["puttering"] = "putter", ["perching"] = "perch", ["euthanizing"] = "euthanize", ["channel"] = "channel", ["ameliorated"] = "ameliorate", ["freight"] = "freight", ["liberalising"] = "liberalise", ["involved"] = "involve", ["thanking"] = "thank", ["cowers"] = "cower", ["euthanise"] = "euthanise", ["shuck"] = "shuck", ["debugged"] = "debug", ["submitting"] = "submit", ["imprisoning"] = "imprison", ["depletes"] = "deplete", ["coalesce"] = "coalesce", ["volunteers"] = "volunteer", ["hires"] = "hire", ["investigate"] = "investigate", ["migrates"] = "migrate", ["sires"] = "sire", ["enrage"] = "enrage", ["complimented"] = "compliment", ["prevaricate"] = "prevaricate", ["formulated"] = "formulate", ["clang"] = "clang", ["crash-dove"] = "crash-dive", ["adumbrating"] = "adumbrate", ["browse"] = "browse", ["cashes"] = "cash", ["pandering"] = "pander", ["sanctifies"] = "sanctify", ["stabilizing"] = "stabilize", ["gawked"] = "gawk", ["doublecross"] = "doublecross", ["discharges"] = "discharge", ["bottlefeeds"] = "bottlefeed", ["wandering"] = "wander", ["crafted"] = "craft", ["interbreeds"] = "interbreed", ["reassuring"] = "reassure", ["restrained"] = "restrain", ["cradlesnatching"] = "cradlesnatch", ["term"] = "term", ["cracking"] = "crack", ["short-sheets"] = "short-sheet", ["wedging"] = "wedge", ["perm"] = "perm", ["consummate"] = "consummate", ["fly-posts"] = "fly-post", ["foregathered"] = "foregather", ["intrigue"] = "intrigue", ["interested"] = "interest", ["regimenting"] = "regiment", ["detours"] = "detour", ["located"] = "locate", ["crushing"] = "crush", ["brushing"] = "brush", ["drowses"] = "drowse", ["intoning"] = "intone", ["chaperone"] = "chaperone", ["supplanting"] = "supplant", ["chimed"] = "chime", ["laughed"] = "laugh", ["boozes"] = "booze", ["hedging"] = "hedge", ["orbited"] = "orbit", ["absenting"] = "absent", ["demotivating"] = "demotivate", ["rebelling"] = "rebel", ["horrifying"] = "horrify", ["dummy"] = "dummy", ["crackling"] = "crackle", ["enfeebles"] = "enfeeble", ["combed"] = "comb", ["challans"] = "challan", ["closeted"] = "closet", ["murmured"] = "murmur", ["investing"] = "invest", ["interworks"] = "interwork", ["cozened"] = "cozen", ["behaves"] = "behave", ["apportioning"] = "apportion", ["oxidize"] = "oxidize", ["rationalizing"] = "rationalize", ["outdoes"] = "outdo", ["breezing"] = "breeze", ["counterpointing"] = "counterpoint", ["nationalizing"] = "nationalize", ["embarrassing"] = "embarrass", ["decimalize"] = "decimalize", ["boding"] = "bode", ["flow"] = "flow", ["rumpling"] = "rumple", ["counterbalance"] = "counterbalance", ["booms"] = "boom", ["recommence"] = "recommence", ["degraded"] = "degrade", ["conscientized"] = "conscientize", ["bowdlerized"] = "bowdlerize", ["modulates"] = "modulate", ["capped"] = "cap", ["starch"] = "starch", ["bedazzled"] = "bedazzle", ["hospitalised"] = "hospitalise", ["adjudged"] = "adjudge", ["cheating"] = "cheat", ["digitizing"] = "digitize", ["envies"] = "envy", ["undulates"] = "undulate", ["flushing"] = "flush", ["corrected"] = "correct", ["reconnect"] = "reconnect", ["crisscross"] = "crisscross", ["blushing"] = "blush", ["contraindicating"] = "contraindicate", ["flanking"] = "flank", ["storyboard"] = "storyboard", ["catnap"] = "catnap", ["jobhunting"] = "jobhunt", ["blanking"] = "blank", ["intern"] = "intern", ["chuck"] = "chuck", ["positioned"] = "position", ["bestows"] = "bestow", ["doorstepped"] = "doorstep", ["annoyed"] = "annoy", ["accelerated"] = "accelerate", ["flakes"] = "flake", ["immobilising"] = "immobilise", ["configuring"] = "configure", ["fossilized"] = "fossilize", ["seasons"] = "season", ["dally"] = "dally", ["outmanoeuvres"] = "outmanoeuvre", ["butchers"] = "butcher", ["outraged"] = "outrage", ["encase"] = "encase", ["supersedes"] = "supersede", ["dignifying"] = "dignify", ["precluded"] = "preclude", ["perfumes"] = "perfume", ["cordon"] = "cordon", ["knighted"] = "knight", ["sagged"] = "sag", ["ragged"] = "rag", ["copy"] = "copy", ["contorting"] = "contort", ["gagged"] = "gag", ["copped"] = "cop", ["awes"] = "awe", ["lagged"] = "lag", ["intellectualises"] = "intellectualise", ["tenanting"] = "tenant", ["signifying"] = "signify", ["mutiny"] = "mutiny", ["permeating"] = "permeate", ["kneeled"] = "kneel", ["cite"] = "cite", ["upstaged"] = "upstage", ["recount"] = "recount", ["occupies"] = "occupy", ["recommences"] = "recommence", ["institutionalized"] = "institutionalize", ["wagged"] = "wag", ["institutionalise"] = "institutionalise", ["masqueraded"] = "masquerade", ["contributes"] = "contribute", ["brayed"] = "bray", ["lampoons"] = "lampoon", ["copy-edit"] = "copy-edit", ["channel-hopping"] = "channel-hop", ["crimsons"] = "crimson", ["mutilated"] = "mutilate", ["beatified"] = "beatify", ["entails"] = "entail", ["tapers"] = "taper", ["invent"] = "invent", ["straddling"] = "straddle", ["foreground"] = "foreground", ["papers"] = "paper", ["contests"] = "contest", ["coaching"] = "coach", ["hybridize"] = "hybridize", ["inseminating"] = "inseminate", ["hypothesized"] = "hypothesize", ["inscribe"] = "inscribe", ["sploshing"] = "splosh", ["widow"] = "widow", ["misremember"] = "misremember", ["initializing"] = "initialize", ["twerk"] = "twerk", ["deplete"] = "deplete", ["capers"] = "caper", ["coordinates"] = "coordinate", ["misreports"] = "misreport", ["demobbed"] = "demob", ["brainwashed"] = "brainwash", ["intertwine"] = "intertwine", ["bedeck"] = "bedeck", ["allot"] = "allot", ["schematise"] = "schematise", ["constructed"] = "construct", ["constrict"] = "constrict", ["panelling"] = "panel", ["bedecked"] = "bedeck", ["dealt"] = "deal", ["attend"] = "attend", ["consolidating"] = "consolidate", ["backpacks"] = "backpack", ["averting"] = "avert", ["supplement"] = "supplement", ["glom"] = "glom", ["enthralling"] = "enthral", ["pilot"] = "pilot", ["stabs"] = "stab", ["crusade"] = "crusade", ["decapitating"] = "decapitate", ["buying"] = "buy", ["coincide"] = "coincide", ["bought"] = "buy", ["hollers"] = "holler", ["obeying"] = "obey", ["concertinaing"] = "concertina", ["convoy"] = "convoy", ["excelling"] = "excel", ["addresses"] = "address", ["blow-dried"] = "blow-dry", ["humping"] = "hump", ["berthing"] = "berth", ["influence"] = "influence", ["debarring"] = "debar", ["inflicting"] = "inflict", ["overrun"] = "overrun", ["bays"] = "bay", ["larges"] = "large", ["dabbling"] = "dabble", ["dyed"] = "dye", ["babbling"] = "babble", ["clings"] = "cling", ["abscond"] = "abscond", ["creasing"] = "crease", ["connived"] = "connive", ["forage"] = "forage", ["downscales"] = "downscale", ["greasing"] = "grease", ["diluting"] = "dilute", ["speccing"] = "spec", ["haranguing"] = "harangue", ["gabbling"] = "gabble", ["emblazoning"] = "emblazon", ["house-sit"] = "house-sit", ["relaunching"] = "relaunch", ["outlined"] = "outline", ["conjoining"] = "conjoin", ["fawns"] = "fawn", ["pays"] = "pay", ["dawns"] = "dawn", ["overwork"] = "overwork", ["conjecturing"] = "conjecture", ["lays"] = "lay", ["pawns"] = "pawn", ["airs"] = "air", ["braiding"] = "braid", ["bottles"] = "bottle", ["countenanced"] = "countenance", ["written"] = "write", ["undervalued"] = "undervalue", ["accord"] = "accord", ["fretted"] = "fret", ["clotting"] = "clot", ["bulking"] = "bulk", ["intrigues"] = "intrigue", ["reunified"] = "reunify", ["inducts"] = "induct", ["minoring"] = "minor", ["contracting"] = "contract", ["enrapturing"] = "enrapture", ["flowering"] = "flower", ["waterproofed"] = "waterproof", ["charming"] = "charm", ["interprets"] = "interpret", ["grounds"] = "ground", ["gifts"] = "gift", ["deceive"] = "deceive", ["individuating"] = "individuate", ["practise"] = "practise", ["feinting"] = "feint", ["indexes"] = "index", ["scrupling"] = "scruple", ["jaywalk"] = "jaywalk", ["clump"] = "clump", ["condescend"] = "condescend", ["courted"] = "court", ["lifts"] = "lift", ["chows"] = "chow", ["propagate"] = "propagate", ["incloses"] = "inclose", ["born"] = "bear", ["nobbles"] = "nobble", ["endow"] = "endow", ["airbrushed"] = "airbrush", ["concur"] = "concur", ["slobbered"] = "slobber", ["culminates"] = "culminate", ["aspire"] = "aspire", ["gobbles"] = "gobble", ["bullied"] = "bully", ["penalizing"] = "penalize", ["hobbles"] = "hobble", ["coexisted"] = "coexist", ["curling"] = "curl", ["incapacitating"] = "incapacitate", ["forcefeeds"] = "forcefeed", ["delights"] = "delight", ["engrossed"] = "engross", ["carpetbomb"] = "carpetbomb", ["imprinted"] = "imprint", ["dimpling"] = "dimple", ["misleads"] = "mislead", ["ziptie"] = "ziptie", ["brownbagged"] = "brownbag", ["hurtled"] = "hurtle", ["deceived"] = "deceive", ["feast"] = "feast", ["conceal"] = "conceal", ["faff"] = "faff", ["goose-stepped"] = "goose-step", ["horn"] = "horn", ["fist-bump"] = "fist-bump", ["impressing"] = "impress", ["impregnating"] = "impregnate", ["deregulates"] = "deregulate", ["impoverishes"] = "impoverish", ["impoverished"] = "impoverish", ["deserves"] = "deserve", ["denationalising"] = "denationalise", ["longs"] = "long", ["flighted"] = "flight", ["bottlefeed"] = "bottlefeed", ["bused"] = "bus", ["scrambled"] = "scramble", ["blighted"] = "blight", ["alighted"] = "alight", ["gores"] = "gore", ["implore"] = "implore", ["awing"] = "awe", ["drapes"] = "drape", ["anglicised"] = "anglicise", ["averring"] = "aver", ["cobbles"] = "cobble", ["bobbles"] = "bobble", ["impinging"] = "impinge", ["houses"] = "house", ["departmentalises"] = "departmentalise", ["compounds"] = "compound", ["displeased"] = "displease", ["militarises"] = "militarise", ["hitting"] = "hit", ["dispatches"] = "dispatch", ["blackmails"] = "blackmail", ["belches"] = "belch", ["impanelled"] = "impanel", ["exacerbates"] = "exacerbate", ["breaching"] = "breach", ["forearms"] = "forearm", ["hating"] = "hate", ["celebrated"] = "celebrate", ["blares"] = "blare", ["immortalizing"] = "immortalize", ["backpedal"] = "backpedal", ["cued"] = "cue", ["immolating"] = "immolate", ["immobilises"] = "immobilise", ["daydreamt"] = "daydream", ["cordoned"] = "cordon", ["drown"] = "drown", ["steeps"] = "steep", ["compartmentalize"] = "compartmentalize", ["bores"] = "bore", ["cores"] = "core", ["imbuing"] = "imbue", ["comparisonshops"] = "comparisonshop", ["insulating"] = "insulate", ["criticise"] = "criticise", ["fleeced"] = "fleece", ["assuaging"] = "assuage", ["imbed"] = "imbed", ["flares"] = "flare", ["glares"] = "glare", ["suspending"] = "suspend", ["possetting"] = "posset", ["commute"] = "commute", ["committed"] = "commit", ["nibbled"] = "nibble", ["presell"] = "presell", ["fluoridated"] = "fluoridate", ["fiddled"] = "fiddle", ["blurted"] = "blurt", ["calking"] = "calk", ["pledge"] = "pledge", ["deactivated"] = "deactivate", ["befallen"] = "befall", ["criminalizes"] = "criminalize", ["deepsix"] = "deepsix", ["hefts"] = "heft", ["biases"] = "bias", ["undelete"] = "undelete", ["demurred"] = "demur", ["illtreated"] = "illtreat", ["veering"] = "veer", ["reactivated"] = "reactivate", ["resprays"] = "respray", ["anaesthetizes"] = "anaesthetize", ["memorised"] = "memorise", ["deprives"] = "deprive", ["commands"] = "command", ["remounted"] = "remount", ["specialised"] = "specialise", ["crossquestions"] = "crossquestion", ["balking"] = "balk", ["culls"] = "cull", ["magnifying"] = "magnify", ["journey"] = "journey", ["demisting"] = "demist", ["debark"] = "debark", ["dismay"] = "dismay", ["overthink"] = "overthink", ["transition"] = "transition", ["cock"] = "cock", ["jeering"] = "jeer", ["palatalises"] = "palatalise", ["flirted"] = "flirt", ["doom"] = "doom", ["accomplish"] = "accomplish", ["repeating"] = "repeat", ["leering"] = "leer", ["texted"] = "text", ["logs"] = "log", ["ice-skating"] = "ice-skate", ["peering"] = "peer", ["downplayed"] = "downplay", ["excited"] = "excite", ["costs"] = "cost", ["criticize"] = "criticize", ["applauding"] = "applaud", ["desegregate"] = "desegregate", ["colonised"] = "colonise", ["wheedles"] = "wheedle", ["hybridising"] = "hybridise", ["ensued"] = "ensue", ["aspirated"] = "aspirate", ["knotting"] = "knot", ["participate"] = "participate", ["buys"] = "buy", ["characterized"] = "characterize", ["behoving"] = "behove", ["advantage"] = "advantage", ["serenading"] = "serenade", ["disavowed"] = "disavow", ["spruces"] = "spruce", ["humiliated"] = "humiliate", ["learn"] = "learn", ["bands"] = "band", ["speechifying"] = "speechify", ["humbles"] = "humble", ["fomenting"] = "foment", ["consumed"] = "consume", ["clerk"] = "clerk", ["crash-testing"] = "crash-test", ["battening"] = "batten", ["loiter"] = "loiter", ["previewing"] = "preview", ["assures"] = "assure", ["reminiscing"] = "reminisce", ["batches"] = "batch", ["creaming"] = "cream", ["squealed"] = "squeal", ["bluster"] = "bluster", ["currying"] = "curry", ["gerrymandering"] = "gerrymander", ["anticipates"] = "anticipate", ["augmented"] = "augment", ["house-sat"] = "house-sit", ["bunnyhopped"] = "bunnyhop", ["carbonised"] = "carbonise", ["maltreating"] = "maltreat", ["keyboarded"] = "keyboard", ["hounded"] = "hound", ["purrs"] = "purr", ["commissioned"] = "commission", ["approved"] = "approve", ["deducting"] = "deduct", ["gallop"] = "gallop", ["obstructed"] = "obstruct", ["creaked"] = "creak", ["publicised"] = "publicise", ["discounting"] = "discount", ["concertinas"] = "concertina", ["overlap"] = "overlap", ["eulogized"] = "eulogize", ["power-napping"] = "power-nap", ["miscounting"] = "miscount", ["babysitting"] = "babysit", ["apportioned"] = "apportion", ["belabour"] = "belabour", ["internationalises"] = "internationalise", ["walking"] = "walk", ["monetising"] = "monetise", ["compute"] = "compute", ["outplayed"] = "outplay", ["double-dipping"] = "double-dip", ["supervene"] = "supervene", ["hoses"] = "hose", ["prefiguring"] = "prefigure", ["horsewhipping"] = "horsewhip", ["role-playing"] = "role-play", ["horns"] = "horn", ["babbled"] = "babble", ["debilitating"] = "debilitate", ["advocate"] = "advocate", ["barrack"] = "barrack", ["accepts"] = "accept", ["hoots"] = "hoot", ["curtaining"] = "curtain", ["cross-posted"] = "cross-post", ["clank"] = "clank", ["hoofed"] = "hoof", ["tugged"] = "tug", ["analyzed"] = "analyze", ["embark"] = "embark", ["extruding"] = "extrude", ["improved"] = "improve", ["concrete"] = "concrete", ["supersizing"] = "supersize", ["lambed"] = "lamb", ["homogenizing"] = "homogenize", ["spite"] = "spite", ["homogenized"] = "homogenize", ["delves"] = "delve", ["hugged"] = "hug", ["broach"] = "broach", ["carpet"] = "carpet", ["dishes"] = "dish", ["daunted"] = "daunt", ["barnstormed"] = "barnstorm", ["breakfasted"] = "breakfast", ["alphatested"] = "alphatest", ["cater"] = "cater", ["aping"] = "ape", ["countenance"] = "countenance", ["mugged"] = "mug", ["lugged"] = "lug", ["regularizes"] = "regularize", ["construct"] = "construct", ["drip-fed"] = "drip-feed", ["consolidates"] = "consolidate", ["batter"] = "batter", ["evangelising"] = "evangelise", ["hollered"] = "holler", ["networking"] = "network", ["benchmarked"] = "benchmark", ["gyrating"] = "gyrate", ["canalise"] = "canalise", ["biff"] = "biff", ["degenerate"] = "degenerate", ["conducted"] = "conduct", ["result"] = "result", ["bailed"] = "bail", ["blubbered"] = "blubber", ["job-hunting"] = "job-hunt", ["hocking"] = "hock", ["rinses"] = "rinse", ["hazard"] = "hazard", ["overachieves"] = "overachieve", ["bantered"] = "banter", ["manipulating"] = "manipulate", ["bubbled"] = "bubble", ["chivvies"] = "chivvy", ["regenerate"] = "regenerate", ["tranquillising"] = "tranquillise", ["goose-stepping"] = "goose-step", ["channel-hop"] = "channel-hop", ["hire"] = "hire", ["hijacking"] = "hijack", ["doing"] = "do", ["experiment"] = "experiment", ["perpetrating"] = "perpetrate", ["hijacked"] = "hijack", ["declutter"] = "declutter", ["constituted"] = "constitute", ["cradle-snatch"] = "cradle-snatch", ["highsticking"] = "highstick", ["resurrecting"] = "resurrect", ["orphaning"] = "orphan", ["frosted"] = "frost", ["abuts"] = "abut", ["schematises"] = "schematise", ["acidifying"] = "acidify", ["sojourns"] = "sojourn", ["steeled"] = "steel", ["vacationing"] = "vacation", ["snagged"] = "snag", ["farewelled"] = "farewell", ["bolt"] = "bolt", ["dapples"] = "dapple", ["freeze-dries"] = "freeze-dry", ["earthing"] = "earth", ["turn"] = "turn", ["down"] = "down", ["backpedalling"] = "backpedal", ["interpreting"] = "interpret", ["consist"] = "consist", ["downscaled"] = "downscale", ["defriending"] = "defriend", ["arouse"] = "arouse", ["burst"] = "burst", ["loom"] = "loom", ["heeling"] = "heel", ["actualises"] = "actualise", ["broadens"] = "broaden", ["gurn"] = "gurn", ["smitten"] = "smite", ["merges"] = "merge", ["heeding"] = "heed", ["duplicates"] = "duplicate", ["tempers"] = "temper", ["jailed"] = "jail", ["internalising"] = "internalise", ["downgraded"] = "downgrade", ["heats"] = "heat", ["expedites"] = "expedite", ["heat"] = "heat", ["criticises"] = "criticise", ["narrowcasts"] = "narrowcast", ["clack"] = "clack", ["screeching"] = "screech", ["cemented"] = "cement", ["illtreating"] = "illtreat", ["contravened"] = "contravene", ["cross-hatches"] = "cross-hatch", ["infantilising"] = "infantilise", ["burn"] = "burn", ["contriving"] = "contrive", ["chirps"] = "chirp", ["cautions"] = "caution", ["capitalising"] = "capitalise", ["cup"] = "cup", ["augurs"] = "augur", ["disincentivized"] = "disincentivize", ["headed"] = "head", ["framed"] = "frame", ["misinterpret"] = "misinterpret", ["dithers"] = "dither", ["threatens"] = "threaten", ["imperilling"] = "imperil", ["nab"] = "nab", ["brown-bag"] = "brown-bag", ["initials"] = "initial", ["crippling"] = "cripple", ["expropriating"] = "expropriate", ["preselected"] = "preselect", ["billed"] = "bill", ["discharged"] = "discharge", ["anaesthetize"] = "anaesthetize", ["accessed"] = "access", ["haws"] = "haw", ["milled"] = "mill", ["cremate"] = "cremate", ["killed"] = "kill", ["decaying"] = "decay", ["horse"] = "horse", ["invokes"] = "invoke", ["designated"] = "designate", ["chill"] = "chill", ["gab"] = "gab", ["jab"] = "jab", ["deadheaded"] = "deadhead", ["dab"] = "dab", ["draped"] = "drape", ["exclaiming"] = "exclaim", ["hauled"] = "haul", ["tobogganed"] = "toboggan", ["deposed"] = "depose", ["hashed"] = "hash", ["has"] = "have", ["harrying"] = "harry", ["escaping"] = "escape", ["factorizes"] = "factorize", ["responds"] = "respond", ["cauterised"] = "cauterise", ["extorts"] = "extort", ["intercepts"] = "intercept", ["curating"] = "curate", ["emigrated"] = "emigrate", ["conversed"] = "converse", ["caramelises"] = "caramelise", ["continue"] = "continue", ["ebay"] = "ebay", ["jigged"] = "jig", ["building"] = "build", ["screaming"] = "scream", ["subsidized"] = "subsidize", ["emancipating"] = "emancipate", ["trial"] = "trial", ["began"] = "begin", ["scramble"] = "scramble", ["exacted"] = "exact", ["co-author"] = "co-author", ["underwriting"] = "underwrite", ["quavers"] = "quaver", ["double-clicked"] = "double-click", ["depressurising"] = "depressurise", ["authenticate"] = "authenticate", ["declutters"] = "declutter", ["cranking"] = "crank", ["trivialized"] = "trivialize", ["honks"] = "honk", ["pared"] = "pare", ["bisects"] = "bisect", ["conks"] = "conk", ["dolled"] = "doll", ["happening"] = "happen", ["micturate"] = "micturate", ["eking"] = "eke", ["overthinks"] = "overthink", ["accords"] = "accord", ["shimmers"] = "shimmer", ["operating"] = "operate", ["laugh"] = "laugh", ["posset"] = "posset", ["demilitarises"] = "demilitarise", ["parachute"] = "parachute", ["polled"] = "poll", ["testifying"] = "testify", ["rolled"] = "roll", ["bared"] = "bare", ["cared"] = "care", ["dared"] = "dare", ["bonks"] = "bonk", ["fared"] = "fare", ["flykicked"] = "flykick", ["hared"] = "hare", ["cosset"] = "cosset", ["founders"] = "founder", ["lolled"] = "loll", ["hotted"] = "hot", ["apostrophized"] = "apostrophize", ["paralysing"] = "paralyse", ["buzzed"] = "buzz", ["affiliates"] = "affiliate", ["hampers"] = "hamper", ["jotted"] = "jot", ["willed"] = "will", ["munching"] = "munch", ["hamming"] = "ham", ["envisioning"] = "envision", ["collapsed"] = "collapse", ["dotted"] = "dot", ["intersects"] = "intersect", ["horsewhipped"] = "horsewhip", ["lunching"] = "lunch", ["crunched"] = "crunch", ["blunders"] = "blunder", ["detains"] = "detain", ["hunching"] = "hunch", ["croak"] = "croak", ["bunching"] = "bunch", ["halloos"] = "halloo", ["institutionalizing"] = "institutionalize", ["paraded"] = "parade", ["forearmed"] = "forearm", ["importing"] = "import", ["degrades"] = "degrade", ["totted"] = "tot", ["interrelated"] = "interrelate", ["rotted"] = "rot", ["airlift"] = "airlift", ["jinks"] = "jink", ["over-eggs"] = "over-egg", ["links"] = "link", ["collides"] = "collide", ["decline"] = "decline", ["acquire"] = "acquire", ["pinks"] = "pink", ["died"] = "die", ["dissolves"] = "dissolve", ["affix"] = "affix", ["dinks"] = "dink", ["micromanage"] = "micromanage", ["gelled"] = "gel", ["felled"] = "fell", ["indemnifies"] = "indemnify", ["forego"] = "forego", ["overbalanced"] = "overbalance", ["jelled"] = "jell", ["disappoints"] = "disappoint", ["collates"] = "collate", ["affiliate"] = "affiliate", ["name-dropped"] = "name-drop", ["drench"] = "drench", ["incinerated"] = "incinerate", ["inhibits"] = "inhibit", ["decoupled"] = "decouple", ["cheered"] = "cheer", ["auditioned"] = "audition", ["resize"] = "resize", ["slither"] = "slither", ["figures"] = "figure", ["forsook"] = "forsake", ["react"] = "react", ["wrong-foot"] = "wrong-foot", ["kitted"] = "kit", ["broadsiding"] = "broadside", ["disciplining"] = "discipline", ["fitted"] = "fit", ["applauds"] = "applaud", ["foamed"] = "foam", ["splinter"] = "splinter", ["baulks"] = "baulk", ["abraded"] = "abrade", ["heave"] = "heave", ["adlib"] = "adlib", ["lodged"] = "lodge", ["expatiates"] = "expatiate", ["wrong-footed"] = "wrong-foot", ["neutralise"] = "neutralise", ["gulps"] = "gulp", ["arch"] = "arch", ["embezzles"] = "embezzle", ["approximating"] = "approximate", ["dodged"] = "dodge", ["extort"] = "extort", ["oxygenate"] = "oxygenate", ["browned"] = "brown", ["crowned"] = "crown", ["objected"] = "object", ["roamed"] = "roam", ["frowned"] = "frown", ["guffawing"] = "guffaw", ["bubbling"] = "bubble", ["pitted"] = "pit", ["incriminating"] = "incriminate", ["hole"] = "hole", ["backpedalled"] = "backpedal", ["curtsy"] = "curtsy", ["guess"] = "guess", ["fortifies"] = "fortify", ["awed"] = "awe", ["bumbling"] = "bumble", ["backbites"] = "backbite", ["grudging"] = "grudge", ["itemizes"] = "itemize", ["growling"] = "growl", ["deselects"] = "deselect", ["correlates"] = "correlate", ["grieved"] = "grieve", ["miscast"] = "miscast", ["bruises"] = "bruise", ["rejected"] = "reject", ["unsettling"] = "unsettle", ["inhere"] = "inhere", ["bushwhacked"] = "bushwhack", ["bivouacked"] = "bivouac", ["elongate"] = "elongate", ["eyeballing"] = "eyeball", ["civilising"] = "civilise", ["coining"] = "coin", ["inflect"] = "inflect", ["braked"] = "brake", ["groans"] = "groan", ["require"] = "require", ["bumps"] = "bump", ["climaxing"] = "climax", ["dispersed"] = "disperse", ["goosesteps"] = "goosestep", ["yelled"] = "yell", ["encashes"] = "encash", ["italicise"] = "italicise", ["begin"] = "begin", ["adorn"] = "adorn", ["crimson"] = "crimson", ["slamdunk"] = "slamdunk", ["ODing"] = "OD", ["frolic"] = "frolic", ["eventuates"] = "eventuate", ["told"] = "tell", ["sold"] = "sell", ["buttons"] = "button", ["indorses"] = "indorse", ["reassembling"] = "reassemble", ["futureproofs"] = "futureproof", ["spangling"] = "spangle", ["mold"] = "mold", ["interpret"] = "interpret", ["alphatests"] = "alphatest", ["bills"] = "bill", ["clanks"] = "clank", ["invents"] = "invent", ["ravelled"] = "ravel", ["fold"] = "fold", ["aids"] = "aid", ["cuckolds"] = "cuckold", ["winks"] = "wink", ["fragging"] = "frag", ["skipper"] = "skipper", ["adapted"] = "adapt", ["rhapsodize"] = "rhapsodize", ["validated"] = "validate", ["bask"] = "bask", ["maunders"] = "maunder", ["launders"] = "launder", ["bulge"] = "bulge", ["curving"] = "curve", ["burdens"] = "burden", ["graces"] = "grace", ["resits"] = "resit", ["hovers"] = "hover", ["grace"] = "grace", ["combines"] = "combine", ["covers"] = "cover", ["invade"] = "invade", ["empathize"] = "empathize", ["kidnapping"] = "kidnap", ["acclimated"] = "acclimate", ["demystifies"] = "demystify", ["customized"] = "customize", ["bicycle"] = "bicycle", ["honeymoons"] = "honeymoon", ["picketed"] = "picket", ["ascending"] = "ascend", ["fracturing"] = "fracture", ["enlightening"] = "enlighten", ["drums"] = "drum", ["mislead"] = "mislead", ["gossips"] = "gossip", ["salute"] = "salute", ["barter"] = "barter", ["disinvested"] = "disinvest", ["bandages"] = "bandage", ["butted"] = "butt", ["debuted"] = "debut", ["convoked"] = "convoke", ["armed"] = "arm", ["gored"] = "gore", ["gutted"] = "gut", ["ebayed"] = "ebay", ["stigmatises"] = "stigmatise", ["jutted"] = "jut", ["embracing"] = "embrace", ["googling"] = "google", ["doubleglaze"] = "doubleglaze", ["imposed"] = "impose", ["partakes"] = "partake", ["putted"] = "putt", ["prioritise"] = "prioritise", ["duets"] = "duet", ["chugging"] = "chug", ["tutted"] = "tut", ["badgering"] = "badger", ["croaks"] = "croak", ["shun"] = "shun", ["mask"] = "mask", ["fieldtested"] = "fieldtest", ["overindulging"] = "overindulge", ["buffers"] = "buffer", ["dumbfounding"] = "dumbfound", ["considering"] = "consider", ["debuting"] = "debut", ["resurfaces"] = "resurface", ["dissimulates"] = "dissimulate", ["crystallise"] = "crystallise", ["opposed"] = "oppose", ["plugging"] = "plug", ["attached"] = "attach", ["hybridises"] = "hybridise", ["namedrops"] = "namedrop", ["mimed"] = "mime", ["chanced"] = "chance", ["glowering"] = "glower", ["formalises"] = "formalise", ["favouring"] = "favour", ["enjoins"] = "enjoin", ["enacted"] = "enact", ["asterisked"] = "asterisk", ["glossed"] = "gloss", ["glorify"] = "glorify", ["lumber"] = "lumber", ["overcooking"] = "overcook", ["blazon"] = "blazon", ["admits"] = "admit", ["tantalize"] = "tantalize", ["canvasses"] = "canvass", ["globalise"] = "globalise", ["flagging"] = "flag", ["straddled"] = "straddle", ["curdle"] = "curdle", ["deluged"] = "deluge", ["appends"] = "append", ["curried"] = "curry", ["timed"] = "time", ["airfreights"] = "airfreight", ["impaling"] = "impale", ["redeem"] = "redeem", ["raging"] = "rage", ["caused"] = "cause", ["paging"] = "page", ["disgorge"] = "disgorge", ["revelled"] = "revel", ["backfills"] = "backfill", ["depressurises"] = "depressurise", ["atomised"] = "atomise", ["illuminate"] = "illuminate", ["astounding"] = "astound", ["allocated"] = "allocate", ["cushions"] = "cushion", ["attaches"] = "attach", ["coasts"] = "coast", ["irrigates"] = "irrigate", ["wakeboard"] = "wakeboard", ["duked"] = "duke", ["decrypting"] = "decrypt", ["co-authors"] = "co-author", ["billowing"] = "billow", ["paused"] = "pause", ["breaks"] = "break", ["exhilarate"] = "exhilarate", ["bilking"] = "bilk", ["mainstreamed"] = "mainstream", ["bathe"] = "bathe", ["earmarking"] = "earmark", ["waging"] = "wage", ["resuscitates"] = "resuscitate", ["braise"] = "braise", ["cc'ing"] = "cc", ["slamdunked"] = "slamdunk", ["encircling"] = "encircle", ["accomplishes"] = "accomplish", ["budding"] = "bud", ["chatted"] = "chat", ["miscarried"] = "miscarry", ["returned"] = "return", ["beset"] = "beset", ["loathe"] = "loathe", ["homed"] = "home", ["ghosting"] = "ghost", ["photographing"] = "photograph", ["dares"] = "dare", ["darkened"] = "darken", ["disrobes"] = "disrobe", ["ghettoise"] = "ghettoise", ["metamorphose"] = "metamorphose", ["presiding"] = "preside", ["criminalise"] = "criminalise", ["darkens"] = "darken", ["normalise"] = "normalise", ["averred"] = "aver", ["frightened"] = "frighten", ["overindulge"] = "overindulge", ["slaughters"] = "slaughter", ["marginalises"] = "marginalise", ["brightened"] = "brighten", ["panicking"] = "panic", ["od'ing"] = "od", ["prepping"] = "prep", ["disseminating"] = "disseminate", ["civilized"] = "civilize", ["untangles"] = "untangle", ["incarnated"] = "incarnate", ["abhorring"] = "abhor", ["baas"] = "baa", ["catfish"] = "catfish", ["revealed"] = "reveal", ["bedazzling"] = "bedazzle", ["driven"] = "drive", ["green-light"] = "green-light", ["blacken"] = "blacken", ["rushed"] = "rush", ["pistol-whips"] = "pistol-whip", ["exile"] = "exile", ["traversed"] = "traverse", ["genuflected"] = "genuflect", ["genning"] = "gen", ["entangles"] = "entangle", ["kickstarted"] = "kickstart", ["gaols"] = "gaol", ["glugging"] = "glug", ["pushed"] = "push", ["ballooned"] = "balloon", ["mangling"] = "mangle", ["miaow"] = "miaow", ["bottling"] = "bottle", ["bivouac"] = "bivouac", ["regain"] = "regain", ["correspond"] = "correspond", ["hushed"] = "hush", ["gushed"] = "gush", ["recharges"] = "recharge", ["gels"] = "gel", ["back-burnering"] = "back-burner", ["jump-start"] = "jump-start", ["fumed"] = "fume", ["streaked"] = "streak", ["iterating"] = "iterate", ["dangling"] = "dangle", ["canvassed"] = "canvass", ["gears"] = "gear", ["refract"] = "refract", ["reclines"] = "recline", ["incriminate"] = "incriminate", ["gaze"] = "gaze", ["exult"] = "exult", ["retard"] = "retard", ["beta-testing"] = "beta-test", ["ovulated"] = "ovulate", ["instant-message"] = "instant-message", ["sellotape"] = "sellotape", ["described"] = "describe", ["locates"] = "locate", ["ameliorating"] = "ameliorate", ["defrayed"] = "defray", ["gargles"] = "gargle", ["computerize"] = "computerize", ["gropes"] = "grope", ["three-peating"] = "three-peat", ["protected"] = "protect", ["glimmers"] = "glimmer", ["gapes"] = "gape", ["burdened"] = "burden", ["clench"] = "clench", ["overgraze"] = "overgraze", ["gaoling"] = "gaol", ["alphabetizes"] = "alphabetize", ["ricocheting"] = "ricochet", ["decolonised"] = "decolonise", ["bent"] = "bend", ["beckoning"] = "beckon", ["id'ing"] = "id", ["gang-bang"] = "gang-bang", ["applauded"] = "applaud", ["apprenticing"] = "apprentice", ["differentiates"] = "differentiate", ["blamed"] = "blame", ["putrefy"] = "putrefy", ["braais"] = "braai", ["forfeiting"] = "forfeit", ["gallivant"] = "gallivant", ["uncorks"] = "uncork", ["resound"] = "resound", ["writhing"] = "writhe", ["resettling"] = "resettle", ["chunders"] = "chunder", ["frittering"] = "fritter", ["discriminated"] = "discriminate", ["mainlining"] = "mainline", ["cooccurring"] = "cooccur", ["braid"] = "braid", ["projects"] = "project", ["declines"] = "decline", ["lip-reads"] = "lip-read", ["biting"] = "bite", ["scurried"] = "scurry", ["bypasses"] = "bypass", ["blethering"] = "blether", ["commemorated"] = "commemorate", ["furrows"] = "furrow", ["controls"] = "control", ["abstains"] = "abstain", ["hotdogging"] = "hotdog", ["guarding"] = "guard", ["blinded"] = "blind", ["bunnyhopping"] = "bunnyhop", ["resort"] = "resort", ["blinds"] = "blind", ["discredited"] = "discredit", ["regarded"] = "regard", ["muddling"] = "muddle", ["disinfected"] = "disinfect", ["abutted"] = "abut", ["lame"] = "lame", ["defeating"] = "defeat", ["blissed"] = "bliss", ["subedited"] = "subedit", ["fumigating"] = "fumigate", ["defecated"] = "defecate", ["holidayed"] = "holiday", ["espousing"] = "espouse", ["bribing"] = "bribe", ["carpooling"] = "carpool", ["pools"] = "pool", ["bloomed"] = "bloom", ["blooping"] = "bloop", ["blossomed"] = "blossom", ["anodises"] = "anodise", ["cohere"] = "cohere", ["weld"] = "weld", ["chafing"] = "chafe", ["propitiating"] = "propitiate", ["hazes"] = "haze", ["heightened"] = "heighten", ["disburse"] = "disburse", ["factorize"] = "factorize", ["focus"] = "focus", ["carjacks"] = "carjack", ["deadheads"] = "deadhead", ["deracinate"] = "deracinate", ["tallies"] = "tally", ["sallies"] = "sally", ["annulled"] = "annul", ["comp�res"] = "comp�re", ["held"] = "hold", ["geld"] = "geld", ["underlying"] = "underlie", ["grabs"] = "grab", ["interchange"] = "interchange", ["counteracted"] = "counteract", ["atomise"] = "atomise", ["jeopardised"] = "jeopardise", ["frizzing"] = "frizz", ["neutralised"] = "neutralise", ["experienced"] = "experience", ["fringing"] = "fringe", ["dallies"] = "dally", ["canoes"] = "canoe", ["flannel"] = "flannel", ["meld"] = "meld", ["downsized"] = "downsize", ["adulterates"] = "adulterate", ["meandering"] = "meander", ["arc"] = "arc", ["exhibits"] = "exhibit", ["frequents"] = "frequent", ["entrenched"] = "entrench", ["blooms"] = "bloom", ["expended"] = "expend", ["bowl"] = "bowl", ["exposed"] = "expose", ["parse"] = "parse", ["diminished"] = "diminish", ["canalizing"] = "canalize", ["abstracted"] = "abstract", ["howl"] = "howl", ["coarsening"] = "coarsen", ["eclipsing"] = "eclipse", ["disabused"] = "disabuse", ["deiced"] = "deice", ["assassinating"] = "assassinate", ["doll"] = "doll", ["badmouths"] = "badmouth", ["freelanced"] = "freelance", ["bombards"] = "bombard", ["beheld"] = "behold", ["gorge"] = "gorge", ["dredge"] = "dredge", ["blindfolded"] = "blindfold", ["forge"] = "forge", ["justifying"] = "justify", ["retrofitting"] = "retrofit", ["infills"] = "infill", ["fools"] = "fool", ["empaneled"] = "empanel", ["guarantee"] = "guarantee", ["buffed"] = "buff", ["dilute"] = "dilute", ["cools"] = "cool", ["jerked"] = "jerk", ["crossfertilises"] = "crossfertilise", ["benching"] = "bench", ["boobytrapping"] = "boobytrap", ["lobotomizing"] = "lobotomize", ["managing"] = "manage", ["dampen"] = "dampen", ["laboring"] = "labor", ["filibuster"] = "filibuster", ["excised"] = "excise", ["whaling"] = "whale", ["demagnetising"] = "demagnetise", ["bragged"] = "brag", ["duplicate"] = "duplicate", ["interspersed"] = "intersperse", ["clobbered"] = "clobber", ["boycotted"] = "boycott", ["pillages"] = "pillage", ["misbehaves"] = "misbehave", ["misreported"] = "misreport", ["crossbreeds"] = "crossbreed", ["fornicating"] = "fornicate", ["terminate"] = "terminate", ["idealise"] = "idealise", ["donning"] = "don", ["embroil"] = "embroil", ["badgered"] = "badger", ["subediting"] = "subedit", ["cavils"] = "cavil", ["purge"] = "purge", ["branding"] = "brand", ["suffered"] = "suffer", ["surge"] = "surge", ["distend"] = "distend", ["commutes"] = "commute", ["impairing"] = "impair", ["copy-editing"] = "copy-edit", ["protrudes"] = "protrude", ["demoted"] = "demote", ["work"] = "work", ["writhed"] = "writhe", ["destabilizing"] = "destabilize", ["attending"] = "attend", ["carpooled"] = "carpool", ["intrude"] = "intrude", ["foreclosed"] = "foreclose", ["buffered"] = "buffer", ["summering"] = "summer", ["denies"] = "deny", ["conceptualize"] = "conceptualize", ["nullifies"] = "nullify", ["serializes"] = "serialize", ["forced"] = "force", ["force-feeding"] = "force-feed", ["debating"] = "debate", ["footing"] = "foot", ["foiling"] = "foil", ["charters"] = "charter", ["allotting"] = "allot", ["ill-treats"] = "ill-treat", ["breathed"] = "breathe", ["acting"] = "act", ["blenching"] = "blench", ["deposit"] = "deposit", ["kickstart"] = "kickstart", ["clenching"] = "clench", ["iconifies"] = "iconify", ["confiscate"] = "confiscate", ["backspaced"] = "backspace", ["dislodging"] = "dislodge", ["egosurf"] = "egosurf", ["consolidated"] = "consolidate", ["canoodle"] = "canoodle", ["canters"] = "canter", ["antedated"] = "antedate", ["fly-posted"] = "fly-post", ["announces"] = "announce", ["cheering"] = "cheer", ["iterated"] = "iterate", ["abduct"] = "abduct", ["banters"] = "banter", ["fluoridating"] = "fluoridate", ["colliding"] = "collide", ["immortalizes"] = "immortalize", ["idealising"] = "idealise", ["glistens"] = "glisten", ["diets"] = "diet", ["flunking"] = "flunk", ["bandaged"] = "bandage", ["avenging"] = "avenge", ["denominate"] = "denominate", ["flunk"] = "flunk", ["abrogates"] = "abrogate", ["coinsuring"] = "coinsure", ["burgled"] = "burgle", ["faulting"] = "fault", ["bears"] = "bear", ["hovered"] = "hover", ["revived"] = "revive", ["accrued"] = "accrue", ["adjudges"] = "adjudge", ["overflying"] = "overfly", ["covered"] = "cover", ["ridging"] = "ridge", ["misdiagnosed"] = "misdiagnose", ["muzzles"] = "muzzle", ["hashes"] = "hash", ["coerced"] = "coerce", ["nuzzles"] = "nuzzle", ["bedevil"] = "bedevil", ["puzzles"] = "puzzle", ["reprise"] = "reprise", ["glanced"] = "glance", ["economising"] = "economise", ["demoralized"] = "demoralize", ["governed"] = "govern", ["master"] = "master", ["shtups"] = "shtup", ["floating"] = "float", ["clinched"] = "clinch", ["agree"] = "agree", ["lynching"] = "lynch", ["sighed"] = "sigh", ["beautifying"] = "beautify", ["encountered"] = "encounter", ["coloring"] = "color", ["finagle"] = "finagle", ["compartmentalized"] = "compartmentalize", ["embargoed"] = "embargo", ["awarded"] = "award", ["caked"] = "cake", ["calibrating"] = "calibrate", ["braking"] = "brake", ["aspires"] = "aspire", ["corroding"] = "corrode", ["derided"] = "deride", ["pur�eing"] = "pur�e", ["broods"] = "brood", ["haggle"] = "haggle", ["cork"] = "cork", ["alpha-tested"] = "alpha-test", ["bucketed"] = "bucket", ["cozying"] = "cozy", ["tolerate"] = "tolerate", ["maps"] = "map", ["fleece"] = "fleece", ["appearing"] = "appear", ["bereaving"] = "bereave", ["flays"] = "flay", ["kneejerked"] = "kneejerk", ["grizzle"] = "grizzle", ["frizzle"] = "frizzle", ["machinegunned"] = "machinegun", ["arrives"] = "arrive", ["balkanised"] = "balkanise", ["misunderstanding"] = "misunderstand", ["anonymises"] = "anonymise", ["bickered"] = "bicker", ["order"] = "order", ["bookmarking"] = "bookmark", ["plunked"] = "plunk", ["reconquered"] = "reconquer", ["balloon"] = "balloon", ["depicted"] = "depict", ["arrayed"] = "array", ["hassles"] = "hassle", ["flunked"] = "flunk", ["barracked"] = "barrack", ["belying"] = "belie", ["deforests"] = "deforest", ["forcefeed"] = "forcefeed", ["buffeted"] = "buffet", ["obliging"] = "oblige", ["cringe"] = "cringe", ["fringed"] = "fringe", ["developed"] = "develop", ["simmering"] = "simmer", ["canning"] = "can", ["re-prove"] = "re-prove", ["bog"] = "bog", ["bulging"] = "bulge", ["brews"] = "brew", ["fits"] = "fit", ["fistpumps"] = "fistpump", ["serializing"] = "serialize", ["accessorises"] = "accessorise", ["translated"] = "translate", ["boomerang"] = "boomerang", ["despairs"] = "despair", ["determines"] = "determine", ["bulked"] = "bulk", ["flaking"] = "flake", ["meets"] = "meet", ["defending"] = "defend", ["chaffs"] = "chaff", ["guzzles"] = "guzzle", ["co-occurs"] = "co-occur", ["second-guesses"] = "second-guess", ["carbonises"] = "carbonise", ["peruses"] = "peruse", ["address"] = "address", ["assay"] = "assay", ["combats"] = "combat", ["clunked"] = "clunk", ["lurk"] = "lurk", ["cheated"] = "cheat", ["clambers"] = "clamber", ["eschew"] = "eschew", ["taxies"] = "taxi", ["administering"] = "administer", ["detest"] = "detest", ["equivocates"] = "equivocate", ["consorting"] = "consort", ["squirrelling"] = "squirrel", ["equalises"] = "equalise", ["cottons"] = "cotton", ["counterbalancing"] = "counterbalance", ["overrunning"] = "overrun", ["nudging"] = "nudge", ["jockeying"] = "jockey", ["clicking"] = "click", ["burglarize"] = "burglarize", ["automating"] = "automate", ["burglarized"] = "burglarize", ["shocks"] = "shock", ["filming"] = "film", ["fudging"] = "fudge", ["burnishing"] = "burnish", ["sheathed"] = "sheathe", ["reclassifying"] = "reclassify", ["judging"] = "judge", ["outgrows"] = "outgrow", ["dicker"] = "dicker", ["obtruding"] = "obtrude", ["ventures"] = "venture", ["trust"] = "trust", ["slicking"] = "slick", ["claws"] = "claw", ["field"] = "field", ["crash-diving"] = "crash-dive", ["extrude"] = "extrude", ["comprises"] = "comprise", ["reappraising"] = "reappraise", ["devour"] = "devour", ["aimed"] = "aim", ["cauterising"] = "cauterise", ["feuds"] = "feud", ["declassifying"] = "declassify", ["sprayed"] = "spray", ["encounter"] = "encounter", ["dictated"] = "dictate", ["shaped"] = "shape", ["minimising"] = "minimise", ["joust"] = "joust", ["contraindicates"] = "contraindicate", ["quintupling"] = "quintuple", ["nudged"] = "nudge", ["entrusting"] = "entrust", ["boobs"] = "boob", ["chancing"] = "chance", ["deporting"] = "deport", ["blasted"] = "blast", ["rhapsodise"] = "rhapsodise", ["collocating"] = "collocate", ["amortized"] = "amortize", ["exploiting"] = "exploit", ["snaking"] = "snake", ["outgrew"] = "outgrow", ["budged"] = "budge", ["deputised"] = "deputise", ["budging"] = "budge", ["afforests"] = "afforest", ["antedates"] = "antedate", ["inactivates"] = "inactivate", ["fermenting"] = "ferment", ["naturalizing"] = "naturalize", ["judged"] = "judge", ["roust"] = "roust", ["forbore"] = "forbear", ["diminishing"] = "diminish", ["fudged"] = "fudge", ["mobilised"] = "mobilise", ["airdashes"] = "airdash", ["bludges"] = "bludge", ["boo"] = "boo", ["dined"] = "dine", ["incarcerated"] = "incarcerate", ["outstrips"] = "outstrip", ["swished"] = "swish", ["lodging"] = "lodge", ["commercialises"] = "commercialise", ["extolling"] = "extol", ["transcribes"] = "transcribe", ["buttress"] = "buttress", ["adjoins"] = "adjoin", ["clothing"] = "clothe", ["bedded"] = "bed", ["disbar"] = "disbar", ["feints"] = "feint", ["fumigate"] = "fumigate", ["startle"] = "startle", ["dial"] = "dial", ["misdials"] = "misdial", ["diagram"] = "diagram", ["disadvantage"] = "disadvantage", ["taperecord"] = "taperecord", ["designed"] = "design", ["cheapened"] = "cheapen", ["consolidate"] = "consolidate", ["allies"] = "ally", ["forecast"] = "forecast", ["mints"] = "mint", ["bivouacking"] = "bivouac", ["lazes"] = "laze", ["retailing"] = "retail", ["journeys"] = "journey", ["temporizes"] = "temporize", ["brutalised"] = "brutalise", ["portrayed"] = "portray", ["razes"] = "raze", ["clashing"] = "clash", ["overawes"] = "overawe", ["plasticises"] = "plasticise", ["favoured"] = "favour", ["kneejerks"] = "kneejerk", ["evaluating"] = "evaluate", ["fringe"] = "fringe", ["abhors"] = "abhor", ["Americanizes"] = "Americanize", ["interposes"] = "interpose", ["bellies"] = "belly", ["bodging"] = "bodge", ["lipsync"] = "lipsync", ["fizzles"] = "fizzle", ["disappeared"] = "disappear", ["revered"] = "revere", ["favored"] = "favor", ["commits"] = "commit", ["photosensitizes"] = "photosensitize", ["fazes"] = "faze", ["gazes"] = "gaze", ["levered"] = "lever", ["sugar"] = "sugar", ["demotivates"] = "demotivate", ["detailing"] = "detail", ["heralding"] = "herald", ["repackages"] = "repackage", ["discharge"] = "discharge", ["tabbed"] = "tab", ["offending"] = "offend", ["strip-searched"] = "strip-search", ["plaiting"] = "plait", ["farewell"] = "farewell", ["clamouring"] = "clamour", ["jabbed"] = "jab", ["fastforwards"] = "fastforward", ["fasted"] = "fast", ["bashes"] = "bash", ["nabbed"] = "nab", ["chargesheeting"] = "chargesheet", ["discomposes"] = "discompose", ["discontinuing"] = "discontinue", ["finetuned"] = "finetune", ["notarizing"] = "notarize", ["dabbed"] = "dab", ["gabbed"] = "gab", ["impeding"] = "impede", ["vandalized"] = "vandalize", ["replatformed"] = "replatform", ["combusted"] = "combust", ["correcting"] = "correct", ["filibustered"] = "filibuster", ["conniving"] = "connive", ["bill"] = "bill", ["fidgeting"] = "fidget", ["glamorises"] = "glamorise", ["assembled"] = "assemble", ["derides"] = "deride", ["ionized"] = "ionize", ["curdles"] = "curdle", ["abates"] = "abate", ["infantilise"] = "infantilise", ["niggle"] = "niggle", ["capsizes"] = "capsize", ["localized"] = "localize", ["bridged"] = "bridge", ["hurdles"] = "hurdle", ["wiggle"] = "wiggle", ["carpet-bomb"] = "carpet-bomb", ["outdoing"] = "outdo", ["vocalized"] = "vocalize", ["debriefs"] = "debrief", ["flavoured"] = "flavour", ["disgraces"] = "disgrace", ["cozening"] = "cozen", ["brought"] = "bring", ["avert"] = "avert", ["disincentivise"] = "disincentivise", ["masculinize"] = "masculinize", ["crisps"] = "crisp", ["doubleparks"] = "doublepark", ["factorise"] = "factorise", ["jiggle"] = "jiggle", ["giggle"] = "giggle", ["leaped"] = "leap", ["disinherit"] = "disinherit", ["focalized"] = "focalize", ["beta-tests"] = "beta-test", ["heaped"] = "heap", ["migrated"] = "migrate", ["evaded"] = "evade", ["books"] = "book", ["organize"] = "organize", ["broken"] = "break", ["alert"] = "alert", ["upgraded"] = "upgrade", ["barge"] = "barge", ["hooks"] = "hook", ["percolate"] = "percolate", ["bowdlerizes"] = "bowdlerize", ["applying"] = "apply", ["counted"] = "count", ["cooks"] = "cook", ["draining"] = "drain", ["frustrates"] = "frustrate", ["rebooted"] = "reboot", ["deducing"] = "deduce", ["replaced"] = "replace", ["craving"] = "crave", ["douching"] = "douche", ["amalgamate"] = "amalgamate", ["espy"] = "espy", ["peopling"] = "people", ["clonking"] = "clonk", ["encapsulate"] = "encapsulate", ["hollowing"] = "hollow", ["apologising"] = "apologise", ["following"] = "follow", ["abrades"] = "abrade", ["blending"] = "blend", ["charging"] = "charge", ["leapfrogging"] = "leapfrog", ["doubledips"] = "doubledip", ["herded"] = "herd", ["preponing"] = "prepone", ["wavered"] = "waver", ["deform"] = "deform", ["ponying"] = "pony", ["climaxed"] = "climax", ["climbed"] = "climb", ["catnapping"] = "catnap", ["extemporising"] = "extemporise", ["moldering"] = "molder", ["calculate"] = "calculate", ["decluttering"] = "declutter", ["expropriated"] = "expropriate", ["americanised"] = "americanise", ["transcribed"] = "transcribe", ["foiled"] = "foil", ["bench-tests"] = "bench-test", ["explicating"] = "explicate", ["looks"] = "look", ["redact"] = "redact", ["mounted"] = "mount", ["chars"] = "char", ["adding"] = "add", ["eulogises"] = "eulogise", ["emending"] = "emend", ["co-authored"] = "co-author", ["coiled"] = "coil", ["boiled"] = "boil", ["pardons"] = "pardon", ["buttered"] = "butter", ["prepays"] = "prepay", ["autographs"] = "autograph", ["double-faulted"] = "double-fault", ["finagles"] = "finagle", ["deloused"] = "delouse", ["exported"] = "export", ["squall"] = "squall", ["breastfed"] = "breastfeed", ["nominalizing"] = "nominalize", ["capsizing"] = "capsize", ["internalise"] = "internalise", ["dips"] = "dip", ["breathalyse"] = "breathalyse", ["french polish"] = "french polish", ["banning"] = "ban", ["clinks"] = "clink", ["quenching"] = "quench", ["certified"] = "certify", ["overshare"] = "overshare", ["reformulated"] = "reformulate", ["exhale"] = "exhale", ["synchronize"] = "synchronize", ["breathalyzing"] = "breathalyze", ["confused"] = "confuse", ["championing"] = "champion", ["bunging"] = "bung", ["anchors"] = "anchor", ["hotswap"] = "hotswap", ["blabbering"] = "blabber", ["ceding"] = "cede", ["barfed"] = "barf", ["federated"] = "federate", ["rustles"] = "rustle", ["drowsed"] = "drowse", ["exclaim"] = "exclaim", ["characterizing"] = "characterize", ["embody"] = "embody", ["blunted"] = "blunt", ["blackens"] = "blacken", ["credit"] = "credit", ["programs"] = "program", ["entrancing"] = "entrance", ["injures"] = "injure", ["dodging"] = "dodge", ["defined"] = "define", ["bewildering"] = "bewilder", ["hustles"] = "hustle", ["probating"] = "probate", ["beep"] = "beep", ["redesign"] = "redesign", ["hammering"] = "hammer", ["crash-land"] = "crash-land", ["play-acts"] = "play-act", ["deposes"] = "depose", ["bottle-fed"] = "bottle-feed", ["balances"] = "balance", ["aquaplane"] = "aquaplane", ["belie"] = "belie", ["evidences"] = "evidence", ["backslid"] = "backslide", ["ending"] = "end", ["misappropriated"] = "misappropriate", ["award"] = "award", ["hibernating"] = "hibernate", ["slithered"] = "slither", ["backlighting"] = "backlight", ["cementing"] = "cement", ["redouble"] = "redouble", ["brakes"] = "brake", ["evangelises"] = "evangelise", ["checked"] = "check", ["agglomerating"] = "agglomerate", ["dukes"] = "duke", ["bollock"] = "bollock", ["correlate"] = "correlate", ["braises"] = "braise", ["installs"] = "install", ["merge"] = "merge", ["thumbed"] = "thumb", ["particularized"] = "particularize", ["fantasising"] = "fantasise", ["foregoing"] = "forego", ["drinks"] = "drink", ["releasing"] = "release", ["dampens"] = "dampen", ["chewed"] = "chew", ["vault"] = "vault", ["vulcanize"] = "vulcanize", ["enjoys"] = "enjoy", ["agonised"] = "agonise", ["magnetized"] = "magnetize", ["etch"] = "etch", ["bad-mouth"] = "bad-mouth", ["esteeming"] = "esteem", ["pedestrianizing"] = "pedestrianize", ["discredit"] = "discredit", ["heel"] = "heel", ["joggle"] = "joggle", ["forestalls"] = "forestall", ["crystallized"] = "crystallize", ["anthologise"] = "anthologise", ["careered"] = "career", ["goggle"] = "goggle", ["dovetail"] = "dovetail", ["bags"] = "bag", ["fester"] = "fester", ["baulked"] = "baulk", ["erases"] = "erase", ["shadowboxed"] = "shadowbox", ["imagineered"] = "imagineer", ["chirping"] = "chirp", ["jostles"] = "jostle", ["confirm"] = "confirm", ["decentralizes"] = "decentralize", ["separated"] = "separate", ["epitomized"] = "epitomize", ["decommissioning"] = "decommission", ["impings"] = "imping", ["downsizing"] = "downsize", ["betides"] = "betide", ["demineralising"] = "demineralise", ["exulted"] = "exult", ["diffract"] = "diffract", ["maul"] = "maul", ["haul"] = "haul", ["bloviate"] = "bloviate", ["carburise"] = "carburise", ["drift"] = "drift", ["differentiating"] = "differentiate", ["intercepted"] = "intercept", ["colonized"] = "colonize", ["entreated"] = "entreat", ["abjured"] = "abjure", ["weaves"] = "weave", ["curtail"] = "curtail", ["asterisks"] = "asterisk", ["collaborating"] = "collaborate", ["raffle"] = "raffle", ["pander"] = "pander", ["accessorising"] = "accessorise", ["splatted"] = "splat", ["bluffing"] = "bluff", ["mercerised"] = "mercerise", ["humidify"] = "humidify", ["carolling"] = "carol", ["billeted"] = "billet", ["decoded"] = "decode", ["doubleglazes"] = "doubleglaze", ["fossilizes"] = "fossilize", ["enthuses"] = "enthuse", ["individuated"] = "individuate", ["stinks"] = "stink", ["disregard"] = "disregard", ["garrotting"] = "garrotte", ["mothballed"] = "mothball", ["condemns"] = "condemn", ["economises"] = "economise", ["debates"] = "debate", ["enter"] = "enter", ["approximate"] = "approximate", ["drenching"] = "drench", ["associated"] = "associate", ["clamp"] = "clamp", ["nominalising"] = "nominalise", ["circumvented"] = "circumvent", ["emanating"] = "emanate", ["precises"] = "precis", ["baffle"] = "baffle", ["cradle-snatched"] = "cradle-snatch", ["jollies"] = "jolly", ["murmur"] = "murmur", ["inscribed"] = "inscribe", ["shucked"] = "shuck", ["plonking"] = "plonk", ["elevates"] = "elevate", ["agonizing"] = "agonize", ["leaves"] = "leave", ["drugging"] = "drug", ["blossoms"] = "blossom", ["impeaching"] = "impeach", ["heaves"] = "heave", ["wisecracking"] = "wisecrack", ["chain-smoked"] = "chain-smoke", ["co-opting"] = "co-opt", ["bayoneted"] = "bayonet", ["appended"] = "append", ["bogied"] = "bogie", ["recapturing"] = "recapture", ["chucked"] = "chuck", ["coaches"] = "coach", ["dismaying"] = "dismay", ["deskill"] = "deskill", ["palled"] = "pall", ["steadied"] = "steady", ["designs"] = "design", ["entertains"] = "entertain", ["fraternise"] = "fraternise", ["unlike"] = "unlike", ["lobotomized"] = "lobotomize", ["counterpointed"] = "counterpoint", ["fault"] = "fault", ["galled"] = "gall", ["chases"] = "chase", ["massproduced"] = "massproduce", ["tousles"] = "tousle", ["called"] = "call", ["balled"] = "ball", ["imported"] = "import", ["refills"] = "refill", ["entraps"] = "entrap", ["entreat"] = "entreat", ["incommodes"] = "incommode", ["lamenting"] = "lament", ["loaded"] = "load", ["festoons"] = "festoon", ["teleoperating"] = "teleoperate", ["mispronouncing"] = "mispronounce", ["bustles"] = "bustle", ["escorted"] = "escort", ["bucked"] = "buck", ["supersise"] = "supersise", ["decoyed"] = "decoy", ["codifying"] = "codify", ["understating"] = "understate", ["prickled"] = "prickle", ["arraigns"] = "arraign", ["chauffeur"] = "chauffeur", ["envied"] = "envy", ["trickled"] = "trickle", ["saturate"] = "saturate", ["abase"] = "abase", ["picturing"] = "picture", ["awoken"] = "awake", ["conferring"] = "confer", ["propagandised"] = "propagandise", ["equalizes"] = "equalize", ["hinder"] = "hinder", ["hollering"] = "holler", ["equates"] = "equate", ["heroworshipped"] = "heroworship", ["equivocated"] = "equivocate", ["equivocating"] = "equivocate", ["erased"] = "erase", ["glinting"] = "glint", ["futzes"] = "futz", ["reeducates"] = "reeducate", ["categorising"] = "categorise", ["erupting"] = "erupt", ["radicalize"] = "radicalize", ["touching"] = "touch", ["barricading"] = "barricade", ["french polishing"] = "french polish", ["continuing"] = "continue", ["copyrights"] = "copyright", ["escorts"] = "escort", ["vouching"] = "vouch", ["floodlighting"] = "floodlight", ["esteem"] = "esteem", ["included"] = "include", ["perforating"] = "perforate", ["estimates"] = "estimate", ["Americanize"] = "Americanize", ["merits"] = "merit", ["bombard"] = "bombard", ["assigned"] = "assign", ["render"] = "render", ["conciliate"] = "conciliate", ["remunerated"] = "remunerate", ["euthanising"] = "euthanise", ["anesthetising"] = "anesthetise", ["euthanized"] = "euthanize", ["individualizes"] = "individualize", ["pedal"] = "pedal", ["cold calls"] = "cold call", ["partexchanging"] = "partexchange", ["overridden"] = "override", ["crap"] = "crap", ["languishing"] = "languish", ["pummelled"] = "pummel", ["medal"] = "medal", ["penalizes"] = "penalize", ["evading"] = "evade", ["blocks"] = "block", ["curtsied"] = "curtsy", ["tie-dye"] = "tie-dye", ["sanctified"] = "sanctify", ["purporting"] = "purport", ["deracinated"] = "deracinate", ["lobotomised"] = "lobotomise", ["confiscating"] = "confiscate", ["mollifies"] = "mollify", ["bcc"] = "bcc", ["mitre"] = "mitre", ["googles"] = "google", ["gardened"] = "garden", ["hardened"] = "harden", ["juggle"] = "juggle", ["excoriating"] = "excoriate", ["confronting"] = "confront", ["eviscerating"] = "eviscerate", ["evoke"] = "evoke", ["exaggerates"] = "exaggerate", ["abets"] = "abet", ["effectuate"] = "effectuate", ["hyphenates"] = "hyphenate", ["schematised"] = "schematise", ["enhance"] = "enhance", ["chargesheeted"] = "chargesheet", ["concluded"] = "conclude", ["exceed"] = "exceed", ["hoicking"] = "hoick", ["entrusts"] = "entrust", ["emblazons"] = "emblazon", ["walled"] = "wall", ["slandering"] = "slander", ["investigates"] = "investigate", ["hybridizing"] = "hybridize", ["chass�d"] = "chass�", ["externalising"] = "externalise", ["ensure"] = "ensure", ["boobytraps"] = "boobytrap", ["exclaimed"] = "exclaim", ["entitle"] = "entitle", ["articulates"] = "articulate", ["graded"] = "grade", ["dub"] = "dub", ["auditing"] = "audit", ["excoriates"] = "excoriate", ["impacted"] = "impact", ["exculpated"] = "exculpate", ["dribbled"] = "dribble", ["exemplify"] = "exemplify", ["bungle"] = "bungle", ["colonises"] = "colonise", ["crossexamine"] = "crossexamine", ["attain"] = "attain", ["exfoliating"] = "exfoliate", ["interlinked"] = "interlink", ["sub"] = "sub", ["originate"] = "originate", ["depriving"] = "deprive", ["overstayed"] = "overstay", ["tranquillises"] = "tranquillise", ["dropkicks"] = "dropkick", ["exhorting"] = "exhort", ["recreating"] = "recreate", ["exhorts"] = "exhort", ["trucked"] = "truck", ["posturing"] = "posture", ["pirating"] = "pirate", ["exit"] = "exit", ["exiting"] = "exit", ["chaperoning"] = "chaperone", ["carpetbombing"] = "carpetbomb", ["exorcised"] = "exorcise", ["disapproved"] = "disapprove", ["entangling"] = "entangle", ["downsizes"] = "downsize", ["lecturing"] = "lecture", ["exemplifying"] = "exemplify", ["apostrophises"] = "apostrophise", ["groks"] = "grok", ["ejaculates"] = "ejaculate", ["rediscovers"] = "rediscover", ["expiating"] = "expiate", ["bullies"] = "bully", ["respect"] = "respect", ["triumphs"] = "triumph", ["grunted"] = "grunt", ["lionizing"] = "lionize", ["contextualised"] = "contextualise", ["traded"] = "trade", ["untangling"] = "untangle", ["repairing"] = "repair", ["dowse"] = "dowse", ["converting"] = "convert", ["reconfigures"] = "reconfigure", ["ministers"] = "minister", ["approving"] = "approve", ["extemporized"] = "extemporize", ["sullies"] = "sully", ["gesticulated"] = "gesticulate", ["lionize"] = "lionize", ["lionised"] = "lionise", ["caving"] = "cave", ["interrogates"] = "interrogate", ["canalizes"] = "canalize", ["extorted"] = "extort", ["corraled"] = "corral", ["enlarged"] = "enlarge", ["extracts"] = "extract", ["egging"] = "egg", ["blinks"] = "blink", ["collectivising"] = "collectivise", ["couching"] = "couch", ["eagle"] = "eagle", ["extricate"] = "extricate", ["nationalize"] = "nationalize", ["ad-libs"] = "ad-lib", ["carom"] = "carom", ["mistiming"] = "mistime", ["nasalising"] = "nasalise", ["exuded"] = "exude", ["reconquer"] = "reconquer", ["jointing"] = "joint", ["fading"] = "fade", ["exults"] = "exult", ["eye"] = "eye", ["swallows"] = "swallow", ["slinks"] = "slink", ["eyes"] = "eye", ["face"] = "face", ["heroworship"] = "heroworship", ["scootches"] = "scootch", ["pointing"] = "point", ["contesting"] = "contest", ["factoring"] = "factor", ["agonize"] = "agonize", ["prefer"] = "prefer", ["airkissing"] = "airkiss", ["persist"] = "persist", ["fade"] = "fade", ["wading"] = "wade", ["eclipsed"] = "eclipse", ["exemplifies"] = "exemplify", ["admitted"] = "admit", ["stereotyped"] = "stereotype", ["fainted"] = "faint", ["concerns"] = "concern", ["positing"] = "posit", ["perishing"] = "perish", ["ionises"] = "ionise", ["balanced"] = "balance", ["falsify"] = "falsify", ["pretending"] = "pretend", ["bankrolls"] = "bankroll", ["triple"] = "triple", ["indulge"] = "indulge", ["bereave"] = "bereave", ["familiarised"] = "familiarise", ["gore"] = "gore", ["betokening"] = "betoken", ["fantasised"] = "fantasise", ["emanate"] = "emanate", ["convoying"] = "convoy", ["printing"] = "print", ["domesticate"] = "domesticate", ["boogie"] = "boogie", ["reported"] = "report", ["caresses"] = "caress", ["meeting"] = "meet", ["disrupts"] = "disrupt", ["transform"] = "transform", ["Spelt"] = "Spell", ["monetised"] = "monetise", ["denouncing"] = "denounce", ["fast-tracks"] = "fast-track", ["aerating"] = "aerate", ["homestead"] = "homestead", ["fasten"] = "fasten", ["fastened"] = "fasten", ["fastforward"] = "fastforward", ["berating"] = "berate", ["learns"] = "learn", ["fist-pumped"] = "fist-pump", ["enriched"] = "enrich", ["jack-knifes"] = "jack-knife", ["ponder"] = "ponder", ["designates"] = "designate", ["fertilise"] = "fertilise", ["assuage"] = "assuage", ["cricking"] = "crick", ["illustrated"] = "illustrate", ["colligated"] = "colligate", ["wonder"] = "wonder", ["challenges"] = "challenge", ["faults"] = "fault", ["favor"] = "favor", ["deported"] = "deport", ["dilated"] = "dilate", ["bombing"] = "bomb", ["purchase"] = "purchase", ["favour"] = "favour", ["delegate"] = "delegate", ["favours"] = "favour", ["counsels"] = "counsel", ["action"] = "action", ["interlaid"] = "interlay", ["faxing"] = "fax", ["ascribes"] = "ascribe", ["faze"] = "faze", ["borders"] = "border", ["rightsised"] = "rightsise", ["airdrying"] = "airdry", ["rerunning"] = "rerun", ["crashdives"] = "crashdive", ["stagemanaging"] = "stagemanage", ["thread"] = "thread", ["duping"] = "dupe", ["garrottes"] = "garrotte", ["federate"] = "federate", ["antedate"] = "antedate", ["duffed"] = "duff", ["exacting"] = "exact", ["constructing"] = "construct", ["excommunicated"] = "excommunicate", ["garnering"] = "garner", ["resigned"] = "resign", ["french polished"] = "french polish", ["knuckles"] = "knuckle", ["cakes"] = "cake", ["massacred"] = "massacre", ["carjacked"] = "carjack", ["categorised"] = "categorise", ["invalid"] = "invalid", ["lavishes"] = "lavish", ["char"] = "char", ["sticking"] = "stick", ["streaming"] = "stream", ["caging"] = "cage", ["feminizes"] = "feminize", ["hoovered"] = "hoover", ["incommoded"] = "incommode", ["fenced"] = "fence", ["activating"] = "activate", ["fend"] = "fend", ["butts"] = "butt", ["conflate"] = "conflate", ["kludges"] = "kludge", ["divines"] = "divine", ["cycles"] = "cycle", ["reacted"] = "react", ["fertilized"] = "fertilize", ["fertilizing"] = "fertilize", ["fesses"] = "fess", ["divorcing"] = "divorce", ["stripsearched"] = "stripsearch", ["sandblasting"] = "sandblast", ["inure"] = "inure", ["entreats"] = "entreat", ["backburnering"] = "backburner", ["fetch"] = "fetch", ["disliked"] = "dislike", ["headhunt"] = "headhunt", ["plucked"] = "pluck", ["flirts"] = "flirt", ["feted"] = "fete", ["drip-feeding"] = "drip-feed", ["fetishising"] = "fetishise", ["demoralizing"] = "demoralize", ["fettering"] = "fetter", ["fetters"] = "fetter", ["marginalized"] = "marginalize", ["exempted"] = "exempt", ["breathalyzed"] = "breathalyze", ["fictionalise"] = "fictionalise", ["seizing"] = "seize", ["clucked"] = "cluck", ["fiddles"] = "fiddle", ["break"] = "break", ["fiddling"] = "fiddle", ["secluded"] = "seclude", ["anthologized"] = "anthologize", ["KO'ing"] = "KO", ["barhop"] = "barhop", ["depersonalising"] = "depersonalise", ["hotfoot"] = "hotfoot", ["raids"] = "raid", ["denying"] = "deny", ["risk"] = "risk", ["backlinked"] = "backlink", ["meshes"] = "mesh", ["figuring"] = "figure", ["file"] = "file", ["filed"] = "file", ["biffs"] = "biff", ["filibustering"] = "filibuster", ["slopes"] = "slope", ["unionizing"] = "unionize", ["aspiring"] = "aspire", ["clouding"] = "cloud", ["disengage"] = "disengage", ["chainsmoked"] = "chainsmoke", ["disputing"] = "dispute", ["hold"] = "hold", ["finance"] = "finance", ["packetizes"] = "packetize", ["fined"] = "fine", ["fines"] = "fine", ["hoof"] = "hoof", ["patronise"] = "patronise", ["recognise"] = "recognise", ["nurturing"] = "nurture", ["evolving"] = "evolve", ["entrance"] = "entrance", ["elopes"] = "elope", ["fizzled"] = "fizzle", ["disaffiliating"] = "disaffiliate", ["interfacing"] = "interface", ["desensitised"] = "desensitise", ["fires"] = "fire", ["disciplined"] = "discipline", ["blurred"] = "blur", ["high-sticked"] = "high-stick", ["gazumping"] = "gazump", ["fantasise"] = "fantasise", ["fatten"] = "fatten", ["firstfooted"] = "firstfoot", ["numbs"] = "numb", ["bodged"] = "bodge", ["homeschooled"] = "homeschool", ["dazzles"] = "dazzle", ["lip-reading"] = "lip-read", ["fishtailing"] = "fishtail", ["reversing"] = "reverse", ["breastfeed"] = "breastfeed", ["chronicled"] = "chronicle", ["ill-treating"] = "ill-treat", ["defaulted"] = "default", ["chair"] = "chair", ["cross-polinates"] = "cross-polinate", ["emote"] = "emote", ["cringed"] = "cringe", ["finks"] = "fink", ["upscaled"] = "upscale", ["pinch ran"] = "pinch run", ["minimises"] = "minimise", ["coinciding"] = "coincide", ["droop"] = "droop", ["kinks"] = "kink", ["disagree"] = "disagree", ["flaming"] = "flame", ["prevail"] = "prevail", ["caroming"] = "carom", ["dumbs"] = "dumb", ["expunged"] = "expunge", ["geotag"] = "geotag", ["flash"] = "flash", ["muster"] = "muster", ["associates"] = "associate", ["transpire"] = "transpire", ["shadows"] = "shadow", ["gob"] = "gob", ["exhumes"] = "exhume", ["mob"] = "mob", ["lob"] = "lob", ["flatlining"] = "flatline", ["finalizes"] = "finalize", ["bellowing"] = "bellow", ["hiding"] = "hide", ["flaunts"] = "flaunt", ["breasted"] = "breast", ["breathalyzes"] = "breathalyze", ["dob"] = "dob", ["coveted"] = "covet", ["bob"] = "bob", ["theorizing"] = "theorize", ["ionize"] = "ionize", ["invalidates"] = "invalidate", ["hitchhike"] = "hitchhike", ["flicks"] = "flick", ["discoursing"] = "discourse", ["endeavour"] = "endeavour", ["bewildered"] = "bewilder", ["livens"] = "liven", ["skirmish"] = "skirmish", ["faked"] = "fake", ["remolds"] = "remold", ["destroys"] = "destroy", ["mellowing"] = "mellow", ["baked"] = "bake", ["rob"] = "rob", ["decimating"] = "decimate", ["pedals"] = "pedal", ["pitchforks"] = "pitchfork", ["envisions"] = "envision", ["passivizes"] = "passivize", ["re-enter"] = "re-enter", ["glancing"] = "glance", ["invest"] = "invest", ["viewed"] = "view", ["convert"] = "convert", ["coincided"] = "coincide", ["floats"] = "float", ["medals"] = "medal", ["evaluates"] = "evaluate", ["priming"] = "prime", ["deglazed"] = "deglaze", ["flossed"] = "floss", ["chuckles"] = "chuckle", ["gashes"] = "gash", ["materialised"] = "materialise", ["conceptualized"] = "conceptualize", ["flounders"] = "flounder", ["dislocates"] = "dislocate", ["dashes"] = "dash", ["flowers"] = "flower", ["classing"] = "class", ["levers"] = "lever", ["fluffs"] = "fluff", ["mashes"] = "mash", ["tiding"] = "tide", ["globalizing"] = "globalize", ["lashes"] = "lash", ["overplays"] = "overplay", ["elevate"] = "elevate", ["ignoring"] = "ignore", ["disambiguates"] = "disambiguate", ["fib"] = "fib", ["bugged"] = "bug", ["resorting"] = "resort", ["bequeath"] = "bequeath", ["roster"] = "roster", ["apologized"] = "apologize", ["colours"] = "colour", ["fly-posting"] = "fly-post", ["flypost"] = "flypost", ["flytipped"] = "flytip", ["buffets"] = "buffet", ["readjusted"] = "readjust", ["nerving"] = "nerve", ["foaling"] = "foal", ["frightening"] = "frighten", ["pagejack"] = "pagejack", ["silk-screened"] = "silk-screen", ["fobbed"] = "fob", ["juggled"] = "juggle", ["evict"] = "evict", ["rib"] = "rib", ["foil"] = "foil", ["galvanize"] = "galvanize", ["serving"] = "serve", ["fondling"] = "fondle", ["footed"] = "foot", ["brightening"] = "brighten", ["forbad"] = "forbid", ["caricature"] = "caricature", ["batching"] = "batch", ["catching"] = "catch", ["negated"] = "negate", ["forearm"] = "forearm", ["expiring"] = "expire", ["exclude"] = "exclude", ["forecasted"] = "forecast", ["entomb"] = "entomb", ["boom"] = "boom", ["foregathers"] = "foregather", ["attest"] = "attest", ["creeps"] = "creep", ["emanated"] = "emanate", ["chiming"] = "chime", ["over-egging"] = "over-egg", ["catalysing"] = "catalyse", ["attenuating"] = "attenuate", ["agglomerates"] = "agglomerate", ["forestall"] = "forestall", ["matching"] = "match", ["dilly-dallying"] = "dilly-dally", ["disgorged"] = "disgorge", ["patching"] = "patch", ["blowdried"] = "blowdry", ["moisturizes"] = "moisturize", ["foretold"] = "foretell", ["latching"] = "latch", ["defies"] = "defy", ["forfeits"] = "forfeit", ["fleshing"] = "flesh", ["hatching"] = "hatch", ["forfend"] = "forfend", ["retreats"] = "retreat", ["fallen"] = "fall", ["cogitating"] = "cogitate", ["gums"] = "gum", ["adjourning"] = "adjourn", ["alphabetized"] = "alphabetize", ["professionalizing"] = "professionalize", ["careers"] = "career", ["improvise"] = "improvise", ["fork"] = "fork", ["forked"] = "fork", ["weathering"] = "weather", ["excerpt"] = "excerpt", ["entombs"] = "entomb", ["glower"] = "glower", ["formalising"] = "formalise", ["legitimized"] = "legitimize", ["fellates"] = "fellate", ["fornicated"] = "fornicate", ["wavers"] = "waver", ["economized"] = "economize", ["defragment"] = "defragment", ["levitates"] = "levitate", ["blackballs"] = "blackball", ["doorsteps"] = "doorstep", ["educate"] = "educate", ["smuggle"] = "smuggle", ["cadge"] = "cadge", ["monkey"] = "monkey", ["regards"] = "regard", ["rescheduling"] = "reschedule", ["coins"] = "coin", ["colludes"] = "collude", ["ruffle"] = "ruffle", ["indent"] = "indent", ["found"] = "found", ["dish"] = "dish", ["garnishes"] = "garnish", ["adverted"] = "advert", ["boggled"] = "boggle", ["muffle"] = "muffle", ["cites"] = "cite", ["tarnishes"] = "tarnish", ["ache"] = "ache", ["rummage"] = "rummage", ["sprinting"] = "sprint", ["airdropping"] = "airdrop", ["become"] = "become", ["franchising"] = "franchise", ["shrill"] = "shrill", ["thrill"] = "thrill", ["foster"] = "foster", ["arisen"] = "arise", ["chiselling"] = "chisel", ["contort"] = "contort", ["snuggle"] = "snuggle", ["divulged"] = "divulge", ["blacklists"] = "blacklist", ["conserve"] = "conserve", ["moult"] = "moult", ["enticed"] = "entice", ["free"] = "free", ["feathering"] = "feather", ["freelancing"] = "freelance", ["solemnized"] = "solemnize", ["dissect"] = "dissect", ["recrudesced"] = "recrudesce", ["coding"] = "code", ["frees"] = "free", ["fillet"] = "fillet", ["departmentalise"] = "departmentalise", ["carving"] = "carve", ["putzed"] = "putz", ["freezedry"] = "freezedry", ["freezing"] = "freeze", ["bifurcates"] = "bifurcate", ["bollocks"] = "bollock", ["jinxing"] = "jinx", ["hunt"] = "hunt", ["crouch"] = "crouch", ["anonymizes"] = "anonymize", ["freshening"] = "freshen", ["futzed"] = "futz", ["grouch"] = "grouch", ["grudges"] = "grudge", ["frets"] = "fret", ["frustrate"] = "frustrate", ["sandwiching"] = "sandwich", ["orients"] = "orient", ["orientating"] = "orientate", ["overdeveloped"] = "overdevelop", ["encumber"] = "encumber", ["frogmarches"] = "frogmarch", ["baptizes"] = "baptize", ["front-load"] = "front-load", ["flowed"] = "flow", ["frontloaded"] = "frontload", ["reinsuring"] = "reinsure", ["fronts"] = "front", ["dillydallies"] = "dillydally", ["disregarding"] = "disregard", ["hammer"] = "hammer", ["assimilate"] = "assimilate", ["engendered"] = "engender", ["outvoting"] = "outvote", ["frothing"] = "froth", ["frowning"] = "frown", ["closet"] = "closet", ["hard-coded"] = "hard-code", ["ligated"] = "ligate", ["cataloguing"] = "catalogue", ["nitrifies"] = "nitrify", ["titillated"] = "titillate", ["entrust"] = "entrust", ["fuddles"] = "fuddle", ["differed"] = "differ", ["disclaims"] = "disclaim", ["fulminating"] = "fulminate", ["fumbled"] = "fumble", ["encoded"] = "encode", ["stiffens"] = "stiffen", ["immortalise"] = "immortalise", ["babying"] = "baby", ["anonymise"] = "anonymise", ["arriving"] = "arrive", ["heightening"] = "heighten", ["coddling"] = "coddle", ["selfharms"] = "selfharm", ["functioning"] = "function", ["explode"] = "explode", ["enquire"] = "enquire", ["drowse"] = "drowse", ["funnel"] = "funnel", ["manuring"] = "manure", ["inquire"] = "inquire", ["concerning"] = "concern", ["expostulates"] = "expostulate", ["clucks"] = "cluck", ["hated"] = "hate", ["decrying"] = "decry", ["deliberating"] = "deliberate", ["destabilizes"] = "destabilize", ["alluding"] = "allude", ["refocused"] = "refocus", ["condone"] = "condone", ["circumscribes"] = "circumscribe", ["flip-flops"] = "flip-flop", ["recompense"] = "recompense", ["acted"] = "act", ["miskeyed"] = "miskey", ["gabbled"] = "gabble", ["disincentivize"] = "disincentivize", ["immortalises"] = "immortalise", ["formats"] = "format", ["prohibit"] = "prohibit", ["frizzes"] = "frizz", ["endures"] = "endure", ["gossip"] = "gossip", ["blabs"] = "blab", ["contrive"] = "contrive", ["curved"] = "curve", ["monetises"] = "monetise", ["despise"] = "despise", ["enhanced"] = "enhance", ["compose"] = "compose", ["arresting"] = "arrest", ["deaden"] = "deaden", ["galvanizing"] = "galvanize", ["gambling"] = "gamble", ["dehumanizing"] = "dehumanize", ["comport"] = "comport", ["amassed"] = "amass", ["rebukes"] = "rebuke", ["chime"] = "chime", ["gang-bangs"] = "gang-bang", ["gangbangs"] = "gangbang", ["gangraped"] = "gangrape", ["adjoin"] = "adjoin", ["flogged"] = "flog", ["glisters"] = "glister", ["bombs"] = "bomb", ["combs"] = "comb", ["garaged"] = "garage", ["revitalize"] = "revitalize", ["doored"] = "door", ["fist-bumped"] = "fist-bump", ["gargled"] = "gargle", ["husk"] = "husk", ["garner"] = "garner", ["ebb"] = "ebb", ["hotswapping"] = "hotswap", ["garrisoning"] = "garrison", ["pitching"] = "pitch", ["bomb"] = "bomb", ["starching"] = "starch", ["tangling"] = "tangle", ["gasping"] = "gasp", ["gassed"] = "gas", ["deep frying"] = "deep fry", ["deducted"] = "deduct", ["gates"] = "gate", ["ported"] = "port", ["hospitalized"] = "hospitalize", ["nestling"] = "nestle", ["begot"] = "beget", ["gazunder"] = "gazunder", ["gazundered"] = "gazunder", ["joked"] = "joke", ["gazundering"] = "gazunder", ["jangling"] = "jangle", ["bitching"] = "bitch", ["hijacks"] = "hijack", ["embedding"] = "embed", ["abseiling"] = "abseil", ["condensing"] = "condense", ["fossilise"] = "fossilise", ["hitching"] = "hitch", ["gathering"] = "gather", ["draughts"] = "draught", ["lambast"] = "lambast", ["ditching"] = "ditch", ["accepting"] = "accept", ["marooned"] = "maroon", ["generate"] = "generate", ["yoked"] = "yoke", ["catapulted"] = "catapult", ["start"] = "start", ["duke"] = "duke", ["dabbles"] = "dabble", ["future-proofs"] = "future-proof", ["geofenced"] = "geofence", ["sprucing"] = "spruce", ["flannels"] = "flannel", ["toked"] = "toke", ["communicating"] = "communicate", ["germinate"] = "germinate", ["germinates"] = "germinate", ["poked"] = "poke", ["iceskates"] = "iceskate", ["pocketing"] = "pocket", ["contradicts"] = "contradict", ["irked"] = "irk", ["gestated"] = "gestate", ["bleated"] = "bleat", ["maddens"] = "madden", ["bows"] = "bow", ["microwave"] = "microwave", ["agonized"] = "agonize", ["get"] = "get", ["squashed"] = "squash", ["chirruped"] = "chirrup", ["drum"] = "drum", ["ghettoising"] = "ghettoise", ["ghettoizes"] = "ghettoize", ["ghost"] = "ghost", ["desegregates"] = "desegregate", ["lampooning"] = "lampoon", ["transfiguring"] = "transfigure", ["gift-wrapped"] = "gift-wrap", ["comment"] = "comment", ["teleporting"] = "teleport", ["fossicking"] = "fossick", ["bled"] = "bleed", ["gild"] = "gild", ["masquerading"] = "masquerade", ["abdicates"] = "abdicate", ["maltreat"] = "maltreat", ["ginger"] = "ginger", ["smoldered"] = "smolder", ["credentialing"] = "credential", ["alleged"] = "allege", ["moisturised"] = "moisturise", ["erupt"] = "erupt", ["contorts"] = "contort", ["hotwired"] = "hotwire", ["commemorate"] = "commemorate", ["gives"] = "give", ["giving"] = "give", ["scamper"] = "scamper", ["quintupled"] = "quintuple", ["gladhand"] = "gladhand", ["gladhanding"] = "gladhand", ["gladhands"] = "gladhand", ["trill"] = "trill", ["cuckold"] = "cuckold", ["emulsifies"] = "emulsify", ["detonated"] = "detonate", ["glaring"] = "glare", ["hypnotize"] = "hypnotize", ["cruised"] = "cruise", ["flecks"] = "fleck", ["rendezvouses"] = "rendezvous", ["gamifying"] = "gamify", ["baaing"] = "baa", ["empathised"] = "empathise", ["shave"] = "shave", ["puked"] = "puke", ["colonizing"] = "colonize", ["nuked"] = "nuke", ["machine"] = "machine", ["displacing"] = "displace", ["sectioned"] = "section", ["intermarried"] = "intermarry", ["understudies"] = "understudy", ["disembowelled"] = "disembowel", ["glimpsing"] = "glimpse", ["advances"] = "advance", ["purveying"] = "purvey", ["pled"] = "plead", ["sighs"] = "sigh", ["glittering"] = "glitter", ["crashlands"] = "crashland", ["generalise"] = "generalise", ["crocheting"] = "crochet", ["envisioned"] = "envision", ["globalize"] = "globalize", ["deglazing"] = "deglaze", ["bigged"] = "big", ["crooked"] = "crook", ["letching"] = "letch", ["interlocks"] = "interlock", ["unseats"] = "unseat", ["falter"] = "falter", ["opining"] = "opine", ["mitigates"] = "mitigate", ["litigates"] = "litigate", ["glowered"] = "glower", ["freeze-dry"] = "freeze-dry", ["glues"] = "glue", ["glug"] = "glug", ["gluing"] = "glue", ["overtops"] = "overtop", ["glut"] = "glut", ["irradiating"] = "irradiate", ["gluts"] = "glut", ["certifies"] = "certify", ["chews"] = "chew", ["double-dips"] = "double-dip", ["dunk"] = "dunk", ["still"] = "still", ["goaded"] = "goad", ["refuel"] = "refuel", ["goggles"] = "goggle", ["sweetening"] = "sweeten", ["impale"] = "impale", ["fetching"] = "fetch", ["impersonates"] = "impersonate", ["liaised"] = "liaise", ["splatter"] = "splatter", ["redoubling"] = "redouble", ["familiarising"] = "familiarise", ["de-ice"] = "de-ice", ["misfire"] = "misfire", ["salvaging"] = "salvage", ["assails"] = "assail", ["feed"] = "feed", ["geed"] = "gee", ["heed"] = "heed", ["grouting"] = "grout", ["governing"] = "govern", ["materialising"] = "materialise", ["governs"] = "govern", ["became"] = "become", ["drill"] = "drill", ["meows"] = "meow", ["mistreated"] = "mistreat", ["resurfaced"] = "resurface", ["collude"] = "collude", ["decentralising"] = "decentralise", ["grading"] = "grade", ["nicknames"] = "nickname", ["baptize"] = "baptize", ["lolloping"] = "lollop", ["according"] = "accord", ["infected"] = "infect", ["granting"] = "grant", ["eliding"] = "elide", ["nitrifying"] = "nitrify", ["grappled"] = "grapple", ["staff"] = "staff", ["circumnavigate"] = "circumnavigate", ["illtreat"] = "illtreat", ["grasses"] = "grass", ["lynch"] = "lynch", ["grassing"] = "grass", ["dominates"] = "dominate", ["overstretched"] = "overstretch", ["crosses"] = "cross", ["gigs"] = "gig", ["dislocated"] = "dislocate", ["graze"] = "graze", ["harpoons"] = "harpoon", ["soundproofed"] = "soundproof", ["crashland"] = "crashland", ["cooing"] = "coo", ["intimidated"] = "intimidate", ["transfusing"] = "transfuse", ["remained"] = "remain", ["echoed"] = "echo", ["doublecrosses"] = "doublecross", ["incubating"] = "incubate", ["obliterated"] = "obliterate", ["greens"] = "green", ["inspect"] = "inspect", ["greeting"] = "greet", ["delouse"] = "delouse", ["mismatches"] = "mismatch", ["grimaced"] = "grimace", ["grimacing"] = "grimace", ["excused"] = "excuse", ["asserting"] = "assert", ["grinned"] = "grin", ["competing"] = "compete", ["reschedule"] = "reschedule", ["intellectualized"] = "intellectualize", ["pawn"] = "pawn", ["grips"] = "grip", ["joining"] = "join", ["expressed"] = "express", ["forewarning"] = "forewarn", ["grizzling"] = "grizzle", ["dive-bombs"] = "dive-bomb", ["brawling"] = "brawl", ["grooming"] = "groom", ["twirls"] = "twirl", ["heists"] = "heist", ["hoed"] = "hoe", ["dickering"] = "dicker", ["sawn"] = "saw", ["conclude"] = "conclude", ["disembarks"] = "disembark", ["affixed"] = "affix", ["group"] = "group", ["grouts"] = "grout", ["grovelling"] = "grovel", ["live-blogged"] = "live-blog", ["careened"] = "careen", ["intersecting"] = "intersect", ["creosote"] = "creosote", ["decelerated"] = "decelerate", ["grunts"] = "grunt", ["unlearns"] = "unlearn", ["bankroll"] = "bankroll", ["dawn"] = "dawn", ["sped"] = "speed", ["fawn"] = "fawn", ["reelected"] = "reelect", ["inveigle"] = "inveigle", ["breathalyze"] = "breathalyze", ["bordering"] = "border", ["shows"] = "show", ["fortifying"] = "fortify", ["mingling"] = "mingle", ["disentangling"] = "disentangle", ["caking"] = "cake", ["jingling"] = "jingle", ["leave"] = "leave", ["gargling"] = "gargle", ["flickering"] = "flicker", ["iming"] = "im", ["mortifying"] = "mortify", ["forgetting"] = "forget", ["husbanding"] = "husband", ["gunge"] = "gunge", ["burglarise"] = "burglarise", ["gunges"] = "gunge", ["dithered"] = "dither", ["cheek"] = "cheek", ["corroborated"] = "corroborate", ["gust"] = "gust", ["economise"] = "economise", ["guttering"] = "gutter", ["gutting"] = "gut", ["fishtails"] = "fishtail", ["cavil"] = "cavil", ["crumpling"] = "crumple", ["overhear"] = "overhear", ["gybed"] = "gybe", ["allows"] = "allow", ["revive"] = "revive", ["KO's"] = "KO", ["gyps"] = "gyp", ["hied"] = "hie", ["mortar"] = "mortar", ["hack"] = "hack", ["gloats"] = "gloat", ["appraises"] = "appraise", ["arrogated"] = "arrogate", ["blotting"] = "blot", ["diffusing"] = "diffuse", ["winch"] = "winch", ["misspeaking"] = "misspeak", ["hallmarking"] = "hallmark", ["morphed"] = "morph", ["provides"] = "provide", ["averaged"] = "average", ["steam"] = "steam", ["editorialize"] = "editorialize", ["digest"] = "digest", ["overthrow"] = "overthrow", ["hallucinating"] = "hallucinate", ["gift-wrap"] = "gift-wrap", ["brawl"] = "brawl", ["slotting"] = "slot", ["beefed"] = "beef", ["cruise"] = "cruise", ["bruise"] = "bruise", ["boosted"] = "boost", ["hamstrung"] = "hamstring", ["handed"] = "hand", ["informed"] = "inform", ["ingest"] = "ingest", ["chivvy"] = "chivvy", ["balling"] = "ball", ["calling"] = "call", ["normalizes"] = "normalize", ["arrogating"] = "arrogate", ["wassail"] = "wassail", ["overtrained"] = "overtrain", ["entombed"] = "entomb", ["globalizes"] = "globalize", ["gyrates"] = "gyrate", ["grasps"] = "grasp", ["chinks"] = "chink", ["harass"] = "harass", ["cream"] = "cream", ["dream"] = "dream", ["baptises"] = "baptise", ["expressing"] = "express", ["teed"] = "tee", ["orientates"] = "orientate", ["cherry-pick"] = "cherry-pick", ["weed"] = "weed", ["hares"] = "hare", ["haring"] = "hare", ["gentrify"] = "gentrify", ["sprinted"] = "sprint", ["lamed"] = "lame", ["ail"] = "ail", ["need"] = "need", ["harmonise"] = "harmonise", ["peed"] = "pee", ["illumine"] = "illumine", ["debated"] = "debate", ["backpack"] = "backpack", ["outbid"] = "outbid", ["harms"] = "harm", ["condemn"] = "condemn", ["iced"] = "ice", ["sewn"] = "sew", ["militarizes"] = "militarize", ["buttonholing"] = "buttonhole", ["fling"] = "fling", ["harpooning"] = "harpoon", ["misfielding"] = "misfield", ["bade"] = "bid", ["aced"] = "ace", ["cling"] = "cling", ["flytip"] = "flytip", ["doubting"] = "doubt", ["baulking"] = "baulk", ["burnishes"] = "burnish", ["destroying"] = "destroy", ["hastening"] = "hasten", ["refreshing"] = "refresh", ["furnishes"] = "furnish", ["leashes"] = "leash", ["garrotte"] = "garrotte", ["impelled"] = "impel", ["converse"] = "converse", ["detouring"] = "detour", ["formalizes"] = "formalize", ["hawk"] = "hawk", ["participates"] = "participate", ["shimmered"] = "shimmer", ["iceskated"] = "iceskate", ["embodies"] = "embody", ["homogenises"] = "homogenise", ["define"] = "define", ["surcharging"] = "surcharge", ["plows"] = "plow", ["lip-read"] = "lip-read", ["alluded"] = "allude", ["cascading"] = "cascade", ["refreshes"] = "refresh", ["bans"] = "ban", ["streamlines"] = "streamline", ["inspire"] = "inspire", ["filter"] = "filter", ["headhunting"] = "headhunt", ["healed"] = "heal", ["moonwalked"] = "moonwalk", ["boogied"] = "boogie", ["sailed"] = "sail", ["railed"] = "rail", ["suffusing"] = "suffuse", ["bludge"] = "bludge", ["wailed"] = "wail", ["heartened"] = "hearten", ["mailed"] = "mail", ["black"] = "black", ["asked"] = "ask", ["minister"] = "minister", ["hectored"] = "hector", ["adjoining"] = "adjoin", ["amortising"] = "amortise", ["nailed"] = "nail", ["describe"] = "describe", ["blanched"] = "blanch", ["blemishing"] = "blemish", ["exploit"] = "exploit", ["extrapolated"] = "extrapolate", ["chronicle"] = "chronicle", ["dimpled"] = "dimple", ["heft"] = "heft", ["refunds"] = "refund", ["dragged"] = "drag", ["distressed"] = "distress", ["farewells"] = "farewell", ["case"] = "case", ["hearkened"] = "hearken", ["jack-knife"] = "jack-knife", ["attempting"] = "attempt", ["herd"] = "herd", ["hero-worship"] = "hero-worship", ["heroworships"] = "heroworship", ["revamp"] = "revamp", ["overspending"] = "overspend", ["hesitated"] = "hesitate", ["escapes"] = "escape", ["using"] = "use", ["gainsaid"] = "gainsay", ["bring"] = "bring", ["alerted"] = "alert", ["discards"] = "discard", ["depicts"] = "depict", ["thinks"] = "think", ["sown"] = "sow", ["exits"] = "exit", ["hie"] = "hie", ["coldshouldering"] = "coldshoulder", ["hies"] = "hie", ["limits"] = "limit", ["firming"] = "firm", ["dissuading"] = "dissuade", ["observed"] = "observe", ["haunted"] = "haunt", ["bookmarked"] = "bookmark", ["bothers"] = "bother", ["frothed"] = "froth", ["blisses"] = "bliss", ["going"] = "go", ["defying"] = "defy", ["notching"] = "notch", ["cannulated"] = "cannulate", ["hiring"] = "hire", ["familiarize"] = "familiarize", ["botching"] = "botch", ["glassing"] = "glass", ["biked"] = "bike", ["hives"] = "hive", ["slashes"] = "slash", ["tied"] = "tie", ["puke"] = "puke", ["miked"] = "mike", ["nuke"] = "nuke", ["endure"] = "endure", ["mothers"] = "mother", ["bamboozling"] = "bamboozle", ["hiked"] = "hike", ["lied"] = "lie", ["hotdog"] = "hotdog", ["overwriting"] = "overwrite", ["hoes"] = "hoe", ["baste"] = "baste", ["apostrophise"] = "apostrophise", ["hailed"] = "hail", ["aged"] = "age", ["failed"] = "fail", ["queening"] = "queen", ["adore"] = "adore", ["hoisting"] = "hoist", ["slave"] = "slave", ["cramp"] = "cramp", ["fast-tracked"] = "fast-track", ["beseeched"] = "beseech", ["adhere"] = "adhere", ["affords"] = "afford", ["taste"] = "taste", ["infusing"] = "infuse", ["flows"] = "flow", ["hollows"] = "hollow", ["paste"] = "paste", ["schemed"] = "scheme", ["blows"] = "blow", ["streamlining"] = "streamline", ["broker"] = "broker", ["homeschool"] = "homeschool", ["fishes"] = "fish", ["glows"] = "glow", ["obligated"] = "obligate", ["flummoxing"] = "flummox", ["homing"] = "home", ["preregistered"] = "preregister", ["stemming"] = "stem", ["homogenising"] = "homogenise", ["clasps"] = "clasp", ["clouds"] = "cloud", ["equate"] = "equate", ["fictionalize"] = "fictionalize", ["moulted"] = "moult", ["honeymoon"] = "honeymoon", ["actioned"] = "action", ["honk"] = "honk", ["burglarising"] = "burglarise", ["attribute"] = "attribute", ["balks"] = "balk", ["besieges"] = "besiege", ["hooning"] = "hoon", ["hooted"] = "hoot", ["tough"] = "tough", ["eddied"] = "eddy", ["enthrone"] = "enthrone", ["welcomes"] = "welcome", ["frighten"] = "frighten", ["hope"] = "hope", ["initiates"] = "initiate", ["engorging"] = "engorge", ["interrupted"] = "interrupt", ["decipher"] = "decipher", ["overhung"] = "overhang", ["fraternising"] = "fraternise", ["pressurizing"] = "pressurize", ["upskill"] = "upskill", ["copes"] = "cope", ["expedited"] = "expedite", ["crumple"] = "crumple", ["enmeshed"] = "enmesh", ["froths"] = "froth", ["hospitalises"] = "hospitalise", ["hospitalize"] = "hospitalize", ["ejected"] = "eject", ["fist-bumps"] = "fist-bump", ["host"] = "host", ["paralyze"] = "paralyze", ["underwhelming"] = "underwhelm", ["hot-dogs"] = "hot-dog", ["apprising"] = "apprise", ["gnashes"] = "gnash", ["sough"] = "sough", ["rough"] = "rough", ["implode"] = "implode", ["reining"] = "rein", ["hot-wiring"] = "hot-wire", ["petrifying"] = "petrify", ["redden"] = "redden", ["offended"] = "offend", ["disassembling"] = "disassemble", ["humanize"] = "humanize", ["dismounts"] = "dismount", ["conjoined"] = "conjoin", ["incensing"] = "incense", ["generalizing"] = "generalize", ["totalled"] = "total", ["lapse"] = "lapse", ["cough"] = "cough", ["authorises"] = "authorise", ["smashes"] = "smash", ["mis-sells"] = "mis-sell", ["wake"] = "wake", ["claimed"] = "claim", ["freewheeling"] = "freewheel", ["traduce"] = "traduce", ["embossing"] = "emboss", ["google"] = "google", ["dreaming"] = "dream", ["annihilate"] = "annihilate", ["chastening"] = "chasten", ["blends"] = "blend", ["nerves"] = "nerve", ["take"] = "take", ["deactivate"] = "deactivate", ["rake"] = "rake", ["humanised"] = "humanise", ["construed"] = "construe", ["humanises"] = "humanise", ["dishonouring"] = "dishonour", ["eradicating"] = "eradicate", ["assisted"] = "assist", ["breast-feeding"] = "breast-feed", ["clones"] = "clone", ["nestles"] = "nestle", ["auditioning"] = "audition", ["reconnoitring"] = "reconnoitre", ["humour"] = "humour", ["humours"] = "humour", ["prises"] = "prise", ["eulogizes"] = "eulogize", ["packetize"] = "packetize", ["hungered"] = "hunger", ["frequent"] = "frequent", ["equipped"] = "equip", ["contaminated"] = "contaminate", ["chorus"] = "chorus", ["sprints"] = "sprint", ["husbanded"] = "husband", ["nickel-and-diming"] = "nickel-and-dime", ["demilitarise"] = "demilitarise", ["antagonising"] = "antagonise", ["epitomise"] = "epitomise", ["depopulated"] = "depopulate", ["arises"] = "arise", ["guided"] = "guide", ["accede"] = "accede", ["colluded"] = "collude", ["colors"] = "color", ["agrees"] = "agree", ["hydroplane"] = "hydroplane", ["geeing"] = "gee", ["emasculate"] = "emasculate", ["hypes"] = "hype", ["hypnotised"] = "hypnotise", ["glassed"] = "glass", ["liquidising"] = "liquidise", ["plateaus"] = "plateau", ["cable"] = "cable", ["heighten"] = "heighten", ["affirmed"] = "affirm", ["slamdunks"] = "slamdunk", ["freighted"] = "freight", ["ice-skate"] = "ice-skate", ["dying"] = "die", ["splayed"] = "splay", ["freighting"] = "freight", ["iconifying"] = "iconify", ["dogs"] = "dog", ["centring"] = "centre", ["received"] = "receive", ["fossicked"] = "fossick", ["align"] = "align", ["identified"] = "identify", ["identifies"] = "identify", ["tattoo"] = "tattoo", ["cleansing"] = "cleanse", ["elicit"] = "elicit", ["unlearning"] = "unlearn", ["imagine"] = "imagine", ["tying"] = "tie", ["cooling"] = "cool", ["zero"] = "zero", ["internationalize"] = "internationalize", ["ignore"] = "ignore", ["halloo"] = "halloo", ["photosensitising"] = "photosensitise", ["caught"] = "catch", ["lying"] = "lie", ["keynote"] = "keynote", ["flooring"] = "floor", ["externalise"] = "externalise", ["hying"] = "hie", ["output"] = "output", ["frost"] = "frost", ["flown"] = "fly", ["befall"] = "befall", ["chlorinate"] = "chlorinate", ["illustrating"] = "illustrate", ["sweltering"] = "swelter", ["invaliding"] = "invalid", ["idolize"] = "idolize", ["diddled"] = "diddle", ["subjugating"] = "subjugate", ["riddled"] = "riddle", ["gun"] = "gun", ["piddled"] = "piddle", ["imagineering"] = "imagineer", ["knuckle"] = "knuckle", ["yarn bombs"] = "yarn bomb", ["civilizes"] = "civilize", ["maneuver"] = "maneuver", ["exact"] = "exact", ["pre-existed"] = "pre-exist", ["paining"] = "pain", ["fake"] = "fake", ["make"] = "make", ["imitate"] = "imitate", ["smear"] = "smear", ["debilitate"] = "debilitate", ["entered"] = "enter", ["gaining"] = "gain", ["regretting"] = "regret", ["poises"] = "poise", ["overprints"] = "overprint", ["noises"] = "noise", ["cake"] = "cake", ["bake"] = "bake", ["immortalize"] = "immortalize", ["cwtching"] = "cwtch", ["corner"] = "corner", ["cc"] = "cc", ["overreacts"] = "overreact", ["obfuscate"] = "obfuscate", ["fool"] = "fool", ["faces"] = "face", ["forged"] = "forge", ["impanel"] = "impanel", ["owing"] = "owe", ["eulogising"] = "eulogise", ["sniffed"] = "sniff", ["defended"] = "defend", ["swing"] = "swing", ["straightened"] = "straighten", ["impede"] = "impede", ["fare"] = "fare", ["roleplays"] = "roleplay", ["tongues"] = "tongue", ["crossfertilized"] = "crossfertilize", ["emends"] = "emend", ["crashes"] = "crash", ["creates"] = "create", ["implants"] = "implant", ["expatiated"] = "expatiate", ["publish"] = "publish", ["imploding"] = "implode", ["itemising"] = "itemise", ["dislodged"] = "dislodge", ["piquing"] = "pique", ["implying"] = "imply", ["encamp"] = "encamp", ["thrum"] = "thrum", ["importuned"] = "importune", ["imposes"] = "impose", ["stashes"] = "stash", ["impounds"] = "impound", ["double-dating"] = "double-date", ["clear"] = "clear", ["beatboxed"] = "beatbox", ["amends"] = "amend", ["imprinting"] = "imprint", ["imprints"] = "imprint", ["improves"] = "improve", ["photosensitizing"] = "photosensitize", ["vying"] = "vie", ["impugning"] = "impugn", ["marginalize"] = "marginalize", ["aerates"] = "aerate", ["brace"] = "brace", ["intercept"] = "intercept", ["inactivate"] = "inactivate", ["ad-libbing"] = "ad-lib", ["berates"] = "berate", ["chorused"] = "chorus", ["inactivating"] = "inactivate", ["paralyses"] = "paralyse", ["incarcerate"] = "incarcerate", ["guessed"] = "guess", ["incarcerates"] = "incarcerate", ["axing"] = "axe", ["examining"] = "examine", ["deselect"] = "deselect", ["inching"] = "inch", ["incinerates"] = "incinerate", ["bit"] = "bite", ["inclosed"] = "inclose", ["airdrop"] = "airdrop", ["chartering"] = "charter", ["rereleases"] = "rerelease", ["includes"] = "include", ["galumphs"] = "galumph", ["pixelating"] = "pixelate", ["irritating"] = "irritate", ["increased"] = "increase", ["presupposing"] = "presuppose", ["used"] = "use", ["branching"] = "branch", ["bunkering"] = "bunker", ["poke"] = "poke", ["dispute"] = "dispute", ["husks"] = "husk", ["tongued"] = "tongue", ["demolished"] = "demolish", ["lowed"] = "low", ["adjures"] = "adjure", ["sidetracked"] = "sidetrack", ["indoctrinates"] = "indoctrinate", ["woke"] = "wake", ["convalescing"] = "convalesce", ["yoke"] = "yoke", ["toke"] = "toke", ["inducted"] = "induct", ["notices"] = "notice", ["bred"] = "breed", ["perish"] = "perish", ["falters"] = "falter", ["industrialised"] = "industrialise", ["industrialises"] = "industrialise", ["dry-clean"] = "dry-clean", ["articulating"] = "articulate", ["persevere"] = "persevere", ["fronted"] = "front", ["preponderated"] = "preponderate", ["industrialized"] = "industrialize", ["barfing"] = "barf", ["shellacs"] = "shellac", ["stroke"] = "stroke", ["prancing"] = "prance", ["pre-exists"] = "pre-exist", ["dabbing"] = "dab", ["infesting"] = "infest", ["peddled"] = "peddle", ["waffle"] = "waffle", ["dressed"] = "dress", ["eyed"] = "eye", ["reinstating"] = "reinstate", ["entices"] = "entice", ["pencilled"] = "pencil", ["bedecks"] = "bedeck", ["redevelops"] = "redevelop", ["construe"] = "construe", ["institute"] = "institute", ["meddled"] = "meddle", ["chaff"] = "chaff", ["legitimised"] = "legitimise", ["officiates"] = "officiate", ["blindsides"] = "blindside", ["truanted"] = "truant", ["cross-examined"] = "cross-examine", ["downplay"] = "downplay", ["martyred"] = "martyr", ["infringed"] = "infringe", ["infuses"] = "infuse", ["detox"] = "detox", ["ingests"] = "ingest", ["outperforming"] = "outperform", ["overdraw"] = "overdraw", ["backbit"] = "backbite", ["quashes"] = "quash", ["rectified"] = "rectify", ["inhabits"] = "inhabit", ["pirates"] = "pirate", ["disowns"] = "disown", ["tested"] = "test", ["mike"] = "mike", ["like"] = "like", ["erecting"] = "erect", ["aver"] = "aver", ["discomfiting"] = "discomfit", ["pike"] = "pike", ["inheriting"] = "inherit", ["nosedives"] = "nosedive", ["inhibited"] = "inhibit", ["rehearsing"] = "rehearse", ["adjudge"] = "adjudge", ["initialised"] = "initialise", ["bar-hop"] = "bar-hop", ["differs"] = "differ", ["uplifts"] = "uplift", ["astounds"] = "astound", ["ink"] = "ink", ["innovate"] = "innovate", ["innovating"] = "innovate", ["realized"] = "realize", ["preponderate"] = "preponderate", ["jested"] = "jest", ["inseminated"] = "inseminate", ["chauffeurs"] = "chauffeur", ["joke"] = "joke", ["nested"] = "nest", ["redeploys"] = "redeploy", ["sluice"] = "sluice", ["cancelling"] = "cancel", ["rested"] = "rest", ["reinterpret"] = "reinterpret", ["searching"] = "search", ["pilots"] = "pilot", ["matriculated"] = "matriculate", ["allayed"] = "allay", ["calculated"] = "calculate", ["tape-recorded"] = "tape-record", ["altered"] = "alter", ["enact"] = "enact", ["douses"] = "douse", ["instil"] = "instil", ["instilled"] = "instil", ["instilling"] = "instil", ["bribed"] = "bribe", ["immure"] = "immure", ["bested"] = "best", ["inflict"] = "inflict", ["bidden"] = "bid", ["bitmapped"] = "bitmap", ["defaces"] = "deface", ["perpetuates"] = "perpetuate", ["facilitating"] = "facilitate", ["insulting"] = "insult", ["deskilled"] = "deskill", ["ad-lib"] = "ad-lib", ["frame"] = "frame", ["intellectualise"] = "intellectualise", ["hidden"] = "hide", ["owed"] = "owe", ["edifying"] = "edify", ["chainsmoking"] = "chainsmoke", ["underscoring"] = "underscore", ["bespoken"] = "bespeak", ["segmented"] = "segment", ["sidefooting"] = "sidefoot", ["wetnursed"] = "wetnurse", ["interacted"] = "interact", ["decompressed"] = "decompress", ["soundproofing"] = "soundproof", ["interconnect"] = "interconnect", ["interconnecting"] = "interconnect", ["excreting"] = "excrete", ["wrongs"] = "wrong", ["interface"] = "interface", ["mooch"] = "mooch", ["acquitted"] = "acquit", ["interfered"] = "interfere", ["interjecting"] = "interject", ["interlace"] = "interlace", ["upends"] = "upend", ["fax"] = "fax", ["protecting"] = "protect", ["miniaturise"] = "miniaturise", ["languish"] = "languish", ["interlocking"] = "interlock", ["sandwich"] = "sandwich", ["drooling"] = "drool", ["gatecrashes"] = "gatecrash", ["occluded"] = "occlude", ["shortcircuit"] = "shortcircuit", ["objectified"] = "objectify", ["ached"] = "ache", ["forestalling"] = "forestall", ["hike"] = "hike", ["intermeshing"] = "intermesh", ["ridden"] = "ride", ["abolishes"] = "abolish", ["feature"] = "feature", ["paddled"] = "paddle", ["eroding"] = "erode", ["swotting"] = "swot", ["obviating"] = "obviate", ["foretell"] = "foretell", ["internalises"] = "internalise", ["jeopardizes"] = "jeopardize", ["phones"] = "phone", ["defrauding"] = "defraud", ["gainsay"] = "gainsay", ["internationalise"] = "internationalise", ["spends"] = "spend", ["yuppify"] = "yuppify", ["chastened"] = "chasten", ["dreamed"] = "dream", ["creamed"] = "cream", ["bunkered"] = "bunker", ["blethers"] = "blether", ["assassinate"] = "assassinate", ["mince"] = "mince", ["rasterising"] = "rasterise", ["transposing"] = "transpose", ["interrelating"] = "interrelate", ["interrogating"] = "interrogate", ["constitutes"] = "constitute", ["hybridise"] = "hybridise", ["agitate"] = "agitate", ["grumbles"] = "grumble", ["defused"] = "defuse", ["wasted"] = "waste", ["enabled"] = "enable", ["interferes"] = "interfere", ["tasted"] = "taste", ["realizes"] = "realize", ["interweaves"] = "interweave", ["conspire"] = "conspire", ["inhale"] = "inhale", ["axed"] = "axe", ["italicised"] = "italicise", ["miaows"] = "miaow", ["interwove"] = "interweave", ["belayed"] = "belay", ["appertain"] = "appertain", ["delayed"] = "delay", ["letterboxed"] = "letterbox", ["overachieve"] = "overachieve", ["headbutt"] = "headbutt", ["intoxicating"] = "intoxicate", ["capitalizes"] = "capitalize", ["introduced"] = "introduce", ["masterminds"] = "mastermind", ["headlining"] = "headline", ["pasted"] = "paste", ["ate"] = "eat", ["intruded"] = "intrude", ["desensitises"] = "desensitise", ["lasted"] = "last", ["intubate"] = "intubate", ["issued"] = "issue", ["intuit"] = "intuit", ["elapsing"] = "elapse", ["bracket"] = "bracket", ["inundates"] = "inundate", ["eulogise"] = "eulogise", ["unpicking"] = "unpick", ["invalidated"] = "invalidate", ["circulated"] = "circulate", ["embezzling"] = "embezzle", ["overspend"] = "overspend", ["invalids"] = "invalid", ["maneuvered"] = "maneuver", ["serenades"] = "serenade", ["index"] = "index", ["transported"] = "transport", ["inveigles"] = "inveigle", ["ejecting"] = "eject", ["bludgeons"] = "bludgeon", ["preen"] = "preen", ["inverted"] = "invert", ["inverting"] = "invert", ["misjudged"] = "misjudge", ["vacates"] = "vacate", ["multitasked"] = "multitask", ["marooning"] = "maroon", ["outbidding"] = "outbid", ["invigilate"] = "invigilate", ["green"] = "green", ["electrify"] = "electrify", ["defeated"] = "defeat", ["diddles"] = "diddle", ["immigrate"] = "immigrate", ["conflict"] = "conflict", ["crashed"] = "crash", ["choreographing"] = "choreograph", ["pages"] = "page", ["counters"] = "counter", ["irk"] = "irk", ["irks"] = "irk", ["splits"] = "split", ["decapitates"] = "decapitate", ["irradiate"] = "irradiate", ["baa"] = "baa", ["condemning"] = "condemn", ["knuckled"] = "knuckle", ["originated"] = "originate", ["catfishes"] = "catfish", ["percolates"] = "percolate", ["stammering"] = "stammer", ["irrupts"] = "irrupt", ["bench"] = "bench", ["isolate"] = "isolate", ["caroms"] = "carom", ["appropriate"] = "appropriate", ["hoax"] = "hoax", ["colorised"] = "colorise", ["filters"] = "filter", ["extrudes"] = "extrude", ["brandishing"] = "brandish", ["kneels"] = "kneel", ["contacting"] = "contact", ["abstaining"] = "abstain", ["flowered"] = "flower", ["bivvy"] = "bivvy", ["griping"] = "gripe", ["itemises"] = "itemise", ["itemize"] = "itemize", ["operated"] = "operate", ["extradites"] = "extradite", ["override"] = "override", ["flip"] = "flip", ["aroused"] = "arouse", ["feminized"] = "feminize", ["jabbering"] = "jabber", ["jabbing"] = "jab", ["colorises"] = "colorise", ["tattooing"] = "tattoo", ["availing"] = "avail", ["stomp"] = "stomp", ["budgeting"] = "budget", ["strings"] = "string", ["dozing"] = "doze", ["bivvies"] = "bivvy", ["jangled"] = "jangle", ["confess"] = "confess", ["panting"] = "pant", ["clubs"] = "club", ["ranting"] = "rant", ["jaws"] = "jaw", ["metered"] = "meter", ["blasts"] = "blast", ["certifying"] = "certify", ["wanting"] = "want", ["hypnotizing"] = "hypnotize", ["constrain"] = "constrain", ["smack"] = "smack", ["composts"] = "compost", ["jerking"] = "jerk", ["jerks"] = "jerk", ["believe"] = "believe", ["affixes"] = "affix", ["jetted"] = "jet", ["oozing"] = "ooze", ["jetting"] = "jet", ["canting"] = "cant", ["coax"] = "coax", ["jibed"] = "jibe", ["rattling"] = "rattle", ["jibs"] = "jib", ["unveiled"] = "unveil", ["intone"] = "intone", ["clarified"] = "clarify", ["lipreads"] = "lipread", ["jiggles"] = "jiggle", ["jilts"] = "jilt", ["jingled"] = "jingle", ["pinpointed"] = "pinpoint", ["jinxed"] = "jinx", ["debunk"] = "debunk", ["job-hunts"] = "job-hunt", ["moulting"] = "moult", ["crowns"] = "crown", ["rearending"] = "rearend", ["bethink"] = "bethink", ["scream"] = "scream", ["perplexing"] = "perplex", ["jog"] = "jog", ["repackage"] = "repackage", ["inherit"] = "inherit", ["derailed"] = "derail", ["joints"] = "joint", ["deflected"] = "deflect", ["coo"] = "coo", ["undercooking"] = "undercook", ["jollying"] = "jolly", ["advantaged"] = "advantage", ["acquits"] = "acquit", ["scudded"] = "scud", ["overwintered"] = "overwinter", ["offing"] = "off", ["safeguarding"] = "safeguard", ["machined"] = "machine", ["letter"] = "letter", ["discerned"] = "discern", ["leverages"] = "leverage", ["chomp"] = "chomp", ["bestirs"] = "bestir", ["jots"] = "jot", ["knocks"] = "knock", ["sidefoot"] = "sidefoot", ["anaesthetised"] = "anaesthetise", ["misdialling"] = "misdial", ["deluding"] = "delude", ["demolishing"] = "demolish", ["systematized"] = "systematize", ["cradles"] = "cradle", ["apprehend"] = "apprehend", ["juggles"] = "juggle", ["alleviated"] = "alleviate", ["nuts"] = "nut", ["absconding"] = "abscond", ["anthologizes"] = "anthologize", ["air-dashed"] = "air-dash", ["junk"] = "junk", ["gestures"] = "gesture", ["concentrates"] = "concentrate", ["jut"] = "jut", ["requires"] = "require", ["keeled"] = "keel", ["keelhauled"] = "keelhaul", ["cashiered"] = "cashier", ["disinfecting"] = "disinfect", ["advertises"] = "advertise", ["bullshitted"] = "bullshit", ["standardize"] = "standardize", ["kept"] = "keep", ["inaugurated"] = "inaugurate", ["doodle"] = "doodle", ["configured"] = "configure", ["swamped"] = "swamp", ["partnering"] = "partner", ["sniping"] = "snipe", ["gallopped"] = "gallop", ["unravelled"] = "unravel", ["photobombs"] = "photobomb", ["stabled"] = "stable", ["chasing"] = "chase", ["kibitz"] = "kibitz", ["track"] = "track", ["ensconces"] = "ensconce", ["ditches"] = "ditch", ["metabolised"] = "metabolise", ["kick-start"] = "kick-start", ["dimples"] = "dimple", ["hybridized"] = "hybridize", ["idealized"] = "idealize", ["kick-starts"] = "kick-start", ["learning"] = "learn", ["computerise"] = "computerise", ["swayed"] = "sway", ["maintaining"] = "maintain", ["crack"] = "crack", ["hosted"] = "host", ["obligate"] = "obligate", ["ad-libbed"] = "ad-lib", ["culminated"] = "culminate", ["tweaking"] = "tweak", ["reformatting"] = "reformat", ["kiss"] = "kiss", ["overfills"] = "overfill", ["catered"] = "cater", ["moulding"] = "mould", ["ascertained"] = "ascertain", ["bestrode"] = "bestride", ["lag"] = "lag", ["damn"] = "damn", ["nag"] = "nag", ["mystifying"] = "mystify", ["orbiting"] = "orbit", ["sag"] = "sag", ["rag"] = "rag", ["knacker"] = "knacker", ["conceptualizing"] = "conceptualize", ["wag"] = "wag", ["abjures"] = "abjure", ["overtaxing"] = "overtax", ["kneecapped"] = "kneecap", ["interviews"] = "interview", ["drool"] = "drool", ["dive-bomb"] = "dive-bomb", ["nettling"] = "nettle", ["date"] = "date", ["cold called"] = "cold call", ["verify"] = "verify", ["squat"] = "squat", ["crossbreed"] = "crossbreed", ["knitting"] = "knit", ["enlighten"] = "enlighten", ["knocked"] = "knock", ["covenants"] = "covenant", ["hyperventilated"] = "hyperventilate", ["disposing"] = "dispose", ["scenting"] = "scent", ["credentials"] = "credential", ["cinching"] = "cinch", ["stammer"] = "stammer", ["imagineers"] = "imagineer", ["kneeing"] = "knee", ["computing"] = "compute", ["hyped"] = "hype", ["inferring"] = "infer", ["formalized"] = "formalize", ["kowtow"] = "kowtow", ["kvetched"] = "kvetch", ["lacerating"] = "lacerate", ["lacing"] = "lace", ["lacks"] = "lack", ["pinching"] = "pinch", ["aggravated"] = "aggravate", ["ridged"] = "ridge", ["outshining"] = "outshine", ["stocks"] = "stock", ["misted"] = "mist", ["liberalise"] = "liberalise", ["winching"] = "winch", ["crashtests"] = "crashtest", ["cannibalising"] = "cannibalise", ["listed"] = "list", ["backburners"] = "backburner", ["angle"] = "angle", ["hoodwinked"] = "hoodwink", ["gag"] = "gag", ["rationalised"] = "rationalise", ["satirized"] = "satirize", ["harpoon"] = "harpoon", ["suckering"] = "sucker", ["editorialising"] = "editorialise", ["consigned"] = "consign", ["tuckering"] = "tucker", ["languishes"] = "languish", ["clusters"] = "cluster", ["blusters"] = "bluster", ["boring"] = "bore", ["randomize"] = "randomize", ["beamed"] = "beam", ["celebrating"] = "celebrate", ["large"] = "large", ["larged"] = "large", ["shoplifts"] = "shoplift", ["pre-wash"] = "pre-wash", ["flamed"] = "flame", ["carpets"] = "carpet", ["cross-questioned"] = "cross-question", ["conceded"] = "concede", ["isolates"] = "isolate", ["gazumps"] = "gazump", ["trampolined"] = "trampoline", ["disambiguated"] = "disambiguate", ["lathers"] = "lather", ["shinnied"] = "shinny", ["short-sheeting"] = "short-sheet", ["fulminates"] = "fulminate", ["democratizing"] = "democratize", ["whinnied"] = "whinny", ["upsize"] = "upsize", ["muddled"] = "muddle", ["junks"] = "junk", ["indicted"] = "indict", ["resat"] = "resit", ["ascended"] = "ascend", ["funks"] = "funk", ["leafed"] = "leaf", ["glisten"] = "glisten", ["leafs"] = "leaf", ["bunks"] = "bunk", ["cuddled"] = "cuddle", ["dunks"] = "dunk", ["backcomb"] = "backcomb", ["huddled"] = "huddle", ["deplore"] = "deplore", ["fuddled"] = "fuddle", ["aiming"] = "aim", ["leaven"] = "leaven", ["acclimating"] = "acclimate", ["migrating"] = "migrate", ["curates"] = "curate", ["legalizing"] = "legalize", ["overgeneralising"] = "overgeneralise", ["legitimate"] = "legitimate", ["entrusted"] = "entrust", ["egg"] = "egg", ["conscientize"] = "conscientize", ["drugged"] = "drug", ["effectuated"] = "effectuate", ["ailing"] = "ail", ["decontrol"] = "decontrol", ["lending"] = "lend", ["leg"] = "leg", ["leopard-crawls"] = "leopard-crawl", ["lighted"] = "light", ["skedaddled"] = "skedaddle", ["douse"] = "douse", ["lionizes"] = "lionize", ["let"] = "let", ["gatecrashing"] = "gatecrash", ["jostling"] = "jostle", ["caulk"] = "caulk", ["veg"] = "veg", ["denudes"] = "denude", ["peg"] = "peg", ["mouse"] = "mouse", ["patents"] = "patent", ["letting"] = "let", ["levelled"] = "level", ["execrated"] = "execrate", ["rouse"] = "rouse", ["souse"] = "souse", ["comb"] = "comb", ["sneaking"] = "sneak", ["centred"] = "centre", ["flannelling"] = "flannel", ["reentering"] = "reenter", ["decimates"] = "decimate", ["compels"] = "compel", ["exulting"] = "exult", ["futureproofing"] = "futureproof", ["persuading"] = "persuade", ["sedates"] = "sedate", ["skimps"] = "skimp", ["ticketing"] = "ticket", ["editorialised"] = "editorialise", ["departs"] = "depart", ["hazarding"] = "hazard", ["likes"] = "like", ["floodlit"] = "floodlight", ["assesses"] = "assess", ["limed"] = "lime", ["liming"] = "lime", ["amalgamates"] = "amalgamate", ["awaiting"] = "await", ["sucker punched"] = "sucker punch", ["caucusing"] = "caucus", ["hedged"] = "hedge", ["gusted"] = "gust", ["coddled"] = "coddle", ["amortised"] = "amortise", ["lining"] = "line", ["buoys"] = "buoy", ["lionises"] = "lionise", ["betokened"] = "betoken", ["lusted"] = "lust", ["ousted"] = "oust", ["lip-sync"] = "lip-sync", ["dollarising"] = "dollarise", ["lip-synching"] = "lip-synch", ["ambushing"] = "ambush", ["rusted"] = "rust", ["pontificates"] = "pontificate", ["assents"] = "assent", ["beg"] = "beg", ["floodlights"] = "floodlight", ["guested"] = "guest", ["liquidating"] = "liquidate", ["moisten"] = "moisten", ["liquidise"] = "liquidise", ["cocking"] = "cock", ["prided"] = "pride", ["whirls"] = "whirl", ["shamed"] = "shame", ["lisped"] = "lisp", ["agonizes"] = "agonize", ["listen"] = "listen", ["disinvesting"] = "disinvest", ["liquidizing"] = "liquidize", ["email"] = "email", ["minimized"] = "minimize", ["features"] = "feature", ["lactated"] = "lactate", ["decolonising"] = "decolonise", ["livestreams"] = "livestream", ["unloosing"] = "unloose", ["living"] = "live", ["loads"] = "load", ["loafing"] = "loaf", ["speaking"] = "speak", ["shuttle"] = "shuttle", ["summarised"] = "summarise", ["caucuses"] = "caucus", ["militarizing"] = "militarize", ["imprisoned"] = "imprison", ["profaning"] = "profane", ["means-testing"] = "means-test", ["irrupted"] = "irrupt", ["reassert"] = "reassert", ["booting"] = "boot", ["touchtyped"] = "touchtype", ["hunkering"] = "hunker", ["lodge"] = "lodge", ["guzzle"] = "guzzle", ["bushwhacking"] = "bushwhack", ["fluctuate"] = "fluctuate", ["atrophying"] = "atrophy", ["label"] = "label", ["knuckling"] = "knuckle", ["hooting"] = "hoot", ["paroled"] = "parole", ["manifest"] = "manifest", ["mooting"] = "moot", ["looting"] = "loot", ["grafting"] = "graft", ["rooting"] = "root", ["diphthongises"] = "diphthongise", ["drafting"] = "draft", ["eyeball"] = "eyeball", ["flouncing"] = "flounce", ["abiding"] = "abide", ["tooting"] = "toot", ["righted"] = "right", ["re-entering"] = "re-enter", ["computerising"] = "computerise", ["spitroasted"] = "spitroast", ["looted"] = "loot", ["loses"] = "lose", ["obstructs"] = "obstruct", ["foul"] = "foul", ["scorned"] = "scorn", ["breaking"] = "break", ["creaking"] = "creak", ["outlives"] = "outlive", ["europeanized"] = "europeanize", ["fistpump"] = "fistpump", ["devastating"] = "devastate", ["empathized"] = "empathize", ["gig"] = "gig", ["getting"] = "get", ["lubricate"] = "lubricate", ["luck"] = "luck", ["blackballing"] = "blackball", ["jig"] = "jig", ["gaped"] = "gape", ["controlling"] = "control", ["reprising"] = "reprise", ["accuses"] = "accuse", ["naturalized"] = "naturalize", ["intermix"] = "intermix", ["complicating"] = "complicate", ["solves"] = "solve", ["lungeing"] = "lunge", ["leafing"] = "leaf", ["apostrophised"] = "apostrophise", ["court-martialling"] = "court-martial", ["luring"] = "lure", ["lurks"] = "lurk", ["unbuttoning"] = "unbutton", ["freaking"] = "freak", ["muscles"] = "muscle", ["luxuriating"] = "luxuriate", ["vetoes"] = "veto", ["bolts"] = "bolt", ["crossquestioning"] = "crossquestion", ["flattens"] = "flatten", ["machining"] = "machine", ["teamed"] = "team", ["affirms"] = "affirm", ["magnetizes"] = "magnetize", ["magnifies"] = "magnify", ["moralised"] = "moralise", ["consoled"] = "console", ["multitasks"] = "multitask", ["mailing"] = "mail", ["cadged"] = "cadge", ["limit"] = "limit", ["channelling"] = "channel", ["incarcerating"] = "incarcerate", ["bawls"] = "bawl", ["photocopy"] = "photocopy", ["unhooked"] = "unhook", ["machineguns"] = "machinegun", ["big"] = "big", ["questioning"] = "question", ["dig"] = "dig", ["maligns"] = "malign", ["malinger"] = "malinger", ["malingered"] = "malinger", ["electrified"] = "electrify", ["digitalise"] = "digitalise", ["manacled"] = "manacle", ["manacling"] = "manacle", ["manage"] = "manage", ["tog"] = "tog", ["imbedded"] = "imbed", ["hustling"] = "hustle", ["flipflopped"] = "flipflop", ["shrug"] = "shrug", ["embedded"] = "embed", ["manhandle"] = "manhandle", ["handwrite"] = "handwrite", ["log"] = "log", ["modelled"] = "model", ["expunge"] = "expunge", ["gleam"] = "gleam", ["bustling"] = "bustle", ["couriered"] = "courier", ["fog"] = "fog", ["initialise"] = "initialise", ["duck"] = "duck", ["imparted"] = "impart", ["mans"] = "man", ["mantle"] = "mantle", ["reassures"] = "reassure", ["finishing"] = "finish", ["lighting"] = "light", ["diverge"] = "diverge", ["bruising"] = "bruise", ["cruising"] = "cruise", ["funnelling"] = "funnel", ["honours"] = "honour", ["funnelled"] = "funnel", ["map"] = "map", ["whizzing"] = "whizz", ["abbreviated"] = "abbreviate", ["clawed"] = "claw", ["shivered"] = "shiver", ["ghosted"] = "ghost", ["clerking"] = "clerk", ["embarrass"] = "embarrass", ["marginalizes"] = "marginalize", ["obscuring"] = "obscure", ["maroons"] = "maroon", ["disgust"] = "disgust", ["exorcizing"] = "exorcize", ["rhapsodizing"] = "rhapsodize", ["flashes"] = "flash", ["nicks"] = "nick", ["spun"] = "spin", ["censured"] = "censure", ["marvels"] = "marvel", ["dog"] = "dog", ["masculinises"] = "masculinise", ["factorizing"] = "factorize", ["instructed"] = "instruct", ["denationalized"] = "denationalize", ["climaxes"] = "climax", ["marked"] = "mark", ["disinter"] = "disinter", ["forbear"] = "forbear", ["stippling"] = "stipple", ["guests"] = "guest", ["infested"] = "infest", ["checks"] = "check", ["documented"] = "document", ["insults"] = "insult", ["drenched"] = "drench", ["mated"] = "mate", ["hotswapped"] = "hotswap", ["glamorise"] = "glamorise", ["materialises"] = "materialise", ["emailing"] = "email", ["declaims"] = "declaim", ["hazed"] = "haze", ["distracting"] = "distract", ["mature"] = "mature", ["dripfeeding"] = "dripfeed", ["shafted"] = "shaft", ["reclaims"] = "reclaim", ["camouflages"] = "camouflage", ["maximizing"] = "maximize", ["maximized"] = "maximize", ["contrasted"] = "contrast", ["dandle"] = "dandle", ["quarter"] = "quarter", ["venturing"] = "venture", ["excrete"] = "excrete", ["handle"] = "handle", ["meanstest"] = "meanstest", ["scrunchdrying"] = "scrunchdry", ["revising"] = "revise", ["monopolizing"] = "monopolize", ["faffed"] = "faff", ["enlists"] = "enlist", ["medalling"] = "medal", ["decry"] = "decry", ["hardcoded"] = "hardcode", ["fascinate"] = "fascinate", ["overdevelop"] = "overdevelop", ["subsidise"] = "subsidise", ["flayed"] = "flay", ["deck"] = "deck", ["benefiting"] = "benefit", ["flailing"] = "flail", ["memorized"] = "memorize", ["unionized"] = "unionize", ["mended"] = "mend", ["compiles"] = "compile", ["depreciating"] = "depreciate", ["announced"] = "announce", ["rephrase"] = "rephrase", ["mesmerize"] = "mesmerize", ["concertinaed"] = "concertina", ["transfigure"] = "transfigure", ["incapacitate"] = "incapacitate", ["kvetching"] = "kvetch", ["hardening"] = "harden", ["messenger"] = "messenger", ["grabbing"] = "grab", ["metabolising"] = "metabolise", ["gouging"] = "gouge", ["dipping"] = "dip", ["augmenting"] = "augment", ["dishing"] = "dish", ["outfox"] = "outfox", ["cramped"] = "cramp", ["surpasses"] = "surpass", ["brown-bags"] = "brown-bag", ["chooses"] = "choose", ["stonewalling"] = "stonewall", ["equating"] = "equate", ["razing"] = "raze", ["miaowed"] = "miaow", ["microchipping"] = "microchip", ["disgusting"] = "disgust", ["reappears"] = "reappear", ["visits"] = "visit", ["madden"] = "madden", ["evacuating"] = "evacuate", ["grounded"] = "ground", ["equalled"] = "equal", ["packetised"] = "packetise", ["begrudging"] = "begrudge", ["salves"] = "salve", ["mill"] = "mill", ["delays"] = "delay", ["ferries"] = "ferry", ["disinhibit"] = "disinhibit", ["convict"] = "convict", ["interlock"] = "interlock", ["miniaturising"] = "miniaturise", ["excludes"] = "exclude", ["fraternize"] = "fraternize", ["minimizing"] = "minimize", ["attracted"] = "attract", ["disavows"] = "disavow", ["prerecording"] = "prerecord", ["hazing"] = "haze", ["gazing"] = "gaze", ["fazing"] = "faze", ["accoutres"] = "accoutre", ["mirrored"] = "mirror", ["house-sitting"] = "house-sit", ["stun"] = "stun", ["misapplying"] = "misapply", ["enunciate"] = "enunciate", ["misbehaving"] = "misbehave", ["terrorized"] = "terrorize", ["stabbing"] = "stab", ["collocates"] = "collocate", ["force-feeds"] = "force-feed", ["jousting"] = "joust", ["cottoned"] = "cotton", ["consecrates"] = "consecrate", ["regrouping"] = "regroup", ["misfield"] = "misfield", ["air-dry"] = "air-dry", ["harped"] = "harp", ["picturise"] = "picturise", ["misgoverning"] = "misgovern", ["lambaste"] = "lambaste", ["trailing"] = "trail", ["checkmating"] = "checkmate", ["forsakes"] = "forsake", ["misinforms"] = "misinform", ["interconnected"] = "interconnect", ["misinterpreting"] = "misinterpret", ["liberates"] = "liberate", ["digested"] = "digest", ["postdating"] = "postdate", ["inked"] = "ink", ["doused"] = "douse", ["passivises"] = "passivise", ["humble"] = "humble", ["intimating"] = "intimate", ["gibbers"] = "gibber", ["echo"] = "echo", ["coordinate"] = "coordinate", ["contaminate"] = "contaminate", ["bowdlerise"] = "bowdlerise", ["misplaced"] = "misplace", ["pinch-hit"] = "pinch-hit", ["misfile"] = "misfile", ["fat-fingering"] = "fat-finger", ["sentimentalizes"] = "sentimentalize", ["misspell"] = "misspell", ["gossiped"] = "gossip", ["refusing"] = "refuse", ["commented"] = "comment", ["relegates"] = "relegate", ["constituting"] = "constitute", ["handcuffing"] = "handcuff", ["massacres"] = "massacre", ["appalling"] = "appal", ["correlated"] = "correlate", ["collate"] = "collate", ["misspeaks"] = "misspeak", ["extricates"] = "extricate", ["misting"] = "mist", ["affirming"] = "affirm", ["wane"] = "wane", ["rescinded"] = "rescind", ["misuse"] = "misuse", ["delegates"] = "delegate", ["misuses"] = "misuse", ["defusing"] = "defuse", ["juxtapose"] = "juxtapose", ["leopardcrawl"] = "leopardcrawl", ["exceeds"] = "exceed", ["mixes"] = "mix", ["moans"] = "moan", ["intrudes"] = "intrude", ["towered"] = "tower", ["cons"] = "con", ["averted"] = "avert", ["bludgeon"] = "bludgeon", ["annotates"] = "annotate", ["rubberstamped"] = "rubberstamp", ["shack"] = "shack", ["kneejerking"] = "kneejerk", ["impair"] = "impair", ["fast-tracking"] = "fast-track", ["expunging"] = "expunge", ["afflicted"] = "afflict", ["chugs"] = "chug", ["departmentalising"] = "departmentalise", ["halves"] = "halve", ["cowered"] = "cower", ["cane"] = "cane", ["bleed"] = "bleed", ["denigrates"] = "denigrate", ["institutionalize"] = "institutionalize", ["powered"] = "power", ["devouring"] = "devour", ["crimps"] = "crimp", ["calves"] = "calve", ["lowered"] = "lower", ["mooed"] = "moo", ["squalled"] = "squall", ["moonlights"] = "moonlight", ["insuring"] = "insure", ["directing"] = "direct", ["pressurised"] = "pressurise", ["delimited"] = "delimit", ["pastures"] = "pasture", ["mooted"] = "moot", ["tone"] = "tone", ["cause"] = "cause", ["mopped"] = "mop", ["double-book"] = "double-book", ["vanishing"] = "vanish", ["contraindicate"] = "contraindicate", ["magics"] = "magic", ["bloviates"] = "bloviate", ["depressurizing"] = "depressurize", ["whistling"] = "whistle", ["somersaulting"] = "somersault", ["inclining"] = "incline", ["hone"] = "hone", ["ambling"] = "amble", ["acclaims"] = "acclaim", ["offshore"] = "offshore", ["photocopied"] = "photocopy", ["mucks"] = "muck", ["decluttered"] = "declutter", ["nickel-and-dimed"] = "nickel-and-dime", ["deployed"] = "deploy", ["stayed"] = "stay", ["pause"] = "pause", ["centralize"] = "centralize", ["banishing"] = "banish", ["multiplied"] = "multiply", ["exerted"] = "exert", ["netted"] = "net", ["bad-mouths"] = "bad-mouth", ["petted"] = "pet", ["mummified"] = "mummify", ["faxed"] = "fax", ["couples"] = "couple", ["pre-empt"] = "pre-empt", ["bone"] = "bone", ["vetted"] = "vet", ["abuse"] = "abuse", ["civilises"] = "civilise", ["frayed"] = "fray", ["distort"] = "distort", ["mutates"] = "mutate", ["burglarised"] = "burglarise", ["nominalises"] = "nominalise", ["enwound"] = "enwind", ["harboured"] = "harbour", ["instigates"] = "instigate", ["dissemble"] = "dissemble", ["mystify"] = "mystify", ["nagged"] = "nag", ["nagging"] = "nag", ["overeating"] = "overeat", ["transmutes"] = "transmute", ["mechanise"] = "mechanise", ["short-circuits"] = "short-circuit", ["concerned"] = "concern", ["freeze-dried"] = "freeze-dry", ["sterilises"] = "sterilise", ["attempts"] = "attempt", ["flouring"] = "flour", ["nationalised"] = "nationalise", ["crowded"] = "crowd", ["tug"] = "tug", ["empathises"] = "empathise", ["hammered"] = "hammer", ["shampooed"] = "shampoo", ["demineralise"] = "demineralise", ["classified"] = "classify", ["decompressing"] = "decompress", ["praised"] = "praise", ["flagellate"] = "flagellate", ["rear-end"] = "rear-end", ["negates"] = "negate", ["desensitising"] = "desensitise", ["hug"] = "hug", ["criminalized"] = "criminalize", ["contextualise"] = "contextualise", ["misdialled"] = "misdial", ["dug"] = "dig", ["expanding"] = "expand", ["quailing"] = "quail", ["forfeit"] = "forfeit", ["breasting"] = "breast", ["archive"] = "archive", ["quack"] = "quack", ["dot"] = "dot", ["lug"] = "lug", ["estimating"] = "estimate", ["nipped"] = "nip", ["mug"] = "mug", ["reinvigorated"] = "reinvigorate", ["misapply"] = "misapply", ["dissociate"] = "dissociate", ["nominalizes"] = "nominalize", ["nominated"] = "nominate", ["cushioned"] = "cushion", ["nosh"] = "nosh", ["institutionalising"] = "institutionalise", ["scopes"] = "scope", ["abstracting"] = "abstract", ["bug"] = "bug", ["ennobling"] = "ennoble", ["notified"] = "notify", ["mishandling"] = "mishandle", ["abolish"] = "abolish", ["blinking"] = "blink", ["heals"] = "heal", ["holidaying"] = "holiday", ["numbered"] = "number", ["precised"] = "precis", ["numbering"] = "number", ["assuring"] = "assure", ["outclassed"] = "outclass", ["exalt"] = "exalt", ["cries"] = "cry", ["gnawed"] = "gnaw", ["intermarrying"] = "intermarry", ["secularizing"] = "secularize", ["obliged"] = "oblige", ["livened"] = "liven", ["glad-hand"] = "glad-hand", ["obstruct"] = "obstruct", ["floated"] = "float", ["parlays"] = "parlay", ["weeded"] = "weed", ["converged"] = "converge", ["snore"] = "snore", ["advising"] = "advise", ["darned"] = "darn", ["cabling"] = "cable", ["hightails"] = "hightail", ["offloads"] = "offload", ["banks"] = "bank", ["needed"] = "need", ["acquaints"] = "acquaint", ["derailing"] = "derail", ["overwritten"] = "overwrite", ["hare"] = "hare", ["orienting"] = "orient", ["micturated"] = "micturate", ["disguise"] = "disguise", ["opine"] = "opine", ["abandons"] = "abandon", ["ordain"] = "ordain", ["quenched"] = "quench", ["allays"] = "allay", ["counter-attacked"] = "counter-attack", ["extemporize"] = "extemporize", ["intuited"] = "intuit", ["trouser"] = "trouser", ["tanks"] = "tank", ["confute"] = "confute", ["reuse"] = "reuse", ["wanks"] = "wank", ["rightsises"] = "rightsise", ["patted"] = "pat", ["intervene"] = "intervene", ["interwoven"] = "interweave", ["jack-knifing"] = "jack-knife", ["devising"] = "devise", ["mortify"] = "mortify", ["cross-checked"] = "cross-check", ["widened"] = "widen", ["leopard-crawled"] = "leopard-crawl", ["snowballing"] = "snowball", ["outmanoeuvre"] = "outmanoeuvre", ["infiltrates"] = "infiltrate", ["billow"] = "billow", ["drowsing"] = "drowse", ["beautifies"] = "beautify", ["outplay"] = "outplay", ["outplaying"] = "outplay", ["dresses"] = "dress", ["batted"] = "bat", ["scorch"] = "scorch", ["outraging"] = "outrage", ["gainsays"] = "gainsay", ["ennobled"] = "ennoble", ["outstays"] = "outstay", ["antagonise"] = "antagonise", ["cherry-picked"] = "cherry-pick", ["apprises"] = "apprise", ["blabbing"] = "blab", ["braised"] = "braise", ["seat"] = "seat", ["overawing"] = "overawe", ["incinerating"] = "incinerate", ["hiccup"] = "hiccup", ["unwound"] = "unwind", ["renting"] = "rent", ["reclining"] = "recline", ["name-checking"] = "name-check", ["fabricated"] = "fabricate", ["invigilates"] = "invigilate", ["chuckled"] = "chuckle", ["jabbers"] = "jabber", ["interpenetrates"] = "interpenetrate", ["store"] = "store", ["whitens"] = "whiten", ["cultivated"] = "cultivate", ["oversees"] = "oversee", ["venting"] = "vent", ["counterbalances"] = "counterbalance", ["breast-feed"] = "breast-feed", ["fine"] = "fine", ["inveigling"] = "inveigle", ["plasters"] = "plaster", ["deriding"] = "deride", ["unfold"] = "unfold", ["strode"] = "stride", ["line"] = "line", ["mine"] = "mine", ["overprinting"] = "overprint", ["xrayed"] = "xray", ["finesse"] = "finesse", ["consisting"] = "consist", ["overshadow"] = "overshadow", ["pursuing"] = "pursue", ["examine"] = "examine", ["yanks"] = "yank", ["buttoned"] = "button", ["disorientate"] = "disorientate", ["loathes"] = "loathe", ["disappointing"] = "disappoint", ["enfold"] = "enfold", ["overwrite"] = "overwrite", ["laboured"] = "labour", ["fashion"] = "fashion", ["pacifying"] = "pacify", ["bucketing"] = "bucket", ["enfeebling"] = "enfeeble", ["invite"] = "invite", ["backfire"] = "backfire", ["bemused"] = "bemuse", ["parachuted"] = "parachute", ["heeded"] = "heed", ["inflicted"] = "inflict", ["parlay"] = "parlay", ["camouflaged"] = "camouflage", ["intersperses"] = "intersperse", ["tabling"] = "table", ["parody"] = "parody", ["zip-ties"] = "zip-tie", ["distinguishing"] = "distinguish", ["festered"] = "fester", ["peers"] = "peer", ["flails"] = "flail", ["perforates"] = "perforate", ["extol"] = "extol", ["performed"] = "perform", }
function onCreate() debugPrint('Please disable "Flashing Effects" and "Camera Effects" in options if you are at risk of seizures') debugPrint('This song contains "Flashing Lights" and "Camera Shake".') debugPrint('Epilepsy / Photosensitivity Warning:') precacheImage('white') end function goodNoteHit(id, direction, noteType, isSustainNote) if noteType == 'bulletnote2' then makeLuaSprite('image', 'white', -500, -300); if flashingLights then addLuaSprite('image', true); end doTweenColor('hello', 'image', 'FFFFFFFF', 0.2, 'quartIn'); setObjectCamera('image', 'other'); runTimer('wait', 0.01); end end function noteMiss(id, noteData, noteType, isSustainNote) if noteType == 'bulletnote2' then makeLuaSprite('image', 'white', -500, -300); if flashingLights then addLuaSprite('image', true); end doTweenColor('hello', 'image', 'FFFFFFFF', 0.2, 'quartIn'); setObjectCamera('image', 'other'); runTimer('wait', 0.01); end end function onTimerCompleted(tag, loops, loopsleft) if tag == 'wait' then doTweenAlpha('byebye', 'image', 0, 0.1, 'linear'); end end function onTweenCompleted(tag) if tag == 'byebye' then removeLuaSprite('image', true); end end
wRightClick = nil bAddAsFriend, bFrisk, bRestrain, bCloseMenu, bInformation, bBlindfold, bStabilize = nil sent = false ax, ay = nil player = nil gotClick = false closing = false description = nil age = nil weight = nil height = nil race = nil function clickPlayer(button, state, absX, absY, wx, wy, wz, element) if getElementData(getLocalPlayer(), "exclusiveGUI") then return end if (element) and (getElementType(element)=="player") and (button=="right") and (state=="down") and (sent==false) and (element~=getLocalPlayer()) then local x, y, z = getElementPosition(getLocalPlayer()) if (getDistanceBetweenPoints3D(x, y, z, wx, wy, wz)<=5) then if (wRightClick) then hidePlayerMenu() end showCursor(true) ax = absX ay = absY player = element sent = true closing = false triggerServerEvent("sendPlayerInfo", getLocalPlayer(), element) end end end addEventHandler("onClientClick", getRootElement(), clickPlayer, true) function showPlayerMenu(targetPlayer, friend, sdescription, sage, sweight, sheight, srace) wRightClick = guiCreateWindow(ax, ay, 150, 200, string.gsub(getPlayerName(targetPlayer), "_", " "), false) age = sage weight = sweight description = sdescription height = sheight if (srace==0) then race = "Black" elseif (srace==1) then race = "White" elseif (srace==2) then race = "Asian" else race = "Alien" end if not friend then bAddAsFriend = guiCreateButton(0.05, 0.13, 0.87, 0.1, "Add as friend", true, wRightClick) addEventHandler("onClientGUIClick", bAddAsFriend, caddFriend, false) else bAddAsFriend = guiCreateButton(0.05, 0.13, 0.87, 0.1, "Remove friend", true, wRightClick) addEventHandler("onClientGUIClick", bAddAsFriend, cremoveFriend, false) end -- FRISK bFrisk = guiCreateButton(0.52, 0.25, 0.43, 0.1, "Frisk", true, wRightClick) addEventHandler("onClientGUIClick", bFrisk, cfriskPlayer, false) -- RESTRAIN local cuffed = getElementData(player, "restrain") if cuffed == 0 then bRestrain = guiCreateButton(0.05, 0.25, 0.43, 0.1, "Restrain", true, wRightClick) addEventHandler("onClientGUIClick", bRestrain, crestrainPlayer, false) else bRestrain = guiCreateButton(0.05, 0.25, 0.43, 0.1, "Unrestrain", true, wRightClick) addEventHandler("onClientGUIClick", bRestrain, cunrestrainPlayer, false) end -- BLINDFOLD local blindfold = getElementData(player, "blindfold") if (blindfold) and (blindfold == 1) then bBlindfold = guiCreateButton(0.05, 0.51, 0.87, 0.1, "Remove Blindfold", true, wRightClick) addEventHandler("onClientGUIClick", bBlindfold, cremoveBlindfold, false) else bBlindfold = guiCreateButton(0.05, 0.51, 0.87, 0.1, "Blindfold", true, wRightClick) addEventHandler("onClientGUIClick", bBlindfold, cBlindfold, false) end -- STABILIZE y = 0.64 if exports.global:hasItem(getLocalPlayer(), 70) and getElementData(player, "injuriedanimation") then bStabilize = guiCreateButton(0.05, y, 0.87, 0.1, "Stabilize", true, wRightClick) addEventHandler("onClientGUIClick", bStabilize, cStabilize, false) y = y + 0.13 end bCloseMenu = guiCreateButton(0.05, y, 0.87, 0.1, "Close Menu", true, wRightClick) addEventHandler("onClientGUIClick", bCloseMenu, hidePlayerMenu, false) sent = false bInformation = guiCreateButton(0.05, 0.38, 0.87, 0.1, "Information", true, wRightClick) addEventHandler("onClientGUIClick", bInformation, showPlayerInfo, false) end addEvent("displayPlayerMenu", true) addEventHandler("displayPlayerMenu", getRootElement(), showPlayerMenu) function showPlayerInfo(button, state) if (button=="left") then outputChatBox("~~~~~~~~~~~~ " .. getPlayerName(player) .. " ~~~~~~~~~~~~", 255, 194, 14) outputChatBox("Race: " .. race, 255, 194, 14) outputChatBox("Age: " .. age .. " years old", 255, 194, 14) outputChatBox("Weight: " .. weight .. "kg", 255, 194, 14) outputChatBox("Height: " .. height .. "cm", 255, 194, 14) outputChatBox("Description: " .. description, 255, 194, 14) end end -------------------- -- STABILIZING -- -------------------- function cStabilize(button, state) if button == "left" and state == "up" then if (exports.global:hasItem(getLocalPlayer(), 70)) then -- Has First Aid Kit? local knockedout = getElementData(player, "injuriedanimation") if not knockedout then outputChatBox("This player is not knocked out.", 255, 0, 0) hidePlayerMenu() else triggerServerEvent("stabilizePlayer", getLocalPlayer(), player) hidePlayerMenu() end else outputChatBox("You do not have a First Aid Kit.", 255, 0, 0) end end end -------------------- -- BLINDFOLDING -- ------------------- function cBlindfold(button, state, x, y) if (button=="left") then if (exports.global:hasItem(getLocalPlayer(), 66)) then -- Has blindfold? local blindfolded = getElementData(player, "blindfold") local restrained = getElementData(player, "restrain") if (blindfolded==1) then outputChatBox("This player is already blindfolded.", 255, 0, 0) hidePlayerMenu() elseif (restrained==0) then outputChatBox("This player must be restrained in order to blindfold them.", 255, 0, 0) hidePlayerMenu() else triggerServerEvent("blindfoldPlayer", getLocalPlayer(), player) hidePlayerMenu() end else outputChatBox("You do not have a blindfold.", 255, 0, 0) end end end function cremoveBlindfold(button, state, x, y) if (button=="left") then local blindfolded = getElementData(player, "blindfold") if (blindfolded==1) then triggerServerEvent("removeBlindfold", getLocalPlayer(), player) hidePlayerMenu() else outputChatBox("This player is not blindfolded.", 255, 0, 0) hidePlayerMenu() end end end -------------------- -- RESTRAINING -- -------------------- function crestrainPlayer(button, state, x, y) if (button=="left") then if (exports.global:hasItem(getLocalPlayer(), 45) or exports.global:hasItem(getLocalPlayer(), 46)) then local restrained = getElementData(player, "restrain") if (restrained==1) then outputChatBox("This player is already restrained.", 255, 0, 0) hidePlayerMenu() else local restrainedObj if (exports.global:hasItem(getLocalPlayer(), 45)) then restrainedObj = 45 elseif (exports.global:hasItem(getLocalPlayer(), 46)) then restrainedObj = 46 end triggerServerEvent("restrainPlayer", getLocalPlayer(), player, restrainedObj) hidePlayerMenu() end else outputChatBox("You have no items to restrain with.", 255, 0, 0) hidePlayerMenu() end end end function cunrestrainPlayer(button, state, x, y) if (button=="left") then local restrained = getElementData(player, "restrain") if (restrained==0) then outputChatBox("This player is not restrained.", 255, 0, 0) hidePlayerMenu() else local restrainedObj = getElementData(player, "restrainedObj") local dbid = getElementData(player, "dbid") if (exports.global:hasItem(getLocalPlayer(), 47, dbid)) or (restrainedObj==46) then -- has the keys, or its a rope triggerServerEvent("unrestrainPlayer", getLocalPlayer(), player, restrainedObj) hidePlayerMenu() else outputChatBox("You do not have the keys to these handcuffs.", 255, 0, 0) end end end end -------------------- -- END RESTRAINING-- -------------------- -------------------- -- FRISKING -- -------------------- gx, gy, wFriskItems, bFriskTakeItem, bFriskClose, gFriskItems, FriskColName = nil function cfriskPlayer(button, state, x, y) if (button=="left") then destroyElement(wRightClick) wRightClick = nil local restrained = getElementData(player, "restrain") local injured = getElementData(player, "injuriedanimation") if restrained ~= 1 and not injured then outputChatBox("This player is not restrained or injured.", 255, 0, 0) hidePlayerMenu() elseif getElementHealth(getLocalPlayer()) < 50 then outputChatBox("You need at least half health to frisk someone.", 255, 0, 0) hidePlayerMenu() else gx = x gy = y triggerServerEvent("friskShowItems", getLocalPlayer(), player) end end end function friskShowItems(items) if wFriskItems then destroyElement( wFriskItems ) end addEventHandler("onClientPlayerQuit", source, hidePlayerMenu) local playerName = string.gsub(getPlayerName(source), "_", " ") triggerServerEvent("sendLocalMeAction", getLocalPlayer(), getLocalPlayer(), "frisks " .. playerName .. ".") local width, height = 300, 200 wFriskItems = guiCreateWindow(gx, gy, width, height, "Frisk: " .. playerName, false) guiSetText(wFriskItems, "Frisk: " .. playerName) guiWindowSetSizable(wFriskItems, false) gFriskItems = guiCreateGridList(0.05, 0.1, 0.9, 0.7, true, wFriskItems) FriskColName = guiGridListAddColumn(gFriskItems, "Name", 0.9) for k, v in ipairs(items) do local itemName = v[1] ~= 80 and exports.global:getItemName(v[1]) or v[2] local row = guiGridListAddRow(gFriskItems) guiGridListSetItemText(gFriskItems, row, FriskColName, tostring(itemName), false, false) guiGridListSetSortingEnabled(gFriskItems, false) end -- WEAPONS for i = 0, 12 do if (getPedWeapon(source, i)>0) then local ammo = getPedTotalAmmo(source, i) if (ammo>0) then local itemName = getWeaponNameFromID(getPedWeapon(source, i)) local row = guiGridListAddRow(gFriskItems) guiGridListSetItemText(gFriskItems, row, FriskColName, tostring(itemName), false, false) guiGridListSetSortingEnabled(gFriskItems, false) end end end bFriskClose = guiCreateButton(0.05, 0.85, 0.9, 0.1, "Close", true, wFriskItems) addEventHandler("onClientGUIClick", bFriskClose, hidePlayerMenu, false) end addEvent("friskShowItems", true) addEventHandler("friskShowItems", getRootElement(), friskShowItems) -------------------- -- END FRISKING -- -------------------- function caddFriend() triggerServerEvent("addFriend", getLocalPlayer(), player) hidePlayerMenu() end function cremoveFriend() local id = tonumber(getElementData(player, "gameaccountid")) local username = getPlayerName(player) triggerServerEvent("removeFriend", getLocalPlayer(), id, username, true) hidePlayerMenu() end function hidePlayerMenu() if (isElement(bAddAsFriend)) then destroyElement(bAddAsFriend) end bAddAsFriend = nil if (isElement(bCloseMenu)) then destroyElement(bCloseMenu) end bCloseMenu = nil if (isElement(wRightClick)) then destroyElement(wRightClick) end wRightClick = nil if (isElement(wFriskItems)) then destroyElement(wFriskItems) end wFriskItems = nil ax = nil ay = nil description = nil age = nil weight = nil height = nil if player then removeEventHandler("onClientPlayerQuit", player, hidePlayerMenu) end sent = false player = nil showCursor(false) end function checkMenuWasted() if source == getLocalPlayer() or source == player then hidePlayerMenu() end end addEventHandler("onClientPlayerWasted", getRootElement(), checkMenuWasted)
-- commands for modifying the world local t = {} function t:pause() if ammo.world then ammo.world.active = not ammo.world.active end end function t:hide() if ammo.world then ammo.world.visible = not ammo.world.visible end end function t:step(steps) if not ammo.world then return end steps = steps and tonumber(steps) or 1 for i = 1, steps do ammo.world:update(love.timer.getDelta()) end end function t:backstep(steps) if not ammo.world then return end steps = steps and tonumber(steps) or 1 for i = 1, steps do ammo.world:update(-love.timer.getDelta()) end end function t:recreate() if ammo.world then local world = ammo.world.class:new() world.active = ammo.world.active world.visible = ammo.world.visible ammo.world = world end end t.help = { pause = { summary = "Pauses/unpauses the current world." }, hide = { summary = "Hides/unhides the current world." }, step = { args = "[count]", summary = "Steps the world forward one or more frames.", description = "Calls the current world's update function with the current delta time, one or more times (if specified)." }, backstep = { args = "[count]", summary = "Steps the world backward one or more frames.", description = "Calls the current world's update function with the negative of the current delta time, one or more times (if specified)." }, recreate = { summary = "Replaces the current world with a new instance of itself." } } return t
-- 인젝터 local Util = require('modules.util') local Table_to_str = require('modules.table_to_str') local Injector = {} local get_handlers = function(event_list) local r = {} for k, v in pairs(event_list) do r[k] = script.get_event_handler(v) if not r[k] then r[k] = true end end return r end local set_handlers = function(handler_list) for k, v in pairs(handler_list) do local f = v script.on_event( defines.events[k], function(e) if global.players then local ed = Util.deepcopytbl(e) local tick = ed.tick local logging = true ed.tick = nil ed.name = nil if k == k:match('^on_gui_.+') and Util.have_parent_0_event_trace(ed.element) then logging = false end if logging then for player_index, g in pairs(global.players) do if g.logging and game.players[player_index] and game.players[player_index].connected and g.whitelist[k] and g.gui.outpane.valid then local str, counter, pc, ret -- implementation of gvv if _gvv_recognized_ and g.log_to_gvv then pc, ret = pcall(function() return remote.call('__gvv__0-event-trace','add', game.players[player_index].name, k, e) end) if pc then counter = '[color=0.35,0.65,1]'..tostring(ret)..'[/color]' else counter = g.counter[k] + 1 g.counter[k] = counter end -- previous behavior else counter = g.counter[k] + 1 g.counter[k] = counter end str = {"",'[color=0.6,0.6,0.6][font=default-tiny-bold]',tick,' . [color=yellow][font=default]',k,'[/font][/color] ',counter,'[/font][/color] ', Table_to_str.to_richtext(ed), } g.gui.outpane.add{type = 'label', caption = str, style = 'output_0-event-trace'} if #g.gui.outpane.children > 100 then g.gui.outpane.children[1].destroy() end g.gui.outpane.scroll_to_bottom() end end end end if type(f) == 'function' then f(e) end end, script.get_event_filter(defines.events[k]) ) end end Injector.on_load = function() local events = Util.copytbl(defines.events) events.on_tick = nil set_handlers(get_handlers(events)) end return Injector
local radio = {} function radio.inherit(id, x, y, strength) local self = { id = id, x = x, y = y, strength = strength } -- im not exactly sure what i want to do with radios, if i use them at all... function self:update(dt) end function self:draw() end return self end return radio
local awful = require("awful") local wibox = require("wibox") local beautiful = require("beautiful") local dpi = beautiful.xresources.apply_dpi local menubar = require("menubar") local naughty = require("naughty") local util = require("widget.util") local gears = require("gears") naughty.connect_signal("request::icon", function(n, context, hints) if context ~= "app_icon" then return end local path = menubar.utils.lookup_icon(hints.app_icon) or menubar.utils.lookup_icon(hints.app_icon:lower()) if path then n.icon = path end end) naughty.config.defaults.ontop = true naughty.config.defaults.screen = awful.screen.focused() naughty.config.defaults.timeout = 3 naughty.config.defaults.title = "Notification" naughty.config.defaults.position = "top_middle" naughty.config.presets.low.timeout = 3 naughty.config.presets.critical.timeout = 10 naughty.config.presets.normal = { font = beautiful.font_name .. "Regular 12", fg = beautiful.fg_normal, bg = beautiful.bg_normal, } naughty.config.presets.low = { font = beautiful.font_name .. "Regular 12", fg = beautiful.fg_normal, bg = beautiful.bg_normal, } naughty.config.presets.critical = { font = beautiful.font_name .. "Bold 12", fg = beautiful.xcolor1, bg = beautiful.bg_normal, timeout = 0, } naughty.config.presets.ok = naughty.config.presets.normal naughty.config.presets.info = naughty.config.presets.normal naughty.config.presets.warn = naughty.config.presets.critical local function notify_widget(notify) return { { { { { { { { { image = notify.appicon, resize = true, widget = wibox.widget.imagebox, }, strategy = "max", height = dpi(20), widget = wibox.container.constraint, }, right = dpi(10), widget = wibox.container.margin, }, { markup = notify.app_name, align = "left", font = beautiful.font_name .. "Bold 12", widget = wibox.widget.textbox, }, { markup = notify.time, align = "right", font = beautiful.font_name .. "Bold 12", widget = wibox.widget.textbox, }, layout = wibox.layout.align.horizontal, }, top = dpi(10), left = dpi(20), right = dpi(20), bottom = dpi(10), widget = wibox.container.margin, }, bg = beautiful.background, widget = wibox.container.background, }, { { { -- util.vertical_pad(10), { { step_function = wibox.container.scroll.step_functions.waiting_nonlinear_back_and_forth, speed = 50, { markup = notify.title, font = beautiful.font_name .. "Bold 11", align = "left", widget = wibox.widget.textbox, }, forced_width = dpi(400), widget = wibox.container.scroll.horizontal, }, { step_function = wibox.container.scroll.step_functions.waiting_nonlinear_back_and_forth, speed = 50, { markup = notify.message, align = "left", font = beautiful.font_name .. "Regular 11", widget = wibox.widget.textbox, }, forced_width = dpi(210), widget = wibox.container.scroll.horizontal, }, spacing = 0, layout = wibox.layout.flex.vertical, }, -- util.vertical_pad(10), layout = wibox.layout.align.vertical, }, left = dpi(20), right = dpi(20), widget = wibox.container.margin, }, { { nil, { { image = notify.icon, resize = true, -- clip_shape = util.rrect(beautiful.border_radius), widget = wibox.widget.imagebox, }, strategy = "max", height = dpi(40), widget = wibox.container.constraint, }, nil, expand = "none", layout = wibox.layout.align.vertical, }, margins = dpi(10), widget = wibox.container.margin, }, layout = wibox.layout.fixed.horizontal, }, { { { notification = notify, base_layout = wibox.widget({ spacing = dpi(8), layout = wibox.layout.flex.horizontal, }), widget_template = { { { id = "text_role", align = "center", valign = "center", font = beautiful.font_name .. "Regular 12", widget = wibox.widget.textbox, }, left = dpi(6), right = dpi(6), widget = wibox.container.margin, }, bg = beautiful.background2, forced_height = dpi(25), forced_width = dpi(20), shape = util.rounded_shape(16), widget = wibox.container.background, }, style = { underline_normal = false, underline_selected = true }, widget = naughty.list.actions, }, layout = wibox.layout.fixed.vertical, }, margins = dpi(10), visible = notify.actions and #notify.actions > 0, widget = wibox.container.margin, }, layout = wibox.layout.fixed.vertical, }, top = dpi(0), bottom = dpi(5), widget = wibox.container.margin, }, bg = beautiful.background1, shape = util.rounded_shape(8), widget = wibox.container.background, } end local notify_center_react = require("react")({ default_states = { notifys = {}, }, render = function(self) return { expand = "none", layout = wibox.layout.align.vertical, forced_width = dpi(400), { { util.big_button(util.symbol("﫨"), function() self:set_state({ notifys = {} }) end, { shape = gears.shape.rounded_rect, bg_default = beautiful.background, bg = beautiful.blue, }), layout = wibox.layout.fixed.horizontal, }, margins = dpi(20), widget = wibox.container.margin, }, nil, { { util.map(self.state.notifys, function(notify) return { notify_widget(notify), shape_border_width = 4, shape_border_color = beautiful.background1, shape = util.rounded_shape(8), widget = wibox.container.background, } end, { spacing = 8, widget = wibox.layout.fixed.vertical, }), margins = { bottom = dpi(20), right = dpi(20) }, widget = wibox.container.margin, }, layout = wibox.layout.fixed.vertical, }, } end, }) local notify_center = notify_center_react() naughty.connect_signal("request::display", function(notify, _) notify.time = os.date("%H:%M") naughty.layout.box({ notification = notify, type = "notification", bg = beautiful.transparent, widget_template = notify_widget(notify), }) local state = notify_center.react.state state.notifys[#(notify_center.react.state.notifys or {}) + 1] = notify notify_center.react:set_state_force(state) end) return notify_center
object_tangible_container_loot_socket_retrofit_tool = object_tangible_container_loot_shared_socket_retrofit_tool:new { } ObjectTemplates:addTemplate(object_tangible_container_loot_socket_retrofit_tool, "object/tangible/container/loot/socket_retrofit_tool.iff")
object_draft_schematic_dance_prop_prop_2011_flowers_s02_l = object_draft_schematic_dance_prop_shared_prop_2011_flowers_s02_l:new { } ObjectTemplates:addTemplate(object_draft_schematic_dance_prop_prop_2011_flowers_s02_l, "object/draft_schematic/dance_prop/prop_2011_flowers_s02_l.iff")
local String do local _class_0 local _base_0 = { startsWith = function(value, prefix) return value:sub(1, #prefix) == prefix end, ends_with = function(value, suffix) return value:sub(#value + 1 - #suffix) == suffix end, split = function(value, sep) local _accum_0 = { } local _len_0 = 1 for x in string.gmatch(value, "([^" .. tostring(sep) .. "]+)") do _accum_0[_len_0] = x _len_0 = _len_0 + 1 end return _accum_0 end, join = function(separator, list) local result = '' for _index_0 = 1, #list do local item = list[_index_0] if #result ~= 0 then result = result .. separator end result = result .. tostring(item) end return result end, char_at = function(value, index) return value:sub(index, index) end, _add_escape_chars = function(value) value = value:gsub("[%(%)%.%%%+%-%*%?%[%]%^%$]", "%%%0") return value end, index_of = function(haystack, needle) local result = haystack:find(String._add_escape_chars(needle)) return result end, replace = function(value, old, new) return value:gsub(String._add_escape_chars(old), new) end } _base_0.__index = _base_0 _class_0 = setmetatable({ __init = function() end, __base = _base_0, __name = "String" }, { __index = _base_0, __call = function(cls, ...) local _self_0 = setmetatable({}, _base_0) cls.__init(_self_0, ...) return _self_0 end }) _base_0.__class = _class_0 String = _class_0 return _class_0 end
local locations = { { -2078.4, 1419.06, 7.31 }, { -1975.6, 1227.14, 31.83 }, { -2285.64, -12.7, 35.53 }, { -2147.59, -139.86, 36.73 }, { -2035.11, -43.72, 35.65 }, { -2120.84, -4.27, 35.53 }, { -2053.64, 82.59, 28.6 }, { -1917.56, 82.59, 28.6 }, { -1481, 686.4, 1.32 }, { 2090.35, -1552.9, 13.31 }, { 2343.57, -1938.85, 13.56 }, { 2659.15, -2043.57, 13.55 }, } function makeWeaponCrate ( ) if ( isElement ( criminalWeaponMarker ) ) then removeEventHandler ( "onMarkerHit", criminalWeaponMarker, oncriminalHitWeaponPickup ) destroyElement ( criminalWeaponMarker ) end if ( isElement ( criminalWeaponText ) ) then destroyElement ( criminalWeaponText ) end if ( isElement ( criminalWeaponBlip ) ) then destroyElement ( criminalWeaponBlip ) end if ( isElement ( criminalWeaponCrate ) ) then destroyElement ( criminalWeaponCrate ) end local pos = locations[math.random(#locations)] local x,y,z = unpack ( pos ) criminalWeaponMarker = createMarker ( x, y, z - 1.3, "cylinder", 2, 255, 50, 50, 120 ) criminalWeaponBlip = createBlip ( x, y, z, 37, 2, 255, 255, 255, 255, 0, 350 ) criminalWeaponCrate = createObject (2977, x, y, z-1.4 ) criminalWeaponText = exports.VDBG3DTEXT:create3DText ( 'PERK', { x, y, z }, { 255, 0, 0 }, { nil, true }, { }, "Criminoso", "PEAK") outputTeamMessage ( "Há uma caixa de armas disponível para conquistar em "..getZoneName ( x, y, z )..", "..getZoneName ( x, y, z, true )..". (Ponto de '?' no mapa.)", "Criminoso", 255, 50, 50 ) addEventHandler ( "onMarkerHit", criminalWeaponMarker, oncriminalHitWeaponPickup ) end function oncriminalHitWeaponPickup ( p ) if ( p and getElementType ( p ) == 'player' and not isPedInVehicle ( p ) ) then local team = getPlayerTeam ( p ) if team and getTeamName ( team ) == "Criminoso" then if ( isElement ( criminalWeaponMarker ) ) then removeEventHandler ( "onMarkerHit", criminalWeaponMarker, oncriminalHitWeaponPickup ) destroyElement ( criminalWeaponMarker ) end if ( isElement ( criminalWeaponText ) ) then destroyElement ( criminalWeaponText ) end if ( isElement ( criminalWeaponBlip ) ) then destroyElement ( criminalWeaponBlip ) end if ( isElement ( criminalWeaponCrate ) ) then destroyElement ( criminalWeaponCrate ) end local weaponID = math.random ( 22, 34 ) local ammo = math.random ( 400, 3000 ) local nome = getElementData(p, "AccountData:Name") outputTeamMessage ( nome.." Pegou o peak de armas com um(a) "..getWeaponNameFromID ( weaponID ).." com a quantia de "..ammo.." balas!", "Criminoso", 255, 50, 50 ) giveWeapon ( p, weaponID, ammo ) giveWantedPoints ( p, 70 ) else exports['VDBGMessages']:sendClientMessage ( "Esta caixa de armas é só para os criminosos.", p, 255, 50, 50 ) end end end setTimer ( makeWeaponCrate, 1000, 1 ) setTimer ( makeWeaponCrate, 350000, 0 ) --[[ 2977 3798 944 2912 == 3014 ]]
--[[ * *********************************************************************************************************************** * Copyright (c) 2015 OwlGaming Community - All Rights Reserved * All rights reserved. This program and the accompanying materials are private property belongs to OwlGaming Community * Unauthorized copying of this file, via any medium is strictly prohibited * Proprietary and confidential * *********************************************************************************************************************** ]] -- settings. local strength = 0 local maxStrength = 6 local fadeSpeed = 0.1 local forced = false local last = getTickCount() local duration = 10000 -- variables. local sw, sh = guiGetScreenSize() local ss = dxCreateScreenSource( sw, sh ) local blurShader, blurTec, rendering local state = 'on' addEventHandler( 'onClientResourceStart', resourceRoot, function() blurShader, blurTec = dxCreateShader('blur/blurshader.fx') if not blurShader then outputDebugString('[HUD] Could not create blur shader. Please use debugscript 3.') end end ) addEventHandler( 'onClientResourceStop', resourceRoot, function() if (blurShader) then destroyElement( blurShader ) blurShader = nil end end ) local function render() rendering = true if blurShader then if duration and getTickCount() - last >= duration then state = 'off' force = false end dxUpdateScreenSource( ss ) dxSetShaderValue( blurShader, 'ScreenSource', ss ) dxSetShaderValue( blurShader, 'BlurStrength', strength ) dxSetShaderValue( blurShader, 'UVSize', sw, sh ) dxDrawImage( 0, 0, sw, sh, blurShader ) if state == 'on' then if strength >= 0 and strength < maxStrength-fadeSpeed then strength = strength + fadeSpeed end else if strength >= fadeSpeed then strength = strength - fadeSpeed if strength <= 0 then rendering = false removeEventHandler( 'onClientPreRender', root, render ) end end end else rendering = false removeEventHandler( 'onClientPreRender', root, render ) end end addEvent( 'hud:blur', true ) addEventHandler( 'hud:blur', root, function( maxStrength_, forced_, fadeSpeed_, duration_ ) if tonumber( maxStrength_ ) then if ( forced_ or not force ) then maxStrength = maxStrength_ fadeSpeed = fadeSpeed_ or 0.1 forced = forced_ duration = duration_ last = getTickCount() state = 'on' strength = 0 if not rendering then addEventHandler( 'onClientPreRender', root, render ) end end elseif maxStrength_ == 'off' then if ( forced_ or not force ) and rendering then state = 'off' forced = false end end end )
--init.lua function abortInit() -- initailize abort boolean flag abort = false print("Press ENTER to abort startup") -- if is pressed, call abortTest uart.on("data",'\r', abortTest, 0) -- start timer to execute startup function in 5 seconds tmr.alarm(0,6000,0,startup) end function abortTest(data) -- user requested abort abort = true -- turns off uart scanning uart.on("data") end function startup() uart.on("data") -- if user requested abort, exit if abort == true then print("startup aborted") return end -- otherwise, start up print("in startup") dofile("startup.lua") end --uart.setup(0,9600,8,0,0,1) tmr.alarm(0,2000,0,abortInit)-- call abortInit after 1s
local activeTouches = {} local touchBaseId = 4 function sendInput( ev, id, x,y,z ) -- local tid = activeTouches[ id ] -- if not tid then -- tid = 1 -- activeTouches[ ] -- if ev == 'ts' then -- end --TODO: use a simplified touch ID if ev == 'ts' then mock._sendTouchEvent( 'down', id, x,y ) elseif ev == 'tm' then mock._sendTouchEvent( 'move', id, x,y ) elseif ev == 'te' then mock._sendTouchEvent( 'up', id, x,y ) end end
local tree = QuadTree.new({ center = vector3(4000.0,4000.0,30.0), size = vector3(8000.0,8000.0,8000.0) }, 10) for i=1,10000 do local x = math.random(0,8000) local y = math.random(0,8000) local z = math.random(0,8000) tree:insert_point(vector3(x,y,z)) end print(tree) print(tree.topleft) print(tree.topright) print(tree.bottomleft) print(tree.bottomright) print(tree.topleft.topleft) print(tree.topleft.topright) print(tree.topright.topleft) print(tree.topright.topright) print(tree.topleft.topleft.topleft) print(tree.topleft.topleft.topleft.topleft) print("point by rectangle",#tree:query_points_by_rectangle({ center = vector3(222.0,4000.0,30.0), size = vector3(40000.0,40000.0,40000.0) })) print("point by point",#tree:query_points_by_point(vector3(1.0,1.0,30.0),1000)) print("point by circle",#tree:query_points_by_point(vector3(1.0,1.0,30.0),100000))
local minigame = {} local bump = require "libs.bump.bump" local crt = lg.newShader("shaders/crt.glsl") local walls = lg.newCanvas(2480, 2016) local scanlines = lg.newCanvas(1000, 675) local ground = nil local crtscreen = nil local directions = nil local sprites = nil local sounds = nil local world = nil local map = nil local scrollers = nil local playables = { snowball = {n = "snowball", x = 2040, y = 800, dir = "down", anim = 2}, bunny = {n = "bunny", x = 1850, y = 800, dir = "down", anim = 2}, larry = {n = "larry", x = 455, y = 1700, dir = "down", anim = 2}, konny = {n = "konny", x = -400, y = 0, dir = "down", anim = 2}, beavy = {n = "beavy", x = -500, y = 0, dir = "down", anim = 2}, soul = {n = "soul", x = 1985, y = 1245, dir = "down", anim = 1} } local player = playables.snowball local level = 1 local function ysort(k1, k2) local _, y1 = world:getRect(k1) local _, y2 = world:getRect(k2) return y1 < y2 end local function playerCol(x2, y2, w2, h2) local mx, my = player.x, player.y return mx < x2+w2 and x2 < mx and my < y2+h2 and y2 < my end local cols = {} local vel = 150 local endminigame = false function minigame:enter(arg) cols = emptyTable() sprites = emptyTable() map = emptyTable() scrollers = emptyTable() endminigame = false level = arg or 1 world = bump.newWorld(32) -- ANCHOR Setting playables if level == 1 then playables = { snowball = {n = "snowball", x = 2040, y = 820, dir = "down", anim = 2}, bunny = {n = "bunny", x = 1850, y = 800, dir = "down", anim = 2}, larry = {n = "larry", x = 455, y = 1700, dir = "down", anim = 2}, konny = {n = "konny", x = 4500, y = 1000, dir = "down", anim = 2}, beavy = {n = "beavy", x = 2300, y = 3800, dir = "down", anim = 2}, soul = {n = "soul", x = 1985, y = 1245, dir = "down", anim = 1} } player = playables.soul end if level == 2 then playables = { snowball = {n = "snowball", x = 2040, y = 800, dir = "down", anim = 2}, bunny = {n = "bunny", x = 1850, y = 800, dir = "down", anim = 2}, larry = {n = "larry", x = 455, y = 1700, dir = "down", anim = 2}, konny = {n = "konny", x = 4500, y = 1000, dir = "down", anim = 2}, beavy = {n = "beavy", x = 2300, y = 3800, dir = "down", anim = 2}, soul = {n = "soul", x = -600, y = 0, dir = "down", anim = 1} } player = playables.larry sprites.jean = { lg.newImage("assets/minigames/jean/1.png"), lg.newImage("assets/minigames/jean/2.png") } local jean = {n = "jean", x = 4444, y = 2462} toLast(map, jean) world:add(jean, 4444, 2462, sprites.jean[1]:getWidth()/2+12, 40) end if level == 3 then playables = { snowball = {n = "snowball", x = 2040, y = 800, dir = "down", anim = 2}, bunny = {n = "bunny", x = 1850, y = 800, dir = "down", anim = 2}, larry = {n = "larry", x = 455, y = 1700, dir = "down", anim = 2}, konny = {n = "konny", x = 4500, y = 1000, dir = "down", anim = 2}, beavy = {n = "beavy", x = 2300, y = 3800, dir = "down", anim = 2}, soul = {n = "soul", x = -600, y = 0, dir = "down", anim = 1} } player = playables.snowball sprites.shattered = { lg.newImage("assets/minigames/shattered/1.png"), lg.newImage("assets/minigames/shattered/2.png") } local shattered = {n = "shattered", fading = false, fade = 0, x = 4370, y = 2370} toLast(map, shattered) world:add(shattered, 4370, 2370, 1, 1) world:add({n = "blocker"}, 4060, 2260, 32, 200) end if level == 0 then playables = { snowball = {n = "snowball", x = 2040, y = 820, dir = "down", anim = 2}, bunny = {n = "bunny", x = 1850, y = 800, dir = "down", anim = 2}, larry = {n = "larry", x = 455, y = 1700, dir = "down", anim = 2}, konny = {n = "konny", x = 4400, y = 1100, dir = "down", anim = 2}, beavy = {n = "beavy", x = 1900, y = 3800, dir = "down", anim = 2}, soul = {n = "soul", x = 1985, y = 1245, dir = "down", anim = 1} } player = playables.snowball end -- ANCHOR Sprites for names, obj in pairs(playables) do if obj ~= playables.soul then sprites[names] = { down = { lg.newImage("assets/minigames/"..names.."/3.png"), lg.newImage("assets/minigames/"..names.."/2.png"), lg.newImage("assets/minigames/"..names.."/1.png") }, up = { lg.newImage("assets/minigames/"..names.."/6.png"), lg.newImage("assets/minigames/"..names.."/5.png"), lg.newImage("assets/minigames/"..names.."/4.png") }, right = { lg.newImage("assets/minigames/"..names.."/9.png"), lg.newImage("assets/minigames/"..names.."/8.png"), lg.newImage("assets/minigames/"..names.."/7.png") }, left = { lg.newImage("assets/minigames/"..names.."/12.png"), lg.newImage("assets/minigames/"..names.."/11.png"), lg.newImage("assets/minigames/"..names.."/10.png") } } else sprites[names] = { down = { lg.newImage("assets/minigames/"..names.."/1.png"), lg.newImage("assets/minigames/"..names.."/2.png") }, up = { lg.newImage("assets/minigames/"..names.."/3.png"), lg.newImage("assets/minigames/"..names.."/4.png") } } end world:add(obj, obj.x, obj.y, sprites[names].up[1]:getWidth()/2+12, 40) end sprites.objects = {} for i=1, 15 do sprites.objects[i] = lg.newImage("assets/minigames/objects/"..i..".png") sprites.objects[i]:setWrap("repeat", "repeat") end ground = lg.newImage("assets/minigames/ground.png") crtscreen = lg.newImage("assets/minigames/screen.png") directions = lg.newImage("assets/minigames/directions.png") -- ANCHOR Sounds sounds = emptyTable() sounds.laugh = la.newSource("sounds/minigames/laugh.ogg", "static") sounds.step = la.newSource("sounds/minigames/step.ogg", "static") sounds.ambiance = la.newSource("sounds/minigames/ambiance.ogg", "stream") sounds.ambiance2 = la.newSource("sounds/minigames/ambiance2.ogg", "stream") sounds.ambiance:setVolume(.8) sounds.ambiance2:setVolume(.07) sounds.step:setVolume(.5) sounds.ambiance:setLooping(true) sounds.ambiance2:setLooping(true) la.stop() lg.push() lg.origin() lg.setCanvas(walls) lg.clear() for x=0, 4 do for y=0, 5 do lg.draw(ground, x * 496, y * 336) end end for i, obj in ipairs(lume.deserialize(lfs.read("minigamemap"))) do local spn = obj.sp if type(spn) ~= "number" then toLast(scrollers, {t = boolto(spn=="sx", "x", "y"), x = obj.x-496, y = obj.y-336, w = 992, h = 672}) else local sp = sprites.objects[spn] local quad = lg.newQuad(0, 0, obj.w, obj.h, sp:getWidth(), sp:getHeight()) if (spn >= 7 and spn <= 10) or spn == 14 or spn == 15 then if spn == 8 or spn == 9 or spn == 14 or spn == 15 then world:add(obj, obj.x, obj.y, obj.w, obj.h) end lg.draw(sp, quad, obj.x/2, obj.y/2, 0, .5) else world:add(obj, obj.x, obj.y+obj.h/2, obj.w, obj.h/2) toLast(map, obj) obj.sp = sp obj.quad = quad end end end for i, char in pairs(playables) do char.player = true toLast(map, char) end lg.setCanvas(scanlines) lg.setColor(0,0,0,1) for i=1, 135 do lg.line(0, i * 5, 1000, i * 5) end lg.setCanvas() lg.pop() sounds.ambiance:play() sounds.ambiance2:play() block_dt = true chain.clearAppended() chain.resize(1000, 675) chain.append(crt) end function minigame:draw() if not endminigame then chain.start() lg.push() -- ANCHOR Canera scrolling local camx, camy = floor(player.x/992)*992, floor(player.y/672)*672 for i, scroll in ipairs(scrollers) do if playerCol(scroll.x, scroll.y, scroll.w, scroll.h) then if scroll.t == "x" then camx = player.x - 496 else camy = player.y - 336 end end end lg.translate(-camx, -camy) lg.draw(walls,0,0,0,2) table.sort(map, ysort) -- ANCHOR Draw characters for i, obj in ipairs(map) do if obj.player then local cframe = sprites[obj.n][obj.dir][floor(obj.anim)+1] lg.draw(cframe, obj.x - cframe:getWidth()/4+6, obj.y - cframe:getHeight() + 40) elseif obj.n == "jean" then local cframe = sprites.jean[floor(Ftimer*1.2%2)+1] lg.draw(cframe, obj.x - cframe:getWidth()/4+6, obj.y - cframe:getHeight() + 40) elseif obj.n == "shattered" then lg.draw(sprites.shattered[1], obj.x, obj.y) lg.setColor(1,1,1,obj.fade) lg.draw(sprites.shattered[2], obj.x, obj.y) lg.setColor(1,1,1,1) else obj.quad:setViewport(0, 0, obj.w, obj.h) lg.draw(obj.sp, obj.quad, obj.x, obj.y) end end lg.pop() -- ANCHOR UI --Door locked for i=1, #cols do if cols[i].other.sp == 15 then setFont("emulogic", 40) lg.printf(lang.locked, 500,610, 450, "right") break end end --Scanlines lg.setColor(0,0,0,1) lg.rectangle("fill", 992, 0, 8, 675) lg.rectangle("fill", 0, 672, 1000, 3) lg.draw(scanlines) chain.stop() lg.setColor(0,0,0,.3) lg.rectangle("fill", 0, 0, 1000, 675) --CRT screen lg.setColor(1,1,1,1) lg.draw(crtscreen) --Android Controls if isMobile then lg.setColor(1,1,1,.5) lg.draw(directions, 0, 475) end else chain.start() --Static lg.setColor(1, .4, .4, clamp(2.5-Ftimer/2, .5, 1)) Ftimer = Ftimer * 30 lg.draw(static, 500, 337, 0, boolto(floor(Ftimer%2)==1,-1,1), boolto(Ftimer%4<2,1,-1), 500, 337) Ftimer = Ftimer / 30 --Quote lg.setColor(1, 0, 0, min(Ftimer/2-2.5, 1)) setFont("alienleague", 50) lg.printf(lang["quote"..level], 0, 320, 1000, "center") --Scanlines lg.setColor(1,1,1,1) lg.draw(scanlines) chain.stop() end end function minigame:update() if not endminigame then -- ANCHOR Android touch commands local touchDir = "" if isMobile and lm.isDown(1) then if mouseOver(100, 475, 100, 100) then touchDir = "up" elseif mouseOver(100, 575, 100, 100) then touchDir = "down" elseif mouseOver(0, 575, 100, 100) then touchDir = "left" elseif mouseOver(200, 575, 100, 100) then touchDir = "right" end end -- ANCHOR Walk if not player.block_move then if love.keyboard.isDown("w", "up") or touchDir == "up" then player.x, player.y, cols = world:move(player, player.x, player.y - vel * dt, colfilter) player.dir = "up" end if love.keyboard.isDown("s", "down") or touchDir == "down" then player.x, player.y, cols = world:move(player, player.x, player.y + vel * dt, colfilter) player.dir = "down" end if love.keyboard.isDown("a", "left") or touchDir == "left" then player.x, player.y, cols = world:move(player, player.x - vel * dt, player.y, colfilter) if player ~= playables.soul then player.dir = "left" end end if love.keyboard.isDown("d", "right") or touchDir == "right" then player.x, player.y, cols = world:move(player, player.x + vel * dt, player.y, colfilter) if player ~= playables.soul then player.dir = "right" end end -- ANCHOR Walk animation and sound if love.keyboard.isDown("w", "a", "s", "d", "up", "down", "left", "right") or touchDir ~= "" then local cAnim = floor(player.anim) player.anim = (player.anim + 4 * dt) % 2 if cAnim ~= floor(player.anim) then sounds.step:play() end else if player ~= playables.soul then player.anim = 2 else player.anim = (player.anim + 4 * dt) % 2 end end end -- ANCHOR Events if level == 1 then for i=1, #cols do if cols[i].other.n == "larry" then endminigame = true Ftimer = 0 return end end end if level == 2 then for i=1, #cols do if cols[i].other.n == "jean" then endminigame = true Ftimer = 0 return end end end if level == 3 then local shattered = nil for i, obj in ipairs(map) do if obj.n == "shattered" then shattered = obj end end if shattered.fading then shattered.fade = min(shattered.fade + 2 * dt, 1) end for i=1, #cols do if cols[i].other.n == "blocker" then if not player.block_move then timer.script(function(wait) wait(3) sounds.laugh:play() shattered.fading = true wait(3) fade(true, 2, "whichnight") end) player.block_move = true player.anim = 2 end end end end else sounds.ambiance:stop() sounds.ambiance2:stop() if Ftimer >= 8 then fade(true, 2, "whichnight") end end end function minigame:keypressed(k) end function minigame:exit() la.stop() sprites = recicleTable(sprites) cols = recicleTable(cols) sounds = recicleTable(sounds) map = recicleTable(map) scrollers = recicleTable(scrollers) world = nil ground = nil crtscreen = nil end return minigame
--[[ PersistentData = {} 持久化数据 文件内global函数是可供外部调用的 参数是个table,外部传入json串经过底层转换成table 返回参数需要是一个table,底层会把它转成json串传给外部应用,注意返回table里只能包含数字、字符串和bool值。 ]] local function check_address(addr) return type(addr) == "string" and addr ~= "" end --be called by system when contract register. function init() PersistentData = {} PersistentData.kitties = {} PersistentData.kittyIndexToOwner = {} --player address to his kitty id PersistentData.ownershipTokenCount = {} PersistentData.kittyIndexToApproved = {} PersistentData.sireAllowedToAddress = {} PersistentData.lastGenId = 0 PersistentData.ownerAddress = msg.sender --Access control PersistentData.ceoAddress = msg.sender --The CEO can reassign other roles and change the addresses of our dependent smart --contracts. It is also the only role that can unpause the smart contract. It is --initially set to the address that created the smart contract in the KittyCore --constructor. PersistentData.cfoAddress = "" --The CFO can withdraw funds from KittyCore and its auction contracts. PersistentData.cooAddress = "" --The COO: The COO can release gen0 kitties to auction, and mint promo cats. PersistentData.paused = false --Keeps track whether the contract is paused. When that is true, most actions are blocked PersistentData.secondsPerBlock = 15 --KittyBreeding PersistentData.autoBirthFee = 100 PersistentData.pregnantKitties = 0 -- Tracks last 5 sale price of gen0 kitty sales PersistentData.gen0SaleCount = 0 PersistentData.lastGen0SalePrices = {} PersistentData.ownerCut = 0 --Cut owner takes on each auction, measured in basis points (1/100 of a percent).Values 0-10,000 map to 0%-100% PersistentData.tokenIdToAuction = {} --token ID to their corresponding auction. PersistentData.promoCreatedCount = 0 PersistentData.gen0CreatedCount = 0 end ------------------------------------------------------------------------- --access control local function onlyOwner() assert(PersistentData.ownerAddress == msg.sender) end function transferOwnership( params ) onlyOwner() local _newOwner = params.newOwner assert(check_address(_newOwner)) PersistentData.ownerAddress = _newOwner end --ERC721 interface ... Required methods, Optional, events --ERC-165 Compatibility --contract GeneScienceInterface ------------------------------------------------------------------------- --KittyAccessControl local function onlyCEO() assert(PersistentData.ceoAddress == msg.sender) end local function onlyCFO() assert(PersistentData.cfoAddress == msg.sender) end local function onlyCOO() assert(PersistentData.cooAddress == msg.sender) end local function onlyCLevel() assert(PersistentData.ceoAddress == msg.sender or PersistentData.cfoAddress == msg.sender or PersistentData.cooAddress == msg.sender ); end function setCEO( params ) onlyCEO() local _newCEO = params.newCEO assert(check_address(_newCEO)) PersistentData.ceoAddress = _newCEO end function setCFO(params) onlyCEO() local _newCFO = params.newCFO assert(check_address(_newCFO)) PersistentData.cfoAddress = _newCFO end function setCOO(params) onlyCEO() local _newCOO = params.newCOO assert(check_address(_newCOO)) PersistentData.cooAddress = _newCOO end local function whenNotPaused() assert(not PersistentData.paused) end local function whenPaused() assert(PersistentData.paused) end function pause() onlyCLevel() whenNotPaused() PersistentData.paused = true end function unpause() -- assert(saleAuction ~= address(0)); -- assert(siringAuction ~= address(0)); -- assert(geneScience ~= address(0)); -- assert(newContractAddress == address(0)); onlyCEO() whenPaused() PersistentData.paused = false end ------------------------------------------------------------------------- --contract KittyBase cooldowns = { 60, 2*60, 5*60, 10*60, 30*60, 1*3600, 2*3600, 4*3600, 8*3600, 16*3600, 1*86400, 2*86400, 4*86400, 8*86400, } --Assigns ownership of a specific Kitty to an address. local function _transfer( _from, _to, _tokenId ) --Since the number of kittens is capped to 2^32 we can't overflow this PersistentData.ownershipTokenCount[_to] = (PersistentData.ownershipTokenCount[_to] or 0) + 1 --transfer ownership PersistentData.kittyIndexToOwner[_tokenId] = _to --When creating new kittens _from is 0x0, but we can't account that address. if PersistentData.ownershipTokenCount[_from] then PersistentData.ownershipTokenCount[_from] = PersistentData.ownershipTokenCount[_from] - 1 end --once the kitten is transferred also clear sire allowances PersistentData.sireAllowedToAddress[_tokenId] = nil --clear any previously approved ownership exchange PersistentData.kittyIndexToApproved[_tokenId] = nil --FireEvent end local function _createKitty( _matronId, _sireId, _generation, _genes, _owner ) --New kitty starts with the same cooldown as parent gen/2 local cooldownIndex = _generation/2 if cooldownIndex > 13 then cooldownIndex = 13 end local _kitty = { genes = _genes, --genetic code birthTime = msg.blocktimestamp, cooldownEndBlock = 0, matronId = _matronId, --mother id sireId = _sireId, --father id siringWithId = 0, cooldownIndex = cooldownIndex, --index to cooldowns table generation = _generation, } local newKittenId = PersistentData.lastGenId + 1 assert(newKittenId > PersistentData.lastGenId) PersistentData.lastGenId = newKittenId --FireEvent("CreateKitty",_owner,newKittenId) table.insert(PersistentData.kitties, _kitty) _transfer(0, _owner, newKittenId) return newKittenId end --Any C-level can fix how many seconds per blocks are currently observed. function setSecondsPerBlock( params ) onlyCLevel() local _secs = params.secs assert(_secs < cooldowns[1]) PersistentData.secondsPerBlock = _secs end ------------------------------------------------------------------------- --ERC721Metadata function getMetadata( params ) local _tokenId, _preferredTransport = params.tokenId, params.preferredTransport if _tokenId == 1 then return {count = 15, buffer = {"Hello World! :D"}} elseif _tokenId == 2 then return {count = 49, buffer = {"I would definitely choose a medi", "um length string."}} elseif _tokenId == 3 then return {count = 128, buffer = {"Lorem ipsum dolor sit amet, mi e", "st accumsan dapibus augue lorem,", " tristique vestibulum id, libero", " suscipit varius sapien aliquam.",}} end end ------------------------------------------------------------------------- --KittyOwnership --ERC20 function name() return {"CryptoKitty"} end function symbol() return {"CC"} end ------------------------------------------------------------------------- --KittyOwnership --Checks if a given address is the current owner of a particular Kitty. local function _owns( _claimant, _tokenId ) return PersistentData.kittyIndexToOwner[_tokenId] == _claimant end --Checks if a given address currently has transferApproval for a particular Kitty. local function _approvedFor( _claimant, _tokenId ) return PersistentData.kittyIndexToApproved[_tokenId] == _claimant end local function _approve( _tokenId, _approved ) PersistentData.kittyIndexToApproved[_tokenId] = _approved end --Returns the number of Kitties owned by a specific address. --Required for ERC-721 compliance function balanceOf( params ) local _owner = params.owner return {count = PersistentData.ownershipTokenCount[_owner] or 0} end --Transfers a Kitty to another address. --Required for ERC-721 compliance. function transfer( params ) whenNotPaused() local _to, _tokenId = params.to , params.tokenId--to The address of the recipient, can be a user or contract --tokenId The ID of the Kitty to transfer. assert(check_address(_to)) assert(_to ~= msg.sender) assert(_to ~= msg.thisAddress) -- TODO --Disallow transfers to the auction contracts to prevent accidental --misuse. Auction contracts should only take ownership of kitties --through the allow + transferFrom flow. -- assert(_to != address(saleAuction)); -- assert(_to != address(siringAuction)); --You can only send your own cat. assert(_owns(msg.sender, _tokenId)) _transfer(msg.sender, _to, _tokenId) end --Grant another address the right to transfer a specific Kitty via --transferFrom(). This is the preferred flow for transfering NFTs to contracts. --ERC-721 compliance. function approve( params ) whenNotPaused() local _to, _tokenId = params.to, params.tokenId assert(_owns(msg.sender, _tokenId)) _approve(_tokenId, _to) --FireEvent end --Transfer a Kitty owned by another address, for which the calling address --has previously been granted transfer approval by the owner. --ERC-721 compliance. function transferFrom( params ) whenNotPaused() local _from = params.from local _to = params.to local _tokenId = params.tokenId assert(check_address(_to)) assert(_to ~= msg.thisAddress) assert(_approvedFor(msg.sender, _tokenId)) assert(_owns(_from, _tokenId)) _transfer(_from, _to, _tokenId) end --Returns the total number of Kitties currently in existence. --ERC-721 compliance function totalSupply() return {PersistentData.lastGenId} end --Returns the address currently assigned ownership of a given Kitty. --ERC-721 compliance function ownerOf( params ) local _tokenId = params.tokenId local owner = PersistentData.kittyIndexToOwner[_tokenId] assert(check_address(owner)) return {owner = owner} end --Returns a list of all Kitty IDs assigned to an address. --This method MUST NEVER be called by smart contract code. First, it's fairly --expensive (it walks the entire Kitty array looking for cats belonging to owner), --but it also returns a dynamic array, which is only supported for web3 calls, and --not contract-to-contract calls. function tokensOfOwner( params ) local _owner = params.owner local ownerTokens = {} for catId, ownerAddr in pairs(PersistentData.kittyIndexToOwner) do if ownerAddr == _owner then table.insert(ownerTokens, catId) end end return ownerTokens end ------------------------------------------------------------------------- --KittyBreeding --The minimum payment required to use breedWithAuto(). This fee goes towards --the gas cost paid by whatever calls giveBirth(), and can be dynamically updated by --the COO role as the gas price changes. --autoBirthFee = 100 local function _isReadyToBreed( kitty ) return kitty.siringWithId == 0 and kitty.cooldownEndBlock <= msg.blocknumber end local function _isSiringPermitted( _sireId, _matronId ) local matronOwner = PersistentData.kittyIndexToOwner[_matronId] local sireOwner = PersistentData.kittyIndexToOwner[_sireId] return matronOwner == sireOwner or PersistentData.sireAllowedToAddress[_sireId] == matronOwner end local function _triggerCooldown( kitty ) kitty.cooldownEndBlock = cooldowns[kitty.cooldownIndex]/PersistentData.secondsPerBlock + msg.blocknumber if kitty.cooldownIndex < 13 then kitty.cooldownIndex = kitty.cooldownIndex + 1 end end function approveSiring( params ) whenNotPaused() local _addr = params.addr local _sireId = params.sireId assert(_owns(msg.sender, _sireId)) PersistentData.sireAllowedToAddress[_sireId] = _addr end function setAutoBirthFee( params ) onlyCOO() local _val = params.val PersistentData.autoBirthFee = _val end local function _isReadyToGiveBirth( kittyMatron ) return kittyMatron.siringWithId ~= 0 and kittyMatron.cooldownEndBlock <= msg.blocknumber end function isReadyToBreed( params ) local _kittyId = params.kittyId assert(_kittyId > 0) local kitty = PersistentData.kitties[_kittyId] local b = _isReadyToBreed( kitty ) return {b} end function isPregnant( params ) local _kittyId = params.kittyId assert(_kittyId > 0) return {PersistentData.kitties[_kittyId].siringWithId ~= 0} end --Internal check to see if a given sire and matron are a valid mating pair. DOES NOT --check ownership permissions (that is up to the caller). -- local function _isValidMatingPair( _kittyMatron, _matronId, _kittySire, _sireId ) --A Kitty can't breed with itself! if _matronId == _sireId then return false end --Kitties can't breed with their parents. if _kittyMatron.matronId == _sireId or _kittyMatron.sireId == _sireId then return false end if _kittySire.matronId == _matronId or _kittySire.sireId == _matronId then return false end --We can short circuit the sibling check (below) if either cat is --gen zero (has a matron ID of zero). if _kittySire.matronId == 0 or _kittyMatron.matronId == 0 then return true end --Kitties can't breed with full or half siblings. if _kittySire.matronId == _kittyMatron.matronId or _kittySire.matronId == _kittyMatron.sireId then return false end if _kittySire.sireId == _kittyMatron.matronId or _kittySire.sireId == _kittyMatron.sireId then return false end return true end local function _canBreedWithViaAuction( _matronId, _sireId ) local matron = PersistentData.kitties[_matronId] local sire = PersistentData.kitties[_sireId] return _isValidMatingPair( matron, _matronId, sire, _sireId ) end function canBreedWith( params ) local _matronId = params.matronId local _sireId = params.sireId assert(_matronId > 0) assert(_sireId > 0) local matron = PersistentData.kitties[_matronId] local sire = PersistentData.kitties[_sireId] local bRet = _isValidMatingPair(matron, _matronId, sire, _sireId) and _isSiringPermitted(_sireId, _matronId) return {bRet} end local function _breedWith( _matronId, _sireId ) local sire = PersistentData.kitties[_sireId] local matron = PersistentData.kitties[_matronId] matron.siringWithId = _sireId _triggerCooldown(sire) _triggerCooldown(matron) --Clear siring permission for both parents. This may not be strictly necessary --but it's likely to avoid confusion! PersistentData.sireAllowedToAddress[_matronId] = nil PersistentData.sireAllowedToAddress[_sireId] = nil PersistentData.pregnantKitties = PersistentData.pregnantKitties + 1 --FireEvent end function breedWithAuto( params ) whenNotPaused() local _matronId = params.matronId local _sireId = params.sireId --Checks for payment. assert(msg.payment >= PersistentData.autoBirthFee) --Caller must own the matron. assert(_owns(msg.sender, _matronId)) -- Neither sire nor matron are allowed to be on auction during a normal -- breeding operation, but we don't need to check that explicitly. -- For matron: The caller of this function can't be the owner of the matron -- because the owner of a Kitty on auction is the auction house, and the -- auction house will never call breedWith(). -- For sire: Similarly, a sire on auction will be owned by the auction house -- and the act of transferring ownership will have cleared any oustanding -- siring approval. -- Thus we don't need to spend gas explicitly checking to see if either cat -- is on auction. -- Check that matron and sire are both owned by caller, or that the sire -- has given siring permission to caller (i.e. matron's owner). -- Will fail for _sireId = 0 assert(_isSiringPermitted(_sireId, _matronId)) --Grab a reference to the potential matron local matron = PersistentData.kitties[_matronId] --Make sure matron isn't pregnant, or in the middle of a siring cooldown assert(_isReadyToBreed(matron)) --Grab a reference to the potential sire local sire = PersistentData.kitties[_sireId] --Make sure sire isn't pregnant, or in the middle of a siring cooldown assert(_isReadyToBreed(sire)) --Test that these cats are a valid mating pair. assert(_isValidMatingPair( matron, _matronId, sire, _sireId )) --All checks passed, kitty gets pregnant! _breedWith(_matronId, _sireId) end function giveBirth( params ) whenNotPaused() local _matronId = params.matronId --Grab a reference to the matron in storage. local matron = PersistentData.kitties[_matronId] --Check that the matron is a valid cat. assert(matron.birthTime ~= 0) --Check that the matron is pregnant, and that its time has come! assert(_isReadyToGiveBirth(matron)) --Grab a reference to the sire in storage. local sireId = matron.siringWithId local sire = PersistentData.kitties[sireId] --Determine the higher generation number of the two parents local parentGen = math.max(matron.generation, sire.generation) --Call the sooper-sekret gene mixing operation. local childGenes = matron.genes + sire.genes + (matron.cooldownEndBlock - 1) --TODO geneScience.mixGenes --Make the new kitten! local owner = PersistentData.kittyIndexToOwner[_matronId] local kittyId = _createKitty(_matronId, matron.siringWithId, parentGen + 1, childGenes, owner) --Clear the reference to sire from the matron (REQUIRED! Having siringWithId --set is what marks a matron as being pregnant.) matron.siringWithId = 0 --Every time a kitty gives birth counter is decremented. PersistentData.pregnantKitties = PersistentData.pregnantKitties - 1 --TODO Send the balance fee to the person who made birth happen. -- msg.sender.transfer(PersistentData.autoBirthFee) return kittyId end ------------------------------------------------------------------------- --get data by page function getKittyData( params ) local _pagesize = params and params.pagesize local _pageindex = params and params.pageindex if _pagesize and _pageindex then if _pagesize <= 0 then _pagesize = 15 end local size = #PersistentData.kitties local totalpage = math.ceil(size/_pagesize) local pagestart = math.max(_pageindex-1, 0) if pagestart >= totalpage and totalpage > 1 then pagestart = totalpage - 1 end local endindex = math.min((pagestart+1)*_pagesize,size) local pagedata = {} local startindex = pagestart*_pagesize+1 for i=startindex, endindex do table.insert(pagedata, PersistentData.kitties[i]) end return pagedata end return PersistentData.kitties end ------------------------------------------------------------------------- --Auction Core --contract ClockAuctionBase --Escrows the NFT, assigning ownership to this contract. --Throws if the escrow fails. local function _escrow(_owner, _tokenId) local auctionAddr = msg.thisAddress transferFrom({from = _owner, to = auctionAddr, tokenId = _tokenId}) end local function _addAuction(_tokenId, _auction) assert(_auction.duration >= 60) PersistentData.tokenIdToAuction[_tokenId] = _auction --FireEvent end local function _createAuction(_tokenId, _startingPrice, _endingPrice, _duration, _seller) assert(_owns(msg.sender, _tokenId)) local _auction = {} --Current owner of NFT _auction.seller = _seller --Price (in wei) at beginning of auction _auction.startingPrice = _startingPrice --Price (in wei) at end of auction _auction.endingPrice = _endingPrice --Duration (in seconds) of auction _auction.duration = _duration --Time when auction started -- NOTE: 0 if this auction has been concluded _auction.startedAt = msg.blocktimestamp _addAuction(_tokenId, _auction) return _auction end local function _removeAuction(_tokenId) PersistentData.tokenIdToAuction[_tokenId] = nil end local function _isOnAuction(_auction) return _auction.startedAt > 0 end local function _cancelAuction(_tokenId, _seller) _removeAuction(_tokenId) --_transfer(_seller, _tokenId); --FireEvent end function cancelAuction(params) local _tokenId = params.tokenId local auction = PersistentData.tokenIdToAuction[_tokenId] assert(_isOnAuction(auction)) assert(msg.sender == auction.seller) _cancelAuction(_tokenId, _seller) end function cancelAuctionWhenPaused(params) local _tokenId = params.tokenId local auction = PersistentData.tokenIdToAuction[_tokenId] assert(_isOnAuction(auction)) _cancelAuction(_tokenId, auction.seller); end local function _computeCurrentPrice(_startingPrice, _endingPrice, _duration, _secondsPassed) if _secondsPassed >= _duration then return _endingPrice end local totalPriceChange = _endingPrice - _startingPrice local currentPriceChange = totalPriceChange*_secondsPassed/_duration local currentPrice = _startingPrice + currentPriceChange return currentPrice end local function _currentPrice(_auction) local secondsPassed = 0 if msg.blocktimestamp > _auction.startedAt then secondsPassed = msg.blocktimestamp - _auction.startedAt end return _computeCurrentPrice( _auction.startingPrice, _auction.endingPrice, _auction.duration, secondsPassed) end local function _computeCut(_price) return _price*PersistentData.ownerCut/10000 end --Computes the price and transfers winnings. --Does NOT transfer ownership of token. local function _bid( _tokenId, _bidAmount) local auction = PersistentData.tokenIdToAuction[_tokenId] -- Explicitly check that this auction is currently live. -- (Because of how Ethereum mappings work, we can't just count -- on the lookup above failing. An invalid _tokenId will just -- return an auction object that is all zeros.) assert(_isOnAuction(auction)) --Check that the bid is greater than or equal to the current price local price = _currentPrice(auction) assert(_bidAmount >= price) --Grab a reference to the seller before the auction struct --gets deleted. local seller = auction.seller --The bid is good! Remove the auction before sending the fees --to the sender so we can't have a reentrancy attack. _removeAuction(_tokenId) --Transfer proceeds to seller (if there are any!) if price > 0 then -- Calculate the auctioneer's cut. -- (NOTE: _computeCut() is guaranteed to return a -- value <= price, so this subtraction can't go negative.) local auctioneerCut = _computeCut(price) local sellerProceeds = price - auctioneerCut --seller.transfer(sellerProceeds); TODO: address transfer end -- Calculate any excess funds included with the bid. If the excess -- is anything worth worrying about, transfer it back to bidder. -- NOTE: We checked above that the bid amount is greater than or -- equal to the price so this cannot underflow. local bidExcess = _bidAmount - price --msg.sender.transfer(bidExcess); TODO: --FireEvent return price end ------------------------------------------------------------------------- --contract ClockAuction function withdrawBalance() assert(msg.sender == PersistentData.ownerAddr) --We are using this boolean method to make sure that even if one fails it will still work --TODO contract address transfer end function getAuction(params) local _tokenId = params.tokenId local auction = PersistentData.tokenIdToAuction[_tokenId] assert(_isOnAuction(auction)) return { seller = auction.seller, startingPrice = auction.startingPrice, endingPrice = auction.endingPrice, duration = auction.duration, startedAt = auction.startedAt, } end function getCurrentPrice(params) local _tokenId = params.tokenId local auction = PersistentData.tokenIdToAuction[_tokenId] assert(_isOnAuction(auction)) return {price = _currentPrice(auction)} end ------------------------------------------------------------------------- function createAuction(params) whenNotPaused() local _tokenId = params.tokenId local _startingPrice = params.startingPrice local _endingPrice = params.endingPrice local _duration = params.duration local _seller = msg.sender --Seller, if not the message sender? local _auction = _createAuction(_tokenId, _startingPrice, _endingPrice, _duration, _seller) return _auction end --contract ClockAuction --contract SiringClockAuction --contract SaleClockAuction function bid( params ) local _tokenId = params.tokenId local seller = PersistentData.kitties[_tokenId].seller local price = _bid(_tokenId, msg.payment) _transfer(msg.sender, _tokenId) if seller == msg.thisAddress then local index = PersistentData.gen0SaleCount % 5 + 1 PersistentData.lastGen0SalePrices[index] = price PersistentData.gen0SaleCount = index end end function averageGen0SalePrice() local sum = 0 for i,v in pairs(PersistentData.lastGen0SalePrices) do sum = sum + v end return sum/5 end ------------------------------------------------------------------------- --contract KittyAuction is KittyBreeding --setSaleAuctionAddress --setSiringAuctionAddress --createSaleAuction --createSiringAuction PROMO_CREATION_LIMIT = 5000 GEN0_CREATION_LIMIT = 45000 GEN0_STARTING_PRICE = 10 * math.pow(10,6) GEN0_AUCTION_DURATION = 86400 -- we can create promo kittens, up to a limit. Only callable by COO function createPromoKitty(params) onlyCOO() local _genes, _owner = params.genes, params.owner local kittyOwner = _owner if not check_address(kittyOwner) then kittyOwner = PersistentData.cooAddress end PersistentData.promoCreatedCount = PersistentData.promoCreatedCount + 1 local kittyId = _createKitty(0, 0, 0, _genes, kittyOwner) return kittyId end local function _computeNextGen0Price() local avePrice = averageGen0SalePrice() local nextPrice = avePrice + avePrice/2 if nextPrice < GEN0_STARTING_PRICE then nextPrice = GEN0_STARTING_PRICE end return nextPrice end --Creates a new gen0 kitty with the given genes and --creates an auction for it. function createGen0Auction(params) onlyCOO() local _genes = params.genes assert(PersistentData.gen0CreatedCount < GEN0_CREATION_LIMIT) local kittyId = _createKitty(0, 0, 0, _genes, msg.thisAddress) --_approve(kittyId, saleAuction) _createAuction(kittyId, _computeNextGen0Price(), 0, GEN0_AUCTION_DURATION, msg.thisAddress) --to address(this) PersistentData.gen0CreatedCount = PersistentData.gen0CreatedCount + 1 end function getKitty(params) local _id = params.id local kit = PersistentData.kitties[_id] return { isGestating = kit.siringWithId ~= 0, isReady = kit.cooldownEndBlock <= msg.blocknumber, cooldownIndex = kit.cooldownIndex, nextActionAt = kit.cooldownEndBlock, siringWithId = kit.siringWithId, birthTime = kit.birthTime, matronId = kit.matronId, sireId = kit.sireId, generation = kit.generation, genes = kit.genes, } end
local DOF_ENABLED = CreateConVar("tv_dof", "1", bit.bor( FCVAR_ARCHIVE )) -- NOTE: DOF SYSTEM NEEDS TO BE REWORKED: -- BLUR-LEVEL CHANGES WHEN QUALITY IS TWEAKED. local QUALITY = 1.0 local function SourceUnit2Inches( x ) return x * 0.75 end local function Inches2SourceUnits( x ) return x / 0.75 end local DOF_LENGTH = 512 local DOF_LAYERS = math.ceil((ScrH()*QUALITY)/50) local MAX_FOCAL_LENGTH = math.pow( 2, 12 ) local focal_length = focal_length or 128 local FOCAL_LENGTH_RATE = 0.1 -- speed local next_focal_length = next_focal_length or 128 local next_trace = 0 local QUAD_WIDTH = 100000 local QUAD_HEIGHT = 100000 local color_mask_1 = Color(0,0,0,0) local color_mask_2 = Color(0,0,0,0) local blurMat = Material( "pp/videoscale" ) local bokehBlurMat = Material( "pp/bokehblur" ) local debugMat = Material( "attack_of_the_mimics/debug/dof_test_image" ) local USE_SPHERES = true local DOF_DEBUG = false local DOF_DEBUG_FORCE_FOCAL_LENGTH = 0 -- set to 0 to disable local sprite_size = 96 local real_sprite_size = Inches2SourceUnits(2) local dist_increase_rate = 2 local num_test_images = 12 local skip_count = 3 local assumed_fov = 60 local function drawDebugImage(pos, ang, size) render.SetMaterial(debugMat) render.DrawQuadEasy(pos, -ang:Forward(), size, size, color_white, 0) end local function calc_viewing_distance(fov,screen_width) return screen_width/(2*math.tan(math.rad(fov)/2)) end hook.Add( "PostDrawOpaqueRenderables", "TV_PostDrawOpaqueRenderables_DOF", function(isDrawingDepth, isDrawingSkybox) if DOF_DEBUG then local eye_angles = EyeAngles() local eye_pos = EyePos() local scrw = ScrW() local scrh = ScrH() local viewing_distance = calc_viewing_distance(assumed_fov, (scrh*4)/3) render.OverrideDepthEnable(true, true) local screen_y = scrh*0.5 for i = 1+skip_count, num_test_images do local p = (i-1-skip_count)/(num_test_images-1-skip_count) local screen_x = Lerp(p, scrw*0.25, scrw*0.75) local dist = math.pow(dist_increase_rate,i-1) local true_x = (dist*(screen_x-(scrw/2)))/viewing_distance local true_size = (dist*(sprite_size))/viewing_distance local true_y = (dist*((scrh*0.75)-(scrh/2)))/viewing_distance drawDebugImage( eye_pos + eye_angles:Forward()*dist + eye_angles:Right()*true_x + eye_angles:Up()*true_y, eye_angles, real_sprite_size ) drawDebugImage( eye_pos + eye_angles:Forward()*dist + eye_angles:Right()*true_x, eye_angles, true_size ) end render.OverrideDepthEnable(false, true) end end ) local function drawLengthUnits( label, units, posx, posy, offset_y ) local real_length = SourceUnit2Inches(units) surface.SetTextPos( posx, posy ) surface.DrawText(label) surface.SetTextPos( posx, posy+offset_y ) surface.DrawText(tostring(math.Round(units,3)) .. " su") surface.SetTextPos( posx, posy+(offset_y*2) ) surface.DrawText(tostring(math.Round(real_length,3)).." in") surface.SetTextPos( posx, posy+(offset_y*3) ) surface.DrawText(tostring(math.Round(real_length/12,3)).." ft") end hook.Add( "HUDPaint", "TV_HUDPaint_DOF", function() if DOF_DEBUG then local scrw = ScrW() local scrh = ScrH() surface.SetDrawColor(color_white) surface.SetTextColor(color_white) surface.SetFont("HudHintTextLarge") local viewing_distance = calc_viewing_distance(assumed_fov, (scrh*4)/3) drawLengthUnits("FOCAL LENGTH", focal_length, 50, 50, 16) drawLengthUnits("TOP SIZE", real_sprite_size, 50, 150, 16) local screen_y = scrh*0.5 for i = 1+skip_count, num_test_images do local p = (i-1-skip_count)/(num_test_images-1-skip_count) local screen_x = Lerp(p, scrw*0.25, scrw*0.75) dist = math.pow(dist_increase_rate,i-1) local true_size = (dist*(sprite_size))/viewing_distance drawLengthUnits("DIST", dist, screen_x-(sprite_size/2), screen_y+(sprite_size/2), 16) drawLengthUnits("SIZE", true_size, screen_x-(sprite_size/2), screen_y+(sprite_size/2)+(16*5), 16) end end end ) -- TODO: Make this work better with the offset. local curve_exp = 2 --3 is good. this scales the distances between the layers. local function DoFFunction( p, focal_length ) --return focal_length*p*2 --linear. looks like a dream. don't use. return focal_length * math.pow(p*2, curve_exp) end -- Copied from TWG code. I need to store this function as another addon -- or something. local TEST_DIRECTIONS = { vector_up, Vector(1,0,0), Vector(-1,0,0), Vector(0,1,0), Vector(0,-1,0), -vector_up } local function GetMaxLightingAt( pos ) local max = 0 for i, dir in ipairs(TEST_DIRECTIONS) do local light = render.ComputeLighting(pos, dir) max = math.max( max, light.x, light.y, light.z ) end return max end hook.Add( "PreDrawEffects", "TV_PreDrawEffects_DOF", function() local result = hook.Call("TV_SuppressDOF") if result == true then return end if not DOF_ENABLED:GetBool() then return end local localplayer = LocalPlayer() if not IsValid(localplayer) then return end local cam_pos = EyePos() local cam_normal = EyeVector() local cam_angle = EyeAngles() local realtime = RealTime() local realframetime = RealFrameTime() if DOF_DEBUG_FORCE_FOCAL_LENGTH == 0 then if realtime >= next_trace then local contents = util.PointContents(cam_pos) if bit.band( contents, CONTENTS_WATER ) > 0 then next_focal_length = 0 else local size = Vector(1,1,1)*1 -- THIS SHIT IS SO STUPID AHASKDASKD:ASMDMASSL:DL:ASL local offset_cam_ang = 1.0*cam_angle offset_cam_ang:RotateAroundAxis(offset_cam_ang:Up(), math.random()*assumed_fov/60) offset_cam_ang:RotateAroundAxis(cam_normal, math.random()*360) local offset_cam_normal = offset_cam_ang:Forward() local tr = util.TraceLine({ start = cam_pos, endpos = cam_pos + offset_cam_normal*MAX_FOCAL_LENGTH, filter = localplayer, mask = bit.bor( MASK_OPAQUE, CONTENTS_IGNORE_NODRAW_OPAQUE, CONTENTS_MONSTER, CONTENTS_SOLID, CONTENTS_MONSTER, CONTENTS_WINDOW, CONTENTS_DEBRIS ), --mins = -size, --maxs = size }) if tr.Hit and IsValid( tr.Entity ) and tr.Entity:GetRenderGroup() == RENDERGROUP_OPAQUE then -- leave it else tr = util.TraceLine({ start = cam_pos, endpos = cam_pos + offset_cam_normal*MAX_FOCAL_LENGTH, filter = localplayer, mask = bit.bor( MASK_OPAQUE, CONTENTS_IGNORE_NODRAW_OPAQUE, CONTENTS_MONSTER ), --mins = -size, --maxs = size }) end if tr.Hit then -- debugoverlay.Cross( tr.HitPos, 10, 1+engine.TickInterval()*2, color_white, true ) local lightness_at_hit = GetMaxLightingAt( tr.HitPos + tr.HitNormal ) local lightness_at_cam = GetMaxLightingAt( cam_pos ) local replace_it = false if lightness_at_hit-lightness_at_cam > 0.005 or lightness_at_hit > 0.0025 then replace_it = true else if localplayer:FlashlightIsOn() then local dist = tr.Fraction * MAX_FOCAL_LENGTH if dist < 800 then replace_it = true end end end if replace_it then next_focal_length = cam_pos:Distance(tr.HitPos) end else next_focal_length = MAX_FOCAL_LENGTH end end next_trace = realtime + 0.025 end if next_focal_length < focal_length then focal_length = Lerp(math.pow(FOCAL_LENGTH_RATE/16, realframetime), next_focal_length, focal_length) else focal_length = Lerp(math.pow(FOCAL_LENGTH_RATE, realframetime), next_focal_length, focal_length) end else focal_length = DOF_DEBUG_FORCE_FOCAL_LENGTH end -- retrieved from https://steamcommunity.com/sharedfiles/filedetails/?id=134207296 --RunConsoleCommand( "pp_bokeh_blur", 50 ) --RunConsoleCommand( "pp_bokeh_distance", focal_length/4096 ) --RunConsoleCommand( "pp_bokeh_focus", 1.5 ) render.SetStencilEnable(true) render.SetStencilTestMask(255) render.SetStencilWriteMask(255) render.ClearStencil() render.SetStencilCompareFunction( STENCILCOMPARISONFUNCTION_ALWAYS ) render.SetStencilFailOperation( STENCILOPERATION_KEEP ) render.SetStencilReferenceValue( 1 ) render.SetColorMaterial() render.OverrideDepthEnable( true, false ) for i = 1, DOF_LAYERS do local p = i/DOF_LAYERS -- Stage 1 (Makes distant stuff blurry) render.SetStencilPassOperation( STENCILOPERATION_INCR ) render.SetStencilZFailOperation( STENCILOPERATION_KEEP ) local dist = DoFFunction((p+1)/2, focal_length) if dist < 6000 then if not USE_SPHERES then render.DrawQuadEasy( cam_pos + cam_normal * dist, -cam_normal, QUAD_WIDTH, QUAD_HEIGHT, color_mask_1, cam_angle.roll ) else render.DrawSphere(cam_pos, -dist, 16, 16, color_mask_1) end end -- Stage 2 (Makes close stuff blurry) render.SetStencilPassOperation( STENCILOPERATION_KEEP ) render.SetStencilZFailOperation( STENCILOPERATION_INCR ) local dist = DoFFunction(p/2, focal_length) if dist > 1 then if not USE_SPHERES then render.DrawQuadEasy( cam_pos + cam_normal * dist, -cam_normal, QUAD_WIDTH, QUAD_HEIGHT, color_mask_2, cam_angle.roll ) else render.DrawSphere(cam_pos, -dist, 16, 16, color_mask_2) end end end render.OverrideDepthEnable( false, false ) cam.Start2D() render.SetStencilPassOperation( STENCILOPERATION_KEEP ) render.SetStencilZFailOperation( STENCILOPERATION_KEEP ) render.SetStencilCompareFunction( STENCILCOMPARISONFUNCTION_LESS ) render.SetMaterial(blurMat) for i = DOF_LAYERS, 1, -1 do render.UpdateScreenEffectTexture() render.SetStencilReferenceValue( i ) blurMat:SetFloat("$scale", (i/(QUALITY)) * (0.5/QUALITY)) render.DrawScreenQuad() end cam.End2D() render.SetStencilEnable(false) -- render.DrawStencilTestColors(true, DOF_LAYERS) end ) hook.Add( "PostGamemodeCalcView", "TV_ClDof_PostGamemodeCalcView", function( ply, data ) assumed_fov = data.fov data.fov = data.fov * Lerp( focal_length / MAX_FOCAL_LENGTH, 1.05, 0.95 ) end )
object_tangible_tcg_series7_garage_display_vehicles_pod_racer_balta_podracer = object_tangible_tcg_series7_garage_display_vehicles_shared_pod_racer_balta_podracer:new { } ObjectTemplates:addTemplate(object_tangible_tcg_series7_garage_display_vehicles_pod_racer_balta_podracer, "object/tangible/tcg/series7/garage_display_vehicles/pod_racer_balta_podracer.iff")
-- Nodes that would affect the local temperature e.g. fans, heater, A/C local S = minetest.get_translator("homedecor_climate_control") homedecor.register("air_conditioner", { description = S("Air Conditioner"), mesh = "homedecor_ac.obj", tiles = { "homedecor_ac.png", "default_glass.png" }, groups = { snappy = 3 }, sounds = default.node_sound_leaves_defaults(), selection_box = { type="regular" }, }) -- fans minetest.register_entity(":homedecor:mesh_desk_fan", { collisionbox = homedecor.nodebox.null, visual = "mesh", mesh = "homedecor_desk_fan.b3d", textures = {"homedecor_desk_fan_uv.png"}, visual_size = {x=10, y=10}, }) local add_mesh_desk_fan_entity = function(pos) local param2 = minetest.get_node(pos).param2 local entity = minetest.add_entity(pos, "homedecor:mesh_desk_fan") if param2 == 0 then entity:set_yaw(3.142) -- 180 degrees elseif minetest.get_node(pos).param2 == 1 then entity:set_yaw(3.142/2) -- 90 degrees elseif minetest.get_node(pos).param2 == 3 then entity:set_yaw((-3.142/2)) -- 270 degrees else entity:set_yaw(0) end return entity end homedecor.register("desk_fan", { description = S("Desk Fan"), groups = {oddly_breakable_by_hand=2}, node_box = { type = "fixed", fixed = { {-0.1875, -0.5, -0.1875, 0.1875, -0.375, 0.1875}, -- NodeBox1 } }, tiles = {"homedecor_desk_fan_body.png"}, inventory_image = "homedecor_desk_fan_inv.png", wield_image = "homedecor_desk_fan_inv.png", selection_box = { type = "regular" }, on_rotate = minetest.get_modpath("screwdriver") and screwdriver.disallow or nil, on_construct = function(pos) local meta = minetest.get_meta(pos) meta:set_string("active", "no") add_mesh_desk_fan_entity(pos) end, on_rightclick = function(pos, node, clicker, itemstack, pointed_thing) local meta = minetest.get_meta(pos) local entities = minetest.get_objects_inside_radius(pos, 0.1) local entity = entities[1] or add_mesh_desk_fan_entity(pos) if meta:get_string("active") == "no" then meta:set_string("active", "yes") entity:set_animation({x=0,y=96}, 24, 0) else meta:set_string("active", "no") entity:set_animation({x=0,y=0}, 1, 0) end end, after_dig_node = function(pos) local entities = minetest.get_objects_inside_radius(pos, 0.1) if entities[1] then entities[1]:remove() end end, }) -- ceiling fan homedecor.register("ceiling_fan", { description = S("Ceiling Fan"), tiles = { { name="homedecor_ceiling_fan_top.png", animation={type="vertical_frames", aspect_w=16, aspect_h=16, length=0.5} }, { name="homedecor_ceiling_fan_bottom.png", animation={type="vertical_frames", aspect_w=16, aspect_h=16, length=0.5} }, 'homedecor_ceiling_fan_sides.png', }, inventory_image = "homedecor_ceiling_fan_inv.png", node_box = { type = "fixed", fixed = { { -0.5, 0.495, -0.5, 0.5, 0.495, 0.5 }, { -0.0625, 0.375, -0.0625, 0.0625, 0.5, 0.0625 } } }, groups = { snappy = 3 }, light_source = default.LIGHT_MAX-1, sounds = default.node_sound_glass_defaults(), }) -- heating devices homedecor.register("space_heater", { description = S("Space heater"), tiles = { 'homedecor_heater_tb.png', 'homedecor_heater_tb.png', 'homedecor_heater_sides.png', 'homedecor_heater_sides.png', 'homedecor_heater_back.png', 'homedecor_heater_front.png' }, inventory_image = "homedecor_heater_inv.png", walkable = false, groups = { snappy = 3 }, sounds = default.node_sound_wood_defaults(), node_box = { type = "fixed", fixed = { {-0.1875, -0.5, 0.0625, 0.1875, 0, 0.3125}, } }, selection_box = { type = "fixed", fixed = {-0.1875, -0.5, 0.0625, 0.1875, 0, 0.3125} } }) local r_cbox = homedecor.nodebox.slab_z(-0.25) homedecor.register("radiator", { mesh = "homedecor_radiator.obj", tiles = { "homedecor_generic_metal.png", "homedecor_radiator_controls.png" }, inventory_image = "homedecor_radiator_inv.png", description = S("Radiator heater"), groups = {snappy=3}, selection_box = r_cbox, collision_box = r_cbox, sounds = default.node_sound_wood_defaults(), }) -- crafting minetest.register_craftitem(":homedecor:fan_blades", { description = S("Fan blades"), inventory_image = "homedecor_fan_blades.png" }) minetest.register_craft( { output = "homedecor:fan_blades 2", recipe = { { "", "basic_materials:plastic_sheet", "" }, { "", "default:steel_ingot", "" }, { "basic_materials:plastic_sheet", "", "basic_materials:plastic_sheet" } }, }) minetest.register_craft({ output = "homedecor:air_conditioner", recipe = { { "default:steel_ingot", "building_blocks:grate", "default:steel_ingot" }, { "default:steel_ingot", "homedecor:fan_blades", "basic_materials:motor" }, { "default:steel_ingot", "basic_materials:motor", "default:steel_ingot" }, }, }) minetest.register_craft({ output = "homedecor:air_conditioner", recipe = { { "default:steel_ingot", "building_blocks:grate", "default:steel_ingot" }, { "default:steel_ingot", "basic_materials:motor", "default:steel_ingot" }, { "default:steel_ingot", "basic_materials:motor", "default:steel_ingot" }, }, }) minetest.register_craft({ output = "homedecor:ceiling_fan", recipe = { { "basic_materials:motor" }, { "homedecor:fan_blades" }, { "homedecor:glowlight_small_cube" } } }) minetest.register_craft({ output = "homedecor:ceiling_fan", recipe = { { "basic_materials:motor" }, { "homedecor:fan_blades" }, { "homedecor:glowlight_small_cube" } } }) minetest.register_craft( { output = "homedecor:desk_fan", recipe = { {"default:steel_ingot", "homedecor:fan_blades", "basic_materials:motor"}, {"", "default:steel_ingot", ""} }, }) minetest.register_craft( { output = "homedecor:space_heater", recipe = { {"basic_materials:plastic_sheet", "basic_materials:heating_element", "basic_materials:plastic_sheet"}, {"basic_materials:plastic_sheet", "homedecor:fan_blades", "basic_materials:motor"}, {"basic_materials:plastic_sheet", "basic_materials:heating_element", "basic_materials:plastic_sheet"} }, }) minetest.register_craft( { output = "homedecor:radiator", recipe = { { "default:steel_ingot", "basic_materials:heating_element", "default:steel_ingot" }, { "basic_materials:ic", "basic_materials:heating_element", "" }, { "default:steel_ingot", "basic_materials:heating_element", "default:steel_ingot" } }, })
AddCSLuaFile() AddCSLuaFile("sh_sounds.lua") include("sh_sounds.lua") if CLIENT then SWEP.DrawCrosshair = false SWEP.PrintName = "Sako RK 95" SWEP.CSMuzzleFlashes = true SWEP.IronsightPos = Vector(-2.990, -1.423, 0.43) SWEP.IronsightAng = Vector(0, 0, 0) SWEP.AimpointPos = Vector(-2.990, -1.423, -0.49) SWEP.AimpointAng = Vector(0, 0, 0) SWEP.EoTechPos = Vector(-2.990, -1.423, -0.49) SWEP.EoTechAng = Vector(0, 0, 0) SWEP.CmorePos = Vector(-2.990, -1.423, -0.19) SWEP.CmoreAng = Vector(0, 0, 0) SWEP.MicroT1Pos = Vector(-2.990, -1.423, -0.29) SWEP.MicroT1Ang = Vector(0, 0, 0) SWEP.ReflexPos = Vector(-2.990, -1.423, -0.05) SWEP.ReflexAng = Vector(0, 0, 0) SWEP.ACOGPos = Vector(-2.995, -3.423, -0.44) SWEP.ACOGAng = Vector(0, 0, 0) SWEP.ACOGAxisAlign = {right = 0, up = 0, forward = 0} SWEP.ViewModelMovementScale = 1.15 SWEP.IconLetter = "b" killicon.AddFont("cw_ak74", "CW_KillIcons", SWEP.IconLetter, Color(255, 80, 0, 150)) SWEP.MuzzleEffect = "muzzleflash_ak74" SWEP.MuzzleAttachmentName = "muzzle" SWEP.PosBasedMuz = false SWEP.ShellScale = 0.7 SWEP.ShellOffsetMul = 1 SWEP.ShellPosOffset = {x = -2, y = 0, z = -3} SWEP.SightWithRail = true SWEP.ForeGripOffsetCycle_Draw = 0 SWEP.ForeGripOffsetCycle_Reload = 0.65 SWEP.ForeGripOffsetCycle_Reload_Empty = 0.9 SWEP.BoltBone = "bolt" SWEP.BoltShootOffset = Vector(-2, 0, 0) SWEP.OffsetBoltOnBipodShoot = true SWEP.BoltBonePositionRecoverySpeed = 25 SWEP.AttachmentModelsVM = {["md_rail"] = {model = "models/wystan/attachments/rail.mdl", bone = "stock", pos = Vector(-6.448, -0.038, 0.671), angle = Angle(0, 0, -90), size = Vector(0.925, 0.925, 0.925)}, ["md_microt1"] = {model = "models/cw2/attachments/microt1.mdl", bone = "stock", pos = Vector(-5, -1.9, 0.47), angle = Angle(-90, 90, 0), adjustment = {min = -1.3, max = 0.5, inverseOffsetCalc = true, axis = "y"}, size = Vector(0.4, 0.4, 0.4)}, ["md_eotech"] = {model = "models/wystan/attachments/2otech557sight.mdl", bone = "stock", pos = Vector(6, 9, 0.74), adjustment = {min = 9, max = 11.609, axis = "x", inverse = true, inverseDisplay = true}, angle = Angle(0, 180, 90), size = Vector(1, 1, 1)}, ["md_aimpoint"] = {model = "models/wystan/attachments/aimpoint.mdl", bone = "stock", pos = Vector(1, 3.9, 0.2), adjustment = {min = 4, max = 6.6, axis = "x", inverse = true}, angle = Angle(90, -90, 0), size = Vector(1, 1, 1)}, ["md_foregrip"] = {model = "models/wystan/attachments/foregrip1.mdl", bone = "stock", pos = Vector(0, 2.5, 0.05), angle = Angle(90, 0, -90), size = Vector(0.75, 0.75, 0.75)}, ["md_pbs1"] = {model = "models/cw2/attachments/pbs1.mdl", bone = "stock", pos = Vector(-19.57, -0.32, -0.15), angle = Angle(0, 90, 0), size = Vector(0.5, 0.5, 0.5)}, ["md_schmidt_shortdot"] = {model = "models/cw2/attachments/schmidt.mdl", bone = "stock", pos = Vector(0, 2.75, 0.16), angle = Angle(0, 180, 90), size = Vector(0.8, 0.8, 0.8)}, ["md_reflex"] = { type = "Model", model = "models/attachments/kascope.mdl", bone = "stock", rel = "", pos = Vector(-6, -1.9, 0.46), angle = Angle(90, 270, 0), size = Vector(0.55, 0.55, 0.55), color = Color(255, 255, 255, 0)}, ["md_cmore"] = { type = "Model", model = "models/attachments/cmore.mdl", bone = "stock", rel = "", pos = Vector(-5, -1.6, 0.46), angle = Angle(90, 270, 0), size = Vector(0.649, 0.649, 0.649), color = Color(255, 255, 255, 0)}, ["md_acog"] = {model = "models/wystan/attachments/2cog.mdl", bone = "stock", pos = Vector(0, 2.5, 0.18), angle = Angle(90, 90, 180), size = Vector(0.75, 0.75, 0.75)}, } SWEP.ShortDotPos = Vector(-2.990, -3.423, -0.3) SWEP.ShortDotAng = Vector(0, 0, 0) SWEP.ForegripOverride = { ["Left Impudicus Phalanges1"] = { scale = Vector(1, 1, 1), pos = Vector(0, 0, 0), angle = Angle(-23.334, 12.222, 25.555) }, ["Left Demonstratus Phalanges3"] = { scale = Vector(1, 1, 1), pos = Vector(0, 0, 0), angle = Angle(0, -32.223, -3.333) }, ["Left Auricularis Phalanges1"] = { scale = Vector(1, 1, 1), pos = Vector(0, 0, 0), angle = Angle(-27.778, 61.111, 23.333) }, ["Left Demonstratus Phalanges1"] = { scale = Vector(1, 1, 1), pos = Vector(0, 0, 0), angle = Angle(-14.445, -30, 45.555) }, ["Left Lower Arm 2"] = { scale = Vector(1, 1, 1), pos = Vector(0, 0, 0), angle = Angle(5.556, 0, -23.334) }, ["Left Annularis Phalanges3"] = { scale = Vector(1, 1, 1), pos = Vector(0, 0, 0), angle = Angle(0, -58.889, 0) }, ["Left Auricularis Phalanges3"] = { scale = Vector(1, 1, 1), pos = Vector(0, 0, 0), angle = Angle(0, -50, 0) }, ["Left Annularis Phalanges1"] = { scale = Vector(1, 1, 1), pos = Vector(0, 0, 0), angle = Angle(-21.112, 14.444, 32.222) }, ["Left Auricularis Phalanges2"] = { scale = Vector(1, 1, 1), pos = Vector(0, 0, 0), angle = Angle(0, -30, 0) }, ["Left Impudicus Phalanges2"] = { scale = Vector(1, 1, 1), pos = Vector(0, 0, 0), angle = Angle(0, -36.667, 1.11) }, ["Left Hand"] = { scale = Vector(1, 1, 1), pos = Vector(0, 0.925, 0), angle = Angle(-32.223, 10, 63.333) }, ["Left Polex Phalange1"] = { scale = Vector(1, 1, 1), pos = Vector(0, 0, 0), angle = Angle(-45.556, -18.889, 0) } } SWEP.SchmidtShortDotAxisAlign = {right = 0, up = 0, forward = 0} end function SWEP:drawViewModel() if not self.CW_VM then return end local FT = FrameTime() self.LuaVMRecoilIntensity = math.Approach(self.LuaVMRecoilIntensity, 0, FT * 10 * self.LuaVMRecoilLowerSpeed) self.LuaVMRecoilLowerSpeed = math.Approach(self.LuaVMRecoilLowerSpeed, 1, FT * 2) self:drawGrenade() self:applyOffsetToVM() self:_drawViewModel() if self.BoneMod then for key,value in pairs(self.BoneMod) do self.CW_VM:ManipulateBoneScale(self.CW_VM:LookupBone(key), value.scale) self.CW_VM:ManipulateBonePosition(self.CW_VM:LookupBone(key), value.pos) self.CW_VM:ManipulateBoneAngles(self.CW_VM:LookupBone(key), value.angle) end end end SWEP.LuaViewmodelRecoil = true SWEP.Attachments = {[1] = {header = "Sight", offset = {800, -500}, atts = {"md_microt1", "md_eotech", "md_aimpoint", "md_cmore", "md_reflex", "md_schmidt_shortdot", "md_acog"}}, [2] = {header = "Barrel", offset = {300, -500}, atts = {"md_pbs1"}}, ["+reload"] = {header = "Ammo", offset = {800, 0}, atts = {"am_hollowpoint", "am_armorpiercing"}}} SWEP.Animations = {draw = "deploy", idle = "idle_scoped", fire = "fire", fire_iron = "fire_scoped", reload = "reload", reload_empty = "reload_empty" } SWEP.Sounds = { deploy = {[1] = {time = 0.1, sound = "CW_FOLEY_MEDIUM"}}, reload = {[1] = {time = 0.7, sound = "CYN_CW_FAS2_RK95_MAGOUT"}, [2] = {time = 1.3, sound = "CW_FOLEY_LIGHT"}, [3] = {time = 1.6, sound = "CYN_CW_FAS2_MAGPOUCH_AR"}, [4] = {time = 1.96, sound = "CYN_CW_FAS2_RK95_MAGIN"} }, reload_empty = {[1] = {time = 0.7, sound = "CYN_CW_FAS2_RK95_MAGOUT_EMPTY"}, [2] = {time = 1.3, sound = "CW_FOLEY_LIGHT"}, [3] = {time = 1.45, sound = "CYN_CW_FAS2_MAGPOUCH_AR"}, [4] = {time = 1.97, sound = "CYN_CW_FAS2_RK95_MAGIN"}, [5] = {time = 3.2, sound = "CYN_CW_FAS2_RK95_BOLTPULL"}, [6] = {time = 3.45, sound = "CYN_CW_FAS2_RK95_BOLTRELEASE"} } } SWEP.SpeedDec = 35 SWEP.Slot = 3 SWEP.SlotPos = 0 SWEP.HoldType = "ar2" SWEP.NormalHoldType = "ar2" SWEP.RunHoldType = "crossbow" SWEP.FireModes = {"auto", "semi"} SWEP.Base = "cw_base" SWEP.Category = "STALKER Weapons" SWEP.Author = "gumlefar & verne" SWEP.Contact = "" SWEP.Purpose = "" SWEP.Instructions = "" SWEP.ViewModelFOV = 70 SWEP.ViewModelFlip = false SWEP.ViewModel = "models/weapons/view/rifles/rk95.mdl" SWEP.WorldModel = "models/weapons/world/rifles/rk95.mdl" SWEP.DrawTraditionalWorldModel = false SWEP.WM = "models/weapons/world/rifles/rk95.mdl" SWEP.WMPos = Vector(-0.4, 7, 2.4) SWEP.WMAng = Vector(-6, 0, 180) SWEP.Spawnable = true SWEP.AdminSpawnable = true SWEP.Primary.ClipSize = 30 SWEP.Primary.DefaultClip = 0 SWEP.Primary.Automatic = true SWEP.Primary.Ammo = "7.62x39MM" SWEP.FireDelay = 0.08 SWEP.FireSound = "CW_RK95_FIRE" SWEP.FireSoundSuppressed = "CW_RK95_FIRE_SUPPRESSED" SWEP.Recoil = 1.7 SWEP.WearDamage = 0.1 SWEP.WearEffect = 0.05 SWEP.HipSpread = 0.15 SWEP.AimSpread = 0.005 SWEP.VelocitySensitivity = 3 SWEP.MaxSpreadInc = 0.4 SWEP.SpreadPerShot = 0.007 SWEP.SpreadCooldown = 0.4 SWEP.Shots = 1 SWEP.Damage = 75 SWEP.DeployTime = 0.6 SWEP.ReloadSpeed = 1 SWEP.ReloadTime = 2.1 SWEP.ReloadTime_Empty = 2.2 SWEP.ReloadHalt = 2.9 SWEP.ReloadHalt_Empty = 3.9 SWEP.SnapToIdlePostReload = true function SWEP:IndividualInitialize() self:setBodygroup( 1 , 1 ) end
sabolIntel = { itemTemplates = { "object/tangible/loot/dungeon/corellian_corvette/imperial_assassin_filler01.iff", "object/tangible/loot/dungeon/corellian_corvette/imperial_assassin_filler02.iff", "object/tangible/loot/dungeon/corellian_corvette/imperial_assassin_intel.iff" }, } sabolTicketInfo = { depPlanet = "tatooine", faction = "imperial", missionType = "assassinate" } sabolCompensation = { { compType = "faction", faction = "imperial", amount = 100 } } lt_sabol = { planetName = "tatooine", npcTemplate = "corvette_imperial_sabol", x = -1291.67, z = 12, y = -3539, direction = 110, cellID = 0, position = STAND, mood = "npc_imperial" } ticketGiverSabol = CorvetteTicketGiverLogic:new { npc = lt_sabol, intelMap = sabolIntel, ticketInfo = sabolTicketInfo, giverName = "ticketGiverSabol", faction = FACTIONIMPERIAL, compensation = sabolCompensation, menuComponent = "sabolIntelSearchMenuComponent", first_location = "@conversation/corvette_sabol_imperial1:s_3882c2ff", --I need more information on Dantooine's Rebel base. second_location = "@conversation/corvette_sabol_imperial1:s_930c6037", --I need more information on the Afarathu Sect on Corellia. third_location = "@conversation/corvette_sabol_imperial1:s_62aa89fb", --I need more information about the Star Tours Tzarina. go_get_intel ="@conversation/corvette_sabol_imperial1:s_a5591c27", --I accept this mission. hear_locations_quit = "@conversation/corvette_sabol_imperial1:s_edb0a2f5", --I can't get myself into this. has_intel = "@conversation/corvette_velso_imperial_destroy:s_6e1e63ff", --I believe I found the sequence Sir. which_planet = "@conversation/corvette_velso_imperial_destroy:s_9495da35", --What were those locations again? back_already_reset = "@conversation/corvette_velso_imperial_destroy:s_a1e2f8b6", --I give up...sir. Please remove all progress I've made from your records. bad_intel_1 = "@conversation/corvette_sabol_imperial1:s_3565de4e", --Show the Food Order Form. bad_intel_2 = "@conversation/corvette_sabol_imperial1:s_56ede5d3", --Show the Alliance Transfer Orders. good_intel = "@conversation/corvette_sabol_imperial1:s_a0cc7541",--Show the Signed Alliance Transport Document. go_to_corvette = "@conversation/corvette_sabol_imperial1:s_d112b46e",--I'm leaving for the Corellian corvette. check_other_places = "@conversation/corvette_sabol_imperial1:s_a128e067",--Looks like I have more to do. other_documents = "@conversation/corvette_sabol_imperial1:s_2f26b4c4", -- I still have documents for you. launch_location = "@conversation/corvette_sabol_imperial1:s_60c4f974", --Where do I go? still_here_decline = "@conversation/corvette_sabol_imperial1:s_5fd624ee", --I wish to quit this mission. Please erase my progress from your records. } registerScreenPlay("ticketGiverSabol", true) ticketGiverSabolConvoHandler = CorvetteTicketGiverConvoHandler:new { ticketGiver = ticketGiverSabol } sabolIntelSearchMenuComponent = CorvetteIntelSearchMenuComponent:new { ticketGiver = ticketGiverSabol }
-- Configuration file for the AVR32 microcontrollers specific_files = "crt0.s trampoline.s platform.c exception.s intc.c pm.c flashc.c pm_conf_clocks.c usart.c gpio.c tc.c spi.c platform_int.c adc.c pwm.c i2c.c ethernet.c lcd.c rtc.c usb-cdc.c" addm( "FORAVR32" ) -- See board.h for possible BOARD values. if comp.board:upper() == "ATEVK1100" then specific_files = specific_files .. " sdramc.c" addm( 'BOARD=1' ) elseif comp.board:upper() == "ATEVK1101" then addm( 'BOARD=2' ) elseif comp.board:upper() == "MIZAR32" then specific_files = specific_files .. " sdramc.c" addm( 'BOARD=98' ) else print( sf( "Invalid board for %s platform (%s)", platform, comp.board ) ) os.exit( -1 ) end -- Prepend with path specific_files = utils.prepend_path( specific_files, "src/platform/" .. platform ) -- Choose ldscript according to choice of bootloader if comp.bootloader == 'none' then print "Compiling for FLASH execution" ldscript = sf( "src/platform/%s/%s.ld", platform, comp.cpu:lower() ) else print "Compiling for SDRAM execution" ldscript = sf( "src/platform/%s/%s_%s.ld", platform, comp.cpu:lower(), comp.bootloader ) end addm( 'BOOTLOADER_' .. comp.bootloader:upper() ) -- Standard GCC Flags addcf( { '-ffunction-sections','-fdata-sections','-fno-strict-aliasing','-Wall' } ) addlf( { '-nostartfiles','-nostdlib','-Wl,--gc-sections','-Wl,--allow-multiple-definition','-Wl,--relax','-Wl,--direct-data','-T', ldscript } ) addaf( { '-x','assembler-with-cpp' } ) addlib( { 'c','gcc','m' } ) -- Target-specific flags addcf( sf( '-mpart=%s', comp.cpu:sub( 5 ):lower() ) ) addaf( sf( '-mpart=%s', comp.cpu:sub( 5 ):lower() ) ) addlf( '-Wl,-e,crt0' ) -- Toolset data tools.avr32 = {} -- Image burn function (DFU) local function burnfunc( target, deps ) print "Burning image to target ..." local fname = output .. ".hex" local cmd = '' local res if utils.is_windows() then -- use batchisp in Windows res = os.execute( sf( "batchisp -hardware usb -device %s -operation erase f memory flash blankcheck loadbuffer %s program verify start reset 0", comp.cpu:lower(), fname ) ) else -- use "dfu-programmer" if not running in Windows res = utils.check_command( "dfu-programmer at32uc3a0512 version" ) if res ~= 0 then print "Cannot find 'dfu-programmer', install it first" return -1 end local basecmd = "dfu-programmer " .. comp.cpu:lower() res = os.execute( basecmd .. " erase" ) if res == 0 then res = os.execute( basecmd .. " flash " .. fname ) if res == 0 then os.execute( basecmd .. " start" ) end end end return res == 0 and 0 or -1 end -- Add a 'burn' target before the build starts tools.avr32.pre_build = function() local burntarget = builder:target( "#phony:burn", { progtarget }, burnfunc ) burntarget:force_rebuild( true ) builder:add_target( burntarget, "burn image to AVR32 board using the DFU bootloader", { "burn" } ) end -- Array of file names that will be checked against the 'prog' target; their absence will force a rebuild tools.avr32.prog_flist = { output .. ".hex" } -- We use 'gcc' as the assembler toolset.asm = toolset.compile
local getUUID = require('uuid4').getUUID return function (db, registry) local alias = registry.alias local register = registry.register local Optional = registry.Optional local String = registry.String local Int = registry.Int local Bool = registry.Bool local Array = registry.Array local Uuid = registry.Uuid local Stats = registry.Stats local query = db.query local quote = db.quote local conditionBuilder = db.conditionBuilder local toTable = db.toTable local Columns = alias("Columns", "Column field names for query results.", {String,String}) local Rows = alias("Rows", "Raw rows for query results.", Array({String,String})) local Aep = alias("Aep", "This alias is for existing AEP entries that have an ID.", {id=Uuid,hostname=String}) local AepWithoutId = alias("AepWithoutId", "This alias is for creating new AEP entries that don't have an ID yet", {hostname=String}) local Query = alias("Query", "Structure for valid query parameters", { hostname = Optional(String), offset = Optional(Int), limit = Optional(Int), }) assert(register("create", [[ This function creates a new AEP entry in the database. It will return the randomly generated UUID so you can reference the AEP. ]], {{"aep", AepWithoutId}}, Uuid, function (aep) local id = getUUID() assert(query(string.format( "INSERT INTO aep (id, hostname) VALUES (%s, %s)", quote(id), quote(aep.hostname)))) return id end)) assert(register("read", [[ Given a UUID, return the corresponding row. ]], {{"id", Uuid}}, Optional(Aep), function (id) local result = assert(query(string.format( "SELECT id, hostname FROM aep WHERE id = %s", quote(id)))) return result.rows and result.rows[1] end)) assert(register("update", [[ Update an AEP row in the database. ]], {{"aep", Aep}}, Bool, function (aep) local result = assert(query(string.format( "UPDATE aep SET hostname = %s WHERE id = %s", quote(aep.hostname), quote(aep.id)))) return result.summary == 'UPDATE 1' end)) assert(register("delete", [[ Remove an AEP row from the database by UUID. ]], {{"id", Uuid}}, Bool, function (id) local result = assert(query(string.format( "DELETE FROM aep WHERE id = %s", quote(id)))) -- something is going on and for some reason breaks when I try to quote this id return result.summary == 'DELETE 1' end)) assert(register("query", [[ Query for existing AEP rows. Optionally you can specify a filter and/or pagination parameters. ]], { {"query", Query} }, {Columns,Rows,Stats}, function (queryParameters) queryParameters = queryParameters or {} local offset = queryParameters.offset or 0 local limit = queryParameters.limit or 20 local pattern = queryParameters.hostname local where = conditionBuilder('hostname', pattern) local sql = "SELECT count(*) from aep" .. where local result = assert(query(sql)) local count = result.rows[1].count sql = 'SELECT id, hostname FROM aep' .. where .. ' ORDER BY id' .. ' LIMIT ' .. limit .. ' OFFSET ' .. offset result = assert(query(sql)) local columns, rows = toTable(result) local stats = { offset, limit, count } return {columns,rows,stats} end)) end
--[[ References: https://bitbucket.org/wilhelmy/lua-bencode/src public domain lua-module for handling bittorrent-bencoded data. This module includes both a recursive decoder and a recursive encoder. --]] local floor = math.floor local sort, concat = table.sort, table.concat local pairs, ipairs, type = pairs, ipairs, type local tonumber = tonumber local function islist(t) local n = #t for k, v in pairs(t) do if type(k) ~= "number" or floor(k) ~= k or k < 1 or k > n then return false end end for i = 1, n do if t[i] == nil then return false end end return true end local function isdictionary(t) return not islist(t) end -- recursively bencode x local encode_funcs = { ["string"] = function(x) return #x .. ":" .. x end, ["number"] = function(x) if x % 1 ~= 0 then return nil, "number is not an integer: '" .. x .. "'" end return "i" .. x .. "e" end, ["table"] = function(x) local ret = {} if islist(x) then table.insert(ret, "l") for k, v in ipairs(x) do table.insert(ret, encode(v)) end table.insert(ret,"e") else -- dictionary table.insert(ret,"d") -- bittorrent requires the keys to be sorted. local sortedkeys = {} for k, v in pairs(x) do if type(k) ~= "string" then return nil, "bencoding requires dictionary keys to be strings" end sortedkeys[#sortedkeys + 1] = k end sort(sortedkeys) for k, v in ipairs(sortedkeys) do table.insert(ret,encode(v)) table.insert(ret,encode(x[v])) end table.insert(ret,"e") end return table.concat(ret) end, } function encode(x) local tx = type(x) local func = encode_funcs[tx] if not func then return nil, tx .. " cannot be converted to an acceptable type for bencoding" end return func(x) end local function decode_integer(s, index) local a, b, int = s:find("^([0-9]+)e", index) if not int then return nil, "not a number: nil" end int = tonumber(int) if not int then return nil, "not a number: "..int end return int, b + 1 end local function decode_list(s, index) local t = {} while s:sub(index, index) ~= "e" do local obj obj, index = decode(s, index) t[#t + 1] = obj end index = index + 1 return t, index end local function decode_dictionary(s, index) local t = {} while s:sub(index, index) ~= "e" do local obj1 obj1, index = decode(s, index) local obj2 obj2, index = decode(s, index) t[obj1] = obj2 end index = index + 1 return t, index end local function decode_string(s, index) local a, b, len = s:find("^([0-9]+):", index) if not len then return nil, "not a length" end index = b + 1 local v = s:sub(index, index + len - 1) index = index + len return v, index end function decode(s, index) index = index or 1 local t = s:sub(index, index) if not t then return nil, "invalid index" end if t == "i" then return decode_integer(s, index + 1) elseif t == "l" then return decode_list(s, index + 1) elseif t == "d" then return decode_dictionary(s, index + 1) elseif t >= '0' and t <= '9' then return decode_string(s, index) else return nil, "invalid type" end end return { encode = encode, decode = decode, }
local M, module = {}, ... _G[module] = M function M.run() -- make this a volatile module: package.loaded[module] = nil print("Running component graphics_test...") --ucg.setMaxClipRange() disp:setColor(0, 0, 40, 80) disp:setColor(1, 80, 0, 40) disp:setColor(2, 255, 0, 255) disp:setColor(3, 0, 255, 255) disp:drawGradientBox(0, 0, disp:getWidth(), disp:getHeight()) disp:setColor(255, 168, 0) disp:setPrintDir(0) disp:setPrintPos(2, 18) disp:print("Ucglib") disp:setPrintPos(2, 18+20) disp:print("GraphicsTest") print("...done") end return M
--=========== Copyright © 2018, Planimeter, All rights reserved. ===========-- -- -- Purpose: Main Menu class -- --==========================================================================-- require( "engine.shared.hook" ) require( "game.client.gui.mainmenu.closebutton" ) require( "game.client.gui.mainmenu.button" ) class "gui.mainmenu" ( "gui.panel" ) local mainmenu = gui.mainmenu function mainmenu:mainmenu() gui.panel.panel( self, g_RootPanel, "Main Menu" ) self.width = love.graphics.getWidth() self.height = love.graphics.getHeight() self:setScheme( "Default" ) self:setUseFullscreenFramebuffer( true ) self.logo = self:getScheme( "mainmenu.logo" ) self.logoSmall = self:getScheme( "mainmenu.logoSmall" ) self.logo:setFilter( "linear", "linear" ) self.logoSmall:setFilter( "linear", "linear" ) self.closeButton = gui.mainmenu.closebutton( self ) local margin = gui.scale( 96 ) self.closeButton:setPos( self.width - love.window.toPixels( 32 ) - margin, margin ) self.closeButton.onClick = function() self.closeDialog:activate() end self.closeDialog = gui.closedialog( self ) self.closeDialog:moveToCenter() self:createButtons() end local MAINMENU_ANIM_TIME = 0.2 function mainmenu:activate() if ( not self:isVisible() ) then self:setOpacity( 0 ) self:animate( { opacity = 1 -- y = 0 -- scale = 1 }, MAINMENU_ANIM_TIME, "easeOutQuint" ) end self:setVisible( true ) if ( game and game.client ) then game.call( "client", "onMainMenuActivate" ) else hook.call( "client", "onMainMenuActivate" ) end end function mainmenu:close() if ( self.closing ) then return end gui.setFocusedPanel( nil, false ) self.closing = true self:animate( { opacity = 0 -- y = love.graphics.getHeight() -- scale = 0 }, MAINMENU_ANIM_TIME, "easeOutQuint", function() self:setVisible( false ) self:setOpacity( 1 ) self.closing = nil end ) game.call( "client", "onMainMenuClose" ) end function mainmenu:createButtons() self.buttons = {} self.joinLeaveServer = gui.mainmenu.button( self, "Join Server" ) self.joinLeaveServer:setDisabled( true ) self.joinLeaveServer.onClick = function() if ( not engine.client.isConnected() ) then if ( _DEBUG ) then engine.client.connect( "localhost" ) end else engine.client.disconnect() end end table.insert( self.buttons, self.joinLeaveServer ) local blankButton = gui.mainmenu.button( self ) table.insert( self.buttons, blankButton ) local options = gui.mainmenu.button( self, "Options" ) options.onClick = function() if ( self.optionsMenu == nil ) then self.optionsMenu = gui.optionsmenu( self ) self.optionsMenu:activate() self.optionsMenu:moveToCenter() else self.optionsMenu:activate() end end table.insert( self.buttons, options ) self:invalidateButtons() end hook.set( "client", function() g_MainMenu.joinLeaveServer:setText( "Leave Server" ) g_MainMenu.joinLeaveServer:setDisabled( false ) end, "onConnect", "updateJoinLeaveServerButton" ) hook.set( "client", function() g_MainMenu.joinLeaveServer:setText( "Join Server" ) g_MainMenu.joinLeaveServer:setDisabled( true ) end, "onDisconnect", "updateJoinLeaveServerButton" ) function mainmenu:enableServerConnections() if ( self.joinLeaveServer ) then self.joinLeaveServer:setDisabled( false ) end end function mainmenu:invalidateLayout() self:setSize( love.graphics.getWidth(), love.graphics.getHeight() ) local margin = gui.scale( 96 ) local y = margin self.closeButton:setPos( self:getWidth() - love.window.toPixels( 32 ) - margin, y ) self.closeDialog:moveToCenter() if ( self.testFrame ) then self.testFrame:moveToCenter() end self:invalidateButtons() gui.panel.invalidateLayout( self ) end function mainmenu:invalidateButtons() local logo = self.logo local height = self:getHeight() local marginPhi = height - height / math.phi local marginX = gui.scale( 96 ) local marginY = math.round( marginX * ( 2 / 3 ) ) if ( height <= love.window.toPixels( 720 ) ) then logo = self.logoSmall end local y = marginPhi + logo:getHeight() + marginY for i, button in ipairs( self.buttons ) do i = i - 1 button:setPos( marginX, y + i * button:getHeight() + i * love.window.toPixels( 4.5 ) ) end end function mainmenu:draw() if ( engine.client.isInGame() ) then self:drawBlur() self:drawBackground( "mainmenu.backgroundColor" ) end self:drawLogo() gui.panel.draw( self ) end function mainmenu:drawBlur() if ( gui._blurFramebuffer ) then gui._blurFramebuffer:draw() end end function mainmenu:drawLogo() local logo = self.logo local height = self:getHeight() local scale = height / love.window.toPixels( 1080 ) local marginX = gui.scale( 96 ) local marginPhi = math.round( height - height / math.phi ) if ( height <= love.window.toPixels( 720 ) ) then logo = self.logoSmall scale = height / love.window.toPixels( 720 ) end love.graphics.setColor( color.white ) love.graphics.draw( logo, marginX, marginPhi, 0, scale, scale ) end function mainmenu:keypressed( key, scancode, isrepeat ) if ( self.closing ) then return end if ( key == "tab" and self.focus ) then gui.frame.moveFocus( self ) end return gui.panel.keypressed( self, key, scancode, isrepeat ) end function mainmenu:mousepressed( x, y, button, istouch ) if ( self.closing ) then return end return gui.panel.mousepressed( self, x, y, button, istouch ) end function mainmenu:mousereleased( x, y, button, istouch ) if ( self.closing ) then return end gui.panel.mousereleased( self, x, y, button, istouch ) end function mainmenu:remove() gui.panel.remove( self ) self.logo = nil end function mainmenu:update( dt ) if ( gui._blurFramebuffer and self:isVisible() ) then self:invalidate() end gui.panel.update( self, dt ) end function mainmenu:quit() self:activate() self.closeDialog:activate() return true end
env2 = {["abc"]=1234, age=25} print("hi, this is test get global table case\n")
-- Code from http://lua-users.org/wiki/SimpleLuaClasses function class(base, init) local c = {} -- a new class instance if not init and type(base) == 'function' then init = base base = nil end -- the class will be the metatable for all its objects, -- and they will look up their methods in it. c.__index = c -- expose a constructor which can be called by <classname>(<args>) local mt = {} mt.__call = function(class_tbl, ...) local obj = {} setmetatable(obj, c) if init then init(obj, ...) else -- make sure that any stuff from the base class is initialized! if base and base.init then base.init(obj, ...) end end return obj end c.init = init setmetatable(c, mt) return c end
local PANEL = {} AccessorFunc(PANEL, "m_iOverlap", "Overlap") function PANEL:Init() self.Panels = {} self.OffsetX = 0 self.FrameTime = 0 self.pnlCanvas = vgui.Create("Panel", self) self:SetOverlap(2) self.btnLeft = vgui.Create("DSysButton", self) self.btnLeft:SetType("up") self.btnRight = vgui.Create("DSysButton", self) self.btnRight:SetType("down") end function PANEL:AddPanel(pnl) table.insert(self.Panels, pnl) pnl:SetParent(self.pnlCanvas) end function PANEL:OnMouseWheeled(dlta) self.OffsetX = self.OffsetX + dlta * -30 self:InvalidateLayout(true) return true end function PANEL:Think() -- Hmm.. This needs to really just be done in one place -- and made available to everyone. local FrameRate = VGUIFrameTime() - self.FrameTime self.FrameTime = VGUIFrameTime() if self.btnRight:IsDown() then self.OffsetX = self.OffsetX + (500 * FrameRate) self:InvalidateLayout(true) end if self.btnLeft:IsDown() then self.OffsetX = self.OffsetX - (500 * FrameRate) self:InvalidateLayout(true) end end function PANEL:PerformLayout(w, h) self.pnlCanvas:SetTall(h) local x = 0 for k, v in pairs(self.Panels) do v:SetPos(0, x) -- x, 0 v:SetTall(20) v:SetWide(100) --SetTall(h) v:ApplySchemeSettings() x = x + 20 - self.m_iOverlap --GetTall end self.pnlCanvas:SetTall(x + self.m_iOverlap) --SetWide if w < self.pnlCanvas:GetWide() then self.OffsetX = math.Clamp(self.OffsetX, 0, self.pnlCanvas:GetTall() - self:GetTall()) --GetWide, GetWide else self.OffsetX = 0 end self.pnlCanvas.y = self.OffsetX * -1 --x self.btnLeft:SetSize(16, 16) self.btnLeft:AlignLeft(4) self.btnLeft:CenterVertical() self.btnRight:SetSize(16, 16) self.btnRight:AlignRight(4) self.btnRight:CenterVertical() self.btnLeft:SetVisible(self.pnlCanvas.y < 0) --x self.btnRight:SetVisible(self.pnlCanvas.y + self.pnlCanvas:GetTall() > self:GetTall()) --x, GetWide, GetWide end derma.DefineControl("DVerticalScroller", "", PANEL, "Panel")
return { { effect_list = { { type = "BattleBuffAddAttrRatio", trigger = { "onAttach", "onStack" }, arg_list = { attr = "attackRating", number = 50 } } } }, { effect_list = { { type = "BattleBuffAddAttrRatio", trigger = { "onAttach", "onStack" }, arg_list = { attr = "attackRating", number = 65 } } } }, { effect_list = { { type = "BattleBuffAddAttrRatio", trigger = { "onAttach", "onStack" }, arg_list = { attr = "attackRating", number = 80 } } } }, { effect_list = { { type = "BattleBuffAddAttrRatio", trigger = { "onAttach", "onStack" }, arg_list = { attr = "attackRating", number = 100 } } } }, { effect_list = { { type = "BattleBuffAddAttrRatio", trigger = { "onAttach", "onStack" }, arg_list = { attr = "attackRating", number = 115 } } } }, { effect_list = { { type = "BattleBuffAddAttrRatio", trigger = { "onAttach", "onStack" }, arg_list = { attr = "attackRating", number = 130 } } } }, { effect_list = { { type = "BattleBuffAddAttrRatio", trigger = { "onAttach", "onStack" }, arg_list = { attr = "attackRating", number = 150 } } } }, { effect_list = { { type = "BattleBuffAddAttrRatio", trigger = { "onAttach", "onStack" }, arg_list = { attr = "attackRating", number = 165 } } } }, { effect_list = { { type = "BattleBuffAddAttrRatio", trigger = { "onAttach", "onStack" }, arg_list = { attr = "attackRating", number = 180 } } } }, { effect_list = { { type = "BattleBuffAddAttrRatio", trigger = { "onAttach", "onStack" }, arg_list = { attr = "attackRating", number = 200 } } } }, time = 0, name = "", init_effect = "jinengchufablue", color = "blue", picture = "", desc = "本场命中上升", stack = 3, id = 105064, icon = 105060, last_effect = "", blink = { 1, 0, 0, 0.3, 0.3 }, effect_list = { { type = "BattleBuffAddAttrRatio", trigger = { "onAttach", "onStack" }, arg_list = { attr = "attackRating", number = 50 } } } }
function DropMoney(int, pos) if (int <= 0) then return end local e = ents.Create("bw_money") e:SetPos(pos) e:SetMoney(int) e:Spawn() e:Activate() end
-- Compe setup require('compe').setup { preselect = 'always'; source = { path = true, nvim_lsp = true, luasnip = true, buffer = false, calc = false, nvim_lua = false, vsnip = false, ultisnips = false, }, }
return {'numToStr/Comment.nvim', opt = true, keys = { '<leader>/', 'gcc', 'gcb', 'gco', 'gcO', 'gcA', }, wants = { 'treesitter-comment-string' }, config = function () require('plugins.comment.config') require('plugins.comment.keys').setup() end }
local Anim8 = require('lib/anim8') local Class = require('lib/middleclass') local Utils = require('utils') local SndMgr = require('lib/sndmgr') local Entity = require('entities/base') local Player = Class('Player', Entity) Player.static.pxSize = 16 Player.static.moveSpeed = 16*4 Player.static.shrink = 1 Player.static.animTime = 0.1 Player.static.img = love.graphics.newImage("assets/img/player.png") do local grid = Anim8.newGrid(Player.pxSize, Player.pxSize, Player.img:getDimensions()) Player.static.animations = { ["moving"] = { ["up"] = Anim8.newAnimation(grid('1-4', 1), Player.animTime), ["right"] = Anim8.newAnimation(grid('1-4', 2), Player.animTime), ["down"] = Anim8.newAnimation(grid('1-4', 3), Player.animTime), ["left"] = Anim8.newAnimation(grid('1-4', 4), Player.animTime) }, ["still"] = { ["up"] = Anim8.newAnimation(grid(1, 1), Player.animTime), ["right"] = Anim8.newAnimation(grid(1, 2), Player.animTime), ["down"] = Anim8.newAnimation(grid(1, 3), Player.animTime), ["left"] = Anim8.newAnimation(grid(1, 4), Player.animTime) } } end function Player:initialize(x, y, world, name) Entity.initialize(self, x, y, Player.pxSize, Player.pxSize) self.direction = "right" self.world = world self.name = name self.moving = false self.world:add(self, x+Player.shrink, y+Player.shrink, Player.pxSize-(Player.shrink*2), Player.pxSize-(Player.shrink*2)) self.animations = Utils.recursiveClone(Player.animations) self.soundTimer = 0 end function Player:update(dt) local left, right, up, down left = love.keyboard.isDown("left", "a") right = love.keyboard.isDown("right", "d") up = love.keyboard.isDown("up", "w") down = love.keyboard.isDown("down", "s") self.moving = left or right or up or down if self.moving then self.soundTimer = self.soundTimer + dt if self.soundTimer >= 0.2 then SndMgr.playSound("walk") self.soundTimer = self.soundTimer - 0.2 end end local dx = 0 local dy = 0 if left then self.direction = "left" dx = -1 elseif right then self.direction = "right" dx = 1 elseif up then self.direction = "up" dy = -1 elseif down then self.direction = "down" dy = 1 end local goalX = self.x + Player.shrink + dx*dt*Player.moveSpeed local goalY = self.y + Player.shrink + dy*dt*Player.moveSpeed local newX, newY, cols = self.world:move(self, goalX, goalY) self.x = newX - Player.shrink self.y = newY - Player.shrink -- check for piece or door colisions for _, c in pairs(cols) do if c.other.type == "piece" then if c.other.requestMove(self.direction) then SndMgr.playSound("block_push") end break elseif c.other.type == "door" then if c.other.isOpen then love.event.push("levelComplete") end end end self:_getCurrentAnimation():update(dt) -- hey look at me! I'm conspicuous -- push "suspicious" events love.event.push("suspicious", {self:getCenterPos()}, true, 3) if self.moving then love.event.push("suspicious", {self:getCenterPos()}, false, 1) end end function Player:_getCurrentAnimation() local state = self.moving and "moving" or "still" return self.animations[state][self.direction] end function Player:draw() self:_getCurrentAnimation():draw(Player.img, self:getCornerPos()) end return Player
local mod = DBM:NewMod("BrawlRank2", "DBM-Brawlers") local L = mod:GetLocalizedStrings() mod:SetRevision(("$Revision: 14030 $"):sub(12, -3)) mod:SetModelID(46712) mod:SetZone() mod:RegisterEvents( "SPELL_CAST_START 133308 135234", "SPELL_CAST_SUCCESS 133227 132670", "UNIT_DIED" ) local warnSummonTwister = mod:NewSpellAnnounce(132670, 3)--Kirrawk local warnStormCloud = mod:NewSpellAnnounce(135234, 3)--Kirrawk local warnThrowNet = mod:NewSpellAnnounce(133308, 3)--Fran and Riddoh local warnGoblinDevice = mod:NewSpellAnnounce(133227, 4)--Fran and Riddoh local specWarnStormCloud = mod:NewSpecialWarningInterrupt(135234)--Kirrawk local specWarnGoblinDevice = mod:NewSpecialWarningSpell(133227)--Fran and Riddoh local timerSummonTwisterCD = mod:NewCDTimer(15, 132670, nil, nil, nil, 3)--Kirrawk local timerThrowNetCD = mod:NewCDTimer(20, 133308, nil, nil, nil, 3)--Fran and Riddoh local timerGoblinDeviceCD = mod:NewCDTimer(22, 133227, nil, nil, nil, 3)--Fran and Riddoh mod:RemoveOption("HealthFrame") local brawlersMod = DBM:GetModByName("Brawlers") function mod:SPELL_CAST_START(args) if not brawlersMod.Options.SpectatorMode and not brawlersMod:PlayerFighting() then return end--Spectator mode is disabled, do nothing. if args.spellId == 133308 then warnThrowNet:Show() timerThrowNetCD:Start() elseif args.spellId == 135234 then --CD seems to be 32 seconds usually but sometimes only 16? no timer for now if brawlersMod:PlayerFighting() then specWarnStormCloud:Show(args.sourceName) else warnStormCloud:Show() end end end function mod:SPELL_CAST_SUCCESS(args) if not brawlersMod.Options.SpectatorMode and not brawlersMod:PlayerFighting() then return end if args.spellId == 133227 then timerGoblinDeviceCD:Start()--6 seconds after combat start, if i do that kind of detection later if brawlersMod:PlayerFighting() then--Only give special warnings if you're in arena though. specWarnGoblinDevice:Show() else warnGoblinDevice:Show() end elseif args.spellId == 132670 then warnSummonTwister:Show() timerSummonTwisterCD:Start()--22 seconds after combat start? end end function mod:UNIT_DIED(args) local cid = self:GetCIDFromGUID(args.destGUID) if cid == 67524 then--These 2 have a 1 min 50 second berserk timerThrowNetCD:Cancel() elseif cid == 67525 then--These 2 have a 1 min 50 second berserk timerGoblinDeviceCD:Cancel() end end
object_tangible_quest_naboo_theed_darkwalker_network_terminal = object_tangible_quest_shared_naboo_theed_darkwalker_network_terminal:new { } ObjectTemplates:addTemplate(object_tangible_quest_naboo_theed_darkwalker_network_terminal, "object/tangible/quest/naboo_theed_darkwalker_network_terminal.iff")
TCP = TCP or {} -- This whole thing was written by Andy Sloane, a1k0n, one of the Vendetta -- Online developers over at Guild Software -- http://a1k0n.net/vendetta/lua/tcpstuff/ -- http://www.guildsoftware.com/company.html local function SetupLineInputHandlers(conn, conn_handler, line_handler, disconn_handler) local buf = '' local match local connected conn.tcp:SetReadHandler(function() local msg, errcode = conn.tcp:Recv() if not msg then if not errcode then return end local err = conn.tcp:GetSocketError() conn.tcp:Disconnect() disconn_handler(conn) conn = nil return end buf = buf..msg repeat buf,match = string.gsub(buf, "^([^\n]*)\n", function(line) pcall(line_handler, conn, line) return '' end) until match==0 end) local writeq = {} local qhead,qtail=1,1 -- returns true if some data was written -- returns false if we need to schedule a write callback to write more data local write_line_of_data = function() --print(tostring(conn)..': sending '..writeq[qtail]) local bsent = conn.tcp:Send(writeq[qtail]) -- if we sent a partial line, keep the rest of it in the queue if bsent == -1 then -- EWOULDBLOCK? dunno if i can check for that return false --error(string.format("write(%q) failed!", writeq[qtail])) elseif bsent < string.len(writeq[qtail]) then -- consume partial line writeq[qtail] = string.sub(writeq[qtail], bsent+1, -1) return false end -- consume whole line writeq[qtail] = nil qtail = qtail + 1 return true end -- returns true if all available data was written -- false if we need a subsequent write handler local write_available_data = function() while qhead ~= qtail do if not write_line_of_data() then return false end end qhead,qtail = 1,1 return true end local writehandler = function() if write_available_data() then conn.tcp:SetWriteHandler(nil) end end function conn:Send(line) --print(tostring(conn)..': queueing '..line) writeq[qhead] = line qhead = qhead + 1 if not write_available_data() then conn.tcp:SetWriteHandler(writehandler) end end local connecthandler = function() conn.tcp:SetWriteHandler(writehandler) connected = true -- local err = conn.tcp:GetSocketError() -- if err then -- if string.find(err,'WSAEWOULDBLOCK') then -- for count = 1,1000000 do end -- err = conn.tcp:GetSocketError() -- end -- end -- if err then ---- if not string.find(err, "BLOCK") then -- conn.tcp:Disconnect() -- return conn_handler(nil, err) -- end return conn_handler(conn) end conn.tcp:SetWriteHandler(connecthandler) end -- raw version function TCP.make_client(host, port, conn_handler, line_handler, disconn_handler) local conn = {tcp=TCPSocket()} SetupLineInputHandlers(conn, conn_handler, line_handler, disconn_handler) local success,err = conn.tcp:Connect(host, port) if not success then return conn_handler(nil, err) end return conn end function TCP.make_server(port, conn_handler, line_handler, disconn_handler) local conn = TCPSocket() local connected = false local buf = '' local match conn:SetConnectHandler(function() local newconn = conn:Accept() --print('Accepted connection '..newconn:GetPeerName()) SetupLineInputHandlers({tcp=newconn}, conn_handler, line_handler, disconn_handler) end) local ok, err = conn:Listen(port) if not ok then error(err) end return conn end
paths.dofile('layers/Residual.lua') paths.dofile('layers/ResidualPool.lua') paths.dofile('layers/AttentionPartsCRF.lua') local function repResidual(num, inp, nRep) local out={} for i=1,nRep do local tmpout if i==1 then tmpout = Residual(num, num)(inp) else tmpout = ResidualPool(num, num)(out[i-1]) -------------------- here end table.insert(out,tmpout) end return out[nRep] end local function hourglass(n, f, inp, imsize,nModual) -- Upper branch local pool = nnlib.SpatialMaxPooling(2,2,2,2)(inp) local up={} local low={} for i=1, nModual do local tmpup local tmplow if i==1 then -- tmpup = Residual(f,f)(inp) if n>1 then tmpup = repResidual(f,inp,n-1) else tmpup = Residual(f,f)(inp) end tmplow = Residual(f,f)(pool) else if n>1 then tmpup = repResidual(f,up[i-1],n-1) else tmpup = ResidualPool(f,f)(up[i-1]) ------------- here end -- tmpup = Residual(f,f)(up[i-1]) tmplow = Residual(f,f)(low[i-1]) end table.insert(up,tmpup) table.insert(low,tmplow) end -- Lower branch local low2 if n > 1 then low2 = hourglass(n-1,f,low[nModual],imsize/2,nModual) else low2 = Residual(f,f)(low[nModual]) end local low3 = Residual(f,f)(low2) local up2 = nn.SpatialUpSamplingNearest(2)(low3) comb = nn.CAddTable()({up[nModual],up2}) return comb end local function lin(numIn,numOut,inp) -- Apply 1x1 convolution, stride 1, no padding local l = nnlib.SpatialConvolution(numIn,numOut,1,1,1,1,0,0)(inp) return nnlib.ReLU(true)(nn.SpatialBatchNormalization(numOut)(l)) end function createModel() local inp = nn.Identity()() -- Initial processing of the image local cnv1_ = nnlib.SpatialConvolution(3,64,7,7,1,1,3,3)(inp) -- 128 local cnv1 = nnlib.ReLU(true)(nn.SpatialBatchNormalization(64)(cnv1_)) local r1 = Residual(64,64)(cnv1) local pool1 = nnlib.SpatialMaxPooling(2,2,2,2)(r1) local r2 = Residual(64,64)(pool1) local r3 = Residual(64,128)(r2) local pool2 = nnlib.SpatialMaxPooling(2,2,2,2)(r3) local r4 = Residual(128,128)(pool2) local r5 = Residual(128,128)(r4) local r6 = Residual(128,opt.nFeats)(r5) local out = {} local inter = {} table.insert(inter,r6) npool = opt.nPool; if npool == 3 then nModual = 16/opt.nStack else nModual = 8/opt.nStack end for i = 1,opt.nStack do local hg = hourglass(npool,opt.nFeats,inter[i],opt.outputRes,nModual) local ll1 local ll2 local att local tmpOut if i==opt.nStack then -- Linear layer to produce first set of predictions ll1 = lin(opt.nFeats,opt.nFeats*2,hg) ll2 = lin(opt.nFeats*2,opt.nFeats*2,ll1) att = AttentionPartsCRF(opt.nFeats*2, ll2, opt.LRNKer, 3, 0) tmpOut = AttentionPartsCRF(opt.nFeats*2, att, opt.LRNKer, 3, 1) else ll1 = lin(opt.nFeats,opt.nFeats,hg) ll2 = lin(opt.nFeats,opt.nFeats,ll1) if i>4 then att = AttentionPartsCRF(opt.nFeats, ll2, opt.LRNKer, 3, 0) tmpOut = AttentionPartsCRF(opt.nFeats, att, opt.LRNKer, 3, 1) else att = AttentionPartsCRF(opt.nFeats, ll2, opt.LRNKer,3,0) tmpOut = nnlib.SpatialConvolution(opt.nFeats,outputDim[1][1],1,1,1,1,0,0)(att) end end table.insert(out,tmpOut) if i < opt.nStack then local outmap = nnlib.SpatialConvolution(outputDim[1][1], 256, 1,1,1,1,0,0)(tmpOut) local ll3 = lin(opt.nFeats,opt.nFeats,ll1) local tmointer = nn.CAddTable()({inter[i], outmap,ll3}) table.insert(inter,tmointer) end end -- Final model local model = nn.gModule({inp}, out) return model end
home = "/Users/mvshmakov" remote_host = "pi@mvshmakov-pi.local" settings { logfile = home.."/.local/share/lsyncd/lsyncd.log", --Log path statusFile = home.."/.local/state/lsyncd/lsyncd.status", --Status file pidfile = home.."/.local/state/lsyncd/lsyncd.pid", --pid File path nodaemon = true, --daemon Function insist=true, statusInterval = 1, --Minimum write time of status file maxProcesses = 1, --Maximum process maxDelays = 1, --Maximum delay } sourceList = {} sourceList[home..'/projects/work/iterative/viewer'] = '/home/pi/projects/work/iterative/viewer' for from_source, target_source in pairs(sourceList) do sync { default.rsync, source = from_source, delete = true, target = remote_host..":"..target_source, exclude = {".vscode/*", ".git/*", "node_modules/*", "__pycache__/*", ".DS_Store"}, rsync = { binary = "/usr/local/bin/rsync", -- binary ="/usr/bin/rsync", archive = true, compress = true, bwlimit = 2000, rsh = "ssh -i"..home.."/.ssh/id_rsa" -- rsh = "/usr/bin/ssh -p 22 -o StrictHostKeyChecking=no" -- If you want to specify another port, use the rsh } } end
local skynet = require "skynet" local land = {} skynet.start(function() skynet.error("启动大陆管理服务") skynet.dispatch("lua", function(session, address, cmd, ...) skynet.error("大陆管理服务收到" .. cmd .. "指令") end) end)
local keys = {} keys.ar = {} keys.das = {} -- number if delay completed, nil otherwise function keys:update(dt) for k, t in pairs(self.ar) do local das, arr = 1000, 100 local type = state.autorepeat[k] if type == "sd" then t = t + game.conf.sdarr while t >= 1 do state:onkey(k, true) t = t - 1 end self.ar[k] = t return end if type == "menu" then das, arr = game.conf.mdas, game.conf.marr else das, arr = game.conf.gdas, game.conf.garr end t = t + dt*1000 if self.das[k] then while t >= arr do t = t - arr state:onkey(k, self.das[k]) self.das[k] = self.das[k] + 1 end else if t >= das then t = t - das self.das[k] = 1 state:onkey(k, true) end end self.ar[k] = t end end function keys:keypressed(scancode) for id, sc in pairs(game.conf.keys) do if sc == scancode then local ar = state.autorepeat[id] if ar then state:onkey(id, false) if ar ~= "none" then self.ar[id] = 0 if ar == "sd" then self.das[id] = nil end end end end end end function keys:keyreleased(scancode) for id, sc in pairs(game.conf.keys) do if sc == scancode and state.autorepeat[id] then self.ar[id] = nil self.das[id] = nil end end end function keys.joystickpressed() end function keys.table(table) -- unused argument is self return function(_, key) if table[key] then table[key](state) end end end return keys
return {'aldaar','aldehyde','aldoor','aldoordringend','aldra','aldus','aldert','aldo','alders','aldenhoven','aldenzee','alderden','aldewereld','aldenkamp','aldoordringende','alderts','aldos'}
-- Static 3D scene example. -- This sample demonstrates: -- - Creating a 3D scene with static content -- - Displaying the scene using the Renderer subsystem -- - Handling keyboard and mouse input_system to move a freelook camera require "LuaScripts/Utilities/Sample" local attack_emitter_ local attack_effect_ local magic_emitter local magic_effect local character_ local sound_attack_ local sound_click_ local attack_ = false local server_addr = "localhost"--"8.134.14.191" local server_port = 8083 local connection local gui_root local chat_list = {} local MSG_CHAT = Protocol.MSG_USER + 0 function Start() -- Execute the common startup for samples SampleStart() -- Create the scene content CreateScene() -- Create the UI content CreateInstructions() -- Setup the viewport for displaying the scene SetupViewport() -- Set the mouse mode to use in the sample SampleInitMouseMode(input.MM_RELATIVE) -- Hook up to the frame update events SubscribeToEvents() end local idle_anim = "Models/Mutant/Mutant_Idle0.ani" local run_anim = "Models/Mutant/Mutant_Run.ani" local attack_anim = "Models/Mutant/Mutant_Punch.ani" local current_anim local anim_ctrl local fadetime = 0.3 local username local camera local nameheight = 6.0 local chatpanel function CreateCharacter() character_ = scene_:CreateChild("Jill") character_:SetScale(3.0) local model = character_:CreateComponent("AnimatedModel") model.model = cache:GetResource("Model", "Models/Mutant/Mutant.mdl") model.material = cache:GetResource("Material", "Models/Mutant/Materials/mutant_M.xml") model.castShadows = true anim_ctrl = character_:CreateComponent("AnimationController") anim_ctrl:Play(idle_anim, 0, true) attack_emitter = scene_:CreateChild("emitter0") attack_effect = attack_emitter:CreateComponent("EffekseerEmitter") attack_effect:SetSpeed(2.0) attack_effect:SetLooping(false) end function CreateEffect() attack_emitter_ = scene_:CreateChild("effect1") attack_effect_ = attack_emitter_:CreateComponent("EffekseerEmitter") attack_effect_:SetEffect("Effekseer/01_Suzuki01/002_sword_effect/sword_effect.efk") attack_effect_:SetSpeed(2.0) attack_effect_:SetLooping(false) -- magic_emitter_ = scene_:CreateChild("effect2") magic_emitter_.position = math3d.Vector3(0.0, 0.1, 0.0) magic_effect_ = magic_emitter_:CreateComponent("EffekseerEmitter") magic_effect_:SetEffect("Effekseer/02_Tktk03/Light.efk") magic_effect_:SetLooping(true) magic_effect_:Play() end function onSendMessage(msg) local package = VectorBuffer() package:WriteString(msg) connection:SendMessage(MSG_CHAT, true, true, package, 0) end local BagWindow = {} function onClickItem(eventContext) local item = eventContext:getData() local n11 = BagWindow._contentPane:getChild("n11") n11:setIcon(item:getIcon()) local n13 = BagWindow._contentPane:getChild("n13") n13:setText(item:getText()) end function renderListItem(index, obj) obj:setIcon("icons/i" .. tostring(math.random(0, 9)) .. ".png") obj:setText(tostring(math.random(0, 100))) end function BagWindow:Init() local view = FairyGUI.UIPackage.createObject("Bag", "BagWin") local bagWindow = FairyGUI.Window.create() bagWindow:setContentPane(view) bagWindow:center(false) bagWindow:setModal(true) self._contentPane = view self._internal_window = bagWindow local list = view:getChild("list") list:addEventListener(FairyGUI.EventType.ClickItem, onClickItem) list:setItemRenderer(renderListItem) list:setNumItems(45) self._list = list end local BagScene = {} function onBagClick(eventContext) BagWindow._internal_window:show() end function onEffectBtn(eventContext) if not magic_effect_:IsPlaying() then sound_click_:Start() magic_effect_:Play() else sound_click_:Start() magic_effect_:Stop() end end local message_id = 1 function onAttackBtn(eventContext) -- onSendMessage("测试聊天HelloServer : " .. message_id) -- message_id = message_id + 1 if not attack_ then attack_ = true anim_ctrl:Stop(idle_anim, fadetime) anim_ctrl:Play(attack_anim, 0, false) --anim_ctrl:SetAutoFade(attack_anim, 1.0) attack_emitter_.rotation = character_.rotation attack_emitter_:Rotate(math3d.Quaternion(90.0, 180.0, 0.0)) local pos = character_:GetWorldPosition() + character_:GetWorldDirection() * -4.0 pos.y = pos.y + 1.5 attack_emitter_.position = pos attack_effect_:Play() sound_attack_:Start() end end function BagScene:CreateTestUI() FairyGUI.RegisterFont("default", "fonts/FZY3JW.TTF") FairyGUI.UIPackage.addPackage("UI/Bag") local root = FairyGUI.GetRootWindow() local view = FairyGUI.UIPackage.createObject("Bag", "Main") root:addChild(view) local bagBtn = view:getChild("bagBtn") bagBtn:addClickListener(onBagClick) local effectBtn = view:getChild("n3") effectBtn:addClickListener(onEffectBtn) local attackBtn = view:getChild("n4") attackBtn:addClickListener(onAttackBtn) local testText = FairyGUI.CreateText("HelloWorld!", math3d.Color(255, 0, 0)) testText:setPosition(570, 0) testText:setFontSize(24) root:addChild(testText) local testText2 = FairyGUI.CreateText("你好!", math3d.Color(0, 255, 0)) local tf = testText2:getTextFormat() tf.face = "default" testText2:setPosition(604, 40) testText2:setFontSize(24) root:addChild(testText2) username = FairyGUI.CreateText("<Monster>") username:setFontSize(24) root:addChild(username) self.uiroot = root gui_root = root BagWindow:Init() FairyGUI.CreateJoystick(view) end function CreateScene() scene_ = Scene() -- Create the Octree component to the scene. This is required before adding any drawable components, or else nothing will -- show up. The default octree volume will be from (-1000, -1000, -1000) to (1000, 1000, 1000) in world coordinates it -- is also legal to place objects outside the volume but their visibility can then not be checked in a hierarchically -- optimizing manner scene_:CreateComponent("Octree") -- Create a child scene node (at world origin) and a StaticModel component into it. Set the StaticModel to show a simple -- plane mesh with a "stone" material. Note that naming the scene nodes is optional. Scale the scene node larger -- (100 x 100 world units) local planeNode = scene_:CreateChild("Plane") planeNode.scale = math3d.Vector3(100.0, 1.0, 100.0) local planeObject = planeNode:CreateComponent("StaticModel") planeObject.model = cache:GetResource("Model", "Models/Plane.mdl") planeObject.material = cache:GetResource("Material", "Materials/StoneTiled.xml") -- Create a directional light to the world so that we can see something. The light scene node's orientation controls the -- light direction we will use the SetDirection() function which calculates the orientation from a forward direction vector. -- The light will use default settings (white light, no shadows) local lightNode = scene_:CreateChild("DirectionalLight") lightNode.direction = math3d.Vector3(0.6, -1.0, 0.8) -- The direction vector does not need to be normalized local light = lightNode:CreateComponent("Light") light.lightType = LIGHT_DIRECTIONAL -- Create more StaticModel objects to the scene, randomly positioned, rotated and scaled. For rotation, we construct a -- quaternion from Euler angles where the Y angle (rotation about the Y axis) is randomized. The mushroom model contains -- LOD levels, so the StaticModel component will automatically select the LOD level according to the view distance (you'll -- see the model get simpler as it moves further away). Finally, rendering a large number of the same object with the -- same material allows instancing to be used, if the GPU supports it. This reduces the amount of CPU work in rendering the -- scene. local NUM_OBJECTS = 200 for i = 1, NUM_OBJECTS do local mushroomNode = scene_:CreateChild("Mushroom") mushroomNode.position = math3d.Vector3(math3d.Random(90.0) - 45.0, 0.0, math3d.Random(90.0) - 45.0) mushroomNode.rotation = math3d.Quaternion(0.0, math3d.Random(360.0), 0.0) mushroomNode:SetScale(0.5 + math3d.Random(2.0)) local mushroomObject = mushroomNode:CreateComponent("StaticModel") mushroomObject.model = cache:GetResource("Model", "Models/Mushroom.mdl") mushroomObject.material = cache:GetResource("Material", "Materials/Mushroom.xml") end CreateCharacter() CreateEffect() -- Create a scene node for the camera, which we will move around -- The camera will use default settings (1000 far clip distance, 45 degrees FOV, set aspect ratio automatically) cameraNode = scene_:CreateChild("Camera") camera = cameraNode:CreateComponent("Camera") -- Set an initial position for the camera scene node above the plane cameraNode.position = math3d.Vector3(0.0, 15.0, -25.0) cameraNode:LookAt(math3d.Vector3.ZERO) Effekseer.Init(camera) BagScene:CreateTestUI() local wp = character_:GetWorldPosition() local sp = camera:WorldToScreenPoint(wp + math3d.Vector3(0.0, nameheight, 0.0)) username:setPosition(graphics_system.width * sp.x - 48, graphics_system.height * sp.y) -- audio local bankname = "Sounds/Master.bank" local ret = Audio.LoadBank(bankname) if not ret then print("LoadBank Faied. :", bankname) end local bankname = "Sounds/Master.strings.bank" ret = Audio.LoadBank(bankname) if not ret then print("LoadBank Faied. :", bankname) end sound_attack_ = Audio.GetEvent("event:/Scene/attack") sound_click_ = Audio.GetEvent("event:/UI/click") local ret = network:Connect(server_addr, server_port, nil) local info = "connect server " .. server_addr .. ":" .. tostring(server_port) if ret then connection = network:GetServerConnection() print(info .. " success.") else print(info .. " failed.") end end function CreateInstructions() -- Construct new Text object, set string to display and font to use -- local instructionText = ui.root:CreateChild("Text") -- instructionText:SetText("Use WASD keys and mouse to move") -- instructionText:SetFont(cache:GetResource("Font", "Fonts/Anonymous Pro.ttf"), 15) -- -- Position the text relative to the screen center -- instructionText.horizontalAlignment = HA_CENTER -- instructionText.verticalAlignment = VA_CENTER -- instructionText:SetPosition(0, math.floor(ui.root.height / 4)) end function SetupViewport() -- Set up a viewport to the Renderer subsystem so that the 3D scene can be seen. We need to define the scene and the camera -- at minimum. Additionally we could configure the viewport screen size and the rendering path (eg. forward / deferred) to -- use, but now we just use full screen and default render path configured in the engine command line options local viewport = Viewport(scene_, cameraNode:GetComponent("Camera")) renderer_system:SetViewport(0, viewport) end function MoveCamera(timeStep) -- Do not move if the UI has a focused element (the console) if ui.focusElement ~= nil then return end if input_system:GetMouseButtonDown(input.MOUSEB_RIGHT) then -- Mouse sensitivity as degrees per pixel local MOUSE_SENSITIVITY = 0.1 -- Use this frame's mouse motion to adjust camera node yaw and pitch. Clamp the pitch between -90 and 90 degrees local mouseMove = input_system.mouseMove yaw = yaw +MOUSE_SENSITIVITY * mouseMove.x pitch = pitch + MOUSE_SENSITIVITY * mouseMove.y pitch = math3d.ClampF(pitch, -90.0, 90.0) -- Construct new orientation for the camera scene node from yaw and pitch. Roll is fixed to zero cameraNode.rotation = math3d.Quaternion(pitch, yaw, 0.0) end -- Movement speed as world units per second local MOVE_SPEED = 20.0 -- Read WASD keys and move the camera scene node to the corresponding direction if they are pressed -- Use the Translate() function (default local space) to move relative to the node's orientation. if input_system:GetKeyDown(input.KEY_W) then cameraNode:Translate(math3d.Vector3(0.0, 0.0, 1.0) * MOVE_SPEED * timeStep) end if input_system:GetKeyDown(input.KEY_S) then cameraNode:Translate(math3d.Vector3(0.0, 0.0, -1.0) * MOVE_SPEED * timeStep) end if input_system:GetKeyDown(input.KEY_A) then cameraNode:Translate(math3d.Vector3(-1.0, 0.0, 0.0) * MOVE_SPEED * timeStep) end if input_system:GetKeyDown(input.KEY_D) then cameraNode:Translate(math3d.Vector3(1.0, 0.0, 0.0) * MOVE_SPEED * timeStep) end end function ShowMessage(msg) if #chat_list < 1 then for i=1,10,1 do local item = FairyGUI.CreateText("") item:setFontSize(20) gui_root:addChild(item) chat_list[#chat_list + 1] = { display = item, life = 0.0 } end end local item = table.remove(chat_list, #chat_list) item.display:setText(msg) item.display:setVisible(true) item.life = 0.0 table.insert(chat_list, 1, item) for i=1,10,1 do chat_list[i].display:setPosition(10, 680 - i * 24) end end function HandleNetworkMessage(eventType, eventData) --local msgID = eventData[P_MESSAGEID]:GetInt() local msgID = eventData["MessageID"]:GetInt() if msgID == MSG_CHAT then local text = eventData["Data"]:GetString(); ShowMessage(text) end end function SubscribeToEvents() -- Subscribe HandleUpdate() function for processing update events SubscribeToEvent("Update", "HandleUpdate") SubscribeToEvent("NetworkMessage", "HandleNetworkMessage") end function HandleUpdate(eventType, eventData) --print("--------- HandleUpdate ", eventType, eventData) -- Take the frame time step, which is stored as a float local timeStep = eventData["TimeStep"]:GetFloat() for _, item in ipairs(chat_list) do item.life = item.life + timeStep if item.life > 10.0 then item.display:setVisible(false) end end -- Move the camera, scale movement with time step MoveCamera(timeStep) if character_ then if attack_ then if anim_ctrl:IsAtEnd(attack_anim) then anim_ctrl:Stop(attack_anim) anim_ctrl:Play(idle_anim, 0, true) attack_ = false end else if FairyGUI.IsJoystickCapture() then if not anim_ctrl:IsPlaying(run_anim) then anim_ctrl:Stop(idle_anim, fadetime) anim_ctrl:Play(run_anim, 0, true, fadetime) end character_.rotation = math3d.Quaternion(0.0, FairyGUI.GetJoystickRotation() - 90.0, 0.0) local MOVE_SPEED = -5.0 character_:Translate(character_:GetWorldDirection() * MOVE_SPEED * timeStep, TS_WORLD) local wp = character_:GetWorldPosition() cameraNode:SetPosition(wp + math3d.Vector3(0.0, 15.0, -25.0)) cameraNode:LookAt(wp) wp.y = wp.y + nameheight local sp = camera:WorldToScreenPoint(wp) username:setPosition(graphics_system.width * sp.x - 48, graphics_system.height * sp.y) else if anim_ctrl:IsPlaying(run_anim) then anim_ctrl:Stop(run_anim, fadetime) anim_ctrl:Play(idle_anim, 0, true, fadetime) end end end end end
----------------------- --[[ Organization : Insanity ]]-- --[[ Name : Ender (Thou who collects the souls of innocents) ]]-- --[[ Creator / Captain : DATA RESTRICTED ]]-- ------------------------------------------------------- --A script By makhail07 --Discord Creterisk#2958 --This script is a fucking mistake have fun skids ------------------------------------------------------- local FavIDs = { 340106355, --Nefl Crystals 927529620, --Dimension 876981900, --Fantasy 398987889, --Ordinary Days 1117396305, --Oh wait, it's you. 885996042, --Action Winter Journey 919231299, --Sprawling Idiot Effigy 743466274, --Good Day Sunshine 727411183, --Knife Fight 1402748531, --The Earth Is Counting On You! 595230126 --Robot Language } --The reality of my life isn't real but a Universe -makhail07 wait() local plr = game:service'Players'.LocalPlayer print('Local User is '..plr.Name) local char = plr.Character local hum = char.Humanoid local ra = char["Right Arm"] local la= char["Left Arm"] local rl= char["Right Leg"] local ll = char["Left Leg"] local hed = char.Head local root = char.HumanoidRootPart local rootj = root.RootJoint local tors = char.Torso local mouse = plr:GetMouse() local RootCF = CFrame.fromEulerAnglesXYZ(-1.57, 0, 3.14) local RHCF = CFrame.fromEulerAnglesXYZ(0, 1.6, 0) local LHCF = CFrame.fromEulerAnglesXYZ(0, -1.6, 0) ------------------------------------------------------- --Start Good Stuff-- ------------------------------------------------------- CF = CFrame.new angles = CFrame.Angles attack = false Euler = CFrame.fromEulerAnglesXYZ Rad = math.rad IT = Instance.new BrickC = BrickColor.new Cos = math.cos Acos = math.acos Sin = math.sin Asin = math.asin Abs = math.abs Mrandom = math.random Floor = math.floor ------------------------------------------------------- --End Good Stuff-- ------------------------------------------------------- necko = CF(0, 1, 0, -1, -0, -0, 0, 0, 1, 0, 1, 0) RSH, LSH = nil, nil RW = Instance.new("Weld") LW = Instance.new("Weld") RH = tors["Right Hip"] LH = tors["Left Hip"] RSH = tors["Right Shoulder"] LSH = tors["Left Shoulder"] RSH.Parent = nil LSH.Parent = nil RW.Name = "RW" RW.Part0 = tors RW.C0 = CF(1.5, 0.5, 0) RW.C1 = CF(0, 0.5, 0) RW.Part1 = ra RW.Parent = tors LW.Name = "LW" LW.Part0 = tors LW.C0 = CF(-1.5, 0.5, 0) LW.C1 = CF(0, 0.5, 0) LW.Part1 = la LW.Parent = tors Effects = {} ------------------------------------------------------- --Start HeartBeat-- ------------------------------------------------------- ArtificialHB = Instance.new("BindableEvent", script) ArtificialHB.Name = "Heartbeat" script:WaitForChild("Heartbeat") frame = 1 / 60 tf = 0 allowframeloss = false tossremainder = false lastframe = tick() script.Heartbeat:Fire() game:GetService("RunService").Heartbeat:connect(function(s, p) tf = tf + s if tf >= frame then if allowframeloss then script.Heartbeat:Fire() lastframe = tick() else for i = 1, math.floor(tf / frame) do script.Heartbeat:Fire() end lastframe = tick() end if tossremainder then tf = 0 else tf = tf - frame * math.floor(tf / frame) end end end) ------------------------------------------------------- --End HeartBeat-- ------------------------------------------------------- ------------------------------------------------------- --Start Important Functions-- ------------------------------------------------------- function swait(num) if num == 0 or num == nil then game:service("RunService").Stepped:wait(0) else for i = 0, num do game:service("RunService").Stepped:wait(0) end end end function thread(f) coroutine.resume(coroutine.create(f)) end function clerp(a, b, t) local qa = { QuaternionFromCFrame(a) } local qb = { QuaternionFromCFrame(b) } local ax, ay, az = a.x, a.y, a.z local bx, by, bz = b.x, b.y, b.z local _t = 1 - t return QuaternionToCFrame(_t * ax + t * bx, _t * ay + t * by, _t * az + t * bz, QuaternionSlerp(qa, qb, t)) end function QuaternionFromCFrame(cf) local mx, my, mz, m00, m01, m02, m10, m11, m12, m20, m21, m22 = cf:components() local trace = m00 + m11 + m22 if trace > 0 then local s = math.sqrt(1 + trace) local recip = 0.5 / s return (m21 - m12) * recip, (m02 - m20) * recip, (m10 - m01) * recip, s * 0.5 else local i = 0 if m00 < m11 then i = 1 end if m22 > (i == 0 and m00 or m11) then i = 2 end if i == 0 then local s = math.sqrt(m00 - m11 - m22 + 1) local recip = 0.5 / s return 0.5 * s, (m10 + m01) * recip, (m20 + m02) * recip, (m21 - m12) * recip elseif i == 1 then local s = math.sqrt(m11 - m22 - m00 + 1) local recip = 0.5 / s return (m01 + m10) * recip, 0.5 * s, (m21 + m12) * recip, (m02 - m20) * recip elseif i == 2 then local s = math.sqrt(m22 - m00 - m11 + 1) local recip = 0.5 / s return (m02 + m20) * recip, (m12 + m21) * recip, 0.5 * s, (m10 - m01) * recip end end end function QuaternionToCFrame(px, py, pz, x, y, z, w) local xs, ys, zs = x + x, y + y, z + z local wx, wy, wz = w * xs, w * ys, w * zs local xx = x * xs local xy = x * ys local xz = x * zs local yy = y * ys local yz = y * zs local zz = z * zs return CFrame.new(px, py, pz, 1 - (yy + zz), xy - wz, xz + wy, xy + wz, 1 - (xx + zz), yz - wx, xz - wy, yz + wx, 1 - (xx + yy)) end function QuaternionSlerp(a, b, t) local cosTheta = a[1] * b[1] + a[2] * b[2] + a[3] * b[3] + a[4] * b[4] local startInterp, finishInterp if cosTheta >= 1.0E-4 then if 1 - cosTheta > 1.0E-4 then local theta = math.acos(cosTheta) local invSinTheta = 1 / Sin(theta) startInterp = Sin((1 - t) * theta) * invSinTheta finishInterp = Sin(t * theta) * invSinTheta else startInterp = 1 - t finishInterp = t end elseif 1 + cosTheta > 1.0E-4 then local theta = math.acos(-cosTheta) local invSinTheta = 1 / Sin(theta) startInterp = Sin((t - 1) * theta) * invSinTheta finishInterp = Sin(t * theta) * invSinTheta else startInterp = t - 1 finishInterp = t end return a[1] * startInterp + b[1] * finishInterp, a[2] * startInterp + b[2] * finishInterp, a[3] * startInterp + b[3] * finishInterp, a[4] * startInterp + b[4] * finishInterp end function rayCast(Position, Direction, Range, Ignore) return game:service("Workspace"):FindPartOnRay(Ray.new(Position, Direction.unit * (Range or 999.999)), Ignore) end local RbxUtility = LoadLibrary("RbxUtility") local Create = RbxUtility.Create ------------------------------------------------------- --Start Damage Function-- ------------------------------------------------------- function Damage(Part, hit, minim, maxim, knockback, Type, Property, Delay, HitSound, HitPitch) if hit.Parent == nil then return end local h = hit.Parent:FindFirstChildOfClass("Humanoid") for _, v in pairs(hit.Parent:children()) do if v:IsA("Humanoid") then h = v end end if h ~= nil and hit.Parent.Name ~= char.Name and hit.Parent:FindFirstChild("UpperTorso") ~= nil then hit.Parent:FindFirstChild("Head"):BreakJoints() end if h ~= nil and hit.Parent.Name ~= char.Name and hit.Parent:FindFirstChild("Torso") ~= nil then if hit.Parent:findFirstChild("DebounceHit") ~= nil then if hit.Parent.DebounceHit.Value == true then return end end if insta == true then hit.Parent:FindFirstChild("Head"):BreakJoints() end local c = Create("ObjectValue"){ Name = "creator", Value = game:service("Players").LocalPlayer, Parent = h, } game:GetService("Debris"):AddItem(c, .5) if HitSound ~= nil and HitPitch ~= nil then CFuncs.Sound.Create(HitSound, hit, 1, HitPitch) end local Damage = math.random(minim, maxim) local blocked = false local block = hit.Parent:findFirstChild("Block") if block ~= nil then if block.className == "IntValue" then if block.Value > 0 then blocked = true block.Value = block.Value - 1 print(block.Value) end end end if blocked == false then h.Health = h.Health - Damage ShowDamage((Part.CFrame * CFrame.new(0, 0, (Part.Size.Z / 2)).p + Vector3.new(0, 1.5, 0)), -Damage, 1.5, tors.BrickColor.Color) else h.Health = h.Health - (Damage / 2) ShowDamage((Part.CFrame * CFrame.new(0, 0, (Part.Size.Z / 2)).p + Vector3.new(0, 1.5, 0)), -Damage, 1.5, tors.BrickColor.Color) end if Type == "Knockdown" then local hum = hit.Parent.Humanoid hum.PlatformStand = true coroutine.resume(coroutine.create(function(HHumanoid) swait(1) HHumanoid.PlatformStand = false end), hum) local angle = (hit.Position - (Property.Position + Vector3.new(0, 0, 0))).unit local bodvol = Create("BodyVelocity"){ velocity = angle * knockback, P = 5000, maxForce = Vector3.new(8e+003, 8e+003, 8e+003), Parent = hit, } local rl = Create("BodyAngularVelocity"){ P = 3000, maxTorque = Vector3.new(500000, 500000, 500000) * 50000000000000, angularvelocity = Vector3.new(math.random(-10, 10), math.random(-10, 10), math.random(-10, 10)), Parent = hit, } game:GetService("Debris"):AddItem(bodvol, .5) game:GetService("Debris"):AddItem(rl, .5) elseif Type == "Normal" then local vp = Create("BodyVelocity"){ P = 500, maxForce = Vector3.new(math.huge, 0, math.huge), velocity = Property.CFrame.lookVector * knockback + Property.Velocity / 1.05, } if knockback > 0 then vp.Parent = hit.Parent.Torso end game:GetService("Debris"):AddItem(vp, .5) elseif Type == "Up" then local bodyVelocity = Create("BodyVelocity"){ velocity = Vector3.new(0, 20, 0), P = 5000, maxForce = Vector3.new(8e+003, 8e+003, 8e+003), Parent = hit, } game:GetService("Debris"):AddItem(bodyVelocity, .5) elseif Type == "DarkUp" then coroutine.resume(coroutine.create(function() for i = 0, 1, 0.1 do swait() Effects.Block.Create(BrickColor.new("Black"), hit.Parent.Torso.CFrame, 5, 5, 5, 1, 1, 1, .08, 1) end end)) local bodyVelocity = Create("BodyVelocity"){ velocity = Vector3.new(0, 20, 0), P = 5000, maxForce = Vector3.new(8e+003, 8e+003, 8e+003), Parent = hit, } game:GetService("Debris"):AddItem(bodyVelocity, 1) elseif Type == "Snare" then local bp = Create("BodyPosition"){ P = 2000, D = 100, maxForce = Vector3.new(math.huge, math.huge, math.huge), position = hit.Parent.Torso.Position, Parent = hit.Parent.Torso, } game:GetService("Debris"):AddItem(bp, 1) elseif Type == "Freeze" then local BodPos = Create("BodyPosition"){ P = 50000, D = 1000, maxForce = Vector3.new(math.huge, math.huge, math.huge), position = hit.Parent.Torso.Position, Parent = hit.Parent.Torso, } local BodGy = Create("BodyGyro") { maxTorque = Vector3.new(4e+005, 4e+005, 4e+005) * math.huge , P = 20e+003, Parent = hit.Parent.Torso, cframe = hit.Parent.Torso.CFrame, } hit.Parent.Torso.Anchored = true coroutine.resume(coroutine.create(function(Part) swait(1.5) Part.Anchored = false end), hit.Parent.Torso) game:GetService("Debris"):AddItem(BodPos, 3) game:GetService("Debris"):AddItem(BodGy, 3) end local debounce = Create("BoolValue"){ Name = "DebounceHit", Parent = hit.Parent, Value = true, } game:GetService("Debris"):AddItem(debounce, Delay) c = Create("ObjectValue"){ Name = "creator", Value = Player, Parent = h, } game:GetService("Debris"):AddItem(c, .5) end end ------------------------------------------------------- --End Damage Function-- ------------------------------------------------------- ------------------------------------------------------- --Start Damage Function Customization-- ------------------------------------------------------- function ShowDamage(Pos, Text, Time, Color) local Rate = (1 / 30) local Pos = (Pos or Vector3.new(0, 0, 0)) local Text = (Text or "") local Time = (Time or 2) local Color = (Color or Color3.new(1, 0, 1)) local EffectPart = CFuncs.Part.Create(workspace, "SmoothPlastic", 0, 1, BrickColor.new(Color), "Effect", Vector3.new(0, 0, 0)) EffectPart.Anchored = true local BillboardGui = Create("BillboardGui"){ Size = UDim2.new(3, 0, 3, 0), Adornee = EffectPart, Parent = EffectPart, } local TextLabel = Create("TextLabel"){ BackgroundTransparency = 1, Size = UDim2.new(1, 0, 1, 0), Text = Text, Font = "Bodoni", TextColor3 = Color, TextScaled = true, TextStrokeColor3 = Color3.fromRGB(0,0,0), Parent = BillboardGui, } game.Debris:AddItem(EffectPart, (Time)) EffectPart.Parent = game:GetService("Workspace") delay(0, function() local Frames = (Time / Rate) for Frame = 1, Frames do wait(Rate) local Percent = (Frame / Frames) EffectPart.CFrame = CFrame.new(Pos) + Vector3.new(0, Percent, 0) TextLabel.TextTransparency = Percent end if EffectPart and EffectPart.Parent then EffectPart:Destroy() end end) end ------------------------------------------------------- --End Damage Function Customization-- ------------------------------------------------------- function MagniDamage(Part, magni, mindam, maxdam, knock, Type) for _, c in pairs(workspace:children()) do local hum = c:findFirstChild("Humanoid") if hum ~= nil then local head = c:findFirstChild("Head") if head ~= nil then local targ = head.Position - Part.Position local mag = targ.magnitude if magni >= mag and c.Name ~= plr.Name then Damage(head, head, mindam, maxdam, knock, Type, root, 0.1, "http://www.roblox.com/asset/?id=0", 1.2) end end end end end CFuncs = { Part = { Create = function(Parent, Material, Reflectance, Transparency, BColor, Name, Size) local Part = Create("Part")({ Parent = Parent, Reflectance = Reflectance, Transparency = Transparency, CanCollide = false, Locked = true, BrickColor = BrickColor.new(tostring(BColor)), Name = Name, Size = Size, Material = Material }) RemoveOutlines(Part) return Part end }, Mesh = { Create = function(Mesh, Part, MeshType, MeshId, OffSet, Scale) local Msh = Create(Mesh)({ Parent = Part, Offset = OffSet, Scale = Scale }) if Mesh == "SpecialMesh" then Msh.MeshType = MeshType Msh.MeshId = MeshId end return Msh end }, Mesh = { Create = function(Mesh, Part, MeshType, MeshId, OffSet, Scale) local Msh = Create(Mesh)({ Parent = Part, Offset = OffSet, Scale = Scale }) if Mesh == "SpecialMesh" then Msh.MeshType = MeshType Msh.MeshId = MeshId end return Msh end }, Weld = { Create = function(Parent, Part0, Part1, C0, C1) local Weld = Create("Weld")({ Parent = Parent, Part0 = Part0, Part1 = Part1, C0 = C0, C1 = C1 }) return Weld end }, Sound = { Create = function(id, par, vol, pit) coroutine.resume(coroutine.create(function() local S = Create("Sound")({ Volume = vol, Pitch = pit or 1, SoundId = id, Parent = par or workspace }) wait() S:play() game:GetService("Debris"):AddItem(S, 6) end)) end }, ParticleEmitter = { Create = function(Parent, Color1, Color2, LightEmission, Size, Texture, Transparency, ZOffset, Accel, Drag, LockedToPart, VelocityInheritance, EmissionDirection, Enabled, LifeTime, Rate, Rotation, RotSpeed, Speed, VelocitySpread) local fp = Create("ParticleEmitter")({ Parent = Parent, Color = ColorSequence.new(Color1, Color2), LightEmission = LightEmission, Size = Size, Texture = Texture, Transparency = Transparency, ZOffset = ZOffset, Acceleration = Accel, Drag = Drag, LockedToPart = LockedToPart, VelocityInheritance = VelocityInheritance, EmissionDirection = EmissionDirection, Enabled = Enabled, Lifetime = LifeTime, Rate = Rate, Rotation = Rotation, RotSpeed = RotSpeed, Speed = Speed, VelocitySpread = VelocitySpread }) return fp end } } function RemoveOutlines(part) part.TopSurface, part.BottomSurface, part.LeftSurface, part.RightSurface, part.FrontSurface, part.BackSurface = 10, 10, 10, 10, 10, 10 end function CreatePart(FormFactor, Parent, Material, Reflectance, Transparency, BColor, Name, Size) local Part = Create("Part")({ formFactor = FormFactor, Parent = Parent, Reflectance = Reflectance, Transparency = Transparency, CanCollide = false, Locked = true, BrickColor = BrickColor.new(tostring(BColor)), Name = Name, Size = Size, Material = Material }) RemoveOutlines(Part) return Part end function CreateMesh(Mesh, Part, MeshType, MeshId, OffSet, Scale) local Msh = Create(Mesh)({ Parent = Part, Offset = OffSet, Scale = Scale }) if Mesh == "SpecialMesh" then Msh.MeshType = MeshType Msh.MeshId = MeshId end return Msh end function CreateWeld(Parent, Part0, Part1, C0, C1) local Weld = Create("Weld")({ Parent = Parent, Part0 = Part0, Part1 = Part1, C0 = C0, C1 = C1 }) return Weld end ------------------------------------------------------- --Start Effect Function-- ------------------------------------------------------- EffectModel = Instance.new("Model", char) Effects = { Block = { Create = function(brickcolor, cframe, x1, y1, z1, x3, y3, z3, delay, Type) local prt = CFuncs.Part.Create(EffectModel, "SmoothPlastic", 0, 0, brickcolor, "Effect", Vector3.new()) prt.Anchored = true prt.CFrame = cframe local msh = CFuncs.Mesh.Create("BlockMesh", prt, "", "", Vector3.new(0, 0, 0), Vector3.new(x1, y1, z1)) game:GetService("Debris"):AddItem(prt, 10) if Type == 1 or Type == nil then table.insert(Effects, { prt, "Block1", delay, x3, y3, z3, msh }) elseif Type == 2 then table.insert(Effects, { prt, "Block2", delay, x3, y3, z3, msh }) else table.insert(Effects, { prt, "Block3", delay, x3, y3, z3, msh }) end end }, Sphere = { Create = function(brickcolor, cframe, x1, y1, z1, x3, y3, z3, delay) local prt = CFuncs.Part.Create(EffectModel, "Neon", 0, 0, brickcolor, "Effect", Vector3.new()) prt.Anchored = true prt.CFrame = cframe local msh = CFuncs.Mesh.Create("SpecialMesh", prt, "Sphere", "", Vector3.new(0, 0, 0), Vector3.new(x1, y1, z1)) game:GetService("Debris"):AddItem(prt, 10) table.insert(Effects, { prt, "Cylinder", delay, x3, y3, z3, msh }) end }, Cylinder = { Create = function(brickcolor, cframe, x1, y1, z1, x3, y3, z3, delay) local prt = CFuncs.Part.Create(EffectModel, "SmoothPlastic", 0, 0, brickcolor, "Effect", Vector3.new()) prt.Anchored = true prt.CFrame = cframe local msh = CFuncs.Mesh.Create("CylinderMesh", prt, "", "", Vector3.new(0, 0, 0), Vector3.new(x1, y1, z1)) game:GetService("Debris"):AddItem(prt, 10) table.insert(Effects, { prt, "Cylinder", delay, x3, y3, z3, msh }) end }, Wave = { Create = function(brickcolor, cframe, x1, y1, z1, x3, y3, z3, delay) local prt = CFuncs.Part.Create(EffectModel, "Neon", 0, 0, brickcolor, "Effect", Vector3.new()) prt.Anchored = true prt.CFrame = cframe local msh = CFuncs.Mesh.Create("SpecialMesh", prt, "FileMesh", "rbxassetid://20329976", Vector3.new(0, 0, 0), Vector3.new(x1 / 60, y1 / 60, z1 / 60)) game:GetService("Debris"):AddItem(prt, 10) table.insert(Effects, { prt, "Cylinder", delay, x3 / 60, y3 / 60, z3 / 60, msh }) end }, Ring = { Create = function(brickcolor, cframe, x1, y1, z1, x3, y3, z3, delay) local prt = CFuncs.Part.Create(EffectModel, "SmoothPlastic", 0, 0, brickcolor, "Effect", Vector3.new()) prt.Anchored = true prt.CFrame = cframe local msh = CFuncs.Mesh.Create("SpecialMesh", prt, "FileMesh", "rbxassetid://3270017", Vector3.new(0, 0, 0), Vector3.new(x1, y1, z1)) game:GetService("Debris"):AddItem(prt, 10) table.insert(Effects, { prt, "Cylinder", delay, x3, y3, z3, msh }) end }, Break = { Create = function(brickcolor, cframe, x1, y1, z1) local prt = CFuncs.Part.Create(EffectModel, "Neon", 0, 0, brickcolor, "Effect", Vector3.new(0.5, 0.5, 0.5)) prt.Anchored = true prt.CFrame = cframe * CFrame.fromEulerAnglesXYZ(math.random(-50, 50), math.random(-50, 50), math.random(-50, 50)) local msh = CFuncs.Mesh.Create("SpecialMesh", prt, "Sphere", "", Vector3.new(0, 0, 0), Vector3.new(x1, y1, z1)) local num = math.random(10, 50) / 1000 game:GetService("Debris"):AddItem(prt, 10) table.insert(Effects, { prt, "Shatter", num, prt.CFrame, math.random() - math.random(), 0, math.random(50, 100) / 100 }) end }, Spiral = { Create = function(brickcolor, cframe, x1, y1, z1, x3, y3, z3, delay) local prt = CFuncs.Part.Create(EffectModel, "SmoothPlastic", 0, 0, brickcolor, "Effect", Vector3.new()) prt.Anchored = true prt.CFrame = cframe local msh = CFuncs.Mesh.Create("SpecialMesh", prt, "FileMesh", "rbxassetid://1051557", Vector3.new(0, 0, 0), Vector3.new(x1, y1, z1)) game:GetService("Debris"):AddItem(prt, 10) table.insert(Effects, { prt, "Cylinder", delay, x3, y3, z3, msh }) end }, Push = { Create = function(brickcolor, cframe, x1, y1, z1, x3, y3, z3, delay) local prt = CFuncs.Part.Create(EffectModel, "SmoothPlastic", 0, 0, brickcolor, "Effect", Vector3.new()) prt.Anchored = true prt.CFrame = cframe local msh = CFuncs.Mesh.Create("SpecialMesh", prt, "FileMesh", "rbxassetid://437347603", Vector3.new(0, 0, 0), Vector3.new(x1, y1, z1)) game:GetService("Debris"):AddItem(prt, 10) table.insert(Effects, { prt, "Cylinder", delay, x3, y3, z3, msh }) end } } ------------------------------------------------------- --End Effect Function-- ------------------------------------------------------- function CreateSound(ID, PARENT, VOLUME, PITCH) local NSound = nil coroutine.resume(coroutine.create(function() NSound = Instance.new("Sound", PARENT) NSound.Volume = VOLUME NSound.Pitch = PITCH NSound.SoundId = "http://www.roblox.com/asset/?id="..ID swait() NSound:play() game:GetService("Debris"):AddItem(NSound, 10) end)) return NSound end function Eviscerate(dude) if dude.Name ~= char then local bgf = IT("BodyGyro", dude.Head) bgf.CFrame = bgf.CFrame * CFrame.fromEulerAnglesXYZ(Rad(-90), 0, 0) local val = IT("BoolValue", dude) val.Name = "IsHit" local ds = coroutine.wrap(function() dude:WaitForChild("Head"):BreakJoints() wait(0.5) target = nil coroutine.resume(coroutine.create(function() for i, v in pairs(dude:GetChildren()) do if v:IsA("Accessory") then v:Destroy() end if v:IsA("Humanoid") then v:Destroy() end if v:IsA("CharacterMesh") then v:Destroy() end if v:IsA("Model") then v:Destroy() end if v:IsA("Part") or v:IsA("MeshPart") then for x, o in pairs(v:GetChildren()) do if o:IsA("Decal") then o:Destroy() end end coroutine.resume(coroutine.create(function() v.Material = "Neon" v.CanCollide = false local PartEmmit1 = IT("ParticleEmitter", v) PartEmmit1.LightEmission = 1 PartEmmit1.Texture = "rbxassetid://284205403" PartEmmit1.Color = ColorSequence.new(maincolor.Color) PartEmmit1.Rate = 150 PartEmmit1.Lifetime = NumberRange.new(1) PartEmmit1.Size = NumberSequence.new({ NumberSequenceKeypoint.new(0, 0.75, 0), NumberSequenceKeypoint.new(1, 0, 0) }) PartEmmit1.Transparency = NumberSequence.new({ NumberSequenceKeypoint.new(0, 0, 0), NumberSequenceKeypoint.new(1, 1, 0) }) PartEmmit1.Speed = NumberRange.new(0, 0) PartEmmit1.VelocitySpread = 30000 PartEmmit1.Rotation = NumberRange.new(-500, 500) PartEmmit1.RotSpeed = NumberRange.new(-500, 500) local BodPoss = IT("BodyPosition", v) BodPoss.P = 3000 BodPoss.D = 1000 BodPoss.maxForce = Vector3.new(50000000000, 50000000000, 50000000000) BodPoss.position = v.Position + Vector3.new(Mrandom(-15, 15), Mrandom(-15, 15), Mrandom(-15, 15)) v.Color = maincolor.Color coroutine.resume(coroutine.create(function() for i = 0, 49 do swait(1) v.Transparency = v.Transparency + 0.08 end wait(0.5) PartEmmit1.Enabled = false wait(3) v:Destroy() dude:Destroy() end)) end)) end end end)) end) ds() end end function SphereAura(bonuspeed, FastSpeed, type, pos, x1, y1, z1, value, color, outerpos) local type = type local rng = Instance.new("Part", char) rng.Anchored = true rng.BrickColor = color rng.CanCollide = false rng.FormFactor = 3 rng.Name = "Ring" rng.Material = "Neon" rng.Size = Vector3.new(1, 1, 1) rng.Transparency = 0 rng.TopSurface = 0 rng.BottomSurface = 0 rng.CFrame = pos rng.CFrame = rng.CFrame + rng.CFrame.lookVector * outerpos local rngm = Instance.new("SpecialMesh", rng) rngm.MeshType = "Sphere" rngm.Scale = Vector3.new(x1, y1, z1) local scaler2 = 1 local speeder = FastSpeed if type == "Add" then scaler2 = 1 * value elseif type == "Divide" then scaler2 = 1 / value end coroutine.resume(coroutine.create(function() for i = 0, 10 / bonuspeed, 0.1 do swait() if type == "Add" then scaler2 = scaler2 - 0.01 * value / bonuspeed elseif type == "Divide" then scaler2 = scaler2 - 0.01 / value * bonuspeed end rng.BrickColor = BrickColor.random() speeder = speeder - 0.01 * FastSpeed * bonuspeed rng.CFrame = rng.CFrame + rng.CFrame.lookVector * speeder * bonuspeed rng.Transparency = rng.Transparency + 0.01 * bonuspeed rngm.Scale = rngm.Scale + Vector3.new(scaler2 * bonuspeed, scaler2 * bonuspeed, 0) end rng:Destroy() end)) end function FindNearestHead(Position, Distance, SinglePlayer) if SinglePlayer then return Distance > (SinglePlayer.Torso.CFrame.p - Position).magnitude end local List = {} for i, v in pairs(workspace:GetChildren()) do if v:IsA("Model") and v:findFirstChild("Head") and v ~= char and Distance >= (v.Head.Position - Position).magnitude then table.insert(List, v) end end return List end function SoulSteal(dude) if dude.Name ~= char then local bgf = IT("BodyGyro", dude.Head) bgf.CFrame = bgf.CFrame * CFrame.fromEulerAnglesXYZ(Rad(-90), 0, 0) local val = IT("BoolValue", dude) val.Name = "IsHit" local torso = (dude:FindFirstChild'Head' or dude:FindFirstChild'Torso' or dude:FindFirstChild'UpperTorso' or dude:FindFirstChild'LowerTorso' or dude:FindFirstChild'HumanoidRootPart') local soulst = coroutine.wrap(function() local soul = Instance.new("Part",dude) soul.Size = Vector3.new(1,1,1) soul.CanCollide = false soul.Anchored = false soul.Position = torso.Position soul.Transparency = 1 local PartEmmit1 = IT("ParticleEmitter", soul) PartEmmit1.LightEmission = 1 PartEmmit1.Texture = "rbxassetid://569507414" PartEmmit1.Color = ColorSequence.new(maincolor.Color) PartEmmit1.Rate = 250 PartEmmit1.Lifetime = NumberRange.new(1.6) PartEmmit1.Size = NumberSequence.new({ NumberSequenceKeypoint.new(0, 1, 0), NumberSequenceKeypoint.new(1, 0, 0) }) PartEmmit1.Transparency = NumberSequence.new({ NumberSequenceKeypoint.new(0, 0, 0), NumberSequenceKeypoint.new(1, 1, 0) }) PartEmmit1.Speed = NumberRange.new(0, 0) PartEmmit1.VelocitySpread = 30000 PartEmmit1.Rotation = NumberRange.new(-360, 360) PartEmmit1.RotSpeed = NumberRange.new(-360, 360) local BodPoss = IT("BodyPosition", soul) BodPoss.P = 3000 BodPoss.D = 1000 BodPoss.maxForce = Vector3.new(50000000000, 50000000000, 50000000000) BodPoss.position = torso.Position + Vector3.new(Mrandom(-15, 15), Mrandom(-15, 15), Mrandom(-15, 15)) wait(1.6) soul.Touched:connect(function(hit) if hit.Parent == char then soul:Destroy() end end) wait(1.2) while soul do swait() PartEmmit1.Color = ColorSequence.new(maincolor.Color) BodPoss.Position = tors.Position end end) soulst() end end function FaceMouse() local Cam = workspace.CurrentCamera return { CFrame.new(char.Torso.Position, Vector3.new(mouse.Hit.p.x, char.Torso.Position.y, mouse.Hit.p.z)), Vector3.new(mouse.Hit.p.x, mouse.Hit.p.y, mouse.Hit.p.z) } end ------------------------------------------------------- --End Important Functions-- ------------------------------------------------------- --[[ Thanks for using Build-To-Lua by jarredbcv. ]]-- New = function(Object, Parent, Name, Data) local Object = Instance.new(Object) for Index, Value in pairs(Data or {}) do Object[Index] = Value end Object.Parent = Parent Object.Name = Name return Object end Gaunty = New("Model",char,"Gaunty",{}) Handle = New("Part",Gaunty,"Handle",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,FormFactor = Enum.FormFactor.Custom,Size = Vector3.new(1, 1.26999998, 1),CFrame = CFrame.new(-5.67319345, 3.02064276, -77.6615906, 0.999894261, 0.010924357, 0.00963267777, -0.0110270018, 0.999882579, 0.0106679145, -0.00951499958, -0.0107729975, 0.999897003),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) Mesh = New("BlockMesh",Handle,"Mesh",{Scale = Vector3.new(1.03999996, 1, 1.03999996),}) NeonPart = New("Part",Gaunty,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.13999987, 0.109999999, 0.109999999),CFrame = CFrame.new(-5.82765579, 3.62595344, -77.6579285, -4.74974513e-08, -6.18456397e-10, 1.0000006, -5.58793545e-09, 1.0000006, -1.5279511e-10, -1.0000006, 4.65661287e-09, -4.00468707e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle,C0 = CFrame.new(0, 0, 0, -4.37113883e-08, 0, -1, 0, 1, 0, 1, 0, -4.37113883e-08),C1 = CFrame.new(-0.161155701, 0.603512526, 0.00862884521, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.13999987, 0.109999999, 0.109999999),CFrame = CFrame.new(-6.13765526, 3.62595367, -77.6579285, -4.74974513e-08, -6.18456397e-10, 1.0000006, -5.58793545e-09, 1.0000006, -1.5279511e-10, -1.0000006, 4.65661287e-09, -4.00468707e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle,C0 = CFrame.new(0, 0, 0, -4.37113883e-08, 0, -1, 0, 1, 0, 1, 0, -4.37113883e-08),C1 = CFrame.new(-0.471122265, 0.600126028, 0.00564575195, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.13999987, 0.109999999, 0.109999999),CFrame = CFrame.new(-5.5176549, 3.62595415, -77.6579285, -4.74974513e-08, -6.18456397e-10, 1.0000006, -5.58793545e-09, 1.0000006, -1.5279511e-10, -1.0000006, 4.65661287e-09, -4.00468707e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle,C0 = CFrame.new(0, 0, 0, -4.37113883e-08, 0, -1, 0, 1, 0, 1, 0, -4.37113883e-08),C1 = CFrame.new(0.148812294, 0.606899738, 0.0116195679, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.13999987, 0.109999999, 0.109999999),CFrame = CFrame.new(-5.21765471, 3.62595463, -77.6579285, -4.74974513e-08, -6.18456397e-10, 1.0000006, -5.58793545e-09, 1.0000006, -1.5279511e-10, -1.0000006, 4.65661287e-09, -4.00468707e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle,C0 = CFrame.new(0, 0, 0, -4.37113883e-08, 0, -1, 0, 1, 0, 1, 0, -4.37113883e-08),C1 = CFrame.new(0.448780537, 0.610177517, 0.014503479, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.13999987, 0.109999999, 0.109999999),CFrame = CFrame.new(-6.13765526, 2.53595448, -77.6579285, -4.74974513e-08, -6.18456397e-10, 1.0000006, -5.58793545e-09, 1.0000006, -1.5279511e-10, -1.0000006, 4.65661287e-09, -4.00468707e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle,C0 = CFrame.new(0, 0, 0, -4.37113883e-08, 0, -1, 0, 1, 0, 1, 0, -4.37113883e-08),C1 = CFrame.new(-0.459102631, -0.489744425, -0.00598144531, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.13999987, 0.109999999, 0.109999999),CFrame = CFrame.new(-5.82765627, 2.53595448, -77.6579285, -4.74974513e-08, -6.18456397e-10, 1.0000006, -5.58793545e-09, 1.0000006, -1.5279511e-10, -1.0000006, 4.65661287e-09, -4.00468707e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle,C0 = CFrame.new(0, 0, 0, -4.37113883e-08, 0, -1, 0, 1, 0, 1, 0, -4.37113883e-08),C1 = CFrame.new(-0.149136543, -0.486357927, -0.00299835205, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.13999987, 0.109999999, 0.109999999),CFrame = CFrame.new(-5.51765537, 2.53595448, -77.6579361, -4.74974513e-08, -6.18456397e-10, 1.0000006, -5.58793545e-09, 1.0000006, -1.5279511e-10, -1.0000006, 4.65661287e-09, -4.00468707e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle,C0 = CFrame.new(0, 0, 0, -4.37113883e-08, 0, -1, 0, 1, 0, 1, 0, -4.37113883e-08),C1 = CFrame.new(0.160831451, -0.48297143, -1.52587891e-05, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.13999987, 0.109999999, 0.109999999),CFrame = CFrame.new(-5.21765566, 2.53595424, -77.6579361, -4.74974513e-08, -6.18456397e-10, 1.0000006, -5.58793545e-09, 1.0000006, -1.5279511e-10, -1.0000006, 4.65661287e-09, -4.00468707e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle,C0 = CFrame.new(0, 0, 0, -4.37113883e-08, 0, -1, 0, 1, 0, 1, 0, -4.37113883e-08),C1 = CFrame.new(0.460799217, -0.479694128, 0.00286865234, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,FormFactor = Enum.FormFactor.Custom,Size = Vector3.new(1.07999992, 0.279999971, 1.06999993),CFrame = CFrame.new(-5.66865063, 3.64553881, -77.6613617, 0.999894857, 0.0109243635, 0.00963268708, -0.0110270083, 0.999883175, 0.0106679257, -0.00951500144, -0.0107729994, 0.999897599),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) Mesh = New("BlockMesh",Part,"Mesh",{Scale = Vector3.new(1.03999996, 1, 1.03999996),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle,C0 = CFrame.new(0, 0, 0, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),C1 = CFrame.new(-0.00235080719, 0.624869347, 0.00694274902, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,FormFactor = Enum.FormFactor.Custom,Size = Vector3.new(1.08999991, 0.0599999577, 1.07999992),CFrame = CFrame.new(-5.66490126, 3.73544312, -77.6652145, 0.999894857, 0.0109243635, 0.00963268708, -0.0110270083, 0.999883175, 0.0106679257, -0.00951500144, -0.0107729994, 0.999897599),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) Mesh = New("BlockMesh",NeonPart,"Mesh",{Scale = Vector3.new(1.03999996, 1, 1.03999996),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle,C0 = CFrame.new(0, 0, 0, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),C1 = CFrame.new(0.000443935394, 0.714845657, 0.00408172607, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,FormFactor = Enum.FormFactor.Custom,Size = Vector3.new(1.08999991, 0.0599999577, 1.07999992),CFrame = CFrame.new(-5.66480446, 3.52554965, -77.65522, 0.999894857, 0.0109243635, 0.00963268708, -0.0110270083, 0.999883175, 0.0106679257, -0.00951500144, -0.0107729994, 0.999897599),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) Mesh = New("BlockMesh",NeonPart,"Mesh",{Scale = Vector3.new(1.03999996, 1, 1.03999996),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle,C0 = CFrame.new(0, 0, 0, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),C1 = CFrame.new(0.00275993347, 0.504870415, 0.0118331909, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,FormFactor = Enum.FormFactor.Custom,Size = Vector3.new(1.07999992, 0.279999971, 1.06999993),CFrame = CFrame.new(-5.6686511, 2.55553746, -77.6613541, 0.999894857, 0.0109243635, 0.00963268708, -0.0110270083, 0.999883175, 0.0106679257, -0.00951500144, -0.0107729994, 0.999897599),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) Mesh = New("BlockMesh",Part,"Mesh",{Scale = Vector3.new(1.03999996, 1, 1.03999996),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle,C0 = CFrame.new(0, 0, 0, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),C1 = CFrame.new(0.00966835022, -0.465003252, -0.00468444824, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,FormFactor = Enum.FormFactor.Custom,Size = Vector3.new(1.08999991, 0.0599999577, 1.07999992),CFrame = CFrame.new(-5.66490126, 2.64544272, -77.6652145, 0.999894857, 0.0109243635, 0.00963268708, -0.0110270083, 0.999883175, 0.0106679257, -0.00951500144, -0.0107729994, 0.999897599),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) Mesh = New("BlockMesh",NeonPart,"Mesh",{Scale = Vector3.new(1.03999996, 1, 1.03999996),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle,C0 = CFrame.new(0, 0, 0, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),C1 = CFrame.new(0.0124630928, -0.375026226, -0.00754547119, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,FormFactor = Enum.FormFactor.Custom,Size = Vector3.new(1.08999991, 0.0599999577, 1.07999992),CFrame = CFrame.new(-5.66480494, 2.43554902, -77.65522, 0.999894857, 0.0109243635, 0.00963268708, -0.0110270083, 0.999883175, 0.0106679257, -0.00951500144, -0.0107729994, 0.999897599),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) Mesh = New("BlockMesh",NeonPart,"Mesh",{Scale = Vector3.new(1.03999996, 1, 1.03999996),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle,C0 = CFrame.new(0, 0, 0, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),C1 = CFrame.new(0.0147790909, -0.585001707, 0.000205993652, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.12999988, 0.109999999, 0.109999999),CFrame = CFrame.new(-5.67265606, 3.62595463, -78.1079407, 1.0000006, -6.18456397e-10, 3.7252903e-09, -6.18456397e-10, 1.0000006, 4.65661287e-09, 3.7252903e-09, 4.65661287e-09, 1.0000006),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle,C1 = CFrame.new(-0.0018901825, 0.61005497, -0.439842224, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.12999988, 0.109999999, 0.109999999),CFrame = CFrame.new(-5.67265606, 3.62595558, -77.8179321, 1.0000006, -6.18456397e-10, 3.7252903e-09, -6.18456397e-10, 1.0000006, 4.65661287e-09, 3.7252903e-09, 4.65661287e-09, 1.0000006),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle,C1 = CFrame.new(-0.00464963913, 0.606931448, -0.149864197, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.13999987, 0.109999999, 0.109999999),CFrame = CFrame.new(-5.66765547, 3.62595606, -77.4879303, 1.0000006, -6.18456397e-10, 3.7252903e-09, -6.18456397e-10, 1.0000006, 4.65661287e-09, 3.7252903e-09, 4.65661287e-09, 1.0000006),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle,C1 = CFrame.new(-0.00278997421, 0.603431463, 0.180152893, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.13999987, 0.109999999, 0.109999999),CFrame = CFrame.new(-5.66765547, 3.62595654, -77.1979294, 1.0000006, -6.18456397e-10, 3.7252903e-09, -6.18456397e-10, 1.0000006, 4.65661287e-09, 3.7252903e-09, 4.65661287e-09, 1.0000006),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle,C1 = CFrame.new(-0.00554895401, 0.600307703, 0.470123291, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.13999987, 0.109999999, 0.109999999),CFrame = CFrame.new(-5.66765547, 2.53595638, -77.1979294, 1.0000006, -6.18456397e-10, 3.7252903e-09, -6.18456397e-10, 1.0000006, 4.65661287e-09, 3.7252903e-09, 4.65661287e-09, 1.0000006),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle,C1 = CFrame.new(0.0064702034, -0.489563704, 0.458496094, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.13999987, 0.109999999, 0.109999999),CFrame = CFrame.new(-5.66765547, 2.53595614, -77.4879303, 1.0000006, -6.18456397e-10, 3.7252903e-09, -6.18456397e-10, 1.0000006, 4.65661287e-09, 3.7252903e-09, 4.65661287e-09, 1.0000006),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle,C1 = CFrame.new(0.00922966003, -0.486439705, 0.168525696, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.12999988, 0.109999999, 0.109999999),CFrame = CFrame.new(-5.67265558, 2.53595638, -77.8179245, 1.0000006, -6.18456397e-10, 3.7252903e-09, -6.18456397e-10, 1.0000006, 4.65661287e-09, 3.7252903e-09, 4.65661287e-09, 1.0000006),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle,C1 = CFrame.new(0.00736999512, -0.482939243, -0.161483765, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.12999988, 0.109999999, 0.109999999),CFrame = CFrame.new(-5.67265606, 2.53595614, -78.1079254, 1.0000006, -6.18456397e-10, 3.7252903e-09, -6.18456397e-10, 1.0000006, 4.65661287e-09, 3.7252903e-09, 4.65661287e-09, 1.0000006),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle,C1 = CFrame.new(0.0101289749, -0.479815245, -0.451454163, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-5.66765547, 3.62595677, -77.1979218, 1.0000006, -6.18456397e-10, 3.7252903e-09, -6.18456397e-10, 1.0000006, 4.65661287e-09, 3.7252903e-09, 4.65661287e-09, 1.0000006),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle,C1 = CFrame.new(-0.00554943085, 0.600307941, 0.47013092, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-5.66765499, 3.62595701, -77.4879303, 1.0000006, -6.18456397e-10, 3.7252903e-09, -6.18456397e-10, 1.0000006, 4.65661287e-09, 3.7252903e-09, 4.65661287e-09, 1.0000006),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle,C1 = CFrame.new(-0.00278949738, 0.603432655, 0.180152893, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-5.66765451, 3.62595749, -77.8179321, 1.0000006, -6.18456397e-10, 3.7252903e-09, -6.18456397e-10, 1.0000006, 4.65661287e-09, 3.7252903e-09, 4.65661287e-09, 1.0000006),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle,C1 = CFrame.new(0.000350952148, 0.606987953, -0.149810791, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-5.66765451, 3.62595749, -78.107933, 1.0000006, -6.18456397e-10, 3.7252903e-09, -6.18456397e-10, 1.0000006, 4.65661287e-09, 3.7252903e-09, 4.65661287e-09, 1.0000006),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle,C1 = CFrame.new(0.00311040878, 0.61011219, -0.439788818, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-5.66765499, 2.53595734, -78.107933, 1.0000006, -6.18456397e-10, 3.7252903e-09, -6.18456397e-10, 1.0000006, 4.65661287e-09, 3.7252903e-09, 4.65661287e-09, 1.0000006),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle,C1 = CFrame.new(0.0151295662, -0.479759216, -0.451416016, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-5.66765499, 2.5359571, -77.8179245, 1.0000006, -6.18456397e-10, 3.7252903e-09, -6.18456397e-10, 1.0000006, 4.65661287e-09, 3.7252903e-09, 4.65661287e-09, 1.0000006),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle,C1 = CFrame.new(0.0123701096, -0.482883692, -0.161437988, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-5.66765499, 2.5359571, -77.4879227, 1.0000006, -6.18456397e-10, 3.7252903e-09, -6.18456397e-10, 1.0000006, 4.65661287e-09, 3.7252903e-09, 4.65661287e-09, 1.0000006),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle,C1 = CFrame.new(0.00923013687, -0.48643899, 0.168533325, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-5.66765499, 2.53595686, -77.1979218, 1.0000006, -6.18456397e-10, 3.7252903e-09, -6.18456397e-10, 1.0000006, 4.65661287e-09, 3.7252903e-09, 4.65661287e-09, 1.0000006),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle,C1 = CFrame.new(0.00647068024, -0.489563227, 0.458503723, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-6.13765478, 3.62595701, -77.6579132, -4.74974513e-08, -6.18456397e-10, 1.0000006, -5.58793545e-09, 1.0000006, -1.5279511e-10, -1.0000006, 4.65661287e-09, -4.00468707e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle,C0 = CFrame.new(0, 0, 0, -4.37113883e-08, 0, -1, 0, 1, 0, 1, 0, -4.37113883e-08),C1 = CFrame.new(-0.471121788, 0.600129128, 0.00566101074, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-5.82765484, 3.62595725, -77.6579132, -4.74974513e-08, -6.18456397e-10, 1.0000006, -5.58793545e-09, 1.0000006, -1.5279511e-10, -1.0000006, 4.65661287e-09, -4.00468707e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle,C0 = CFrame.new(0, 0, 0, -4.37113883e-08, 0, -1, 0, 1, 0, 1, 0, -4.37113883e-08),C1 = CFrame.new(-0.161154747, 0.603516102, 0.008644104, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-5.51765442, 3.62595773, -77.6579132, -4.74974513e-08, -6.18456397e-10, 1.0000006, -5.58793545e-09, 1.0000006, -1.5279511e-10, -1.0000006, 4.65661287e-09, -4.00468707e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle,C0 = CFrame.new(0, 0, 0, -4.37113883e-08, 0, -1, 0, 1, 0, 1, 0, -4.37113883e-08),C1 = CFrame.new(0.148812771, 0.606903076, 0.0116348267, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-5.21765375, 3.6259582, -77.6579132, -4.74974513e-08, -6.18456397e-10, 1.0000006, -5.58793545e-09, 1.0000006, -1.5279511e-10, -1.0000006, 4.65661287e-09, -4.00468707e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle,C0 = CFrame.new(0, 0, 0, -4.37113883e-08, 0, -1, 0, 1, 0, 1, 0, -4.37113883e-08),C1 = CFrame.new(0.44878149, 0.610180855, 0.0145187378, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-5.21765327, 2.53595781, -77.6579132, -4.74974513e-08, -6.18456397e-10, 1.0000006, -5.58793545e-09, 1.0000006, -1.5279511e-10, -1.0000006, 4.65661287e-09, -4.00468707e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle,C0 = CFrame.new(0, 0, 0, -4.37113883e-08, 0, -1, 0, 1, 0, 1, 0, -4.37113883e-08),C1 = CFrame.new(0.460801125, -0.47969079, 0.00289154053, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-5.51765299, 2.53595757, -77.6579208, -4.74974513e-08, -6.18456397e-10, 1.0000006, -5.58793545e-09, 1.0000006, -1.5279511e-10, -1.0000006, 4.65661287e-09, -4.00468707e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle,C0 = CFrame.new(0, 0, 0, -4.37113883e-08, 0, -1, 0, 1, 0, 1, 0, -4.37113883e-08),C1 = CFrame.new(0.160833359, -0.48296833, 0, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-5.82765341, 2.53595734, -77.6579208, -4.74974513e-08, -6.18456397e-10, 1.0000006, -5.58793545e-09, 1.0000006, -1.5279511e-10, -1.0000006, 4.65661287e-09, -4.00468707e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle,C0 = CFrame.new(0, 0, 0, -4.37113883e-08, 0, -1, 0, 1, 0, 1, 0, -4.37113883e-08),C1 = CFrame.new(-0.149133682, -0.486355066, -0.00299072266, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-6.13765383, 2.53595734, -77.6579208, -4.74974513e-08, -6.18456397e-10, 1.0000006, -5.58793545e-09, 1.0000006, -1.5279511e-10, -1.0000006, 4.65661287e-09, -4.00468707e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle,C0 = CFrame.new(0, 0, 0, -4.37113883e-08, 0, -1, 0, 1, 0, 1, 0, -4.37113883e-08),C1 = CFrame.new(-0.4591012, -0.489741802, -0.00597381592, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("WedgePart",Gaunty,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Size = Vector3.new(1.14999998, 0.640000045, 0.25000003),CFrame = CFrame.new(-5.66203499, 3.4509573, -77.7865677, 1.0000006, -6.18456397e-10, 3.7252903e-09, -6.18456397e-10, 1.0000006, 4.65661287e-09, 3.7252903e-09, 4.65661287e-09, 1.0000006),BottomSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle,C1 = CFrame.new(0.00760126114, 0.431732178, -0.120269775, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("WedgePart",Gaunty,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Size = Vector3.new(1.14999998, 0.640000045, 0.280000031),CFrame = CFrame.new(-5.66203451, 3.45095778, -77.5215683, -1.0000006, -6.18456397e-10, -9.12696123e-08, 6.18456397e-10, 1.0000006, -4.65661287e-09, 8.38190317e-08, 4.65661287e-09, -1.0000006),BottomSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle,C0 = CFrame.new(0, 0, 0, -1, 0, 8.74227766e-08, 0, 1, 0, -8.74227766e-08, 0, -1),C1 = CFrame.new(0.00508022308, 0.428877592, 0.144706726, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("WedgePart",Gaunty,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Size = Vector3.new(1.14999998, 0.640000045, 0.25000003),CFrame = CFrame.new(-5.66203403, 2.81095791, -77.7865601, -1.0000006, 8.81700544e-08, 3.7252903e-09, -8.69331416e-08, -1.0000006, 4.65661287e-09, -3.7252903e-09, -4.65661287e-09, 1.0000006),BottomSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle,C0 = CFrame.new(0, 0, 0, -1, -8.74227766e-08, 0, 8.74227766e-08, -1, 0, 0, 0, 1),C1 = CFrame.new(0.0146594048, -0.208191872, -0.127082825, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("WedgePart",Gaunty,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Size = Vector3.new(1.14999998, 0.640000045, 0.280000031),CFrame = CFrame.new(-5.66203356, 2.8209579, -77.5215607, 1.0000006, -8.69331416e-08, 8.38190317e-08, -8.81700544e-08, -1.0000006, -4.65661287e-09, 9.12696123e-08, -4.65661287e-09, -1.0000006),BottomSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle,C0 = CFrame.new(0, 0, 0, 1, -8.74227766e-08, 8.74227766e-08, -8.74227766e-08, -1, -7.64274186e-15, 8.74227766e-08, 0, -1),C1 = CFrame.new(0.0120282173, -0.201047897, 0.137992859, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Wedge = New("WedgePart",Gaunty,"Wedge",{BrickColor = BrickColor.new("Black"),Size = Vector3.new(1.1099999, 0.569999993, 1.13),CFrame = CFrame.new(-5.6508193, 4.06113148, -77.6620178, -4.74974513e-08, -6.18456397e-10, 1.0000006, -5.58793545e-09, 1.0000006, -1.5279511e-10, -1.0000006, 4.65661287e-09, -4.00468707e-08),BottomSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Wedge,"mot",{Part0 = Wedge,Part1 = Handle,C0 = CFrame.new(0, 0, 0, -4.37113883e-08, 0, -1, 0, 1, 0, 1, 0, -4.37113883e-08),C1 = CFrame.new(0.0109024048, 1.04061508, 0.010887146, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Gaunty2 = New("Model",char,"Gaunty2",{}) Handle2 = New("Part",Gaunty2,"Handle2",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,FormFactor = Enum.FormFactor.Custom,Size = Vector3.new(1, 1.26999998, 1),CFrame = CFrame.new(-5.67319345, 3.02064276, -77.6615906, 0.999894261, 0.010924357, 0.00963267777, -0.0110270018, 0.999882579, 0.0106679145, -0.00951499958, -0.0107729975, 0.999897003),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) Mesh = New("BlockMesh",Handle2,"Mesh",{Scale = Vector3.new(1.03999996, 1, 1.03999996),}) NeonPart = New("Part",Gaunty2,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.13999987, 0.109999999, 0.109999999),CFrame = CFrame.new(-5.82765579, 3.62595367, -77.6579285, -5.49480319e-08, -2.26282282e-09, 1.00000179, -1.67638063e-08, 1.00000179, -1.8189894e-09, -1.00000179, 1.39698386e-08, -3.25962901e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, -5.12227416e-08, -1.11758709e-08, -1.00000119, -1.44063961e-09, 1.00000119, 9.31322575e-09, 1.00000119, -9.89530236e-10, -3.63215804e-08),C1 = CFrame.new(-0.161155701, 0.603512764, 0.00862884521, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty2,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.13999987, 0.109999999, 0.109999999),CFrame = CFrame.new(-6.13765526, 3.62595439, -77.6579285, -5.49480319e-08, -2.26282282e-09, 1.00000179, -1.67638063e-08, 1.00000179, -1.8189894e-09, -1.00000179, 1.39698386e-08, -3.25962901e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, -5.12227416e-08, -1.11758709e-08, -1.00000119, -1.44063961e-09, 1.00000119, 9.31322575e-09, 1.00000119, -9.89530236e-10, -3.63215804e-08),C1 = CFrame.new(-0.471122265, 0.600126743, 0.00564575195, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty2,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.13999987, 0.109999999, 0.109999999),CFrame = CFrame.new(-5.51765394, 3.6259551, -77.6579285, -5.49480319e-08, -2.26282282e-09, 1.00000179, -1.67638063e-08, 1.00000179, -1.8189894e-09, -1.00000179, 1.39698386e-08, -3.25962901e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, -5.12227416e-08, -1.11758709e-08, -1.00000119, -1.44063961e-09, 1.00000119, 9.31322575e-09, 1.00000119, -9.89530236e-10, -3.63215804e-08),C1 = CFrame.new(0.148813248, 0.606900692, 0.0116195679, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty2,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.13999987, 0.109999999, 0.109999999),CFrame = CFrame.new(-5.21765375, 3.62595558, -77.6579285, -5.49480319e-08, -2.26282282e-09, 1.00000179, -1.67638063e-08, 1.00000179, -1.8189894e-09, -1.00000179, 1.39698386e-08, -3.25962901e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, -5.12227416e-08, -1.11758709e-08, -1.00000119, -1.44063961e-09, 1.00000119, 9.31322575e-09, 1.00000119, -9.89530236e-10, -3.63215804e-08),C1 = CFrame.new(0.44878149, 0.610178471, 0.014503479, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty2,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.13999987, 0.109999999, 0.109999999),CFrame = CFrame.new(-6.13765621, 2.535954, -77.6579285, -5.49480319e-08, -2.26282282e-09, 1.00000179, -1.67638063e-08, 1.00000179, -1.8189894e-09, -1.00000179, 1.39698386e-08, -3.25962901e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, -5.12227416e-08, -1.11758709e-08, -1.00000119, -1.44063961e-09, 1.00000119, 9.31322575e-09, 1.00000119, -9.89530236e-10, -3.63215804e-08),C1 = CFrame.new(-0.459103584, -0.489744902, -0.00598144531, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty2,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.13999987, 0.109999999, 0.109999999),CFrame = CFrame.new(-5.82765722, 2.535954, -77.6579285, -5.49480319e-08, -2.26282282e-09, 1.00000179, -1.67638063e-08, 1.00000179, -1.8189894e-09, -1.00000179, 1.39698386e-08, -3.25962901e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, -5.12227416e-08, -1.11758709e-08, -1.00000119, -1.44063961e-09, 1.00000119, 9.31322575e-09, 1.00000119, -9.89530236e-10, -3.63215804e-08),C1 = CFrame.new(-0.149137497, -0.486358404, -0.00299835205, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty2,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.13999987, 0.109999999, 0.109999999),CFrame = CFrame.new(-5.5176549, 2.53595448, -77.6579514, -5.49480319e-08, -2.26282282e-09, 1.00000179, -1.67638063e-08, 1.00000179, -1.8189894e-09, -1.00000179, 1.39698386e-08, -3.25962901e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, -5.12227416e-08, -1.11758709e-08, -1.00000119, -1.44063961e-09, 1.00000119, 9.31322575e-09, 1.00000119, -9.89530236e-10, -3.63215804e-08),C1 = CFrame.new(0.160831928, -0.482971191, -3.05175781e-05, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty2,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.13999987, 0.109999999, 0.109999999),CFrame = CFrame.new(-5.21765566, 2.535954, -77.6579361, -5.49480319e-08, -2.26282282e-09, 1.00000179, -1.67638063e-08, 1.00000179, -1.8189894e-09, -1.00000179, 1.39698386e-08, -3.25962901e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, -5.12227416e-08, -1.11758709e-08, -1.00000119, -1.44063961e-09, 1.00000119, 9.31322575e-09, 1.00000119, -9.89530236e-10, -3.63215804e-08),C1 = CFrame.new(0.460799217, -0.479694366, 0.00286865234, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty2,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,FormFactor = Enum.FormFactor.Custom,Size = Vector3.new(1.07999992, 0.279999971, 1.06999993),CFrame = CFrame.new(-5.66865063, 3.64554, -77.661377, 0.999896049, 0.0109243765, 0.00963270571, -0.0110270213, 0.999884367, 0.010667949, -0.0095150033, -0.0107730031, 0.999898791),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) Mesh = New("BlockMesh",Part,"Mesh",{Scale = Vector3.new(1.03999996, 1, 1.03999996),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, 0.999895453, -0.0110270148, -0.00951500237, 0.01092437, 0.999883771, -0.0107730012, 0.0096326964, 0.0106679378, 0.999898195),C1 = CFrame.new(-0.00235033035, 0.624870777, 0.00692749023, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty2,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,FormFactor = Enum.FormFactor.Custom,Size = Vector3.new(1.08999991, 0.0599999577, 1.07999992),CFrame = CFrame.new(-5.6649003, 3.73544407, -77.6652145, 0.999896049, 0.0109243765, 0.00963270571, -0.0110270213, 0.999884367, 0.010667949, -0.0095150033, -0.0107730031, 0.999898791),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) Mesh = New("BlockMesh",NeonPart,"Mesh",{Scale = Vector3.new(1.03999996, 1, 1.03999996),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, 0.999895453, -0.0110270148, -0.00951500237, 0.01092437, 0.999883771, -0.0107730012, 0.0096326964, 0.0106679378, 0.999898195),C1 = CFrame.new(0.000444412231, 0.714846611, 0.00408172607, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty2,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,FormFactor = Enum.FormFactor.Custom,Size = Vector3.new(1.08999991, 0.0599999577, 1.07999992),CFrame = CFrame.new(-5.66480446, 3.5255506, -77.65522, 0.999896049, 0.0109243765, 0.00963270571, -0.0110270213, 0.999884367, 0.010667949, -0.0095150033, -0.0107730031, 0.999898791),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) Mesh = New("BlockMesh",NeonPart,"Mesh",{Scale = Vector3.new(1.03999996, 1, 1.03999996),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, 0.999895453, -0.0110270148, -0.00951500237, 0.01092437, 0.999883771, -0.0107730012, 0.0096326964, 0.0106679378, 0.999898195),C1 = CFrame.new(0.00275993347, 0.504871368, 0.0118331909, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty2,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,FormFactor = Enum.FormFactor.Custom,Size = Vector3.new(1.07999992, 0.279999971, 1.06999993),CFrame = CFrame.new(-5.6686511, 2.55553699, -77.6613541, 0.999896049, 0.0109243765, 0.00963270571, -0.0110270213, 0.999884367, 0.010667949, -0.0095150033, -0.0107730031, 0.999898791),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) Mesh = New("BlockMesh",Part,"Mesh",{Scale = Vector3.new(1.03999996, 1, 1.03999996),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, 0.999895453, -0.0110270148, -0.00951500237, 0.01092437, 0.999883771, -0.0107730012, 0.0096326964, 0.0106679378, 0.999898195),C1 = CFrame.new(0.00966835022, -0.465003729, -0.00468444824, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty2,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,FormFactor = Enum.FormFactor.Custom,Size = Vector3.new(1.08999991, 0.0599999577, 1.07999992),CFrame = CFrame.new(-5.66490126, 2.64544272, -77.6652145, 0.999896049, 0.0109243765, 0.00963270571, -0.0110270213, 0.999884367, 0.010667949, -0.0095150033, -0.0107730031, 0.999898791),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) Mesh = New("BlockMesh",NeonPart,"Mesh",{Scale = Vector3.new(1.03999996, 1, 1.03999996),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, 0.999895453, -0.0110270148, -0.00951500237, 0.01092437, 0.999883771, -0.0107730012, 0.0096326964, 0.0106679378, 0.999898195),C1 = CFrame.new(0.0124630928, -0.375026226, -0.00754547119, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty2,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,FormFactor = Enum.FormFactor.Custom,Size = Vector3.new(1.08999991, 0.0599999577, 1.07999992),CFrame = CFrame.new(-5.66480589, 2.43554854, -77.65522, 0.999896049, 0.0109243765, 0.00963270571, -0.0110270213, 0.999884367, 0.010667949, -0.0095150033, -0.0107730031, 0.999898791),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) Mesh = New("BlockMesh",NeonPart,"Mesh",{Scale = Vector3.new(1.03999996, 1, 1.03999996),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, 0.999895453, -0.0110270148, -0.00951500237, 0.01092437, 0.999883771, -0.0107730012, 0.0096326964, 0.0106679378, 0.999898195),C1 = CFrame.new(0.0147781372, -0.585002184, 0.000205993652, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty2,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.12999988, 0.109999999, 0.109999999),CFrame = CFrame.new(-5.67265606, 3.62595463, -78.1079407, 1.00000179, -2.26282282e-09, 1.11758709e-08, -2.28465069e-09, 1.00000179, 1.39698386e-08, 1.11758709e-08, 1.39698386e-08, 1.00000179),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, 1.00000119, -1.44791557e-09, 7.4505806e-09, -1.44063961e-09, 1.00000119, 9.31322575e-09, 7.4505806e-09, 9.31322575e-09, 1.00000119),C1 = CFrame.new(-0.0018901825, 0.61005497, -0.439842224, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty2,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.12999988, 0.109999999, 0.109999999),CFrame = CFrame.new(-5.67265511, 3.6259563, -77.8179169, 1.00000179, -2.26282282e-09, 1.11758709e-08, -2.28465069e-09, 1.00000179, 1.39698386e-08, 1.11758709e-08, 1.39698386e-08, 1.00000179),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, 1.00000119, -1.44791557e-09, 7.4505806e-09, -1.44063961e-09, 1.00000119, 9.31322575e-09, 7.4505806e-09, 9.31322575e-09, 1.00000119),C1 = CFrame.new(-0.00464916229, 0.606932163, -0.149848938, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty2,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.13999987, 0.109999999, 0.109999999),CFrame = CFrame.new(-5.66765451, 3.62595701, -77.4879303, 1.00000179, -2.26282282e-09, 1.11758709e-08, -2.28465069e-09, 1.00000179, 1.39698386e-08, 1.11758709e-08, 1.39698386e-08, 1.00000179),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, 1.00000119, -1.44791557e-09, 7.4505806e-09, -1.44063961e-09, 1.00000119, 9.31322575e-09, 7.4505806e-09, 9.31322575e-09, 1.00000119),C1 = CFrame.new(-0.00278902054, 0.603432655, 0.180152893, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty2,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.13999987, 0.109999999, 0.109999999),CFrame = CFrame.new(-5.66765547, 3.62595749, -77.1979294, 1.00000179, -2.26282282e-09, 1.11758709e-08, -2.28465069e-09, 1.00000179, 1.39698386e-08, 1.11758709e-08, 1.39698386e-08, 1.00000179),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, 1.00000119, -1.44791557e-09, 7.4505806e-09, -1.44063961e-09, 1.00000119, 9.31322575e-09, 7.4505806e-09, 9.31322575e-09, 1.00000119),C1 = CFrame.new(-0.00554895401, 0.600308895, 0.470123291, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty2,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.13999987, 0.109999999, 0.109999999),CFrame = CFrame.new(-5.66765547, 2.53595638, -77.1979294, 1.00000179, -2.26282282e-09, 1.11758709e-08, -2.28465069e-09, 1.00000179, 1.39698386e-08, 1.11758709e-08, 1.39698386e-08, 1.00000179),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, 1.00000119, -1.44791557e-09, 7.4505806e-09, -1.44063961e-09, 1.00000119, 9.31322575e-09, 7.4505806e-09, 9.31322575e-09, 1.00000119),C1 = CFrame.new(0.0064702034, -0.489563704, 0.458496094, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty2,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.13999987, 0.109999999, 0.109999999),CFrame = CFrame.new(-5.66765547, 2.53595614, -77.4879303, 1.00000179, -2.26282282e-09, 1.11758709e-08, -2.28465069e-09, 1.00000179, 1.39698386e-08, 1.11758709e-08, 1.39698386e-08, 1.00000179),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, 1.00000119, -1.44791557e-09, 7.4505806e-09, -1.44063961e-09, 1.00000119, 9.31322575e-09, 7.4505806e-09, 9.31322575e-09, 1.00000119),C1 = CFrame.new(0.00922966003, -0.486439705, 0.168525696, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty2,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.12999988, 0.109999999, 0.109999999),CFrame = CFrame.new(-5.67265558, 2.53595638, -77.8179092, 1.00000179, -2.26282282e-09, 1.11758709e-08, -2.28465069e-09, 1.00000179, 1.39698386e-08, 1.11758709e-08, 1.39698386e-08, 1.00000179),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, 1.00000119, -1.44791557e-09, 7.4505806e-09, -1.44063961e-09, 1.00000119, 9.31322575e-09, 7.4505806e-09, 9.31322575e-09, 1.00000119),C1 = CFrame.new(0.00736999512, -0.482939243, -0.161468506, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("Part",Gaunty2,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.12999988, 0.109999999, 0.109999999),CFrame = CFrame.new(-5.67265606, 2.53595567, -78.1079254, 1.00000179, -2.26282282e-09, 1.11758709e-08, -2.28465069e-09, 1.00000179, 1.39698386e-08, 1.11758709e-08, 1.39698386e-08, 1.00000179),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, 1.00000119, -1.44791557e-09, 7.4505806e-09, -1.44063961e-09, 1.00000119, 9.31322575e-09, 7.4505806e-09, 9.31322575e-09, 1.00000119),C1 = CFrame.new(0.0101289749, -0.479815722, -0.451454163, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty2,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-5.66765451, 3.62595749, -77.1979218, 1.00000179, -2.26282282e-09, 1.11758709e-08, -2.28465069e-09, 1.00000179, 1.39698386e-08, 1.11758709e-08, 1.39698386e-08, 1.00000179),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, 1.00000119, -1.44791557e-09, 7.4505806e-09, -1.44063961e-09, 1.00000119, 9.31322575e-09, 7.4505806e-09, 9.31322575e-09, 1.00000119),C1 = CFrame.new(-0.00554847717, 0.600308895, 0.47013092, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty2,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-5.66765404, 3.62595797, -77.4879303, 1.00000179, -2.26282282e-09, 1.11758709e-08, -2.28465069e-09, 1.00000179, 1.39698386e-08, 1.11758709e-08, 1.39698386e-08, 1.00000179),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, 1.00000119, -1.44791557e-09, 7.4505806e-09, -1.44063961e-09, 1.00000119, 9.31322575e-09, 7.4505806e-09, 9.31322575e-09, 1.00000119),C1 = CFrame.new(-0.0027885437, 0.603433609, 0.180152893, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty2,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-5.66765356, 3.6259594, -77.8179321, 1.00000179, -2.26282282e-09, 1.11758709e-08, -2.28465069e-09, 1.00000179, 1.39698386e-08, 1.11758709e-08, 1.39698386e-08, 1.00000179),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, 1.00000119, -1.44791557e-09, 7.4505806e-09, -1.44063961e-09, 1.00000119, 9.31322575e-09, 7.4505806e-09, 9.31322575e-09, 1.00000119),C1 = CFrame.new(0.000351905823, 0.606989861, -0.149810791, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty2,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-5.66765356, 3.62595844, -78.107933, 1.00000179, -2.26282282e-09, 1.11758709e-08, -2.28465069e-09, 1.00000179, 1.39698386e-08, 1.11758709e-08, 1.39698386e-08, 1.00000179),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, 1.00000119, -1.44791557e-09, 7.4505806e-09, -1.44063961e-09, 1.00000119, 9.31322575e-09, 7.4505806e-09, 9.31322575e-09, 1.00000119),C1 = CFrame.new(0.00311136246, 0.610113144, -0.439788818, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty2,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-5.66765499, 2.53595734, -78.107933, 1.00000179, -2.26282282e-09, 1.11758709e-08, -2.28465069e-09, 1.00000179, 1.39698386e-08, 1.11758709e-08, 1.39698386e-08, 1.00000179),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, 1.00000119, -1.44791557e-09, 7.4505806e-09, -1.44063961e-09, 1.00000119, 9.31322575e-09, 7.4505806e-09, 9.31322575e-09, 1.00000119),C1 = CFrame.new(0.0151295662, -0.479759216, -0.451416016, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty2,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-5.66765499, 2.5359571, -77.8179092, 1.00000179, -2.26282282e-09, 1.11758709e-08, -2.28465069e-09, 1.00000179, 1.39698386e-08, 1.11758709e-08, 1.39698386e-08, 1.00000179),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, 1.00000119, -1.44791557e-09, 7.4505806e-09, -1.44063961e-09, 1.00000119, 9.31322575e-09, 7.4505806e-09, 9.31322575e-09, 1.00000119),C1 = CFrame.new(0.0123701096, -0.48288393, -0.161422729, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty2,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-5.66765499, 2.5359571, -77.4879227, 1.00000179, -2.26282282e-09, 1.11758709e-08, -2.28465069e-09, 1.00000179, 1.39698386e-08, 1.11758709e-08, 1.39698386e-08, 1.00000179),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, 1.00000119, -1.44791557e-09, 7.4505806e-09, -1.44063961e-09, 1.00000119, 9.31322575e-09, 7.4505806e-09, 9.31322575e-09, 1.00000119),C1 = CFrame.new(0.00923013687, -0.48643899, 0.168533325, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty2,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-5.66765499, 2.53595662, -77.1979218, 1.00000179, -2.26282282e-09, 1.11758709e-08, -2.28465069e-09, 1.00000179, 1.39698386e-08, 1.11758709e-08, 1.39698386e-08, 1.00000179),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, 1.00000119, -1.44791557e-09, 7.4505806e-09, -1.44063961e-09, 1.00000119, 9.31322575e-09, 7.4505806e-09, 9.31322575e-09, 1.00000119),C1 = CFrame.new(0.00647068024, -0.489563465, 0.458503723, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty2,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-6.13765478, 3.62595797, -77.6579132, -5.49480319e-08, -2.26282282e-09, 1.00000179, -1.67638063e-08, 1.00000179, -1.8189894e-09, -1.00000179, 1.39698386e-08, -3.25962901e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, -5.12227416e-08, -1.11758709e-08, -1.00000119, -1.44063961e-09, 1.00000119, 9.31322575e-09, 1.00000119, -9.89530236e-10, -3.63215804e-08),C1 = CFrame.new(-0.471121788, 0.600130081, 0.00566101074, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty2,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-5.82765484, 3.6259582, -77.6579132, -5.49480319e-08, -2.26282282e-09, 1.00000179, -1.67638063e-08, 1.00000179, -1.8189894e-09, -1.00000179, 1.39698386e-08, -3.25962901e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, -5.12227416e-08, -1.11758709e-08, -1.00000119, -1.44063961e-09, 1.00000119, 9.31322575e-09, 1.00000119, -9.89530236e-10, -3.63215804e-08),C1 = CFrame.new(-0.161154747, 0.603517056, 0.008644104, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty2,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-5.51765347, 3.62595868, -77.6579132, -5.49480319e-08, -2.26282282e-09, 1.00000179, -1.67638063e-08, 1.00000179, -1.8189894e-09, -1.00000179, 1.39698386e-08, -3.25962901e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, -5.12227416e-08, -1.11758709e-08, -1.00000119, -1.44063961e-09, 1.00000119, 9.31322575e-09, 1.00000119, -9.89530236e-10, -3.63215804e-08),C1 = CFrame.new(0.148813725, 0.60690403, 0.0116348267, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty2,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-5.2176528, 3.62595916, -77.6579132, -5.49480319e-08, -2.26282282e-09, 1.00000179, -1.67638063e-08, 1.00000179, -1.8189894e-09, -1.00000179, 1.39698386e-08, -3.25962901e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, -5.12227416e-08, -1.11758709e-08, -1.00000119, -1.44063961e-09, 1.00000119, 9.31322575e-09, 1.00000119, -9.89530236e-10, -3.63215804e-08),C1 = CFrame.new(0.448782444, 0.610181808, 0.0145187378, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty2,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-5.21765327, 2.53595757, -77.6579132, -5.49480319e-08, -2.26282282e-09, 1.00000179, -1.67638063e-08, 1.00000179, -1.8189894e-09, -1.00000179, 1.39698386e-08, -3.25962901e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, -5.12227416e-08, -1.11758709e-08, -1.00000119, -1.44063961e-09, 1.00000119, 9.31322575e-09, 1.00000119, -9.89530236e-10, -3.63215804e-08),C1 = CFrame.new(0.460801601, -0.479691029, 0.00289154053, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty2,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-5.51765299, 2.53595757, -77.6579361, -5.49480319e-08, -2.26282282e-09, 1.00000179, -1.67638063e-08, 1.00000179, -1.8189894e-09, -1.00000179, 1.39698386e-08, -3.25962901e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, -5.12227416e-08, -1.11758709e-08, -1.00000119, -1.44063961e-09, 1.00000119, 9.31322575e-09, 1.00000119, -9.89530236e-10, -3.63215804e-08),C1 = CFrame.new(0.160833836, -0.48296833, -1.52587891e-05, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty2,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-5.82765436, 2.5359571, -77.6579208, -5.49480319e-08, -2.26282282e-09, 1.00000179, -1.67638063e-08, 1.00000179, -1.8189894e-09, -1.00000179, 1.39698386e-08, -3.25962901e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, -5.12227416e-08, -1.11758709e-08, -1.00000119, -1.44063961e-09, 1.00000119, 9.31322575e-09, 1.00000119, -9.89530236e-10, -3.63215804e-08),C1 = CFrame.new(-0.149134636, -0.486355305, -0.00299072266, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Part = New("Part",Gaunty2,"Part",{BrickColor = BrickColor.new("Black"),Material = Enum.Material.Metal,Shape = Enum.PartType.Cylinder,Size = Vector3.new(1.15999985, 0.0700000003, 0.0700000003),CFrame = CFrame.new(-6.13765478, 2.53595734, -77.6579208, -5.49480319e-08, -2.26282282e-09, 1.00000179, -1.67638063e-08, 1.00000179, -1.8189894e-09, -1.00000179, 1.39698386e-08, -3.25962901e-08),BottomSurface = Enum.SurfaceType.Smooth,TopSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Part,"mot",{Part0 = Part,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, -5.12227416e-08, -1.11758709e-08, -1.00000119, -1.44063961e-09, 1.00000119, 9.31322575e-09, 1.00000119, -9.89530236e-10, -3.63215804e-08),C1 = CFrame.new(-0.459102154, -0.489741802, -0.00597381592, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("WedgePart",Gaunty2,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Size = Vector3.new(1.14999998, 0.640000045, 0.25000003),CFrame = CFrame.new(-5.66203403, 3.45095801, -77.7865524, 1.00000179, -2.26282282e-09, 1.11758709e-08, -2.28465069e-09, 1.00000179, 1.39698386e-08, 1.11758709e-08, 1.39698386e-08, 1.00000179),BottomSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, 1.00000119, -1.44791557e-09, 7.4505806e-09, -1.44063961e-09, 1.00000119, 9.31322575e-09, 7.4505806e-09, 9.31322575e-09, 1.00000119),C1 = CFrame.new(0.00760221481, 0.431732655, -0.120254517, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("WedgePart",Gaunty2,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Size = Vector3.new(1.14999998, 0.640000045, 0.280000031),CFrame = CFrame.new(-5.66203356, 3.45095849, -77.521553, -1.00000179, -2.26282282e-09, -9.87201929e-08, 2.28465069e-09, 1.00000179, -1.39698386e-08, 7.63684511e-08, 1.39698386e-08, -1.00000179),BottomSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, -1.00000119, 1.45519152e-09, 8.00937414e-08, -1.44063961e-09, 1.00000119, 9.31322575e-09, -9.49949026e-08, -9.31322575e-09, -1.00000119),C1 = CFrame.new(0.00508117676, 0.428878307, 0.144721985, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("WedgePart",Gaunty2,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Size = Vector3.new(1.14999998, 0.640000045, 0.25000003),CFrame = CFrame.new(-5.66203308, 2.81095791, -77.7865601, -1.00000179, 8.98216967e-08, 1.11758709e-08, -8.52742232e-08, -1.00000179, 1.39698386e-08, -1.11758709e-08, -1.39698386e-08, 1.00000179),BottomSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, -1.00000119, -8.61036824e-08, -7.4505806e-09, 8.89922376e-08, -1.00000119, -9.31322575e-09, 7.4505806e-09, 9.31322575e-09, 1.00000119),C1 = CFrame.new(0.0146603584, -0.208191872, -0.127082825, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NeonPart = New("WedgePart",Gaunty2,"NeonPart",{BrickColor = BrickColor.new("Institutional white"),Material = Enum.Material.Neon,Size = Vector3.new(1.14999998, 0.640000045, 0.280000031),CFrame = CFrame.new(-5.6620326, 2.82095814, -77.5215454, 1.00000179, -8.52887752e-08, 7.63684511e-08, -8.98362487e-08, -1.00000179, -1.39698386e-08, 9.87201929e-08, -1.39698386e-08, -1.00000179),BottomSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.972549, 0.972549, 0.972549),}) mot = New("Motor",NeonPart,"mot",{Part0 = NeonPart,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, 1.00000119, -8.89995135e-08, 9.49949026e-08, -8.61109584e-08, -1.00000119, -9.31322575e-09, 8.00937414e-08, -9.31322575e-09, -1.00000119),C1 = CFrame.new(0.012029171, -0.201047897, 0.138008118, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) Wedge = New("WedgePart",Gaunty2,"Wedge",{BrickColor = BrickColor.new("Black"),Size = Vector3.new(1.1099999, 0.569999993, 1.13),CFrame = CFrame.new(-5.6508193, 4.06113243, -77.6620178, -5.49480319e-08, -2.26282282e-09, 1.00000179, -1.67638063e-08, 1.00000179, -1.8189894e-09, -1.00000179, 1.39698386e-08, -3.25962901e-08),BottomSurface = Enum.SurfaceType.Smooth,Color = Color3.new(0.105882, 0.164706, 0.207843),}) mot = New("Motor",Wedge,"mot",{Part0 = Wedge,Part1 = Handle2,C0 = CFrame.new(0, 0, 0, -5.12227416e-08, -1.11758709e-08, -1.00000119, -1.44063961e-09, 1.00000119, 9.31322575e-09, 1.00000119, -9.89530236e-10, -3.63215804e-08),C1 = CFrame.new(0.0109024048, 1.04061604, 0.010887146, 0.999894261, -0.0110270018, -0.00951499958, 0.010924357, 0.999882579, -0.0107729975, 0.00963267777, 0.0106679145, 0.999897003),}) NewInstance = function(instance,parent,properties) local inst = Instance.new(instance,parent) if(properties)then for i,v in next, properties do pcall(function() inst[i] = v end) end end return inst; end local HW = NewInstance('Motor', char, {Part0 = ra, Part1 = Handle, C0 = CF(0,-.51,0)}) local HW2 = NewInstance('Motor', char, {Part0 = la, Part1 = Handle2, C0 = CF(0,-.51,0) * angles(Rad(0),Rad(180),Rad(0))}) for _,v in next, Gaunty:children() do v.CanCollide = false end for _,v in next, Gaunty2:children() do v.CanCollide = false end local all, last = {}, nil ArmourParts = {} NeonParts = {} function scan(p) for _, v in pairs(p:GetChildren()) do if v:IsA("BasePart") then if v.BrickColor == BrickColor.new("Black") then table.insert(ArmourParts, v) end if v.BrickColor == BrickColor.new("Institutional white") then table.insert(NeonParts, v) end if last then local w = Instance.new("Weld") w.Part0, w.Part1 = last, v w.C0 = v.CFrame:toObjectSpace(last.CFrame):inverse() w.Parent = last end table.insert(all, v) last = v end scan(v) end end scan(Gaunty) local all2, last2 = {}, nil ArmourParts2 = {} NeonParts2 = {} function scan2(p) for _, v in pairs(p:GetChildren()) do if v:IsA("BasePart") then if v.BrickColor == BrickColor.new("Black") then table.insert(ArmourParts2, v) end if v.BrickColor == BrickColor.new("Institutional white") then table.insert(NeonParts2, v) end if last2 then local w = Instance.new("Weld") w.Part0, w.Part1 = last2, v w.C0 = v.CFrame:toObjectSpace(last2.CFrame):inverse() w.Parent = last2 end table.insert(all2, v) last2 = v end scan2(v) end end scan2(Gaunty2) for i, v in pairs(ArmourParts) do v.BrickColor = BrickC("Black") end for i, v in pairs(NeonParts) do v.BrickColor = BrickC("Really red") end for i, v in pairs(ArmourParts2) do v.BrickColor = BrickC("Black") end for i, v in pairs(NeonParts2) do v.BrickColor = BrickC("Really red") end maincolor = BrickC("Really red") ------------------------------------------------------- --Start Music Option-- ------------------------------------------------------- local Music = Instance.new("Sound",char) Music.Volume = 2.5 Music.SoundId = "rbxassetid://550578451" Music.Looped = true Music.Pitch = 1 --Pitcher Music:Play() ------------------------------------------------------- --End Music Option-- ------------------------------------------------------- local naeeym2 = Instance.new("BillboardGui",char) naeeym2.AlwaysOnTop = true naeeym2.Size = UDim2.new(5,35,2,35) naeeym2.StudsOffset = Vector3.new(0,2,0) naeeym2.Adornee = hed naeeym2.Name = "Name" local tecks2 = Instance.new("TextLabel",naeeym2) tecks2.BackgroundTransparency = 1 tecks2.TextScaled = true tecks2.BorderSizePixel = 0 tecks2.Text = "Ender" tecks2.Font = "Garamond" tecks2.TextSize = 30 tecks2.TextStrokeTransparency = 0 tecks2.TextColor3 = Color3.new(0,0,0) tecks2.TextStrokeColor3 = Color3.new(0, 0, 0) tecks2.Size = UDim2.new(1,0,0.5,0) tecks2.Parent = naeeym2 function chatfunc(text, color) local chat = coroutine.wrap(function() if char:FindFirstChild("TalkingBillBoard") ~= nil then char:FindFirstChild("TalkingBillBoard"):destroy() end local naeeym2 = Instance.new("BillboardGui", char) naeeym2.Size = UDim2.new(0, 100, 0, 40) naeeym2.StudsOffset = Vector3.new(0, 5, 0) naeeym2.Adornee = hed naeeym2.Name = "TalkingBillBoard" local tecks2 = Instance.new("TextLabel", naeeym2) tecks2.BackgroundTransparency = 1 tecks2.BorderSizePixel = 0 tecks2.Text = "" tecks2.Font = "SciFi" tecks2.TextSize = 30 tecks2.TextStrokeTransparency = 0 tecks2.TextColor3 = color tecks2.TextStrokeColor3 = Color3.new(0, 0, 0) tecks2.Size = UDim2.new(1, 0, 0.5, 0) local tecks3 = Instance.new("TextLabel", naeeym2) tecks3.BackgroundTransparency = 1 tecks3.BorderSizePixel = 0 tecks3.Text = "" tecks3.Font = "SciFi" tecks3.TextSize = 30 tecks3.TextStrokeTransparency = 0 tecks3.TextColor3 = Color3.new(0, 0, 0) tecks3.TextStrokeColor3 = color tecks3.Size = UDim2.new(1, 0, 0.5, 0) coroutine.resume(coroutine.create(function() while true do swait(1) tecks2.TextColor3 = BrickColor.random().Color tecks3.TextStrokeColor3 = BrickColor.random().Color tecks2.Position = UDim2.new(0, math.random(-5, 5), 0, math.random(-5, 5)) tecks3.Position = UDim2.new(0, math.random(-5, 5), 0, math.random(-5, 5)) tecks2.Rotation = math.random(-5, 5) tecks3.Rotation = math.random(-5, 5) end end)) for i = 1, string.len(text) do CFuncs.Sound.Create("rbxassetid://274118116", char, 0.25, 0.115) tecks2.Text = string.sub(text, 1, i) tecks3.Text = string.sub(text, 1, i) swait(1) end wait(1) local randomrot = math.random(1, 2) if randomrot == 1 then for i = 1, 50 do swait() tecks2.Rotation = tecks2.Rotation - 0.75 tecks2.TextStrokeTransparency = tecks2.TextStrokeTransparency + 0.04 tecks2.TextTransparency = tecks2.TextTransparency + 0.04 tecks3.Rotation = tecks2.Rotation + 0.75 tecks3.TextStrokeTransparency = tecks2.TextStrokeTransparency + 0.04 tecks3.TextTransparency = tecks2.TextTransparency + 0.04 end elseif randomrot == 2 then for i = 1, 50 do swait() tecks2.Rotation = tecks2.Rotation + 0.75 tecks2.TextStrokeTransparency = tecks2.TextStrokeTransparency + 0.04 tecks2.TextTransparency = tecks2.TextTransparency + 0.04 tecks3.Rotation = tecks2.Rotation - 0.75 tecks3.TextStrokeTransparency = tecks2.TextStrokeTransparency + 0.04 tecks3.TextTransparency = tecks2.TextTransparency + 0.04 end end naeeym2:Destroy() end) chat() end ------------------------------------------------------- --Start Attacks N Stuff-- ------------------------------------------------------- local sine=0 function HitboxFunction(Pose, lifetime, siz1, siz2, siz3, Radie, Min, Max, kb, atype) local Hitboxpart = Instance.new("Part", EffectModel) RemoveOutlines(Hitboxpart) Hitboxpart.Size = Vector3.new(siz1, siz2, siz3) Hitboxpart.CanCollide = false Hitboxpart.Transparency = 1 Hitboxpart.Anchored = true Hitboxpart.CFrame = Pose game:GetService("Debris"):AddItem(Hitboxpart, lifetime) MagniDamage(Hitboxpart, Radie, Min, Max, kb, atype) end wait2 = false combo = 1 mouse.Button1Down:connect(function(key) if attack == false then attack = true hum.WalkSpeed = 3.01 if combo == 1 and wait2 == false then wait2 = true for i = 0, 1.2, 0.1 do swait() rootj.C0 = clerp(rootj.C0, RootCF * CFrame.new(0, -0.5, 0) * angles(math.rad(-5), math.rad(0), math.rad(-65)), 0.3) tors.Neck.C0 = clerp(tors.Neck.C0, necko * angles(math.rad(-10), math.rad(0), math.rad(-65)), 0.1) RW.C0 = clerp(RW.C0, CFrame.new(1.5, 0.5, 0.8) * angles(math.rad(90), math.rad(0), math.rad(20)), 0.1) LW.C0 = clerp(LW.C0, CFrame.new(-1.5, 0.5, 0) * angles(math.rad(-25), math.rad(0), math.rad(40)), 0.3) RH.C0 = clerp(RH.C0, CFrame.new(1, -1, -0.2) * RHCF * angles(math.rad(-2.5), math.rad(0), math.rad(-0)), 0.3) LH.C0 = clerp(LH.C0, CFrame.new(-1, -1, 0) * LHCF * angles(math.rad(-2.5), math.rad(15), math.rad(-20)), 0.3) end CreateSound("138097048", ra, 3, .8) HitboxFunction(ra.CFrame, 0.01, 1, 1, 1, 7, 6, 9, 3, "Normal") for i = 0, 1.2, 0.1 do swait() rootj.C0 = clerp(rootj.C0, RootCF * CFrame.new(0, -0.5, 0) * angles(math.rad(5), math.rad(0), math.rad(55)), 0.3) tors.Neck.C0 = clerp(tors.Neck.C0, necko * angles(math.rad(10), math.rad(0), math.rad(0)), 0.1) RW.C0 = clerp(RW.C0, CFrame.new(1.5, 0.5, -0.8) * angles(math.rad(95), math.rad(0), math.rad(40)), 0.1) LW.C0 = clerp(LW.C0, CFrame.new(-1.5, 0.5, 0) * angles(math.rad(-25), math.rad(0), math.rad(-10)), 0.3) RH.C0 = clerp(RH.C0, CFrame.new(1, -1, 0) * RHCF * angles(math.rad(-2.5), math.rad(-25), math.rad(-17)), 0.3) LH.C0 = clerp(LH.C0, CFrame.new(-1, -1, 0) * LHCF * angles(math.rad(-2.5), math.rad(-0), math.rad(0)), 0.3) end combo = 2 end if combo == 2 and wait2 == false then wait2 = true for i = 0, 1.2, 0.1 do swait() rootj.C0 = clerp(rootj.C0, RootCF * CFrame.new(0, -0.5, 0) * angles(math.rad(-5), math.rad(0), math.rad(65)), 0.3) tors.Neck.C0 = clerp(tors.Neck.C0, necko * angles(math.rad(-10), math.rad(0), math.rad(65)), 0.1) RW.C0 = clerp(RW.C0, CFrame.new(1.5, 0.5, 0.8) * angles(math.rad(-25), math.rad(0), math.rad(40)), 0.1) LW.C0 = clerp(LW.C0, CFrame.new(-1.5, 0.5, 0) * angles(math.rad(90), math.rad(0), math.rad(20)), 0.3) RH.C0 = clerp(RH.C0, CFrame.new(1, -1, -0.2) * RHCF * angles(math.rad(-2.5), math.rad(0), math.rad(-0)), 0.3) LH.C0 = clerp(LH.C0, CFrame.new(-1, -1, 0) * LHCF * angles(math.rad(-2.5), math.rad(15), math.rad(-20)), 0.3) end CreateSound("138097048", ra, 3, .8) HitboxFunction(ra.CFrame, 0.01, 1, 1, 1, 7, 6, 9, 3, "Normal") for i = 0, 1.2, 0.1 do swait() rootj.C0 = clerp(rootj.C0, RootCF * CFrame.new(0, -0.5, 0) * angles(math.rad(5), math.rad(0), math.rad(-55)), 0.3) tors.Neck.C0 = clerp(tors.Neck.C0, necko * angles(math.rad(10), math.rad(0), math.rad(0)), 0.1) RW.C0 = clerp(RW.C0, CFrame.new(1.5, 0.5, 0) * angles(math.rad(-25), math.rad(0), math.rad(10)), 0.1) LW.C0 = clerp(LW.C0, CFrame.new(-1.5, 0.5, -0.8) * angles(math.rad(95), math.rad(0), math.rad(-40)), 0.3) RH.C0 = clerp(RH.C0, CFrame.new(1, -1, 0) * RHCF * angles(math.rad(-2.5), math.rad(-25), math.rad(-17)), 0.3) LH.C0 = clerp(LH.C0, CFrame.new(-1, -1, 0) * LHCF * angles(math.rad(-2.5), math.rad(-0), math.rad(0)), 0.3) end combo = 3 end if combo == 3 and wait2 == false then wait2 = true for i = 0, 1.2, 0.1 do swait() rootj.C0 = clerp(rootj.C0, RootCF * CFrame.new(0, -0.5, 0) * angles(math.rad(-5), math.rad(0), math.rad(-35)), 0.3) tors.Neck.C0 = clerp(tors.Neck.C0, necko * angles(math.rad(-10), math.rad(0), math.rad(0)), 0.1) RW.C0 = clerp(RW.C0, CFrame.new(1.5, 0.5, 0.8) * angles(math.rad(90), math.rad(0), math.rad(20)), 0.1) LW.C0 = clerp(LW.C0, CFrame.new(-1.5, 0.5, 0) * angles(math.rad(-25), math.rad(0), math.rad(-10)), 0.3) RH.C0 = clerp(RH.C0, CFrame.new(1, -1, -0.2) * RHCF * angles(math.rad(-2.5), math.rad(0), math.rad(-0)), 0.3) LH.C0 = clerp(LH.C0, CFrame.new(-1, -1, 0) * LHCF * angles(math.rad(-2.5), math.rad(15), math.rad(-20)), 0.3) end CreateSound("138097048", ra, 3, .8) HitboxFunction(ra.CFrame, 0.01, 1, 1, 1, 7, 24, 36, 3, "Normal") for i = 0, 1.2, 0.1 do swait() rootj.C0 = clerp(rootj.C0, RootCF * CFrame.new(0, -0.5, 0) * angles(math.rad(5), math.rad(0), math.rad(35)), 0.3) tors.Neck.C0 = clerp(tors.Neck.C0, necko * angles(math.rad(10), math.rad(0), math.rad(0)), 0.1) RW.C0 = clerp(RW.C0, CFrame.new(1.5, 0.5, -0.8) * angles(math.rad(96), math.rad(0), math.rad(10)), 0.1) LW.C0 = clerp(LW.C0, CFrame.new(-1.5, 0.5, 0) * angles(math.rad(-25), math.rad(0), math.rad(-10)), 0.3) RH.C0 = clerp(RH.C0, CFrame.new(1, -1, 0) * RHCF * angles(math.rad(-2.5), math.rad(-25), math.rad(-0)), 0.3) LH.C0 = clerp(LH.C0, CFrame.new(-1, -1, 0) * LHCF * angles(math.rad(-2.5), math.rad(-0), math.rad(0)), 0.3) end Effects.Sphere.Create(maincolor, ra.CFrame * CFrame.new(0,-2,0) , 85, 85, 85, 1.1, 1.1, 1.1, 0.02) Effects.Ring.Create(maincolor, ra.CFrame * CFrame.new(0,-2,0) , 2, 2, 2, 1.1, 1.1, 1.1, 0.03) for i = 0, 2 do SphereAura(2, 0.2, "Add", ra.CFrame * CFrame.Angles(math.rad(-90 + math.random(-20, 20)), math.rad(math.random(-20, 20)), math.rad(math.random(-20, 20))), 0.5, 0.5, 5, -0.005, maincolor, 0) end coroutine.resume(coroutine.create(function() for i = 0,1.8,0.1 do swait() hum.CameraOffset = Vector3.new(Mrandom(-1,1),0,Mrandom(-1,1)) end for i = 0,1.8,0.1 do swait() hum.CameraOffset = Vector3.new(0,0,0) end end)) HitboxFunction(ra.CFrame, 0.01, 1, 1, 1, 7, 24, 36, 3, "Normal") for i = 0, 1.2, 0.1 do swait() rootj.C0 = clerp(rootj.C0, RootCF * CFrame.new(0, -0.5, 0) * angles(math.rad(5), math.rad(0), math.rad(-35)), 0.3) tors.Neck.C0 = clerp(tors.Neck.C0, necko * angles(math.rad(10), math.rad(0), math.rad(0)), 0.1) RW.C0 = clerp(RW.C0, CFrame.new(1.5, 0.5, -0.8) * angles(math.rad(25), math.rad(0), math.rad(10)), 0.1) LW.C0 = clerp(LW.C0, CFrame.new(-1.5, 0.5, 0) * angles(math.rad(-25), math.rad(0), math.rad(-10)), 0.3) RH.C0 = clerp(RH.C0, CFrame.new(1, -1, 0) * RHCF * angles(math.rad(-2.5), math.rad(-25), math.rad(-0)), 0.3) LH.C0 = clerp(LH.C0, CFrame.new(-1, -1, 0) * LHCF * angles(math.rad(-2.5), math.rad(-0), math.rad(0)), 0.3) end combo = 4 end if combo == 4 and wait2 == false then for i = 0,1.2,0.1 do swait() rootj.C0 = clerp(rootj.C0, RootCF * CF(0, 0, -0.1 + 0.1 * Cos(sine / 20)) * angles(Rad(-20), Rad(0), Rad(0)), 0.15) tors.Neck.C0 = clerp(tors.Neck.C0, necko * angles(Rad(-20 - 2.5 * Sin(sine / 20)), Rad(0), Rad(0)), 0.3) RH.C0 = clerp(RH.C0, CF(1, -0.9 - 0.1 * Cos(sine / 20), 0.025 * Cos(sine / 20)) * RHCF * angles(Rad(-4.5), Rad(0), Rad(-20)), 0.15) LH.C0 = clerp(LH.C0, CF(-1, -0.9 - 0.1 * Cos(sine / 20), -.4 + 0.025 * Cos(sine / 20)) * LHCF * angles(Rad(-6.5), Rad(5 * Cos(sine / 20)), Rad(25)), 0.15) RW.C0 = clerp(RW.C0, CF(1.5, 0.5 + 0.05 * Sin(sine / 20), 0.025 * Cos(sine / 20)) * angles(Rad(200), Rad(0), Rad(25 - 2.5 * Sin(sine / 20))), 0.1) LW.C0 = clerp(LW.C0, CF(-1.5, 0.5 + 0.05 * Sin(sine / 20), 0.025 * Cos(sine / 20)) * angles(Rad(200), Rad(0), Rad(-25 + 2.5 * Sin(sine / 20))), 0.1) end SphereAura(6, 0.3, "Add", root.CFrame * CF(0,-2,0) * angles(Rad(Mrandom(-360, 360)), Rad(Mrandom(-360, 360)), Rad(Mrandom(-360, 360))), 0.5, 0.5, 5, -0.005, maincolor, 0) SphereAura(6, 0.3, "Add", root.CFrame * CF(0,-2,0) * angles(Rad(Mrandom(-360, 360)), Rad(Mrandom(-360, 360)), Rad(Mrandom(-360, 360))), 0.5, 0.5, 5, -0.005, maincolor, 0) Effects.Sphere.Create(maincolor, root.CFrame * CFrame.new(0,-2,0) , 85, 85, 85, 15.1, 15.1, 15.1, 0.01) CreateSound("331666100", char, 10, 1) for i, v in pairs(FindNearestHead(tors.CFrame.p, 14.5)) do if v:FindFirstChild("Head") then SoulSteal(v) Eviscerate(v) end end coroutine.resume(coroutine.create(function() for i = 0,1.8,0.1 do swait() hum.CameraOffset = Vector3.new(Mrandom(-1,1),0,Mrandom(-1,1)) end for i = 0,1.8,0.1 do swait() hum.CameraOffset = Vector3.new(0,0,0) end end)) for i = 1,4.7,0.1 do rootj.C0 = clerp(rootj.C0, RootCF * CF(0, 0, -1.4 + 0.1 * Cos(sine / 20)) * angles(Rad(45), Rad(0), Rad(0)), 0.15) tors.Neck.C0 = clerp(tors.Neck.C0, necko * angles(Rad(35), Rad(0), Rad(0)), 0.3) RH.C0 = clerp(RH.C0, CF(1, .4 - 0.1 * Cos(sine / 20), -.6 + 0.025 * Cos(sine / 20)) * RHCF * angles(Rad(-5), Rad(0), Rad(45)), 0.15) LH.C0 = clerp(LH.C0, CF(-1, -0.6 - 0.1 * Cos(sine / 20), 0.025 * Cos(sine / 20)) * LHCF * angles(Rad(-5), Rad(0), Rad(-0)), 0.15) RW.C0 = clerp(RW.C0, CF(1.2, 0.1 + 0.05 * Sin(sine / 30), -.4 + 0.025 * Cos(sine / 20)) * angles(Rad(65), Rad(0), Rad(-34)), 0.1) LW.C0 = clerp(LW.C0, CF(-1.2, 0.1 + 0.05 * Sin(sine / 30), -.4 + 0.025 * Cos(sine / 20)) * angles(Rad(65), Rad(0), Rad(34)), 0.1) end wait(.6) combo = 1 end hum.WalkSpeed = 16 wait2 = false attack = false end end) function Destruction() attack = true local Ring1 = Instance.new("Part", char) Ring1.Anchored = true Ring1.BrickColor = maincolor Ring1.CanCollide = false Ring1.FormFactor = 3 Ring1.Name = "Ring" Ring1.Material = "Neon" Ring1.Size = Vector3.new(1, 0.05, 1) Ring1.Transparency = 1 Ring1.TopSurface = 0 Ring1.BottomSurface = 0 local Ring1Mesh = Instance.new("SpecialMesh", Ring1) Ring1Mesh.MeshType = "Brick" Ring1Mesh.Name = "SizeMesh" Ring1Mesh.Scale = Vector3.new(0, 1, 0) local InnerRing1 = Ring1:Clone() InnerRing1.Parent = char InnerRing1.Transparency = 0 InnerRing1.BrickColor = BrickColor.new("New Yeller") InnerRing1.Size = Vector3.new(1, 1, 1) local InnerRing1Mesh = InnerRing1.SizeMesh InnerRing1Mesh.Scale = Vector3.new(0, 0, 0) InnerRing1Mesh.MeshType = "Sphere" Ring1:Destroy() for i = 0, 5, 0.1 do swait() SphereAura(7, 0.12, "Add", ra.CFrame * CF(0,-2,0) * angles(Rad(Mrandom(-360, 360)), Rad(Mrandom(-360, 360)), Rad(Mrandom(-360, 360))), 0.5, 0.5, 5, -0.005, maincolor, 0) SphereAura(7, 0.12, "Add", ra.CFrame * CF(0,-2,0) * angles(Rad(Mrandom(-360, 360)), Rad(Mrandom(-360, 360)), Rad(Mrandom(-360, 360))), 0.5, 0.5, 5, -0.005, BrickC("Institutional white"), 0) rootj.C0 = clerp(rootj.C0, RootCF * CF(0, 0, -0.1 + 0.1 * Cos(sine / 20)) * angles(Rad(5), Rad(0), Rad(0)), 0.15) tors.Neck.C0 = clerp(tors.Neck.C0, necko * angles(Rad(-4.5 * Sin(sine / 30)), Rad(0), Rad(0)), 0.3) RH.C0 = clerp(RH.C0, CF(1, -0.9 - 0.1 * Cos(sine / 20), 0.025 * Cos(sine / 20)) * RHCF * angles(Rad(-12.5 + 3 * Sin(sine / 20)), Rad(0), Rad(0 + 2.5 * Sin(sine / 20))), 0.15) LH.C0 = clerp(LH.C0, CF(-1, -0.9 - 0.1 * Cos(sine / 20), 0.025 * Cos(sine / 20)) * LHCF * angles(Rad(-2.5 + 3 * Sin(sine / 20)), Rad(0), Rad(0 + 2.5 * Sin(sine / 20))), 0.15) RW.C0 = clerp(RW.C0, CF(1.1, 0.5 + 0.05 * Sin(sine / 30), 0.025 * Cos(sine / 20)) * angles(Rad(90), Rad(0), Rad(-25)), 0.1) LW.C0 = clerp(LW.C0, CF(-1.1, 0.5 + 0.05 * Sin(sine / 30), 0.025 * Cos(sine / 20)) * angles(Rad(90), Rad(0), Rad(25)), 0.1) root.CFrame = FaceMouse()[1] end InnerRing1.Transparency = 1 InnerRing1.CFrame = root.CFrame * CF(0, 0.5, 0) + root.CFrame.lookVector * 5 CreateSound("294188875", char, 2.3, 1) local a = IT("Part", char) a.Name = "Direction" a.Anchored = true a.BrickColor = maincolor a.Material = "Neon" a.Transparency = 0 a.Shape = "Cylinder" a.CanCollide = false local a2 = IT("Part", char) a2.Name = "Direction" a2.Anchored = true a2.BrickColor = maincolor a2.Color = maincolor.Color a2.Material = "Neon" a2.Transparency = 0.5 a2.Shape = "Cylinder" a2.CanCollide = false local ba = IT("Part", char) ba.Name = "HitDirect" ba.Anchored = true ba.BrickColor = maincolor ba.Material = "Neon" ba.Transparency = 1 ba.CanCollide = false local ray = Ray.new(InnerRing1.CFrame.p, (mouse.Hit.p - InnerRing1.CFrame.p).unit * 1000) local ignore = char local hit, position, normal = workspace:FindPartOnRay(ray, ignore) a.BottomSurface = 10 a.TopSurface = 10 a2.BottomSurface = 10 a2.TopSurface = 10 local distance = (InnerRing1.CFrame.p - position).magnitude a.Size = Vector3.new(distance, 1, 1) a.CFrame = CF(InnerRing1.CFrame.p, position) * CF(0, 0, -distance / 2) a2.Size = Vector3.new(distance, 1, 1) a2.CFrame = CF(InnerRing1.CFrame.p, position) * CF(0, 0, -distance / 2) ba.CFrame = CF(InnerRing1.CFrame.p, position) * CF(0, 0, -distance) a.CFrame = a.CFrame * angles(0, Rad(90), 0) a2.CFrame = a2.CFrame * angles(0, Rad(90), 0) game:GetService("Debris"):AddItem(a, 20) game:GetService("Debris"):AddItem(a2, 20) game:GetService("Debris"):AddItem(ba, 20) local msh = Instance.new("SpecialMesh", a) msh.MeshType = "Sphere" msh.Scale = Vector3.new(1, 25, 25) local msh2 = Instance.new("SpecialMesh", a2) msh2.MeshType = "Sphere" msh2.Scale = Vector3.new(1, 30, 30) for i = 0, 10, 0.1 do swait() root.CFrame = FaceMouse()[1] hum.CameraOffset = Vector3.new(Mrandom(-1,1),0,Mrandom(-1,1)) a2.Color = maincolor.Color InnerRing1.CFrame = root.CFrame * CF(0, 0.5, 0) + root.CFrame.lookVector * 4 ray = Ray.new(InnerRing1.CFrame.p, (mouse.Hit.p - InnerRing1.CFrame.p).unit * 1000) hit, position, normal = workspace:FindPartOnRay(ray, ignore) distance = (InnerRing1.CFrame.p - position).magnitude a.Size = Vector3.new(distance, 1, 1) a.CFrame = CF(InnerRing1.CFrame.p, position) * CF(0, 0, -distance / 2) a2.Size = Vector3.new(distance, 1, 1) a2.CFrame = CF(InnerRing1.CFrame.p, position) * CF(0, 0, -distance / 2) ba.CFrame = CF(InnerRing1.CFrame.p, position) * CF(0, 0, -distance) a.CFrame = a.CFrame * angles(0, Rad(90), 0) a2.CFrame = a2.CFrame * angles(0, Rad(90), 0) msh.Scale = msh.Scale - Vector3.new(0, 0.25, 0.25) msh2.Scale = msh2.Scale - Vector3.new(0, 0.3, 0.3) SphereAura(5, 0.15, "Add", ba.CFrame * angles(Rad(Mrandom(-360, 360)), Rad(Mrandom(-360, 360)), Rad(Mrandom(-360, 360))), 15, 15, 25, -0.15, maincolor, 0) SphereAura(5, 0.15, "Add", ba.CFrame * angles(Rad(Mrandom(-360, 360)), Rad(Mrandom(-360, 360)), Rad(Mrandom(-360, 360))), 15, 15, 25, -0.15, maincolor, 0) for i, v in pairs(FindNearestHead(ba.CFrame.p, 14.5)) do if v:FindFirstChild("Head") then Eviscerate(v) SoulSteal(v) end end end a:Destroy() a2:Destroy() ba:Destroy() InnerRing1:Destroy() attack = false hum.CameraOffset = Vector3.new(0,0,0) end function BURN_IN_HELL() attack = true chatfunc("BURN....", BrickColor.random().Color) for i = 0,5.2,0.1 do swait() rootj.C0 = clerp(rootj.C0, RootCF * CF(0, 0, -0.1 + 0.1 * Cos(sine / 20)) * angles(Rad(-20), Rad(0), Rad(0)), 0.15) tors.Neck.C0 = clerp(tors.Neck.C0, necko * angles(Rad(-20 - 2.5 * Sin(sine / 20)), Rad(0), Rad(0)), 0.3) RH.C0 = clerp(RH.C0, CF(1, -0.9 - 0.1 * Cos(sine / 20), 0.025 * Cos(sine / 20)) * RHCF * angles(Rad(-4.5), Rad(0), Rad(-20)), 0.15) LH.C0 = clerp(LH.C0, CF(-1, -0.3 - 0.1 * Cos(sine / 20), -.4 + 0.025 * Cos(sine / 20)) * LHCF * angles(Rad(-6.5), Rad(5 * Cos(sine / 20)), Rad(25)), 0.15) RW.C0 = clerp(RW.C0, CF(1.5, 0.5 + 0.05 * Sin(sine / 20), 0.025 * Cos(sine / 20)) * angles(Rad(135), Rad(0), Rad(-45 - 2.5 * Sin(sine / 20))), 0.1) LW.C0 = clerp(LW.C0, CF(-1.5, 0.5 + 0.05 * Sin(sine / 20), 0.025 * Cos(sine / 20)) * angles(Rad(135), Rad(0), Rad(45 + 2.5 * Sin(sine / 20))), 0.1) end chatfunc("IN....", BrickColor.random().Color) wait(2) CreateSound("331666100", char, 10, 1) Effects.Sphere.Create(BrickColor.Random(), root.CFrame * CF(0, -1, 0), 2, 2, 2, 10.6, 10.6, 10.6, 0.05) Effects.Sphere.Create(BrickColor.Random(), root.CFrame * CF(0, -1, 0), 2, 2, 2, 10.6, 10.6, 10.6, 0.05) Effects.Sphere.Create(BrickColor.Random(), root.CFrame * CF(0, -1, 0), 2, 2, 2, 10.6, 10.6, 10.6, 0.05) Effects.Sphere.Create(BrickColor.Random(), root.CFrame * CF(0, -1, 0), 2, 2, 2, 10.6, 10.6, 10.6, 0.05) Effects.Sphere.Create(BrickColor.Random(), root.CFrame * CF(0, -1, 0), 2, 2, 2, 10.6, 35.6, 10.6, 0.05) Effects.Sphere.Create(BrickColor.Random(), root.CFrame * CF(0, -3, 0), 2, 2, 2, 150.6, .4, 150.6, 0.05) chatfunc("HELL!!!!!", BrickColor.random().Color) for i, v in pairs(FindNearestHead(tors.CFrame.p, 52.5)) do if v:FindFirstChild("Head") then Eviscerate(v) SoulSteal(v) end end coroutine.resume(coroutine.create(function() for i = 0,2.8,0.1 do swait() hum.CameraOffset = Vector3.new(Mrandom(-3,3),Mrandom(-3,3),Mrandom(-3,3)) end for i = 0,1.8,0.1 do swait() hum.CameraOffset = Vector3.new(0,0,0) end end)) for i = 0,3.7,0.1 do SphereAura(2.5, 0.75, "Add", root.CFrame * CFrame.new(math.random(-52.5, 52.5), -5, math.random(-52.5, 52.5)) * CFrame.Angles(math.rad(90 + math.rad(math.random(-45, 45))), math.rad(math.random(-45, 45)), math.rad(math.random(-45, 45))), 2.5, 2.5, 25, -0.025, BrickColor.random(), 0) SphereAura(2.5, 0.75, "Add", root.CFrame * CFrame.new(math.random(-52.5, 52.5), -5, math.random(-52.5, 52.5)) * CFrame.Angles(math.rad(90 + math.rad(math.random(-45, 45))), math.rad(math.random(-45, 45)), math.rad(math.random(-45, 45))), 2.5, 2.5, 25, -0.025, BrickColor.random(), 0) rootj.C0 = clerp(rootj.C0, RootCF * CF(0, 0, -0.1 + 0.1 * Cos(sine / 20)) * angles(Rad(20), Rad(0), Rad(0)), 0.15) tors.Neck.C0 = clerp(tors.Neck.C0, necko * angles(Rad(20 - 2.5 * Sin(sine / 20)), Rad(0), Rad(0)), 0.3) RH.C0 = clerp(RH.C0, CF(1, -0.9 - 0.1 * Cos(sine / 20), 0.025 * Cos(sine / 20)) * RHCF * angles(Rad(-4.5), Rad(0), Rad(20)), 0.15) LH.C0 = clerp(LH.C0, CF(-1, -0.9 - 0.1 * Cos(sine / 20), -.4 + 0.025 * Cos(sine / 20)) * LHCF * angles(Rad(-6.5), Rad(5 * Cos(sine / 20)), Rad(-25)), 0.15) RW.C0 = clerp(RW.C0, CF(1.5, 0.5 + 0.05 * Sin(sine / 20), 0.025 * Cos(sine / 20)) * angles(Rad(-40), Rad(0), Rad(25 - 2.5 * Sin(sine / 20))), 0.1) LW.C0 = clerp(LW.C0, CF(-1.5, 0.5 + 0.05 * Sin(sine / 20), 0.025 * Cos(sine / 20)) * angles(Rad(-40), Rad(0), Rad(-25 + 2.5 * Sin(sine / 20))), 0.1) end wait(.6) CreateSound("907332997", hed, 10, 1) attack = false end ------------------------------------------------------- --End Attacks N Stuff-- ------------------------------------------------------- mouse.KeyDown:connect(function(key) if attack == false then if key == 'f' then Destruction() elseif key == 'r' then BURN_IN_HELL() elseif key == 't' then chatfunc("HM, HM, HAHAHAHAHAHA", BrickColor.random().Color) CreateSound("300208779", hed, 10, 1) end end end) ------------------------------------------------------- --Start Animations-- ------------------------------------------------------- local equipped = false local idle = 0 local change = 1 local val = 0 local toim = 0 local idleanim = 0.4 hum.Animator.Parent = nil while true do swait() for i, v in pairs(NeonParts) do v.BrickColor = BrickColor.Random() end for i, v in pairs(NeonParts2) do v.BrickColor = BrickColor.Random() end maincolor = BrickColor.Random() Music.Parent = char tecks2.TextStrokeColor3 = maincolor.Color sine = sine + change local torvel = (root.Velocity * Vector3.new(1, 0, 1)).magnitude local velderp = root.Velocity.y hitfloor, posfloor = rayCast(root.Position, CFrame.new(root.Position, root.Position - Vector3.new(0, 1, 0)).lookVector, 4, char) if equipped == true or equipped == false then if attack == false then idle = idle + 1 else idle = 0 end if 1 < root.Velocity.y and hitfloor == nil then Anim = "Jump" if attack == false then rootj.C0 = clerp(rootj.C0, RootCF * angles(math.min(math.max(root.Velocity.Y/100,-Rad(65)),Rad(65)),0,0),0.3) tors.Neck.C0 = clerp(tors.Neck.C0, necko * angles(Rad(-10), Rad(0), Rad(0)), 0.3) RW.C0 = clerp(RW.C0, CF(1.5, 0.5, 0) * angles(math.min(math.max(root.Velocity.Y/100,-Rad(65)),Rad(65)),0,Rad(15)),0.3) LW.C0 = clerp(LW.C0, CF(-1.5, 0.5, 0) * angles(math.min(math.max(root.Velocity.Y/100,-Rad(65)),Rad(65)),0,Rad(-15)),0.3) LH.C0=clerp(LH.C0, CF(-1,-.4-0.1 * Cos(sine / 20), -.6) * LHCF * angles(Rad(-5), Rad(-0), Rad(20)), 0.15) RH.C0=clerp(RH.C0, CF(1,-1-0.1 * Cos(sine / 20), -.3) * angles(Rad(0), Rad(90), Rad(0)), .3) end elseif -1 > root.Velocity.y and hitfloor == nil then Anim = "Fall" if attack == false then rootj.C0 = clerp(rootj.C0, RootCF * angles(math.min(math.max(root.Velocity.Y/100,-Rad(65)),Rad(65)),0,0),0.3) tors.Neck.C0 = clerp(tors.Neck.C0, necko * angles(Rad(10), Rad(0), Rad(0)), 0.3) RW.C0 = clerp(RW.C0, CF(1.5, 0.5, 0) * angles(math.min(math.max(root.Velocity.Y/100,-Rad(65)),Rad(65)),0,Rad(30)),0.3) LW.C0 = clerp(LW.C0, CF(-1.5, 0.5, 0) * angles(math.min(math.max(root.Velocity.Y/100,-Rad(65)),Rad(65)),0,Rad(-30)),0.3) LH.C0 = clerp(LH.C0, CF(-1,-.4-0.1 * Cos(sine / 20), -.6) * LHCF * angles(Rad(-5), Rad(-0), Rad(20)), 0.15) RH.C0 = clerp(RH.C0, CF(1,-1-0.1 * Cos(sine / 20), -.3) * angles(Rad(0), Rad(90), Rad(0)), .3) end elseif torvel < 1 and hitfloor ~= nil then Anim = "Idle" change = 1.9 if attack == false then rootj.C0 = clerp(rootj.C0, RootCF * CF(0, 0, -0.1 + 0.1 * Cos(sine / 20)) * angles(Rad(30), Rad(0), Rad(0)), 0.15) tors.Neck.C0 = clerp(tors.Neck.C0, necko * angles(Rad(35 - 2.5 * Sin(sine / 20)), Rad(-5 * Cos(sine / 0.465)), Rad(-5 * Cos(sine / 0.465))), 0.3) RH.C0 = clerp(RH.C0, CF(1, -1 - 0.1 * Cos(sine / 20), 0.025 * Cos(sine / 20)) * RHCF * angles(Rad(-7.5), Rad(0), Rad(30)), 0.15) LH.C0 = clerp(LH.C0, CF(-1, -1 - 0.1 * Cos(sine / 20), 0.025 * Cos(sine / 20)) * LHCF * angles(Rad(-7.5), Rad(0), Rad(-30)), 0.15) RW.C0 = clerp(RW.C0, CF(1.5, 0.5 + 0.05 * Sin(sine / 20), 0.025 * Cos(sine / 20)) * angles(Rad(35 - 5 * Cos(sine / 0.465)), Rad(-5 * Cos(sine / 0.465)), Rad(15 + 7 * Sin(sine / 25))), 0.1) LW.C0 = clerp(LW.C0, CF(-1.5, 0.5 + 0.05 * Sin(sine / 20), 0.025 * Cos(sine / 20)) * angles(Rad(35 - 5 * Cos(sine / 0.465)), Rad(-5 * Cos(sine / 0.465)), Rad(-15 - 7 * Sin(sine / 25))), 0.1) end elseif tors.Velocity.magnitude < 50 and hitfloor ~= nil then Anim = "Walk" change = 1 if attack == false then rootj.C0 = clerp(rootj.C0, RootCF * CF(0, 0, -0.175 + 0.025 * Cos(sine / 3.5) + -Sin(sine / 3.5) / 7) * angles(Rad(15 - 2.5 * Cos(sine / 3.5)), Rad(0) - root.RotVelocity.Y / 75, Rad(4 * Cos(sine / 7))), 0.15) tors.Neck.C0 = clerp(tors.Neck.C0, necko * angles(Rad(13 - 2.5 * Sin(sine / 7)), Rad(-5 * Cos(sine / 0.465)), Rad(-5 * Cos(sine / 0.465))), 0.3) RH.C0 = clerp(RH.C0, CF(1, -0.925 - 0.5 * Cos(sine / 7) / 2, 0.5 * Cos(sine / 7) / 2) * angles(Rad(-15 - 5 * Cos(sine / 7)) - rl.RotVelocity.Y / 75 + -Sin(sine / 7) / 2.5, Rad(90 - 0.1 * Cos(sine / 7)), Rad(0)) * angles(Rad(0 + 0.1 * Cos(sine / 7)), Rad(0), Rad(15)), 0.3) LH.C0 = clerp(LH.C0, CF(-1, -0.925 + 0.5 * Cos(sine / 7) / 2, -0.5 * Cos(sine / 7) / 2) * angles(Rad(-15 + 5 * Cos(sine / 7)) + ll.RotVelocity.Y / 75 + Sin(sine / 7) / 2.5, Rad(-90 - 0.1 * Cos(sine / 7)), Rad(0)) * angles(Rad(0 - 0.1 * Cos(sine / 7)), Rad(0), Rad(-15)), 0.3) RW.C0 = clerp(RW.C0, CF(1.5, 0.5 + 0.05 * Sin(sine / 7), 0.025 * Cos(sine / 7)) * angles(Rad(65) * Cos(sine / 7) , Rad(0), Rad(10 + 7 * Sin(sine / 7)) - ra.RotVelocity.Y / 75), 0.1) LW.C0 = clerp(LW.C0, CF(-1.5, 0.5 + 0.05 * Sin(sine / 7), 0.025 * Cos(sine / 7)) * angles(Rad(-65) * Cos(sine / 7) , Rad(0), Rad(-10 - 7 * Sin(sine / 7)) + la.RotVelocity.Y / 75), 0.1) end end end if 0 < #Effects then for e = 1, #Effects do if Effects[e] ~= nil then local Thing = Effects[e] if Thing ~= nil then local Part = Thing[1] local Mode = Thing[2] local Delay = Thing[3] local IncX = Thing[4] local IncY = Thing[5] local IncZ = Thing[6] if 1 >= Thing[1].Transparency then if Thing[2] == "Block1" then Thing[1].CFrame = Thing[1].CFrame * CFrame.fromEulerAnglesXYZ(math.random(-50, 50), math.random(-50, 50), math.random(-50, 50)) local Mesh = Thing[1].Mesh Mesh.Scale = Mesh.Scale + Vector3.new(Thing[4], Thing[5], Thing[6]) Thing[1].Transparency = Thing[1].Transparency + Thing[3] elseif Thing[2] == "Block2" then Thing[1].CFrame = Thing[1].CFrame + Vector3.new(0, 0, 0) local Mesh = Thing[7] Mesh.Scale = Mesh.Scale + Vector3.new(Thing[4], Thing[5], Thing[6]) Thing[1].Transparency = Thing[1].Transparency + Thing[3] elseif Thing[2] == "Block3" then Thing[1].CFrame = Thing[1].CFrame * CFrame.fromEulerAnglesXYZ(math.random(-50, 50), math.random(-50, 50), math.random(-50, 50)) + Vector3.new(0, 0.15, 0) local Mesh = Thing[7] Mesh.Scale = Mesh.Scale + Vector3.new(Thing[4], Thing[5], Thing[6]) Thing[1].Transparency = Thing[1].Transparency + Thing[3] elseif Thing[2] == "Cylinder" then local Mesh = Thing[1].Mesh Mesh.Scale = Mesh.Scale + Vector3.new(Thing[4], Thing[5], Thing[6]) Thing[1].Transparency = Thing[1].Transparency + Thing[3] elseif Thing[2] == "Blood" then local Mesh = Thing[7] Thing[1].CFrame = Thing[1].CFrame * Vector3.new(0, 0.5, 0) Mesh.Scale = Mesh.Scale + Vector3.new(Thing[4], Thing[5], Thing[6]) Thing[1].Transparency = Thing[1].Transparency + Thing[3] elseif Thing[2] == "Elec" then local Mesh = Thing[1].Mesh Mesh.Scale = Mesh.Scale + Vector3.new(Thing[7], Thing[8], Thing[9]) Thing[1].Transparency = Thing[1].Transparency + Thing[3] elseif Thing[2] == "Disappear" then Thing[1].Transparency = Thing[1].Transparency + Thing[3] elseif Thing[2] == "Shatter" then Thing[1].Transparency = Thing[1].Transparency + Thing[3] Thing[4] = Thing[4] * CFrame.new(0, Thing[7], 0) Thing[1].CFrame = Thing[4] * CFrame.fromEulerAnglesXYZ(Thing[6], 0, 0) Thing[6] = Thing[6] + Thing[5] end else Part.Parent = nil table.remove(Effects, e) end end end end end end ------------------------------------------------------- --End Animations And Script-- -------------------------------------------------------
local tablex = require "pl.tablex" local ngx_ssl = require "ngx.ssl" local gkong = kong local _M = {} local EMPTY = tablex.readonly({}) function _M.serialize(ngx, kong) local ctx = ngx.ctx local var = ngx.var local req = ngx.req if not kong then kong = gkong end local authenticated_entity if ctx.authenticated_credential ~= nil then authenticated_entity = { id = ctx.authenticated_credential.id, consumer_id = ctx.authenticated_credential.consumer_id } end local request_tls local request_tls_ver = ngx_ssl.get_tls1_version_str() if request_tls_ver then request_tls = { version = request_tls_ver, cipher = var.ssl_cipher, client_verify = var.ssl_client_verify, } end local request_uri = var.request_uri or "" return { request = { uri = request_uri, url = var.scheme .. "://" .. var.host .. ":" .. var.server_port .. request_uri, querystring = kong.request.get_query(), -- parameters, as a table method = kong.request.get_method(), -- http method headers = kong.request.get_headers(), size = var.request_length, tls = request_tls }, upstream_uri = var.upstream_uri, response = { status = ngx.status, headers = ngx.resp.get_headers(), size = var.bytes_sent }, tries = (ctx.balancer_data or EMPTY).tries, latencies = { kong = (ctx.KONG_ACCESS_TIME or 0) + (ctx.KONG_RECEIVE_TIME or 0) + (ctx.KONG_REWRITE_TIME or 0) + (ctx.KONG_BALANCER_TIME or 0), proxy = ctx.KONG_WAITING_TIME or -1, request = var.request_time * 1000 }, authenticated_entity = authenticated_entity, route = ctx.route, service = ctx.service, consumer = ctx.authenticated_consumer, client_ip = var.remote_addr, started_at = req.start_time() * 1000 } end return _M
StoreProtocol = {} -- PUBLIC ENUMS StoreProtocol.OfferTypes = { OFFER_TYPE_NONE = 0, -- (this will disable offer) OFFER_TYPE_ITEM = 1, OFFER_TYPE_STACKABLE = 2, OFFER_TYPE_OUTFIT = 3, OFFER_TYPE_OUTFIT_ADDON = 4, OFFER_TYPE_MOUNT = 5, OFFER_TYPE_NAMECHANGE = 6, OFFER_TYPE_SEXCHANGE = 7, OFFER_TYPE_PROMOTION = 8, OFFER_TYPE_HOUSE = 9, OFFER_TYPE_EXPBOOST = 10, OFFER_TYPE_PREYSLOT = 11, OFFER_TYPE_PREYBONUS = 12, OFFER_TYPE_TEMPLE = 13, OFFER_TYPE_BLESSINGS = 14, OFFER_TYPE_PREMIUM = 15, OFFER_TYPE_POUNCH = 16, OFFER_TYPE_ALLBLESSINGS = 17 } StoreProtocol.ClientOfferTypes = { CLIENT_STORE_OFFER_OTHER = 0, CLIENT_STORE_OFFER_NAMECHANGE = 1 } StoreProtocol.HistoryTypes = { HISTORY_TYPE_NONE = 0, HISTORY_TYPE_GIFT = 1, HISTORY_TYPE_REFUND = 2 } StoreProtocol.States = { STATE_NONE = 0, STATE_NEW = 1, STATE_SALE = 2, STATE_TIMED = 3 } StoreProtocol.StoreErrors = { STORE_ERROR_PURCHASE = 0, STORE_ERROR_NETWORK = 1, STORE_ERROR_HISTORY = 2, STORE_ERROR_TRANSFER = 3, STORE_ERROR_INFORMATION = 4 } StoreProtocol.ServiceTypes = { SERVICE_STANDARD = 0, SERVICE_OUTFITS = 3, SERVICE_MOUNTS = 4, SERVICE_BLESSINGS = 5 } local protocol local isSilent local function send(msg) if protocol and not isSilent then --print('sent', msg) protocol:send(msg) end end function initProtocol() connect(g_game, { onGameStart = StoreProtocol.registerProtocol, onGameEnd = StoreProtocol.unregisterProtocol }) -- reloading module if g_game.isOnline() then StoreProtocol.registerProtocol() end StoreProtocol.setIsSilent(false) end function terminateProtocol() disconnect(g_game, { onGameStart = StoreProtocol.registerProtocol, onGameEnd = StoreProtocol.unregisterProtocol }) -- reloading module StoreProtocol.unregisterProtocol() StoreProtocol = nil end -- PRIVATE local function parseCoinBalance(protocol, msg) msg:getU8() local balance = msg:getU32() msg:getU32() -- duplicate of balance signalcall(Store.onCoinBalance, balance) return true end local function parseCoinBalanceUpdating(protocol, msg) msg:getU8() -- 0x00 is updating signalcall(Store.onCoinBalanceUpdating) return true end local function parseStoreError(protocol, msg) --[[ STORE_ERROR_PURCHASE=0, STORE_ERROR_NETWORK, STORE_ERROR_HISTORY, STORE_ERROR_TRANSFER, STORE_ERROR_INFORMATION ]] local error = msg:getU8() local message = msg:getString() signalcall(Store.onStoreError, error, message) return true end local function parseRequestPurchaseData(protocol, msg) local offerId = msg:getU32() local clientOfferType = msg:getU8() signalcall(Store.onRequestPurchaseData, offerId, clientOfferType) return true end local function parseOpenStore(protocol, msg) local categories = {} msg:getU8() local categoriesCount = msg:getU16() for i=1, categoriesCount do local category = {} category.name = msg:getString() category.description = msg:getString() category.state = msg:getU8() category.icons = {} local iconsCount = msg:getU8() for j=1, iconsCount do category.icons[j] = msg:getString() end category.parentCategory = msg:getString() categories[i] = category end signalcall(Store.onOpenStore, categories) return true end local function parseStoreOffers(protocol, msg) local category = {} category.name = msg:getString() category.offers = {} local offerCount = msg:getU16() for i=1, offerCount do local offer = {} offer.id = msg:getU32() offer.name = msg:getString() -- this is item amount and item name -- create a pseudo amount field local match = string.gmatch(offer.name, "(%d+)x ") local amount = match(1) if amount then offer.amount = amount else offer.amount = 1 end offer.description = msg:getString() offer.price = msg:getU32() offer.state = msg:getU8() offer.basePrice = nil offer.validUntil = nil if offer.state == StoreProtocol.States.STATE_SALE then offer.validUntil = msg:getU32() offer.basePrice = msg:getU32() end offer.type = msg:getU8() offer.disableReason = "" if offer.type == 0 then offer.disableReason = msg:getString() end if offer.type == StoreProtocol.OfferTypes.OFFER_TYPE_PREMIUM then local daysCount = string.gmatch(offer.name, "(%d+) Days") offer.amount = daysCount(1) end offer.icons = {} local iconCount = msg:getU8() for j=1, iconCount do offer.icons[j] = msg:getString() end msg:getU16() -- 0 category.offers[i] = offer end signalcall(Store.onStoreOffers, category) return true end local function parseOpenTransactionHistory(protocol, msg) local history = {} local pageNumber = msg:getU32() local isLastPage = msg:getU32() -- 0,1 last page local historyEntryCount = msg:getU8() for i=1, historyEntryCount do local historyEntry = {} historyEntry.time = msg:getU32() historyEntry.mode = msg:getU8() historyEntry.amount = msg:getU32() historyEntry.description = msg:getString() history[i] = historyEntry end signalcall(Store.onOpenTransactionHistory, pageNumber, isLastPage, history) return true end local function parseCompletePurchase(protocol, msg) msg:getU8() local message = msg:getString() local balance = msg:getU32() msg:getU32() -- duplicate of balance signalcall(Store.onCompletePurchase, message, balance) return true end function StoreProtocol.updateProtocol(_protocol) protocol = _protocol end local function logUnsupportedError(mthdname) return g_logger.error(string.format('StoreProtocol.%s does not support the current protocol.', mthdname)) end -- PUBLIC function StoreProtocol.setIsSilent(_isSilent) isSilent = _isSilent end function StoreProtocol.registerProtocol() if g_game.getFeature(GameIngameStore) then ProtocolGame.registerOpcode(GameServerOpcodes.GameServerCoinBalance, parseCoinBalance) ProtocolGame.registerOpcode(GameServerOpcodes.GameServerStoreError, parseStoreError) ProtocolGame.registerOpcode(GameServerOpcodes.GameServerRequestPurchaseData, parseRequestPurchaseData) ProtocolGame.registerOpcode(GameServerOpcodes.GameServerCoinBalanceUpdating, parseCoinBalanceUpdating) ProtocolGame.registerOpcode(GameServerOpcodes.GameServerStore, parseOpenStore) -- GameServerOpenStore ProtocolGame.registerOpcode(GameServerOpcodes.GameServerStoreOffers, parseStoreOffers) ProtocolGame.registerOpcode(GameServerOpcodes.GameServerStoreTransactionHistory, parseOpenTransactionHistory) -- GameServerStoreTransactionHistory ProtocolGame.registerOpcode(GameServerOpcodes.GameServerStoreCompletePurchase, parseCompletePurchase) -- GameServerCompletePurchase end StoreProtocol.updateProtocol(g_game.getProtocolGame()) end function StoreProtocol.unregisterProtocol() if g_game.getFeature(GameIngameStore) then ProtocolGame.unregisterOpcode(GameServerOpcodes.GameServerCoinBalance, parseCoinBalance) ProtocolGame.unregisterOpcode(GameServerOpcodes.GameServerStoreError, parseStoreError) ProtocolGame.unregisterOpcode(GameServerOpcodes.GameServerRequestPurchaseData, parseRequestPurchaseData) ProtocolGame.unregisterOpcode(GameServerOpcodes.GameServerCoinBalanceUpdating, parseCoinBalanceUpdating) ProtocolGame.unregisterOpcode(GameServerOpcodes.GameServerStore, parseOpenStore) ProtocolGame.unregisterOpcode(GameServerOpcodes.GameServerStoreOffers, parseStoreOffers) ProtocolGame.unregisterOpcode(GameServerOpcodes.GameServerStoreTransactionHistory, parseOpenTransactionHistory) ProtocolGame.unregisterOpcode(GameServerOpcodes.GameServerStoreCompletePurchase, parseCompletePurchase) end StoreProtocol.updateProtocol(nil) end function StoreProtocol.sendStoreEvent() if not g_game.getFeature(GameIngameStore) then logUnsupportedError('sendStoreEvent') end local msg = OutputMessage.create() -- not used send(msg) end function StoreProtocol.sendTransferCoins(transferReceiver, amount) if not g_game.getFeature(GameIngameStore) then logUnsupportedError('sendTransferCoins') end local player = g_game.getLocalPlayer() local msg = OutputMessage.create() msg:addU8(ClientOpcodes.ClientTransferCoins) msg:addString(transferReceiver) msg:addU32(amount) send(msg) end function StoreProtocol.sendOpenStore() if not g_game.getFeature(GameIngameStore) then logUnsupportedError('sendOpenStore') end --[[ GameStore.ServiceTypes = { SERVICE_STANDERD = 0, SERVICE_OUTFITS = 3, SERVICE_MOUNTS = 4, SERVICE_BLESSINGS = 5 } ]] local msg = OutputMessage.create() msg:addU8(ClientOpcodes.ClientOpenStore) --msg:addU8(StoreProtocol.ServiceTypes.SERVICE_OUTFITS) -- TODO: add an option to set service type msg:addU8(0) -- TODO: add an option to set service type send(msg) end function StoreProtocol.sendRequestStoreOffers(categoryName) if not g_game.getFeature(GameIngameStore) then logUnsupportedError('sendRequestStoreOffers') end local msg = OutputMessage.create() msg:addU8(ClientOpcodes.ClientRequestStoreOffers) if g_game.getClientVersion() >= 1092 then msg:addU8(StoreProtocol.ServiceTypes.SERVICE_STANDARD) -- TODO: add an option to set service type end msg:addString(categoryName) send(msg) end function StoreProtocol.sendBuyStoreOffer(offerId, offerType, newName) if not g_game.getFeature(GameIngameStore) then logUnsupportedError('sendBuyStoreOffer') end local msg = OutputMessage.create() msg:addU8(ClientOpcodes.ClientBuyStoreOffer) msg:addU32(offerId) msg:addU8(offerType) if offerType == StoreProtocol.ClientOfferTypes.CLIENT_STORE_OFFER_NAMECHANGE then msg:addString(newName) end send(msg) end function StoreProtocol.sendOpenTransactionHistory(entriesPerPageCount) if not g_game.getFeature(GameIngameStore) then logUnsupportedError('sendOpenTransactionHistory') end local msg = OutputMessage.create() msg:addU8(ClientOpcodes.ClientOpenTransactionHistory) msg:addU8(entriesPerPageCount) send(msg) end function StoreProtocol.sendRequestTransactionHistory(page) if not g_game.getFeature(GameIngameStore) then logUnsupportedError('sendRequestTransactionHistory') end local msg = OutputMessage.create(page) msg:addU8(ClientOpcodes.ClientRequestTransactionHistory) msg:addU32(page) send(msg) end
-- https://github.com/Hammerspoon/Spoons/ CONFIG_KEY_RELOAD = {{"cmd", "alt", "ctrl"}, "R"} hs.hotkey.alertDuration = 0 hs.hints.showTitleThresh = 5 hs.window.animationDuration = 0 hs.loadSpoon("ModalMgr") hs.loadSpoon("WinWin") hs.alert.show("Config loaded") hs.hotkey.bind(CONFIG_KEY_RELOAD[1], CONFIG_KEY_RELOAD[2], function() hs.reload() end) -- APP_SUBLIME = hs.appfinder.appFromName("Sublime Text") -- hs.tabs.enableForApp(APP_SUBLIME) -- Window Hints hs.hints.style = 'vimperator' hs.hotkey.bind({"alt"}, "`", function() spoon.ModalMgr:deactivateAll() hs.hints.windowHints() end) -- spoon.ModalMgr.supervisor:bind({"alt"}, "`", '', function() -- spoon.ModalMgr:deactivateAll() -- hs.hints.windowHints() -- end) -- MODE Resize spoon.ModalMgr:new("resizeM") cmodal = spoon.ModalMgr.modal_list["resizeM"] last_action = nil repeatable = function(action, direction, reverse, ignore) return function() if not ignore then last_action = {action, direction, reverse} end spoon.WinWin[action](spoon.WinWin, direction) end end -- spoon.WinWin:windowStash(hs.window.focusedWindow()) moveAndResize = function(move) return function() spoon.WinWin:moveAndResize(move) spoon.ModalMgr:deactivate({"resizeM"}) end end cmodal:bind('', 'escape', 'Deactivate resizeM', function() spoon.ModalMgr:deactivate({"resizeM"}) end) cmodal:bind('', 'tab', 'Toggle Cheatsheet', function() spoon.ModalMgr:toggleCheatsheet() end) cmodal:bind('', '.', 'Repeat', function() if last_action then repeatable(last_action[1], last_action[2], '', true)() end end) cmodal:bind('', ',', 'UnRepeat', function() if last_action then repeatable(last_action[1], last_action[3], '', true)() end end) cmodal:bind('', 'F', 'Fullscreen', moveAndResize("fullscreen")) cmodal:bind('', '[', 'Half Left', moveAndResize("halfleft")) cmodal:bind('', ']', 'Half Right', moveAndResize("halfright")) cmodal:bind('', 'T', 'Uphalf of Screen', moveAndResize("halfup")) cmodal:bind('', 'B', 'Downhalf of Screen', moveAndResize("halfdown")) cmodal:bind('', 'Q', 'Top Left Corner', moveAndResize("cornerNW")) cmodal:bind('', 'E', 'Top Right Corner', moveAndResize("cornerNE")) cmodal:bind('', 'Z', 'Bottom Left Corner', moveAndResize("cornerSW")) cmodal:bind('', 'C', 'Bottom Right Corner', moveAndResize("cornerSE")) cmodal:bind('', 'A', 'Move Left', repeatable('stepMove', 'left', 'right')) cmodal:bind('', 'D', 'Move Right', repeatable('stepMove', 'right', 'left')) cmodal:bind('', 'W', 'Move Up', repeatable('stepMove', 'up', 'down')) cmodal:bind('', 'S', 'Move Down', repeatable('stepMove', 'down', 'up')) cmodal:bind('', 'H', 'Stretch Left', repeatable('stepResizeReverse', 'right', 'left')) cmodal:bind('', 'L', 'Stretch Right', repeatable('stepResize', 'right', 'left')) cmodal:bind('', 'K', 'Stretch Up', repeatable('stepResizeReverse', 'down', 'up')) cmodal:bind('', 'J', 'Stretch Down', repeatable('stepResize', 'down', 'up')) cmodal:bind('shift', 'H', 'Shrink Left', repeatable('stepResizeReverse', 'left', 'right')) cmodal:bind('shift', 'L', 'Shrink Right', repeatable('stepResize', 'left', 'right')) cmodal:bind('shift', 'K', 'Shrink Up', repeatable('stepResizeReverse', 'up', 'down')) cmodal:bind('shift', 'J', 'Shrink Down', repeatable('stepResize', 'up', 'down')) -- cmodal:bind('', 'C', 'Center Window', function() spoon.WinWin:moveAndResize("center") end) -- cmodal:bind('', '=', 'Stretch Outward', function() spoon.WinWin:moveAndResize("expand") end, nil, function() spoon.WinWin:moveAndResize("expand") end) -- cmodal:bind('', '-', 'Shrink Inward', function() spoon.WinWin:moveAndResize("shrink") end, nil, function() spoon.WinWin:moveAndResize("shrink") end) cmodal:bind('', 'left', 'Move to Left Monitor', function() spoon.WinWin:moveToScreen("left") end) cmodal:bind('', 'right', 'Move to Right Monitor', function() spoon.WinWin:moveToScreen("right") end) cmodal:bind('', 'up', 'Move to Above Monitor', function() spoon.WinWin:moveToScreen("up") end) cmodal:bind('', 'down', 'Move to Below Monitor', function() spoon.WinWin:moveToScreen("down") end) -- cmodal:bind('', 'space', 'Move to Next Monitor', function() spoon.WinWin:moveToScreen("next") end) -- cmodal:bind('', '[', 'Undo Window Manipulation', function() spoon.WinWin:undo() end) -- cmodal:bind('', ']', 'Redo Window Manipulation', function() spoon.WinWin:redo() end) -- cmodal:bind('', '`', 'Center Cursor', function() spoon.WinWin:centerCursor() end) -- Register resizeM with modal supervisor hsresizeM_keys = {"alt", "R"} spoon.ModalMgr.supervisor:bind(hsresizeM_keys[1], hsresizeM_keys[2], "Enter resizeM Environment", function() spoon.ModalMgr:deactivateAll() spoon.ModalMgr:activate({"resizeM"}, "#333333", "R") end) spoon.ModalMgr.supervisor:enter()
--[[ module:MementoTest author:DylanYang time:2021-02-18 01:46:09 ]] local Originator = require("patterns.behavioral.memento.Originator") local super = require("patterns.BaseTest") local _M = Class("MementoTest", super) function _M.protected:DoExecTest() --“状态”,可以用于快速恢复;Memento序列,可以支持“连续恢复Undo”和“连续撤销恢复Redo”,还需要有一个Memento序列的指针索引 --“操作序列”,可以用于“从头再播放”到“指定位置”(帧同步,记录“操作序列”,也是为了播放和重播) --倒序播放,需要有2方面支持:1、“操作动画”支持倒序播放;2、“状态序列”可以作为Undo的回退目标(避免了开发回退操作的逻辑处理,避免强耦合!) local originator = Originator.new(100) -- 最初的所持金钱数为100 local memento = originator:CreateMemento(0) -- 保存最初的状态 for i = 1, 100 do local betInfo = originator:Bet(i) -- 进行游戏 if betInfo then print("==== ", i, betInfo) -- 显示掷骰子的次数 printlt(string.format("操作后,状态:\n%s", originator)) -- 显示主人公现在的状态 --只有钱变多的时候,才留存档;这样钱会越来越多 if originator.money > memento.money then memento = originator:CreateMemento(i) print("立即存档:\n\t金钱 增加 许多") elseif originator.money < memento.money / 2 then -- originator:RestoreLast() --随机恢复,尝试在回退后,添加新存档时,删除可恢复的存档 originator:RestoreRandom() print(string.format("恢复存档:(金钱 降到 存档的 ½ 下\t\t\t\t\t====\t%s)", originator.index)) print(originator) end -- 等待一段时间 --@TODO 实现Lua的协同功能 -- try then -- Thread.sleep(1000) -- end catch (InterruptedException e) then -- end print("") end end end return _M
require("chttp") local tempAvatars = tempAvatars or {} local function onFailure(message) print("-------------\nSEND failure\n-------------\n"..message) end function sendMsgToDiscord( body ) CHTTP( { failed = onFailure, succes = nil, method = "POST", url = GM_IRC.WebhookAdress, body = body, type = "application/json" } ) end local function sendPost(sender, text) if tempAvatars[ sender:SteamID() ] then local json = { ["username"] = sender:Nick(), ["content"] = text, ["avatar_url"] = tempAvatars[ sender:SteamID() ], ["allowed_mentions"] = { ["parse"] = {} }, } json = util.TableToJSON(json) sendMsgToDiscord( json ) return end http.Fetch( "http://api.steampowered.com/ISteamUser/GetPlayerSummaries/v0002/?key=" .. GM_IRC.SteamapiKey .. "&steamids=" .. sender:SteamID64(), function ( body, length, headers, code ) local user = util.JSONToTable(body) if ( user == nil ) then print("-------------\nSTEAM API failure\n-------------\n" .. body) else tempAvatars[ sender:SteamID() ] = user.response.players[1].avatarfull print("[gm-irc]", sender, "avatar cached!") end local json = { ["username"] = sender:Nick(), ["content"] = text, ["avatar_url"] = tempAvatars[ sender:SteamID() ] or nil, ["allowed_mentions"] = { ["parse"] = {} }, } json = util.TableToJSON(json) sendMsgToDiscord( json ) end, function ( message ) print("-------------\nSteam API failed!\n-------------\n".."-------------\n"..message.."\n-------------") local json = util.TableToJSON( { username = sender:GetName(), content = text } ) sendMsgToDiscord( json ) end, {}) return end local function playerSpawnForTheFirstTime(ply, transit) local embed = { title = "Игрок " .. ply:GetName() .." (".. ply:SteamID() .. ") подключился к серверу", color = 4915018 } local json = util.TableToJSON ({ username = GM_IRC.Username, embeds = {embed} }) sendMsgToDiscord( json ) end function playerConnect(ply, ip) local embed = { title = "Игрок " .. ply .. " инициировал подключение", color = 16763979 } local json = util.TableToJSON ({ username = GM_IRC.Username, embeds = {embed} }) sendMsgToDiscord( json ) end local function playerDisconnected(ply) --Удаляем авы их кэша if tempAvatars[ ply.networkid ] then table.RemoveByValue(tempAvatars, ply.networkid) print("[gm-irc]", ply.name, "avatar uncached!") end local embed = { title = "Игрок " .. ply.name .." (".. ply.networkid .. ") отключился от сервера (" .. ply.reason .. ")", color = 16730698 } local json = util.TableToJSON ({ username = GM_IRC.Username, embeds = {embed} }) sendMsgToDiscord( json ) end local function playersCount() local count = #player.GetAll() if (count != 0) then local embed = { title = "Игроков на сервере " .. tostring(count), color = GM_IRC.PlayersCountColor } local json = util.TableToJSON ({ username = GM_IRC.Username, embeds = { embed } }) sendMsgToDiscord( json ) end end hook.Add("PlayerConnect", "irc_onplayerconnect", playerConnect) hook.Add("PlayerInitialSpawn", "irc_onplayerinitspawn", playerSpawnForTheFirstTime) hook.Add( "PlayerSay", "irc_onplayersay", sendPost) gameevent.Listen( "player_disconnect" ) hook.Add("player_disconnect", "irc_ondisconnect", playerDisconnected) if GM_IRC.SendPlayersCount then timer.Create("irc_players_count", GM_IRC.PlayersCountDelay, 0, playersCount) end
-- scaffolding entry point for bgfx return dofile("bgfx.lua")
-- This is Foo.lua
--[[ Copyright (C) 2013-2018 Draios Inc dba Sysdig. This file is part of sysdig. Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. --]] view_info = { id = "incoming_connections", name = "New Connections", description = "List every newly established network connection.", tags = {"Default"}, view_type = "list", applies_to = {"", "container.id", "proc.pid", "thread.nametid", "thread.tid", "proc.name", "fd.name", "fd.containername", "fd.sport", "fd.sproto", "fd.dport", "fd.port", "fd.lport", "fd.rport", "k8s.pod.id", "k8s.rc.id", "k8s.rs.id", "k8s.svc.id", "k8s.ns.id", "marathon.app.id", "marathon.group.name", "mesos.task.id", "mesos.framework.name"}, filter = "evt.type=accept and evt.dir=< and evt.failed=false", columns = { { name = "TIME", field = "evt.time", description = "Time when the connection was received by this machine.", colsize = 19, }, { name = "Connection", field = "fd.name", description = "Connection tuple details.", colsize = 40, }, { tags = {"containers"}, name = "Container", field = "container.name", description = "Name of the container. This field depends on the containerization technology. For docker this is the 'NAMES' column in 'docker ps'", colsize = 20 }, { name = "Command", field = "proc.exeline", aggregation = "MAX", description = "Name and arguments of the process that received the connection.", colsize = 0 } } }
-- BRK Simulate IRQ, Implied, 1 Byte, 7 Cycles local mem = require(script.Parent.Parent.Memory) local statusRegisters = require(script.Parent.Parent.Registers) local internal = require(script.Parent.Parent.Internal) local opVar = require(script.Parent.Parent.Util.OperatorVariations) return function() opVar.BreakOperation(true, 0xFFFE) end
ottomanic:stop( "Auto Import Stop" ) return true
--[[ @Author: Ermano Arruda (exa371 at bham dot ac dot uk), June 2016 An implementation of ReplayMemory for the DQN algorithm proposed by Mnih et al https://www.cs.toronto.edu/%7Evmnih/docs/dqn.pdf ]] require 'torch' local ReplayMemory = torch.class("ReplayMemory") function ReplayMemory:__init(args) self.max_size = args.max_size or 5000 self.recent_mem_size = args.recent_mem_size or 200 self.state_dim = args.state_dim self.n_actions = args.n_actions self.n_entries = 0 self.next_index = 1 self.s = torch.Tensor(self.max_size, self.state_dim):fill(0) self.a = torch.LongTensor(self.max_size):fill(0) self.r = torch.zeros(self.max_size) self.ns = torch.Tensor(self.max_size, self.state_dim):fill(0) end function ReplayMemory:insert(transition) self.s:narrow(1, self.next_index, 1):copy(transition.s) self.a[self.next_index] = transition.a self.r[self.next_index] = transition.r self.ns:narrow(1, self.next_index, 1):copy(transition.ns) self.next_index = (self.next_index+1)%self.max_size if self.next_index == 0 then self.next_index = 1 end self.n_entries = self.n_entries + 1 end function ReplayMemory:getRecent(size) assert(self.n_entries >= size) local trans_batch = {} trans_batch.s = torch.zeros(size,self.state_dim) trans_batch.a = torch.LongTensor(size):fill(0) trans_batch.r = torch.zeros(size) trans_batch.ns = torch.zeros(size,self.state_dim) base = math.max(self.next_index - size,1) limit = base + size - 1 i = 1 for idx = base, limit do trans = self:getTransition(idx) --print("got " .. idx) trans_batch.s[i]:copy(trans.s) trans_batch.a[i] = trans.a trans_batch.r[i] = trans.r trans_batch.ns[i]:copy(trans.ns) i = i + 1 end return trans_batch end function ReplayMemory:getTransition(idx) local transition = {} transition.s = self.s:narrow(1, idx, 1) transition.a = self.a[idx] transition.r = self.r[idx] transition.ns = self.ns:narrow(1, idx, 1) return transition end function ReplayMemory:sample_one(recent) assert(self.n_entries > 0) local base = math.max(self.n_entries-self.recent_mem_size,0) local idx if recent then idx = torch.random(base, self.n_entries)%self.max_size else idx = torch.random(1,self.n_entries)%self.max_size end if idx == 0 then idx = 1 end return self:getTransition(idx) end function ReplayMemory:sample(size,recent) assert(self.n_entries >= size) local trans_batch = {} trans_batch.s = torch.zeros(size,self.state_dim) trans_batch.a = torch.LongTensor(size):fill(0) trans_batch.r = torch.zeros(size) trans_batch.ns = torch.zeros(size,self.state_dim) for i = 1, size do trans = self:sample_one(recent) trans_batch.s[i]:copy(trans.s) trans_batch.a[i] = trans.a trans_batch.r[i] = trans.r trans_batch.ns[i]:copy(trans.ns) end return trans_batch end function ReplayMemory:write(file) file:writeObject({self.state_dim, self.n_actions, self.max_size}) end function ReplayMemory:read(file) local state_dim, n_actions, max_size = unpack(file:readObject()) self.state_dim = state_dim self.n_actions = n_actions self.max_size = max_size self.n_entries = 0 self.next_index = 0 self.s = torch.Tensor(self.max_size, self.state_dim):fill(0) self.a = torch.LongTensor(self.max_size):fill(0) self.r = torch.zeros(self.max_size) self.ns = torch.Tensor(self.max_size, self.state_dim):fill(0) end
function editVehicle(thePlayer, commandName) if exports.mrp_integration:isPlayerVehicleConsultant(thePlayer) or exports.mrp_integration:isPlayerSeniorAdmin(thePlayer) or exports.mrp_integration:isPlayerVCTMember(thePlayer) then local theVehicle = getPedOccupiedVehicle(thePlayer) or false if not theVehicle then outputChatBox( "You must be in a vehicle.", thePlayer, 255, 194, 14) return false end local vehID = getElementData(theVehicle, "dbid") or false if not vehID or vehID < 0 then outputChatBox("This vehicle can not have custom properties.", thePlayer, 255, 194, 14) return false end local veh = {} dbQuery( function(qh) local res, rows, err = dbPoll(qh, 0) if rows > 0 then for index, row in ipairs(res) do if row then veh.id = row.id veh.brand = row.brand veh.model = row.model veh.price = row.price veh.tax = row.tax veh.handling = row.handling veh.notes = row.notes veh.doortype = getRealDoorType(row.doortype) end end end triggerClientEvent(thePlayer, "vehlib:handling:editVehicle", thePlayer, veh) end, mysql:getConnection(), "SELECT * FROM `vehicles_custom` WHERE `id` = '" .. (vehID) .. "' LIMIT 1" ) --exports["mrp_vehicle"]:reloadVehicle(tonumber(vehID)) exports.mrp_logs:dbLog(thePlayer, 4, { theVehicle, thePlayer }, commandName) return true end end addCommandHandler("editvehicle", editVehicle) addCommandHandler("editveh", editVehicle) function createUniqueVehicle(data, existed) if not data then --outputDebugString("VEHICLE MANAGER / createUniqueVehicle / NO DATA RECIEVED FROM CLIENT") return false end data.doortype = getRealDoorType(data.doortype) or 'NULL' local vehicle = exports.mrp_pool:getElement("vehicle", tonumber(data.id)) if not existed then --outputDebugString(data.id) local mQuery1 = dbExec(mysql:getConnection(), "INSERT INTO `vehicles_custom` SET `id`='"..(data["id"]).."', `brand`='"..(data["brand"]).."', `model`='"..(data["model"]).."', `year`='"..(data["year"]).."', `price`='"..(data["price"]).."', `tax`='"..(data["tax"]).."', `createdby`='"..(getElementData(client, "account:id")).."', `notes`='"..(data["note"]).."', `doortype` = " .. data.doortype) if not mQuery1 then --outputDebugString("VEHICLE MANAGER / VEHICLE LIB / createUniqueVehicle / DATABASE ERROR") outputChatBox("[VEHICLE MANAGER] Failed to create unique vehicle.", client, 255,0,0) return false end outputChatBox("[VEHICLE MANAGER] Unique vehicle created.", client, 0,255,0) exports.mrp_logs:dbLog(client, 6, { client }, " Created unique vehicle #"..data.id..".") exports.mrp_global:sendMessageToAdmins("[vehicle_manager]: "..getElementData(client, "account:username").." has created new unique vehicle #"..data.id..".") exports["mrp_vehicle"]:reloadVehicle(tonumber(data.id)) addVehicleLogs(tonumber(data.id), 'editveh: ' .. topicLink, client) return true else local mQuery1 = dbExec(mysql:getConnection(), "UPDATE `vehicles_custom` SET `brand`='"..(data["brand"]).."', `model`='"..(data["model"]).."', `year`='"..(data["year"]).."', `price`='"..(data["price"]).."', `tax`='"..(data["tax"]).."', `updatedby`='"..(getElementData(client, "account:id")).."', `notes`='"..(data["note"]).."', `updatedate`=NOW(), `doortype` = " .. data.doortype .. " WHERE `id`='"..(data["id"]).."' ") if not mQuery1 then --String("VEHICLE MANAGER / VEHICLE LIB / createUniqueVehicle / DATABASE ERROR") outputChatBox("[VEHICLE MANAGER] Update unique vehicle #"..data.id.." failed.", client, 255,0,0) return false end outputChatBox("[VEHICLE MANAGER] You have updated unique vehicle #"..data.id..".", client, 0,255,0) exports.mrp_logs:dbLog(client, 6, { client }, " Updated unique vehicle #"..data.id..".") exports.mrp_global:sendMessageToAdmins("[vehicle_manager]: "..getElementData(client, "account:username").." has updated unique vehicle #"..data.id..".") exports["mrp_vehicle"]:reloadVehicle(tonumber(data.id)) return true end end addEvent("vehlib:handling:createUniqueVehicle", true) addEventHandler("vehlib:handling:createUniqueVehicle", getRootElement(), createUniqueVehicle) function resetUniqueVehicle(vehID) if not vehID or not tonumber(vehID) then --outputDebugString("VEHICLE MANAGER / resetUniqueVehicle / NO DATA RECIEVED FROM CLIENT") return false end local mQuery1 = dbExec(mysql:getConnection(), "DELETE FROM `vehicles_custom` WHERE `id`='"..(vehID).."' ") if not mQuery1 then --outputDebugString("VEHICLE MANAGER / VEHICLE LIB / resetUniqueVehicle / DATABASE ERROR") outputChatBox("[VEHICLE MANAGER] Remove unique vehicle #"..vehID.." failed.", client, 255,0,0) return false end outputChatBox("[VEHICLE MANAGER] You have removed unique vehicle #"..vehID..".", client, 0,255,0) exports.mrp_logs:dbLog(client, 6, { client }, " Removed unique vehicle #"..vehID..".") exports.mrp_global:sendMessageToAdmins("[vehicle_manager]: "..getElementData(client, "account:username").." has removed unique vehicle #"..vehID..".") exports["mrp_vehicle"]:reloadVehicle(tonumber(vehID)) local vehicle = exports.mrp_pool:getElement("vehicle", tonumber(vehID)) addVehicleLogs(tonumber(vehID), 'editveh reset: ' .. topicLink, client) return true end addEvent("vehlib:handling:resetUniqueVehicle", true) addEventHandler("vehlib:handling:resetUniqueVehicle", getRootElement(), resetUniqueVehicle) ---HANDLINGS function openUniqueHandling(vehdbid, existed) if exports.mrp_integration:isPlayerVehicleConsultant(client) or exports.mrp_integration:isPlayerSeniorAdmin(client) then local theVehicle = getPedOccupiedVehicle(client) or false if not theVehicle then outputChatBox( "You must be in a vehicle.", client, 255, 194, 14) return false end local vehID = getElementData(theVehicle, "dbid") or false if not vehID or vehID < 0 then outputChatBox("This vehicle can not have custom properties.", client, 255, 194, 14) return false end if existed then triggerClientEvent(client, "veh-manager:handling:edithandling", client, 1) else triggerClientEvent(client, "veh-manager:handling:edithandling", client, 1) end return true end end addEvent("vehlib:handling:openUniqueHandling", true) addEventHandler("vehlib:handling:openUniqueHandling", getRootElement(), openUniqueHandling)
local ffi = require("ffi") --local libmongoc = ffi.load(ffi.os == "OSX" and "libmongoc-1.0.dylib" or "libmongoc-1.0.so") local ffi_load = require("mongoc.ffi_load").load local libmongoc = ffi_load("libmongoc-1.0") local libbson = require "mongoc.libbson-wrap" --from... ffi.cdef[[ typedef struct _mongoc_index_opt_t mongoc_index_opt_t; typedef struct _mongoc_write_concern_t mongoc_write_concern_t; //typedef struct _mongoc_update_flags_t mongoc_update_flags_t; typedef struct _mongoc_remove_flags_t mongoc_remove_flags_t; typedef struct _mongoc_find_and_modify_opts_t mongoc_find_and_modify_opts_t; typedef struct _mongoc_database_t mongoc_database_t; void mongoc_init (void); void mongoc_cleanup (void); ]] --from mongoc-log.h ffi.cdef[[ typedef enum { MONGOC_LOG_LEVEL_ERROR, MONGOC_LOG_LEVEL_CRITICAL, MONGOC_LOG_LEVEL_WARNING, MONGOC_LOG_LEVEL_MESSAGE, MONGOC_LOG_LEVEL_INFO, MONGOC_LOG_LEVEL_DEBUG, MONGOC_LOG_LEVEL_TRACE, } mongoc_log_level_t; typedef void (*mongoc_log_func_t) (mongoc_log_level_t log_level, const char *log_domain, const char *message, void *user_data); void mongoc_log_set_handler (mongoc_log_func_t log_func, void *user_data); void mongoc_log_default_handler (mongoc_log_level_t log_level, const char *log_domain, const char *message, void *user_data); ]] --from mongoc-read-prefs.h ffi.cdef[[ typedef enum { MONGOC_READ_PRIMARY = (1 << 0), MONGOC_READ_SECONDARY = (1 << 1), MONGOC_READ_PRIMARY_PREFERRED = (1 << 2) | MONGOC_READ_PRIMARY, MONGOC_READ_SECONDARY_PREFERRED = (1 << 2) | MONGOC_READ_SECONDARY, MONGOC_READ_NEAREST = (1 << 3) | MONGOC_READ_SECONDARY, } mongoc_read_mode_t; typedef struct _mongoc_read_prefs_t mongoc_read_prefs_t; ]] --from mongo-flags.h ffi.cdef[[ typedef enum { MONGOC_QUERY_NONE = 0, MONGOC_QUERY_TAILABLE_CURSOR = 1 << 1, MONGOC_QUERY_SLAVE_OK = 1 << 2, MONGOC_QUERY_OPLOG_REPLAY = 1 << 3, MONGOC_QUERY_NO_CURSOR_TIMEOUT = 1 << 4, MONGOC_QUERY_AWAIT_DATA = 1 << 5, MONGOC_QUERY_EXHAUST = 1 << 6, MONGOC_QUERY_PARTIAL = 1 << 7, } mongoc_query_flags_t; typedef enum { MONGOC_INSERT_NONE = 0, MONGOC_INSERT_CONTINUE_ON_ERROR = 1 << 0, } mongoc_insert_flags_t; ]] --from mongoc-cursor.h ffi.cdef[[ typedef struct _mongoc_cursor_t mongoc_cursor_t; void mongoc_cursor_destroy (mongoc_cursor_t *cursor); bool mongoc_cursor_more (mongoc_cursor_t *cursor); bool mongoc_cursor_next (mongoc_cursor_t *cursor, const bson_t **bson); bool mongoc_cursor_error (mongoc_cursor_t *cursor, bson_error_t *error); ]] --from mongoc-collection.h ffi.cdef[[ typedef struct _mongoc_collection_t mongoc_collection_t; void mongoc_collection_destroy (mongoc_collection_t *collection); mongoc_cursor_t *mongoc_collection_command (mongoc_collection_t *collection, mongoc_query_flags_t flags, uint32_t skip, uint32_t limit, uint32_t batch_size, const bson_t *command, const bson_t *fields, const mongoc_read_prefs_t *read_prefs) /*BSON_GNUC_WARN_UNUSED_RESULT*/; bool mongoc_collection_command_simple (mongoc_collection_t *collection, const bson_t *command, const mongoc_read_prefs_t *read_prefs, bson_t *reply, bson_error_t *error); int64_t mongoc_collection_count (mongoc_collection_t *collection, mongoc_query_flags_t flags, const bson_t *query, int64_t skip, int64_t limit, const mongoc_read_prefs_t *read_prefs, bson_error_t *error); int64_t mongoc_collection_count_with_opts (mongoc_collection_t *collection, mongoc_query_flags_t flags, const bson_t *query, int64_t skip, int64_t limit, const bson_t *opts, const mongoc_read_prefs_t *read_prefs, bson_error_t *error); bool mongoc_collection_drop (mongoc_collection_t *collection, bson_error_t *error); bool mongoc_collection_drop_index (mongoc_collection_t *collection, const char *index_name, bson_error_t *error); bool mongoc_collection_create_index (mongoc_collection_t *collection, const bson_t *keys, const mongoc_index_opt_t *opt, bson_error_t *error); mongoc_cursor_t *mongoc_collection_find_indexes (mongoc_collection_t *collection, bson_error_t *error); mongoc_cursor_t *mongoc_collection_find (mongoc_collection_t *collection, mongoc_query_flags_t flags, uint32_t skip, uint32_t limit, uint32_t batch_size, const bson_t *query, const bson_t *fields, const mongoc_read_prefs_t *read_prefs) /*BSON_GNUC_WARN_UNUSED_RESULT*/; bool mongoc_collection_insert (mongoc_collection_t *collection, mongoc_insert_flags_t flags, const bson_t *document, const mongoc_write_concern_t *write_concern, bson_error_t *error); bool mongoc_collection_update (mongoc_collection_t *collection, int flags, const bson_t *selector, const bson_t *update, const mongoc_write_concern_t *write_concern, bson_error_t *error); bool mongoc_collection_save (mongoc_collection_t *collection, const bson_t *document, const mongoc_write_concern_t *write_concern, bson_error_t *error); bool mongoc_collection_remove (mongoc_collection_t *collection, mongoc_remove_flags_t flags, const bson_t *selector, const mongoc_write_concern_t *write_concern, bson_error_t *error); bool mongoc_collection_rename (mongoc_collection_t *collection, const char *new_db, const char *new_name, bool drop_target_before_rename, bson_error_t *error); bool mongoc_collection_find_and_modify_with_opts (mongoc_collection_t *collection, const bson_t *query, const mongoc_find_and_modify_opts_t *opts, bson_t *reply, bson_error_t *error); bool mongoc_collection_find_and_modify (mongoc_collection_t *collection, const bson_t *query, const bson_t *sort, const bson_t *update, const bson_t *fields, bool _remove, bool upsert, bool _new, bson_t *reply, bson_error_t *error); ]] --from mongoc-database.h ffi.cdef[[ void mongoc_database_destroy (mongoc_database_t *database); mongoc_cursor_t *mongoc_database_command (mongoc_database_t *database, mongoc_query_flags_t flags, uint32_t skip, uint32_t limit, uint32_t batch_size, const bson_t *command, const bson_t *fields, const mongoc_read_prefs_t *read_prefs); bool mongoc_database_command_simple (mongoc_database_t *database, const bson_t *command, const mongoc_read_prefs_t *read_prefs, bson_t *reply, bson_error_t *error); mongoc_cursor_t *mongoc_database_find_collections (mongoc_database_t *database, const bson_t *filter, bson_error_t *error); mongoc_collection_t *mongoc_database_get_collection (mongoc_database_t *database, const char *name); ]] --from mongo-client.h ffi.cdef[[ typedef struct _mongoc_client_t mongoc_client_t; mongoc_client_t *mongoc_client_new (const char *uri_string); mongoc_cursor_t *mongoc_client_command (mongoc_client_t *client, const char *db_name, mongoc_query_flags_t flags, uint32_t skip, uint32_t limit, uint32_t batch_size, const bson_t *query, const bson_t *fields, const mongoc_read_prefs_t *read_prefs); bool mongoc_client_command_simple (mongoc_client_t *client, const char *db_name, const bson_t *command, const mongoc_read_prefs_t *read_prefs, bson_t *reply, bson_error_t *error); void mongoc_client_destroy (mongoc_client_t *client); mongoc_database_t *mongoc_client_get_database (mongoc_client_t *client, const char *name); mongoc_collection_t *mongoc_client_get_collection (mongoc_client_t *client, const char *db, const char *collection); mongoc_cursor_t *mongoc_client_find_databases (mongoc_client_t *client, bson_error_t *error); ]] --测试插入 local function test_mongo_insert( coll ) ffi.cdef[[ int rand(void); void srand(unsigned seed); time_t time(void*); ]] local row = ffi.gc(libbson.bson_new(), libbson.bson_destroy) for i=1,100 do libbson.bson_reinit(row) local name = string.format('linbc%d',i) libbson.bson_append_utf8(row, 'name', string.len('name'), name, string.len(name)) libbson.bson_append_int32(row, 'age', string.len('age'), ffi.C.rand()%99) libmongoc.mongoc_collection_insert(coll, 0, row, nil, nil) end end --测试查找 local function test_mongo_find(coll ) local query = ffi.gc(libbson.bson_new(), libbson.bson_destroy) local cursor = libmongoc.mongoc_collection_find(coll, 0, 0, 0, 0, query, nil, nil) local doc = ffi.new('const bson_t*[1]')--ffi.typeof("bson_t *[?]") while libmongoc.mongoc_cursor_next(cursor, doc) do local cstr = libbson.bson_as_json(doc[0], nil) print(ffi.string(cstr)) libbson.bson_free(cstr) end local er = ffi.new('bson_error_t[1]') libmongoc.mongoc_cursor_destroy(cursor) end function test_mongo_c_driver( ) --参考:http://api.mongodb.org/c/1.3.0/tutorial.html#find --日志处理函数 local printLog = ffi.cast('mongoc_log_func_t', function ( log_level, log_domain, message, user_data ) --print(log_level, ffi.string(log_domain), ffi.string(message)) end) libmongoc.mongoc_log_set_handler(printLog,nil) local authuristr = "mongodb://user,=:pass@127.0.0.1/test?authMechanism=SCRAM-SHA-1" --local authuristr = "mongodb://dev:asdf@192.168.30.11:27022/test?authMechanism=SCRAM-SHA-1" libmongoc.mongoc_init() local client = libmongoc.mongoc_client_new(authuristr) if not client then error( 'failed to parse SCRAM uri\n') end local collection = libmongoc.mongoc_client_get_collection(client, 'test', 'test') --测试插入 -- test_mongo_insert(collection) test_mongo_find(collection) libmongoc.mongoc_collection_destroy(collection) libmongoc.mongoc_client_destroy(client) libmongoc.mongoc_cleanup() --日志函数记得回收 printLog:free() end --test_mongo_c_driver() return libmongoc
function momoIRTweak.finalFixes.TieredRecipes() --using local AddIng = momoIRTweak.recipe.AddOrUpdateIngredient local ITEM = momoIRTweak.FastItem local SCI = momoIRTweak.FastSciencePack local Rem = momoIRTweak.recipe.RemoveIngredient local machine = momoIRTweak.machine -- for some reason this need to direct insert to table -- if call form stdlib it will duplicated local function AddIngredientToNormal(recipeName, ingredient) local r = data.raw.recipe[recipeName] table.insert(r.normal.ingredients, ingredient) end if (momoIRTweak.science.isTiered) then local sci = momoIRTweak.science local logistic = momoIRTweak.recipe.SaveGetResultAmount(sci.pack2) local milAmount = momoIRTweak.recipe.SaveGetResultAmount(sci.packMilitary) local chemAmount = momoIRTweak.recipe.SaveGetResultAmount(sci.pack3) local production = momoIRTweak.recipe.SaveGetResultAmount(sci.packProduction) local utility = momoIRTweak.recipe.SaveGetResultAmount(sci.packUtility) AddIng(sci.pack2, SCI(sci.pack1, logistic * 1)) AddIng(sci.pack3, SCI(sci.pack2, chemAmount * 1)) AddIng(sci.packMilitary, SCI(sci.pack1, milAmount * 1)) AddIng(sci.packProduction, SCI(sci.pack1, production * 2)) AddIng(sci.packProduction, SCI(sci.pack2, production * 1)) AddIng(sci.packUtility, SCI(sci.pack2, utility * 2)) AddIng(sci.packUtility, SCI(sci.packMilitary, utility * 1)) AddIng(sci.packUtility, SCI(sci.pack3, utility * 1)) end if (settings.startup["momo-tieredInserter"].value) then AddIng("inserter", ITEM("burner-inserter", 1)) AddIng("fast-inserter", ITEM("inserter", 1)) AddIng("stack-inserter", ITEM("fast-inserter", 1)) end if (settings.startup["momo-tieredBelt"].value) then AddIng("fast-transport-belt", ITEM("transport-belt", 1)) AddIngredientToNormal("express-transport-belt", ITEM("fast-transport-belt", 1)) AddIng("k-transport-belt", ITEM("express-transport-belt", 2)) AddIng("fast-underground-belt", ITEM("underground-belt", 1)) AddIng("express-underground-belt", ITEM("fast-underground-belt", 1)) AddIng("k-underground-belt", ITEM("express-underground-belt", 1)) AddIng("fast-splitter", ITEM("splitter", 1)) AddIng("express-splitter", ITEM("fast-splitter", 1)) AddIng("k-splitter", ITEM("express-splitter", 1)) end if (settings.startup["momo-tieredMotor"].value) then AddIng("iron-motor", ITEM("copper-motor", 1)) Rem("iron-motor", "copper-cable") AddIng("steel-motor", ITEM("iron-motor", 1)) end if (settings.startup["momo-tieredAssembler"].value) then AddIngredientToNormal("assembling-machine-2", ITEM("assembling-machine-1", 1)) AddIng("assembling-machine-3", ITEM("assembling-machine-2", 1)) AddIng("advanced-assembler", ITEM("assembling-machine-3", 1)) end if (settings.startup["momo-tieredFurnace"].value) then AddIng(machine.furnace2, ITEM(machine.furnace1, 1)) AddIng(machine.furnace3, ITEM(machine.furnace2, 1)) AddIng(machine.furnace4, ITEM(machine.furnace3, 1)) AddIng(machine.furnace5, ITEM(machine.furnace4, 5)) end if (settings.startup["momo-tieredCrusher"].value) then AddIng("iron-grinder", ITEM("bronze-grinder", 1)) AddIng("steel-grinder", ITEM("iron-grinder", 1)) end if (settings.startup["momo-tieredComputer"].value) then AddIng("computer-mk2", ITEM("controller-mk1", 4)) AddIng("computer-mk2-2", ITEM("controller-mk1", 4)) AddIng("computer-mk3", ITEM("controller-mk2", 4)) AddIng("computer-mk3-2", ITEM("controller-mk2", 4)) end if (settings.startup["momo-tieredBot"].value) then AddIng("logistic-robot", ITEM("steambot", 1)) AddIng("construction-robot", ITEM("steambot", 1)) end end
ghost_vortex_oaa = class(AbilityBaseClass) LinkLuaModifier("modifier_vortex_oaa_thinker", "abilities/neutrals/oaa_ghost_vortex.lua", LUA_MODIFIER_MOTION_NONE) LinkLuaModifier("modifier_vortex_oaa_debuff", "abilities/neutrals/oaa_ghost_vortex.lua", LUA_MODIFIER_MOTION_NONE) function ghost_vortex_oaa:GetAOERadius() return self:GetSpecialValueFor("radius") end function ghost_vortex_oaa:OnSpellStart() local caster = self:GetCaster() local point = self:GetCursorPosition() if not point then return end -- Sound on cast EmitSoundOnLocationWithCaster(point, "Hero_Ancient_Apparition.IceVortexCast", caster) -- Thinker - aura emitter CreateModifierThinker(caster, self, "modifier_vortex_oaa_thinker", {Duration = self:GetSpecialValueFor("duration")}, point, caster:GetTeam(), false) GridNav:DestroyTreesAroundPoint(point, self:GetSpecialValueFor("radius"), true) end ----------------------------------------------------------------------------------------------------------------------------------------------------- modifier_vortex_oaa_thinker = class(ModifierBaseClass) function modifier_vortex_oaa_thinker:IsHidden() return true end function modifier_vortex_oaa_thinker:IsDebuff() return false end function modifier_vortex_oaa_thinker:IsPurgable() return false end function modifier_vortex_oaa_thinker:OnCreated() local parent = self:GetParent() local ability = self:GetAbility() local radius = ability:GetSpecialValueFor("radius") if IsServer() then -- Start the sound loop parent:EmitSound("Hero_Ancient_Apparition.IceVortex") -- Particle self.nfx = ParticleManager:CreateParticle("particles/units/heroes/hero_ancient_apparition/ancient_ice_vortex.vpcf", PATTACH_ABSORIGIN, self:GetCaster()) ParticleManager:SetParticleControl(self.nfx, 0, GetGroundPosition(parent:GetAbsOrigin(), parent) + Vector(0,0,100)) ParticleManager:SetParticleControl(self.nfx, 5, Vector(radius, radius, radius)) end end function modifier_vortex_oaa_thinker:OnDestroy() if IsServer() then -- Stop sound loop self:GetParent():StopSound("Hero_Ancient_Apparition.IceVortex") -- Remove the particle ParticleManager:DestroyParticle(self.nfx, false) ParticleManager:ReleaseParticleIndex(self.nfx) end end function modifier_vortex_oaa_thinker:IsAura() return true end function modifier_vortex_oaa_thinker:GetModifierAura() return "modifier_vortex_oaa_debuff" end function modifier_vortex_oaa_thinker:GetAuraDuration() return 0.5 -- Linger time end function modifier_vortex_oaa_thinker:GetAuraRadius() return self:GetAbility():GetSpecialValueFor("radius") end function modifier_vortex_oaa_thinker:GetAuraSearchTeam() return DOTA_UNIT_TARGET_TEAM_ENEMY end function modifier_vortex_oaa_thinker:GetAuraSearchType() return bit.bor(DOTA_UNIT_TARGET_HERO, DOTA_UNIT_TARGET_BASIC) end function modifier_vortex_oaa_thinker:GetAuraSearchFlags() return DOTA_UNIT_TARGET_FLAG_NONE end function modifier_vortex_oaa_thinker:IsAuraActiveOnDeath() return false end ----------------------------------------------------------------------------------------------------------------------------------------------------- modifier_vortex_oaa_debuff = class(ModifierBaseClass) function modifier_vortex_oaa_debuff:IsHidden() return false end function modifier_vortex_oaa_debuff:IsDebuff() return true end function modifier_vortex_oaa_debuff:IsPurgable() return false end function modifier_vortex_oaa_debuff:DeclareFunctions() local funcs = { MODIFIER_PROPERTY_ATTACKSPEED_BONUS_CONSTANT, } return funcs end function modifier_vortex_oaa_debuff:GetModifierAttackSpeedBonus_Constant() local ability = self:GetAbility() if ability then return ability:GetSpecialValueFor("attack_speed") end end function modifier_vortex_oaa_debuff:GetEffectName() return "particles/generic_gameplay/generic_slowed_cold.vpcf" end
local _, ADDONSELF = ... local L = ADDONSELF.L local RegEvent = ADDONSELF.regevent local RegAddonLoaded = ADDONSELF.regaddonloaded local RegisterKeyChangedCallback = ADDONSELF.RegisterKeyChangedCallback -- local SCALE = 1.5 -- local function ResizePin() -- BattlefieldMapFrame.groupMembersDataProvider:SetUnitPinSize("player", BATTLEFIELD_MAP_PLAYER_SIZE * SCALE) -- if BattlefieldMapOptions.showPlayers then -- BattlefieldMapFrame.groupMembersDataProvider:SetUnitPinSize("party", BATTLEFIELD_MAP_PARTY_MEMBER_SIZE * SCALE) -- BattlefieldMapFrame.groupMembersDataProvider:SetUnitPinSize("raid", BATTLEFIELD_MAP_RAID_MEMBER_SIZE * SCALE) -- end -- end -- override system -- UNIT_POSITION_FRAME_DEFAULT_USE_CLASS_COLOR = true local UNIT_TEXTURE = 'Interface\\AddOns\\BattleInfo\\unit_icon.tga' -- local local replaceTexture = false local function ReplacePinTextureIfNeeded(pin) if not replaceTexture then return end pin:SetPinTexture("raid", UNIT_TEXTURE) pin:SetPinTexture("party", UNIT_TEXTURE) end local function AllPins() local pins = {} for pin in BattlefieldMapFrame:EnumerateAllPins() do if pin.UpdateAppearanceData then table.insert(pins, pin) end end return pins end local function UpdatePinTexture() if not BattlefieldMapFrame then return end if replaceTexture then for _, pin in pairs(AllPins()) do pin:SetAppearanceField("party", "useClassColor", true) pin:SetAppearanceField("raid", "useClassColor", true) ReplacePinTextureIfNeeded(pin) end else for _, pin in pairs(AllPins()) do pin:SetAppearanceField("party", "useClassColor", UNIT_POSITION_FRAME_DEFAULT_USE_CLASS_COLOR) pin:SetAppearanceField("raid", "useClassColor", UNIT_POSITION_FRAME_DEFAULT_USE_CLASS_COLOR) pin:UpdateAppearanceData() end end end RegAddonLoaded("Blizzard_BattlefieldMap", function() for _, pin in pairs(AllPins()) do hooksecurefunc(pin, "UpdateAppearanceData", ReplacePinTextureIfNeeded) end UpdatePinTexture() end) RegEvent("ADDON_LOADED", function() RegisterKeyChangedCallback("map_unit_color", function(v) replaceTexture = v UpdatePinTexture() end) end)
-- table.getn doesn't return sizes on tables that -- are using a named index on which setn is not updated local function tablesize(tbl) local count = 0 for _ in pairs(tbl) do count = count + 1 end return count end function modulo(val, by) return val - math.floor(val/by)*by; end local function GetNearest(xstart, ystart, db, blacklist) local nearest = nil local best = nil for id, data in pairs(db) do if data[1] and data[2] and not blacklist[id] then local x,y = xstart - data[1], ystart - data[2] local distance = ceil(math.sqrt(x*x+y*y)*100)/100 if not nearest or distance < nearest then nearest = distance best = id end end end if not best then return end blacklist[best] = true return db[best] end -- connection between objectives local objectivepath = {} -- connection between player and the first objective local playerpath = {} local function ClearPath(path) for id, tex in pairs(path) do tex.enable = nil tex:Hide() end end local function DrawLine(path,x,y,nx,ny,hl) local dx,dy = x - nx, y - ny local dots = ceil(math.sqrt(dx*1.5*dx*1.5+dy*dy)) for i=2, dots-2 do local xpos = nx + dx/dots*i local ypos = ny + dy/dots*i xpos = xpos / 100 * WorldMapButton:GetWidth() ypos = ypos / 100 * WorldMapButton:GetHeight() WorldMapButton.routes = WorldMapButton.routes or CreateFrame("Frame", nil, pfQuest.route.drawlayer) WorldMapButton.routes:SetAllPoints() local nline = tablesize(path) + 1 for id, tex in pairs(path) do if not tex.enable then nline = id break end end path[nline] = path[nline] or WorldMapButton.routes:CreateTexture(nil, "OVERLAY") path[nline]:SetWidth(4) path[nline]:SetHeight(4) path[nline]:SetTexture(pfQuestConfig.path.."\\img\\route") if hl then path[nline]:SetVertexColor(.3,1,.8,1) end path[nline]:ClearAllPoints() path[nline]:SetPoint("CENTER", WorldMapButton, "TOPLEFT", xpos, -ypos) path[nline]:Show() path[nline].enable = true end end pfQuest.route = CreateFrame("Frame", "pfQuestRoute", UIParent) pfQuest.route.firstnode = nil pfQuest.route.coords = {} pfQuest.route.Reset = function(self) self.coords = {} self.firstnode = nil end pfQuest.route.AddPoint = function(self, tbl) table.insert(self.coords, tbl) self.firstnode = nil end local lastpos, completed = 0, 0 pfQuest.route:SetScript("OnUpdate", function() local xplayer, yplayer = GetPlayerMapPosition("player") local wrongmap = xplayer == 0 and yplayer == 0 and true or nil local curpos = xplayer + yplayer -- limit distance and route updates to once per .1 seconds if ( this.tick or 5) > GetTime() and lastpos == curpos then return else this.tick = GetTime() + 1 end -- save current position lastpos = curpos -- update distances to player for id, data in pairs(this.coords) do if data[1] and data[2] then local x, y = (xplayer*100 - data[1])*1.5, yplayer*100 - data[2] this.coords[id][4] = ceil(math.sqrt(x*x+y*y)*100)/100 end end -- sort all coords by distance table.sort(this.coords, function(a,b) return a[4] < b[4] end) -- show arrow when route exists and is stable if not wrongmap and this.coords[1] and this.coords[1][4] and not this.arrow:IsShown() and pfQuest_config["arrow"] == "1" and GetTime() > completed + 1 then this.arrow:Show() end -- abort without any nodes or distances if not this.coords[1] or not this.coords[1][4] or pfQuest_config["routes"] == "0" then ClearPath(objectivepath) ClearPath(playerpath) return end -- check first node for changes if this.firstnode ~= tostring(this.coords[1][1]..this.coords[1][2]) then this.firstnode = tostring(this.coords[1][1]..this.coords[1][2]) -- recalculate objective paths local route = { [1] = this.coords[1] } local blacklist = { [1] = true } for i=2, table.getn(this.coords) do route[i] = GetNearest(route[i-1][1], route[i-1][2], this.coords, blacklist) -- remove other item requirement gameobjects of same type from route if route[i] and route[i][3] and route[i][3].itemreq then for id, data in pairs(this.coords) do if not blacklist[id] and data[1] and data[2] and data[3] and data[3].itemreq and data[3].itemreq == route[i][3].itemreq then blacklist[id] = true end end end end ClearPath(objectivepath) for i, data in pairs(route) do if i > 1 then DrawLine(objectivepath, route[i-1][1],route[i-1][2],route[i][1],route[i][2]) end end -- route calculation timestamp completed = GetTime() end if wrongmap then -- hide player-to-object path ClearPath(playerpath) else -- draw player-to-object path ClearPath(playerpath) DrawLine(playerpath,xplayer*100,yplayer*100,this.coords[1][1],this.coords[1][2],true) end end) pfQuest.route.drawlayer = CreateFrame("Frame", "pfQuestRouteDrawLayer", WorldMapButton) pfQuest.route.drawlayer:SetFrameLevel(113) pfQuest.route.drawlayer:SetAllPoints() pfQuest.route.arrow = CreateFrame("Frame", "pfQuestRouteArrow", UIParent) pfQuest.route.arrow:SetPoint("CENTER", 0, -100) pfQuest.route.arrow:SetWidth(48) pfQuest.route.arrow:SetHeight(36) pfQuest.route.arrow:SetClampedToScreen(true) pfQuest.route.arrow:SetMovable(true) pfQuest.route.arrow:EnableMouse(true) pfQuest.route.arrow:RegisterForDrag('LeftButton') pfQuest.route.arrow:SetScript("OnDragStart", function() if IsShiftKeyDown() then this:StartMoving() end end) pfQuest.route.arrow:SetScript("OnDragStop", function() this:StopMovingOrSizing() end) local invalid pfQuest.route.arrow:SetScript("OnUpdate", function() local xplayer, yplayer = GetPlayerMapPosition("player") local wrongmap = xplayer == 0 and yplayer == 0 and true or nil local target = this.parent.coords and this.parent.coords[1] and this.parent.coords[1][4] and this.parent.coords[1] or nil -- disable arrow on invalid map/route if not target or wrongmap or pfQuest_config["arrow"] == "0" then if invalid and invalid < GetTime() then this:Hide() elseif not invalid then invalid = GetTime() + 1 end return else invalid = nil end -- arrow positioning stolen from TomTomVanilla. -- all credits to the original authors: -- https://github.com/cralor/TomTomVanilla local xDelta = (target[1] - xplayer*100)*1.5 local yDelta = (target[2] - yplayer*100) local dir = atan2(xDelta, -(yDelta)) dir = dir > 0 and (math.pi*2) - dir or -dir local degtemp = dir if degtemp < 0 then degtemp = degtemp + 360 end local angle = math.rad(degtemp) local player = pfQuestCompat.GetPlayerFacing() angle = angle - player local perc = math.abs(((math.pi - math.abs(angle)) / math.pi)) local r, g, b = pfUI.api.GetColorGradient(perc) cell = modulo(floor(angle / (math.pi*2) * 108 + 0.5), 108) local column = modulo(cell, 9) local row = floor(cell / 9) local xstart = (column * 56) / 512 local ystart = (row * 42) / 512 local xend = ((column + 1) * 56) / 512 local yend = ((row + 1) * 42) / 512 -- guess area based on node count local area = target[3].priority and target[3].priority or 1 area = max(1, area) area = min(20, area) area = (area / 10) + 1 local alpha = target[4] - area alpha = alpha > 1 and 1 or alpha alpha = alpha < .5 and .5 or alpha local texalpha = (1 - alpha) * 2 texalpha = texalpha > 1 and 1 or texalpha texalpha = texalpha < 0 and 0 or texalpha r, g, b = r + texalpha, g + texalpha, b + texalpha -- calculate difficulty color local color = "|cffffcc00" if tonumber(target[3]["qlvl"]) then color = pfMap:HexDifficultyColor(tonumber(target[3]["qlvl"])) end -- update arrow this.model:SetTexCoord(xstart,xend,ystart,yend) this.model:SetVertexColor(r,g,b) this.distance:SetTextColor(r+.2,g+.2,b+.2) if target[3].texture then this.texture:SetTexture(target[3].texture) local r, g, b = unpack(target[3].vertex or {0,0,0}) if r > 0 or g > 0 or b > 0 then this.texture:SetVertexColor(unpack(target[3].vertex)) else this.texture:SetVertexColor(1,1,1,1) end else this.texture:SetTexture(pfQuestConfig.path.."\\img\\node") this.texture:SetVertexColor(pfMap.str2rgb(target[3].title)) end -- update arrow texts this.title:SetText(color..target[3].title.."|r") this.description:SetText(target[3].description or "") this.distance:SetText("|cffaaaaaaDistance: "..string.format("%.1f", floor(target[4]*10)/10)) -- update transparencies this.texture:SetAlpha(texalpha) this.model:SetAlpha(alpha) end) pfQuest.route.arrow.texture = pfQuest.route.arrow:CreateTexture("pfQuestRouteNodeTexture", "OVERLAY") pfQuest.route.arrow.texture:SetWidth(28) pfQuest.route.arrow.texture:SetHeight(28) pfQuest.route.arrow.texture:SetPoint("BOTTOM", 0, 0) pfQuest.route.arrow.model = pfQuest.route.arrow:CreateTexture("pfQuestRouteArrow", "MEDIUM") pfQuest.route.arrow.model:SetTexture(pfQuestConfig.path.."\\img\\arrow") pfQuest.route.arrow.model:SetTexCoord(0,0,0.109375,0.08203125) pfQuest.route.arrow.model:SetAllPoints() pfQuest.route.arrow.title = pfQuest.route.arrow:CreateFontString("pfQuestRouteText", "HIGH", "GameFontWhite") pfQuest.route.arrow.title:SetPoint("TOP", pfQuest.route.arrow.model, "BOTTOM", 0, -10) pfQuest.route.arrow.title:SetFont(pfUI.font_default, pfUI_config.global.font_size+1, "OUTLINE") pfQuest.route.arrow.title:SetTextColor(1,.8,.2) pfQuest.route.arrow.title:SetJustifyH("CENTER") pfQuest.route.arrow.description = pfQuest.route.arrow:CreateFontString("pfQuestRouteText", "HIGH", "GameFontWhite") pfQuest.route.arrow.description:SetPoint("TOP", pfQuest.route.arrow.title, "BOTTOM", 0, -2) pfQuest.route.arrow.description:SetFont(pfUI.font_default, pfUI_config.global.font_size, "OUTLINE") pfQuest.route.arrow.description:SetTextColor(1,1,1) pfQuest.route.arrow.description:SetJustifyH("CENTER") pfQuest.route.arrow.distance = pfQuest.route.arrow:CreateFontString("pfQuestRouteDistance", "HIGH", "GameFontWhite") pfQuest.route.arrow.distance:SetPoint("TOP", pfQuest.route.arrow.description, "BOTTOM", 0, -2) pfQuest.route.arrow.distance:SetFont(pfUI.font_default, pfUI_config.global.font_size-1, "OUTLINE") pfQuest.route.arrow.distance:SetTextColor(.8,.8,.8) pfQuest.route.arrow.distance:SetJustifyH("CENTER") pfQuest.route.arrow.parent = pfQuest.route
AddCSLuaFile("cl_init.lua") AddCSLuaFile("shared.lua") include("shared.lua") function ENT:Initialize() self:SetModel(mrobberycfg.reseller_skin) self:SetHullType(HULL_HUMAN) self:SetHullSizeNormal() self:SetNPCState(NPC_STATE_SCRIPT) self:SetSolid(SOLID_BBOX) self:CapabilitiesAdd(CAP_ANIMATEDFACE) self:SetUseType(SIMPLE_USE) self:SetUseType(SIMPLE_USE) self:SetMaxYawSpeed(90) end function ENT:AcceptInput(it, _, cal) if it == "Use" and IsValid(cal) and cal:IsPlayer() and cal:Alive() and IsValid(cal:GetEyeTrace().Entity) and cal:GetEyeTrace().Entity == self then if (team.GetName(cal:Team()) ~= mrobberycfg.teammu) then if #mrobbery.f.GetPaintings(cal) >= 1 then net.Start("MRB:RESELLER") net.WriteTable(mrobbery.f.GetPaintings(cal)) net.Send(cal) else DarkRP.notify(cal, 1, 5, mrobbery.language[mrobberycfg.language]["no_paintings"]) end else DarkRP.notify(cal, 1, 5, mrobbery.language[mrobberycfg.language]["bad_job"]) end end end net.Receive("MRB:RESELLER", function(_, ply) local slide = net.ReadFloat() local max = mrobberycfg.pricepp -- The minimum percentage defined in the configuration local paintings = ply.paintings or {} local min_perc = mrobberycfg.percent -- The minimum percentage defined in the configuration if not (slide >= 0) or slide > 1 or #paintings == 0 or team.GetName(ply:Team()) == mrobberycfg.teammu then return end -- Security local resam = math.Round(max * #paintings - (slide * max * (#paintings)), 1) -- The amount for the reseller local resper = 100 - math.Round(100 * slide) -- The percentage for the reseller local plyam = math.Round(max * #paintings * slide, 1) -- The amount for the player local plyper = math.Round(100 * slide)-- The percentage for the player if plyam < 0 then return end -- Security if (plyam > (#paintings * max)) then return end -- Security if resper < min_perc or (resper+plyper > 100) or (resper+plyper < 0) then net.Start("MRB:UpdateSpeVar") -- set a variable clientside to display the error text on the Reseller UI net.WriteInt(4, 6) net.WriteBool(true) net.Send(ply) return end net.Start("MRB:UpdateSpeVar") -- set a variable clientside to trigger the closing of the Reseller UI net.WriteInt(5, 6) net.WriteBool(true) net.Send(ply) timer.Simple(1.1, function() -- Closing the Reseller UI before giving his prize. if not IsValid(ply) then return end -- just a last check :p mrobbery.f.logging(ply, string.format(mrobbery.language[mrobberycfg.language]["resel_log"], #paintings, DarkRP.formatMoney(plyam))) -- Log the resell ply:SetNWBool("mrb_carrying", false) -- Disable the mrobbery.f.ClearPaintings(ply) DarkRP.notify(ply, 0, 5, string.format(mrobbery.language[mrobberycfg.language]["notif_resell"], DarkRP.formatMoney(plyam))) ply:addMoney(plyam) end) end)
object_tangible_dungeon_mustafar_uplink_trial_beetle_lair = object_tangible_dungeon_mustafar_uplink_trial_shared_beetle_lair:new { } ObjectTemplates:addTemplate(object_tangible_dungeon_mustafar_uplink_trial_beetle_lair, "object/tangible/dungeon/mustafar/uplink_trial/beetle_lair.iff")
local a,t,e local m, s local o = require"nixio.fs" local n = { "none", "aes-128-ctr", "aes-192-ctr", "aes-256-ctr", "aes-128-cfb", "aes-192-cfb", "aes-256-cfb", "rc4", "rc4-md5", "rc4-md5-6", "chacha20", "chacha20-ietf-poly1305", } local s = { "origin", "verify_deflate", "auth_sha1_v4", "auth_aes128_md5", "auth_aes128_sha1", "auth_chain_a", "auth_chain_b", "auth_chain_c", "auth_chain_d", "auth_chain_e", "auth_chain_f", } local i={ "plain", "http_simple", "http_post", "random_head", "tls1.2_ticket_auth", "tls1.2_ticket_fastauth", } local o={ "false", "true", } a = Map("ssrs") a.title = translate("ShadowSocksR Server Config") a.description = translate("ShadowsocksR Python Server is a fork of the Shadowsocks project, claimed to be superior in terms of security and stability") a:section(SimpleSection).template = "ssrs/ssrs_status" t = a:section(TypedSection,"server",translate("")) t.anonymous = true t.addremove = false e = t:option(Flag, "enable", translate("Enable")) e.rmempty = false e = t:option(Value, "server_port", translate("Server Port")) e.datatype = "port" e.rmempty = false e.default = 139 e = t:option(Value, "password", translate("Password")) e.password = true e.rmempty = false e = t:option(ListValue, "encrypt_method", translate("Encrypt Method")) for a,t in ipairs(n)do e:value(t)end e.rmempty = false e = t:option(ListValue, "protocol", translate("Protocol")) for a,t in ipairs(s)do e:value(t)end e.rmempty = false e = t:option(ListValue,"obfs",translate("Obfs")) for a,t in ipairs(i)do e:value(t)end e.rmempty = false return a
-- Create a quick test node for the animated texture. -- minetest.register_node("elegantstorage:controller", { -- description = "Storage Controller", -- drawtype = "node", -- tiles = { -- { -- name = "elegantstorage_controller_powered.png", -- animation = { -- type = "vertical_frames", -- aspect_w = 16, -- aspect_h = 16, -- length = 8 -- } -- } -- }, -- groups = {cracky=1} -- }) local modpath = minetest.get_modpath('elegantstorage') -- Initialise the API dofile(modpath .. '/api.lua') elegantstorage.modpath = modpath -- Initialise the nodes dofile(modpath .. '/nodes.lua') -- Initialise the items dofile(modpath .. '/items.lua')
function StartAttack( event ) local target = event.target local caster = event.caster local ability = event.ability local cooldown = ability:GetCooldown(ability:GetLevel()) if ability:IsCooldownReady() then caster:PerformAttack(target, true, true, true, true) ability:StartCooldown(cooldown) end end
local ffi = require("ffi") -- gl2.h local glheader = [[ /* ** Copyright (c) 2013 The Khronos Group Inc. ** ** Permission is hereby granted, free of charge, to any person obtaining a ** copy of this software and/or associated documentation files (the ** "Materials"), to deal in the Materials without restriction, including ** without limitation the rights to use, copy, modify, merge, publish, ** distribute, sublicense, and/or sell copies of the Materials, and to ** permit persons to whom the Materials are furnished to do so, subject to ** the following conditions: ** ** The above copyright notice and this permission notice shall be included ** in all copies or substantial portions of the Materials. ** ** THE MATERIALS ARE PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, ** EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF ** MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. ** IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY ** CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, ** TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE ** MATERIALS OR THE USE OR OTHER DEALINGS IN THE MATERIALS. */ /* ** This header is generated from the Khronos OpenGL / OpenGL ES XML ** API Registry. The current version of the Registry, generator scripts ** used to make the header, and the header can be found at ** http://www.opengl.org/registry/ ** ** Khronos $Revision: 24614 $ on $Date: 2013-12-30 04:44:46 -0800 (Mon, 30 Dec 2013) $ */ /* Generated on date 20131230 */ /* Generated C header for: * API: gles2 * Profile: common * Versions considered: 2\.[0-9] * Versions emitted: .* * Default extensions included: None * Additional extensions included: _nomatch_^ * Extensions removed: _nomatch_^ */ typedef int8_t GLbyte; typedef float GLclampf; typedef int32_t GLfixed; typedef short GLshort; typedef unsigned short GLushort; typedef void GLvoid; typedef struct __GLsync *GLsync; typedef int64_t GLint64; typedef uint64_t GLuint64; typedef unsigned int GLenum; typedef unsigned int GLuint; typedef char GLchar; typedef float GLfloat; typedef size_t GLsizeiptr; typedef intptr_t GLintptr; typedef unsigned int GLbitfield; typedef int GLint; typedef unsigned char GLboolean; typedef int GLsizei; typedef uint8_t GLubyte; #define GL_DEPTH_BUFFER_BIT 0x00000100 #define GL_STENCIL_BUFFER_BIT 0x00000400 #define GL_COLOR_BUFFER_BIT 0x00004000 #define GL_FALSE 0 #define GL_TRUE 1 #define GL_POINTS 0x0000 #define GL_LINES 0x0001 #define GL_LINE_LOOP 0x0002 #define GL_LINE_STRIP 0x0003 #define GL_TRIANGLES 0x0004 #define GL_TRIANGLE_STRIP 0x0005 #define GL_TRIANGLE_FAN 0x0006 #define GL_ZERO 0 #define GL_ONE 1 #define GL_SRC_COLOR 0x0300 #define GL_ONE_MINUS_SRC_COLOR 0x0301 #define GL_SRC_ALPHA 0x0302 #define GL_ONE_MINUS_SRC_ALPHA 0x0303 #define GL_DST_ALPHA 0x0304 #define GL_ONE_MINUS_DST_ALPHA 0x0305 #define GL_DST_COLOR 0x0306 #define GL_ONE_MINUS_DST_COLOR 0x0307 #define GL_SRC_ALPHA_SATURATE 0x0308 #define GL_FUNC_ADD 0x8006 #define GL_BLEND_EQUATION 0x8009 #define GL_BLEND_EQUATION_RGB 0x8009 #define GL_BLEND_EQUATION_ALPHA 0x883D #define GL_FUNC_SUBTRACT 0x800A #define GL_FUNC_REVERSE_SUBTRACT 0x800B #define GL_BLEND_DST_RGB 0x80C8 #define GL_BLEND_SRC_RGB 0x80C9 #define GL_BLEND_DST_ALPHA 0x80CA #define GL_BLEND_SRC_ALPHA 0x80CB #define GL_CONSTANT_COLOR 0x8001 #define GL_ONE_MINUS_CONSTANT_COLOR 0x8002 #define GL_CONSTANT_ALPHA 0x8003 #define GL_ONE_MINUS_CONSTANT_ALPHA 0x8004 #define GL_BLEND_COLOR 0x8005 #define GL_ARRAY_BUFFER 0x8892 #define GL_ELEMENT_ARRAY_BUFFER 0x8893 #define GL_ARRAY_BUFFER_BINDING 0x8894 #define GL_ELEMENT_ARRAY_BUFFER_BINDING 0x8895 #define GL_STREAM_DRAW 0x88E0 #define GL_STATIC_DRAW 0x88E4 #define GL_DYNAMIC_DRAW 0x88E8 #define GL_BUFFER_SIZE 0x8764 #define GL_BUFFER_USAGE 0x8765 #define GL_CURRENT_VERTEX_ATTRIB 0x8626 #define GL_FRONT 0x0404 #define GL_BACK 0x0405 #define GL_FRONT_AND_BACK 0x0408 #define GL_TEXTURE_2D 0x0DE1 #define GL_CULL_FACE 0x0B44 #define GL_BLEND 0x0BE2 #define GL_DITHER 0x0BD0 #define GL_STENCIL_TEST 0x0B90 #define GL_DEPTH_TEST 0x0B71 #define GL_SCISSOR_TEST 0x0C11 #define GL_POLYGON_OFFSET_FILL 0x8037 #define GL_SAMPLE_ALPHA_TO_COVERAGE 0x809E #define GL_SAMPLE_COVERAGE 0x80A0 #define GL_NO_ERROR 0 #define GL_INVALID_ENUM 0x0500 #define GL_INVALID_VALUE 0x0501 #define GL_INVALID_OPERATION 0x0502 #define GL_OUT_OF_MEMORY 0x0505 #define GL_CW 0x0900 #define GL_CCW 0x0901 #define GL_LINE_WIDTH 0x0B21 #define GL_ALIASED_POINT_SIZE_RANGE 0x846D #define GL_ALIASED_LINE_WIDTH_RANGE 0x846E #define GL_CULL_FACE_MODE 0x0B45 #define GL_FRONT_FACE 0x0B46 #define GL_DEPTH_RANGE 0x0B70 #define GL_DEPTH_WRITEMASK 0x0B72 #define GL_DEPTH_CLEAR_VALUE 0x0B73 #define GL_DEPTH_FUNC 0x0B74 #define GL_STENCIL_CLEAR_VALUE 0x0B91 #define GL_STENCIL_FUNC 0x0B92 #define GL_STENCIL_FAIL 0x0B94 #define GL_STENCIL_PASS_DEPTH_FAIL 0x0B95 #define GL_STENCIL_PASS_DEPTH_PASS 0x0B96 #define GL_STENCIL_REF 0x0B97 #define GL_STENCIL_VALUE_MASK 0x0B93 #define GL_STENCIL_WRITEMASK 0x0B98 #define GL_STENCIL_BACK_FUNC 0x8800 #define GL_STENCIL_BACK_FAIL 0x8801 #define GL_STENCIL_BACK_PASS_DEPTH_FAIL 0x8802 #define GL_STENCIL_BACK_PASS_DEPTH_PASS 0x8803 #define GL_STENCIL_BACK_REF 0x8CA3 #define GL_STENCIL_BACK_VALUE_MASK 0x8CA4 #define GL_STENCIL_BACK_WRITEMASK 0x8CA5 #define GL_VIEWPORT 0x0BA2 #define GL_SCISSOR_BOX 0x0C10 #define GL_COLOR_CLEAR_VALUE 0x0C22 #define GL_COLOR_WRITEMASK 0x0C23 #define GL_UNPACK_ALIGNMENT 0x0CF5 #define GL_PACK_ALIGNMENT 0x0D05 #define GL_MAX_TEXTURE_SIZE 0x0D33 #define GL_MAX_VIEWPORT_DIMS 0x0D3A #define GL_SUBPIXEL_BITS 0x0D50 #define GL_RED_BITS 0x0D52 #define GL_GREEN_BITS 0x0D53 #define GL_BLUE_BITS 0x0D54 #define GL_ALPHA_BITS 0x0D55 #define GL_DEPTH_BITS 0x0D56 #define GL_STENCIL_BITS 0x0D57 #define GL_POLYGON_OFFSET_UNITS 0x2A00 #define GL_POLYGON_OFFSET_FACTOR 0x8038 #define GL_TEXTURE_BINDING_2D 0x8069 #define GL_SAMPLE_BUFFERS 0x80A8 #define GL_SAMPLES 0x80A9 #define GL_SAMPLE_COVERAGE_VALUE 0x80AA #define GL_SAMPLE_COVERAGE_INVERT 0x80AB #define GL_NUM_COMPRESSED_TEXTURE_FORMATS 0x86A2 #define GL_COMPRESSED_TEXTURE_FORMATS 0x86A3 #define GL_DONT_CARE 0x1100 #define GL_FASTEST 0x1101 #define GL_NICEST 0x1102 #define GL_GENERATE_MIPMAP_HINT 0x8192 #define GL_BYTE 0x1400 #define GL_UNSIGNED_BYTE 0x1401 #define GL_SHORT 0x1402 #define GL_UNSIGNED_SHORT 0x1403 #define GL_INT 0x1404 #define GL_UNSIGNED_INT 0x1405 #define GL_FLOAT 0x1406 #define GL_FIXED 0x140C #define GL_DEPTH_COMPONENT 0x1902 #define GL_ALPHA 0x1906 #define GL_RGB 0x1907 #define GL_RGBA 0x1908 #define GL_LUMINANCE 0x1909 #define GL_LUMINANCE_ALPHA 0x190A #define GL_UNSIGNED_SHORT_4_4_4_4 0x8033 #define GL_UNSIGNED_SHORT_5_5_5_1 0x8034 #define GL_UNSIGNED_SHORT_5_6_5 0x8363 #define GL_FRAGMENT_SHADER 0x8B30 #define GL_VERTEX_SHADER 0x8B31 #define GL_MAX_VERTEX_ATTRIBS 0x8869 #define GL_MAX_VERTEX_UNIFORM_VECTORS 0x8DFB #define GL_MAX_VARYING_VECTORS 0x8DFC #define GL_MAX_COMBINED_TEXTURE_IMAGE_UNITS 0x8B4D #define GL_MAX_VERTEX_TEXTURE_IMAGE_UNITS 0x8B4C #define GL_MAX_TEXTURE_IMAGE_UNITS 0x8872 #define GL_MAX_FRAGMENT_UNIFORM_VECTORS 0x8DFD #define GL_SHADER_TYPE 0x8B4F #define GL_DELETE_STATUS 0x8B80 #define GL_LINK_STATUS 0x8B82 #define GL_VALIDATE_STATUS 0x8B83 #define GL_ATTACHED_SHADERS 0x8B85 #define GL_ACTIVE_UNIFORMS 0x8B86 #define GL_ACTIVE_UNIFORM_MAX_LENGTH 0x8B87 #define GL_ACTIVE_ATTRIBUTES 0x8B89 #define GL_ACTIVE_ATTRIBUTE_MAX_LENGTH 0x8B8A #define GL_SHADING_LANGUAGE_VERSION 0x8B8C #define GL_CURRENT_PROGRAM 0x8B8D #define GL_NEVER 0x0200 #define GL_LESS 0x0201 #define GL_EQUAL 0x0202 #define GL_LEQUAL 0x0203 #define GL_GREATER 0x0204 #define GL_NOTEQUAL 0x0205 #define GL_GEQUAL 0x0206 #define GL_ALWAYS 0x0207 #define GL_KEEP 0x1E00 #define GL_REPLACE 0x1E01 #define GL_INCR 0x1E02 #define GL_DECR 0x1E03 #define GL_INVERT 0x150A #define GL_INCR_WRAP 0x8507 #define GL_DECR_WRAP 0x8508 #define GL_VENDOR 0x1F00 #define GL_RENDERER 0x1F01 #define GL_VERSION 0x1F02 #define GL_EXTENSIONS 0x1F03 #define GL_NEAREST 0x2600 #define GL_LINEAR 0x2601 #define GL_NEAREST_MIPMAP_NEAREST 0x2700 #define GL_LINEAR_MIPMAP_NEAREST 0x2701 #define GL_NEAREST_MIPMAP_LINEAR 0x2702 #define GL_LINEAR_MIPMAP_LINEAR 0x2703 #define GL_TEXTURE_MAG_FILTER 0x2800 #define GL_TEXTURE_MIN_FILTER 0x2801 #define GL_TEXTURE_WRAP_S 0x2802 #define GL_TEXTURE_WRAP_T 0x2803 #define GL_TEXTURE 0x1702 #define GL_TEXTURE_CUBE_MAP 0x8513 #define GL_TEXTURE_BINDING_CUBE_MAP 0x8514 #define GL_TEXTURE_CUBE_MAP_POSITIVE_X 0x8515 #define GL_TEXTURE_CUBE_MAP_NEGATIVE_X 0x8516 #define GL_TEXTURE_CUBE_MAP_POSITIVE_Y 0x8517 #define GL_TEXTURE_CUBE_MAP_NEGATIVE_Y 0x8518 #define GL_TEXTURE_CUBE_MAP_POSITIVE_Z 0x8519 #define GL_TEXTURE_CUBE_MAP_NEGATIVE_Z 0x851A #define GL_MAX_CUBE_MAP_TEXTURE_SIZE 0x851C #define GL_TEXTURE0 0x84C0 #define GL_TEXTURE1 0x84C1 #define GL_TEXTURE2 0x84C2 #define GL_TEXTURE3 0x84C3 #define GL_TEXTURE4 0x84C4 #define GL_TEXTURE5 0x84C5 #define GL_TEXTURE6 0x84C6 #define GL_TEXTURE7 0x84C7 #define GL_TEXTURE8 0x84C8 #define GL_TEXTURE9 0x84C9 #define GL_TEXTURE10 0x84CA #define GL_TEXTURE11 0x84CB #define GL_TEXTURE12 0x84CC #define GL_TEXTURE13 0x84CD #define GL_TEXTURE14 0x84CE #define GL_TEXTURE15 0x84CF #define GL_TEXTURE16 0x84D0 #define GL_TEXTURE17 0x84D1 #define GL_TEXTURE18 0x84D2 #define GL_TEXTURE19 0x84D3 #define GL_TEXTURE20 0x84D4 #define GL_TEXTURE21 0x84D5 #define GL_TEXTURE22 0x84D6 #define GL_TEXTURE23 0x84D7 #define GL_TEXTURE24 0x84D8 #define GL_TEXTURE25 0x84D9 #define GL_TEXTURE26 0x84DA #define GL_TEXTURE27 0x84DB #define GL_TEXTURE28 0x84DC #define GL_TEXTURE29 0x84DD #define GL_TEXTURE30 0x84DE #define GL_TEXTURE31 0x84DF #define GL_ACTIVE_TEXTURE 0x84E0 #define GL_REPEAT 0x2901 #define GL_CLAMP_TO_EDGE 0x812F #define GL_MIRRORED_REPEAT 0x8370 #define GL_FLOAT_VEC2 0x8B50 #define GL_FLOAT_VEC3 0x8B51 #define GL_FLOAT_VEC4 0x8B52 #define GL_INT_VEC2 0x8B53 #define GL_INT_VEC3 0x8B54 #define GL_INT_VEC4 0x8B55 #define GL_BOOL 0x8B56 #define GL_BOOL_VEC2 0x8B57 #define GL_BOOL_VEC3 0x8B58 #define GL_BOOL_VEC4 0x8B59 #define GL_FLOAT_MAT2 0x8B5A #define GL_FLOAT_MAT3 0x8B5B #define GL_FLOAT_MAT4 0x8B5C #define GL_SAMPLER_2D 0x8B5E #define GL_SAMPLER_CUBE 0x8B60 #define GL_VERTEX_ATTRIB_ARRAY_ENABLED 0x8622 #define GL_VERTEX_ATTRIB_ARRAY_SIZE 0x8623 #define GL_VERTEX_ATTRIB_ARRAY_STRIDE 0x8624 #define GL_VERTEX_ATTRIB_ARRAY_TYPE 0x8625 #define GL_VERTEX_ATTRIB_ARRAY_NORMALIZED 0x886A #define GL_VERTEX_ATTRIB_ARRAY_POINTER 0x8645 #define GL_VERTEX_ATTRIB_ARRAY_BUFFER_BINDING 0x889F #define GL_IMPLEMENTATION_COLOR_READ_TYPE 0x8B9A #define GL_IMPLEMENTATION_COLOR_READ_FORMAT 0x8B9B #define GL_COMPILE_STATUS 0x8B81 #define GL_INFO_LOG_LENGTH 0x8B84 #define GL_SHADER_SOURCE_LENGTH 0x8B88 #define GL_SHADER_COMPILER 0x8DFA #define GL_SHADER_BINARY_FORMATS 0x8DF8 #define GL_NUM_SHADER_BINARY_FORMATS 0x8DF9 #define GL_LOW_FLOAT 0x8DF0 #define GL_MEDIUM_FLOAT 0x8DF1 #define GL_HIGH_FLOAT 0x8DF2 #define GL_LOW_INT 0x8DF3 #define GL_MEDIUM_INT 0x8DF4 #define GL_HIGH_INT 0x8DF5 #define GL_FRAMEBUFFER 0x8D40 #define GL_RENDERBUFFER 0x8D41 #define GL_RGBA4 0x8056 #define GL_RGB5_A1 0x8057 #define GL_RGB565 0x8D62 #define GL_DEPTH_COMPONENT16 0x81A5 #define GL_STENCIL_INDEX8 0x8D48 #define GL_RENDERBUFFER_WIDTH 0x8D42 #define GL_RENDERBUFFER_HEIGHT 0x8D43 #define GL_RENDERBUFFER_INTERNAL_FORMAT 0x8D44 #define GL_RENDERBUFFER_RED_SIZE 0x8D50 #define GL_RENDERBUFFER_GREEN_SIZE 0x8D51 #define GL_RENDERBUFFER_BLUE_SIZE 0x8D52 #define GL_RENDERBUFFER_ALPHA_SIZE 0x8D53 #define GL_RENDERBUFFER_DEPTH_SIZE 0x8D54 #define GL_RENDERBUFFER_STENCIL_SIZE 0x8D55 #define GL_FRAMEBUFFER_ATTACHMENT_OBJECT_TYPE 0x8CD0 #define GL_FRAMEBUFFER_ATTACHMENT_OBJECT_NAME 0x8CD1 #define GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_LEVEL 0x8CD2 #define GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_CUBE_MAP_FACE 0x8CD3 #define GL_COLOR_ATTACHMENT0 0x8CE0 #define GL_DEPTH_ATTACHMENT 0x8D00 #define GL_STENCIL_ATTACHMENT 0x8D20 #define GL_NONE 0 #define GL_FRAMEBUFFER_COMPLETE 0x8CD5 #define GL_FRAMEBUFFER_INCOMPLETE_ATTACHMENT 0x8CD6 #define GL_FRAMEBUFFER_INCOMPLETE_MISSING_ATTACHMENT 0x8CD7 #define GL_FRAMEBUFFER_INCOMPLETE_DIMENSIONS 0x8CD9 #define GL_FRAMEBUFFER_UNSUPPORTED 0x8CDD #define GL_FRAMEBUFFER_BINDING 0x8CA6 #define GL_RENDERBUFFER_BINDING 0x8CA7 #define GL_MAX_RENDERBUFFER_SIZE 0x84E8 #define GL_INVALID_FRAMEBUFFER_OPERATION 0x0506 GL_APICALL void GL_APIENTRY glActiveTexture (GLenum texture); GL_APICALL void GL_APIENTRY glAttachShader (GLuint program, GLuint shader); GL_APICALL void GL_APIENTRY glBindAttribLocation (GLuint program, GLuint index, const GLchar *name); GL_APICALL void GL_APIENTRY glBindBuffer (GLenum target, GLuint buffer); GL_APICALL void GL_APIENTRY glBindFramebuffer (GLenum target, GLuint framebuffer); GL_APICALL void GL_APIENTRY glBindRenderbuffer (GLenum target, GLuint renderbuffer); GL_APICALL void GL_APIENTRY glBindTexture (GLenum target, GLuint texture); GL_APICALL void GL_APIENTRY glBlendColor (GLfloat red, GLfloat green, GLfloat blue, GLfloat alpha); GL_APICALL void GL_APIENTRY glBlendEquation (GLenum mode); GL_APICALL void GL_APIENTRY glBlendEquationSeparate (GLenum modeRGB, GLenum modeAlpha); GL_APICALL void GL_APIENTRY glBlendFunc (GLenum sfactor, GLenum dfactor); GL_APICALL void GL_APIENTRY glBlendFuncSeparate (GLenum sfactorRGB, GLenum dfactorRGB, GLenum sfactorAlpha, GLenum dfactorAlpha); GL_APICALL void GL_APIENTRY glBufferData (GLenum target, GLsizeiptr size, const void *data, GLenum usage); GL_APICALL void GL_APIENTRY glBufferSubData (GLenum target, GLintptr offset, GLsizeiptr size, const void *data); GL_APICALL GLenum GL_APIENTRY glCheckFramebufferStatus (GLenum target); GL_APICALL void GL_APIENTRY glClear (GLbitfield mask); GL_APICALL void GL_APIENTRY glClearColor (GLfloat red, GLfloat green, GLfloat blue, GLfloat alpha); GL_APICALL void GL_APIENTRY glClearDepthf (GLfloat d); GL_APICALL void GL_APIENTRY glClearStencil (GLint s); GL_APICALL void GL_APIENTRY glColorMask (GLboolean red, GLboolean green, GLboolean blue, GLboolean alpha); GL_APICALL void GL_APIENTRY glCompileShader (GLuint shader); GL_APICALL void GL_APIENTRY glCompressedTexImage2D (GLenum target, GLint level, GLenum internalformat, GLsizei width, GLsizei height, GLint border, GLsizei imageSize, const void *data); GL_APICALL void GL_APIENTRY glCompressedTexSubImage2D (GLenum target, GLint level, GLint xoffset, GLint yoffset, GLsizei width, GLsizei height, GLenum format, GLsizei imageSize, const void *data); GL_APICALL void GL_APIENTRY glCopyTexImage2D (GLenum target, GLint level, GLenum internalformat, GLint x, GLint y, GLsizei width, GLsizei height, GLint border); GL_APICALL void GL_APIENTRY glCopyTexSubImage2D (GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint x, GLint y, GLsizei width, GLsizei height); GL_APICALL GLuint GL_APIENTRY glCreateProgram (void); GL_APICALL GLuint GL_APIENTRY glCreateShader (GLenum type); GL_APICALL void GL_APIENTRY glCullFace (GLenum mode); GL_APICALL void GL_APIENTRY glDeleteBuffers (GLsizei n, const GLuint *buffers); GL_APICALL void GL_APIENTRY glDeleteFramebuffers (GLsizei n, const GLuint *framebuffers); GL_APICALL void GL_APIENTRY glDeleteProgram (GLuint program); GL_APICALL void GL_APIENTRY glDeleteRenderbuffers (GLsizei n, const GLuint *renderbuffers); GL_APICALL void GL_APIENTRY glDeleteShader (GLuint shader); GL_APICALL void GL_APIENTRY glDeleteTextures (GLsizei n, const GLuint *textures); GL_APICALL void GL_APIENTRY glDepthFunc (GLenum func); GL_APICALL void GL_APIENTRY glDepthMask (GLboolean flag); GL_APICALL void GL_APIENTRY glDepthRangef (GLfloat n, GLfloat f); GL_APICALL void GL_APIENTRY glDetachShader (GLuint program, GLuint shader); GL_APICALL void GL_APIENTRY glDisable (GLenum cap); GL_APICALL void GL_APIENTRY glDisableVertexAttribArray (GLuint index); GL_APICALL void GL_APIENTRY glDrawArrays (GLenum mode, GLint first, GLsizei count); GL_APICALL void GL_APIENTRY glDrawElements (GLenum mode, GLsizei count, GLenum type, const void *indices); GL_APICALL void GL_APIENTRY glEnable (GLenum cap); GL_APICALL void GL_APIENTRY glEnableVertexAttribArray (GLuint index); GL_APICALL void GL_APIENTRY glFinish (void); GL_APICALL void GL_APIENTRY glFlush (void); GL_APICALL void GL_APIENTRY glFramebufferRenderbuffer (GLenum target, GLenum attachment, GLenum renderbuffertarget, GLuint renderbuffer); GL_APICALL void GL_APIENTRY glFramebufferTexture2D (GLenum target, GLenum attachment, GLenum textarget, GLuint texture, GLint level); GL_APICALL void GL_APIENTRY glFrontFace (GLenum mode); GL_APICALL void GL_APIENTRY glGenBuffers (GLsizei n, GLuint *buffers); GL_APICALL void GL_APIENTRY glGenerateMipmap (GLenum target); GL_APICALL void GL_APIENTRY glGenFramebuffers (GLsizei n, GLuint *framebuffers); GL_APICALL void GL_APIENTRY glGenRenderbuffers (GLsizei n, GLuint *renderbuffers); GL_APICALL void GL_APIENTRY glGenTextures (GLsizei n, GLuint *textures); GL_APICALL void GL_APIENTRY glGetActiveAttrib (GLuint program, GLuint index, GLsizei bufSize, GLsizei *length, GLint *size, GLenum *type, GLchar *name); GL_APICALL void GL_APIENTRY glGetActiveUniform (GLuint program, GLuint index, GLsizei bufSize, GLsizei *length, GLint *size, GLenum *type, GLchar *name); GL_APICALL void GL_APIENTRY glGetAttachedShaders (GLuint program, GLsizei maxCount, GLsizei *count, GLuint *shaders); GL_APICALL GLint GL_APIENTRY glGetAttribLocation (GLuint program, const GLchar *name); GL_APICALL void GL_APIENTRY glGetBooleanv (GLenum pname, GLboolean *data); GL_APICALL void GL_APIENTRY glGetBufferParameteriv (GLenum target, GLenum pname, GLint *params); GL_APICALL GLenum GL_APIENTRY glGetError (void); GL_APICALL void GL_APIENTRY glGetFloatv (GLenum pname, GLfloat *data); GL_APICALL void GL_APIENTRY glGetFramebufferAttachmentParameteriv (GLenum target, GLenum attachment, GLenum pname, GLint *params); GL_APICALL void GL_APIENTRY glGetIntegerv (GLenum pname, GLint *data); GL_APICALL void GL_APIENTRY glGetProgramiv (GLuint program, GLenum pname, GLint *params); GL_APICALL void GL_APIENTRY glGetProgramInfoLog (GLuint program, GLsizei bufSize, GLsizei *length, GLchar *infoLog); GL_APICALL void GL_APIENTRY glGetRenderbufferParameteriv (GLenum target, GLenum pname, GLint *params); GL_APICALL void GL_APIENTRY glGetShaderiv (GLuint shader, GLenum pname, GLint *params); GL_APICALL void GL_APIENTRY glGetShaderInfoLog (GLuint shader, GLsizei bufSize, GLsizei *length, GLchar *infoLog); GL_APICALL void GL_APIENTRY glGetShaderPrecisionFormat (GLenum shadertype, GLenum precisiontype, GLint *range, GLint *precision); GL_APICALL void GL_APIENTRY glGetShaderSource (GLuint shader, GLsizei bufSize, GLsizei *length, GLchar *source); GL_APICALL const GLubyte *GL_APIENTRY glGetString (GLenum name); GL_APICALL void GL_APIENTRY glGetTexParameterfv (GLenum target, GLenum pname, GLfloat *params); GL_APICALL void GL_APIENTRY glGetTexParameteriv (GLenum target, GLenum pname, GLint *params); GL_APICALL void GL_APIENTRY glGetUniformfv (GLuint program, GLint location, GLfloat *params); GL_APICALL void GL_APIENTRY glGetUniformiv (GLuint program, GLint location, GLint *params); GL_APICALL GLint GL_APIENTRY glGetUniformLocation (GLuint program, const GLchar *name); GL_APICALL void GL_APIENTRY glGetVertexAttribfv (GLuint index, GLenum pname, GLfloat *params); GL_APICALL void GL_APIENTRY glGetVertexAttribiv (GLuint index, GLenum pname, GLint *params); GL_APICALL void GL_APIENTRY glGetVertexAttribPointerv (GLuint index, GLenum pname, void **pointer); GL_APICALL void GL_APIENTRY glHint (GLenum target, GLenum mode); GL_APICALL GLboolean GL_APIENTRY glIsBuffer (GLuint buffer); GL_APICALL GLboolean GL_APIENTRY glIsEnabled (GLenum cap); GL_APICALL GLboolean GL_APIENTRY glIsFramebuffer (GLuint framebuffer); GL_APICALL GLboolean GL_APIENTRY glIsProgram (GLuint program); GL_APICALL GLboolean GL_APIENTRY glIsRenderbuffer (GLuint renderbuffer); GL_APICALL GLboolean GL_APIENTRY glIsShader (GLuint shader); GL_APICALL GLboolean GL_APIENTRY glIsTexture (GLuint texture); GL_APICALL void GL_APIENTRY glLineWidth (GLfloat width); GL_APICALL void GL_APIENTRY glLinkProgram (GLuint program); GL_APICALL void GL_APIENTRY glPixelStorei (GLenum pname, GLint param); GL_APICALL void GL_APIENTRY glPolygonOffset (GLfloat factor, GLfloat units); GL_APICALL void GL_APIENTRY glReadPixels (GLint x, GLint y, GLsizei width, GLsizei height, GLenum format, GLenum type, void *pixels); GL_APICALL void GL_APIENTRY glReleaseShaderCompiler (void); GL_APICALL void GL_APIENTRY glRenderbufferStorage (GLenum target, GLenum internalformat, GLsizei width, GLsizei height); GL_APICALL void GL_APIENTRY glSampleCoverage (GLfloat value, GLboolean invert); GL_APICALL void GL_APIENTRY glScissor (GLint x, GLint y, GLsizei width, GLsizei height); GL_APICALL void GL_APIENTRY glShaderBinary (GLsizei count, const GLuint *shaders, GLenum binaryformat, const void *binary, GLsizei length); GL_APICALL void GL_APIENTRY glShaderSource (GLuint shader, GLsizei count, const GLchar *const*string, const GLint *length); GL_APICALL void GL_APIENTRY glStencilFunc (GLenum func, GLint ref, GLuint mask); GL_APICALL void GL_APIENTRY glStencilFuncSeparate (GLenum face, GLenum func, GLint ref, GLuint mask); GL_APICALL void GL_APIENTRY glStencilMask (GLuint mask); GL_APICALL void GL_APIENTRY glStencilMaskSeparate (GLenum face, GLuint mask); GL_APICALL void GL_APIENTRY glStencilOp (GLenum fail, GLenum zfail, GLenum zpass); GL_APICALL void GL_APIENTRY glStencilOpSeparate (GLenum face, GLenum sfail, GLenum dpfail, GLenum dppass); GL_APICALL void GL_APIENTRY glTexImage2D (GLenum target, GLint level, GLint internalformat, GLsizei width, GLsizei height, GLint border, GLenum format, GLenum type, const void *pixels); GL_APICALL void GL_APIENTRY glTexParameterf (GLenum target, GLenum pname, GLfloat param); GL_APICALL void GL_APIENTRY glTexParameterfv (GLenum target, GLenum pname, const GLfloat *params); GL_APICALL void GL_APIENTRY glTexParameteri (GLenum target, GLenum pname, GLint param); GL_APICALL void GL_APIENTRY glTexParameteriv (GLenum target, GLenum pname, const GLint *params); GL_APICALL void GL_APIENTRY glTexSubImage2D (GLenum target, GLint level, GLint xoffset, GLint yoffset, GLsizei width, GLsizei height, GLenum format, GLenum type, const void *pixels); GL_APICALL void GL_APIENTRY glUniform1f (GLint location, GLfloat v0); GL_APICALL void GL_APIENTRY glUniform1fv (GLint location, GLsizei count, const GLfloat *value); GL_APICALL void GL_APIENTRY glUniform1i (GLint location, GLint v0); GL_APICALL void GL_APIENTRY glUniform1iv (GLint location, GLsizei count, const GLint *value); GL_APICALL void GL_APIENTRY glUniform2f (GLint location, GLfloat v0, GLfloat v1); GL_APICALL void GL_APIENTRY glUniform2fv (GLint location, GLsizei count, const GLfloat *value); GL_APICALL void GL_APIENTRY glUniform2i (GLint location, GLint v0, GLint v1); GL_APICALL void GL_APIENTRY glUniform2iv (GLint location, GLsizei count, const GLint *value); GL_APICALL void GL_APIENTRY glUniform3f (GLint location, GLfloat v0, GLfloat v1, GLfloat v2); GL_APICALL void GL_APIENTRY glUniform3fv (GLint location, GLsizei count, const GLfloat *value); GL_APICALL void GL_APIENTRY glUniform3i (GLint location, GLint v0, GLint v1, GLint v2); GL_APICALL void GL_APIENTRY glUniform3iv (GLint location, GLsizei count, const GLint *value); GL_APICALL void GL_APIENTRY glUniform4f (GLint location, GLfloat v0, GLfloat v1, GLfloat v2, GLfloat v3); GL_APICALL void GL_APIENTRY glUniform4fv (GLint location, GLsizei count, const GLfloat *value); GL_APICALL void GL_APIENTRY glUniform4i (GLint location, GLint v0, GLint v1, GLint v2, GLint v3); GL_APICALL void GL_APIENTRY glUniform4iv (GLint location, GLsizei count, const GLint *value); GL_APICALL void GL_APIENTRY glUniformMatrix2fv (GLint location, GLsizei count, GLboolean transpose, const GLfloat *value); GL_APICALL void GL_APIENTRY glUniformMatrix3fv (GLint location, GLsizei count, GLboolean transpose, const GLfloat *value); GL_APICALL void GL_APIENTRY glUniformMatrix4fv (GLint location, GLsizei count, GLboolean transpose, const GLfloat *value); GL_APICALL void GL_APIENTRY glUseProgram (GLuint program); GL_APICALL void GL_APIENTRY glValidateProgram (GLuint program); GL_APICALL void GL_APIENTRY glVertexAttrib1f (GLuint index, GLfloat x); GL_APICALL void GL_APIENTRY glVertexAttrib1fv (GLuint index, const GLfloat *v); GL_APICALL void GL_APIENTRY glVertexAttrib2f (GLuint index, GLfloat x, GLfloat y); GL_APICALL void GL_APIENTRY glVertexAttrib2fv (GLuint index, const GLfloat *v); GL_APICALL void GL_APIENTRY glVertexAttrib3f (GLuint index, GLfloat x, GLfloat y, GLfloat z); GL_APICALL void GL_APIENTRY glVertexAttrib3fv (GLuint index, const GLfloat *v); GL_APICALL void GL_APIENTRY glVertexAttrib4f (GLuint index, GLfloat x, GLfloat y, GLfloat z, GLfloat w); GL_APICALL void GL_APIENTRY glVertexAttrib4fv (GLuint index, const GLfloat *v); GL_APICALL void GL_APIENTRY glVertexAttribPointer (GLuint index, GLint size, GLenum type, GLboolean normalized, GLsizei stride, const void *pointer); GL_APICALL void GL_APIENTRY glViewport (GLint x, GLint y, GLsizei width, GLsizei height); ]] local openGL = { GL = {}, gl = {}, loader = nil, import = function(self) rawset(_G, "GL", self.GL) rawset(_G, "gl", self.gl) end } if ffi.os == "Windows" then glheader = glheader:gsub("GL_APICALLP", "__stdcall *") glheader = glheader:gsub("GL_APICALL", "__stdcall") else glheader = glheader:gsub("GL_APICALLP", "*") glheader = glheader:gsub("GL_APICALL", "") glheader = glheader:gsub("GL_APIENTRYP", "*") glheader = glheader:gsub("GL_APIENTRY", "") end local type_glenum = ffi.typeof("unsigned int") local type_uint64 = ffi.typeof("uint64_t") local function constant_replace(name, value) local ctype = type_glenum local GL = openGL.GL local num = tonumber(value) if (not num) then if (value:match("ull$")) then --Potentially reevaluate this for LuaJIT 2.1 GL[name] = loadstring("return " .. value)() elseif (value:match("u$")) then value = value:gsub("u$", "") num = tonumber(value) end end GL[name] = GL[name] or ctype(num) return "" end glheader = glheader:gsub("#define GL_(%S+)%s+(%S+)\n", constant_replace) ffi.cdef(glheader) local ffi = require( "ffi" ) local lib = ffi_OpenGLES2_lib or "GLESv2" local gles2 = ffi.load( lib ) local gl_mt = { __index = function(self, name) local glname = "gl" .. name local func = gles2[glname] --local procname = "PFNGL" .. name:upper() .. "PROC" -- local procname = glname -- local func = ffi.cast(procname, openGL.loader(glname)) rawset(self, name, func) return func end } setmetatable(openGL.gl, gl_mt) return openGL
return function() local oil = require "oil" local socket = require "socket.core" local hostname = socket.dns.gethostname() local portno = 2089 local ip, dnsinfo = socket.dns.toip(hostname) assert(hostname == dnsinfo.name) for index, ip in ipairs(dnsinfo.ip) do dnsinfo.ip[index] = {host=ip,port=portno} end for index, alias in ipairs(dnsinfo.alias) do dnsinfo.alias[index] = {host=alias,port=portno} if alias == hostname then hostname = nil end end if hostname ~= nil then dnsinfo.alias[#dnsinfo.alias+1] = {host=hostname,port=portno} end local cases = { localhost = { ip = {{host="127.0.0.1",port=portno}}, names = {{host="localhost",port=portno}}, }, ["127.0.0.1"] = { ip = {{host="127.0.0.1",port=portno}}, names = {{host="localhost",port=portno}}, }, ["*"] = { ip = dnsinfo.ip, names = dnsinfo.alias, }, } local additional = { {host="external"}, {port=171}, {host="althost",port=9802}, } local function toset(...) local set = {} for index = 1, select("#", ...) do local list = select(index, ...) for _, value in ipairs(list) do local ports = set[value.host] if ports == nil then ports = {} set[value.host] = ports end ports[value.port] = true end end return set end for host, info in pairs(cases) do local ipdefault = { {host="external",port=portno}, {host=info.ip[1].host,port=171}, {host="althost",port=9802}, } local namedefault = { {host="external",port=portno}, {host=info.names[1].host,port=171}, {host="althost",port=9802}, } for options, expected in pairs{ [{ }] = toset(info.ip, info.names), [{ hostname=false }] = toset(info.ip), [{ipaddress=false }] = toset(info.names), [{ipaddress=false,hostname=false }] = toset(info.ip), [{ additional=additional}] = toset(info.ip, info.names, ipdefault), [{ hostname=false,additional=additional}] = toset(info.ip, ipdefault), [{ipaddress=false, additional=additional}] = toset(info.names, namedefault), [{ipaddress=false,hostname=false,additional=additional}] = toset(ipdefault), [{ipaddress=true ,hostname=true }] = toset(info.ip, info.names), [{ipaddress=true ,hostname=false }] = toset(info.ip), [{ipaddress=false,hostname=true }] = toset(info.names), [{ipaddress=false,hostname=false }] = toset(info.ip), [{ipaddress=true ,hostname=true ,additional=additional}] = toset(info.ip, info.names, ipdefault), [{ipaddress=true ,hostname=false,additional=additional}] = toset(info.ip, ipdefault), [{ipaddress=false,hostname=true ,additional=additional}] = toset(info.names, namedefault), [{ipaddress=false,hostname=false,additional=additional}] = toset(ipdefault), } do local orb = oil.init{ flavor = "corba", host = host, port = portno, objrefaddr = options, } local servant = orb:newservant({}, nil, "::CORBA::InterfaceDef") local ref = servant.__reference for _, profile in ipairs(ref.profiles) do assert(profile.tag == 0) profile = assert(orb.IIOPProfiler.profiler:decode(profile.profile_data)) local ports = assert(expected[profile.host]) assert(ports[profile.port] == true) ports[profile.port] = nil if next(ports) == nil then expected[profile.host] = nil end end assert(next(expected) == nil) orb:shutdown() end end end
local type, ipairs = type, ipairs local re_match = ngx.re.match local jwt_verify = require "trochilus.common.util.codec.jwt_lite.verify" local exports = {} exports.on_rewrite = function(ngx, ctx) return nil end local verify = function(ngx, ctx) local headers = ngx.req.get_headers() local secret_ref, secret = ctx.secret_ref, nil if secret_ref then local ref = headers[secret_ref] if "string" ~= type(ref) then return nil end for _, s in ipairs(ctx.secret) do local m = re_match(ref, s[1], "jo") if m then secret = s[2]; break end end if not secret then return nil end else secret = ctx.secret end local verifier = ctx.verifiers[secret] if not verifier then verifier = jwt_verify.new(ctx.algo, secret) ctx.verifiers[secret] = verifier end local jwt_str = headers[ctx.token_ref] if "string" ~= type(jwt_str) then return nil end return jwt_verify.verify(verifier, jwt_str) end exports.on_access = function(ngx, ctx, req_ctx) if verify(ngx, ctx) then return true end ngx.status = ctx.fail_code ngx.say(ctx.fail_body) return false, ctx.fail_code end return exports
local t = Def.ActorFrame { }; t[#t+1] = NOTESKIN:LoadActor( Var "Button", "Hold Explosion" ) .. { HoldingOnCommand=cmd(visible,true); HoldingOffCommand=cmd(visible,false); InitCommand=cmd(visible,false;finishtweening;blend,"BlendMode_Add"); Frames = Sprite.LinearFrames( NOTESKIN:GetMetricF( "GhostArrowDim", "HoldFrames" ), NOTESKIN:GetMetricF( "GhostArrowDim", "HoldSeconds" ) ); }; t[#t+1] = NOTESKIN:LoadActor( Var "Button", "Roll Explosion" ) .. { RollOnCommand=cmd(visible,true); RollOffCommand=cmd(visible,false); InitCommand=cmd(visible,false;finishtweening;blend,"BlendMode_Add"); Frames = Sprite.LinearFrames( NOTESKIN:GetMetricF( "GhostArrowDim", "HoldFrames" ), NOTESKIN:GetMetricF( "GhostArrowDim", "HoldSeconds" ) ); }; t[#t+1] = NOTESKIN:LoadActor( Var "Button", "Tap Explosion Dim" ) .. { InitCommand=cmd(diffusealpha,0;blend,"BlendMode_Add"); HeldCommand=cmd(zoom,1;linear,0.06;zoom,1.1;linear,0.06;diffusealpha,0); ColumnJudgmentCommand=function(self, params) if params.TapNoteScore == "TapNoteScore_HitMine" then return; end (cmd(finishtweening;loop,0;diffusealpha,1;setstate,0;sleep,self:GetAnimationLengthSeconds()-0.001;diffusealpha,0))(self); end; Frames = Sprite.LinearFrames( NOTESKIN:GetMetricF( "GhostArrowDim", "JudgmentFrames" ), NOTESKIN:GetMetricF( "GhostArrowDim", "JudgmentSeconds" ) ); }; local mine = NOTESKIN:LoadActor( Var "Button", "HitMine Explosion" ) .. { InitCommand=cmd(diffusealpha,0); Frames = Sprite.LinearFrames( NOTESKIN:GetMetricF( "GhostArrowDim", "MineFrames" ), NOTESKIN:GetMetricF( "GhostArrowDim", "MineSeconds" ) ); }; local Next = "1"; t[#t+1] = Def.ActorFrame { mine .. { Name="1"; }; mine .. { Name="2"; }; ColumnJudgmentCommand=function(self, params) if params.TapNoteScore ~= "TapNoteScore_HitMine" then return; end local c = self:GetChild(Next); Next = Next == "1" and "2" or "1"; (cmd(stoptweening;setstate,0;diffusealpha,1;sleep,self:GetAnimationLengthSeconds()-0.001;diffusealpha,0))(c); end; }; return t;
vim.cmd([[ let g:netrw_nogx = 1 " disable netrw's gx mapping. nmap gx <Plug>(openbrowser-smart-search) vmap gx <Plug>(openbrowser-smart-search) ]])
local fastRenewalsLayout= { name="fastRenewalsLayout",type=0,typeName="View",time=0,report=0,x=0,y=0,width=1280,height=720,visible=1,fillParentWidth=1,fillParentHeight=1,nodeAlign=kAlignTopLeft, { name="shadeBg",type=1,typeName="Image",time=31057625,report=0,x=0,y=0,width=0,height=0,visible=1,fillParentWidth=1,fillParentHeight=1,nodeAlign=kAlignCenter,file="hall/common/bg_shiled.png" }, { name="centerView",type=0,typeName="View",time=77698533,report=0,x=0,y=0,width=800,height=480,visible=1,fillParentWidth=0,fillParentHeight=0,nodeAlign=kAlignCenter, { name="bg",type=1,typeName="Image",time=77699401,report=0,x=0,y=0,width=728,height=388,visible=1,fillParentWidth=1,fillParentHeight=1,nodeAlign=kAlignTopLeft,file="hall/common/popupWindow/popupWindow_bg_55_55_55_55.png",gridLeft=55,gridRight=55,gridTop=55,gridBottom=55 }, { name="titleBg",type=1,typeName="Image",time=77698535,report=0,x=0,y=-55,width=617,height=190,visible=1,fillParentWidth=0,fillParentHeight=0,nodeAlign=kAlignTop,file="hall/common/popupWindow/popupWindow_title.png", { name="title",type=4,typeName="Text",time=77698536,report=0,x=0,y=-8,width=140,height=50,visible=1,fillParentWidth=0,fillParentHeight=0,nodeAlign=kAlignCenter,fontSize=34,textAlign=kAlignCenter,colorRed=255,colorGreen=235,colorBlue=186,string=[[快速续费]] } }, { name="closeBtn",type=2,typeName="Button",time=77698537,report=0,x=-15,y=-15,width=60,height=60,visible=1,fillParentWidth=0,fillParentHeight=0,nodeAlign=kAlignTopRight,file="hall/common/popupWindow/popupWindow_close.png" }, { name="bottomView",type=0,typeName="View",time=77698546,report=0,x=0,y=0,width=0,height=0,fillTopLeftX=5,fillTopLeftY=320,fillBottomRightX=5,fillBottomRightY=5,visible=1,fillParentWidth=0,fillParentHeight=0,nodeAlign=kAlignBottom, { name="renewalsBtns",type=2,typeName="Button",time=30962483,report=0,x=0,y=0,width=276,height=88,visible=1,fillParentWidth=0,fillParentHeight=0,nodeAlign=kAlignCenter,file="hall/common/btns/btn_green_164x89_l25_r25_t25_b25.png",gridLeft=25,gridRight=25,gridTop=25,gridBottom=25, { name="name",type=4,typeName="Text",time=30963316,report=0,x=0,y=0,width=74,height=43,visible=1,fillParentWidth=1,fillParentHeight=0,nodeAlign=kAlignCenter,fontSize=34,textAlign=kAlignCenter,colorRed=255,colorGreen=235,colorBlue=186,string=[[续费]] } } }, { name="vipTypeListView",type=0,typeName="ListView",time=117821021,x=0,y=-10,width=608,height=200,nodeAlign=kAlignCenter,visible=1,fillParentWidth=0,fillParentHeight=0 } } } return fastRenewalsLayout;
-- scanlines local M = {} function M.new() local instance = display.newGroup() local function build() for i = display.screenOriginY, display.actualContentHeight,2 do local rect = display.newRect(instance, display.contentCenterX, i, display.actualContentWidth * 1.25, 1) rect:setFillColor(0,0,0,0.5) end end local function resize() for i = 1, instance.numChildren do display.remove(instance[i]) end build() end build() instance.alpha = 0.25 Runtime:addEventListener("resize", resize) return instance end return M
-- This is a part of uJIT's testing suite. -- Copyright (C) 2015-2019 IPONWEB Ltd. See Copyright Notice in COPYRIGHT -- -- Profiling a tail call -- local aux = require('aux') local fname_real = aux.init_and_start_profiling(100) local function foo() local sum1 = 1E3 local sum2 = 0 for i = 1, 1E7 do sum1 = sum1 + i - 5 sum2 = sum2 + sum1 end print(sum1 + sum2) end local function bar() local _ = 1 return foo() end bar() aux.stop_and_terminate_profiling(fname_real)
-->>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>> function HandleModScript(MOD_DEF,Multi_pak,global_integer_to_float) pv(THIS.."From HandleModScript()") if Multi_pak == nil then Multi_pak = false end local file = "" local FullPathFile = "" local AtLeastOne_EXML_CHANGE_TABLE = false local NumReplacements = 0 local NumFilesAdded = 0 local UserScriptName = LoadFileData("CurrentModScript.txt") UserScriptName = string.sub(UserScriptName,string.len(gMASTER_FOLDER_PATH..[[ModScript\]])+1) --*************************************************************************************************** local function ExecuteREGEX(From,Command) -- print("") local spacer = " " if _bOS_bitness == "64" then print(spacer..From..": Using 64bit version") Report(""," "..From.." : Using 64bit version") os.execute([[sed-4.7-x64.exe ]]..Command) else print(spacer..From..": Using 32bit version") Report(""," "..From.." : Using 32bit version") os.execute([[sed-4.7.exe ]]..Command) end print(spacer..From..": "..Command) Report(""," "..From.." : "..Command) end --*************************************************************************************************** local say = LoadFileData("CurrentModScript.txt") -- because string.gsub pattern does not work with all folder names (ex.: ".") if string.find(say,gMASTER_FOLDER_PATH..[[ModScript\]],1,true) ~= nil then local start = string.find(say,gMASTER_FOLDER_PATH..[[ModScript\]],1,true) say = string.sub(say,1,start - 1)..string.sub(say,string.len(gMASTER_FOLDER_PATH..[[ModScript\]]) + start) end Report(say,">>>>>>> Loaded script") --*************************************************************************************************** local function EXMLtoMBIN(s) return string.gsub(s,".EXML",".MBIN") end --*************************************************************************************************** if MOD_DEF["MODIFICATIONS"]~=nil then for n=1,#MOD_DEF["MODIFICATIONS"] do local EXML_CHANGE_TABLE_fields_IsNil = false local EXML_CHANGE_TABLE_fields_IsString = false if MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"] ~= nil then pv([[==> type(MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"]) = ]]..type(MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"])) pv([[==> #MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"] = ]]..#MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"]) for m=1,#MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"] do -- print([[;;; MBIN_CHANGE_TABLE ]]..m) -- for k,v in pairs(MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"]) do -- print(k,type(v)) -- end -- print(";;;") -- print([[;;; MBIN_CHANGE_TABLE ]]..m) -- for i=1,#MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m] do -- print(i,type(MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m][i])) -- end -- print(";;;") -- print(";;; MBIN_CHANGE_TABLE["..m.."]") -- for k,v in pairs(MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]) do -- print(k,type(v)) -- end -- print(";;;") local NEW_FILEPATH_AND_NAME = {} local REMOVE_FLAG = {} local mbin_file_source = MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["MBIN_FILE_SOURCE"] --=================== Test which mbin_file_source alt syntax is used ======================== if type(mbin_file_source) ~= "table" then --alternate syntax #1 pv("alt syntax #1: only a string. Make it a table, we want a table!") mbin_file_source = {} mbin_file_source[1] = EXMLtoMBIN(MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["MBIN_FILE_SOURCE"]) NEW_FILEPATH_AND_NAME[#NEW_FILEPATH_AND_NAME+1] = "" REMOVE_FLAG[#REMOVE_FLAG+1] = "" --for Conflicts if mbin_file_source[1] == nil then mbin_file_source[1] = "" end pv("#1 [a String] "..mbin_file_source[1]..", "..UserScriptName..": "..MOD_DEF["MOD_FILENAME"]) WriteToFileAppend(mbin_file_source[1]..", "..UserScriptName..": "..MOD_DEF["MOD_FILENAME"].."\n", "MBIN_PAKS.txt") else local tempTable = {} local tempConflicts = {} for i=1,#mbin_file_source do if type(mbin_file_source[i]) == "table" then --alternate syntax #3 --handle MBIN_FILE_SOURCE as a table of tables pv("alt syntax #3: Convert mbin_file_source to a simple table") tempTable[#tempTable+1] = EXMLtoMBIN(mbin_file_source[i][1]) --and save info for NEW_FILEPATH_AND_NAME NEW_FILEPATH_AND_NAME[#NEW_FILEPATH_AND_NAME+1] = EXMLtoMBIN(mbin_file_source[i][2]) if mbin_file_source[i][3] == nil then REMOVE_FLAG[#REMOVE_FLAG+1] = "" else REMOVE_FLAG[#REMOVE_FLAG+1] = mbin_file_source[i][3] end --for Conflicts if REMOVE_FLAG[#REMOVE_FLAG] == "" then pv("#3.1: Adding to tempConflicts "..EXMLtoMBIN(mbin_file_source[i][1])) tempConflicts[#tempConflicts+1] = EXMLtoMBIN(mbin_file_source[i][1]) else pv("["..REMOVE_FLAG[#REMOVE_FLAG].."]") --let us remove any sign of mbin_file_source[i][1] in tempConflicts for tC=#tempConflicts,-1 do if tempConflicts[tC] == EXMLtoMBIN(mbin_file_source[i][1]) then table.remove(tempConflicts,tC) end end end pv("#3.2 [T of T] "..EXMLtoMBIN(mbin_file_source[i][2])..", "..UserScriptName..": "..MOD_DEF["MOD_FILENAME"]) WriteToFileAppend(EXMLtoMBIN(mbin_file_source[i][2])..", "..UserScriptName..": "..MOD_DEF["MOD_FILENAME"].."\n", "MBIN_PAKS.txt") else --alternate syntax #2 pv("alt syntax #2: Handle MBIN_FILE_SOURCE as a table only") tempTable[#tempTable+1] = EXMLtoMBIN(mbin_file_source[i]) NEW_FILEPATH_AND_NAME[#NEW_FILEPATH_AND_NAME+1] = "" REMOVE_FLAG[#REMOVE_FLAG+1] = "" --for Conflicts pv("#2 [T of String(s)] "..EXMLtoMBIN(mbin_file_source[i])..", "..UserScriptName..": "..MOD_DEF["MOD_FILENAME"]) WriteToFileAppend(EXMLtoMBIN(mbin_file_source[i])..", "..UserScriptName..": "..MOD_DEF["MOD_FILENAME"].."\n", "MBIN_PAKS.txt") end end --if some were left, register them pv("#tempConflicts = "..#tempConflicts) for tC=1,#tempConflicts do pv("#3.1 [T of T] "..tempConflicts[tC]..", "..UserScriptName..": "..MOD_DEF["MOD_FILENAME"]) WriteToFileAppend(tempConflicts[tC]..", "..UserScriptName..": "..MOD_DEF["MOD_FILENAME"].."\n", "MBIN_PAKS.txt") end mbin_file_source = tempTable end --=================== end: Test which mbin_file_source alt syntax is used ======================== for u=1,#mbin_file_source do --change MBIN.PC/MBIN to EXML file = string.gsub(mbin_file_source[u],[[%.MBIN%.PC]],[[.MBIN]]) file = string.gsub(file,[[%.MBIN]],[[.EXML]]) file = string.gsub(file,[[/]],[[\]]) file = string.gsub(file,[[\\]],[[\]]) FullPathFile = gMASTER_FOLDER_PATH..gLocalFolder..file print("--------------------------------------------------------------------------------------") print("\n".._zRED..">>> " .. file.._zDEFAULT) Report("","{>>> " .. file) --MBINCompiler handles: -- *.MBIN -> *.EXML -> *.MBIN -- *.GEOMETRY.MBIN.PC -> *.GEOMETRY.EXML -> *.GEOMETRY.MBIN.PC -- *.GEOMETRY.DATA.MBIN.PC -> *.GEOMETRY.DATA.EXML -> *.GEOMETRY.DATA.MBIN.PC if #NEW_FILEPATH_AND_NAME > 0 and NEW_FILEPATH_AND_NAME[u] ~= nil and NEW_FILEPATH_AND_NAME[u] ~= "" then --user asked to create a new file --try to change all / to \ NEW_FILEPATH_AND_NAME[u] = NormalizePath(NEW_FILEPATH_AND_NAME[u]) -- print() print(" => Copying/renaming this file to ["..NEW_FILEPATH_AND_NAME[u].."]") Report("","=> Copying/renaming this file to ["..NEW_FILEPATH_AND_NAME[u].."]") --change MBIN.PC/MBIN to EXML NEW_FILEPATH_AND_NAME[u] = string.gsub(NEW_FILEPATH_AND_NAME[u],[[%.MBIN%.PC]],[[.MBIN]]) NEW_FILEPATH_AND_NAME[u] = string.gsub(NEW_FILEPATH_AND_NAME[u],[[%.MBIN]],[[.EXML]]) --xcopy original file to its new folder in MOD with new name local FilePathSource = [[MOD\]]..file local FilePathDestination = [[MOD\]]..NEW_FILEPATH_AND_NAME[u]..[[*]] -- print("*** ["..FilePathSource.."]") -- print("*** ["..FilePathDestination.."]") local cmd = [[xcopy /y /h /v /i "]]..FilePathSource..[[" "]]..FilePathDestination..[[" 1>NUL 2>NUL]] NewThread(cmd) if REMOVE_FLAG[u] == "REMOVE" then --delete original file from its folder print(" => Removing this file") Report("","=> Removing this file") os.remove(FilePathSource) --remove original empty folder(s), if any local FolderPath = [[MOD\]]..GetFolderPathFromFilePath(file) -- print("["..FolderPath.."]") repeat --to remove all empty folders in the path local cmd = [[rd /q "]]..FolderPath..[[" 1>NUL 2>NUL]] NewThread(cmd) FolderPath = GetFolderPathFromFilePath(FolderPath) -- print("["..FolderPath.."]") until FolderPath == "" end end --=================== REGEXBEFORE ======================== if MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["REGEXBEFORE"] ~= nil then local regexbefore = MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["REGEXBEFORE"] if type(regexbefore) ~= "table" then print("") print(_zRED..">>> [ERROR] REGEXBEFORE is not a table, please correct your script".._zDEFAULT) Report("","REGEXBEFORE is not a table, please correct your script","ERROR") end for i=1,#regexbefore do local ToFindRegex = string.gsub(regexbefore[i][1],[[\\]],[[\]]) ToFindRegex = string.gsub(regexbefore[i][1],[["]],[[\"]]) local ToReplaceRegex = string.gsub(regexbefore[i][2],[[\\]],[[\]]) ToReplaceRegex = string.gsub(regexbefore[i][2],[["]],[[\"]]) if ToFindRegex == nil or ToReplaceRegex == nil then print("") print(_zRED..">>> [ERROR] missing REGEXBEFORE member, please correct your script".._zDEFAULT) Report("","missing REGEXBEFORE member, please correct your script","ERROR") else if ToFindRegex ~= "" then local From = "REGEXBEFORE" local Command = [[-i -r "s/]]..ToFindRegex..[[/]]..ToReplaceRegex..[[/" "]]..FullPathFile..[["]] --for debug purposes -- Command = string.sub(Command,4)..[[ > "]]..From..[[_output.txt"]] ExecuteREGEX(From,Command) end end end end --=================== end REGEXBEFORE ======================== --=================== XLST ======================== if MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["XLST"] ~= nil then local xlst = MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["XLST"] local tempXslFileName = os.tmpname() local tempXslFile = io.open(tempXslFileName, "w") tempXslFile:write(xlst) io.close(tempXslFile) os.execute([[powershell.exe .\transform-xml.ps1 ]]..tempXslFileName..[[ ]]..FullPathFile) os.remove(tempXslFileName) end --=================== end XLST ======================== print(" *** Opening file...") TextFileTable = ParseTextFileIntoTable(FullPathFile) --the EXML file in MOD if #TextFileTable == 0 then if REMOVE_FLAG[u] ~= "REMOVE" then --this file does not exist, skip it print(_zRED..">>> [ERROR] file does not exist! See above for source...".._zDEFAULT) Report("","file does not exist! See above for source...","ERROR") end else --=================== create MapFileTrees of original EXML only... ======================== local src = [[.\_TEMP\DECOMPILED\]]..file if IsFileExist(src) then if _bCreateMapFileTree ~= nil then if _bReCreateMapFileTree == "Y" then local tmpMFT = "..\\MapFileTrees\\"..string.gsub(file,[[\]],[[.]]) pv("tmpMFT = ["..tmpMFT.."]") os.execute([[START /wait "" /B /MIN cmd /c Del /f /q /s "]]..tmpMFT..[[.txt" 1>NUL 2>NUL]]) os.execute([[START /wait "" /B /MIN cmd /c Del /f /q /s "]]..tmpMFT..[[.lua" 1>NUL 2>NUL]]) end if _bAllowMapFileTreeCreator == "Y" then print(" MapFileTree creation/update on 2nd thread...") Report(""," MapFileTree creation/update done by 2nd thread") --it is copied automatically to [[.\_TEMP_MAP\]]..file by GetFreshSources.bat --OBSOLETE -- --copy it to a temp folder for processing -- --because it may be removed later before creation is started/completed -- --do not work great with large files -- local dest = [[.\_TEMP_MAP\]]..file -- if not IsFileExist(dest) then -- CopyFile(src,dest) -- end --END: OBSOLETE if IsFileExist([[MapFileTreeSharedList.txt]]) then WriteToFileAppend(file.."\n",[[MapFileTreeSharedList.txt]]) else WriteToFile(file.."\n",[[MapFileTreeSharedList.txt]]) end else --MAIN thread processing DisplayMapFileTreeEXT(ParseTextFileIntoTable([[.\_TEMP\DECOMPILED\]]..file),file) end else print(" Skipping MapFileTree creation/update") -- Report(""," Skipping MapFileTree creation/update") end else print(" Skipping MapFileTree creation/update, comes from a PAK") Report(""," Skipping MapFileTree creation/update, comes from a PAK") end --=================== end create MapFileTrees ======================== local ReplaceNumber = 0 local ADDNumber = 0 local REMOVENumber = 0 if MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["EXML_CHANGE_TABLE"] ~= nil then AtLeastOne_EXML_CHANGE_TABLE = true MissingCurlyBracketsWarning = false if type(MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["EXML_CHANGE_TABLE"][1]) ~= "table" then MissingCurlyBracketsWarning = true end local EXML_CHANGE_TABLE = MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["EXML_CHANGE_TABLE"] -- print(";;; EXML_CHANGE_TABLE "..n..", "..m) -- for k,v in pairs(EXML_CHANGE_TABLE) do -- print(k,type(v)) -- end -- print(";;;") if EXML_CHANGE_TABLE ~= nil then if type(EXML_CHANGE_TABLE) == "string" then print(_zRED..[[>>> [WARNING] EXML_CHANGE_TABLE entry is a STRING, verify your script]].._zDEFAULT) Report("",[[>>> EXML_CHANGE_TABLE entry is a STRING, verify your script]],"WARNING") EXML_CHANGE_TABLE_fields_IsString = true break else if type(EXML_CHANGE_TABLE) ~= "table" then -- print("EXML_CHANGE_TABLE = "..type(EXML_CHANGE_TABLE)) print(_zRED..[[>>> [WARNING] EXML_CHANGE_TABLE entry is not a TABLE of TABLES, verify your script]].._zDEFAULT) Report("",[[>>> EXML_CHANGE_TABLE entry is not a TABLE of TABLES, verify your script]],"WARNING") break else if #EXML_CHANGE_TABLE == 0 then print(_zRED..[[>>> [WARNING] EXML_CHANGE_TABLE table does not contain any TABLE, verify your script]].._zDEFAULT) Report("",[[>>> EXML_CHANGE_TABLE table does not contain any TABLE, verify your script]],"WARNING") end end end end for i=1,#EXML_CHANGE_TABLE do -- print("In EXML_CHANGE_TABLE for loop #"..i) --local EXML_CHANGE_TABLE_fields = MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["EXML_CHANGE_TABLE"][i] local EXML_CHANGE_TABLE_fields = EXML_CHANGE_TABLE[i] EXML_CHANGE_TABLE_fields_IsTableOfTables = true if EXML_CHANGE_TABLE_fields == nil then print(_zRED..[[>>> [WARNING] EXML_CHANGE_TABLE entry is NIL, verify your script]].._zDEFAULT) Report("",[[>>> EXML_CHANGE_TABLE entry is NIL, verify your script]],"WARNING") EXML_CHANGE_TABLE_fields_IsNil = true break else -- print(";;; EXML_CHANGE_TABLE "..n..", "..m..", "..i) -- for k,v in pairs(EXML_CHANGE_TABLE_fields) do -- print(k,type(v)) -- end -- print(";;;") -- print("EXML_CHANGE_TABLE_fields = "..type(EXML_CHANGE_TABLE_fields)) if type(EXML_CHANGE_TABLE_fields) ~= "table" then print(_zRED..[[>>> [WARNING] EXML_CHANGE_TABLE entry is not a TABLE of TABLES, verify your script]].._zDEFAULT) Report("",[[>>> EXML_CHANGE_TABLE entry is not a TABLE of TABLES, verify your script]],"WARNING") EXML_CHANGE_TABLE_fields_IsTableOfTables = false else pv(" ==> type(EXML_CHANGE_TABLE_fields) = "..type(EXML_CHANGE_TABLE_fields)) pv(" ==> #EXML_CHANGE_TABLE_fields = "..#EXML_CHANGE_TABLE_fields) end end pv(" ===>> before ExchangePropertyValue(): #TextFileTable = "..#TextFileTable) local moddedFileTable,ReplNumber,ADDcount,REMOVEcount = ExchangePropertyValue( i, FullPathFile, TextFileTable, EXML_CHANGE_TABLE_fields["VALUE_CHANGE_TABLE"], EXML_CHANGE_TABLE_fields["SPECIAL_KEY_WORDS"], EXML_CHANGE_TABLE_fields["PRECEDING_KEY_WORDS"], EXML_CHANGE_TABLE_fields["PRECEDING_FIRST"], EXML_CHANGE_TABLE_fields["FIND_ALL_SECTIONS"], EXML_CHANGE_TABLE_fields["SECTION_UP"], EXML_CHANGE_TABLE_fields["SECTION_UP_SPECIAL"], EXML_CHANGE_TABLE_fields["SECTION_UP_PRECEDING"], EXML_CHANGE_TABLE_fields["SECTION_ACTIVE"], EXML_CHANGE_TABLE_fields["WHERE_IN_SECTION"], EXML_CHANGE_TABLE_fields["WHERE_IN_SUBSECTION"], EXML_CHANGE_TABLE_fields["SAVE_SECTION_TO"], EXML_CHANGE_TABLE_fields["KEEP_SECTION"], EXML_CHANGE_TABLE_fields["ADD_NAMED_SECTION"], EXML_CHANGE_TABLE_fields["EDIT_SECTION"], EXML_CHANGE_TABLE_fields["MATH_OPERATION"], EXML_CHANGE_TABLE_fields["INTEGER_TO_FLOAT"], global_integer_to_float, EXML_CHANGE_TABLE_fields["VALUE_MATCH"], EXML_CHANGE_TABLE_fields["REPLACE_TYPE"], EXML_CHANGE_TABLE_fields["VALUE_MATCH_TYPE"], EXML_CHANGE_TABLE_fields["VALUE_MATCH_OPTIONS"], EXML_CHANGE_TABLE_fields["LINE_OFFSET"], EXML_CHANGE_TABLE_fields["ADD_OPTION"], EXML_CHANGE_TABLE_fields["ADD"], EXML_CHANGE_TABLE_fields["REMOVE"], EXML_CHANGE_TABLE_fields["FOREACH_SPECIAL_KEY_WORDS_PAIR"], EXML_CHANGE_TABLE_fields_IsTableOfTables, MissingCurlyBracketsWarning ) pv(" ===>> after ExchangePropertyValue(): #moddedFileTable = "..#moddedFileTable) TextFileTable = moddedFileTable --update TextFileTable for next iteration ReplaceNumber = ReplaceNumber + ReplNumber ADDNumber = ADDNumber + ADDcount REMOVENumber = REMOVENumber + REMOVEcount end if EXML_CHANGE_TABLE_fields_IsNil or EXML_CHANGE_TABLE_fields_IsString then break end print("") print(_zGREEN.." = = = = = = = = = = = = = = = = = = = = = = = = = = = = = = = = = = = = =".._zDEFAULT) print(_zGREEN.." Ended processing of MODIFICATIONS["..n.."]["..m.."]".._zDEFAULT) if ADDNumber > 0 then Report(ADDNumber.." ADD(s) made"," Ended processing with") print(" >>>>> "..ADDNumber.." ADD(s) made") end if REMOVENumber > 0 then Report(REMOVENumber.." REMOVE(s) made"," Ended processing with") print(" >>>>> "..REMOVENumber.." REMOVE(s) made") end if (ADDNumber > 0 or REMOVENumber > 0 ) and ReplaceNumber > 0 then Report(ReplaceNumber.." CHANGE(s) made"," Ended processing with") print(" >>>>> "..ReplaceNumber.." CHANGE(s) made") end Report(file," File ") Report(""," Ended with a total of "..(ReplaceNumber + ADDNumber + REMOVENumber).." action(s) made }") print(" >>>>> Ended with a total of "..(ReplaceNumber + ADDNumber + REMOVENumber).." action(s) made\n") NumReplacements = NumReplacements + ReplaceNumber + ADDNumber + REMOVENumber if THIS == "In TestReCreatedScript: " then CheckReCreatedEXMLAgainstOrg(file) end -- else -- NoEXML_CHANGE_TABLE = true -- -- print("[INFO] [\"MODIFICATIONS\"] has no [\"EXML_CHANGE_TABLE\"]") -- -- Report("","[\"MODIFICATIONS\"] has no [\"EXML_CHANGE_TABLE\"]") end -- print(" - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -") end --=================== REGEXAFTER ======================== if MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["REGEXAFTER"] ~= nil then local regexafter = MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["REGEXAFTER"] if type(regexafter) ~= "table" then print("") print(_zRED..">>> [ERROR] REGEXAFTER is not a table, please correct your script".._zDEFAULT) Report("","REGEXAFTER is not a table, please correct your script","ERROR") end for i=1,#regexafter do local ToFindRegex = string.gsub(regexafter[i][1],[[\\]],[[\]]) ToFindRegex = string.gsub(regexafter[i][1],[["]],[[\"]]) local ToReplaceRegex = string.gsub(regexafter[i][2],[[\\]],[[\]]) ToReplaceRegex = string.gsub(regexafter[i][2],[["]],[[\"]]) if ToFindRegex == nil or ToReplaceRegex == nil then print("") print(_zRED..">>> [ERROR] missing REGEXAFTER member, please correct your script".._zDEFAULT) Report("","missing REGEXAFTER member, please correct your script","ERROR") else if ToFindRegex ~= "" then print("") local From = "REGEXAFTER" local Command = [[-i -r "s/]]..ToFindRegex..[[/]]..ToReplaceRegex..[[/" "]]..FullPathFile..[["]] --for debug purposes -- Command = string.sub(Command,4)..[[ > "]]..From..[[_output.txt"]] ExecuteREGEX(From,Command) end end end end --=================== end REGEXAFTER ======================== end --for u=1,#mbin_file_source do end --for m=1,#MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"] do end if EXML_CHANGE_TABLE_fields_IsNil or EXML_CHANGE_TABLE_fields_IsString then break end end --for n=1,#MOD_DEF["MODIFICATIONS"] do end --if MOD_DEF["MODIFICATIONS"]~=nil then --Add new files if MOD_DEF["ADD_FILES"]~=nil then print("") print(">>> Adding files:") Report("") Report("",">>> Adding files:") for i=1,#MOD_DEF["ADD_FILES"] do local ShortFilenamePath = NormalizePath(MOD_DEF["ADD_FILES"][i]["FILE_DESTINATION"]) --ShortFilenamePath = string.upper(string.gsub(ShortFilenamePath,[[/]],[[\]])) --print("1: ShortFilenamePath=["..ShortFilenamePath.."]") local FolderPath = gMASTER_FOLDER_PATH .. gLocalFolder .. GetFolderPathFromFilePath(ShortFilenamePath)..[[\]] --print("2: FolderPath=["..FolderPath.."]") local FilePath = gMASTER_FOLDER_PATH .. gLocalFolder .. ShortFilenamePath --print("3: FilePath=["..FilePath.."]") local _,count = string.gsub(ShortFilenamePath,[[\]],"") if count > 0 then if not FolderExists(string.gsub(FolderPath,[[\]],[[\\]])) then print(" create folder: " .. FolderPath) Report(""," create folder: " .. FolderPath) FolderPath = string.gsub(FolderPath,[[\]],[[\\]]) CreateFolder(FolderPath) end end if MOD_DEF["ADD_FILES"][i]["EXTERNAL_FILE_SOURCE"]==nil or MOD_DEF["ADD_FILES"][i]["EXTERNAL_FILE_SOURCE"]=="" then print(" create file in: "..FilePath) Report(""," create file in: "..[["]]..FilePath..[["]]) FilePath = string.gsub(FilePath,[[\]],[[\\]]) local FileData = MOD_DEF["ADD_FILES"][i]["FILE_CONTENT"] WriteToFile(string.gsub(FileData,"\n","",1), FilePath) else local FilePathSource = "" if string.sub(MOD_DEF["ADD_FILES"][i]["EXTERNAL_FILE_SOURCE"],2,2) == ":" then --we have a complete path FilePathSource = MOD_DEF["ADD_FILES"][i]["EXTERNAL_FILE_SOURCE"] else --path is relative to ModScript folder FilePathSource = GetFolderPathFromFilePath(LoadFileData("CurrentModScript.txt")) .. [[\]] .. MOD_DEF["ADD_FILES"][i]["EXTERNAL_FILE_SOURCE"] end FilePathSource = NormalizePath(FilePathSource,[[/]],[[\]]) --print("4: ["..FilePathSource.."]") --local newFilename = string.upper(GetFilenameFromFilePath(MOD_DEF["ADD_FILES"][i]["FILE_DESTINATION"])) local newFilename = GetFilenameFromFilePath(ShortFilenamePath) if newFilename == nil or newFilename == "" then --use current name local currentFilename = GetFilenameFromFilePath(FilePathSource) local currentFilenamePath = string.gsub(FolderPath..[[\]]..currentFilename,[[\\]],[[\]]) print(" create file: "..currentFilenamePath) Report(""," create file: "..[["]]..currentFilenamePath..[["]]) --print("currentFilename = ["..currentFilename.."]") local cmd = [[xcopy /y /h /v /i "]]..FilePathSource..[[" "]]..FolderPath..[[*"]] NewThread(cmd) else --use new destination filename local newFilenamePath = string.gsub(FolderPath..[[\]]..newFilename,[[\\]],[[\]]) print(" create file: "..newFilenamePath) Report(""," create file: "..[["]]..newFilenamePath..[["]]) --print("newFilename = ["..newFilename.."]") local cmd = [[xcopy /y /h /v /i "]]..FilePathSource..[[" "]]..newFilenamePath..[[*"]] NewThread(cmd) end end NumFilesAdded=NumFilesAdded+1 end print("\n >>>>> Ended with "..NumFilesAdded .. " files added <<<<<\n") Report("","\n >>>>> Ended with "..NumFilesAdded .. " files added <<<<<\n") end if AtLeastOne_EXML_CHANGE_TABLE and MOD_DEF["MODIFICATIONS"]~=nil and NumReplacements == 0 then print(_zRED..">>> [WARNING] No replacement done. Please verify your script, if not intended".._zDEFAULT) Report(say," No replacement done. Please verify your script, if not intended","WARNING") end if MOD_DEF["ADD_FILES"]~=nil and NumFilesAdded == 0 then if #MOD_DEF["ADD_FILES"] >= 1 and MOD_DEF["ADD_FILES"][1]["FILE_DESTINATION"] ~= "" then print(_zRED..">>> [WARNING] No file added. Please verify your script".._zDEFAULT) Report(say," No file added. Please verify your script","WARNING") end end if AtLeastOne_EXML_CHANGE_TABLE then Report("") if Multi_pak then Report(NumReplacements.." action(s), "..NumFilesAdded .. " files added","Ended sub-script processing with") else Report(NumReplacements.." action(s), "..NumFilesAdded .. " files added","Ended script processing with") end print("\n*************************************************************************") print(" >>>>> Ended all with "..NumReplacements.." action(s) made and "..NumFilesAdded .. " files added <<<<<") print("*************************************************************************\n") end pv(THIS.."From end of HandleModScript()") end -->>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>> function CheckReCreatedEXMLAgainstOrg(file) -- now we can compare the ORIG_MOD with this ReCreated_MOD --if the SAME then SUCCESS --else report FAILURE pv(THIS.."From CheckReCreatedEXMLAgainstOrg()") print("") -- Report("") -- *file (ORG EXML) gMASTER_FOLDER_PATH..[[\SCRIPTBUILDER\MOD\]]..string.gsub(MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["MBIN_FILE_SOURCE"],"%.MBIN",".EXML"), local temp = gMASTER_FOLDER_PATH..gLocalFolder..file -- temp = string.gsub(temp,[[\]],[[\\]]) --no need to do this replacement local say = temp -- because string.gsub pattern does not work with all folder names (ex.: ".") if string.find(say,gMASTER_FOLDER_PATH,1,true) ~= nil then local start = string.find(say,gMASTER_FOLDER_PATH,1,true) say = string.sub(say,1,start - 1)..string.sub(say,string.len(gMASTER_FOLDER_PATH) + start) end print(" "..say) -- Report(""," "..say,"") local ORIG_MOD = LoadFileData(temp) print(" Original MOD is "..string.len(ORIG_MOD).." long") Report(""," Original MOD is "..string.len(ORIG_MOD).." long") temp = string.gsub(temp,gLocalFolder,[[\Modified_PAK\DECOMPILED\]]) local say = temp -- because string.gsub pattern does not work with all folder names (ex.: ".") if string.find(say,gMASTER_FOLDER_PATH,1,true) ~= nil then local start = string.find(say,gMASTER_FOLDER_PATH,1,true) say = string.sub(say,1,start - 1)..string.sub(say,string.len(gMASTER_FOLDER_PATH) + start) end print(" "..say) -- Report(""," "..say,"") local ReCreated_MOD = LoadFileData(temp) print("Re-Created MOD is "..string.len(ReCreated_MOD).." long") Report("","Re-Created MOD is "..string.len(ReCreated_MOD).." long") ResultsCreatingScript[#ResultsCreatingScript + 1] = {} ResultsCreatingScript[#ResultsCreatingScript][1] = file if ReCreated_MOD == ORIG_MOD then ResultsCreatingScript[#ResultsCreatingScript][2] = "Success" print("\n ********************************************************************************") print("\n >>>>>>>>>>>> Script MOD creation SUCCEEDED, BOTH FILES IDENTICAL! <<<<<<<<<<<<") print("\n ********************************************************************************") Report("",">>>>>>>>>>>> Script MOD creation SUCCEEDED, BOTH FILES IDENTICAL! <<<<<<<<<<<<","SUCCESS") else ResultsCreatingScript[#ResultsCreatingScript][2] = "Failure" print("\n --------------------------------------------------------") print("\n XXXXXXXXXXXX Script MOD creation FAILURE! XXXXXXXXXXXX") print("\n --------------------------------------------------------") Report("","XXXXXXXXXXXX Script MOD creation FAILURE! XXXXXXXXXXXX","ERROR") end print() Report("") pv(THIS.."From end of CheckReCreatedEXMLAgainstOrg()") end --*************************************************************************************************** function GetSpecKeyWordsInfo(spec_key_words) local Info = "" for i=1,#spec_key_words,2 do Info = Info..[[("]]..spec_key_words[i]..[[","]]..spec_key_words[i+1]..[["), ]] end Info = string.sub(Info,1,-3) return Info end --*************************************************************************************************** function GetPrecKeyWordsInfo(prec_key_words) local Info = "" for i=1,#prec_key_words do Info = Info..[["]]..prec_key_words[i]..[[", ]] end return string.sub(Info,1,#Info - 2) end --*************************************************************************************************** function GetWhereInSectionInfo(WhereKeyWords) local Info = "" for i=1,#WhereKeyWords,2 do Info = Info..[[("]]..WhereKeyWords[i][1]..[[","]]..WhereKeyWords[i][2]..[["), ]] end Info = string.sub(Info,1,-3) return Info end --*************************************************************************************************** --*************************************************************************************************** function GetWhereInSubSectionInfo(SubWhereKeyWords) local Info = "" for i=1,#SubWhereKeyWords,2 do Info = Info..[[("]]..SubWhereKeyWords[i][1]..[[","]]..SubWhereKeyWords[i][2]..[["), ]] end Info = string.sub(Info,1,-3) return Info end --*************************************************************************************************** --*************************************************************************************************** function GoUPToOwnerStart(TextFileTable,lineInSection) local level = 0 local OwnerStartLine = 0 for i=lineInSection-1,1,-1 do local Orgline = TextFileTable[i] if string.find(Orgline,[[/>]],1,true) ~= nil then --skip this line, never an owner else if string.find(Orgline,[[">]],1,true) ~= nil then level = level - 1 elseif string.find(Orgline,[[/Property>]],1,true) ~= nil then --always the end of a group level = level + 1 end if level == -1 then --owner start line found OwnerStartLine = i break end end end -- pv(" U.OwnerStartLine = "..OwnerStartLine) return OwnerStartLine end --*************************************************************************************************** --*************************************************************************************************** function GoDownToOwnerEnd(TextFileTable,lineInSection) local level = 0 local OwnerEndLine = 0 -- pv(" D.lineInSection = "..lineInSection) for i=lineInSection,#TextFileTable do local Orgline = TextFileTable[i] if string.find(Orgline,[[/>]],1,true) ~= nil then --skip this line, never an owner else if string.find(Orgline,[[/Property>]],1,true) ~= nil then --always the end of a group level = level - 1 elseif string.find(Orgline,[[">]],1,true) ~= nil then level = level + 1 end if level == -1 then --owner end line found OwnerEndLine = i break end end end -- pv(" D.OwnerEndLine = "..OwnerEndLine) assert(OwnerEndLine ~= nil,"FindGroup:GoDownToOwnerEnd:OwnerEndLine == nil") if OwnerEndLine == 0 then OwnerEndLine = #TextFileTable end return OwnerEndLine end --*************************************************************************************************** --*************************************************************************************************** function MapFileTreeSharedListPING() if IsFileExist([[MapFileTreeSharedList.txt]]) then WriteToFileAppend("PING".."\n",[[MapFileTreeSharedList.txt]]) end end -- *************************************** handles generic SECTION_UP ******************************************* function Process_SectionUP(FileTable,GroupStartLine,GroupEndLine,KeyWordLine,section_up) -- pv("") -- pv([[D ]]..#GroupStartLine..[[ ]]..#GroupEndLine..[[ ]]) if section_up > 0 then -- pv("Processing SECTION_UP = "..section_up) for n =1,#GroupStartLine do local Section_UP = section_up local currentLine = GroupStartLine[n] -- pv(" SECTION_UP: Current line = "..currentLine) repeat GroupStartLine[n] = GoUPToOwnerStart(FileTable,currentLine) GroupEndLine[n] = GoDownToOwnerEnd(FileTable,GroupStartLine[n]+1) KeyWordLine[n] = KeyWordLine[n] --stays the same currentLine = GroupStartLine[n] Section_UP = Section_UP - 1 until Section_UP == 0 end end return GroupStartLine,GroupEndLine,KeyWordLine end -- *************************************** END: handles generic SECTION_UP ************************************** --ExchangePropertyValue(... --[=[ ExchangePropertyValue( *item ,i *file (ORG EXML) ,FullPathFile, aka: gMASTER_FOLDER_PATH..gLocalFolder..string.gsub(MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["MBIN_FILE_SOURCE"],".MBIN",".EXML") *FileTable ,the TextFileTable 'table' containing the file above *value_change_table ,MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["EXML_CHANGE_TABLE"][i]["VALUE_CHANGE_TABLE"] *special_key_words ,MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["EXML_CHANGE_TABLE"][i]["SPECIAL_KEY_WORDS"] *preceding_key_words ,PRECEDING_KEY_WORDS_SUB [==]PRECEDING_KEY_WORDS_SUB = MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["EXML_CHANGE_TABLE"][i]["PRECEDING_KEY_WORDS"][==] preceding_first ,MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["EXML_CHANGE_TABLE"][i]["PRECEDING_FIRST"] find_all_sections ,MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["EXML_CHANGE_TABLE"][i]["FIND_ALL_SECTIONS"] section_up ,MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["EXML_CHANGE_TABLE"][i]["SECTION_UP"] section_up_special ,MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["EXML_CHANGE_TABLE"][i]["SECTION_UP_SPECIAL"] section_up_preceding ,MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["EXML_CHANGE_TABLE"][i]["SECTION_UP_PRECEDING"] section_active ,MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["EXML_CHANGE_TABLE"][i]["SECTION_ACTIVE"] where_key_words ,MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["EXML_CHANGE_TABLE"][i]["WHERE_IN_SECTION"] subwhere_key_words ,MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["EXML_CHANGE_TABLE"][i]["WHERE_IN_SUBSECTION"] save_section_to ,MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["EXML_CHANGE_TABLE"][i]["SAVE_SECTION_TO"] keep_section ,MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["EXML_CHANGE_TABLE"][i]["KEEP_SECTION"] add_named_section ,MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["EXML_CHANGE_TABLE"][i]["ADD_NAMED_SECTION"] edit_section ,MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["EXML_CHANGE_TABLE"][i]["EDIT_SECTION"] math_operation ,MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["EXML_CHANGE_TABLE"][i]["MATH_OPERATION"] integer_to_float ,MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["EXML_CHANGE_TABLE"][i]["INTEGER_TO_FLOAT"] global_integer_to_float ,global_integer_to_float value_match ,MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["EXML_CHANGE_TABLE"][i]["VALUE_MATCH"] replace_type ,MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["EXML_CHANGE_TABLE"][i]["REPLACE_TYPE"] value_match_type ,MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["EXML_CHANGE_TABLE"][i]["VALUE_MATCH_TYPE"] value_match_options ,MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["EXML_CHANGE_TABLE"][i]["VALUE_MATCH_OPTIONS"] line_offset ,MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["EXML_CHANGE_TABLE"][i]["LINE_OFFSET"] add_option ,MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["EXML_CHANGE_TABLE"][i]["ADD_OPTION"] text_to_add ,MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["EXML_CHANGE_TABLE"][i]["ADD"] to_remove ,MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["EXML_CHANGE_TABLE"][i]["REMOVE"] foreach_SKWP ,MOD_DEF["MODIFICATIONS"][n]["MBIN_CHANGE_TABLE"][m]["EXML_CHANGE_TABLE"][i]["FOREACH_SPECIAL_KEY_WORDS_PAIR"] EXML_CHANGE_TABLE_fields_IsTableOfTables ,EXML_CHANGE_TABLE_fields_IsTableOfTables MissingCurlyBracketsWarning ,MissingCurlyBracketsWarning ) * = needed for SCRIPTBUILDER script.lua --]=] -->>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>> --called each time with all property/value combo in value_change_table function ExchangePropertyValue(item,file,FileTable,value_change_table,special_key_words,preceding_key_words ,preceding_first,find_all_sections,section_up,section_up_special,section_up_preceding,section_active,where_key_words,subwhere_key_words ,save_section_to,keep_section,add_named_section,edit_section ,math_operation,integer_to_float,global_integer_to_float ,value_match,replace_type,value_match_type,value_match_options ,line_offset,add_option,text_to_add,to_remove,foreach_SKWP ,EXML_CHANGE_TABLE_fields_IsTableOfTables,MissingCurlyBracketsWarning) print("") print(_zGREEN.." - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -".._zDEFAULT) print(_zGREEN.." processing EXML_CHANGE_TABLE["..item.."], please wait...".._zDEFAULT) if not EXML_CHANGE_TABLE_fields_IsTableOfTables then pv("WBERTRO: THIS SHOULD BE INVESTIGATED") print(_zRED..[[>>> [WARNING] EXML_CHANGE_TABLE first entry is a 'table of tables' instead of a simple table: probably too many {} in your script"]].._zDEFAULT) print(_zRED..[[>>> Check SerializedScript.lua (if it was generated) to see how your script shows to AMUMSS]].._zDEFAULT) Report("",[[>>> EXML_CHANGE_TABLE first entry is a 'table of tables' instead of a simple table: probably too many {} in your script]],"WARNING") Report("",[[>>> Check SerializedScript.lua (if it was generated) to see how your script shows to AMUMSS]],"WARNING") end if MissingCurlyBracketsWarning then print(_zRED..[[>>> [WARNING] EXML_CHANGE_TABLE first entry is Missing Curly Brackets, in your script"]].._zDEFAULT) print(_zRED..[[>>> Check SerializedScript.lua (if it was generated) to see how your script shows to AMUMSS]].._zDEFAULT) Report("",[[>>> EXML_CHANGE_TABLE first entry is Missing Curly Brackets, in your script]],"WARNING") Report("",[[>>> Check SerializedScript.lua (if it was generated) to see how your script shows to AMUMSS]],"WARNING") end -- ***************** IsMath_Operation section ******************** local IsMath_Operation = false if math_operation == nil then math_operation = "" end if string.len(math_operation) > 0 then IsMath_Operation = true end --*************************************************************************************************** -- ***************** value_change_table section ******************** local val_change_table = {{"",""}} local IsChangeTable = false if value_change_table == nil then val_change_table[1][1] = "IGNORE" val_change_table[1][2] = "IGNORE" else if type(value_change_table) ~= "table" then --not a table, just one word if value_change_table == "" then val_change_table[1][1] = "IGNORE" val_change_table[1][2] = "IGNORE" else --Make it a table, we want a table! val_change_table[1][1] = value_change_table val_change_table[1][2] = value_change_table end else --already a table, use it if type(value_change_table[1]) ~= "table" then --problem, not a table of tables print(_zRED..[[>>> [WARNING] this VALUE_CHANGE_TABLE entry is NOT a 'table of tables': check your script"]].._zDEFAULT) print(_zRED..[[>>> Check SerializedScript.lua (if it was generated) to see how your script shows to AMUMSS]].._zDEFAULT) Report("",[[>>> this VALUE_CHANGE_TABLE entry is NOT a 'table of tables': check your script]],"WARNING") Report("",[[>>> Check SerializedScript.lua (if it was generated) to see how your script shows to AMUMSS]],"WARNING") value_change_table = nil else val_change_table = value_change_table end end end if (#val_change_table > 0) and (val_change_table[1] ~= "" or val_change_table[2] ~= "") then IsChangeTable = true end for i=1,#val_change_table do val_change_table[i][1] = tostring(val_change_table[i][1]) pv(val_change_table[i][1]) if val_change_table[i][1] == "nil" then --we have a problem, should not be nil print(_zRED..[[>>> [ERROR] In your script, a VALUE_CHANGE_TABLE "Property name/value" below is NIL, please correct!]].._zDEFAULT) print(_zRED..[[>>> Check SerializedScript.lua (if it was generated) to see how your script shows to AMUMSS]].._zDEFAULT) Report("",[[>>> In your script, a VALUE_CHANGE_TABLE "Property name/value" below is NIL, please correct!]],"ERROR") Report("",[[>>> Check SerializedScript.lua (if it was generated) to see how your script shows to AMUMSS]],"WARNING") if IsMath_Operation then val_change_table[i][1] = "0" --to prevent a crash else val_change_table[i][1] = "NIL" --to prevent a crash end end val_change_table[i][2] = tostring(val_change_table[i][2]) pv(val_change_table[i][2]) if val_change_table[i][2] == "nil" then --we have a problem, should not be nil print(_zRED..[[>>> [ERROR] In your script, VALUE_CHANGE_TABLE "newvalue" (for "]]..val_change_table[i][1]..[[" below) is NIL, please correct!]].._zDEFAULT) print(_zRED..[[>>> Check SerializedScript.lua (if it was generated) to see how your script shows to AMUMSS]].._zDEFAULT) Report("",[[>>> In your script VALUE_CHANGE_TABLE "newvalue" (for "]]..val_change_table[i][1]..[[" below) is NIL, please correct!]],"ERROR") Report("",[[>>> Check SerializedScript.lua (if it was generated) to see how your script shows to AMUMSS]],"WARNING") if IsMath_Operation then val_change_table[i][2] = "NIL" --to prevent a crash else val_change_table[i][2] = "NIL" --to prevent a crash end end val_change_table[i][1] = string.gsub(val_change_table[i][1],[[\\]],[[\]]) val_change_table[i][2] = string.gsub(val_change_table[i][2],[[\\]],[[\]]) end -- ******************************************************* -- FROM HERE ON [value_change_table] is know as [val_change_table] (a table) -- ******************************************************* -- ***************** integer_to_float section ******************** if integer_to_float == nil or integer_to_float == "" then integer_to_float = global_integer_to_float end integer_to_float = string.upper(integer_to_float) local IsInteger_to_floatDeclared = (integer_to_float ~= "") local IsInteger_to_floatPRESERVE = (integer_to_float == "PRESERVE") local IsInteger_to_floatFORCE = (integer_to_float == "FORCE") if IsInteger_to_floatDeclared and not (IsInteger_to_floatPRESERVE or IsInteger_to_floatFORCE) then print(_zRED..[[>>> [WARNING] INTEGER_TO_FLOAT value is incorrect, should be "", "FORCE" or "PRESERVE"]].._zDEFAULT) Report(integer_to_float,[[>>> INTEGER_TO_FLOAT value is incorrect, should be "", "FORCE" or "PRESERVE"]],"WARNING") end -- ***************** save_section_to section ******************** if save_section_to == nil then save_section_to = "" end local IsSaveSectionTo = (save_section_to ~= "") if save_section_to ~= "" and tonumber(save_section_to) ~= nil then print(_zRED..[[>>> [WARNING] SAVE_SECTION_TO is not a valid user_name_of_section STRING, it won't be used!]].._zDEFAULT) Report(save_section_to,[[>>> SAVE_SECTION_TO is not a valid user_name_of_section STRING, it won't be used!]],"WARNING") save_section_to = "" end if IsSaveSectionTo then gSaveSectionName[#gSaveSectionName+1] = save_section_to gSaveSectionContent[#gSaveSectionContent+1] = "" end -- ***************** keep_section section ******************** if keep_section == nil then keep_section = "" end keep_section = string.upper(keep_section) local IsKeepSection = (keep_section ~= "") local IsKeepSectionTRUE = (keep_section == "TRUE") local IsKeepSectionFALSE = (keep_section == "FALSE") if IsKeepSection and not (IsKeepSectionTRUE or IsKeepSectionFALSE) then print(_zRED..[[>>> [WARNING] KEEP_SECTION value is incorrect, should be "", "TRUE" or "FALSE"]].._zDEFAULT) Report(keep_section,[[>>> KEEP_SECTION value is incorrect, should be "", "TRUE" or "FALSE"]],"WARNING") end IsKeepSection = IsKeepSectionTRUE -- ***************** add_named_section section ******************** if add_named_section == nil then add_named_section = "" end local IsUseSection = (add_named_section ~= "") if add_named_section ~= "" and tonumber(add_named_section) ~= nil then print(_zRED..[[>>> [WARNING] ADD_NAMED_SECTION is not a valid user_name_of_section STRING, it won't be used!]].._zDEFAULT) Report(add_named_section,[[>>> ADD_NAMED_SECTION is not a valid user_name_of_section STRING, it won't be used!]],"WARNING") add_named_section = "" end if IsUseSection then --check if this section name already exist in internal gUseSectionName list local SectionAlreadyExist = false for m=1,#gUseSectionName do if gUseSectionName[m] == add_named_section then --nothing more to do right now print("@@@@@ Found add_named_section in internal gUseSectionName list") SectionAlreadyExist = true break end end if not SectionAlreadyExist then --check if it is in the internal SAVE_SECTION_TO list local found = false for m=1,#gSaveSectionName do if gSaveSectionName[m] == add_named_section then --retrieve the section print("@@@@@ Found add_named_section in the internal SAVE_SECTION_TO list") gUseSectionName[#gUseSectionName+1] = add_named_section gUseSectionContent[#gUseSectionContent+1] = gSaveSectionContent[m] found = true break end end if not found then --try to read back the lines from a file in the SavedSections folder using the ADD_NAMED_SECTION name.txt if IsFileExist(gMASTER_FOLDER_PATH..[[SavedSections\]]..add_named_section..[[.txt]]) then print("@@@@@ Found add_named_section in a file in the SavedSections folder using the ADD_NAMED_SECTION name.txt") gUseSectionName[#gUseSectionName+1] = add_named_section gUseSectionContent[#gUseSectionContent+1] = LoadFileData(gMASTER_FOLDER_PATH..[[SavedSections\]]..add_named_section..[[.txt]]) else --no such named section exist print("@@@@@ DID NOT find specified ADD_NAMED_SECTION: BAD NAME?") gUseSectionName[#gUseSectionName+1] = add_named_section gUseSectionContent[#gUseSectionContent+1] = "" end end end end -- ***************** END: add_named_section section ******************** -- ***************** edit_section section ******************** if edit_section == nil then edit_section = "" end local IsEditSection = (edit_section ~= "") if edit_section ~= "" and tonumber(edit_section) ~= nil then print(_zRED..[[>>> [WARNING] EDIT_SECTION is not a valid user_name_of_section STRING, it won't be used!]].._zDEFAULT) Report(edit_section,[[>>> EDIT_SECTION is not a valid user_name_of_section STRING, it won't be used!]],"WARNING") edit_section = "" end if IsEditSection then --check if this section name already exist in internal gUseSectionName list local SectionAlreadyExist = false for m=1,#gUseSectionName do if gUseSectionName[m] == edit_section then --nothing more to do right now print("@@@@@ Found edit_section in internal gUseSectionName list") SectionAlreadyExist = true break end end if not SectionAlreadyExist then --check if it is in the internal SAVE_SECTION_TO list local found = false for m=1,#gSaveSectionName do if gSaveSectionName[m] == edit_section then --retrieve the section print("@@@@@ Found edit_section in the internal SAVE_SECTION_TO list") gUseSectionName[#gUseSectionName+1] = edit_section gUseSectionContent[#gUseSectionContent+1] = gSaveSectionContent[m] found = true break end end if not found then --try to read back the lines from a file in the SavedSections folder using the ADD_NAMED_SECTION name.txt if IsFileExist(gMASTER_FOLDER_PATH..[[SavedSections\]]..edit_section..[[.txt]]) then print("@@@@@ Found edit_section in a file in the SavedSections folder using the EDIT_SECTION name.txt") gUseSectionName[#gUseSectionName+1] = edit_section gUseSectionContent[#gUseSectionContent+1] = LoadFileData(gMASTER_FOLDER_PATH..[[SavedSections\]]..edit_section..[[.txt]]) else --no such named section exist print("@@@@@ DID NOT find specified EDIT_SECTION: BAD NAME?") gUseSectionName[#gUseSectionName+1] = edit_section gUseSectionContent[#gUseSectionContent+1] = "" --even it it was requested, we cannot edit this named section IsEditSection = false end end end end -- ***************** END: edit_section section ******************** -- ***************** text_to_add section ******************** if text_to_add == nil then text_to_add = "" end text_to_add = string.gsub(text_to_add,[[\\]],[[\]]) local IsTextToAdd = (text_to_add ~= "") -- ***************** END: text_to_add section ******************** -- ***************** to_remove section ******************** if to_remove == nil then to_remove = "" end to_remove = string.upper(to_remove) local IsToRemove = (to_remove ~= "") local IsToRemoveLINE = (to_remove == "LINE") local IsToRemoveSECTION = (to_remove == "SECTION") if IsToRemove and not (IsToRemoveLINE or IsToRemoveSECTION) then print(_zRED..[[>>> [WARNING] REMOVE value is incorrect, should be "", "LINE" or "SECTION"]].._zDEFAULT) Report(to_remove,[[>>> REMOVE value is incorrect, should be "", "LINE" or "SECTION"]],"WARNING") elseif IsTextToAdd and IsToRemove then print(_zRED..[[>>> [WARNING] BOTH ADD and REMOVE are used in this EXML_CHANGE_TABLE section]].._zDEFAULT) Report("",[[>>> BOTH ADD and REMOVE are used in this EXML_CHANGE_TABLE section]],"WARNING") end -- ***************** END: to_remove section ******************** -- ***************** preceding_first section ******************** if preceding_first == nil then preceding_first = "" end preceding_first = string.upper(preceding_first) local IsPrecedingFirst = (preceding_first ~= "") local IsPrecedingFirstTRUE = (preceding_first == "TRUE") local IsPrecedingFirstFALSE = (preceding_first == "FALSE") if IsPrecedingFirst and not (IsPrecedingFirstTRUE or IsPrecedingFirstFALSE) then print(_zRED..[[>>> [WARNING] PRECEDING_FIRST value is incorrect, should be "", "TRUE" or "FALSE"]].._zDEFAULT) Report(preceding_first,[[>>> PRECEDING_FIRST value is incorrect, should be "", "TRUE" or "FALSE"]],"WARNING") end -- ***************** find_all_sections section ******************** if find_all_sections == nil then find_all_sections = "" end find_all_sections = string.upper(find_all_sections) local IsFindAllSections = (find_all_sections ~= "") local IsFindAllSectionsTRUE = (find_all_sections == "TRUE") local IsFindAllSectionsFALSE = (find_all_sections == "FALSE") if IsFindAllSections and not (IsFindAllSectionsTRUE or IsFindAllSectionsFALSE) then print(_zRED..[[>>> [WARNING] FIND_ALL_SECTIONS value is incorrect, should be "", "TRUE" or "FALSE"]].._zDEFAULT) Report(find_all_sections,[[>>> FIND_ALL_SECTIONS value is incorrect, should be "", "TRUE" or "FALSE"]],"WARNING") end -- ***************** replace_type section ******************** if replace_type == nil then replace_type = "" end replace_type = string.upper(replace_type) -- WBERTRO local tmpIsADDAFTERSECTION = false if replace_type == "ADDAFTERSECTION" then tmpIsADDAFTERSECTION = true replace_type = "" end local IsReplaceALL = (replace_type == "ALL") local IsReplaceALLFOLLOWING = (replace_type == "ALLFOLLOWING") local IsReplaceRAW = (replace_type == "RAW") if IsReplaceRAW then -- when using RAW, it implies that ALL is used also IsReplaceALL = true end --Wbertro: ALLFOLLOWING may not be working yet? if IsReplaceALLFOLLOWING then print(_zRED..[[>>> [NOTICE] REPLACE_TYPE value of "ALLFOLLOWING" may not be working yet]].._zDEFAULT) Report(replace_type,[[>>> REPLACE_TYPE value of "ALLFOLLOWING" may not be working yet]],"NOTICE") end local IsReplace = (replace_type ~= "") if IsReplace then if not IsTextToAdd and not (IsReplaceALL or IsReplaceALLFOLLOWING or IsReplaceRAW) then print(_zRED..[[>>> [WARNING] REPLACE_TYPE value is incorrect, should only be "", "ALL", "ALLFOLLOWING" or "RAW"]].._zDEFAULT) Report(replace_type,[[>>> REPLACE_TYPE value is incorrect, should only be "", "ALL", "ALLFOLLOWING" or "RAW"]],"WARNING") IsReplace = false end end -- ***************** add_option section ******************** if add_option == nil then add_option = "" end add_option = string.upper(add_option) if IsTextToAdd then if add_option == "" then if tmpIsADDAFTERSECTION then --for backward compatibility from REPLACE_TYPE add_option = "ADDAFTERSECTION" else --default option add_option = "ADDAFTERLINE" end end end if add_option == "ADDATLINE" then add_option = "REPLACEATLINE" --for backward compatibility end local IsReplaceADDAFTERSECTION = (add_option == "ADDAFTERSECTION") and IsTextToAdd local IsReplaceADDAFTERLINE = (add_option == "ADDAFTERLINE") and IsTextToAdd local IsReplaceREPLACEATLINE = (add_option == "REPLACEATLINE") and IsTextToAdd local IsAddOption = (add_option ~= "") if IsAddOption then if IsTextToAdd and not (IsReplaceADDAFTERSECTION or IsReplaceADDAFTERLINE or IsReplaceREPLACEATLINE) then print(_zRED..[[>>> [WARNING] ADD_OPTION value is incorrect, should only be "", "REPLACEATLINE", "ADDafterLINE" or "ADDafterSECTION"]].._zDEFAULT) Report(replace_type,[[>>> ADD_OPTION value is incorrect, should only be "", "REPLACEATLINE", "ADDafterLINE" or "ADDafterSECTION"]],"WARNING") IsAddOption = false end end -- ***************** value_match section ******************** if value_match == nil then value_match = "" end value_match = string.gsub(value_match,[[\\]],[[\]]) local IsValueMatch = (value_match ~= "") local IsNumberValue_Match, IsIntegerValue_Match = CheckValueType(value_match,IsInteger_to_floatFORCE) -- ***************** value_match_type section ******************** if value_match_type == nil then value_match_type = "" end value_match_type = string.upper(value_match_type) local IsValueMatchType = (value_match_type ~= "") local IsValueMatchTypeNumber = (value_match_type == "NUMBER") local IsValueMatchTypeString = (value_match_type == "STRING") if IsValueMatch and IsValueMatchType and not (IsValueMatchTypeNumber or IsValueMatchTypeString) then print(_zRED..[[>>> [WARNING] VALUE_MATCH_TYPE value is incorrect, should be "", "NUMBER" or "STRING"]].._zDEFAULT) Report(value_match_type,[[>>> VALUE_MATCH_TYPE value is incorrect, should be "", "NUMBER" or "STRING"]],"WARNING") IsValueMatchType = false end -- ***************** value_match_options section ******************** if value_match_options == nil or value_match_options == "" then value_match_options = "=" end value_match_options = string.upper(value_match_options) local IsValueMatchOptions = (value_match_options ~= "") local IsValueMatchOptionsMatch = (value_match_options == "=") local IsValueMatchOptionsNoMatch = (value_match_options == "~=") local IsValueMatchOptionsLSS = (value_match_options == "<") local IsValueMatchOptionsLEQ = (value_match_options == "<=") local IsValueMatchOptionsGTR = (value_match_options == ">") local IsValueMatchOptionsGEQ = (value_match_options == ">=") if IsValueMatch and IsValueMatchOptions and not (IsValueMatchOptionsMatch or IsValueMatchOptionsNoMatch or IsValueMatchOptionsLSS or IsValueMatchOptionsLEQ or IsValueMatchOptionsGTR or IsValueMatchOptionsGEQ) then print(_zRED..[[>>> [WARNING] VALUE_MATCH_OPTIONS value is incorrect, should be "", "=", "~=", "<", "<=", ">" or ">="]].._zDEFAULT) Report(IsValueMatchOptions,[[>>> VALUE_MATCH_OPTIONS value is incorrect, should be "", "=", "~=", "<", "<=", ">" or ">="]],"WARNING") IsValueMatchOptions = false end if not IsNumberValue_Match and ( IsValueMatchOptionsLSS or IsValueMatchOptionsLEQ or IsValueMatchOptionsGTR or IsValueMatchOptionsGEQ) then print(_zRED..[[>>> [WARNING] Incorrect value of VALUE_MATCH_OPTIONS used with VALUE_MATCH, should be "", "=" or "~="]].._zDEFAULT) Report(IsValueMatchOptions,[[>>> Incorrect value of VALUE_MATCH_OPTIONS used with VALUE_MATCH, should be "", "=" or "~="]],"WARNING") IsValueMatchOptions = false end --*************************************************************************************************** local function CheckValueMatchOptions(value_match,value) local result = false local valueIsNumber, valueIsInteger = CheckValueType(value,false) local value_matchIsNumber, value_matchIsInteger = CheckValueType(value_match,false) local IsNumber = false local IsString = false if valueIsNumber and value_matchIsNumber then --ok to compare as NUMBER IsNumber = true if not valueIsInteger then value = string.round(value) value_match = string.round(value_match) end elseif not valueIsNumber and not value_matchIsNumber then --ok to compare as STRING IsString = true end if IsString then if IsValueMatchOptionsMatch then result = (value == value_match) elseif IsValueMatchOptionsNoMatch then result = (value ~= value_match) end elseif IsNumber then if IsValueMatchOptionsMatch then result = (tonumber(value) == tonumber(value_match)) elseif IsValueMatchOptionsNoMatch then result = (tonumber(value) ~= tonumber(value_match)) elseif IsValueMatchOptionsLSS then result = (tonumber(value) < tonumber(value_match)) elseif IsValueMatchOptionsLEQ then result = (tonumber(value) <= tonumber(value_match)) elseif IsValueMatchOptionsGTR then result = (tonumber(value) > tonumber(value_match)) elseif IsValueMatchOptionsGEQ then result = (tonumber(value) >= tonumber(value_match)) end end return result end -- ***************** IsLineOffset section ******************** local IsLineOffset = (line_offset ~= nil and line_offset ~= "") local line_offsetNumber = (tonumber(line_offset) or math.huge) if IsLineOffset and line_offsetNumber == math.huge then print(_zRED..[[>>> [WARNING] LINE_OFFSET value type is incorrect, should be "" or "+/- a number"]].._zDEFAULT) Report(line_offset,[[>>> LINE_OFFSET value type is incorrect, should be "" or "+/- a number"]],"WARNING") end local offset = 0 local offset_sign = "+" if IsLineOffset then if line_offsetNumber < 0 then offset_sign = "-" end offset = math.abs(math.tointeger(line_offsetNumber)) end if offset == 0 then IsLineOffset = false end pv("LINE_OFFSET = "..offset) -- ***************** foreach_SKWP section ******************** --make sure it is well formed --WBERTRO -- ******************************************************* -- FROM HERE ON [foreach_SKWP] is know as [foreach_skwp] (a table) -- ******************************************************* -- ***************** special_key_words section ******************** local IsWholeFileSearch = false local IsPrecedingKeyWords = false local IsOneWordOnly = false local FirstNotEmptyWord = 0 local spec_key_words = {} local IsSpecialKeyWords = false local DoEmptyTest = true local special_key_wordsBadTable = false if special_key_words == nil then pv("special_key_words is nil") spec_key_words[1] = "" spec_key_words[2] = "" DoEmptyTest = false else if type(special_key_words) ~= "table" then pv("special_key_words is not a table") if special_key_words == "" then --nothing to do DoEmptyTest = false else --Not a table AND only one value: problem pv("special_key_words == Only one value, problem!") spec_key_words[1] = special_key_words end else if type(special_key_words[1]) == "table" then --problem special_key_wordsBadTable = true else --already a simple table, use it pv("special_key_words is a table") spec_key_words = special_key_words end end end -- --to remove empty words -- local tempTable = {} -- for i=1,#spec_key_words do -- if spec_key_words[i] ~= "" then -- tempTable[i] = string.gsub(spec_key_words[i],[[\\]],[[\]]) -- end -- end -- spec_key_words = tempTable if special_key_wordsBadTable then print() print(_zRED..[[>>> [WARNING] SPECIAL_KEY_WORDS first entry is a table, in your script"]].._zDEFAULT) print(_zRED..[[>>> Check SerializedScript.lua (if it was generated) to see how your script shows to AMUMSS]].._zDEFAULT) Report("",[[>>> SPECIAL_KEY_WORDS first entry is a table, in your script]],"WARNING") Report("",[[>>> Check SerializedScript.lua (if it was generated) to see how your script shows to AMUMSS]],"WARNING") end if DoEmptyTest and #spec_key_words > 0 then if (#spec_key_words >= 2 and #spec_key_words%2 == 0) then IsSpecialKeyWords = true end if #spec_key_words == 1 then --only one spec_key_words: problem print() print(_zRED..">>> [WARNING] SPECIAL_KEY_WORDS will be IGNORED: ONLY ONE (name or value). Please correct your script!".._zDEFAULT) Report("","SPECIAL_KEY_WORDS will be IGNORED: ONLY ONE (name or value). Please correct your script!","WARNING") end if #spec_key_words%2 ~= 0 then --odd number of spec_key_words: problem print() print(_zRED..">>> [WARNING] SPECIAL_KEY_WORDS will be IGNORED: ODD number of (name or value). Please correct your script!".._zDEFAULT) Report("","SPECIAL_KEY_WORDS will be IGNORED: ODD number of (name or value). Please correct your script!","WARNING") end -- if IsSpecialKeyWords and (spec_key_words[1] == "" or spec_key_words[2] == "") then -- --one or both keywords are empty -- print() -- print(_zRED..">>> [WARNING] SPECIAL_KEY_WORDS will be IGNORED: empty string found. Please correct your script!".._zDEFAULT) -- Report("","SPECIAL_KEY_WORDS will be IGNORED: empty string found. Please correct your script!","WARNING") -- end if DoEmptyTest then local EmptyWord = false for i=1,#spec_key_words do if spec_key_words[i] == "" then EmptyWord = true break end end if IsSpecialKeyWords and EmptyWord then --at least one keyword is empty print() print(_zRED..">>> [WARNING] SPECIAL_KEY_WORDS may be IGNORED: at least one empty string found. Please correct your script!".._zDEFAULT) Report("","SPECIAL_KEY_WORDS may be IGNORED: at least one empty string found. Please correct your script!","WARNING") spec_key_words = {"",""} IsSpecialKeyWords = false end end end local EmptySpecialKeyWords = "" if DoEmptyTest then EmptySpecialKeyWords = " empty words" end pv("# spec_key_words = "..#spec_key_words..EmptySpecialKeyWords) pv(GetSpecKeyWordsInfo(spec_key_words)) -- ******************************************************* -- FROM HERE ON [special_key_words] is know as [spec_key_words] (a table) -- ******************************************************* -- ***************** preceding_key_words section ******************** if preceding_key_words == nil then preceding_key_words = "" end local prec_key_words = {} if type(preceding_key_words) ~= "table" then --not a table, just one word --Make it a table, we want a table! prec_key_words[1] = preceding_key_words IsOneWordOnly = true if prec_key_words[1] == "" then IsOneWordOnly = false IsPrecedingKeyWords = false else IsPrecedingKeyWords = true FirstNotEmptyWord = 1 end else --already a table, use it prec_key_words = preceding_key_words --to remove empty words local tempTable = {} for i=1,#prec_key_words do if prec_key_words[i] ~= "" then tempTable[i] = string.gsub(prec_key_words[i],[[\\]],[[\]]) end end prec_key_words = tempTable --one or many words --maybe empty or not if #prec_key_words > 1 then IsOneWordOnly = false FirstNotEmptyWord = 1 IsPrecedingKeyWords = true elseif #prec_key_words == 1 then --only one word IsOneWordOnly = true IsPrecedingKeyWords = true FirstNotEmptyWord = 1 else IsPrecedingKeyWords = false prec_key_words[1] = "" end end pv("# prec_key_words = "..#prec_key_words) pv(GetPrecKeyWordsInfo(prec_key_words)) -- ******************************************************* -- FROM HERE ON [preceding_key_words] is know as [prec_key_words] (a table) -- ******************************************************* -- ***************** section_up section ******************** if section_up == nil then section_up = 0 else if type(section_up) ~= "number" then print(_zRED..">>> [WARNING] SECTION_UP is not a proper number, please correct your script!".._zDEFAULT) Report("",">>> SECTION_UP is not a proper number, please correct your script!","WARNING") section_up = 0 end end section_up = math.tointeger(math.abs(tonumber(section_up))) pv("section_up = "..section_up) -- ***************** END: section_up section ******************** -- ***************** section_up_special section ******************** if section_up_special == nil then section_up_special = 0 else if type(section_up_special) ~= "number" then print(_zRED..">>> [WARNING] SECTION_UP_SPECIAL is not a proper number, please correct your script!".._zDEFAULT) Report("",">>> SECTION_UP_SPECIAL is not a proper number, please correct your script!","WARNING") section_up = 0 end end section_up_special = math.tointeger(math.abs(tonumber(section_up_special))) pv("section_up_special = "..section_up_special) -- ***************** END: section_up_special section ******************** -- ***************** section_up_preceding section ******************** --this effectively deactivates SECTION_UP_PRECEDING section_up_preceding = 0 if section_up_preceding == nil then section_up_preceding = 0 else if type(section_up_preceding) ~= "number" then print(_zRED..">>> [WARNING] SECTION_UP_PRECEDING is not a proper number, please correct your script!".._zDEFAULT) Report("",">>> SECTION_UP_PRECEDING is not a proper number, please correct your script!","WARNING") section_up = 0 end end section_up_preceding = math.tointeger(math.abs(tonumber(section_up_preceding))) pv("section_up_preceding = "..section_up_preceding) -- ***************** END: section_up_preceding section ******************** -- ***************** where_key_words section ******************** local WhereKeyWords = {{"",""}} local IsWhereKeyWords = false if where_key_words == nil or where_key_words == "" then WhereKeyWords[1][1] = "IGNORE" WhereKeyWords[1][2] = "IGNORE" else if type(where_key_words) ~= "table" then --not a table, make it a table print(_zRED..">>> [WARNING] WHERE_IN_SECTION is not a proper table of tables, please correct your script!".._zDEFAULT) Report("",">>> WHERE_IN_SECTION is not a proper table of tables, please correct your script!","WARNING") WhereKeyWords[1][1] = "IGNORE" WhereKeyWords[1][2] = "IGNORE" else --already a table, use it local NotTableOfTables = false local NotTwoItems = false for i=1,#where_key_words do if type(where_key_words[i]) ~= "table" then NotTableOfTables = true break elseif #where_key_words[i] ~= 2 then NotTwoItems = true break end end if NotTableOfTables then print(_zRED..">>> [WARNING] WHERE_IN_SECTION is not a proper table of tables, please correct your script!".._zDEFAULT) Report("",">>> WHERE_IN_SECTION is not a proper table of tables, please correct your script!","WARNING") end if NotTwoItems then print(_zRED..">>> [WARNING] WHERE_IN_SECTION tables should have two items each, please correct your script!".._zDEFAULT) Report("",">>> WHERE_IN_SECTION tables should have two items each, please correct your script!","WARNING") end if not NotTableOfTables and not NotTwoItems then --we can use it WhereKeyWords = where_key_words else WhereKeyWords[1][1] = "IGNORE" WhereKeyWords[1][2] = "IGNORE" end end end for i=1,#WhereKeyWords do if WhereKeyWords[i][1] == nil then --we have a problem, should not be nil print(_zRED..[[>>> [ERROR] A WHERE_IN_SECTION "Property name/value" is nil, please correct your script!]].._zDEFAULT) Report("",[[>>> A WHERE_IN_SECTION "Property name/value" is nil, please correct your script!]],"ERROR") WhereKeyWords[i][1] = "IGNORE" --to prevent a crash end if WhereKeyWords[i][2] == nil then --we have a problem, should not be nil print(_zRED..[[>>> [ERROR] A WHERE_IN_SECTION "newvalue" is nil, please correct your script!]].._zDEFAULT) Report("",[[>>> A WHERE_IN_SECTION "newvalue" is nil, please correct your script!]],"ERROR") WhereKeyWords[i][2] = "IGNORE" --to prevent a crash end WhereKeyWords[i][1] = string.gsub(WhereKeyWords[i][1],[[\\]],[[\]]) WhereKeyWords[i][2] = string.gsub(WhereKeyWords[i][2],[[\\]],[[\]]) end if (#WhereKeyWords > 0) and (WhereKeyWords[1][1] ~= "IGNORE" or WhereKeyWords[1][2] ~= "IGNORE") then IsWhereKeyWords = true end -- ******************************************************* -- FROM HERE ON [where_key_words] is know as [WhereKeyWords] (a table of tables) -- ******************************************************* -- ***************** subwhere_key_words section ******************** local SubWhereKeyWords = {{"",""}} local IsSubWhereKeyWords = false if subwhere_key_words == nil or subwhere_key_words == "" then SubWhereKeyWords[1][1] = "IGNORE" SubWhereKeyWords[1][2] = "IGNORE" else if type(subwhere_key_words) ~= "table" then --not a table, make it a table print(_zRED..">>> [WARNING] WHERE_IN_SUBSECTION is not a proper table of tables, please correct your script!".._zDEFAULT) Report("",">>> WHERE_IN_SUBSECTION is not a proper table of tables, please correct your script!","WARNING") SubWhereKeyWords[1][1] = "IGNORE" SubWhereKeyWords[1][2] = "IGNORE" else --already a table, use it local NotTableOfTables = false local NotTwoItems = false for i=1,#subwhere_key_words do if type(subwhere_key_words[i]) ~= "table" then NotTableOfTables = true break elseif #subwhere_key_words[i] ~= 2 then NotTwoItems = true break end end if NotTableOfTables then print(_zRED..">>> [WARNING] WHERE_IN_SUBSECTION is not a proper table of tables, please correct your script!".._zDEFAULT) Report("",">>> WHERE_IN_SUBSECTION is not a proper table of tables, please correct your script!","WARNING") end if NotTwoItems then print(_zRED..">>> [WARNING] WHERE_IN_SUBSECTION tables should have two items each, please correct your script!".._zDEFAULT) Report("",">>> WHERE_IN_SUBSECTION tables should have two items each, please correct your script!","WARNING") end if not NotTableOfTables and not NotTwoItems then --we can use it SubWhereKeyWords = subwhere_key_words end end end for i=1,#SubWhereKeyWords do if SubWhereKeyWords[i][1] == nil then --we have a problem, should not be nil print(_zRED..[[>>> [ERROR] A WHERE_IN_SUBSECTION "Property name/value" is nil, please correct your script!]].._zDEFAULT) Report("",[[>>> A WHERE_IN_SUBSECTION "Property name/value" is nil, please correct your script!]],"ERROR") SubWhereKeyWords[i][1] = "IGNORE" --to prevent a crash end if SubWhereKeyWords[i][2] == nil then --we have a problem, should not be nil print(_zRED..[[>>> [ERROR] A WHERE_IN_SUBSECTION "newvalue" is nil, please correct your script!]].._zDEFAULT) Report("",[[>>> A WHERE_IN_SUBSECTION "newvalue" is nil, please correct your script!]],"ERROR") SubWhereKeyWords[i][2] = "IGNORE" --to prevent a crash end SubWhereKeyWords[i][1] = string.gsub(SubWhereKeyWords[i][1],[[\\]],[[\]]) SubWhereKeyWords[i][2] = string.gsub(SubWhereKeyWords[i][2],[[\\]],[[\]]) end if (#SubWhereKeyWords > 0) and (SubWhereKeyWords[1][1] ~= "IGNORE" or SubWhereKeyWords[1][2] ~= "IGNORE") then IsSubWhereKeyWords = true end -- ******************************************************* -- FROM HERE ON [subwhere_key_words] is know as [SubWhereKeyWords] (a table of tables) -- ******************************************************* -- ***************** section_active section ******************** local SectionActive = {} local IsSectionActive = false local badEntry = false if section_active == nil then --nothing to do elseif type(section_active) ~= "number" or type(section_active) == "string" or type(section_active) == "boolean" then badEntry = true else if type(section_active) == "number" then if section_active > 0 then table.insert(SectionActive,section_active) IsSectionActive = true end elseif type(section_active) == "table" then for i=1,#section_active do if type(section_active[i]) == "number" then if section_active[i] > 0 then SectionActive[i] = section_active[i] IsSectionActive = true end elseif type(section_active[i]) == "string" then local sa = math.tointeger(math.abs(tonumber(section_active[i]))) if sa ~= nil then if sa > 0 then SectionActive[i] = sa IsSectionActive = true end else badEntry = true break end else badEntry = true break end end end end if badEntry then print(_zRED..">>> [WARNING] SECTION_ACTIVE is not a proper number or table of numbers, please correct your script!".._zDEFAULT) Report("",">>> SECTION_ACTIVE is not a proper number or table of numbers, please correct your script!","WARNING") SectionActive = {} IsSectionActive = false end local so = "" for i=1,#SectionActive do so = so..SectionActive[i].."," end pv("SECTION_ACTIVE = ["..string.sub(so,1,-2).."] "..tostring(IsSectionActive)) -- ******************************************************* -- FROM HERE ON [section_active] is know as [SectionActive] (a table of numbers) -- ******************************************************* --*************************************************************************************************** local function ShowKeyWordInfo() print() if IsPrecedingFirstTRUE then if IsPrecedingKeyWords then local Info = GetPrecKeyWordsInfo(prec_key_words) Report("","-- Based on PRECEDING_KEY_WORDS: >>> "..Info.." <<< ") print("\nBased on PRECEDING_KEY_WORDS: >>> "..Info.." <<< ") if IsSpecialKeyWords then local Info = GetSpecKeyWordsInfo(spec_key_words) Report(""," and SPECIAL_KEY_WORDS pairs: >>> "..Info.." <<< ") print(" and SPECIAL_KEY_WORDS pairs: >>> "..Info.." <<< ") end else if IsSpecialKeyWords then local Info = GetSpecKeyWordsInfo(spec_key_words) Report("","-- Based on SPECIAL_KEY_WORDS pairs: >>> "..Info.." <<< ") print("\nBased on SPECIAL_KEY_WORDS pairs: >>> "..Info.." <<< ") end end else if IsSpecialKeyWords then local Info = GetSpecKeyWordsInfo(spec_key_words) Report("","-- Based on SPECIAL_KEY_WORDS pairs: >>> "..Info.." <<< ") print("\nBased on SPECIAL_KEY_WORDS pairs: >>> "..Info.." <<< ") if IsPrecedingKeyWords then local Info = GetPrecKeyWordsInfo(prec_key_words) Report(""," and PRECEDING_KEY_WORDS: >>> "..Info.." <<< ") print(" and PRECEDING_KEY_WORDS: >>> "..Info.." <<< ") end else if IsPrecedingKeyWords then local Info = GetPrecKeyWordsInfo(prec_key_words) Report("","-- Based on PRECEDING_KEY_WORDS: >>> "..Info.." <<< ") print("\nBased on PRECEDING_KEY_WORDS: >>> "..Info.." <<< ") end end end end --*************************************************************************************************** -- ***************** ISxxx section ******************** local IsReplaceAllInGroup = IsReplace and ((IsPrecedingKeyWords and (not IsOneWordOnly)) or IsSpecialKeyWords) IsWholeFileSearch = (not IsPrecedingKeyWords and not IsSpecialKeyWords) or IsReplace and (not IsReplaceAllInGroup) if _mISxxx ~= nil then print("") print(" + [Key_words Info]".." IsReplaceRAW: ["..tostring(IsReplaceRAW).."]") print(" + IsPrecedingKeyWords: ["..tostring(IsPrecedingKeyWords).."] IsSpecialKeyWords: "..tostring(IsSpecialKeyWords).."]") print(" + IsOneWordOnly: ["..tostring(IsOneWordOnly).."] IsWholeFileSearch: ["..tostring(IsWholeFileSearch).."]") print(" + FirstNotEmptyWord: ["..FirstNotEmptyWord.."] IsReplaceALLFOLLOWING: ["..tostring(IsReplaceALLFOLLOWING).."]") print(" + IsTextToAdd: ["..tostring(IsTextToAdd) .."], IsReplaceADDAFTERSECTION: ["..tostring(IsReplaceADDAFTERSECTION) .."], IsReplaceADDAFTERLINE: ["..tostring(IsReplaceADDAFTERLINE) .."], IsReplaceREPLACEATLINE: ["..tostring(IsReplaceREPLACEATLINE).."]") print(" + IsToRemove: ["..tostring(IsToRemove) .."], IsToRemoveLINE: ["..tostring(IsToRemoveLINE) .."], IsToRemoveSECTION: ["..tostring(IsToRemoveSECTION).."]") print(" + IsReplaceAllInGroup: ["..tostring(IsReplaceAllInGroup).."] IsReplaceALL: ["..tostring(IsReplaceALL).."]") print(" + IsValueMatchOptions: ["..tostring(IsValueMatchOptions).."] value_match_options: ["..value_match_options.."]") print(" + IsWhereKeyWords: ["..tostring(IsWhereKeyWords).."]") print("") end -- ***************** SCRIPTBUILDERscript section ******************** local ScriptType = "User" if gSCRIPTBUILDERscript then --treat this script as a SCRIPTBUILDER script ScriptType = "SCRIPTBUILDER" end -- ***************** main section ******************** -- local TextFileTable = TextFileTable -- a local copy of TextFileTable = ParseTextFileIntoTable(file) --the EXML file in a table --for speed local size = GetFileSize(file) pv("size of "..file.." is "..size) local WholeTextFile = LoadFileData(file) --the EXML file as one text, for speed searching for uniqueness --returns ALL the Tree without SpecialKeyWords --do it only once -- local FILE_LINE,TREE_LEVEL,KEY_WORDS = MapFileTree(TextFileTable) local GroupStartLine = {} local GroupEndLine = {} local SpecialKeyWordLine = {} local SectionsTable = {} local Group_Found = false local LastResort = false local k = 1 --to iterate thru GroupStartLine/GroupEndLine values -- if gVerbose then Report(prec_key_words,"from user lua script","INFO") end --Note: all property/value combo in val_change_table use the Same_KEY_WORDS if IsPrecedingKeyWords or IsSpecialKeyWords then --##################################################################################################################### --******************** FINDGROUP (processing spec_key_words and prec_key_words) ************************************** --find group(s) where key_words lead local FileName = string.sub(file,#gMASTER_FOLDER_PATH + #gLocalFolder + 1) Group_Found,GroupStartLine,GroupEndLine,SpecialKeyWordLine,LastResort,SectionsTable,IsOnlyOnePreceding = FindGroup(FileName,FileTable,WholeTextFile,prec_key_words,IsPrecedingFirstTRUE ,IsSpecialKeyWords,spec_key_words,section_up_special,section_up_preceding) pv("FindGroup returned as first group: "..GroupStartLine[1].."-"..GroupEndLine[1]..", found "..#GroupStartLine.." group(s) with SpecialKeyWordLine as "..tostring(SpecialKeyWordLine[1])) if IsOnlyOnePreceding then pv("Only 'one' PRECEDING_KEY_WORDS detected") IsStayInSection = true end if not Group_Found then ShowKeyWordInfo() print() print(_zRED..">>> [WARNING] Some KEY_WORDS not found, script result may be wrong!, see REPORT.lua".._zDEFAULT) Report(Info,"Some KEY_WORDS not found, script result may be wrong!","WARNING") end --******************** END: FINDGROUP (processing spec_key_words and prec_key_words) ************************************** --##################################################################################################################### else --no key_words to search =>> use the whole file GroupStartLine = {3} GroupEndLine = {#FileTable} SpecialKeyWordLine = {""} SectionsTable = {"Using "..GroupStartLine[1].." - "..GroupEndLine[1]} Group_Found = true end -- AFTER any/all spec_key_words and prec_key_words were processed local RememberNumberOfGroups = 0 local FoundNum = #GroupStartLine --recreate Group List and remove duplicates GroupStartLine,GroupEndLine,SpecialKeyWordLine = RemoveDuplicateGroups(GroupStartLine,GroupEndLine,SpecialKeyWordLine) RecordSections(GroupStartLine,GroupEndLine,SpecialKeyWordLine,"Using ",SectionsTable) if #GroupStartLine > 1 and not IsReplace then Report("","KEY_WORDS below located more than one section!","NOTICE") print(_zRED.."\n>>> [NOTICE] KEY_WORDS located more than one section!".._zDEFAULT) end --**************************************** handles WHERE_IN_SECTION *********************************** local function ProcessWHERE_IN_SECTION(GroupStartLine,GroupEndLine,SpecialKeyWordLine) local UsingSections,OtherSections = GetUSINGsections(SectionsTable) RememberNumberOfGroups = #UsingSections if Group_Found and IsWhereKeyWords then pv("") pv("\n In Group_Found and IsWhereKeyWords\n") -- print("#GroupStartLine = "..#GroupStartLine) local GroupState = {} for i=#OtherSections,#GroupStartLine do --for each group pv(" In Group "..i) local FoundInSection = true local WhereKeyWordsState = {} for k=1,#WhereKeyWords,2 do --for each pair of WhereKeyWords --check if WhereKeyWords are found in this group pv(" looking for ["..WhereKeyWords[k][1].."],["..WhereKeyWords[k][2].."]") WhereKeyWordsState[k] = false for j=GroupStartLine[i],GroupEndLine[i] do --for each line in this group local text = FileTable[j] if (string.find(text,[[="]]..WhereKeyWords[k][1]..[["]],1,true) or WhereKeyWords[k][1] == "IGNORE") and (string.find(text,[[value="]]..WhereKeyWords[k][2]..[["]],1,true) or WhereKeyWords[k][2] == "IGNORE") then -- print("At group #"..i..", WhereKeyWords["..k.."] is found") pv(" Found") WhereKeyWordsState[k] = true break end end if not WhereKeyWordsState[k] then --word 'k' not found in this group pv(" NOT Found") FoundInSection = false break end end GroupState[i] = FoundInSection end --clean unwanted groups for i=#GroupStartLine,1,-1 do if not GroupState[i] then table.remove(GroupStartLine,i) table.remove(GroupEndLine,i) table.remove(SpecialKeyWordLine,i) end end FoundNum = #GroupStartLine Group_Found = (FoundNum > 0) if not Group_Found then ShowKeyWordInfo() -- the SPECIAL and PRECEDING keywords local spacer = 11 local Info = GetWhereInSectionInfo(WhereKeyWords) local msg0 = string.rep(" ",spacer).." >>> using WHERE_IN_SECTION "..Info.." to restrict search..." Report("",msg0) print(msg0) msg0 = string.rep(" ",spacer).." >>> Evaluated "..RememberNumberOfGroups.." sections against WHERE_IN_SECTION keywords..." Report("",msg0) print(msg0) print() print(_zRED..">>> [WARNING] KEY_WORDS not found, skipping this change!, see REPORT.lua".._zDEFAULT) Report(Info,"KEY_WORDS not found, skipping this change!","WARNING") -- else -- local spacer = 11 -- local Info = GetWhereInSectionInfo(WhereKeyWords) -- local msg0 = string.rep(" ",spacer).." >>> using WHERE_IN_SECTION "..Info.." to restrict search..." -- -- Report("",msg0) -- print(msg0) end end return GroupStartLine,GroupEndLine,SpecialKeyWordLine end --**************************************** END: handles WHERE_IN_SECTION *********************************** --**************************************** handles WHERE_IN_SUBSECTION *********************************** local function ProcessWHERE_IN_SUBSECTION(GroupStartLine,GroupEndLine,SpecialKeyWordLine) local UsingSections,OtherSections = GetUSINGsections(SectionsTable) RememberNumberOfGroups = #UsingSections local newGSL = {} local newGEL = {} local newSKWL = {} if Group_Found and IsSubWhereKeyWords then pv("") pv("\nIn Group_Found and IsSubWhereKeyWords\n") -- print("#GroupStartLine = "..#GroupStartLine) local GroupState = {} for i=#OtherSections,#GroupStartLine do --for each group with "Using" local FoundInSection = true local SubWhereKeyWordsState = {} for k=1,#SubWhereKeyWords,2 do --for each pair of WhereKeyWords --check if SubWhereKeyWords are found in this group SubWhereKeyWordsState[k] = false for j=GroupStartLine[i],GroupEndLine[i] do --for each line in this group local text = FileTable[j] if (string.find(text,[[="]]..SubWhereKeyWords[k][1]..[["]],1,true) or SubWhereKeyWords[k][1] == "IGNORE") and (string.find(text,[[value="]]..SubWhereKeyWords[k][2]..[["]],1,true) or SubWhereKeyWords[k][2] == "IGNORE") then pv("At group #"..i.." line "..j..", SubWhereKeyWords["..k.."] is found") SubWhereKeyWordsState[k] = true table.insert(newGSL,GoUPToOwnerStart(FileTable,j)) table.insert(newGEL,GoDownToOwnerEnd(FileTable,j)) table.insert(newSKWL,j) break end end if not SubWhereKeyWordsState[k] then --word 'k' not found in this group FoundInSection = false break end end for m=1,#SubWhereKeyWordsState do -- print(SubWhereKeyWordsState[m]) FoundInSection = (FoundInSection and SubWhereKeyWordsState[m]) end pv("FoundInSection "..i.." is "..tostring(FoundInSection)) GroupState[i] = FoundInSection end for i=1,#newGSL do pv(newGSL[i].."-"..newGEL[i].."("..newSKWL[i]..")") end --recreate Group List and remove duplicates GroupStartLine,GroupEndLine,SpecialKeyWordLine = RemoveDuplicateGroups(newGSL,newGEL,newSKWL) for i=1,#GroupStartLine do pv(GroupStartLine[i].."-"..GroupEndLine[i].."("..SpecialKeyWordLine[i]..")") end FoundNum = #GroupStartLine Group_Found = (FoundNum > 0) if not Group_Found then ShowKeyWordInfo() local spacer = 11 local Info = GetWhereInSubSectionInfo(SubWhereKeyWords) local msg0 = string.rep(" ",spacer).." >>> using WHERE_IN_SUBSECTION "..Info.." to restrict search..." Report("",msg0) print(msg0) msg0 = string.rep(" ",spacer).." >>> Evaluated "..RememberNumberOfGroups.." sections against WHERE_IN_SUBSECTION keywords..." Report("",msg0) print(msg0) print() print(_zRED..">>> [WARNING] KEY_WORDS not found, skipping this change!, see REPORT.lua".._zDEFAULT) Report(Info,"KEY_WORDS not found, skipping this change!","WARNING") -- else -- local spacer = 11 -- local Info = GetWhereInSubSectionInfo(SubWhereKeyWords) -- local msg0 = string.rep(" ",spacer).." >>> using WHERE_IN_SUBSECTION "..Info.." to restrict search..." -- -- Report("",msg0) -- print(msg0) end end return GroupStartLine,GroupEndLine,SpecialKeyWordLine end --**************************************** END: handles WHERE_IN_SUBSECTION *********************************** --START: the next 4 handlers sequence should be programmable !!! --**************************************** process SECTION_UP *********************************** if section_up > 0 then pv(" Found SECTION_UP = "..section_up) GroupStartLine,GroupEndLine,SpecialKeyWordLine = Process_SectionUP(FileTable,GroupStartLine,GroupEndLine,SpecialKeyWordLine,section_up) RecordSections(GroupStartLine,GroupEndLine,SpecialKeyWordLine,"U",SectionsTable) end --**************************************** end: process SECTION_UP *********************************** --**************************************** process SECTION_ACTIVE ****************************************** if IsSectionActive then print(" Found "..#SectionActive.." SECTION_ACTIVE section(s)") ShowSections(SectionsTable) SectionsTable = ProcessSECTION_ACTIVE(SectionsTable,SectionActive) GroupStartLine,GroupEndLine,SpecialKeyWordLine = SectionsTableToLines(SectionsTable) print(" Found "..#SectionActive.." SECTION_ACTIVE section(s)") ShowSections(SectionsTable) RecordSections(GroupStartLine,GroupEndLine,SpecialKeyWordLine,"SA",SectionsTable) end --**************************************** end: process SECTION_ACTIVE ************************************* --**************************************** process WHERE_IN_SECTION *********************************** if IsWhereKeyWords then pv(" Found "..#WhereKeyWords.." WHERE_IN_SECTION word pair(s), looking...") GroupStartLine,GroupEndLine,SpecialKeyWordLine = ProcessWHERE_IN_SECTION(GroupStartLine,GroupEndLine,SpecialKeyWordLine) RecordSections(GroupStartLine,GroupEndLine,SpecialKeyWordLine,"WiSec",SectionsTable) end --**************************************** end: process WHERE_IN_SECTION *********************************** --**************************************** process WHERE_IN_SUBSECTION *********************************** if IsSubWhereKeyWords then pv(" Found "..#SubWhereKeyWords.." WHERE_IN_SUBSECTION word pair(s), looking...") GroupStartLine,GroupEndLine,SpecialKeyWordLine = ProcessWHERE_IN_SUBSECTION(GroupStartLine,GroupEndLine,SpecialKeyWordLine) RecordSections(GroupStartLine,GroupEndLine,SpecialKeyWordLine,"WiSub",SectionsTable) end --**************************************** end: process WHERE_IN_SUBSECTION *********************************** --END: the next 4 handlers sequence should be programmable !!! --recreate Group List and remove duplicates pv("ENDING FINGROUP SECTION: Found "..#SectionActive.." SECTION_ACTIVE section(s)") GroupStartLine,GroupEndLine,SpecialKeyWordLine = RemoveDuplicateGroups(GroupStartLine,GroupEndLine,SpecialKeyWordLine) RecordSections(GroupStartLine,GroupEndLine,SpecialKeyWordLine,"Using ",SectionsTable) pv(" AFTER REMOVE DUPLICATE: Found "..#SectionActive.." SECTION_ACTIVE section(s)") --DONT DO THIS -- Group_Found = (#GroupStartLine > 0) --************************************************************ end: FINDGROUP ********************************** --=================================================== -- FROM NOW ON, THE GROUPS ARE DEFINED --=================================================== pv("Found "..#GroupStartLine.." group(s)") local ReplNumber = 0 local ADDcount = 0 local REMOVEcount = 0 if Group_Found then pv("Entering Group_Found...") --used by ALLFOLLOWING local LastReplacementLine = GroupStartLine[1] - 1 local AtLeastOneReplacementDone = false --we have val_change_table that has all {property, value} to be changed with these prec_key_words local j = 0 --to iterate the val_change_table while j <= (#val_change_table - 1) do MapFileTreeSharedListPING() --point to next property/value combo j = j + 1 local property = val_change_table[j][1] local value = val_change_table[j][2] --######################################### -- BUGGY BUGGY section --Wbertro: RETHINK this IGNORE handling IsUSED = true -- REMOVED 2021-08-31 ==> we keep the IGNORE values, it will break some scripts --######################################### if string.upper(property) == "IGNORE" and string.upper(value) == "IGNORE" then pv([[In property="IGNORE" and value="IGNORE"]]) if IsSpecialKeyWords then pv(" with SPECIAL_KEY_WORDS") if #prec_key_words == 1 and IsPrecedingKeyWords then pv(" and one PRECEDING_KEY_WORDS") if IsUSED then property = prec_key_words[1] end -- REMOVED 2021-08-31 else if IsUSED then property = spec_key_words[#spec_key_words-1] end -- REMOVED 2021-08-31 end ShowKeyWordInfo() elseif #prec_key_words > 2 then --TODO: works with text_to_add, we could check pv(" with PRECEDING_KEY_WORDS > 2") if IsUSED then property = prec_key_words[#prec_key_words - 1] end -- REMOVED 2021-08-31 if IsUSED then value = prec_key_words[#prec_key_words] end -- REMOVED 2021-08-31 ShowKeyWordInfo() elseif #prec_key_words >= 1 then --bertro change 2019-05-23 pv(" with PRECEDING_KEY_WORDS >= 1") if IsUSED then property = prec_key_words[#prec_key_words] end --bertro change 2019-05-23 -- REMOVED 2021-08-31 ShowKeyWordInfo() end elseif string.upper(property) == "IGNORE" then pv([[In property="IGNORE"]]) if IsSpecialKeyWords and not IsPrecedingKeyWords then pv(" with SPECIAL_KEY_WORDS") if IsUSED then property = spec_key_words[#spec_key_words-1] end -- REMOVED 2021-08-31 ShowKeyWordInfo() elseif #prec_key_words >= 1 and prec_key_words[1] ~= "" then --TODO: probably using a math_operation, we could check if IsMath_Operation then --keep the "IGNORE" property else pv(" with PRECEDING_KEY_WORDS >= 1") if IsUSED then property = prec_key_words[#prec_key_words] end --use the last PRECEDING_KEY_WORDS -- REMOVED 2021-08-31 ShowKeyWordInfo() end end --######################################### -- END: BUGGY BUGGY section --Wbertro: RETHINK this IGNORE handling --######################################### elseif j == 1 and not LastResort then --only the first time -- elseif j == 1 then --only the first time pv("First time and not LastResort") if IsSpecialKeyWords then pv(" with SPECIAL_KEY_WORDS") -- local ThreeDots = "" -- if #spec_key_words > 2 then ThreeDots = "... " end -- local Info = ThreeDots.."["..spec_key_words[#spec_key_words-1].."], ["..spec_key_words[#spec_key_words].."]" ShowKeyWordInfo() if #spec_key_words%2 ~= 0 then --not an even number of spec_key_words: problem -- print() print(_zRED..">>> [WARNING] SPECIAL_KEY_WORDS: NOT an even number of (name/value). LAST entry will be IGNORED. Please correct your script!".._zDEFAULT) Report("","SPECIAL_KEY_WORDS: NOT an even number of (name/value). LAST entry will be IGNORED. Please correct your script!","WARNING") end -- if IsPrecedingKeyWords then -- local Info = GetPrecKeyWordsInfo(prec_key_words) -- Report(""," and PRECEDING_KEY_WORDS: >>> "..Info.." <<< ") -- print(" and PRECEDING_KEY_WORDS: >>> "..Info.." <<< ") -- end elseif IsPrecedingKeyWords then pv(" with SomeKeyWords") ShowKeyWordInfo() else --no key_words pv(" without KeyWords") Report("","-- No key_word specified, using whole file...") print("\nNo key_word specified, using whole file...") end end if j == 1 then if IsPrecedingFirstTRUE then if section_up_preceding > 0 then if section_up_preceding == 1 then Report(""," -- Going UP "..section_up_preceding.." parent section after PRECEDING_KEY_WORDS...") print(" -- Going UP "..section_up_preceding.." parent section after PRECEDING_KEY_WORDS...") else Report(""," -- Going UP "..section_up_preceding.." parent sections after PRECEDING_KEY_WORDS...") print(" -- Going UP "..section_up_preceding.." parent sections after PRECEDING_KEY_WORDS...") end end if section_up_special > 0 then if section_up_special == 1 then Report(""," -- Going UP "..section_up_special.." parent section after SPECIAL_KEY_WORDS...") print(" -- Going UP "..section_up_special.." parent section after SPECIAL_KEY_WORDS...") else Report(""," -- Going UP "..section_up_special.." parent sections after SPECIAL_KEY_WORDS...") print(" -- Going UP "..section_up_special.." parent sections after SPECIAL_KEY_WORDS...") end end else if section_up_special > 0 then if section_up_special == 1 then Report(""," -- Going UP "..section_up_special.." parent section after SPECIAL_KEY_WORDS...") print(" -- Going UP "..section_up_special.." parent section after SPECIAL_KEY_WORDS...") else Report(""," -- Going UP "..section_up_special.." parent sections after SPECIAL_KEY_WORDS...") print(" -- Going UP "..section_up_special.." parent sections after SPECIAL_KEY_WORDS...") end end if section_up_preceding > 0 then if section_up_preceding == 1 then Report(""," -- Going UP "..section_up_preceding.." parent section after PRECEDING_KEY_WORDS...") print(" -- Going UP "..section_up_preceding.." parent section after PRECEDING_KEY_WORDS...") else Report(""," -- Going UP "..section_up_preceding.." parent sections after PRECEDING_KEY_WORDS...") print(" -- Going UP "..section_up_preceding.." parent sections after PRECEDING_KEY_WORDS...") end end end if section_up > 0 then if section_up == 1 then Report(""," -- Going UP "..section_up.." parent section after all keywords...") print(" -- Going UP "..section_up.." parent section after all keywords...") else Report(""," -- Going UP "..section_up.." parent sections after all keywords...") print(" -- Going UP "..section_up.." parent sections after all keywords...") end end if IsSaveSectionTo then --save the first section to a file in the SavedSections folder using the SAVE_SECTION_TO name.txt --we overwrite any existing file with that name local section = "" for m=GroupStartLine[1],GroupEndLine[1] do local line = FileTable[m] section = section..line.."\n" end print("@@@@@ Writing save_section_to a file in the SavedSections folder") WriteToFile(section,gMASTER_FOLDER_PATH..[[SavedSections\]]..save_section_to..[[.txt]]) for m=1,#gSaveSectionName do if gSaveSectionName[m] == save_section_to then --save it internally print("@@@@@ Saving save_section_to in the internal SAVE_SECTION_TO list") gSaveSectionContent[m] = Section break end end end end pv("USING these: property=["..property.."] ".."value=["..value.."]") local newIsValueMatchType = IsValueMatchType if not IsValueMatchType then --none specified by the user --let us force it to be of the same type as the new value local ValueTypeIsNumber, ValueIsInteger = CheckValueType(value,false) if ValueTypeIsNumber then value_match_type = "NUMBER" else value_match_type = "STRING" end newIsValueMatchType = true end local spacer = 0 do --prepare info to inform user local msg0 = "" local msg1 = "" local msg2 = "" local msg3 = "" local msg4 = "" local msg5 = "" if IsMath_Operation then msg1 = "Math_operation " msg2 = "("..math_operation..")" end if IsValueMatch then if IsValueMatchOptionsMatch then msg3 = " matching ["..value_match.."]" else msg3 = " not matching ["..value_match.."]" end end if newIsValueMatchType then msg3 = msg3.." of type ["..value_match_type.."]" end if IsLineOffset then if IsSpecialKeyWords then local ThreeDots = "" if #spec_key_words > 2 then ThreeDots = "... " end msg5 = " at "..ThreeDots.."["..spec_key_words[#spec_key_words-1].."] and ["..spec_key_words[#spec_key_words].."]" else msg5 = " at ["..prec_key_words[#prec_key_words].."]" end msg4 = " with a LINE_OFFSET of ["..line_offset.."]" end if IsTextToAdd then if IsReplaceADDAFTERLINE then Report(""," Looking to >>> add some text <<< after LINE with Property name ["..property.."] and value ["..value.."]"..msg3..msg4) print("\n Looking to >>> add some text <<< after LINE with Property name ["..property.."] and value ["..value.."]"..msg3..msg4) spacer = 11 -- else -- Report(""," Looking to >>> add some text <<< after Property name ["..property.."] and value ["..value.."]"..msg3..msg4) -- print("\n Looking to >>> add some text <<< after Property name ["..property.."] and value ["..value.."]"..msg3..msg4) -- spacer = 11 -- end elseif IsReplaceADDAFTERSECTION then Report(""," Looking to >>> add some text <<< after SECTION with Property name ["..property.."] and value ["..value.."]"..msg3..msg4) print("\n Looking to >>> add some text <<< after SECTION with Property name ["..property.."] and value ["..value.."]"..msg3..msg4) spacer = 11 else Report(""," Looking to >>> replace some text <<< at LINE with Property name ["..property.."] and value ["..value.."]"..msg3..msg4) print("\n Looking to >>> replace some text <<< at LINE with Property name ["..property.."] and value ["..value.."]"..msg3..msg4) spacer = 11 end elseif IsToRemove then if IsToRemoveLINE then Report(""," Looking to >>> remove LINE <<< at Property name ["..property.."] and value ["..value.."]"..msg3..msg4) print("\n Looking to >>> remove LINE <<< at Property name ["..property.."] and value ["..value.."]"..msg3..msg4) spacer = 11 elseif IsToRemoveSECTION then Report(""," Looking to >>> remove SECTION <<< at Property name ["..property.."] and value ["..value.."]"..msg3..msg4) print("\n Looking to >>> remove SECTION <<< at Property name ["..property.."] and value ["..value.."]"..msg3..msg4) spacer = 11 else Report(""," Looking to >>> remove some text <<< at LINE with Property name ["..property.."] and value ["..value.."]"..msg3..msg4) print("\n Looking to >>> remove some text <<< at LINE with Property name ["..property.."] and value ["..value.."]"..msg3..msg4) spacer = 11 end else Report(""," Looking for >>> ["..property.."] New value will be >>> "..msg1.."[["..msg2..value.."]]"..msg3..msg4..msg5) print("\n Looking for >>> ["..property.."] New value will be >>> "..msg1.."[["..msg2..value.."]]"..msg3..msg4..msg5) spacer = 12 end if IsWhereKeyWords then local Info = GetWhereInSectionInfo(WhereKeyWords) msg0 = string.rep(" ",spacer).." >>> using WHERE_IN_SECTION "..Info.." to restrict search..." Report("",msg0) print(msg0) msg0 = string.rep(" ",spacer).." >>> Evaluated "..RememberNumberOfGroups.." sections against WHERE_IN_SECTION keywords..." Report("",msg0) print(msg0) end if IsSubWhereKeyWords then local Info = GetWhereInSubSectionInfo(SubWhereKeyWords) msg0 = string.rep(" ",spacer).." >>> using WHERE_IN_SUBSECTION "..Info.." to restrict search..." Report("",msg0) print(msg0) msg0 = string.rep(" ",spacer).." >>> Evaluated "..RememberNumberOfGroups.." sections against WHERE_IN_SUBSECTION keywords..." Report("",msg0) print(msg0) end if IsReplace then -- if IsReplaceADDAFTERSECTION then -- msg0 = string.rep(" ",spacer).." >>> Replace operation is ["..replace_type.."]" -- if IsPrecedingKeyWords then -- msg0 = msg0.." based on ".."["..prec_key_words[#prec_key_words].."]" -- end -- else msg0 = string.rep(" ",spacer).." >>> Replace operation is ["..replace_type.."]" if IsPrecedingKeyWords then local Info = GetPrecKeyWordsInfo(prec_key_words) -- local Info = "" -- for i = 1,#prec_key_words do -- Info = Info.."["..prec_key_words[i].."], " -- end -- Info = string.sub(Info,1,#Info - 2) msg0 = msg0.." based on key_words: "..Info end -- end Report("",msg0) print(msg0) end end if tonumber(value) ~= nil and tonumber(value) > 99999999 then --MBINCompiler may produce a problematic MBIN that once decompiled will have a value of "1.0E+7" print(_zRED..[[>>> [NOTICE] MBINCompiler may generate a MBIN that once decompiled will have a value like "1E+09"]].._zDEFAULT) print(_zRED..[[ xxxxx Your script contains a value over "99999999" xxxxx]].._zDEFAULT) print(_zRED..[[ A value like "100000123" will become "100000120", (it won't be exact)]].._zDEFAULT) print(_zRED..[[ Bigger values may become like "1E+09"]].._zDEFAULT) print(_zRED..[[ That could prevent NMS from using the mod]].._zDEFAULT) Report("",[[MBINCompiler may generate a MBIN that once decompiled will have a value like "1E+09"]],"NOTICE") Report("",[[ xxxxx Your script contains a value over "99999999" xxxxx]],"") Report("",[[ A value like "100000123" will become "100000120", (it won't be exact)]],"") Report("",[[ Bigger values may become like "1E+09"]],"") Report("",[[ That could prevent NMS from using the mod]],"") end if FoundNum > 0 then if FoundNum > 1 then Report(""," -- >>>>> Found "..FoundNum.." valid candidate sections.") print(" >>>>> Found "..FoundNum.." valid candidate sections.") if IsReplaceALL then Report(""," -- >>>>> ALL valid sections where requested to be processed <<<<<") print("\n -- >>>>> ALL valid sections where requested to be processed <<<<<") else Report("",[[ -- >>>>> REPLACE_TYPE is missing. Only FIRST section will be used <<<<<]],"NOTICE") print("\n".._zRED..[[>>> [NOTICE] REPLACE_TYPE is missing. Only FIRST section will be used]].._zDEFAULT) GroupStartLine = {GroupStartLine[1]} GroupEndLine = {GroupEndLine[1]} SpecialKeyWordLine = {SpecialKeyWordLine[1]} end -- Report("","You may want to check your [\"PRECEDING_KEY_WORDS\" and/or \"SPECIAL_KEY_WORDS\"] if the replacements are faulty!","WARNING") -- print(_zRED.." -- >>> [WARNING] You may want to check your [\"PRECEDING_KEY_WORDS\" and/or \"SPECIAL_KEY_WORDS\"] if the replacements are faulty!".._zDEFAULT) end end k = 0 --to iterate thru GroupStartLine/GroupEndLine values if #GroupStartLine > 1 and (IsTextToAdd or IsToRemove) then --reversing the order of the Groups --so that we add or remove from the bottom up Report(""," -- >>>>> Processing Groups in reverse order for ADD/REMOVE <<<<<") print("\n -- >>>>> Processing Groups in reverse order for ADD/REMOVE <<<<<") local Gs = {} local Ge = {} local Gl = {} for i=#GroupStartLine,1,-1 do Gs[#Gs+1] = GroupStartLine[i] Ge[#Ge+1] = GroupEndLine[i] Gl[#Gl+1] = SpecialKeyWordLine[i] end GroupStartLine = Gs GroupEndLine = Ge SpecialKeyWordLine = Gl RecordSections(GroupStartLine,GroupEndLine,SpecialKeyWordLine,"RO",SectionsTable) end ShowSections(SectionsTable) while k <= #GroupStartLine - 1 do MapFileTreeSharedListPING() --go explore next group for the current property/value combo k = k + 1 pv(">>> Entering outer while at group #"..k) pv("GroupEndLine[k] = "..GroupEndLine[k]) local i = GroupStartLine[k] - 1 if IsSpecialKeyWords and IsLineOffset then -- i = SpecialKeyWordLine[k] - 1 --this is the line to offset from -- print(" >>> LINE_OFFSET forces line "..i..[[ as base...]]) -- Report(""," >>> LINE_OFFSET forces line "..i..[[ as base...]]) elseif IsReplaceALLFOLLOWING then pv("LastReplacementLine: "..LastReplacementLine) i = LastReplacementLine print(" >>> ALLFOLLOWING forces line "..i..[[ as base...]]) Report(""," >>> ALLFOLLOWING forces line "..i..[[ as base...]]) elseif IsStayInSection then pv("LastReplacementLine: "..LastReplacementLine) i = LastReplacementLine print(" >>> Only one PRECEDIND_KEY_WORDS forces line "..i..[[ as base...]]) Report(""," >>> Only one PRECEDIND_KEY_WORDS forces line "..i..[[ as base...]]) end -- local CurrentLine = i --used with text_to_add and to_remove local InWhile = false --using while because we can change the value of i and GroupEndLine --that is useful with line_offset, text_to_add and maybe other manipulations if IsTextToAdd or IsToRemove then --respect end of section pv("IsTextToAdd or IsToRemove: respecting end of section") elseif (not IsReplaceAllInGroup) and IsReplaceAll then --we need to replace more than in that group pv("(not IsReplaceAllInGroup) and IsReplaceAll: continuing to eof") GroupEndLine[k] = #FileTable elseif IsReplaceALLFOLLOWING and not IsStayInSection then --we need to replace ALL that follow, even outside the bottom of the section pv("IsReplaceALLFOLLOWING: continuing to eof") GroupEndLine[k] = #FileTable end local EndLine = GroupEndLine[k] --to remember the section end local SearchGroupRange = tostring(i + 1).." to "..tostring(GroupEndLine[k]) pv("SearchGroupRange = "..SearchGroupRange) if not IsTextToAdd and not IsToRemove then print(" >>> Searching in lines "..SearchGroupRange..[[...]]) Report(""," >>> Searching in lines "..SearchGroupRange..[[...]]) end -- print("Just before the BIG INNER WHILE: ["..property.."] ["..value.."], about to process line "..i + 1) while i <= (GroupEndLine[k] - 1) do if not InWhile then pv(" >>> Entering inner while at "..i.."...") --pv("This line: ["..FileTable[i].."]") InWhile = true end local repl_done = false if not IsReplaceREPLACEATLINE then i = i + 1 --next line end local CurrentLine = i --used with text_to_add and to_remove pv(">>> CurrentLine: "..i.."...") pv(FileTable[i]) local line = FileTable[i] -- print(line) if line == nil then print(_zRED..">>> [WARNING] Problem with [current line] being nil".._zDEFAULT) Report("","Problem with [current line] being nil","WARNING") break end -- if IsOneWordOnly and IsWholeFileSearch then -- --only one prec_key_words is supplied -- if StripInfo(line,[[<Property name="]],[["]]) == prec_key_words[1] then -- --found a SoS -- end -- end if IsReplaceRAW then if string.find(line,property,1,true) ~= nil then -- print("Found a line at "..i..": "..property) --we found A line containing the property string --it is "anything goes here", free for all! --if we searched [[oper]], it will find [[Property]] ==> all lines print("RAW replacement of: [" .. property .. "] with: [" .. value.."]") --fix-up pattern first to prevent side-effects pattern = string.gsub (property, "[%%%]%^%-$().[*+?]", "%%%1") FileTable[i] = string.gsub(line,pattern,value) repl_done = true end else --replace_type ~= "RAW" -- pv("not IsReplaceRAW...") -- pv("B: property=["..property.."] ".."value=["..value.."]") pv(" ===> processing line"..line) --(i == 2) is a special case where the whole EXML content was removed -- or (property == "IGNORE" and (IsTextToAdd or IsToRemove)) --was this if (i == 2) or StripInfo(line,[[<Property name="]],[["]]) == property or StripInfo(line,[[<Property value="]],[["]]) == property or (IsTextToAdd or IsToRemove) or (property == "IGNORE" and IsMath_Operation) then pv("Found << THE >> line at "..i..": "..property) local exstring = StripInfo(line,[[value="]],[["]]) --why do this, value CAN be "" -- if exstring == nil or exstring == "" then -- --retrieve the name= instead of the value= -- --TODO: is it ok to do this? In what circumstances? -- pv(" >>> [INFO] Using StripInfo(line,[[name=\"]],[[\"]]) to get in...") -- exstring = StripInfo(line,[[name="]],[["]]) -- end pv("(Before value_match) Line "..i..": value=["..exstring.."] ["..line.."], Property=\""..property.."\", Value=\""..value.."\"") if not IsTextToAdd and not IsToRemove then --process line_offset stuff if IsLineOffset then print(" >>> Current line is "..i) Report(""," >>> Current line is "..i) if offset_sign == "+" then if #FileTable >= i + offset then line=FileTable[i + offset] i=i + offset --we go forward in the file else Report("","Problem with [current line + offset] being after the end of file","WARNING") end elseif offset_sign == "-" then line=FileTable[i - offset] if i-offset >= 1 then line=FileTable[i - offset] --i=i - offset --we do not backtrack in the file else Report("","Problem with [current line - offset] being before the beginning of file","WARNING") end end print(" >>> LINE_OFFSET of ["..line_offset.."] forces to look starting at line "..i) Report(""," >>> LINE_OFFSET of ["..line_offset.."] forces to look starting at line "..i) --we get the new value from offset line exstring = StripInfo(line,[[value="]],[["]]) if exstring == nil or exstring == "" then --TODO: is it ok to always do this? In what circumstances? pv(" >>> [INFO] Using StripInfo(line,[[name=\"]],[[\"]]) after applying offset...") exstring = StripInfo(line,[[name="]],[["]]) end pv("(After offset) Line "..i..": value=["..exstring.."] ["..line.."], Property=\""..property.."\", Value=\""..value.."\"") end end if not IsValueMatch or (IsValueMatchOptions and CheckValueMatchOptions(value_match,exstring)) then -- or (IsValueMatchOptionsMatch and exstring == value_match) -- or (IsValueMatchOptionsNoMatch and exstring ~= value_match) then if not newIsValueMatchType or (value_match_type == "NUMBER" and type(tonumber(exstring)) == string.lower(value_match_type)) or (value_match_type == "STRING" and type(exstring) == string.lower(value_match_type)) then if not IsTextToAdd and not IsToRemove then pv("(After value_match, value_match_type) Line "..i..": value=["..exstring.."] ["..line.."], Property=\""..property.."\", Value=\""..value.."\"") local NewValue = nil --could be a number OR a string local tmpNewValue = nil --to be able to evaluate it before IntegerIntegrity() local OrgValueTypeIsNumber, OrgValueIsInteger = CheckValueType(exstring,IsInteger_to_floatFORCE) if IsMath_Operation then local currentValue = value local scriptValue = exstring local scriptmath_operation = math_operation if string.find(math_operation,"$",1,true) then --swap order of math operation currentValue,scriptValue = scriptValue,currentValue --remove the "$" scriptmath_operation = string.gsub(scriptmath_operation,"%$","") end if string.len(scriptmath_operation) == 1 then -- {+, -, *, /} only tmpNewValue = ExecuteMathOperation( scriptmath_operation, tonumber(scriptValue), --does scriptValue - currentValue tonumber(currentValue) ) NewValue = IntegerIntegrity(tmpNewValue,OrgValueIsInteger) elseif string.find(string.sub(scriptmath_operation, 2, 3),"F:") then --"*F:endString" tmpNewValue = ExecuteMathOperation( string.sub(scriptmath_operation, 1, 1), tonumber( TranslateMathOperatorCommandAndGetValue( FileTable, string.sub(scriptmath_operation, 4), --currentValue to look for i, --from this line "forward" ) ), tonumber(currentValue) ) NewValue = IntegerIntegrity(tmpNewValue,OrgValueIsInteger) elseif string.find(string.sub(scriptmath_operation, 2, 4),"FB:") then tmpNewValue = ExecuteMathOperation( string.sub(scriptmath_operation, 1, 1) ,tonumber(TranslateMathOperatorCommandAndGetValue(FileTable, string.sub(scriptmath_operation, 5), i, "backward")) ,tonumber(currentValue)) NewValue = IntegerIntegrity(tmpNewValue,OrgValueIsInteger) elseif string.find(string.sub(scriptmath_operation, 2, 3),"L:") then tmpNewValue = ExecuteMathOperation( string.sub(scriptmath_operation, 1, 1), tonumber( StripInfo(FileTable[i+tonumber(string.sub(scriptmath_operation, 4))],[[value="]],[["]]) ), tonumber(currentValue) ) NewValue = IntegerIntegrity(tmpNewValue,OrgValueIsInteger) elseif string.find(string.sub(scriptmath_operation, 2, 4),"LB:") then tmpNewValue = ExecuteMathOperation( string.sub(scriptmath_operation, 1, 1) ,tonumber(StripInfo(FileTable[i-tonumber(string.sub(scriptmath_operation, 5))],[[value="]],[["]])) ,tonumber(currentValue)) NewValue = IntegerIntegrity(tmpNewValue,OrgValueIsInteger) else --not a valid math_operation, keep original value print(_zRED..[[>>> [WARNING] INVALID MATH_OPERATION: ]]..math_operation.._zDEFAULT) Report("",[[INVALID MATH_OPERATION: ]]..math_operation,"WARNING") tmpNewValue = currentValue NewValue = currentValue end else --no math_operation, keep original value tmpNewValue = value NewValue = value end local tmpNewValueTypeIsNumber, tmpNewValueIsInteger = CheckValueType(tmpNewValue,IsInteger_to_floatFORCE) local NewValueTypeIsNumber, NewValueIsInteger = CheckValueType(NewValue,IsInteger_to_floatFORCE) -- if i == 104 then -- print("line "..i..": OrgValue["..tostring(exstring).."] Number["..tostring(OrgValueTypeIsNumber).."] Integer["..tostring(OrgValueIsInteger).."] "..tostring(math.type(tonumber(exstring)))) -- print("line "..i..": tmpValue["..tostring(tmpNewValue).."] Number["..tostring(tmpNewValueTypeIsNumber).."] Integer["..tostring(tmpNewValueIsInteger).."] "..tostring(math.type(tonumber(tmpNewValue)))) -- print("line "..i..": NewValue["..tostring(NewValue).."] Number["..tostring(NewValueTypeIsNumber).."] Integer["..tostring(NewValueIsInteger).."] "..tostring(math.type(tonumber(NewValue)))) -- end if IsMath_Operation then --we only care about an INTEGER number becoming a FLOAT if OrgValueTypeIsNumber and OrgValueIsInteger and not tmpNewValueIsInteger and (not IsInteger_to_floatDeclared or (IsInteger_to_floatDeclared and not IsInteger_to_floatPRESERVE)) then print(_zRED..[[>>> [NOTICE] Below: ORIGINAL integer value = "]]..exstring..[[" RESULT of math operation = "]]..tmpNewValue..[[" INTEGER conversion = "]]..NewValue..[["]].._zDEFAULT) print(_zRED..[[ [ >>>] To override, use ["INTEGER_TO_FLOAT"] = "FORCE" or "PRESERVE"]].._zDEFAULT) Report("",[[Below: ORIGINAL integer value = "]]..exstring..[[" RESULT of math operation = "]]..tmpNewValue..[[" INTEGER conversion = "]]..NewValue..[["]],"NOTICE") Report("",[[To override, use ["INTEGER_TO_FLOAT"] = "FORCE" or "PRESERVE"]]," >>>") end else --when not a Math_Operation -- we only care about a change from -- (number to string) -- (string to integer) -- INTEGER number becoming a FLOAT --and we DON'T preserve INTEGERs when not in a MATH_OPERATION if (OrgValueTypeIsNumber ~= NewValueTypeIsNumber) or (OrgValueTypeIsNumber and OrgValueIsInteger and not NewValueIsInteger) then print(_zRED..[[>>> [WARNING] ORIGINAL and NEW number value have mismatched types (INTEGER->FLOAT) or (STRING vs NUMBER)]].._zDEFAULT) Report("",[[ORIGINAL and NEW number value have mismatched types (INTEGER->FLOAT) or (STRING vs NUMBER)]],"WARNING") end end pv("(After math_operation) Line "..i..": value=["..tostring(NewValue).."] ["..line.."], Property=\""..property.."\", Value=\""..value.."\"") -- if value ~= "IGNORE" then if NewValue ~= "IGNORE" then local Ending = [[" />]] if string.sub(line,-2) == [[">]] then Ending = [[">]] end -- we CANNOT use gsub here because it could replace at wrong places like: -- <Property name="_3rdPersonAngleSpeedRangePitch" value="3" /> -- when replacing such a value (3 with 8) it becomes: -- <Property name="_8rdPersonAngleSpeedRangePitch" value="8" /> if string.find(line,[[<Property name=]],1,true) ~= nil and string.find(line,[[value=]],1,true) ~= nil then --standard value replacement on a line with the property --a line with BOTH name AND value, value could be EMPTY --like: <Property name="Filename" value="MODELS/PLANETS/BIOMES/BARREN/HQ/TREES/DRACAENA.SCENE.MBIN" /> --like: <Property name="ProceduralTexture" value="TkProceduralTextureChosenOptionList.xml"> FileTable[i] = string.sub(line,1,string.find(line,[[value="]],1,true)-1)..[[value="]]..tostring(NewValue)..Ending repl_done = true elseif string.find(line,[[Property value=]],1,true) ~= nil then -- lines with value only, CANNOT BE EMPTY -- like: <Property value="TkProceduralTextureChosenOptionSampler.xml"> -- could be a SIGNIFICANT KEY_WORD FileTable[i] = string.sub(line,1,string.find(line,[[value="]],1,true)-1)..[[value="]]..tostring(NewValue)..Ending repl_done = true elseif string.find(line,[[Property name=]],1,true) ~= nil then -- lines with name only, CANNOT BE EMPTY -- like: <Property name="GenericTable"> -- like: <Property name="List" /> -- could be a SIGNIFICANT KEY_WORD FileTable[i] = string.sub(line,1,string.find(line,[[name="]],1,true)-1)..[[name="]]..tostring(NewValue)..Ending repl_done = true else print(_zRED..">>> [WARNING] XXX At "..i..": Found an Un-handled line type ["..line.."], check your script".._zDEFAULT) Report(line,"XXX At "..i..": Check your script, found an Un-handled line type:","WARNING") end pv("(After replacement) Line "..i..": FileTable[i] = ["..FileTable[i].."]") else pv("(value is IGNORE) Line "..i..": FileTable[i] = ["..FileTable[i].."]") end else --text_to_add and/or to_remove has a value if IsTextToAdd then pv("Preparing to ADD some text...") if IsReplaceREPLACEATLINE then pv(" -- Replacing/Adding text at line: "..i) --we take care of removing the line in IsToRemove below print([[>>> [INFO] Turning ON automatic current line removal]]) Report(add_option,[[>>> Turning ON automatic current line removal]],"INFO") IsToRemove = true IsToRemoveLINE = true -- i = i --no need to change i else if IsReplaceADDAFTERSECTION then local bottom = GroupEndLine[k] i = bottom else if IsReplaceADDAFTERLINE then --this is the default i = SpecialKeyWordLine[k] end end pv(" -- Adding text after line/section: " .. i) end if IsLineOffset then pv(" -- line before offset: " .. i) if offset_sign == "+" then i = i + offset if i > #FileTable then i = #FileTable - 1 end elseif offset_sign == "-" then i = i - offset if i < 3 then i = 3 --it must be after the header at least end end pv(" -- line after offset: " .. i) end local _,linecount = string.gsub(text_to_add,"\n","") if linecount == 0 then linecount = 1 end pv("text_to_add: linecount = "..linecount) -- CurrentLine = i --so we remember local textmod = table.concat(FileTable,"\n",1,i) textmod = textmod.."\n"..text_to_add.."\n" -- if IsReplaceREPLACEATLINE then -- textmod = textmod..table.concat(FileTable,"\n",i+2,#FileTable) -- else textmod = textmod..table.concat(FileTable,"\n",i+1,#FileTable) -- end WriteToFile(string.gsub(textmod,"\n\n","\n"), file) FileTable = ParseTextFileIntoTable(file) --reload the EXML file WholeTextFile = LoadFileData(file) --the EXML file as one text, for speed searching for uniqueness if linecount > 1 then print(_zGREEN.." -- Lines "..(i + 1).." - "..(i + linecount).._zDEFAULT.." ADDED using text in [\"ADD\"]") Report(""," -- Lines "..(i + 1).." - "..(i + linecount).." ADDED using text in [\"ADD\"]") else print(_zGREEN.." -- Line "..(i + 1).." - "..(i + linecount).._zDEFAULT.." ADDED using text in [\"ADD\"]") Report(""," -- Line "..(i + 1).." - "..(i + linecount).." ADDED using text in [\"ADD\"]") end --in case we have to replace ALL GroupEndLine[k] = #FileTable --make sure we get to the new last line of the file ADDcount = ADDcount + 1 repl_done = true i = i + linecount -- - 1 --point to the last line inserted end --if IsTextToAdd then if IsToRemove then local tmpAtLine = i CurrentLine = i --so we remember pv(" -- IsToRemove starting line: " .. i) if IsToRemoveSECTION then --IsLineOffset is irrelevant pv(" -- Removing SECTION at line: " .. i) -- print(FileTable[CurrentLine]) local top = GroupStartLine[k] --the top of this section local bottom = GroupEndLine[k] --the end of this ssection -- print(top.."-"..bottom) --delete section from exml for m=bottom,top,-1 do if #FileTable >= m then table.remove(FileTable,m) else print(_zRED..">>> [WARNING] Remove operation aborted, line "..m.." is out of range!".._zDEFAULT) Report("","Remove operation aborted, line "..m.." is out of range!","WARNING") break end end -- local linecount = bottom - top print(_zGREEN.." -- Lines "..top.." - "..bottom.._zDEFAULT.." REMOVED") Report(""," -- Lines "..top.." - "..bottom.." REMOVED") elseif IsToRemoveLINE then i = SpecialKeyWordLine[k] pv(" -- Removing LINE at line: " .. i) if IsLineOffset then --we offset from the line found by the keywords pv(" -- line before offset: " .. i) if offset_sign == "+" then i = i + offset if i > #FileTable then i = #FileTable - 1 end elseif offset_sign == "-" then i = i - offset if i < 3 then i = 3 --it must be after the header at least end end pv(" -- line after offset: " .. i) end pv(" -- Removing LINE at line: " .. i) if IsReplaceREPLACEATLINE then --we need to adjust older i i = tmpAtLine print(_zGREEN.." -- Original Line "..i.._zDEFAULT.." REMOVED") Report(""," -- Original Line "..i.." REMOVED") else print(_zGREEN.." -- Line "..i.._zDEFAULT.." REMOVED") Report(""," -- Line "..i.." REMOVED") end --delete line i from exml if #FileTable >= i then table.remove(FileTable,i) else print(_zRED..">>> [WARNING] Remove operation aborted, line "..i.." is out of range!".._zDEFAULT) Report("","Remove operation aborted, line "..i.." is out of range!","WARNING") break end end i = CurrentLine --point to the next line to process --Wbertro: is this always ok? >>> NO......... --or should we do it bottom up! GroupEndLine[k] = #FileTable --make sure we get to the new last line of the file REMOVEcount = REMOVEcount + 1 repl_done = true end --if IsToRemove then end --if not IsTextToAdd and not IsToRemove then else --no match_type --REMARKED to reduce clutter in output -- Report("","Line "..i..", ["..property.."] with a value of ["..exstring.."] does not match a ["..value_match_type.. -- "] like ["..value.."], XXXXX this value not replaced XXXXX","WARNING") -- print(" -- Line "..i..", ["..exstring.."] type does not match a ["..value_match_type -- .."], XXXXX this value not replaced >>> [WARNING]") end --value_match_type == type(value) or empty end --value_match == value or empty end --we found THE line in the EXML file end --if IsReplaceRAW then if repl_done then AtLeastOneReplacementDone = true if not (IsTextToAdd or IsToRemove) then if value == "IGNORE" then local spacer = " " local part1 = "-- On line "..i..", SKIPPED this value" Report("",spacer..part1) print(spacer..part1) else local spacer = " " local spacer1 = " " local spacer2 = spacer1 local part1 ="-- On line "..i..", exchanged:" .. spacer1 .. "[" .. trim(line) .. "]" local part2 = _zGREEN.."-- On line "..i.._zDEFAULT..", exchanged:" .. spacer1 .. "[" .. trim(line) .. "]" if string.len(part1) < 86 then spacer1 = string.rep(" ",86 - string.len(part1) + string.len(spacer1)) end Report("",spacer..part1 .. spacer1 .. "with: " .. spacer2 .. "[" .. trim(FileTable[i]) .. "]") print(spacer..part2 .. spacer1 .. "with: " .. spacer2 .. "[" .. trim(FileTable[i]) .. "]") if i > EndLine then print() print(_zRED..">>> [NOTICE] -???- The replacement is outside of the search group: "..SearchGroupRange..". Could be Ok, you decide... -???-".._zDEFAULT) Report("","Replacement on line "..i.." is outside of the search group: "..SearchGroupRange..". Could be Ok, you decide...","NOTICE") end ReplNumber = ReplNumber + 1 end --here we decide if we continue down the file or break for a new val_change_table combo -- if (not IsPrecedingKeyWords and IsReplaceALL) or IsReplaceAllInGroup or IsReplaceRAW then if IsReplaceALL or IsReplaceAllInGroup or IsReplaceRAW then --because we want to continue replacing values down the file until GroupEndLine[k] --Note: if ADD was used, we already point to the last line inserted pv("Looping to continue replacing values down the file until GroupEndLine[k] = "..GroupEndLine[k]) elseif IsReplaceALLFOLLOWING then LastReplacementLine = i pv("Looping to continue replacing values down the file from "..LastReplacementLine.." until GroupEndLine[k] = "..GroupEndLine[k]) -- pv("break on IsReplaceALLFOLLOWING") -- break elseif IsStayInSection then LastReplacementLine = i pv("Break to continue replacing values down the file from "..LastReplacementLine.." until GroupEndLine[k] = "..GroupEndLine[k]) break elseif not IsReplaceALL then --our replacement is done, we exit this group pv("break on not IsReplaceALL") break else --not an approved word for replace_type maybe --or no more property/value combo to process --ANYWAY, we are done for this bunch pv("break on not an approved word") break end else --IsTextToAdd or IsToRemove --get to next section break end else --not repl_done if IsSpecialKeyWords and IsOneWordOnly then --lets go down until we find VALUE_CHANGE_TABLE, even outside the bottom of the section pv("on line "..i..": No repl_done, but IsSpecialKeyWords and IsOneWordOnly, so continuing down...") if i == GroupEndLine[k] and not AtLeastOneReplacementDone then --we are at the end of the group and did not find a replacement --we can try to go down to the end of file --Wbertro: this could instead go up one level in the EXML pv("reached end of group and No repl_done, so setting GroupEndLine[k] to #FileTable...") GroupEndLine[k] = #FileTable end end end --if repl_done then end --while i <= (GroupEndLine[k] - 1) do pv("GroupEndLine[k] = "..GroupEndLine[k]) pv(">>> Exiting inner while...") end --while k <= #GroupStartLine - 1 do end --while j <= (#val_change_table - 1) do if not AtLeastOneReplacementDone then --replacement NOT done print("") print(_zRED..">>> [WARNING] No action done!".._zDEFAULT) Report("","No action done!","WARNING") else -- if ReplNumber > 0 or ADDcount > 0 or REMOVEcount > 0 then pv("Saving changes to "..file) WriteToFile(ConvertLineTableToText(FileTable), file) end else Report(property,"Could not find PRECEDING_KEY_WORDS or SPECIAL_KEY_WORDS!","WARNING") end return FileTable, ReplNumber, ADDcount, REMOVEcount end -->>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>> --*************************************************************************** function GetUSINGsections(SectionsTable) --all "Using" sections local UsingSections = {} --all other sections local OtherSections = {} for j=1,#SectionsTable do if string.find(SectionsTable[j],"Using",1,true) ~= nil then --lines with "Using" table.insert(UsingSections,SectionsTable[j]) else --lines without "Using" table.insert(OtherSections,SectionsTable[j]) end end return UsingSections,OtherSections end --*************************************************************************** -- *************************************** handles SECTION_ACTIVE *********************************** function ProcessSECTION_ACTIVE(SectionsTable,section_active) --================================================================ local function SortList(one,two) return (one < two) end --================================================================ if #section_active == 0 then return SectionsTable end --sort ascending table.sort(section_active,SortList) local UsingSections,OtherSections = GetUSINGsections(SectionsTable) for i=1,#section_active do if section_active[i] <= #UsingSections then -- print("Z ["..UsingSections[section_active[i]].."]") --add back lines with "Using" that are Active table.insert(OtherSections,UsingSections[section_active[i]]) end end return OtherSections end -- *************************************** END: handles SECTION_ACTIVE ****************************** --**************************************** FindGroup() *********************************** function FindGroup(FileName,TextFileTable,WholeTextFile,prec_key_words,IsPrecedingFirstTRUE ,IsSpecialKeyWords,spec_key_words,section_up_special,section_up_preceding) local SectionStartLine = {} local SectionEndLine = {} local PrecKeyWordLine = {} --*************************************************************************************************** --template only local function A() end --*************************************************************************************************** --*************************************************************************************************** local function IsPrec_key_wordsExist(prec_key_words) local SearchPrec = false for i=1,#prec_key_words do if prec_key_words[i] ~= nil and prec_key_words[i] ~= "" then SearchPrec = true break end end return SearchPrec end --*************************************************************************************************** --locate all Sections pointed to by PrecedingKeywords inside given section recursively local function LocatePrecKeywordsInSection(TextFileTable,prec_key_words,index,StartLine,EndLine,level,groupId) pv("\n Entering LocatePrecKeywordsInSection()") if groupId == nil then groupId = "" end local currentLevel = level pv() pv("*** IN values for groupSection #"..groupId) pv(" level = "..level) pv("StartLine = "..StartLine) pv(" EndLine = "..EndLine) pv(" index = "..index..", looking for ["..prec_key_words[index].."]") pv() --we quit if we get into negative levels, we should have quit when past EndLine (unless the file is malformed) --we start at StartLine: the first line inside this section for n = StartLine,EndLine do local line = string.upper(TextFileTable[n]) -- pv(" Looking at: "..n..", ["..line.."]") if string.find(line,[[">]],1,true) ~= nil then --a StartOfSection line --let us find ALL sections at level level = level + 1 if level >= currentLevel then local j = index if string.find(line,[["]]..string.upper(prec_key_words[j])..[["]],1,true) ~= nil then pv(" Found SOS: ["..string.upper(prec_key_words[j]).."] at line "..n) --found a line inside this section --record Section Start/End lines --and level if j == #prec_key_words then --we found the last prec_key_words in this section --this is a GOOD section pointed by these prec_key_words pv(" found LAST PK word: ["..prec_key_words[j].."] at line "..n) local SectionNum = #PrecKeyWordLine + 1 PrecKeyWordLine[SectionNum] = n SectionStartLine[SectionNum] = n SectionEndLine[SectionNum] = GoDownToOwnerEnd(TextFileTable,n+1) pv(" *** OUT values: "..SectionStartLine[SectionNum].." - "..SectionEndLine[SectionNum].." ("..PrecKeyWordLine[SectionNum]..")") -- could there be other sub-sections meeting the prec_key_words? index = 1 -- reset to first keyword else --not the last word, continue searching using the next keyword j = j + 1 --point to the next keyword pv(" index is now = "..j) pv("\n continuying search recursively...") LocatePrecKeywordsInSection(TextFileTable,prec_key_words,j,n+1,EndLine,level,groupId) index = 1 end end else --skip it, wrong level end elseif string.find(line,[[y>]],1,true) ~= nil then --this is a </Property> line level = level - 1 else --not a StartOfSection line, just a regular <Property name="NumStatsMin" value="1" /> line --skip it end end pv("\n Leaving LocatePrecKeywordsInSection()") return SectionStartLine,SectionEndLine,PrecKeyWordLine end --*************************************************************************************************** local function ReportLPKISresults(tStartLine,tEndLine,tSpecialLine,numRecord) pv("") if #tStartLine == 0 then pv(" >>> XXXX No section found XXXX") --return the whole file SectionStartLine[1] = tStartLine[1] SectionEndLine[1] = tEndLine[1] PrecKeyWordLine[1] = 0 else pv(" >>> "..#tStartLine.." section(s) found so far") pv(" *** this section FINAL values ***") for i=numRecord + 1,#tStartLine do pv(" *** "..tStartLine[i].." - "..tEndLine[i].." ("..tSpecialLine[i]..")") end pv("") end end --*************************************************************************************************** --********************************* PrecKeywordsSections() ******************************************* --locate all Sections pointed to by ALL PREC_KEY_WORDS inside these groups local function PrecKeywordsSections(TextFileTable,prec_key_words,GroupStartLine,GroupEndLine) pv("\n Entering PrecKeywordsSections()") local GroupStartLine = GroupStartLine --a table local GroupEndLine = GroupEndLine --a table local PrecKeyWordLine = {0} local tempStartLine = {} local tempEndLine = {} local tempSpecialLine = {} pv("\n #PK-GROUPS = "..#GroupStartLine) for i=1,#GroupStartLine do --try to find the sections pointed to by the PREC_KEY_WORDS in this GroupSection local index = 1 --we start with the first PREC_KEY_WORDS local level = 0 --we say this GroupSection is at level 0 local numRecord = #tempStartLine local tStartLine,tEndLine,tSpecialLine = LocatePrecKeywordsInSection(TextFileTable,prec_key_words,index,GroupStartLine[i]+1,GroupEndLine[i],level,i) ReportLPKISresults(tStartLine,tEndLine,tSpecialLine,numRecord) pv(" LPKIS-RESULTS #= "..#tStartLine.." for PK-group #"..i) for k=numRecord + 1,#tStartLine do tempStartLine[#tempStartLine+1] = tStartLine[k] tempEndLine[#tempEndLine+1] = tEndLine[k] tempSpecialLine[#tempSpecialLine+1] = tSpecialLine[k] end end pv("") pv(" All PK-GROUPS RESULTS #= "..#tempStartLine) for i=1,#tempStartLine do pv(" >>> "..tempStartLine[i].." - "..tempEndLine[i].." ("..tempSpecialLine[i]..")") end if #tempStartLine == 0 then pv(" >>> No sections found") -- tempStartLine = {3} -- tempEndLine = {#TextFileTable} -- tempSpecialLine = {0} end pv(" END RESULTS for PrecKeywordsSections()") pv("") return tempStartLine,tempEndLine,tempSpecialLine end --********************************* END: PrecKeywordsSections() ******************************************* --*************************************************************************************************** local function FindKeywordsInLine(text) local KeywordsInLineTable = {} if string.find(text,[[me="]],1,true) ~= nil and string.find(text,[[ue=]],1,true) ~= nil then --a line like <Property name="" value="" /> --"name" is a potential special_keyword local value = StripInfo(text,[[ue="]],[["]]) -- if value ~= "" and value ~= "True" and value ~= "False" and tonumber(value) == nil and string.find(value,".",1,true) == nil then -- if value ~= "" and value ~= "True" and value ~= "False" and tonumber(value) == nil then if value ~= "" then local name = StripInfo(text,[[me="]],[["]]) KeywordsInLineTable[#KeywordsInLineTable+1] = {} KeywordsInLineTable[#KeywordsInLineTable][1] = string.upper(name) KeywordsInLineTable[#KeywordsInLineTable][2] = string.upper(value) end end --if string.find( return KeywordsInLineTable end --*********************************** END: FindKeywordsInRange() ************************************* --*************************************************************************************************** --locate all Sections pointed to by SpecialKeywords at index, index+1 local function LocateSpecialKeywordsSections(TextFileTable,index,spec_key_words,StartLine,EndLine) local SectionNum = 0 local SectionStartLine = {} local SectionEndLine = {} local SpecialKeyWordLine = {} pv("\n LSKS: index = "..index..", ["..spec_key_words[index].."],["..spec_key_words[index+1].."] ("..StartLine.."-"..EndLine..")") for n = StartLine,EndLine do local line = TextFileTable[n] local KeywordsInLineTable = FindKeywordsInLine(line) if #KeywordsInLineTable > 0 then -- pv(" ["..KeywordsInLineTable[1][1].."] ["..KeywordsInLineTable[1][2].."]") if (string.upper(spec_key_words[index]) == KeywordsInLineTable[1][1] or spec_key_words[index] == "IGNORE") and (string.upper(spec_key_words[index+1]) == KeywordsInLineTable[1][2] or spec_key_words[index+1] == "IGNORE") then --found a requested SpecialKeywords line, --record Section Start/End lines --and level SectionNum = SectionNum + 1 SpecialKeyWordLine[SectionNum] = n if string.sub(trim(line),-2) == [[">]] then --this is the start of a section SectionStartLine[SectionNum] = n --let us find the end of this section, not its parent SectionEndLine[SectionNum] = GoDownToOwnerEnd(TextFileTable,n+1) else --let us find the start of the section SectionStartLine[SectionNum] = GoUPToOwnerStart(TextFileTable,n) SectionEndLine[SectionNum] = GoDownToOwnerEnd(TextFileTable,n) end end end end if SectionNum == 0 then pv(" >>> XXXX No section found XXXX") --no Section found for requested pair --return the whole file SectionStartLine[1] = StartLine SectionEndLine[1] = EndLine SpecialKeyWordLine[1] = 0 else pv(" >>> "..SectionNum.." section(s) found") end for i=1,#SectionStartLine do pv(" "..SectionStartLine[i].." - "..SectionEndLine[i].." ("..SpecialKeyWordLine[i]..")") end return SectionStartLine,SectionEndLine,SpecialKeyWordLine end --*************************************************************************************************** --locate all Sections pointed to by ALL SPECIAL_KEY_WORDS local function SpecialKeywordsSections(TextFileTable,spec_key_words,GroupStartLine,GroupEndLine) local GroupStartLine = GroupStartLine --a table local GroupEndLine = GroupEndLine --a table local SpecialKeyWordLine = {0} --each pair of SPECIAL_KEY_WORDS for j=1,#spec_key_words,2 do local tempStartLine = {} local tempEndLine = {} local tempSpecialLine = {} pv("\nSK-GROUPS #= "..#GroupStartLine) for i=1,#GroupStartLine do local StartLine,EndLine,SpecialLine = LocateSpecialKeywordsSections(TextFileTable,j,spec_key_words,GroupStartLine[i],GroupEndLine[i]) pv(" LSKS-RESULTS #= "..#StartLine.." for SK-group "..j) for k=1,#StartLine do -- if SpecialLine[k] ~= nil and SpecialLine[k] > 0 then -- --keep new section -- -- pv(">>> Keep section") tempStartLine[#tempStartLine+1] = StartLine[k] tempEndLine[#tempEndLine+1] = EndLine[k] tempSpecialLine[#tempSpecialLine+1] = SpecialLine[k] -- end end end GroupStartLine = {} GroupEndLine = {} SpecialKeyWordLine = {} -- pv("B-RESULTS #= "..#tempStartLine) for k=1,#tempStartLine do -- pv("tempSpecialLine["..k.."] = "..tempSpecialLine[k]) if tempSpecialLine[k] > 0 then -- pv(">>> Keep section") GroupStartLine[#GroupStartLine+1] = tempStartLine[k] GroupEndLine[#GroupEndLine+1] = tempEndLine[k] SpecialKeyWordLine[#SpecialKeyWordLine+1] = tempSpecialLine[k] end end end pv("All SK-GROUPS RESULTS #= "..#GroupStartLine) for i=1,#GroupStartLine do pv(" "..GroupStartLine[i].." - "..GroupEndLine[i].." ("..SpecialKeyWordLine[i]..")") end if #GroupStartLine == 0 then pv(">>> No sections found in SpecialKeywordsSections()") GroupStartLine = {3} GroupEndLine = {#TextFileTable} SpecialKeyWordLine = {0} end pv("END RESULTS for SpecialKeywordsSections()") pv("") return GroupStartLine,GroupEndLine,SpecialKeyWordLine end --*************************************************************************************************** --for each section in reverse order (because we remove unwanted ones) --remove overlapping ones local function PurgeOverlappingSections(GroupStartLine,GroupEndLine,KeyWordLine,KeepOuterSections) for i=#GroupStartLine,2,-1 do if KeepOuterSections then --keep outer sections only if GroupStartLine[i] <= GroupEndLine[i-1] then --section i is inside section i-1 --remove section i table.remove(GroupStartLine,i) table.remove(GroupEndLine,i) table.remove(KeyWordLine,i) end else --keep inner sections only if GroupStartLine[i] <= GroupEndLine[i-1] then --section i is inside section i-1 --remove section i-1 table.remove(GroupStartLine,i-1) table.remove(GroupEndLine,i-1) table.remove(KeyWordLine,i-1) end end end return GroupStartLine,GroupEndLine,KeyWordLine end --##################################### Start of main FindGroup() code ############################################################## pv("\n >>> Starting FindGroup()\n") local KeepOuterSections = true --we will see if this needs to be an option in the future local LastResort = false -- local FoundNum = 0 local GroupStartLine = {3} local GroupEndLine = {#TextFileTable} local SpecialKeyWordLine = {0} local SectionsTable = {} local All_Words_Found = false local All_SpecialWords_Found = false local All_PrecedingWords_Found = false -- local done_All_Words = false -- local ReturnInfo = false local IsPrec_key_words = IsPrec_key_wordsExist(prec_key_words) pv("IsPrecedingFirstTRUE = "..tostring(IsPrecedingFirstTRUE)) pv("IsSpecialKeyWords = "..tostring(IsSpecialKeyWords)) pv("IsPrec_key_words = "..tostring(IsPrec_key_words)) if not IsSpecialKeyWords then --let us do as if IsPrecedingFirstTRUE was true IsPrecedingFirstTRUE = true pv(" >>> no SpecialKeywords so: IsPrecedingFirstTRUE is now = "..tostring(IsPrecedingFirstTRUE)) end if not IsPrecedingFirstTRUE then --******************* process SpecialKeyWords FIRST if any ********************************* if IsSpecialKeyWords then local Info = GetSpecKeyWordsInfo(spec_key_words) pv("\n"..[[ SK >>> Trying to locate Group Start/End lines based on SPECIAL_KEY_WORDS ]]..Info.."\n") --Check Uniqueness local s = [[<Property name="]]..spec_key_words[1]..[[" value="]]..spec_key_words[2]..[["]] --the end could be [[ />]] or [[>]] -- pv("["..s.."]") --fastest way!!! --gsub and gmatch take too long local firstPosStart,firstPosEnd = string.find(WholeTextFile,s,1,true) local secondPos = nil if firstPosEnd ~= nil then secondPos = string.find(WholeTextFile,s,firstPosEnd+1,true) if secondPos == nil then count = 1 pv("CheckUniqueness: Unique") else count = 2 pv("CheckUniqueness: More than one") end else count = 0 pv("CheckUniqueness: Not found") end --end Check Uniqueness if count == 1 then --count = 1 >>> unique, good (SCRIPTBUILDER guaranties uniqueness, user do not) -- record range info pv("\n SK >>> count = 1, Looking for SPECIAL_KEY_WORDS between lines "..GroupStartLine[1].." and "..GroupEndLine[1].."\n") GroupStartLine,GroupEndLine,SpecialKeyWordLine = SpecialKeywordsSections(TextFileTable,spec_key_words,GroupStartLine,GroupEndLine) RecordSections(GroupStartLine,GroupEndLine,SpecialKeyWordLine,"SK1",SectionsTable) --**************************************** handle SECTION_UP_SPECIAL *********************************** if section_up_special > 0 then pv(" Found SECTION_UP_SPECIAL = "..section_up_special) GroupStartLine,GroupEndLine,SpecialKeyWordLine = Process_SectionUP(TextFileTable,GroupStartLine,GroupEndLine,SpecialKeyWordLine,section_up_special) RecordSections(GroupStartLine,GroupEndLine,SpecialKeyWordLine,"US",SectionsTable) end --**************************************** end: handle SECTION_UP_SPECIAL *********************************** -- pv(type(SpecialKeyWordLine)) -- pv(#SpecialKeyWordLine) -- pv(type(SpecialKeyWordLine[1])) if SpecialKeyWordLine[1] > 0 then -- FoundNum = FoundNum + 1 -- All_Words_Found = true All_SpecialWords_Found = true pv("\n SK count = 1, Found SPECIAL_KEY_WORDS between lines "..GroupStartLine[1].." and "..GroupEndLine[1].."\n") end if All_SpecialWords_Found then if IsPrec_key_words then pv("\n SKPK >>> count = 1, Now looking for PREC_KEY_WORDS\n") --lets try with all the PREC_KEY_WORDS --here: only 1 section to search TopLine,BottomLine,PrecKeyWordLine = PrecKeywordsSections(TextFileTable,prec_key_words,GroupStartLine,GroupEndLine) All_PrecedingWords_Found = (#TopLine > 0) --All_PrecedingWords_Found,TopLine,BottomLine = LocatePrecKeywordsWithTreeMap(FILE_LINE,TREE_LEVEL,KEY_WORDS,GroupStartLine[1],GroupEndLine[1]) if All_PrecedingWords_Found then GroupStartLine = TopLine GroupEndLine = BottomLine SpecialKeyWordLine = PrecKeyWordLine RecordSections(GroupStartLine,GroupEndLine,SpecialKeyWordLine,"SKPK1",SectionsTable) pv("\n SKPK >>> count = 1, Found PREC_KEY_WORDS between lines "..GroupStartLine[1].." and "..GroupEndLine[1].."\n") else if #prec_key_words == 1 and prec_key_words[#prec_key_words] ~= "" then pv("\n SKPK >>> count = 1, Only one PREC_KEY_WORDS and not found in section") --we have a single PRECEDING_KEY_WORDS --let us try to find it in the current section -- look for the last prec_key_words line in the SpecialWords range for n = GroupStartLine[1], GroupEndLine[1] do local line = TextFileTable[n] if string.find(line,[["]]..prec_key_words[#prec_key_words]..[["]],1,true) then --found the line, replace the Group Start/End lines SpecialKeyWordLine[1] = n -- 'the' line GroupStartLine[1] = GoUPToOwnerStart(TextFileTable,n) GroupEndLine[1] = GoDownToOwnerEnd(TextFileTable,GroupStartLine[1]+1) pv("\n SKPK >>> count = 1, Found last PREC_KEY_WORDS "..[["]]..prec_key_words[#prec_key_words]..[["]].." at line "..SpecialKeyWordLine[1].."\n") All_PrecedingWords_Found = true IsOnlyOnePreceding = true break end end RecordSections(GroupStartLine,GroupEndLine,SpecialKeyWordLine,"SKPKL",SectionsTable) if not All_PrecedingWords_Found then print("") print(_zRED..">>> [WARNING] PRECEDING_KEY_WORDS ".."["..prec_key_words[#prec_key_words].."] NOT found in the current section, IGNORING IT".._zDEFAULT) Report("","PRECEDING_KEY_WORDS ".."["..prec_key_words[#prec_key_words].."] NOT found in the current section, IGNORING IT","WARNING") -- --let us just do as if prec_key_words was not there -- All_PrecedingWords_Found = true end else --multiple prec_key_words NOT FOUND print("") print(_zRED..">>> [WARNING] PRECEDING_KEY_WORDS NOT found in the current section, IGNORING THEM".._zDEFAULT) Report("","PRECEDING_KEY_WORDS NOT found in the current section, IGNORING THEM","WARNING") end end --**************************************** handle SECTION_UP_PRECEDING *********************************** if section_up_preceding > 0 then pv(" Found SECTION_UP_PRECEDING = "..section_up_preceding) GroupStartLine,GroupEndLine,PrecKeyWordLine = Process_SectionUP(TextFileTable,GroupStartLine,GroupEndLine,PrecKeyWordLine,section_up_preceding) RecordSections(GroupStartLine,GroupEndLine,PrecKeyWordLine,"aUP",SectionsTable) end --**************************************** end: handle SECTION_UP_PRECEDING *********************************** end --return range info -- ReturnInfo = true else local Info = GetSpecKeyWordsInfo(spec_key_words) Report("",[[Should have found SPECIAL_KEY_WORDS: ]]..Info,"WARNING") print(_zRED.."\n"..[[>>> [WARNING] Should have found SPECIAL_KEY_WORDS: ]]..Info.._zDEFAULT) -- ReturnInfo = true end elseif count > 1 then --count > 1 >>> not unique, maybe good or bad (not a SCRIPTBUILDER script) pv("\n SK >>> count > 1, SPECIAL_KEY_WORDS ["..spec_key_words[1].."] and ["..spec_key_words[2].."] are not unique in file!\n") -- local Done = false GroupStartLine,GroupEndLine,SpecialKeyWordLine = SpecialKeywordsSections(TextFileTable,spec_key_words,GroupStartLine,GroupEndLine) pv([[A ]]..#GroupStartLine..[[ ]]..#GroupEndLine..[[ ]]..#SpecialKeyWordLine) GroupStartLine,GroupEndLine,SpecialKeyWordLine = PurgeOverlappingSections(GroupStartLine,GroupEndLine,SpecialKeyWordLine,KeepOuterSections) RecordSections(GroupStartLine,GroupEndLine,SpecialKeyWordLine,"SKx",SectionsTable) -- ShowSections(SectionsTable) --**************************************** handle SECTION_UP_SPECIAL *********************************** if section_up_special > 0 then pv(" Found SECTION_UP_SPECIAL = "..section_up_special) GroupStartLine,GroupEndLine,SpecialKeyWordLine = Process_SectionUP(TextFileTable,GroupStartLine,GroupEndLine,SpecialKeyWordLine,section_up_special) RecordSections(GroupStartLine,GroupEndLine,SpecialKeyWordLine,"bUS",SectionsTable) end --**************************************** end: handle SECTION_UP_SPECIAL *********************************** -- --here we have all the sections (or the whole file) pointed by the spec_key_words -- pv(">>> BASED on SPECIAL_KEY_WORDS, #Sections = "..#GroupStartLine) -- for i=1,#GroupStartLine do -- pv(" "..i..": "..GroupStartLine[i].."-"..GroupEndLine[i]..", "..SpecialKeyWordLine[i]) -- end if SpecialKeyWordLine[1] > 0 then -- FoundNum = #SpecialKeyWordLine -- All_Words_Found = true All_SpecialWords_Found = true if IsPrec_key_words then local tmpGroupStartLine = {} local tmpGroupEndLine = {} local tmpSpecialKeyWordLine = {} All_PrecedingWords_Found = false --lets try with all the PREC_KEY_WORDS TopLine,BottomLine,PrecKeyWordLine = PrecKeywordsSections(TextFileTable,prec_key_words,GroupStartLine,GroupEndLine) All_PrecedingWords_Found = (#TopLine > 0) --All_PrecedingWords_Found,TopLine,BottomLine = LocatePrecKeywordsWithTreeMap(FILE_LINE,TREE_LEVEL,KEY_WORDS,GroupStartLine[i],GroupEndLine[i]) if All_PrecedingWords_Found then for j=1,#TopLine do table.insert(tmpSpecialKeyWordLine,PrecKeyWordLine[j]) table.insert(tmpGroupStartLine,TopLine[j]) table.insert(tmpGroupEndLine,BottomLine[j]) -- pv(" SKPK >>> count > 1, Found PREC_KEY_WORDS between lines "..tmpGroupStartLine[j].." and "..tmpGroupEndLine[j]) end RecordSections(GroupStartLine,GroupEndLine,SpecialKeyWordLine,"SKxPKx",SectionsTable) else if #prec_key_words == 1 and prec_key_words[#prec_key_words] ~= "" then --look for the last prec_key_words line in that range --for all sections found for i=1,#GroupStartLine do for n = GroupStartLine[i], GroupEndLine[i] do local line = TextFileTable[n] if string.find(line,[["]]..prec_key_words[#prec_key_words]..[["]],1,true) then --found the line, save the Group Start/End lines table.insert(tmpSpecialKeyWordLine,n) -- 'the' line table.insert(tmpGroupStartLine,GoUPToOwnerStart(TextFileTable,n)) table.insert(tmpGroupEndLine,GoDownToOwnerEnd(tmpGroupStartLine(#tmpGroupStartLine))) --the end of the section defined by SPECIAL_KEYWORDS All_PrecedingWords_Found = true pv(" SKPK >>> count > 1, Found last PREC_KEY_WORDS "..[["]]..prec_key_words[#prec_key_words]..[["]].." at line "..tmpGroupStartLine[1]) IsOnlyOnePreceding = true break end end end --for i=1,#GroupStartLine do RecordSections(GroupStartLine,GroupEndLine,SpecialKeyWordLine,"SKxPKL",SectionsTable) if All_PrecedingWords_Found then --at least one section was found else RecordSections(GroupStartLine,GroupEndLine,SpecialKeyWordLine,"SKPKx",SectionsTable) ShowSections(SectionsTable) print(_zRED..">>> [WARNING] PRECEDING_KEY_WORDS NOT found in any section, IGNORING THEM".._zDEFAULT) Report("","PRECEDING_KEY_WORDS NOT found in any section, IGNORING THEM","WARNING") end else RecordSections(GroupStartLine,GroupEndLine,SpecialKeyWordLine,"SKPKy",SectionsTable) ShowSections(SectionsTable) print("") print(_zRED..">>> [WARNING] ALL PRECEDING_KEY_WORDS NOT found in any section, IGNORING THEM".._zDEFAULT) Report("","ALL PRECEDING_KEY_WORDS NOT found in any section, IGNORING THEM","WARNING") end end -- GroupStartLine,GroupEndLine,SpecialKeyWordLine = SectionsTableToLines(SectionsTable) -- ReturnInfo = true -- return range info if #tmpSpecialKeyWordLine > 0 then --remove old sections for j=1,#SpecialKeyWordLine do table.remove(SpecialKeyWordLine) table.remove(GroupStartLine) table.remove(GroupEndLine) end --these tables are now empty --add the new sections for j=1,#tmpSpecialKeyWordLine do table.insert(SpecialKeyWordLine,tmpSpecialKeyWordLine[j]) table.insert(GroupStartLine,tmpGroupStartLine[j]) table.insert(GroupEndLine,tmpGroupEndLine[j]) end else --just keep the old tables end --**************************************** handle SECTION_UP_PRECEDING *********************************** if section_up_preceding > 0 then pv(" Found SECTION_UP_PRECEDING = "..section_up_preceding) GroupStartLine,GroupEndLine,PrecKeyWordLine = Process_SectionUP(TextFileTable,GroupStartLine,GroupEndLine,PrecKeyWordLine,section_up_preceding) RecordSections(GroupStartLine,GroupEndLine,PrecKeyWordLine,"bUP",SectionsTable) end --**************************************** end: handle SECTION_UP_PRECEDING *********************************** end --if IsPrec_key_words then else if #SpecialKeyWordLine == 0 then Report("",[[Should have found all SPECIAL_KEY_WORDS]],"ERROR") print(_zRED.."\n"..[[>>> [ERROR] Should have found all SPECIAL_KEY_WORDS]].._zDEFAULT) -- ReturnInfo = true end end else --count = 0 >>> not found, problem (not a SCRIPTBUILDER script) -- user has a problem with his/her script spec_key_words (SCRIPTBUILDER guaranties it can be found) -- Report WARNING, skip this change Report("","SPECIAL_KEY_WORDS cannot be found. Skipping this change!","WARNING") print(_zRED.."\n>>> [WARNING] SPECIAL_KEY_WORDS cannot be found. Skipping this change!".._zDEFAULT) All_SpecialWords_Found = false -- ReturnInfo = true end --if count... end else -- PRECEDING_FIRST = "True" --******************* process PrecedingKeyWords FIRST if any ********************************* if IsPrec_key_words then pv("\n PK >>> INTO: PRECEDING_FIRST: find all SECTIONs with ALL PRECEDING_KEY_WORDS...\n") -- --find the SECTION using TreeMap -- pv(" >>> INTO: find the first SECTION with ALL PRECEDING_KEY_WORDS using TreeMap...") -- local LocateSectionWithPrecKeywords() --lets try with all the PREC_KEY_WORDS TopLine,BottomLine,PrecKeyWordLine = PrecKeywordsSections(TextFileTable,prec_key_words,GroupStartLine,GroupEndLine) All_PrecedingWords_Found = (#TopLine > 0) if All_PrecedingWords_Found then -- FoundNum = FoundNum + 1 -- GroupStartLine[FoundNum] = TopLine[1] -- GroupEndLine[FoundNum] = BottomLine[1] GroupStartLine = TopLine GroupEndLine = BottomLine SpecialKeyWordLine = PrecKeyWordLine else --let us just do as if prec_key_words was not there print("") print(_zRED..">>> [WARNING] NOT found ALL PRECEDING_KEY_WORDS ".."["..prec_key_words[#prec_key_words].."] in the current section, IGNORING IT".._zDEFAULT) Report("","NOT found ALL PRECEDING_KEY_WORDS ".."["..prec_key_words[#prec_key_words].."] in the current section, IGNORING IT","WARNING") -- --we should check if this PrecedingKeyWord points to a range that includes our SpecialKeyWords -- --if yes we can ignore it -- --if not we should report it to the user as a WARNING -- All_Words_Found = true end GroupStartLine,GroupEndLine,SpecialKeyWordLine = RemoveDuplicateGroups(GroupStartLine,GroupEndLine,SpecialKeyWordLine) RecordSections(GroupStartLine,GroupEndLine,SpecialKeyWordLine,"PK",SectionsTable) -- GroupStartLine,GroupEndLine,SpecialKeyWordLine = SectionsTableToLines(SectionsTable) -- --we could have multiple sections pointed to by PRECEDING_KEY_WORDS -- if #GroupStartLine > 1 and not IsReplace then -- Report("","PRECEDING_KEY_WORDS located more than one section!","NOTICE") -- print(_zRED.."\n>>> [NOTICE] PRECEDING_KEY_WORDS located more than one section!".._zDEFAULT) -- -- elseif FoundNum == 1 and IsSpecialKeyWords then -- -- --found the PRECEDING_KEY_WORDS section -- -- --now look for SPECIAL_KEY_WORDS in it -- -- GroupStartLine,GroupEndLine,SpecialKeyWordLine = SpecialKeywordsSections(TextFileTable,spec_key_words,GroupStartLine,GroupEndLine) -- -- pv([[B ]]..#GroupStartLine..[[ ]]..#GroupEndLine..[[ ]]..#SpecialKeyWordLine) -- -- GroupStartLine,GroupEndLine,SpecialKeyWordLine = PurgeOverlappingSections(GroupStartLine,GroupEndLine,SpecialKeyWordLine,KeepOuterSections) -- -- --here we have all the sections (or the whole file) pointed by the spec_key_words -- -- pv(">>> BASED on SPECIAL_KEY_WORDS, #Sections = "..#GroupStartLine) -- -- for i=1,#GroupStartLine do -- -- pv(" "..GroupStartLine[i].."-"..GroupEndLine[i]..", "..SpecialKeyWordLine[i]) -- -- end -- end if not All_PrecedingWords_Found then local Info = GetPrecKeyWordsInfo(prec_key_words) Report(""," -- >>>>> Could not find [\"PRECEDING_KEY_WORDS\"] = "..Info.." <<<<<") print(">>> [NOTICE] -- >>>>> Could not find [\"PRECEDING_KEY_WORDS\"] = "..Info.." <<<<<".._zDEFAULT) end --**************************************** handle SECTION_UP_PRECEDING *********************************** if section_up_preceding > 0 then pv(" Found SECTION_UP_PRECEDING = "..section_up_preceding) GroupStartLine,GroupEndLine,PrecKeyWordLine = Process_SectionUP(TextFileTable,GroupStartLine,GroupEndLine,PrecKeyWordLine,section_up_preceding) RecordSections(GroupStartLine,GroupEndLine,PrecKeyWordLine,"UP",SectionsTable) end --**************************************** end: handle SECTION_UP_PRECEDING *********************************** end if All_PrecedingWords_Found then if IsSpecialKeyWords then --now find the SpecialKeyWords inside that Section pointed to by the PRECEDING_KEY_WORDS local Info = GetSpecKeyWordsInfo(spec_key_words) pv("\n"..[[ PKSK >>> From PRECEDING_KEY_WORDS section, trying to locate Group Start/End lines based on SPECIAL_KEY_WORDS ]]..Info.."\n") --Check Uniqueness local s = [[<Property name="]]..spec_key_words[1]..[[" value="]]..spec_key_words[2]..[["]] --the end could be [[ />]] or [[>]] -- pv("["..s.."]") --create a file sub-set local subsetTextFile = "" for i=GroupStartLine[1],GroupEndLine[1] do subsetTextFile = subsetTextFile..TextFileTable[i] end --fastest way!!! --gsub and gmatch take too long local firstPosStart,firstPosEnd = string.find(subsetTextFile,s,1,true) local secondPos = nil if firstPosEnd ~= nil then secondPos = string.find(subsetTextFile,s,firstPosEnd+1,true) if secondPos == nil then count = 1 pv("CheckUniqueness: Unique") else count = 2 pv("CheckUniqueness: More than one") end else count = 0 pv("CheckUniqueness: Not found") end --end Check Uniqueness if count == 1 then --count = 1 >>> unique, good (SCRIPTBUILDER guaranties uniqueness, user do not) -- record range info pv("\n PKSK >>> count = 1, Looking for SPECIAL_KEY_WORDS between lines "..GroupStartLine[1].." and "..GroupEndLine[1].."\n") GroupStartLine,GroupEndLine,SpecialKeyWordLine = SpecialKeywordsSections(TextFileTable,spec_key_words,GroupStartLine,GroupEndLine) RecordSections(GroupStartLine,GroupEndLine,SpecialKeyWordLine,"PKSK1",SectionsTable) --GroupStartLine,GroupEndLine,SpecialKeyWordLine = SectionsTableToLines(SectionsTable) -- pv(type(SpecialKeyWordLine)) -- pv(#SpecialKeyWordLine) -- pv(type(SpecialKeyWordLine[1])) if SpecialKeyWordLine[1] > 0 then -- FoundNum = FoundNum + 1 -- All_Words_Found = true All_SpecialWords_Found = true pv(" PKSK >>> count = 1, Found SPECIAL_KEY_WORDS between lines "..GroupStartLine[1].." and "..GroupEndLine[1]) end if not All_SpecialWords_Found then local Info = GetSpecKeyWordsInfo(spec_key_words) Report("",[[Should have found SPECIAL_KEY_WORDS: ]]..Info,"WARNING") print(_zRED.."\n"..[[>>> [WARNING] Should have found SPECIAL_KEY_WORDS: ]]..Info.._zDEFAULT) end --**************************************** handle SECTION_UP_SPECIAL *********************************** if section_up_special > 0 then pv(" Found SECTION_UP_SPECIAL = "..section_up_special) GroupStartLine,GroupEndLine,SpecialKeyWordLine = Process_SectionUP(TextFileTable,GroupStartLine,GroupEndLine,SpecialKeyWordLine,section_up_special) RecordSections(GroupStartLine,GroupEndLine,SpecialKeyWordLine,"aUS",SectionsTable) end --**************************************** end: handle SECTION_UP_SPECIAL *********************************** -- ReturnInfo = true elseif count > 1 then --count > 1 >>> not unique, maybe good or bad (not a SCRIPTBUILDER script) pv("\n PKSK >>> count > 1, SPECIAL_KEY_WORDS ["..spec_key_words[1].."] and ["..spec_key_words[2].."] are not unique in file!\n") GroupStartLine,GroupEndLine,SpecialKeyWordLine = SpecialKeywordsSections(TextFileTable,spec_key_words,GroupStartLine,GroupEndLine) pv([[A ]]..#GroupStartLine..[[ ]]..#GroupEndLine..[[ ]]..#SpecialKeyWordLine) GroupStartLine,GroupEndLine,SpecialKeyWordLine = PurgeOverlappingSections(GroupStartLine,GroupEndLine,SpecialKeyWordLine,KeepOuterSections) RecordSections(GroupStartLine,GroupEndLine,SpecialKeyWordLine,"PKSKx",SectionsTable) --GroupStartLine,GroupEndLine,SpecialKeyWordLine = SectionsTableToLines(SectionsTable) --here we have all the sections (or the whole file) pointed by the spec_key_words pv(" PKSK >>> BASED on SPECIAL_KEY_WORDS, #Sections = "..#GroupStartLine) for i=1,#GroupStartLine do pv(" "..GroupStartLine[i].."-"..GroupEndLine[i].." ("..SpecialKeyWordLine[i]..")") end if SpecialKeyWordLine[1] > 0 then -- FoundNum = #SpecialKeyWordLine -- All_Words_Found = true All_SpecialWords_Found = true else if #SpecialKeyWordLine == 0 then Report("",[[Should have found all SPECIAL_KEY_WORDS]],"ERROR") print(_zRED.."\n"..[[>>> [ERROR] Should have found all SPECIAL_KEY_WORDS]].._zDEFAULT) -- ReturnInfo = true end end --**************************************** handle SECTION_UP_SPECIAL *********************************** if section_up_special > 0 then pv(" Found SECTION_UP_SPECIAL = "..section_up_special) GroupStartLine,GroupEndLine,SpecialKeyWordLine = Process_SectionUP(TextFileTable,GroupStartLine,GroupEndLine,SpecialKeyWordLine,section_up_special) RecordSections(GroupStartLine,GroupEndLine,SpecialKeyWordLine,"bUS",SectionsTable) end --**************************************** end: handle SECTION_UP_SPECIAL *********************************** else --count = 0 >>> not found, problem (not a SCRIPTBUILDER script) -- user has a problem with his/her script spec_key_words (SCRIPTBUILDER guaranties it can be found) -- Report WARNING, skip this change Report("","SPECIAL_KEY_WORDS cannot be found. Skipping this change!","WARNING") print(_zRED.."\n>>> [WARNING] SPECIAL_KEY_WORDS cannot be found. Skipping this change!".._zDEFAULT) -- ReturnInfo = true end --if count... end --if IsSpecialKeyWords then end --if All_PrecedingWords_Found then end --if not IsPrecedingFirstTRUE then pv("") pv([[FindGroup() "ending", Sanity check: ]]..#GroupStartLine..[[ ]]..#GroupEndLine..[[ ]]..#SpecialKeyWordLine..[[ ]]) GroupStartLine,GroupEndLine,SpecialKeyWordLine = PurgeOverlappingSections(GroupStartLine,GroupEndLine,SpecialKeyWordLine,KeepOuterSections) -- RecordSections(GroupStartLine,GroupEndLine,SpecialKeyWordLine,"Using ",SectionsTable) All_Words_Found = false if IsSpecialKeyWords then if All_SpecialWords_Found then if IsPrec_key_words then if All_PrecedingWords_Found then All_Words_Found = true end else All_Words_Found = true end end else if IsPrec_key_words and All_PrecedingWords_Found then All_Words_Found = true end end if TestNoNil("FindGroup()",All_Words_Found,GroupStartLine[1],GroupEndLine[1],SpecialKeyWordLine[1]) then pv("") pv("Found all Key_Words: "..tostring(All_Words_Found)..", First line: "..GroupStartLine[1]..", Last line: "..GroupEndLine[1]) pv("Found all SPECIAL_KEY_WORDS: "..tostring(All_SpecialWords_Found)) pv("Found all PRECEDING_KEY_WORDS: "..tostring(All_PrecedingWords_Found)) end pv("\n"..THIS.."Ending FindGroup()\n") return All_Words_Found, GroupStartLine, GroupEndLine, SpecialKeyWordLine, LastResort, SectionsTable, IsOnlyOnePreceding end --**************************************** END: FindGroup() *********************************** --***************************** RemoveDuplicateGroups() ********************************************** --recreate Group List and remove duplicates function RemoveDuplicateGroups(newGSL,newGEL,newSKWL) GroupStartLine = {} GroupEndLine = {} SpecialKeyWordLine = {} for i=1,#newGSL do if i > 1 then if newGSL[i] ~= newGSL[i-1] then table.insert(GroupStartLine,newGSL[i]) table.insert(GroupEndLine,newGEL[i]) table.insert(SpecialKeyWordLine,newSKWL[i]) end else table.insert(GroupStartLine,newGSL[i]) table.insert(GroupEndLine,newGEL[i]) table.insert(SpecialKeyWordLine,newSKWL[i]) end end return GroupStartLine,GroupEndLine,SpecialKeyWordLine end --***************************** END: RemoveDuplicateGroups() ********************************************** --********************************** ShowSections() ************************************** --prints SectionsTable to cmd window if option is ON function ShowSections(SectionsTable) -- print("_mSHOWSECTIONS = ".._mSHOWSECTIONS) if _mSHOWSECTIONS == "Y" then if #SectionsTable ~= 0 then -- local j = 1 -- -- print("_mSHOWEXTRASECTIONS = ".._mSHOWEXTRASECTIONS) -- if _mSHOWEXTRASECTIONS == "N" then -- --let us filter out those EXTRA, keep only the Using lines at the end -- for i=1,#SectionsTable do -- local st = trim(SectionsTable[i]) -- if string.find(st,"Using",1,true) == nil then -- --skip this line -- j = j + 1 -- end -- end -- end local stripUSING = "" local spacer = "" -- if j > 1 then stripUSING = "Using " spacer = " " -- end local sinfo = "" --sinfo = string.gsub(SectionsTable[j],"Using ","") print(" Section(s) found: ") for i=1,#SectionsTable-1 do local st = trim(SectionsTable[i]) if string.find(st,"Using",1,true) == nil then if _mSHOWEXTRASECTIONS == "Y" then print("X: "..spacer..st) end else sinfo = string.gsub(st,stripUSING,"") print(" "..spacer..sinfo) end end sinfo = string.gsub(SectionsTable[#SectionsTable],stripUSING,"") print(" "..spacer..sinfo) end end end --********************************** END: ShowSections() ************************************** --**************************************** SectionsTableToLines() *********************************** --extracts GroupStartLine,GroupEndLine from SectionsTable function SectionsTableToLines(SectionsTable) pv("In SectionsTableToLines()") local GroupStartLine = {} local GroupEndLine = {} local KeyWordLine = {} for i=1,#SectionsTable do local st = trim(SectionsTable[i]) --now remove any text before the number while string.sub(st,1,1) ~= " " do st = string.sub(st,2) end st = trim(st) pv("["..st.."]") local gsl = tonumber(string.sub(st,1,string.find(st," - ",1,true)-1)) local gel = tonumber(string.sub(st,string.find(st," - ",1,true)+3,string.find(st,"(",1,true)-1)) local KWL = tonumber(string.sub(st,string.find(st,"(",1,true)+1,string.find(st,")",1,true)-1)) table.insert(GroupStartLine,gsl) table.insert(GroupEndLine,gel) table.insert(KeyWordLine,KWL) end return GroupStartLine,GroupEndLine,KeyWordLine end --**************************************** END: SectionsTableToLines() *********************************** --************************************ RecordSections() ************************************** --updates SectionsTable with "Tag GroupStartLine - GroupEndLine" function RecordSections(GroupStartLine,GroupEndLine,SpecialKeyWordLine,Tag,SectionsTable) pv("In RecordSections()") if Tag == nil then Tag = "" end if GroupStartLine[1] ~= nil or GroupStartLine[1] ~= "" then -- local GroupRange = GroupStartLine[1].." - "..GroupEndLine[1] -- print(" Current section(s): "..Tag..GroupRange) for i=1,#GroupStartLine do GroupRange = GroupStartLine[i].." - "..GroupEndLine[i].." ("..SpecialKeyWordLine[i]..")" pv(" ".." "..GroupRange) table.insert(SectionsTable,Tag..string.rep(" ",7-string.len(Tag)).." "..GroupRange) end end end --************************************ END: RecordSections() ************************************** function LocatePAK(filename) pv("In LocatePAK()") local Pak_FileName = "" filename = string.gsub(filename,[[%.EXML]],[[.MBIN]]) filename = string.gsub(filename,[[\]],[[/]]) -- pv("["..filename.."]") local pak_listTable = gpak_listTable -- pv(#pak_listTable.." lines") for i=1,#pak_listTable,1 do local line = pak_listTable[i] if (line ~= nil) then if string.find(line,"Listing ",1,true) ~= nil then local start,stop = string.find(line,"Listing ",1,true) --remember Pak_FileName for when we find the filename Pak_FileName = string.sub(line, stop+1) -- pv("["..Pak_FileName.."]") else if string.find(line,filename,1,true) ~= nil then break end end end end return Pak_FileName end --DO NOT DELETE: kept here to execute for #CPU < 4 and DEBUG --Only used to create MapFileTree files in HandleModScript() --MapFileTree files are ALWAYS based on the original EXML function DisplayMapFileTreeEXT(EXML,filename,Debug,Show) --****************************************************************** --NOT THE SAME AS TestReCreatedScript.lua -> MapFileTree() --NOT THE SAME AS LoadAndExecuteModScript.lua -> MapFileTree() --this DisplayMapFileTree must only recreate all KEY_WORDS to display them in a tree --****************************************************************** if Debug == nil then Debug = false end if Show == nil then Show = false end local KEY_WORDS = {} local TREE_LEVEL = {} local FILE_LINE = {} local COMMENT = {} local level = 0 if type(EXML) ~= "table" or #EXML <= 1 then return FILE_LINE,TREE_LEVEL,KEY_WORDS end --*************************************************************************************************** local function FindKeywordsInLine(TextFile,i) local KeywordsInRange = "" local text = TextFile[i] if string.find(text,[[me=]],1,true) ~= nil and string.find(text,[[ue=]],1,true) ~= nil then --a line like <Property name="" value="" /> --"name" is a potential special_keyword local value = StripInfo(text,[[ue="]],[["]]) -- if value ~= "" and value ~= "True" and value ~= "False" and tonumber(value) == nil and string.find(value,".",1,true) == nil then -- if value ~= "" and value ~= "True" and value ~= "False" and tonumber(value) == nil then if value ~= "" then local name = StripInfo(text,[[me="]],[["]]) KeywordsInRange = "[*"..string.format("%8u",i)..[[: ]]..name..[[="]]..value.."\"]" end end --if string.find( return KeywordsInRange end --*************************************************************************************************** local Pak_FileName = LocatePAK(filename) local Pak_FileNamePath = gNMS_PCBANKS_FOLDER_PATH..Pak_FileName local fileInfo = string.gsub(filename,[[\]],[[.]]) local filepathname = "..\\MapFileTrees\\"..fileInfo if _mUSE_TXT_MAPFILETREE then filepathname = filepathname..".txt" --delete old other versions local OLDfilepathname = "..\\MapFileTrees\\"..fileInfo..".lua" --os.remove(OLDfilepathname) --don't use, can get stuck local cmd = [[Del /f /q /s "]]..OLDfilepathname..[[" 1>NUL 2>NUL]] NewThread(cmd) elseif _mUSE_LUA_MAPFILETREE then filepathname = filepathname..".lua" --delete old other versions local OLDfilepathname = "..\\MapFileTrees\\"..fileInfo..".txt" --os.remove(OLDfilepathname) --don't use, can get stuck local cmd = [[Del /f /q /s "]]..OLDfilepathname..[[" 1>NUL 2>NUL]] NewThread(cmd) else --set default _mUSE_TXT_MAPFILETREE = true filepathname = filepathname..".txt" --delete old other versions local OLDfilepathname = "..\\MapFileTrees\\"..fileInfo..".lua" --os.remove(OLDfilepathname) --don't use, can get stuck local cmd = [[Del /f /q /s "]]..OLDfilepathname..[[" 1>NUL 2>NUL]] NewThread(cmd) end if IsFile2Newest(Pak_FileNamePath,filepathname) then --the MapFileTree file is newest than the NMS pak file --no need to update print(" MapFileTree is up-to-date!") Report(""," MapFileTree is up-to-date!") return FILE_LINE,TREE_LEVEL,KEY_WORDS end print(" Creating MapFileTree...") -- print("XYZ = "..filename) local WholeTextFile = LoadFileData([[MOD\]]..filename) --the EXML file as one text, for speed searching for uniqueness --skipping a few lines at start local j = 0 repeat j = j + 1 if EXML[j] == nil then break end until string.find(EXML[j],[[<Data template=]],1,true) ~= nil for i=j,#EXML do local text = EXML[i] if string.find(text,[[/>]],1,true) ~= nil then local Name = "" if string.find(text,[[<Property name=]],1,true) ~= nil and string.find(text,[[value=]],1,true) ~= nil then Name = StripInfo(text,[[<Property name="]],[[" value=]]) end if Name ~= "" then local result = FindKeywordsInLine(EXML,i) if result ~= "" then --like [* 6: Id="VEHICLE_SCAN"] --print(" Line "..i.." Name is ["..Name.."]") --like: <Property name="Filename" value="MODELS/PLANETS/BIOMES/BARREN/HQ/TREES/DRACAENA.SCENE.MBIN" /> --like: <Property name="Id" value="DRONE" /> --like: <Property name="CreatureType" value="Walker" /> --like: ... --usually could be a SIGNIFICANT KEY_WORD table.insert(FILE_LINE,i) table.insert(TREE_LEVEL,level+1) --check for uniqueness and report local s = trim(text) --fastest way!!! --gsub and gmatch take too long local firstPosStart,firstPosEnd = string.find(WholeTextFile,s,1,true) local secondPos = string.find(WholeTextFile,s,firstPosEnd+1,true) value = StripInfo(result,[[=]],"]") local UniqueMsg = [[.S.]] if secondPos == nil then UniqueMsg = [[.SU]] if value == [["True"]] or value == [["False"]] or tonumber(string.sub(value,2,-2)) ~= nil then UniqueMsg = [[.su]] end elseif value == [["True"]] or value == [["False"]] or tonumber(string.sub(value,2,-2)) ~= nil then UniqueMsg = [[.s.]] end table.insert(KEY_WORDS, [[{"]]..StripInfo(result,[[: ]],[[=]])..[[",]]..value..[[,},]]) --remembers name and value table.insert(COMMENT, UniqueMsg) else --like: <Property name="Seed" value="0" /> --skip it end end --from here, no lines with /> elseif string.find(text,[[</Property>]],1,true) ~= nil then --like: </Property> --NOT a KEY_WORD but should remove preceding KEY_WORD table.insert(FILE_LINE,i) table.insert(TREE_LEVEL,level) table.insert(KEY_WORDS, "<<< }") --remembers end of section table.insert(COMMENT, [[ ]]) level = level - 1 elseif string.find(text,[[<Property name=]],1,true) ~= nil and string.find(text,[[value=]],1,true) ~= nil then --like: <Property name="ProceduralTexture" value="TkProceduralTextureChosenOptionList.xml"> --usually NOT a KEY_WORD but may be needed to match </Property> removing a KEY_WORD level = level + 1 table.insert(FILE_LINE,i) table.insert(TREE_LEVEL,level) local name = StripInfo(text,[[<Property name=]],[[ value=]]) --remembers name local specialName = "" --this could also be a SPECIALNAME --like: <Property name="Rarity" value="GcRarity.xml"> local value = StripInfo(text,[[value="]],[["]]) local UniqueMsg = [[PS.]] if value ~= "" and value ~= "True" and value ~= "False" and tonumber(value) == nil then --check for uniqueness and report local s = trim(text) --fastest way!!! --gsub and gmatch take too long local firstPosStart,firstPosEnd = string.find(WholeTextFile,s,1,true) local secondPos = string.find(WholeTextFile,s,firstPosEnd+1,true) if secondPos == nil then UniqueMsg = [[PSU]] if value == "True" or value == "False" or tonumber(value) ~= nil then UniqueMsg = [[Psu]] end end specialName = [[ / {]]..name..[[,"]]..value..[[",},]] elseif value == "True" or value == "False" or tonumber(value) ~= nil then UniqueMsg = [[Ps.]] end table.insert(KEY_WORDS, name..","..specialName) if specialName ~= "" then table.insert(COMMENT, UniqueMsg) else table.insert(COMMENT, [[ ]]) end elseif string.find(text,[[Property name=]],1,true) ~= nil then --like: <Property name="Landmarks"> --this is usually a SIGNIFICANT KEY_WORD level = level + 1 table.insert(FILE_LINE,i) table.insert(TREE_LEVEL,level) table.insert(KEY_WORDS, StripInfo(text,[[Property name=]],[[>]])..",") --remembers name table.insert(COMMENT, [[P..]]) elseif string.find(text,[[Property value=]],1,true) ~= nil then --like: <Property value="TkProceduralTextureChosenOptionSampler.xml"> --could be a SIGNIFICANT KEY_WORD level = level + 1 table.insert(FILE_LINE,i) table.insert(TREE_LEVEL,level) table.insert(KEY_WORDS, StripInfo(text,[[Property value=]],[[>]])..",") --remembers value table.insert(COMMENT, [[P..]]) elseif string.find(text,[[<Data template=]],1,true) ~= nil then --like: <Data template="GcExternalObjectList"> --encountered only once at first line --NEVER a KEY_WORD table.insert(FILE_LINE,i) table.insert(TREE_LEVEL,level) table.insert(KEY_WORDS, StripInfo(text,[[<Data template=]],[[>]])) --remembers template table.insert(COMMENT, [[ ]]) elseif string.find(text,[[</Data>]],1,true) ~= nil then --like: </Data> --encountered only once at end of file --NEVER a KEY_WORD table.insert(FILE_LINE,i) table.insert(TREE_LEVEL,level) table.insert(KEY_WORDS, "/Data }") --remembers "/Data" table.insert(COMMENT, [[ ]]) end end local info = {} if _mUSE_LUA_MAPFILETREE then --pre-process info to LUA format local previousLevel = -1 -- local comment = "" for i=1,#KEY_WORDS do if (_mUSE_LUAPLUS_MAPFILETREE and KEY_WORDS[i] == "<<< }") or (KEY_WORDS[i] ~= "<<< }") then local line = string.format("%8u",FILE_LINE[i]) local level = string.format("%2u",TREE_LEVEL[i]) local comment = COMMENT[i] local nLevel = tonumber(level) if _mUSE_LUAPLUS_MAPFILETREE and KEY_WORDS[i] == "<<< }" then nLevel = nLevel - 1 end if i > 1 then if nLevel < previousLevel then if _mUSE_LUAPLUS_MAPFILETREE then --nothing to do --info[#info] = info[#info] --.." ".."}" else if KEY_WORDS[i] ~= "<<< }" or KEY_WORDS[i] ~= "/Data }" then -- info[#info] = info[#info].." "..string.rep("}",previousLevel - nLevel) -- else info[#info] = info[#info].." "..string.rep("}",previousLevel - nLevel) end end end if nLevel <= previousLevel then if not _mUSE_LUAPLUS_MAPFILETREE and (string.sub(info[#info],1,3) == "{[P" and string.sub(comment,1,1) == "P") then info[#info] = info[#info].." }" end end end previousLevel = nLevel local tStart = ":" if string.sub(comment,1,1) == "P" or (i == 1) then tStart = "{" end local INFO = tStart.."["..comment..":"..line..":"..level.."]" if TREE_LEVEL[i] > 0 then info[#info+1] = INFO.." "..string.rep("| ",TREE_LEVEL[i]-1)..KEY_WORDS[i] else if i == 1 then info[#info+1] = INFO..string.rep(" ",TREE_LEVEL[i])..string.sub(KEY_WORDS[i],2,-2).." --Do not use, NOT a KEYWORD" elseif i == #KEY_WORDS then info[#info+1] = INFO..string.rep(" ",TREE_LEVEL[i])..KEY_WORDS[i].." --Do not use, NOT a KEYWORD" else info[#info+1] = INFO..string.rep(" ",TREE_LEVEL[i])..KEY_WORDS[i] end end end end else --_mUSE_TXT_MAPFILETREE --nothing to pre-process end --os.remove([["]]..filepathname..[["]]) --don't use, can get stuck local cmd = [[Del /f /q /s "]]..filepathname..[[" 1>NUL 2>NUL]] NewThread(cmd) sleep(1) --let os catchup local filehandle = WriteToFileEXT(filepathname) if filehandle ~= nil then filehandle:write("MapFileTree: "..filename.." ("..Pak_FileName..") "..os.date(_mDateTimeFormat).."\n") filehandle:write(" [WARNING] Lower case 's/u' are Special/Unique with 'True', 'False' or a number".."\n") filehandle:write(" TYPE = 'P'receding, 'S/s'pecial, 'U/u'nique".."\n") filehandle:write(" TYPE:FILELINE:LEVEL KEYWORDS".."\n") if _mUSE_LUA_MAPFILETREE then for i=1,#info do filehandle:write(info[i].."\n") end elseif _mUSE_TXT_MAPFILETREE then for i=1,#KEY_WORDS do if _mUSE_TXTPLUS_MAPFILETREE or KEY_WORDS[i] ~= "<<< }" then local line = string.format("%8u",FILE_LINE[i]) local level = string.format("%2u",TREE_LEVEL[i]) local tKeywords = KEY_WORDS[i] if tKeywords == "<<< }" then tKeywords = string.sub(tKeywords,1,3) end local info = "" if i == 1 then info = "["..COMMENT[i]..":"..line..":"..level.."]"..string.rep(" ",TREE_LEVEL[i])..string.sub(tKeywords,2,-2).." --Do not use, NOT a KEYWORD" elseif i == #KEY_WORDS then info = "["..COMMENT[i]..":"..line..":"..level.."]"..string.rep(" ",TREE_LEVEL[i])..string.sub(tKeywords,1,-2).." --Do not use, NOT a KEYWORD" else info = "["..COMMENT[i]..":"..line..":"..level.."]"..string.rep(" ",TREE_LEVEL[i])..tKeywords end filehandle:write(info.."\n") end end end filehandle:write(" TYPE:FILELINE:LEVEL KEYWORDS".."\n") filehandle:write(" TYPE = 'P'receding, 'S/s'pecial, 'U/u'nique".."\n") filehandle:write(" [WARNING] Lower case 's/u' are Special/Unique with 'True', 'False' or a number".."\n") filehandle:write("MapFileTree: "..filename.." ("..Pak_FileName..") "..os.date(_mDateTimeFormat).."\n") filehandle:close() end print(" done!") Report(""," Created MapFileTree") return FILE_LINE,TREE_LEVEL,KEY_WORDS end function TranslateMathOperatorCommandAndGetValue(TextFileTable, SearchKeyProperty, pos, direction) if direction == "forward" then for k=pos,#TextFileTable,1 do if (string.find(TextFileTable[k], [["]]..SearchKeyProperty..[["]]) or (SearchKeyProperty == "IGNORE")) then return StripInfo(TextFileTable[k],[[value="]],[["]]) end end elseif direction == "backward" then for k=pos,1,-1 do if (string.find(TextFileTable[k], [["]]..SearchKeyProperty..[["]]) or (SearchKeyProperty == "IGNORE")) then return StripInfo(TextFileTable[k],[[value="]],[["]]) end end end end function CheckValueType(value,IsInteger_to_floatFORCE) local ValueTypeIsNumber = (type(tonumber(value)) == "number") local ValueIsInteger = false if not IsInteger_to_floatFORCE and ValueTypeIsNumber then ValueIsInteger = (string.find(value,".",1,true) == nil) end return ValueTypeIsNumber, ValueIsInteger end function IntegerIntegrity(number,valueIsInteger) --this needs MAINTENANCE !!! --if string.find(property,"Amount") or string.find(property,"Cost") or string.find(property,"Time") then return math.floor(number+0.5) --this one: no maintenance if valueIsInteger then return math.floor(number+0.5) end return number end function ExecuteMathOperation(math_operation,operand1,operand2) pv("foundValue["..tostring(operand1).."]") pv("currentValue=["..tostring(operand2).."]") if operand1 == nil then --subtitute 0, error was already reported operand1 = 0 end if operand2 == nil then --subtitute 0, error was already reported operand2 = 0 end local tmp = nil if math_operation == "*" then tmp = tonumber(operand1)*tonumber(operand2) elseif math_operation == "+" then tmp = tonumber(operand1)+tonumber(operand2) elseif math_operation == "-" then tmp = tonumber(operand1)-tonumber(operand2) elseif math_operation == "/" then tmp = tonumber(operand1)/tonumber(operand2) else Report(math_operation,"Unknown MATH_OPERATION. Please check your script!","WARNING") print(_zRED..">>> [WARNING] Unknown MATH_OPERATION: ["..math_operation.."] Please check your script!".._zDEFAULT) return 1 end if tmp == math.tointeger(tmp) then --this could still be a REAL integer not a float tmp = math.tointeger(tmp) end return tmp end --################ BELOW: USERSCRIPT PROCESSING ############################### --*************************************************************************************************** function SerializeScript(object,multiline,name) local r = serializeObject(object,multiline,0,name) --from Loadhelpers local t = {} for w in string.gmatch(r,"[^\n]+") do table.insert(t,w) end --cleanup strings for i=1,#t do local text = t[i] if trim(text) == "" then --remove empty lines t[i] = "" end --remove trailing whitespace t[i] = rtrim(text) end local w = {} for i=1,#t do if t[i] ~= "" then table.insert(w,t[i]) end end t = w --end cleanup strings local i = 1 repeat -- print(i.."["..t[i].."]") if string.find(t[i],"VALUE_CHANGE_TABLE",1,true) ~= nil then -- print(i.."A["..t[i].."]") i = i + 2 while trim(t[i]) ~= "}," do -- print(i.."B["..t[i].."]") t[i] = t[i]..trim(t[i+1])..trim(t[i+2])..trim(t[i+3]) t[i+1] = "" t[i+2] = "" t[i+3] = "" i = i + 4 end i = i + 1 elseif string.find(t[i],"SPECIAL_KEY_WORDS",1,true) ~= nil then if trim(t[i+1]) == "{" then --a table local anchorLine = i t[anchorLine] = t[anchorLine].." "..trim(t[anchorLine+1]) t[anchorLine+1] = "" local pointer = 2 repeat t[anchorLine] = t[anchorLine]..trim(t[anchorLine+pointer]) t[anchorLine+pointer] = "" pointer = pointer + 1 until trim(t[anchorLine+pointer]) == "}," t[anchorLine] = t[anchorLine]..trim(t[anchorLine+pointer]) t[anchorLine+pointer] = "" i = i + pointer end i = i + 1 elseif string.find(t[i],"PRECEDING_KEY_WORDS",1,true) ~= nil then if trim(t[i+1]) == "{" then --a table local anchorLine = i t[anchorLine] = t[anchorLine].." "..trim(t[anchorLine+1]) t[anchorLine+1] = "" local pointer = 2 repeat t[anchorLine] = t[anchorLine]..trim(t[anchorLine+pointer]) t[anchorLine+pointer] = "" pointer = pointer + 1 until trim(t[anchorLine+pointer]) == "}," t[anchorLine] = t[anchorLine]..trim(t[anchorLine+pointer]) t[anchorLine+pointer] = "" i = i + pointer end i = i + 1 else i = i + 1 end until i > #t r = {} for i=1,#t do if t[i] ~= "" then r[#r+1] = t[i] end end return r end --*************************************************************************************************** function AnalyzeScript(script,scriptFilename,scriptFilenamePath) local problemFound = false local possibleProblemFound = False print() print(" @@@ ********** Analysing script... **********") if script == nil then return true end --_mLUAC print() print(" @@@ Checking script using LUAC.exe...") local tmpScriptLUACFileName = "LUAC_"..scriptFilename local resultFileName = "LastScriptCheckResults_LUAC.lua" local scriptLUAC = string.gsub(script,[[\\]],[[/]]) -- just to prevent luac from complaining about bad escape sequences WriteToFileAppend(scriptLUAC,tmpScriptLUACFileName) --script to the tmp file local cmd = [[]].._mLUAC..[[ -p "]]..tmpScriptLUACFileName..[["2>"]]..resultFileName..[["]] -- print("["..cmd.."]") local r,s,n = NewThread(cmd) local LUACerrorTable = ParseTextFileIntoTable(resultFileName) problemFound = (#LUACerrorTable > 0) for i=1,#LUACerrorTable do local text = string.gsub(LUACerrorTable[i],_mLUAC,"") text = string.sub(text,8) firstPos = string.find(text,":",1,true) if firstPos ~= nil then text = string.sub(text,1,firstPos-1).." line "..string.sub(text,firstPos+1) end print(_zRED.." - "..text.._zDEFAULT) end os.remove(tmpScriptLUACFileName) if problemFound then print(" @@@ Done but found problem(s)") else -- print(" DONE: Using LUAC.exe...") print(" @@@ Done without problem") end print() if Container_info == nil then dofile("Container_info.lua") end --let us try to find the start and end of NMS_MOD_DEFINITION_CONTAINER local containerStartLine = 0 --easy local containerEndLine = 0 --harder if some code after with tables in it local scriptTable = ParseTextFileIntoTable(scriptFilenamePath) for i=1,#scriptTable do if string.find(trim(scriptTable[i]),"NMS_MOD_DEFINITION_CONTAINER",1,true) == 1 then containerStartLine = i end end local openBracketCount = 0 local closeBracketCount = 0 -- local BracketLevel = 0 local foundContainer = false local modified = false print(" @@@ Scanning script for container...") --*************************************************************************************************** local function isBalanced(s,t) --Lua pattern matching has a 'balanced' pattern that matches sets of balanced characters. --Any two characters can be used. checkFor = '%b'..t print(checkFor) print(s:gsub(checkFor,'')=='') return s:gsub(checkFor,'')=='' and true or false end --*************************************************************************************************** -- local IsScriptSingleQuotesBalanced = isBalanced(script,[['']]) -- print(string.format([[ Are script '' balanced? %s]],IsScriptSingleQuotesBalanced)) -- local IsScriptDoubleQuotesBalanced = isBalanced(script,[[""]]) -- print(string.format([[ Are script "" balanced? %s]],IsScriptDoubleQuotesBalanced)) -- local IsScriptSquareBalanced = isBalanced(script,"[]") -- print(string.format(" Are script [] balanced? %s",IsScriptSquareBalanced)) -- local IsScriptCurlyBalanced = isBalanced(script,"{}") -- print(string.format(" Are script {} balanced? %s",IsScriptCurlyBalanced)) -- print() for i=containerStartLine,#scriptTable do local skip = false if scriptTable[i] ~= nil then local t = trim(scriptTable[i]) if string.sub(t,1,2) == "--" then --a comment, skip line skip = true elseif string.find(t,"--",1,true) ~= nil then --there is a comment at the end of this line, remove it local commentStartCol = string.find(t,"--",1,true) t = string.sub(t,1,commentStartCol - 1) end if not skip then --how many { and } on this line? local _,n = string.gsub(t,"{","{") openBracketCount = openBracketCount + n local _,n = string.gsub(t,"}","}") closeBracketCount = closeBracketCount + n if not foundContainer and (openBracketCount > 0 and (closeBracketCount == openBracketCount)) then --we have reach the end of the container or the container is malformed foundContainer = true containerEndLine = i print(" > CONTAINER found at lines "..containerStartLine.."-"..containerEndLine.." (found "..closeBracketCount.." {} pairs)") print(" > CONTAINER will be further analyzed...") end end end end if openBracketCount == 0 then --we have reach the end of the file and not found the container print("CONTAINER not found!") problemFound = true end if openBracketCount > 0 and (closeBracketCount ~= openBracketCount) then --we have reach the end of the file and the container is malformed print(" > Ended file scan with "..openBracketCount.." '{' and "..closeBracketCount.." '}' brackets") if openBracketCount > closeBracketCount then print(_zRED.." > Check for some missing '}' ".._zDEFAULT) else print(_zRED.." > Check for some missing '{' ".._zDEFAULT) end print(_zRED.." > CONTAINER starts at line "..containerStartLine.."-(ending uncertain)".._zDEFAULT) print(_zRED.." > CONTAINER is malformed!".._zDEFAULT) end if containerEndLine == 0 then -- modified = true end print(" @@@ Done") local tmpScriptFileName = "CheckScript.lua" local resultFileName = "CheckScriptResults.lua" WriteToFile([[--# selene: allow(unscoped_variables)]].."\n",tmpScriptFileName) --adding to block warning: not local in whole file --WriteToFile([[--# selene: allow(unused_variable)]].."\n",tmpScriptFileName) --adding to block warning: unused variable in whole file WriteToFileAppend([[-- selene: allow(unused_variable)]].."\n",tmpScriptFileName) --adding to block warning: not used for NMS_MOD_DEFINITION_CONTAINER WriteToFileAppend([[NMS_MOD_DEFINITION_CONTAINER = {}]].."\n",tmpScriptFileName) --needed for preceding selene block to work --extra lines in file due to selene local extraLines = 3 --we do this because selene cannot handle the " - " correctly in a file name, it thinks it is an options flag WriteToFileAppend(script,tmpScriptFileName) --script to the tmp file local cmd = [[selene.exe --display-style="quiet" "]]..tmpScriptFileName..[[">"]]..resultFileName..[["]] -- -- print("["..cmd.."]") local r,s,n = os.execute(cmd) print() if r == nil then print(" @@@ Basic Syntax Analysis detected these other problems, see also ModScriptCheck folder...") --we need to removed the extra lines from the results file local rs = ParseTextFileIntoTable(resultFileName) for i=1,#rs - 4 do --skip last 4 lines local text = rs[i] local nStart = string.find(text,":",1,true) + 1 local nLineLength = string.find(string.sub(text,nStart),":",1,true) - 1 local lastPart = string.sub(text,nStart + nLineLength) local sLineNum = string.sub(text,nStart,nStart + nLineLength - 1) local lineNum = tonumber(sLineNum) - extraLines rs[i] = string.sub(text,1,nStart - 1)..lineNum..lastPart local nColLength = string.find(string.sub(lastPart,2),":",1,true) - 1 local sColNum = string.sub(lastPart,2,1 + nColLength) local msg = string.sub(lastPart,1 + nColLength + 1) if string.find(msg,"error",1,true) ~= nil then possibleProblemFound = true end print(_zRED.." > line "..lineNum..", col "..sColNum.." "..msg.._zDEFAULT) end WriteToFile(ConvertLineTableToText(rs),[[..\ModScriptCheck\]]..scriptFilename..[[.selene.txt]]) else print(" @@@ Basic Syntax Analysis did not detect any problems") end print(" @@@ Done") print() os.remove(tmpScriptFileName) os.remove(resultFileName) return problemFound,possibleProblemFound,modified end --*************************************************************************************************** function OpenUserScript() local Hash = "" local success = false --*************************************************************************************************** local function load_conf() local env = { string = string, math = math, table = table, tonumber = tonumber, tostring = tostring, type = type, print = print, assert = assert, io = {open=io.open,type=io.type,input=io.input,read=io.read,close=io.close,lines=io.lines,}, os = {clock=os.clock,date=os.date,difftime=os.difftime,time=os.time,tmpname=os.tmpname,getenv=os.getenv,}, pairs = pairs, ipairs = ipairs, } --user can use anything inside this new environment in the user script --*************************************************************************************************** local scriptFilenamePath = LoadFileData("CurrentModScript.txt") local scriptFilename = GetFilenameFromFilePath(scriptFilenamePath) os.remove([[..\ModScriptCheck\]]..scriptFilename..[[.selene.txt]]) --try to delete the last analysis local script = LoadFileData(scriptFilenamePath) -- print("script = ["..script.."]") --for backward compatibility script = string.gsub(script,[[REPLACE_AFTER_ENTRY]],[[PRECEDING_KEY_WORDS]]) script = string.gsub(script,[[ADDSECTION]],[[ADDAFTERSECTION]]) script = string.gsub(script,[[\]],[[\\]]) --preventing those nasty escape sequence when \ is used inside a "" --prevent the use of :write in the script (prevent injection) if string.find(script,[[:write]],1,true) ~= nil then local scriptFile = ParseTextFileIntoTable(scriptFilenamePath) for i=1,#scriptFile do if string.find(scriptFile[i],[[:write]],1,true) ~= nil then if string.sub(trim(scriptFile[i]),1,2) ~= [[--]] then return {}, "XXXXX <not allowed> Lua keyword in used on line "..i.." of the script XXXXX" end end end end --$$$$$$$$$$$$$$$$ FOR DEBUG local problemFound = false local modified = false problemFound,possibleProblemFound,modified = AnalyzeScript(script,scriptFilename,scriptFilenamePath) if problemFound or possibleProblemFound then print() print(_zRED.."[NOTICE] Some problem/warning found by analyzing the script (see above)...".._zDEFAULT) if modified then print(_zRED.." We may have MODIFIED the script to help pinpoint the problem".._zDEFAULT) print(_zRED.." Please retry it to get further guidance!".._zDEFAULT) else print(_zRED.." You could need to correct it and retry!".._zDEFAULT) end print() end --$$$$$$$$$$$$$$$$ FOR DEBUG -- To be used if you want to inspect the loaded script if _mDEBUG ~= nil then WriteToFile(script, "..\\TempScript.lua") end -- if not problemFound then -- print(">>> Creating script Hash...") -- local sha1 = require 'sha1' -- Hash = sha1.hex(string.sub(script,1,#script - 40)) -- gSCRIPTBUILDERscript = (Hash == string.sub(script,#script - 39)) -- if gSCRIPTBUILDERscript then print("A SCRIPTBUILDER script!") end -- end --*************************************************************************************************** local function MyErrHandler(x) print("") print(_zRED.."Lua Script error: "..x.._zDEFAULT) Report("","Lua Script error: "..x,"ERR") -- print(debug.traceback(nil,0)) -- Report("", debug.traceback(nil,0),"ERR") LuaEndedOk(THIS) end -- --*************************************************************************************************** -- local function GetScript() -- return load(script,"User Script",'t',env) -- end if not problemFound then print(">>> Loading script...") success, chunk = xpcall(load(script,"User Script",'t',env),MyErrHandler) --better -- local chunk, failure = load(script,"User Script",'t',env) if success then -- chunk() elseif chunk ~= nil then print("") print("Lua is reporting: "..chunk) Report("","Lua is reporting: "..chunk,"ERR") else print("xpcall problem") end else success = false end return env, chunk, success end --*************************************************************************************************** --################### MAIN CODE ################################### local conf,status,success = load_conf() if success then if conf.NMS_MOD_DEFINITION_CONTAINER == nil or conf.NMS_MOD_DEFINITION_CONTAINER == "" then success = false end end -- if status == nil or status == false then --only use this if not using pcall above if success then --use this if using pcall above local msg1 = "USER" if gSCRIPTBUILDERscript then msg1 = "SCRIPTBUILDER" end print(_zGREEN..">>> [INFO] Success loading ".._zDEFAULT..msg1.._zGREEN.." script".._zDEFAULT) NMS_MOD_DEFINITION_CONTAINER = conf.NMS_MOD_DEFINITION_CONTAINER --*************************************************************************************************** local function SerializeLoadedScript(TableName,thisTable,indentLevel,outTable) local tmp = "" if #outTable > 0 then tmp = string.gsub(outTable[#outTable],"| ","") --remove all "| " tmp = string.gsub(tmp," --<<<<<","") --remove all " --<<<<<" --never found tmp = string.gsub(tmp," --<<<<","") --remove all " --<<<<" tmp = string.gsub(tmp," --<<<","") --remove all " --<<<" end --handles '{' only if tonumber(TableName) == nil then table.insert(outTable,string.rep("| ",indentLevel - 2)..TableName.." = {") indentLevel = indentLevel + 1 --added if TableName == "VALUE_CHANGE_TABLE" or TableName == "EXML_CHANGE_TABLE" or TableName == "MBIN_CHANGE_TABLE" or TableName == "MODIFICATIONS" then --for TABLE OF TABLES indentLevel = indentLevel + 1 --added end elseif trim(tmp) == "}," then indentLevel = indentLevel - 2 table.insert(outTable,string.rep("| ",indentLevel - 2).."{ --++") --never found else -- local pos = string.find(outTable[#outTable]," --",1,true) -- tmp = outTable[#outTable] -- if pos ~= nil then -- tmp = string.sub(outTable[#outTable],1,pos) -- end -- outTable[#outTable] = tmp.."{ --<<<<" indentLevel = indentLevel - 2 table.insert(outTable,string.rep("| ",indentLevel - 2).."{ --+++") end --END: handles '{' only --handles all fields for k,v in pairs(thisTable) do local value = "" if type(v) == "table" then indentLevel = indentLevel + 1 SerializeLoadedScript(k,v,indentLevel,outTable) --recursive indentLevel = indentLevel - 1 else if type(v) == "nil" then value = "nil," elseif type(v) == "string" then v = string.gsub(v,[[\\]],[[\]]) --remove \\ in [[...]] strings value = "[["..v.."]]," elseif type(v) == "number" then value = tostring(v).."," elseif type(v) == "boolean" then if v then value = "[[true]]," else value = "[[false]]," end end local info = "" if tonumber(k) == nil then info = k.." = " end table.insert(outTable,string.rep("| ",indentLevel-1)..info..value) end end --END: handles all fields tmp = string.gsub(outTable[#outTable],"| ","") --remove all "| " tmp = string.gsub(tmp," --<<<<<","") --remove all " --<<<<<" --never found tmp = string.gsub(tmp," --<<<<","") --remove all " --<<<<" tmp = string.gsub(tmp," --<<<","") --remove all " --<<<" --handles '}' only if trim(tmp) == "}," then indentLevel = indentLevel - 1 end if TableName == "VALUE_CHANGE_TABLE" or TableName == "EXML_CHANGE_TABLE" or TableName == "MBIN_CHANGE_TABLE" or TableName == "MODIFICATIONS" then --for TABLE OF TABLES indentLevel = indentLevel - 2 --added end table.insert(outTable,string.rep("| ",indentLevel - 2).."}, --<<<") -- if trim(tmp) == "}," then -- outTable[#outTable] = outTable[#outTable].."}, --<<<<<" --never used? -- else -- table.insert(outTable,string.rep("| ",indentLevel - 1).."}, --<<<") -- end --END: handles '}' only end --*************************************************************************************************** if _mSerializeScript == "Y" then -- this serialize ALL scripts, if allowed print(_zGREEN..">>> [INFO] Creating scriptname.serial.lua in ModScriptCheck folder, please wait...".._zDEFAULT) -- print() -- print("@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@") local indentLevel = 1 local outTable = {} local TableName = "NMS_MOD_DEFINITION_CONTAINER" SerializeLoadedScript(TableName,NMS_MOD_DEFINITION_CONTAINER,indentLevel,outTable) outTable[#outTable] = string.sub(outTable[#outTable],1,-2) -- remove last , local scriptFilenamePath = LoadFileData("CurrentModScript.txt") local scriptFilename = GetFilenameFromFilePath(scriptFilenamePath) WriteToFile(ConvertLineTableToText(outTable), [[..\ModScriptCheck\]]..string.sub(scriptFilename,1,-5)..[[.serial.lua]]) -- for i=1,#outTable do -- print(outTable[i]) -- end -- print("@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@") -- print() end if _bScriptCounter == _bNumberScripts then -- we are at the last script (or maybe this is the only script) -- this serialize only this script, if allowed if _mSERIALIZING == "Y" then print(_zGREEN..">>> [INFO] Serializing loaded script, please wait...".._zDEFAULT) local scriptTable = SerializeScript(NMS_MOD_DEFINITION_CONTAINER,true,"NMS_MOD_DEFINITION_CONTAINER") WriteToFile(ConvertLineTableToText(scriptTable), "..\\SerializedScript.lua") end end print(_zGREEN..">>> [INFO] Executing now...".._zDEFAULT) pv("["..Hash.."]") print() else NMS_MOD_DEFINITION_CONTAINER = "" -- print("") -- print(status) print("XXXXX Error loading USER script! XXXXX") print("") WriteToFile("", "LoadScriptAndFilenamesERROR.txt") if status ~= nil then Report(LoadFileData("CurrentModScript.txt"),tostring(status)) end -- local problemFound = false -- problemFound = AnalyzeScript(script,scriptFilename,scriptFilenamePath) -- if problemFound then -- print() -- print(_zRED.."[NOTICE] Some problem found by analyzing the script, it was MODIFIED to help pinpoint the problem".._zDEFAULT) -- print(_zRED.." Please retry it!".._zDEFAULT) -- print() -- end end return NMS_MOD_DEFINITION_CONTAINER end --*************************************************************************************************** function LookAt_MOD_PAK_SOURCE_content(flag) print(flag) local temp_MOD_PAK_SOURCE = ParseTextFileIntoTable("MOD_PAK_SOURCE.txt") for i=1,#temp_MOD_PAK_SOURCE do print(" ["..temp_MOD_PAK_SOURCE[i].."]") end end --*************************************************************************************************** function LocateMOD_PAK_SOURCE(file) local pak_listTable = gpak_listTable local TempMBIN = string.gsub(file,[[\]],[[/]]) local Pak_File = "" local found = false --LookAt_MOD_PAK_SOURCE_content("- DDDDD before finding source") -- print("TempMBIN = "..TempMBIN) -- print("pak_list.txt = "..#pak_listTable) for i=1,#pak_listTable,1 do local line = pak_listTable[i] if line ~= nil then if string.find(line,"Listing ",1,true) ~= nil then local start,stop = string.find(line,"Listing ",1,true) Pak_File = string.sub(line, stop+1) -- print("["..Pak_File.."]") elseif string.find(line,TempMBIN,1,true) ~= nil then found = true --added "\n".. as a work around for strange bug --without, the entries would not be on separate lines all the time WriteToFileAppend("\n"..Pak_File.."\n", "MOD_PAK_SOURCE.txt") break end end end --LookAt_MOD_PAK_SOURCE_content("- CCCCC after finding source") return found,Pak_File end --*************************************************************************************************** function TestScript(NMS_MOD_DEFINITION_CONTAINER) local abortProcessing = false local MaxPakNameLength = _bMaxPakNameLength local mod_filename = NMS_MOD_DEFINITION_CONTAINER["MOD_FILENAME"] if mod_filename == nil or mod_filename == "" then print(_zRED.."[WARNING] MOD filename not found, using 'GENERIC.pak' as name".._zDEFAULT) Report("","MOD filename not found, using 'GENERIC.pak' as name","WARNING") mod_filename = "GENERIC.pak" end if mod_filename ~= "" and string.sub(mod_filename,-4) ~= ".pak" then mod_filename = string.sub(mod_filename,1,MaxPakNameLength) mod_filename = mod_filename..".pak" print(_zRED.."[WARNING] Added .pak extension to MOD filename".._zDEFAULT) Report("","Added .pak extension to MOD filename","WARNING") else mod_filename = string.sub(mod_filename,1,#mod_filename-4) mod_filename = string.sub(mod_filename,1,MaxPakNameLength) mod_filename = mod_filename..".pak" end local mod_author = NMS_MOD_DEFINITION_CONTAINER["MOD_AUTHOR"] if mod_author == nil then mod_author = "" end WriteToFile(mod_author, "MOD_AUTHOR.txt") local lua_author = NMS_MOD_DEFINITION_CONTAINER["LUA_AUTHOR"] if lua_author == nil then lua_author = "" end WriteToFile(lua_author, "LUA_AUTHOR.txt") WriteToFile(mod_filename, "MOD_FILENAME.txt") local mod_batchname = NMS_MOD_DEFINITION_CONTAINER["MOD_BATCHNAME"] if mod_batchname == nil then mod_batchname = "" end if mod_batchname ~= "" and string.sub(mod_batchname,-4) ~= ".pak" then mod_batchname = string.sub(mod_batchname,1,MaxPakNameLength) mod_batchname = mod_batchname..".pak" else mod_batchname = string.sub(mod_batchname,1,#mod_batchname-4) mod_batchname = string.sub(mod_batchname,1,MaxPakNameLength) mod_batchname = mod_batchname..".pak" end if mod_batchname ~= ".pak" then print("[INFO] Current MOD_BATCHNAME set to ".._zGREEN.."["..mod_batchname.."]".._zDEFAULT) print() Report(""," Current MOD_BATCHNAME set to ["..mod_batchname.."]") WriteToFile(mod_batchname, "MOD_BATCHNAME.txt") end local NewMBIN_FILES = {} --*************************************************************************************************** local function IsNewMBIN_File(NewMBIN_FILES,candidate) local answer = false for i=1,#NewMBIN_FILES do if candidate == NewMBIN_FILES[i] then answer = true break end end return answer end --*************************************************************************************************** local mod_def = NMS_MOD_DEFINITION_CONTAINER["MODIFICATIONS"] if mod_def~=nil then local WordWrap1 = "\n" local WordWrap2 = "\n" for n=1,#mod_def,1 do if n == #mod_def then WordWrap1 = "" end local ConflictTable = {} local mod_def_change_table = mod_def[n]["MBIN_CHANGE_TABLE"] if mod_def_change_table == nil then print(_zRED.."[WARNING] MODIFICATIONS["..n.."] is empty!".._zDEFAULT) mod_def_change_table = {} abortProcessing = true end for m=1,#mod_def_change_table,1 do local mbin_file_source = mod_def_change_table[m]["MBIN_FILE_SOURCE"] if mbin_file_source == nil then mbin_file_source = "" abortProcessing = true end if type(mbin_file_source) == "table" then if type(mbin_file_source[1]) == "table" then --alternate syntax #3 pv("DETECTED a table of tables MBIN_FILE_SOURCE") for k=1,#mbin_file_source,1 do mbin_file_source[k][1] = NormalizePath(mbin_file_source[k][1]) mbin_file_source[k][2] = NormalizePath(mbin_file_source[k][2]) pv("Writing to MOD_MBIN_SOURCE.txt, MBIN_FILE_SOURCE["..k.."][1] "..mbin_file_source[k][1]) table.insert(NewMBIN_FILES,mbin_file_source[k][2]) if not IsNewMBIN_File(NewMBIN_FILES,mbin_file_source[k][1]) then if m==#mod_def_change_table and n == #mod_def and k==#mbin_file_source then --last one of the table WordWrap2 = "" end if n==1 and m==1 and k==1 then --first time only WriteToFile(mbin_file_source[k][1]..WordWrap2,"MOD_MBIN_SOURCE.txt") else WriteToFileAppend(mbin_file_source[k][1]..WordWrap2,"MOD_MBIN_SOURCE.txt") end end end else --alternate syntax #2 pv("DETECTED a normal MBIN_FILE_SOURCE table") for k=1,#mbin_file_source,1 do mbin_file_source[k] = NormalizePath(mbin_file_source[k]) pv("MBIN_FILE_SOURCE["..k.."] "..mbin_file_source[k]) if not IsNewMBIN_File(NewMBIN_FILES,mbin_file_source[k]) then pv("Writing to MOD_MBIN_SOURCE.txt, mbin_file_source[k] = "..mbin_file_source[k]) if m==#mod_def_change_table and n==#mod_def and k==#mbin_file_source then --last one of the table WordWrap2 = "" end if n==1 and m==1 and k==1 then --first time only WriteToFile(mbin_file_source[k]..WordWrap2,"MOD_MBIN_SOURCE.txt") else WriteToFileAppend(mbin_file_source[k]..WordWrap2,"MOD_MBIN_SOURCE.txt") end end end end else --alternate syntax #1 pv("DETECTED MBIN_FILE_SOURCE as a string or nil") mbin_file_source = NormalizePath(mbin_file_source) if mbin_file_source == nil then print(_zRED.."[WARNING] MBIN_FILE_SOURCE["..n.."]["..m.."] is empty!".._zDEFAULT) mbin_file_source = "" abortProcessing = true else pv("MBIN_FILE_SOURCE["..n.."]["..m.."] "..mbin_file_source) end if not IsNewMBIN_File(NewMBIN_FILES,mbin_file_source) then pv("Writing to MOD_MBIN_SOURCE.txt, mbin_file_source = "..mbin_file_source) if m==#mod_def_change_table and n==#mod_def then WordWrap2 = "" end if n==1 and m==1 then --first time only WriteToFile(mbin_file_source..WordWrap2,"MOD_MBIN_SOURCE.txt") else WriteToFileAppend(mbin_file_source..WordWrap2,"MOD_MBIN_SOURCE.txt") end end end end end --CleanUP MOD_MBIN_SOURCE.txt local MBIN_SOURCE = ParseTextFileIntoTable("MOD_MBIN_SOURCE.txt") for i=1,#MBIN_SOURCE do for j=i+1,#MBIN_SOURCE do if MBIN_SOURCE[i] == MBIN_SOURCE[j] then MBIN_SOURCE[j] = "" end end end local MBIN_SOURCE_temp = {} for i=1,#MBIN_SOURCE do if MBIN_SOURCE[i] ~= "" then table.insert(MBIN_SOURCE_temp,MBIN_SOURCE[i]) end end WriteToFile(ConvertLineTableToText(MBIN_SOURCE_temp),"MOD_MBIN_SOURCE.txt") -- print("__________________________________________") --check PAK_SOURCE for each MBIN_FILE_SOURCE local MODS_pak_list = ParseTextFileIntoTable("MODS_pak_list.txt") -- print("MODS_pak_list = "..#MODS_pak_list) local MBIN_Source = ParseTextFileIntoTable("MOD_MBIN_SOURCE.txt") for i=1,#MBIN_Source do local TempMBIN = MBIN_Source[i] local found = false --check if this file is already in MODBUILDER\MOD local TempEXML = string.gsub(MBIN_Source[i],[[.MBIN.PC]],[[.MBIN]]) TempEXML = string.gsub(TempEXML,[[.MBIN]],[[.EXML]]) if IsFileExist([[.\MOD\]]..TempEXML) then found = true else TempMBIN = string.gsub(MBIN_Source[i],[[\]],[[/]]) for j=1,#MODS_pak_list do -- print("["..MODS_pak_list[j].."]") if trim(MODS_pak_list[j]) == "FROM MODS" then -- print(">>> break on FROM MODS") break else if string.find(MODS_pak_list[j],TempMBIN,1,true) ~= nil then --this MBIN is in one of the ModScript paks -- print(">>> Found "..TempMBIN.." in MODS_pak_list.txt at "..j) found = true break end end end end if not found then --this MBIN is not in any of the ModScript paks local found,Pak_File = LocateMOD_PAK_SOURCE(MBIN_Source[i]) -- print("this "..Pak_File) if not found then print(_zRED.."[WARNING] NMS PAK not found for ["..MBIN_Source[i].."]. Check your file path/name, if it is a NMS file!".._zDEFAULT) Report("","NMS PAK not found for ["..MBIN_Source[i].."]. Check your file path/name, if it is a NMS file!","WARNING") abortProcessing = true end end end --LookAt_MOD_PAK_SOURCE_content("- BBBBB before cleanup") --CleanUP MOD_PAK_SOURCE.txt local PAK_Source = ParseTextFileIntoTable("MOD_PAK_SOURCE.txt") for i=1,#PAK_Source do for j=i+1,#PAK_Source do if PAK_Source[i] == PAK_Source[j] then PAK_Source[j] = "" end end end local PAK_Source_temp = {} for i=1,#PAK_Source do if PAK_Source[i] ~= "" then table.insert(PAK_Source_temp,PAK_Source[i]) end end WriteToFile(ConvertLineTableToText(PAK_Source_temp),"MOD_PAK_SOURCE.txt") --LookAt_MOD_PAK_SOURCE_content("- AAAAA finally") else abortProcessing = true WriteToFile("", "MOD_MBIN_SOURCE.txt") WriteToFile("", "MOD_PAK_SOURCE.txt") -- WriteToFile("", "MOD_FILENAME.txt") end return abortProcessing end --*************************************************************************************************** function ProcessScript(NMS_MOD_DEFINITION_CONTAINER,Multi_pak,_bScriptName) --Wbertro --edge case involving combining and a certain type of scripts --need to signal GetFreshSources to threat REMOVE files differently -- if REMOVE, open fresh copy in ALT folder -- if REMOVE, file in ALT is to be used by TestScript above then deleted print(">>> [INFO] Checking MBIN_FILE_SOURCE validity...") abortProcessing = TestScript(NMS_MOD_DEFINITION_CONTAINER) if not abortProcessing then local global_integer_to_float = NMS_MOD_DEFINITION_CONTAINER["GLOBAL_INTEGER_TO_FLOAT"] WriteToFileAppend("\nOriginal information:\n",[[COMBINED_CONTENT_LIST.txt]]) local MOD_FILENAME = NMS_MOD_DEFINITION_CONTAINER["MOD_FILENAME"] if MOD_FILENAME == nil then MOD_FILENAME = "Unknown" end WriteToFileAppend(" MOD FILENAME: "..MOD_FILENAME.."\n",[[COMBINED_CONTENT_LIST.txt]]) local MOD_AUTHOR = NMS_MOD_DEFINITION_CONTAINER["MOD_AUTHOR"] if MOD_AUTHOR == nil then MOD_AUTHOR = "Unknown" end WriteToFileAppend(" MOD AUTHOR: "..MOD_AUTHOR.."\n",[[COMBINED_CONTENT_LIST.txt]]) local LUA_AUTHOR = NMS_MOD_DEFINITION_CONTAINER["LUA_AUTHOR"] if LUA_AUTHOR == nil then LUA_AUTHOR = "Unknown" end WriteToFileAppend(" LUA AUTHOR: "..LUA_AUTHOR.."\n",[[COMBINED_CONTENT_LIST.txt]]) local MOD_DESCRIPTION = NMS_MOD_DEFINITION_CONTAINER["MOD_DESCRIPTION"] if MOD_DESCRIPTION == nil then MOD_DESCRIPTION = "Unknown" end WriteToFileAppend("MOD DESCRIPTION: "..MOD_DESCRIPTION.."\n",[[COMBINED_CONTENT_LIST.txt]]) local NMS_VERSION = NMS_MOD_DEFINITION_CONTAINER["NMS_VERSION"] if NMS_VERSION == nil then NMS_VERSION = "Unknown" end WriteToFileAppend(" NMS VERSION: "..NMS_VERSION.."\n",[[COMBINED_CONTENT_LIST.txt]]) -- ***************** global_integer_to_float section ******************** if global_integer_to_float == nil then global_integer_to_float = "" end global_integer_to_float = string.upper(global_integer_to_float) local IsGlobalInteger_to_floatDeclared = (global_integer_to_float ~= "") local IsGlobalInteger_to_floatPRESERVE = (global_integer_to_float == "PRESERVE") local IsGlobalInteger_to_floatFORCE = (global_integer_to_float == "FORCE") if IsGlobalInteger_to_floatDeclared then print() print(_zGREEN..[[>>> [NOTICE] GLOBAL_INTEGER_TO_FLOAT is "]]..global_integer_to_float..[["]].._zDEFAULT) Report(global_integer_to_float,[[>>> GLOBAL_INTEGER_TO_FLOAT is]],"NOTICE") end if IsGlobalInteger_to_floatDeclared and not (IsGlobalInteger_to_floatPRESERVE or IsGlobalInteger_to_floatFORCE) then print(_zRED..[[>>> [WARNING] GLOBAL_INTEGER_TO_FLOAT value is incorrect, should be "", "FORCE" or "PRESERVE"]].._zDEFAULT) Report(global_integer_to_float,[[>>> GLOBAL_INTEGER_TO_FLOAT value is incorrect, should be "", "FORCE" or "PRESERVE"]],"WARNING") global_integer_to_float = "" --not used until corrected end -- ***************** END: global_integer_to_float section ******************** print("--------------------------------------------------------------------------------------") if os.execute([[cmd /c GetFreshSources.bat]]) == nil then print(_zRED.." [ERROR] GetFreshSources.bat ended unexpectedly".._zDEFAULT) table.insert(gModScriptFailed,_bScriptName..": GetFreshSources.bat ended unexpectedly") end --reset LuaStarting() HandleModScript(NMS_MOD_DEFINITION_CONTAINER,Multi_pak,global_integer_to_float) --make date format configurable local now = os.date(_mDateTimeFormat) WriteToFile(now,[[DateTime.txt]]) local cleanedNow = string.gsub(now,[[/]],[[]]) cleanedNow = string.gsub(cleanedNow,[[\]],[[]]) cleanedNow = string.gsub(cleanedNow,[[:]],[[]]) cleanedNow = string.gsub(cleanedNow,[[*]],[[]]) cleanedNow = string.gsub(cleanedNow,[[?]],[[]]) cleanedNow = string.gsub(cleanedNow,[["]],[[]]) cleanedNow = string.gsub(cleanedNow,[[<]],[[]]) cleanedNow = string.gsub(cleanedNow,[[>]],[[]]) cleanedNow = string.gsub(cleanedNow,[[|]],[[]]) WriteToFile(cleanedNow,[[cleanedDateTime.txt]]) --used by CreateMod.bat if CustomDateTimeFormat then print(_zRED..">>> [INFO] Using custom DateTime format!".._zDEFAULT) Report("") Report("","Using custom DateTime format!") end if _bCOMBINE_MODS == "0" then -- an Individual mod -- create mod after each script is processed print(_zRED..">>> [INFO] Building MOD now...".._zDEFAULT) os.execute([[cmd /c CreateMod.bat]]) --reset LuaStarting() if IsFileExist("MBINCompiler_error.txt") then local MBINCompilerFailedMsg = ParseTextFileIntoTable("MBINCompiler_error.txt") for i=1,#MBINCompilerFailedMsg do table.insert(gModScriptFailed,_bScriptName..": MBINCompiler failed to produce file: "..MBINCompilerFailedMsg[i]) end end Report("") Report("","Ending MBIN/PAK phase...") elseif _bNumberScripts == _bScriptCounter then -- all other types of mod: (generic in name), (distinct in name) and Mod1+Mod2+Mod3.pak type mods print(_zRED..">>> [INFO] Reached LAST script of Combined Mod, Building MOD now...".._zDEFAULT) os.execute([[cmd /c CreateMod.bat]]) --reset LuaStarting() if IsFileExist("MBINCompiler_error.txt") then local MBINCompilerFailedMsg = ParseTextFileIntoTable("MBINCompiler_error.txt") for i=1,#MBINCompilerFailedMsg do table.insert(gModScriptFailed,_bScriptName..": MBINCompiler failed to produce file: "..MBINCompilerFailedMsg[i]) end end Report("") Report("","Ending MBIN/PAK phase...") else print(_zRED..">>> [INFO] Combined Mod ACTIVE: Delaying Building MOD...".._zDEFAULT) Report("","Combined Mod ACTIVE: Delaying Building MOD...") end else --on abortProcessing print(_zRED..">>> [INFO] Processing aborted...".._zDEFAULT) Report("","Processing aborted...") table.insert(gModScriptFailed,_bScriptName..": Problem while testing script") end end --################ end USERSCRIPT PROCESSING ############################### -- **************************************************** -- main (above should be like SCRIPTBUILDER\TestReCreatedScript.lua) -- (below not at all) -- **************************************************** if gVerbose == nil then dofile("LoadHelpers.lua") end pv(">>> In LoadAndExecuteModScript.lua") gfilePATH = "..\\" --for Report() THIS = "In LoadAndExecuteModScript: " NMS_FOLDER = LoadFileData("NMS_FOLDER.txt") NMS_FOLDER = string.gsub(NMS_FOLDER,"\n","") --remove line break if any gNMS_PCBANKS_FOLDER_PATH = NMS_FOLDER..[[\GAMEDATA\PCBANKS\]] -- print("************* ["..gNMS_PCBANKS_FOLDER_PATH.."]") gMASTER_FOLDER_PATH = LoadFileData("MASTER_FOLDER_PATH.txt") gLocalFolder = [[MODBUILDER\MOD\]] gSCRIPTBUILDERscript = false --global for all sub-scripts gSaveSectionContent = {} gSaveSectionName = {} gUseSectionContent = {} gUseSectionName = {} --to print them --GetLuaCurrentKeyWordsAndAll(_G,"",true) --Get all environment variables once _mLUAC = os.getenv("_mLUAC") _bNumberScripts = os.getenv("_bNumberScripts") _bScriptName = os.getenv("_bScriptName") _bCOMBINE_MODS = os.getenv("_bCOMBINE_MODS") _mIncludeLuaScriptInPak = os.getenv("-IncludeLuaScriptInPak") _bCOPYtoNMS = os.getenv("_bCOPYtoNMS") _bAllowMapFileTreeCreator = os.getenv("_bAllowMapFileTreeCreator") _bCreateMapFileTree = os.getenv("_bCreateMapFileTree") --internal only _bReCreateMapFileTree = os.getenv("-ReCreateMapFileTree") --from OPTIONS _mUSE_TXT_MAPFILETREE = (os.getenv("-MAPFILETREE") == "TXT") or (os.getenv("-MAPFILETREE") == "TXTPLUS") _mUSE_LUA_MAPFILETREE = (os.getenv("-MAPFILETREE") == "LUA") or (os.getenv("-MAPFILETREE") == "LUAPLUS") _mUSE_TXTPLUS_MAPFILETREE = os.getenv("-MAPFILETREE") == "TXTPLUS" _mUSE_LUAPLUS_MAPFILETREE = os.getenv("-MAPFILETREE") == "LUAPLUS" _mSERIALIZING = os.getenv("_mSERIALIZING") _bMaxPakNameLength = os.getenv("_bMaxPakNameLength") --default _mDateTimeFormat = "%Y/%m/%d-%H:%M:%S" CustomDateTimeFormat = false if IsFileExist([[..\DateTimeFormat.txt]]) then local tmpDTF = LoadFileData([[..\DateTimeFormat.txt]]) if tmpDTF ~= nil and tmpDTF ~= _mDateTimeFormat then _mDateTimeFormat = tmpDTF CustomDateTimeFormat = true end end _mWbertro = os.getenv("_mWbertro") _bOS_bitness = os.getenv("_bOS_bitness") _bCPU = os.getenv("_bCPU") _bMinCPU = os.getenv("_bMinCPU") _mISxxx = os.getenv("_mISxxx") _mSHOWSECTIONS = os.getenv("-SHOWSECTIONS") _mSHOWEXTRASECTIONS = os.getenv("-SHOWEXTRASECTIONS") _mDEBUG = os.getenv("_mDEBUG") _mSerializeScript = os.getenv("-SerializeScript") --end Get all environment variables once gpak_listTable = ParseTextFileIntoTable("pak_list.txt") gModScriptLuaDirList = {} --Only files in ModScript (no sub-directory) gModScriptLuaDirList = ListDir(gModScriptLuaDirList,[[..\ModScript]],true,false) --clean and keep only .lua scripts local tempList = {} for i=1,#gModScriptLuaDirList do if string.sub(gModScriptLuaDirList[i],-4) == ".lua" then tempList[#tempList+1] = gModScriptLuaDirList[i] end end gModScriptLuaDirList = tempList _bScriptCounter = 0 WriteToFile("", "ScriptCounter.txt") gModScriptFailed = {} _bNumberScripts = #gModScriptLuaDirList for i=1,_bNumberScripts do -- print(gModScriptLuaDirList[i]) _bScriptCounter = i _bScriptName = gModScriptLuaDirList[i] -- print("_bScriptName = [".._bScriptName.."]") -- echo|set /p="%%G">CurrentModScript.txt -- echo|set /p="%%~nxG">CurrentModScript_Short.txt WriteToFile(gMASTER_FOLDER_PATH..[[ModScript\]].._bScriptName, "CurrentModScript.txt") WriteToFile(_bScriptName, "CurrentModScript_Short.txt") print() print(_zBLACKonYELLOW.." >>> Starting to process script #".._bScriptCounter.." of ".._bNumberScripts .." [".._bScriptName.."] ".._zDEFAULT) print() print(">>> Opening User Lua Script, Please wait...") --************************************************* gNMS_MOD_DEFINITION_CONTAINER = OpenUserScript() --************************************************* if (_mWbertro ~= nil) and gNMS_MOD_DEFINITION_CONTAINER ~= nil then SaveTable("..\\TempTable.txt",gNMS_MOD_DEFINITION_CONTAINER,"NMS_MOD_DEFINITION_CONTAINER") end if type(gNMS_MOD_DEFINITION_CONTAINER) == "table" then if _bAllowMapFileTreeCreator == "Y" then if _bNumberScripts > 0 then if not IsFileExist("MapFileTreeSharedList.txt") then WriteToFile("","MapFileTreeSharedList.txt") end dofile("CreateMapFileTreeStarter.lua") end end if _bCOMBINE_MODS == "0" or _bScriptCounter == 1 then --INDIVIDUAL MODs: Cleaning directory MOD each time --COMBINED MOD: Cleaning directory MOD before first script only local cmd = [[CleanMod.bat]] NewThread(cmd) end if type(gNMS_MOD_DEFINITION_CONTAINER[1]) == "table" then local Container = gNMS_MOD_DEFINITION_CONTAINER for i=1,#Container do if i > 1 then print() print(_zRED..">>> Still processing script #".._bScriptCounter.." of ".._bNumberScripts.." [".._bScriptName.."]".._zDEFAULT) print() Report("") Report("","========================================================================================") Report("","Still processing script #".._bScriptCounter.." of ".._bNumberScripts.." [".._bScriptName.."]") else Report("") Report("","========================================================================================") Report("","Processing script #".._bScriptCounter.." of ".._bNumberScripts.." [".._bScriptName.."]") end print(_zGREEN.." ++++++++++ A Multi-PAK script ++++++++++".._zDEFAULT) print(_zGREEN.." >>> Processing sub-script #"..i..[[ of ]]..#Container.._zDEFAULT) print() Report(""," ++++++++++ A Multi-PAK script ++++++++++") Report(""," >>> Processing sub-script #"..i..[[ of ]]..#Container) if _mIncludeLuaScriptInPak ~= nil then print(">>> Copying script source to MOD") Report("","Copying script source to MOD") --copy script to MOD folder FilePathSource = LoadFileData("CurrentModScript.txt") -- print("["..FilePathSource.."]") FolderPath = [[.\MOD\]]..LoadFileData("CurrentModScript_Short.txt") -- print("["..FolderPath.."]") local cmd = [[xcopy /y /h /v /i "]]..FilePathSource..[[" "]]..FolderPath..[[*" 1>NUL 2>NUL]] NewThread(cmd) end ProcessScript(Container[i],True,_bScriptName) -- Report("","Ending MBIN/PAK phase...") -- this is handle by CreateMod.bat -- if _bCOMBINE_MODS == "0" then -- --individual mod -- Report("","Copied PAKs to NMS MOD folder...") -- end Report("","Ended sub-script "..i.." of [".._bScriptName.."]") if i == #Container then Report("","Ended script [".._bScriptName.."]") end Report("","========================================================================================}") --spacing for sub-script print() Report("") end else --only one entry Report("") Report("","========================================================================================") Report("","Starting to process script #".._bScriptCounter.." of ".._bNumberScripts.." [".._bScriptName.."] {") print(_zGREEN.." ++++++++++ A Single-PAK script ++++++++++".._zDEFAULT) print() if _mIncludeLuaScriptInPak == "Y" then print(">>> Copying script source to MOD") Report("","Copying script source to MOD") --copy script to MOD folder FilePathSource = LoadFileData("CurrentModScript.txt") -- print("["..FilePathSource.."]") FolderPath = [[.\MOD\]]..LoadFileData("CurrentModScript_Short.txt") -- print("["..FolderPath.."]") local cmd = [[xcopy /y /h /v /i "]]..FilePathSource..[[" "]]..FolderPath..[[*" 1>NUL 2>NUL]] NewThread(cmd) end ProcessScript(gNMS_MOD_DEFINITION_CONTAINER,false,_bScriptName) -- Report("","Ending MBIN/PAK phase...") -- this is handle by CreateMod.bat -- if _bCOMBINE_MODS == "0" then -- --individual mod -- Report("","Copied PAKs to NMS MOD folder...") -- end Report("","Ended script [".._bScriptName.."]") Report("","========================================================================================}") Report("") end else --only one entry Report("") Report("","========================================================================================") Report("","Starting to process script #".._bScriptCounter.." of ".._bNumberScripts.." [".._bScriptName.."] {") table.insert(gModScriptFailed,_bScriptName..": Could not load NMS_MOD_DEFINITION_CONTAINER") WriteToFile("", "MOD_MBIN_SOURCE.txt") WriteToFile("", "MOD_PAK_SOURCE.txt") WriteToFile("", "MOD_FILENAME.txt") WriteToFile("", "MOD_AUTHOR.txt") WriteToFile("", "LUA_AUTHOR.txt") WriteToFile("", "LoadScriptAndFilenamesERROR.txt") print(_zRED..">>> [ERROR] NMS_MOD_DEFINITION_CONTAINER is not a table, this script has a problem!".._zDEFAULT) print("") Report("","Impossible to load USER script!","ERROR") Report("","NMS_MOD_DEFINITION_CONTAINER is not a table, this script has a problem!"," >>>") Report("","Check the 'Analysis section' of the cmd window or the log.txt file for hints"," >>>") end --save _bScriptCounter for batch WriteToFile(tostring(_bScriptCounter), "ScriptCounter.txt") print() print(_zDARKGRAY.."-----------------------------------------------------------".._zDEFAULT) print(_zRED..">>> Scripts processed: ".._bScriptCounter.._zDEFAULT) print(_zRED..">>> Total scripts to process: ".._bNumberScripts.._zDEFAULT) print(_zDARKGRAY.."-----------------------------------------------------------".._zDEFAULT) if _bCOMBINE_MODS ~= "0" then --when combined mod if _bNumberScripts == _bScriptCounter then print() print(_zGREEN..">>> Done building ALL scripts".._zDEFAULT) Report("","Done building ALL scripts") if string.sub(_bCOPYtoNMS,1,1) ~= "N" then print(_zGREEN..">>> Copying PAK to NMS MOD folder...".._zDEFAULT) Report("","Copied PAK to NMS MOD folder...") end end end end for i=1,#gModScriptFailed do WriteToFileAppend(gModScriptFailed[i].."\n","FailedScriptList.txt") end pv(THIS.."ending") LuaEndedOk(THIS)
-- -- Created by IntelliJ IDEA. -- User: Noneatme -- Date: 29.01.2015 -- Time: 13:40 -- To change this template use File | Settings | File Templates. -- cConfiguration = inherit(cSingleton) --[[ ]] -- /////////////////////////////// -- ///// checkFile ////// -- ///// Returns: void ////// -- /////////////////////////////// function cConfiguration:checkFile() self.xml = xmlLoadFile(self.m_sFileName); if not(self.xml) then self.xml = xmlCreateFile(self.m_sFileName, "config"); if(self.m_bInsertJustOnNoneExists == true) then for index, val in pairs(self.defaultValues2) do self:setConfig(index, val) end if(self.xtraValues) then for index, val in pairs(self.xtraValues) do self:setConfig(index, val) end end end end xmlSaveFile(self.xml); end -- /////////////////////////////// -- ///// setConfig ////// -- ///// Returns: void ////// -- /////////////////////////////// function cConfiguration:setConfig(sConfig, sValue) if not(self.xml) then outputChatBox("Fatal Error: Config File not Available!", 255, 0, 0) return false; end local node = xmlFindChild(self.xml, sConfig, 0); if not(node) then node = xmlCreateChild(self.xml, sConfig); end local sucess = xmlNodeSetValue(node, tostring(sValue)); xmlSaveFile(self.xml) if(sucess) then return sValue; end return false; end -- /////////////////////////////// -- ///// getConfig ////// -- ///// Returns: void ////// -- /////////////////////////////// function cConfiguration:getConfig(sConfig) if not(self.xml) then outputChatBox("Fatal Error: Config File not Available!", 255, 0, 0) return false; end local node = xmlFindChild(self.xml, sConfig, 0); if not(node) then node = xmlCreateChild(self.xml, sConfig); end local value = xmlNodeGetValue(node); if not(value) or (string.len(value) < 1) then if(self.defaultValues[sConfig]) then value = self.defaultValues[sConfig]; self:setConfig(sConfig, value); outputDebugString("[CONFIG] Config "..sConfig.." not found, using default ("..tostring(value)..")"); return value else return false; end else return value end return false; end -- /////////////////////////////// -- ///// removeConfig ////// -- ///// Returns: void ////// -- /////////////////////////////// function cConfiguration:removeConfig(sConfig) if not(self.xml) then outputChatBox("Fatal Error: Config File not Available!", 255, 0, 0) return false; end local node = xmlFindChild(self.xml, sConfig, 0); if(node) then local sucess = xmlDestroyNode(node) xmlSaveFile(self.xml) return sucess end return false; end -- /////////////////////////////// -- ///// getAllConfig ////// -- ///// Returns: void ////// -- /////////////////////////////// function cConfiguration:getAllConfig() if not(self.xml) then outputChatBox("Fatal Error: Config File not Available!", 255, 0, 0) return false; end local childs = xmlNodeGetChildren(self.xml); local tbl = {} for index, _ in ipairs(childs) do tbl[xmlNodeGetName(childs[index])] = xmlNodeGetValue(childs[index]) end return tbl end -- /////////////////////////////// -- ///// loadCoreConfig ////// -- ///// Returns: void ////// -- /////////////////////////////// function cConfiguration:loadCoreConfig() -- FPS -- local fps = tonumber(self:getConfig("fps")); setFPSLimit(fps); -- CURSOR -- local cursor = self:getConfig("cursorbind"); local function bindDat(sKey) bindKey(sKey, "both", function( key, state) if not (cursorOverride) then showCursor(state == "down") end end) end bindDat(cursor) addCommandHandler("bindcursor", function(cmd, key) bindDat(key) end) -- DEV MODE -- local devmode = toBoolean(self:getConfig("development")) setDevelopmentMode(devmode) -- HEAT HAZE -- local heatHaze = tonumber(self:getConfig("heathaze")); if not(heatHaze) then resetHeatHaze() else setHeatHaze(heatHaze) end -- INTERIOR SOUNDS -- local intSound = toBoolean(self:getConfig("interior_sounds")) setInteriorSoundsEnabled(intSound); -- Occlusions -- local occlusions = toBoolean(self:getConfig("occlusions")) setOcclusionsEnabled(occlusions); -- Moon size -- local moon_size = tonumber(self:getConfig("moon_size")) if(moon_size) then setMoonSize(moon_size) end -- Hotsound -- hitsoundEnabled = toBoolean(self:getConfig("hitsound_enabled")) addCommandHandler("hitsound", function() hitsoundEnabled = not(hitsoundEnabled) if(hitsoundEnabled) then outputChatBox("Der Hitsound wurde angeschaltet!", 0, 255, 0) else outputChatBox("Der Hitsound wurde ausgeschaltet!", 0, 255, 0) end self:setConfig("hitsound_enabled", tostring(hitsoundEnabled)); end) addCommandHandler("changelog", function() local file = File("res/txt/changelog.txt") local content = file:read(file:getSize()) for index, row in ipairs(split(content, "\n")) do outputConsole(row); end file:close() end) if(toboolean(self:getConfig("load_world_textures")) == false) then local _engineApplyShaderToWorldTexture = engineApplyShaderToWorldTexture function engineApplyShaderToWorldTexture(...) return false end end end -- /////////////////////////////// -- ///// loadBasicConfig ////// -- ///// Returns: void ////// -- /////////////////////////////// function cConfiguration:loadBasicConfig() for config, default in pairs(self.defaultValues) do local dat = self:getConfig(config); setElementData(localPlayer, config, dat); end end -- /////////////////////////////// -- ///// loadCommands ////// -- ///// Returns: void ////// -- /////////////////////////////// function cConfiguration:loadCommands() addCommandHandler("scrambleword", function(cmd, ...) local s = scrambleWord((table.concat({...}, " ") or "hello")) outputConsole("Wort: "..s) setClipboard(s) end) end -- /////////////////////////////// -- ///// Constructor ////// -- ///// Returns: void ////// -- /////////////////////////////// function cConfiguration:constructor(sFileName, sDefaultValues, insertOnNonExists) -- Klassenvariablen -- self.defaultValues = { ["fps"] = "60", ["cursorbind"] = "m", ["moon_size"] = "0", ["heathaze"] = "reset", ["interior_sounds"] = "true", ["occlusions"] = "false", ["development"] = "true", ["upload_blitzer_images"] = "true", ["log_console"] = "false", ["nametags_enabled"] = "true", ["hud_enabled"] = "true", ["render_infotext"] = "true", ["render_3dtext"] = "true", ["save_password"] = "false", ["saved_password"] = "-", ["hitsound_enabled"] = "false", ["ooc_chat"] = "true", ["popsound"] = "res/sounds/poke.ogg", ["hide_scoreboard_avatar"] = "false", ["lowrammode"] = "false", ["log_actions"] = "true", ["load_world_textures"] = "true", ["log_debug"] = "false", } if not(sFileName) then sFileName = "config.xml"; end if(sDefaultValues) then self.defaultValues = {} self.defaultValues2 = sDefaultValues; end self.m_sFileName = sFileName; self.m_bInsertJustOnNoneExists = insertOnNonExists -- Funktionen -- self:checkFile() if(sFileName == "config.xml") then self:loadCommands(); self:loadCoreConfig() self:loadBasicConfig(); end addEventHandler("onClientResourceStop", getResourceRootElement(getThisResource()), function() if(self.xml) then xmlSaveFile(self.xml) xmlUnloadFile(self.xml) end end) -- Events -- end -- EVENT HANDLER --