content
stringlengths
5
1.05M
-- item_scroller is a replacement for ActorScroller. Kyzentun made it -- because writing code is easier than reading documentation and code and -- carefully verifying exactly what some unfamiliar actor class does. -- Original versions found in Consensual were named sick_wheel. -- item_scroller is based on the idea that you have some table of data to -- display, and an actor that can display one element of data. -- See Docs/Themerdocs/item_scroller.md for documentation. function table.rotate_right(t, r) local new_t= {} for n= 1, #t do local index= ((n - r - 1) % #t) + 1 new_t[n]= t[index] end return new_t end function table.rotate_left(t, r) local new_t= {} for n= 1, #t do local index= ((n + r - 1) % #t) + 1 new_t[n]= t[index] end return new_t end function wrapped_index(start, offset, set_size) return ((start - 1 + offset) % set_size) + 1 end function force_to_range(min, number, max) return math.min(max, math.max(min, number)) end -- These local functions are meant for internal use only. Things that use -- item_scroller should not need to call them directly. local function check_metatable(item_metatable) assert(item_metatable.__index.create_actors, "The metatable must have a create_actors function. This should return a Def.ActorFrame containing whatever actors will be needed for display.") assert(item_metatable.__index.transform, "The metatable must have a transform function. The transform function must take 3 arguments: position in list (1 to num_items), number of items in list, boolean indicating whether item has focus.") assert(item_metatable.__index.set, "The metatable must have a set function. The set function must take an instance of info, which it should use to set its actors to display the info.") end local function calc_start(self, info, pos) if self.disable_repeating and #info < #self.items then return pos end pos= math.floor(pos) - self.focus_pos if self.disable_wrapping then pos= force_to_range(1, pos, #info - #self.items + 1) if pos < 1 then pos= 1 end end return pos end local function call_item_set(self, item_index, info_index) self.info_map[item_index]= info_index self.items[item_index]:set(self.info_set[info_index]) end local function no_repeat_internal_scroll(self, focus_pos) for i, item in ipairs(self.items) do item:transform(i, #self.items, i == focus_pos, focus_pos) end end local function internal_scroll(self, start_pos) if self.disable_repeating and #self.info_set < #self.items then no_repeat_internal_scroll(self, start_pos) return end local shift_amount= start_pos - self.info_pos if math.abs(shift_amount) < #self.items then self.items= table.rotate_left(self.items, shift_amount) self.info_map= table.rotate_left(self.info_map, shift_amount) self.info_pos= start_pos if shift_amount < 0 then local absa= math.abs(shift_amount) for n= 1, absa+1 do if self.items[n] then local info_index= self:maybe_wrap_index(self.info_pos, n, self.info_set) call_item_set(self, n, info_index) end end elseif shift_amount > 0 then for n= #self.items - shift_amount, #self.items do if self.items[n] then local info_index= self:maybe_wrap_index(self.info_pos, n, self.info_set) call_item_set(self, n, info_index) end end end else self.info_pos= start_pos for i= 1, #self.items do local info_index= self:maybe_wrap_index(self.info_pos, i, self.info_set) call_item_set(self, i, info_index) end end if self.disable_repeating then for i, item in ipairs(self.items) do item:transform(i, #self.items, i == self.focus_pos, self.focus_pos) end else for i, item in ipairs(self.items) do item:transform(i, #self.items, i == self.focus_pos, self.focus_pos) end end end local function no_repeat_set_info_set(self, pos) self.info_pos= 1 for n= 1, #self.info_set do call_item_set(self, n, n) end for n= #self.info_set+1, #self.items do call_item_set(self, n, n) end internal_scroll(self, pos) end item_scroller_mt= { __index= { create_actors= function(self, name, num_items, item_metatable, mx, my, item_params) item_params= item_params or {} self.name= name self.info_pos= 1 self.info_map= {} self.num_items= num_items assert(item_metatable, "A metatable for items to be put in the item_scroller must be provided.") check_metatable(item_metatable) self.focus_pos= math.floor(num_items / 2) mx= mx or 0 my= my or 0 self.items= {} local args= { Name= self.name, InitCommand= function(subself) subself:xy(mx, my) self.container= subself end } for n= 1, num_items do local item= setmetatable({}, item_metatable) local sub_params= DeepCopy(item_params) sub_params.name= "item" .. n local actor_frame= item:create_actors(sub_params) self.items[#self.items+1]= item args[#args+1]= actor_frame end return Def.ActorFrame(args) end, maybe_wrap_index= function(self, ipos, n, info) if self.disable_wrapping then return ipos - 1 + n else return wrapped_index(ipos, n, #info) end end, set_info_set= function(self, info, pos) self.info_set= info if self.disable_repeating and #self.info_set < #self.items then no_repeat_set_info_set(self, pos) return end local start_pos= calc_start(self, info, pos) self.info_pos= start_pos for n= 1, #self.items do local index= self:maybe_wrap_index(start_pos, n, info) call_item_set(self, n, index) end internal_scroll(self, start_pos) end, set_element_info= function(self, element, info) self.info_set[element]= info for i= 1, #self.items do if self.info_map[i] == element then call_item_set(self, i, element) end end end, scroll_to_pos= function(self, pos) local start_pos= calc_start(self, self.info_set, pos) internal_scroll(self, start_pos) end, scroll_by_amount= function(self, a) internal_scroll(self, self.info_pos + a) end, get_info_at_focus_pos= function(self) local index= self:maybe_wrap_index(self.info_pos, self.focus_pos, self.info_set) return self.info_set[index] end, get_index= function(self) return self:maybe_wrap_index(self.info_pos, self.focus_pos, self.info_set) end, get_actor_item_at_focus_pos= function(self) return self.items[self.focus_pos] end, get_items_by_info_index= function(self, index) local ret= {} for i= 1, #self.items do if self.info_map[i] == index then ret[#ret+1]= self.items[i] end end return ret end, find_item_by_info= function(self, info) local ret= {} for i, item in ipairs(self.items) do if item.info == info then ret[#ret+1]= item end end return ret end, }}
function Server_AdvanceTurn_Order(game, order, result, skipThisOrder, addNewOrder) --result GameOrderAttackTransferResult --order GameOrderAttackTransfer if(order.proxyType == 'GameOrderAttackTransfer') then if(result.IsSuccessful == false)then local terr = game.ServerGame.LatestTurnStanding.Territories[order.To]; terrMod = WL.TerritoryModification.Create(terr.ID); terrMod.SetOwnerOpt=terr.OwnerPlayerID; terrMod.SetArmiesTo = result.AttackingArmiesKilled.NumArmies+game.ServerGame.LatestTurnStanding.Territories[order.To].NumArmies.NumArmies; --terrMod.SetArmiesTo = result.AttackingArmiesKilled.NumArmies+game.ServerGame.LatestTurnStanding.Territories[order.To].NumArmies.NumArmies-result.DefendingArmiesKilled.NumArmies; addNewOrder(WL.GameOrderEvent.Create(terr.OwnerPlayerID,"Attackfailed",{},{terrMod})); end end end
-- Give LuaEntity and get the corresponding entity-name for the filter -- Different tree entities get pooled under "fdp-tree-proxy" function get_entity_name(entity) if not entity then return nil elseif string.sub(entity.name, string.len(entity.name) - 3, -1) == "rail" then return "rail" elseif entity.name == "item-on-ground" then return entity.stack.name elseif entity.name == "deconstructible-tile-proxy" then return entity.surface.get_tile(entity.position.x, entity.position.y).prototype.mineable_properties.products[1].name elseif entity.type == "tree" then return "fdp-tree-proxy" else return entity.name end end -- Return the sprite identifier for a given filter function get_sprite_for_filter(filter) if filter == "" then return "" elseif filter == "fdp-tree-proxy" then return "entity/tree-03" elseif filter == "stone-rock" then return "entity/stone-rock" else return "item/"..filter end end -- Check if the given entity-name is in the current filter configuration function is_in_filter(player, entity_name) for i = 1, #global["config"][player.index]["filter"] do if global["config"][player.index]["filter"][i] == entity_name then return true end end return false end
--Warning when reading code: IS VERY MESSY! local AdvTiledLoader = require("AdvTiledLoader.Loader") require("camera") require("player") gameState = "level1" function levelDraw(level) level:setDrawRange(0, 0, level.width * level.tileWidth, level.height * level.tileHeight) end function love.load() love.graphics.setBackgroundColor(255,255,255) bigFont = love.graphics.setNewFont("manaspc.ttf", 24) smallFont = love.graphics.setNewFont("manaspc.ttf", 14) AdvTiledLoader.path = "maps/" level1 = AdvTiledLoader.load("level1.tmx") level2 = AdvTiledLoader.load("level2.tmx") level3 = AdvTiledLoader.load("level3.tmx") level4 = AdvTiledLoader.load("level4.tmx") level5 = AdvTiledLoader.load("level5.tmx") levelDraw(level1) levelDraw(level2) levelDraw(level3) levelDraw(level4) levelDraw(level5) levels = {{36, 36}, {love.graphics.getWidth() - 48, love.graphics.getHeight() - 48}} camera:setBounds(0, 0, level1.width, level1.height) menuSelection = "Play" player = { x = 48, y = 48, x_vel = 0, y_vel = 0, speed = 256, flySpeed = 700, state = "", h = 16, w = 16, standing = false, died = false } deathLevels = "" mapWidth = 480 mapHeight = 480 function player:right() self.x_vel = self.speed end function player:left() self.x_vel = -1 * (self.speed) end function player:up() self.y_vel = -1 * (self.speed) end function player:down() self.y_vel = self.speed end function player:stop() self.x_vel = 0 end function player:collide(event) if event == "floor" then self.y_vel = 0 self.standing = true end if event == "cieling" then self.y_vel = 0 end end function player:update(dt) self.state = self:getState() end function player:isColliding(map, x, y) local layer = map.tl["Solid"] local tileX, tileY = math.floor(x / map.tileWidth), math.floor(y / map.tileHeight) local tile = layer.tileData(tileX, tileY) return not(tile == nil) end function player:getState() local tempState = "" if self.standing then if self.x_vel > 0 then tempState = "right" elseif self.x_vel < 0 then tempState = "left" else tampState = "stand" end end if self.y_vel > 0 then tempState = "fall" elseif self.y_vel < 0 then tempState = "jump" end return tempState end function level(map) dt = love.timer.getDelta() local halfX = player.w / 2 -- center x of player local halfY = player.h / 2 -- center y of player local nextY = player.y + (player.y_vel*dt) if player.y_vel < 0 then if not (player:isColliding(map, player.x - halfX, nextY - halfY)) and not (player:isColliding(map, player.x + halfX - 1, nextY - halfY)) then player.y = nextY player.standing = false else player.y = nextY + map.tileHeight - ((nextY - halfY) % map.tileHeight) player:collide("cieling") player.died = true end end if player.y_vel > 2 then if not (player:isColliding(map, player.x-halfX, nextY + halfY)) and not(player:isColliding(map, player.x + halfX - 1, nextY + halfY)) then player.y = nextY player.standing = false else player.y = nextY - ((nextY + halfY) % map.tileHeight) player:collide("floor") player.died = true end end local nextX = player.x + (player.x_vel * dt) if player.x_vel > 0 then if not(player:isColliding(map, nextX + halfX, player.y - halfY)) and not(player:isColliding(map, nextX + halfX, player.y + halfY - 1)) then player.x = nextX else player.x = nextX - ((nextX + halfX) % map.tileWidth) player.died = true end elseif player.x_vel < 0 then if not(player:isColliding(map, nextX - halfX, player.y - halfY)) and not(player:isColliding(map, nextX - halfX, player.y + halfY - 1)) then player.x = nextX else player.x = nextX + map.tileWidth - ((nextX - halfX) % map.tileWidth) player.died = true end end end end function playerUpdate(dt) if dt > 0.05 then dt = 0.05 end if love.keyboard.isDown("right") then player:right() end if love.keyboard.isDown("left") then player:left() end if love.keyboard.isDown("down") then player:down() end if love.keyboard.isDown("up") then player:up() end player:update(dt) end function playerKeyReleased(key) if (key == "left") or (key == "right") then player.x_vel = 0 end if (key == "up") or (key == "down") then player.y_vel = 0 end end function love.update(dt) playerUpdate(dt) if love.keyboard.isDown("escape") then love.event.quit() end if gameState == "title" then if love.keyboard.isDown("up") then menuSelection = "Play" elseif love.keyboard.isDown("down") then menuSelection = "Quit" end if love.keyboard.isDown(" ", "enter") and gameState == "title" then if menuSelection == "Play" then gameState = "level1" elseif menuSelection == "Quit" then love.event.quit() end end elseif gameState == "level1" then level(level1) if player.died then player.x = 48 player.y = 48 player.died = false elseif player.y < 40 then gameState = "level2" end end if gameState == "level2" then level(level2) playerUpdate(dt) if player.died then player.x = love.graphics.getWidth() - 48 player.y = 50 player.died = false end if player.x < 34 then gameState = "level3" elseif love.keyboard.isDown("r") then gameState = "title" end end if gameState == "level3" then level(level3) playerUpdate(dt) if player.y > 443 then gameState = "level4" end if player.died then player.x = 48 player.y = 48 player.died = false end end if gameState == "level4" then level(level4) playerUpdate(dt) player.w = 16 player.h = 16 if player.y < 32 then gameState = "level5" end if player.died then player.x = love.graphics.getWidth() - 48 player.y = love.graphics.getHeight() - 48 player.died = false end end if gameState == "level5" then level(level5) playerUpdate(dt) player.w = 16 player.h = 16 if player.x > love.graphics.getWidth() - 32 then gameState = "finish" end if player.died then player.x = 111 player.y = 47 player.died = false end end if gameState == "finish" then if love.keyboard.isDown("r") then player.x = 48 player.y = 48 gameState = "title" end if love.keyboard.isDown(" ", "enter", "escape") then love.event.quit() end end end function love.draw() if gameState == "title" then love.graphics.setBackgroundColor(0,0,0) love.graphics.setColor(102,151,147) love.graphics.setFont(bigFont) love.graphics.print("MAZE GAME", 40, 40) if menuSelection == "Play" then love.graphics.setColor(255,255,255) love.graphics.setFont(smallFont) love.graphics.print("(HIT SPACE) (USE ARROW KEYS)", 110, 155) love.graphics.setFont(bigFont) love.graphics.setColor(255,0,0) else love.graphics.setColor(255,255,255) end love.graphics.print("PLAY", 40, 150) if menuSelection == "Quit" then love.graphics.setColor(255,0,0) else love.graphics.setColor(255,255,255) end love.graphics.print("QUIT", 40, 200) elseif gameState == "finish" then love.graphics.setBackgroundColor(0,0,0) love.graphics.setColor(255,255,255) love.graphics.setFont(bigFont) love.graphics.printf("WINNER", 170, 200, 150, "center") love.graphics.print("PRESS 'R' TO RESTART", 80, 300) elseif gameState == "level1" then camera:set() love.graphics.setColor(0,255,0) love.graphics.setBackgroundColor(255,255,255) love.graphics.setColor(168,17,33) love.graphics.rectangle("fill", player.x - player.w/2, player.y - player.h/2, player.w, player.h) love.graphics.setColor(255,255,255) level1:draw() camera:unset() elseif gameState == "level2" then camera:set() love.graphics.setColor(0,255,0) love.graphics.setBackgroundColor(255,255,255) love.graphics.setColor(168,17,33) love.graphics.rectangle("fill", (player.x - player.w/2) , (player.y - player.h/2), player.w, player.h) love.graphics.setColor(255,255,255) level2:draw() camera:unset() elseif gameState == "level3" then camera:set() love.graphics.setColor(0,255,0) love.graphics.setBackgroundColor(255,255,255) love.graphics.setColor(168,17,33) love.graphics.rectangle("fill", (player.x - player.w/2) , (player.y - player.h/2), player.w, player.h) love.graphics.setColor(255,255,255) level3:draw() camera:unset() elseif gameState == "level4" then camera:set() love.graphics.setColor(0,255,0) love.graphics.setBackgroundColor(255,255,255) love.graphics.setColor(168,17,33) love.graphics.rectangle("fill", (player.x - player.w/2) , (player.y - player.h/2), player.w, player.h) love.graphics.setColor(255,255,255) level4:draw() camera:unset() elseif gameState == "level5" then camera:set() love.graphics.setColor(0,255,0) love.graphics.setBackgroundColor(255,255,255) love.graphics.setColor(168,17,33) love.graphics.rectangle("fill", (player.x - player.w/2) , (player.y - player.h/2), player.w, player.h) love.graphics.setColor(255,255,255) level5:draw() camera:unset() elseif gameState == "progress" then love.graphics.setColor(255,255,255) love.graphics.setBackgroundColor(0,0,0) love.graphics.setFont(bigFont) love.graphics.print("STILL IN PROGRESS", 100, 220) love.graphics.print("(PRESS ESC TO EXIT)", 85, 250) end end function love.keyreleased(key) playerKeyReleased(key) end
Marine.kFlashlightCinematic = PrecacheAsset("cinematics/marine/marine/flashlight.cinematic") Marine.kFlashlightCinematicSmall = PrecacheAsset("cinematics/marine/marine/flashlight_small.cinematic") Marine.kFlashlightAttachPoint = "BodyArmor_Chest2_Ctrl" local originalOnCreate = Marine.OnCreate function Marine:OnCreate() originalOnCreate(self) if Client then self.flashlight:SetInnerCone( math.rad(1) ) self.flashlight:SetOuterCone( math.rad(37) ) -- was 47 self.flashlight:SetColor( Color(.9, .9, 1.0) ) self.flashlight:SetIntensity( 9 ) self.flashlight:SetRadius( 30 ) self.flashlight:SetShadowFadeRate(1) self.flashlight:SetAtmosphericDensity(0) self.flashlight_cinematic = Client.CreateCinematic(RenderScene.Zone_Default) self.flashlight_cinematic:SetRepeatStyle(Cinematic.Repeat_Endless) self.flashlight_cinematic:SetCinematic(Marine.kFlashlightCinematic) --self.flashlight_cinematic:SetParent(self) --self.flashlight_cinematic:SetAttachPoint(2) self.flashlight_cinematic:SetCoords(Coords.GetIdentity()) self.flashlight_cinematic:SetIsVisible(false) self.flashlight_cinematic:SetIsActive(false) self.flashlight_cinematic_small = Client.CreateCinematic(RenderScene.Zone_Default) self.flashlight_cinematic_small:SetRepeatStyle(Cinematic.Repeat_Endless) self.flashlight_cinematic_small:SetCinematic(Marine.kFlashlightCinematicSmall) --self.flashlight_cinemat_smallic:SetParent(self) --self.flashlight_cinemat_smallic:SetAttachPoint(2) self.flashlight_cinematic_small:SetCoords(Coords.GetIdentity()) self.flashlight_cinematic_small:SetIsVisible(false) self.flashlight_cinematic_small:SetIsActive(false) end end local oldOnDestroy = Marine.OnDestroy function Marine:OnDestroy() oldOnDestroy(self) if Client then if self.flashlight_cinematic ~= nil then Client.DestroyCinematic(self.flashlight_cinematic) end if self.flashlight_cinematic_small ~= nil then Client.DestroyCinematic(self.flashlight_cinematic_small) end if self._fake_reflection ~= nil then Client.DestroyRenderLight(self._fake_reflection) end end end
-- Include features from the Sandbox gamemode. DeriveGamemode("sandbox") -- Define a global shared table to store NutScript information. nut = nut or {util = {}, gui = {}, meta = {}} -- Include core files. include("core/sh_util.lua") include("shared.lua") -- Sandbox stuff CreateConVar("cl_weaponcolor", "0.30 1.80 2.10", {FCVAR_ARCHIVE, FCVAR_USERINFO, FCVAR_DONTRECORD}, "The value is a Vector - so between 0-1 - not between 0-255") timer.Remove("HintSystem_OpeningMenu") timer.Remove("HintSystem_Annoy1") timer.Remove("HintSystem_Annoy2")
--[[============================================================ --= --= Test Script --= --= Args: none --= --=------------------------------------------------------------- --= --= MyHappyList - manage your AniDB MyList --= - Written by Marcus 'ReFreezed' Thunstrรถm --= - MIT License (See main.lua) --= --============================================================]] print("...Testing...") io.stdout:write("Hello,") wxSleep(10) io.stdout:write(" world!\n")
#!/usr/bin/env tarantool local os = require('os') local fio = require('fio') local tap = require('tap') local test = tap.test('gh-5602') -- gh-5602: Check that environment cfg variables working. local TARANTOOL_PATH = arg[-1] local script_name = 'gh-5602-environment-cfg-test-cases.lua' local path_to_script = fio.pathjoin( os.getenv('PWD'), 'box-tap', script_name) -- Generate a shell command like -- `FOO=x BAR=y /path/to/tarantool /path/to/script.lua 42`. local function shell_command(case, i) return ('%s %s %s %d'):format( case, TARANTOOL_PATH, path_to_script, i) end local cases = { ('%s %s %s %s %s'):format( 'TT_LISTEN=3301', 'TT_READAHEAD=10000', 'TT_STRIP_CORE=false', 'TT_LOG_FORMAT=json', 'TT_LOG_NONBLOCK=false'), ('%s %s %s %s'):format( 'TT_LISTEN=3301', 'TT_REPLICATION=0.0.0.0:12345,1.1.1.1:12345', 'TT_REPLICATION_CONNECT_TIMEOUT=0.01', 'TT_REPLICATION_SYNCHRO_QUORUM=\'4 + 1\''), 'TT_BACKGROUND=true TT_VINYL_TIMEOUT=60.1', 'TT_SQL_CACHE_SIZE=a', 'TT_STRIP_CORE=a', } test:plan(1) local exit_status_list = {} local exit_status_list_exp = {} for i, case in ipairs(cases) do local tmpdir = fio.tempdir() local new_path = fio.pathjoin(tmpdir, script_name) fio.copyfile(path_to_script, new_path) exit_status_list[i] = os.execute(shell_command(case, i)) exit_status_list_exp[i] = 0 end test:is_deeply(exit_status_list, exit_status_list_exp, 'exit status list') os.exit(test:check() and 0 or 1)
------------------------------------------------------------------------------------------------------------------------ -- Proposal: -- https://github.com/smartdevicelink/sdl_evolution/blob/master/proposals/0205-Avoid_custom_button_subscription_when_HMI_does_not_support.md ------------------------------------------------------------------------------------------------------------------------ -- Description: Check that SDL uses default capabilities from hmi_capabilities.json file if HMI sends -- Buttons.GetCapabilities response with invalid value for 'CUSTOM_BUTTON' capabilities in case: -- - 'CUSTOM_BUTTON' is missing in the hmi_capabilities.json file ------------------------------------------------------------------------------------------------------------------------ -- Preconditions: -- 1. CUSTOM_BUTTON is missing in the hmi_capabilities.json -- 2. SDL and HMI are started -- 3. HMI sends Buttons.GetCapabilities response with an invalid value for CUSTOM_BUTTON capabilities -- In case: -- 1. Mobile app starts registration -- SDL does: -- - not send Buttons.SubscribeButtons(CUSTOM_BUTTON) to HMI -- In case: -- 2. HMI sends OnButtonEvent and OnButtonPress notifications to SDL -- SDL does: -- - not resend OnButtonEvent and OnButtonPress notifications to mobile App for CUSTOM_BUTTON ------------------------------------------------------------------------------------------------------------------------ --[[ Required Shared libraries ]] local common = require('test_scripts/API/ButtonSubscription/commonButtonSubscription') --[[ Local Variables ]] local appSessionId1 = 1 local buttonName = "CUSTOM_BUTTON" local invalidCustomButton = { name = buttonName, shortPressAvailable = true, longPressAvailable = true, upDownAvailable = 2 -- invalid Type } --[[ Scenario ]] common.runner.Title("Preconditions") common.runner.Step("Clean environment", common.preconditions) common.runner.Step("Remove CUSTOM_BUTTON from hmi_capabilities.json", common.removeButtonFromHMICapabilitiesFile, { buttonName }) common.runner.Step("Start SDL, HMI, connect Mobile, start Session, Capabilities with invalid value", common.start, { common.addButtonToCapabilities(invalidCustomButton) }) common.runner.Title("Test") common.runner.Step("App registration and SDL doesn't send SubscribeButton CUSTOM_BUTTON", common.registerAppSubCustomButton, { appSessionId1, "SUCCESS", common.isNotExpected }) common.runner.Step("Activate app", common.activateApp) common.runner.Step("Subscribe on Soft button", common.registerSoftButton) common.runner.Step("On Custom_button press", common.buttonPress, { appSessionId1, buttonName, common.isNotExpected, common.customButtonID }) common.runner.Title("Postconditions") common.runner.Step("Stop SDL", common.postconditions)
LastGameTimer = 0; noclipmode = false; isRadarExtended = false; isScoreboardShowing = false fps = 0; prevframes = 0; curframes = 0; prevtime = 0; curtime = 0; player = -1; radioname = "" speedoDefault = 1; autoparachute = true; heatvision = false; nightvision = false; CoordsOverMap = true HideHUD = false; HideRadar = false; HideHUDCount = 0; freezeradio = false; nocinecam = true; mobileradio = false dfps = true; simpleSpeedo = true; RadioFreezePosition = 1 Citizen.CreateThread(function() --Misc Menu local allowNoClip = false local allowBodyguards = false while true do if (miscMenu) then if not IsDisabledControlPressed(1, 173) and not IsDisabledControlPressed(1, 172) then currentOption = lastSelectionmiscMenu else lastSelectionmiscMenu = currentOption end if WorldAndNoClipOnlyAdmins then if IsAdmin then allowNoClip = true end else allowNoClip = true end if BodyguardsOnlyAdmins then if IsAdmin then allowBodyguards = true end else allowBodyguards = true end TriggerEvent("FMODT:Title", "~y~" .. MiscMenuTitle) TriggerEvent("FMODT:Bool", AlwaysParachuteTitle, autoparachute, function(cb) autoparachute = cb if autoparachute then drawNotification("~g~" .. AlwaysParachuteEnableMessage .. "!") else drawNotification("~r~" .. AlwaysParachuteDisableMessage .. "!") end end) if allowBodyguards then TriggerEvent("FMODT:Option", "~y~>> ~s~" .. BodyguardMenuTitle .. "", function(cb) if (cb) then miscMenu = false bodyguardMenu = true end end) end TriggerEvent("FMODT:Bool", CoordsOverMapTitle, CoordsOverMap, function(cb) CoordsOverMap = cb if CoordsOverMap then drawNotification("~g~" ..CoordsOverMapEnableMessage .. "!") else drawNotification("~r~" .. CoordsOverMapDisableMessage .. "!") end end) TriggerEvent("FMODT:Bool", DisableCinematicCamButtonTitle, nocinecam, function(cb) nocinecam = cb if nocinecam then drawNotification("~g~" .. DisableCinematicCamButtonDisableMessage .. "!") else drawNotification("~r~" .. DisableCinematicCamButtonEnableMessage .. "!") end end) TriggerEvent("FMODT:Bool", DrawFPSTitle, dfps, function(cb) dfps = cb if dfps then drawNotification("~g~" .. DrawFPSEnableMessage .. "!") else drawNotification("~r~" .. DrawFPSDisableMessage .. "!") end end) TriggerEvent("FMODT:Bool", HeatvisionTitle, heatvision, function(cb) heatvision = cb if heatvision then nightvision = false drawNotification("~g~" .. HeatvisionEnableMessage .. "!") else drawNotification("~r~" .. HeatvisionDisableMessage .. "!") end end) TriggerEvent("FMODT:Bool", HideHUDRadarTitle, HideHUD, function(cb) HideHUD = cb if HideHUD then HideHUDCount = 1 drawNotification("~g~" .. HideHUDRadarEnableMessage .. "!") else HideHUDCount = 0 drawNotification("~r~" .. HideHUDRadarDisableMessage .. "!") end end) TriggerEvent("FMODT:Bool", HideOnlyRadarTitle, HideRadar, function(cb) HideRadar = cb if HideRadar then drawNotification("~g~" .. HideOnlyRadarEnableMessage .. "!") else drawNotification("~r~" .. HideOnlyRadarDisableMessage .. "!") end end) TriggerEvent("FMODT:Bool", NightvisionTitle, nightvision, function(cb) nightvision = cb if nightvision then heatvision = false drawNotification("~g~" .. NightvisionEnableMessage .. "!") else drawNotification("~r~" .. NightvisionDisableMessage .. "!") end end) if allowNoClip then TriggerEvent("FMODT:Bool", NoClipModeTitle, noclipmode, function(cb) noclipmode = cb if noclipmode then HideHUD = true drawNotification("~g~" .. NoClipModeEnableMessage .. "!") else if (HideHUDCount == 0) then HideHUD = false end ResetPedRagdollBlockingFlags(GetPlayerPed(-1), 2) ResetPedRagdollBlockingFlags(GetPlayerPed(-1), 3) SetEntityCollision(GetPlayerPed(-1), true, true) FreezeEntityPosition(GetPlayerPed(-1), false) drawNotification("~r~" .. NoClipModeDisableMessage .. "!") end end) end TriggerEvent("FMODT:Option", "~y~>> ~s~" .. RadioMenuTitle, function(cb) if (cb) then miscMenu = false radioMenu = true end end) TriggerEvent("FMODT:Option", "~y~>> ~s~" .. SpeedometerTitle, function(cb) if (cb) then miscMenu = false speedoMenu = true end end) TriggerEvent("FMODT:Update") end Citizen.Wait(0) end end) Citizen.CreateThread(function() --Bodyguard Menu local formationId = 1 local selectedBodyguard = 1 local formation = {NoFormationTitle, CircleAroundLeader1Title, CircleAroundLeader2Title, LineLeaderAtCenterTitle} while true do local playerPed = GetPlayerPed(-1) local GroupHandle = GetPlayerGroup(PlayerId()) local bool, groupSize = GetGroupSize(GroupHandle) if (bodyguardMenu) then if not IsDisabledControlPressed(1, 173) and not IsDisabledControlPressed(1, 172) then currentOption = lastSelectionbodyguardMenu else lastSelectionbodyguardMenu = currentOption end TriggerEvent("FMODT:Title", "~y~" .. BodyguardMenuTitle) TriggerEvent("FMODT:Option", SpawnBodyguardTitle, function(cb) if (cb) then if (groupSize <= 6) then SetGroupSeparationRange(GroupHandle, 999999.9) local ped = ClonePed(playerPed, GetEntityHeading(playerPed), 1, 1) local pedblip = AddBlipForEntity(ped) SetBlipSprite(pedblip, 143) SetBlipColour(pedblip, 5) SetPedAsGroupLeader(playerPed, GroupHandle) SetPedAsGroupMember(ped, GroupHandle) SetPedNeverLeavesGroup(ped, true) SetEntityInvincible(ped, true) SetPedCanBeTargetted(ped, false) GiveWeaponToPed(ped, GetHashKey("WEAPON_MINIGUN"), 999999999, false, true) SetPedInfiniteAmmo(ped, true) SetPedInfiniteAmmoClip(ped, true) drawNotification("~g~" .. BodyguardSpawnedMessage .. "!") else drawNotification("~r~" .. Maximum7BodyguardsMessage .. "!") end end end) TriggerEvent("FMODT:Int", formation[formationId], formationId, 1, 4, function(cb) formationId = cb SetGroupFormation(GroupHandle, formationId - 1) end) TriggerEvent("FMODT:Option", DeleteAllBodyguardsTitle, function(cb) if (cb) then for i = 0, 6 do local ped = GetPedAsGroupMember(GroupHandle, i) RemoveBlip(GetBlipFromEntity(ped)) SetPedNeverLeavesGroup(ped, false) RemovePedFromGroup(ped) SetEntityAsMissionEntity(ped, 1, 1) DeleteEntity(ped) end drawNotification("~r~" .. AllBodyguardsDeletedMessage .. "!") end end) if (groupSize > 0) then TriggerEvent("FMODT:Int", SelectedBodyguardTitle, selectedBodyguard, 1, 7, function(cb) selectedBodyguard = cb end) if DoesEntityExist(GetPedAsGroupMember(GroupHandle, selectedBodyguard - 1)) then TriggerEvent("FMODT:Option", DeleteBodyguardTitle, function(cb) if (cb) then local ped = GetPedAsGroupMember(GroupHandle, selectedBodyguard - 1) RemoveBlip(GetBlipFromEntity(ped)) SetPedNeverLeavesGroup(ped, false) RemovePedFromGroup(ped) SetEntityAsMissionEntity(ped, 1, 1) DeleteEntity(ped) drawNotification("~r~" .. DeletedSelectedBodyguardMessage .. "!") end end) else TriggerEvent("FMODT:Option", "~r~" .. SelectedBodyguardNotExistingMessage .. "!", function(cb) if (cb) then drawNotification("~r~" .. SelectedBodyguardNotExistingMessage .. "!") end end) end end TriggerEvent("FMODT:Update") end Citizen.Wait(0) end end) Citizen.CreateThread(function() --Radio Menu local RadioUINameArray = {"Unfreeze", "LS Rock", "Non-Stop", "Radio LS", "Channel X", "WC Talk ", "Rebel Radio", "SoulwaxFM", "East-LosFM", "WC Classics", "Blue Ark", "WorldwideFM", "FlyLoFM", "The Lowdown", "The Lab", "Mirror Park", "Space", "Vinewood B.", "Self Radio" } local RadioNameArray = {"UNFREEZE", "RADIO_01_CLASS_ROCK", "RADIO_02_POP", "RADIO_03_HIPHOP_NEW", "RADIO_04_PUNK", "RADIO_05_TALK_01", "RADIO_06_COUNTRY", "RADIO_07_DANCE_01", "RADIO_08_MEXICAN", "RADIO_09_HIPHOP_OLD", "RADIO_12_REGGAE", "RADIO_13_JAZZ", "RADIO_14_DANCE_02", "RADIO_15_MOTOWN", "RADIO_20_THELAB", "RADIO_16_SILVERLAKE", "RADIO_17_FUNK", "RADIO_18_90S_ROCK", "RADIO_19_USER" } while true do if (radioMenu) then if not IsDisabledControlPressed(1, 173) and not IsDisabledControlPressed(1, 172) then currentOption = lastSelectionradioMenu else lastSelectionradioMenu = currentOption end TriggerEvent("FMODT:Title", "~y~" .. RadioMenuTitle) TriggerEvent("FMODT:Bool", MobileRadioTitle, mobileradio, function(cb) mobileradio = cb if mobileradio then drawNotification("~g~" .. MobileRadioEnableMessage .. "!") else drawNotification("~r~" .. MobileRadioDisableMessage .. "!") end end) TriggerEvent("FMODT:Option", SkipCurrentSongTitle, function(cb) if (cb) then SkipRadioForward() end end) TriggerEvent("FMODT:StringArray", SenderToFreezeTitle .. ":", RadioUINameArray, RadioFreezePosition, function(cb) RadioFreezePosition = cb if RadioUINameArray[RadioFreezePosition] == "Unfreeze" then freezeradio = false radioname = nil drawNotification("~r~" .. RadiostationUnfrozenMessage .. "!") else freezeradio = true radioname = RadioNameArray[RadioFreezePosition] if not RadioUINameArray[RadioFreezePosition] == nil then drawNotification("~g~" .. RadiostationFrozenMessage .. "!") end end end) TriggerEvent("FMODT:Update") end Citizen.Wait(0) end end) Citizen.CreateThread(function() --Speedometer Menu local speedoUnitArray = {"KM/H", "MPH"} while true do if (speedoMenu) then if not IsDisabledControlPressed(1, 173) and not IsDisabledControlPressed(1, 172) then currentOption = lastSelectionspeedoMenu else lastSelectionspeedoMenu = currentOption end TriggerEvent("FMODT:Title", "~y~" .. SpeedometerTitle) TriggerEvent("FMODT:Bool", SimpleSpeedometerTitle, simpleSpeedo, function(cb) simpleSpeedo = cb if simpleSpeedo then drawNotification("~g~" .. SimpleSpeedometerEnableMessage .. "!") else drawNotification("~r~" .. SimpleSpeedometerDisableMessage .. "!") end end) TriggerEvent("FMODT:StringArray", UnitTitle .. ":", speedoUnitArray, speedoDefault, function(cb) speedoDefault = cb end) TriggerEvent("FMODT:Update") end Citizen.Wait(0) end end) Citizen.CreateThread(function() --Always Parachute while true do Citizen.Wait(0) if autoparachute and allowed then GiveWeaponToPed(GetPlayerPed(-1), GetHashKey("gadget_parachute"), 1, false, false) end end end) Citizen.CreateThread(function() --PvP while true do Citizen.Wait(0) if allowed then if PvP then SetCanAttackFriendly(GetPlayerPed(-1), true, false) NetworkSetFriendlyFireOption(true) else SetCanAttackFriendly(GetPlayerPed(-1), false, false) NetworkSetFriendlyFireOption(false) end end end end) Citizen.CreateThread(function() --Mobile Radio while true do Citizen.Wait(0) if GetPlayerPed(-1) and allowed then SetMobileRadioEnabledDuringGameplay(mobileradio) end end end) Citizen.CreateThread(function() --Count FPS (Thanks To siggyfawn [forum.FiveM.net]) while not NetworkIsPlayerActive(PlayerId()) or not NetworkIsSessionStarted() do Citizen.Wait(0) prevframes = GetFrameCount() prevtime = GetGameTimer() end while true do Citizen.Wait(0) curtime = GetGameTimer() curframes = GetFrameCount() if((curtime - prevtime) > 1000) then fps = (curframes - prevframes) - 1 prevtime = curtime prevframes = curframes end end end) Citizen.CreateThread(function() --Draw FPS while true do Citizen.Wait(0) if dfps and allowed then if fps == 0 or fps > 1000 then Draw(FPSCountFailed, 255, 0, 0, 127, 0.95, 0.97, 0.35, 0.35, 1, true, 0) elseif fps >= 1 and fps <= 29 then Draw("" .. fps .. "", 255, 0, 0, 127, 0.99, 0.97, 0.35, 0.35, 1, true, 0) _DrawRect(0.99, 0.984, 0.0175, 0.025, 0, 0, 0, 127, 0) elseif fps >=30 and fps <= 49 then Draw("" .. fps .. "", 255, 255, 0, 127, 0.99, 0.97, 0.35, 0.35, 1, true, 0) _DrawRect(0.99, 0.984, 0.0175, 0.025, 0, 0, 0, 127, 0) elseif fps >= 50 then Draw("" .. fps .. "", 0, 255, 0, 127, 0.99, 0.97, 0.35, 0.35, 1, true, 0) _DrawRect(0.99, 0.984, 0.0175, 0.025, 0, 0, 0, 127, 0) end end end end) Citizen.CreateThread(function() --Simple Speedometer local x local speed local unit while true do Citizen.Wait(0) if simpleSpeedo and allowed then if IsPedInAnyVehicle(GetPlayerPed(-1), false) then if isRadarExtended then x = 0.290 else x = 0.205 end if speedoDefault == 1 then speed = math.ceil(GetEntitySpeed(GetVehiclePedIsIn(GetPlayerPed(-1), false)) * 3.6) unit = "KM/H" else speed = math.ceil(GetEntitySpeed(GetVehiclePedIsIn(GetPlayerPed(-1), false)) * 2.236936) unit = "MPH" end _DrawRect(x, 0.964, 0.07, 0.04, 0, 0, 0, 127, 0) Draw(speed .. " " .. unit, 255, 255, 255, 127, x, 0.95, 0.4, 0.4, 1, true, 0) end end end end) Citizen.CreateThread(function() --Heatvision, Nightvision, Hide HUD, Hide Radar, Coords Over Map while true do Citizen.Wait(0) if allowed then SetSeethrough(heatvision) SetNightvision(nightvision) DisplayRadar(not HideRadar) if HideHUD then HideHudAndRadarThisFrame() end if CoordsOverMap then local playerPos = GetEntityCoords(GetPlayerPed(-1)) local playerHeading = GetEntityHeading(GetPlayerPed(-1)) if isRadarExtended then Draw("X: " .. math.ceil(playerPos.x) .." Y: " .. math.ceil(playerPos.y) .." Z: " .. math.ceil(playerPos.z) .." Heading: " .. math.ceil(playerHeading) .."", 0, 0, 0, 255, 0.0175, 0.53, 0.378, 0.378, 1, false, 1) else Draw("X: " .. math.ceil(playerPos.x) .." Y: " .. math.ceil(playerPos.y) .." Z: " .. math.ceil(playerPos.z) .." Heading: " .. math.ceil(playerHeading) .."", 0, 0, 0, 255, 0.0175, 0.76, 0.378, 0.378, 1, false, 1) end end end end end) Citizen.CreateThread(function() --No Clip Mode (Miscellaneous) while true do Citizen.Wait(0) if noclipmode and allowed then SetEntityCollision(GetPlayerPed(-1), false, false) ClearPedTasksImmediately(GetPlayerPed(-1)) Citizen.InvokeNative(0x0AFC4AF510774B47) if not IsControlPressed(1, 32) and not IsControlPressed(1, 33) and not IsControlPressed(1, 90) and not IsControlPressed(1, 89) then FreezeEntityPosition(GetPlayerPed(-1), true) end end end end) Citizen.CreateThread(function() --No Clip Mode (Forward/ Backward) while true do Citizen.Wait(0) if noclipmode and allowed then local coords = GetEntityForwardVector(GetPlayerPed(-1)) if IsControlPressed(1, 32) then --Forward FreezeEntityPosition(GetPlayerPed(-1), false) ApplyForceToEntity(GetPlayerPed(-1), 1, coords.x * 3, coords.y * 3, 0.27, 0.0, 0.0, 0.0, 1, false, true, true, true, true) elseif IsControlPressed(1, 33) then --Backward FreezeEntityPosition(GetPlayerPed(-1), false) ApplyForceToEntity(GetPlayerPed(-1), 1, coords.x * -3, coords.y * -3, 0.27, 0.0, 0.0, 0.0, 1, false, true, true, true, true) end end end end) Citizen.CreateThread(function() --No Clip Mode (Up/ Down) while true do Citizen.Wait(0) if noclipmode and allowed then if IsControlPressed(1, 90) then --Up FreezeEntityPosition(GetPlayerPed(-1), false) ApplyForceToEntity(GetPlayerPed(-1), 1, 0.0, 0.0, 5.0, 0.0, 0.0, 0.0, 1, false, true, true, true, true) elseif IsControlPressed(1, 89) then --Down FreezeEntityPosition(GetPlayerPed(-1), false) ApplyForceToEntity(GetPlayerPed(-1), 1, 0.0, 0.0, -5.0, 0.0, 0.0, 0.0, 1, false, true, true, true, true) end end end end) Citizen.CreateThread(function() --No Clip Mode (Rotation) while true do Citizen.Wait(0) local camRot = GetGameplayCamRot(0) if noclipmode and allowed then SetEntityRotation(GetPlayerPed(-1), 0.0, 0.0, camRot.z, 1, true) end end end) Citizen.CreateThread(function() --Cinematic Cam Disabled while true do Citizen.Wait(0) if allowed then if nocinecam then SetCinematicButtonActive(false) else SetCinematicButtonActive(true) end end end end) Citizen.CreateThread(function() --Freeze Radio Station while true do Citizen.Wait(0) if freezeradio and allowed then if radioname ~= nil then if (GetPlayerRadioStationName() ~= radioname) then if IsPedInAnyVehicle(GetPlayerPed(-1), true) then if GetPedInVehicleSeat(GetVehiclePedIsIn(GetPlayerPed(-1), 0), -1) == GetPlayerPed(-1) then SetRadioToStationName(radioname) SetVehRadioStation(GetVehiclePedIsIn(GetPlayerPed(-1), false), radioname) end else SetRadioToStationName(radioname) SetVehRadioStation(GetVehiclePedIsIn(GetPlayerPed(-1), false), radioname) end end end end end end) Citizen.CreateThread(function() --Bodyguard Teleport while true do Citizen.Wait(0) local playerPedPos = GetEntityCoords(GetPlayerPed(-1), true) local GroupHandle = GetPlayerGroup(PlayerId()) for i = 0, 6 do local ped = GetPedAsGroupMember(GroupHandle, i) local PedPos = GetEntityCoords(ped, true) if (Vdist(playerPedPos.x, playerPedPos.y, playerPedPos.z, PedPos.x, PedPos.y, PedPos.z) >= 50) then SetEntityCoords(ped, playerPedPos.x, playerPedPos.y, playerPedPos.z, false, false, false, true) SetEntityVisible(ped, true, 0) end end end end) Citizen.CreateThread(function() --Player Blips (Thanks To Mr.Scammer [forum.FiveM.net]) local headId = {} while true do Citizen.Wait(1) if playerBlips and (BlipsAndNamesNonAdmins or IsAdmin) then -- show blips for id = 0, 64 do if NetworkIsPlayerActive(id) and GetPlayerPed(id) ~= GetPlayerPed(-1) then ped = GetPlayerPed(id) blip = GetBlipFromEntity(ped) -- HEAD DISPLAY STUFF -- -- Create head display (this is safe to be spammed) headId[id] = CreateMpGamerTag(ped, GetPlayerName( id ), false, false, "", false) wantedLvl = GetPlayerWantedLevel(id) -- Wanted level display if wantedLvl then SetMpGamerTagVisibility(headId[id], 7, true) -- Add wanted sprite SetMpGamerTagWantedLevel(headId[id], wantedLvl) -- Set wanted number else SetMpGamerTagVisibility(headId[id], 7, false) end -- Speaking display if NetworkIsPlayerTalking(id) then SetMpGamerTagVisibility(headId[id], 9, true) -- Add speaking sprite else SetMpGamerTagVisibility(headId[id], 9, false) -- Remove speaking sprite end -- BLIP STUFF -- if not DoesBlipExist(blip) then -- Add blip and create head display on player blip = AddBlipForEntity(ped) SetBlipSprite(blip, 1) ShowHeadingIndicatorOnBlip(blip, true) -- Player Blip indicator else -- update blip veh = GetVehiclePedIsIn(ped, false) blipSprite = GetBlipSprite(blip) if not GetEntityHealth(ped) then -- dead if blipSprite ~= 274 then SetBlipSprite(blip, 274) ShowHeadingIndicatorOnBlip(blip, false) -- Player Blip indicator end elseif veh then vehClass = GetVehicleClass(veh) vehModel = GetEntityModel(veh) if vehClass == 15 then -- Helicopters if blipSprite ~= 422 then SetBlipSprite(blip, 422) ShowHeadingIndicatorOnBlip(blip, false) -- Player Blip indicator end elseif vehClass == 8 then -- Motorcycles if blipSprite ~= 226 then SetBlipSprite(blip, 226) ShowHeadingIndicatorOnBlip(blip, false) -- Player Blip indicator end elseif vehClass == 16 then -- Plane if vehModel == GetHashKey("besra") or vehModel == GetHashKey("hydra") or vehModel == GetHashKey("lazer") then -- Jets if blipSprite ~= 424 then SetBlipSprite(blip, 424) ShowHeadingIndicatorOnBlip(blip, false) -- Player Blip indicator end elseif blipSprite ~= 423 then SetBlipSprite(blip, 423) ShowHeadingIndicatorOnBlip(blip, false) -- Player Blip indicator end elseif vehClass == 14 then -- Boat if blipSprite ~= 427 then SetBlipSprite(blip, 427) ShowHeadingIndicatorOnBlip(blip, false) -- Player Blip indicator end elseif vehModel == GetHashKey("insurgent") or vehModel == GetHashKey("insurgent2") or vehModel == GetHashKey("insurgent3") then -- Insurgent, Insurgent Pickup & Insurgent Pickup Custom if blipSprite ~= 426 then SetBlipSprite(blip, 426) ShowHeadingIndicatorOnBlip(blip, false) -- Player Blip indicator end elseif vehModel == GetHashKey("limo2") then -- Turreted Limo if blipSprite ~= 460 then SetBlipSprite(blip, 460) ShowHeadingIndicatorOnBlip(blip, false) -- Player Blip indicator end elseif vehModel == GetHashKey("rhino") then -- Tank if blipSprite ~= 421 then SetBlipSprite(blip, 421) ShowHeadingIndicatorOnBlip(blip, false) -- Player Blip indicator end elseif vehModel == GetHashKey("trash") or vehModel == GetHashKey("trash2") then -- Trash if blipSprite ~= 318 then SetBlipSprite(blip, 318) ShowHeadingIndicatorOnBlip(blip, false) -- Player Blip indicator end elseif vehModel == GetHashKey("pbus") then -- Prison Bus if blipSprite ~= 513 then SetBlipSprite(blip, 513) ShowHeadingIndicatorOnBlip(blip, false) -- Player Blip indicator end elseif vehModel == GetHashKey("seashark") or vehModel == GetHashKey("seashark2") or vehModel == GetHashKey("seashark3") then -- Speedophiles if blipSprite ~= 471 then SetBlipSprite(blip, 471) ShowHeadingIndicatorOnBlip(blip, false) -- Player Blip indicator end elseif vehModel == GetHashKey("cargobob") or vehModel == GetHashKey("cargobob2") or vehModel == GetHashKey("cargobob3") or vehModel == GetHashKey("cargobob4") then -- Cargobobs if blipSprite ~= 481 then SetBlipSprite(blip, 481) ShowHeadingIndicatorOnBlip(blip, false) -- Player Blip indicator end elseif vehModel == GetHashKey("technical") or vehModel == GetHashKey("technical2") or vehModel == GetHashKey("technical3") then -- Technical if blipSprite ~= 426 then SetBlipSprite(blip, 426) ShowHeadingIndicatorOnBlip(blip, false) -- Player Blip indicator end elseif vehModel == GetHashKey("taxi") then -- Cab/ Taxi if blipSprite ~= 198 then SetBlipSprite(blip, 198) ShowHeadingIndicatorOnBlip(blip, false) -- Player Blip indicator end elseif vehModel == GetHashKey("fbi") or vehModel == GetHashKey("fbi2") or vehModel == GetHashKey("police2") or vehModel == GetHashKey("police3") -- Police Vehicles or vehModel == GetHashKey("police") or vehModel == GetHashKey("sheriff2") or vehModel == GetHashKey("sheriff") or vehModel == GetHashKey("policeold2") or vehModel == GetHashKey("policeold1") then if blipSprite ~= 56 then SetBlipSprite(blip, 56) ShowHeadingIndicatorOnBlip(blip, false) -- Player Blip indicator end elseif blipSprite ~= 1 then -- default blip SetBlipSprite(blip, 1) ShowHeadingIndicatorOnBlip(blip, true) -- Player Blip indicator end -- Show number in case of passangers passengers = GetVehicleNumberOfPassengers(veh) if passengers then if not IsVehicleSeatFree(veh, -1) then passengers = passengers + 1 end ShowNumberOnBlip(blip, passengers) else HideNumberOnBlip(blip) end else -- Remove leftover number HideNumberOnBlip(blip) if blipSprite ~= 1 then -- default blip SetBlipSprite(blip, 1) ShowHeadingIndicatorOnBlip(blip, true) -- Player Blip indicator end end SetBlipRotation(blip, math.ceil(GetEntityHeading(veh))) -- update rotation SetBlipNameToPlayerName(blip, id) -- update blip name SetBlipScale(blip, 0.85) -- set scale -- set player alpha if IsPauseMenuActive() then SetBlipAlpha( blip, 255 ) else x1, y1 = table.unpack(GetEntityCoords(GetPlayerPed(-1), true)) x2, y2 = table.unpack(GetEntityCoords(GetPlayerPed(id), true)) distance = (math.floor(math.abs(math.sqrt((x1 - x2) * (x1 - x2) + (y1 - y2) * (y1 - y2))) / -1)) + 900 -- Probably a way easier way to do this but whatever im an idiot if distance < 0 then distance = 0 elseif distance > 255 then distance = 255 end SetBlipAlpha(blip, distance) end end end end else for id = 0, 64 do ped = GetPlayerPed(id) blip = GetBlipFromEntity(ped) if DoesBlipExist(blip) then -- Removes blip RemoveBlip(blip) end if IsMpGamerTagActive(headId[id]) then RemoveMpGamerTag(headId[id]) end end end end end) Citizen.CreateThread(function() --Extendable Map (Thanks To Mr.Scammer [forum.FiveM.net]) while true do Citizen.Wait(1) if ExtendableMap then if IsControlJustReleased(0, 20) then Citizen.Wait(25) if not isScoreboardShowing then if not isRadarExtended then SetRadarBigmapEnabled(true, false) LastGameTimer = GetGameTimer() isRadarExtended = true elseif isRadarExtended then SetRadarBigmapEnabled(false, false) LastGameTimer = 0 isRadarExtended = false end end end end end end) Citizen.CreateThread(function() --Scoreboard (Thanks To ash [forum.FiveM.net]) RequestStreamedTextureDict("mplobby") RequestStreamedTextureDict("mpleaderboard") while true do Citizen.Wait(0) if Scoreboard then for k, v in pairs( SettingsScoreboard ) do if type( k ) == "number" and v == true then if IsControlJustReleased( 0, k ) then if not isScoreboardShowing and not isRadarExtended then isScoreboardShowing = true LastGameTimer = GetGameTimer() elseif isScoreboardShowing and not isRadarExtended then isScoreboardShowing = false LastGameTimer = 0 end end end end if isScoreboardShowing then DrawPlayerList() end end end end) Citizen.CreateThread(function() --Autoclosing Scoreboard and Extended Map while true do Citizen.Wait(0) if isScoreboardShowing or isRadarExtended then if GetGameTimer() > LastGameTimer + 5000 then isScoreboardShowing = false isRadarExtended = false SetRadarBigmapEnabled(false, false) LastGameTimer = 0 end end end end) Citizen.CreateThread(function() --Death Message while true do Citizen.Wait(0) if IsPlayerDead(PlayerId()) then local PedKiller = GetPedKiller(GetPlayerPed(-1)) --Pointer to a Ped, Vehicle or Object local DeathCauseHash = GetPedCauseOfDeath(GetPlayerPed(-1)) --Weapon, Model or Object Hash local Killer = 999 local text local KilledPlayer = PlayerId() if IsPedAPlayer(PedKiller) then Killer = NetworkGetPlayerIndexFromPed(PedKiller) else Killer = 999 end if (DeathCauseHash == GetHashKey("WEAPON_RUN_OVER_BY_CAR") or DeathCauseHash == GetHashKey("WEAPON_RAMMED_BY_CAR")) then text = "flattened" elseif (DeathCauseHash == GetHashKey("WEAPON_CROWBAR")) or (DeathCauseHash == GetHashKey("WEAPON_BAT")) or (DeathCauseHash == GetHashKey("WEAPON_HAMMER")) or (DeathCauseHash == GetHashKey("WEAPON_GOLFCLUB")) or (DeathCauseHash == GetHashKey("WEAPON_NIGHTSTICK")) or (DeathCauseHash == GetHashKey("WEAPON_KNUCKLE")) or (DeathCauseHash == GetHashKey("WEAPON_BATTLEAXE")) or (DeathCauseHash == GetHashKey("WEAPON_POOLCUE")) or (DeathCauseHash == GetHashKey("WEAPON_HATCHET")) or (DeathCauseHash == GetHashKey("WEAPON_WRENCH")) or (DeathCauseHash == GetHashKey("WEAPON_MACHETE")) then text = "whacked" elseif (DeathCauseHash == GetHashKey("WEAPON_DAGGER")) or (DeathCauseHash == GetHashKey("WEAPON_KNIFE")) or (DeathCauseHash == GetHashKey("WEAPON_SWITCHBLADE")) or (DeathCauseHash == GetHashKey("WEAPON_BOTTLE")) then text = "stabbed" elseif (DeathCauseHash == GetHashKey("WEAPON_SNSPISTOL")) or (DeathCauseHash == GetHashKey("WEAPON_HEAVYPISTOL")) or (DeathCauseHash == GetHashKey("WEAPON_VINTAGEPISTOL")) or (DeathCauseHash == GetHashKey("WEAPON_PISTOL")) or (DeathCauseHash == GetHashKey("WEAPON_APPISTOL")) or (DeathCauseHash == GetHashKey("WEAPON_COMBATPISTOL")) or (DeathCauseHash == GetHashKey("WEAPON_REVOLVER")) or (DeathCauseHash == GetHashKey("WEAPON_MACHINEPISTOL")) or (DeathCauseHash == GetHashKey("WEAPON_MARKSMANPISTOL")) or (DeathCauseHash == GetHashKey("WEAPON_PISTOL_MK2")) then text = "shot" elseif (DeathCauseHash == GetHashKey("WEAPON_GRENADELAUNCHER")) or (DeathCauseHash == GetHashKey("WEAPON_HOMINGLAUNCHER")) or (DeathCauseHash == GetHashKey("VEHICLE_WEAPON_PLANE_ROCKET")) or (DeathCauseHash == GetHashKey("WEAPON_COMPACTLAUNCHER")) or (DeathCauseHash == GetHashKey("WEAPON_STICKYBOMB")) or( DeathCauseHash == GetHashKey("WEAPON_PROXMINE")) or (DeathCauseHash == GetHashKey("WEAPON_RPG")) or (DeathCauseHash == GetHashKey("WEAPON_EXPLOSION")) or (DeathCauseHash == GetHashKey("VEHICLE_WEAPON_TANK")) or (DeathCauseHash == GetHashKey("WEAPON_GRENADE")) or (DeathCauseHash == GetHashKey("WEAPON_RAILGUN")) or (DeathCauseHash == GetHashKey("WEAPON_FIREWORK")) or (DeathCauseHash == GetHashKey("WEAPON_PIPEBOMB")) or (DeathCauseHash == GetHashKey("VEHICLE_WEAPON_SPACE_ROCKET")) then text = "bombed" elseif (DeathCauseHash == GetHashKey("WEAPON_MICROSMG")) or (DeathCauseHash == GetHashKey("WEAPON_SMG")) or (DeathCauseHash == GetHashKey("WEAPON_ASSAULTSMG")) or (DeathCauseHash == GetHashKey("WEAPON_MG")) or (DeathCauseHash == GetHashKey("WEAPON_COMBATMG")) or (DeathCauseHash == GetHashKey("WEAPON_COMBATPDW")) or (DeathCauseHash == GetHashKey("WEAPON_COMBATMG_MK2")) or (DeathCauseHash == GetHashKey("WEAPON_MINIGUN")) or (DeathCauseHash == GetHashKey("WEAPON_SMG_MK2")) then text = "sprayed" elseif (DeathCauseHash == GetHashKey("WEAPON_ASSAULTRIFLE")) or (DeathCauseHash == GetHashKey("WEAPON_CARBINERIFLE")) or (DeathCauseHash == GetHashKey("WEAPON_ADVANCEDRIFLE")) or (DeathCauseHash == GetHashKey("WEAPON_BULLPUPRIFLE")) or (DeathCauseHash == GetHashKey("WEAPON_MARKSMANRIFLE")) or (DeathCauseHash == GetHashKey("WEAPON_COMPACTRIFLE")) or (DeathCauseHash == GetHashKey("WEAPON_ASSAULTRIFLE_MK2")) or (DeathCauseHash == GetHashKey("WEAPON_CARBINERIFLE_MK2")) or (DeathCauseHash == GetHashKey("WEAPON_SPECIALCARBINE")) or (DeathCauseHash == GetHashKey("WEAPON_GUSENBERG")) then text = "rifled" elseif (DeathCauseHash == GetHashKey("WEAPON_HEAVYSNIPER_MK2")) or (DeathCauseHash == GetHashKey("WEAPON_SNIPERRIFLE")) or (DeathCauseHash == GetHashKey("WEAPON_HEAVYSNIPER")) or (DeathCauseHash == GetHashKey("WEAPON_ASSAULTSNIPER")) or (DeathCauseHash == GetHashKey("WEAPON_REMOTESNIPER")) then text = "sniped" elseif (DeathCauseHash == GetHashKey("WEAPON_BULLPUPSHOTGUN")) or (DeathCauseHash == GetHashKey("WEAPON_ASSAULTSHOTGUN")) or (DeathCauseHash == GetHashKey("WEAPON_PUMPSHOTGUN")) or (DeathCauseHash == GetHashKey("WEAPON_HEAVYSHOTGUN")) or (DeathCauseHash == GetHashKey("WEAPON_SAWNOFFSHOTGUN")) then text = "shotgunned" elseif (DeathCauseHash == GetHashKey("WEAPON_MOLOTOV")) or (DeathCauseHash == GetHashKey("WEAPON_FLAREGUN")) then text = "torched" else text = "killed" end TriggerServerEvent("FMODT:DeathMessage", Killer, text, KilledPlayer) end end end) Citizen.CreateThread(function() --Voice Chat while true do Citizen.Wait(0) NetworkSetVoiceActive(VoiceChat) end end) Citizen.CreateThread(function() --Voice Chat Proximity while true do Citizen.Wait(0) NetworkSetTalkerProximity(VoiceChatProximity) end end) AddEventHandler("FMODT:JoinMessageClients", function(name) --Join Message Event if JoinMessage then drawNotification("~bold~~d~" .. name .. "~bold~ ~s~" .. JoinedMessage) end end) AddEventHandler("FMODT:LeftMessageClients", function(name) --Left Message Event if LeftMessage then drawNotification("~bold~~d~" .. name .. "~bold~ ~s~" .. LeftMessage) end end) AddEventHandler("FMODT:DeathMessageClients", function(Killer, text, KilledPlayer) --Death Message Event if DeathMessage then if KilledPlayer == PlayerId() then if Killer == PlayerId() or Killer == 999 then drawNotification("You died.") elseif Killer ~= KilledPlayer and Killer ~= 999 then drawNotification("~bold~~o~" .. GetPlayerName(Killer) .. "~bold~ ~s~" .. text .. " you.") end elseif Killer == PlayerId() then drawNotification("You " .. text .. " ~bold~~o~" .. GetPlayerName(KilledPlayer) .. "~bold~") elseif KilledPlayer ~= PlayerId() then if Killer == 999 or Killer == KilledPlayer then drawNotification("~bold~~o~" .. GetPlayerName(KilledPlayer) .. "~bold~ ~s~died.") elseif Killer ~= 999 or Killer ~= KilledPlayer then drawNotification("~bold~~o~" .. GetPlayerName(Killer) .. "~bold~~s~ " .. text .. " ~bold~~o~" .. GetPlayerName(KilledPlayer) .. "~bold~") end end end end)
-- Display information about a specified font local Gradient = require("Gradient") local maths = require("maths") local map = maths.map local fontDir = "c:\\windows\\fonts\\" local GFontInfo = {} local GFontInfo_mt = { __index = GFontInfo } function GFontInfo.new(self, obj) local obj = obj or {} obj.frame = obj.frame or {x=0,y=0,width=320,height=240} obj.FontFace = BLFontFace:createFromFile(fontDir.."consola.ttf") obj.Font = obj.FontFace:createFont(96) obj.gradient = Gradient.LinearGradient({ values = {obj.frame.widht/2, 0, obj.frame/2, obj.frame.height}; stops = { {offset = 0.0, uint32 = 0xFF4f4f4f}, {offset = 1.0, uint32 = 0xFF9f9f9f}, } }); setmetatable(obj, GFontInfo_mt) local dmetrics = obj.FontFace:designMetrics() print("== font face ==") print("full name: ", obj.FontFace:fullName()) print("family name: ", obj.FontFace:familyName()) print("style: ", obj.FontFace:style()); print("stretch: ", obj.FontFace:stretch()); print("weight: ", obj.FontFace:weight()); print("== dmetrics ==") print("unitsPerEm: ", dmetrics.unitsPerEm); print(" lineGap: ", dmetrics.lineGap); print(" xHeight: ", dmetrics.xHeight); print(" capHeight: ", dmetrics.capHeight); print(" ascent: ", dmetrics.ascent); print(" descent: ", dmetrics.descent); return obj; end function GFontInfo.draw(self, ctx) ctx:save() ctx:translate(20,20) ctx:stroke(0) ctx:strokeWidth(1) ctx:noFill(); ctx:rect(0,0,640,480) local dmetrics = self.FontFace:designMetrics() local fullHeight = dmetrics.lineGap+dmetrics.descent+dmetrics.ascent local linegap = 470 local baseline = map(dmetrics.lineGap+dmetrics.descent, 0,fullHeight, 470, 10) local descent = map(dmetrics.lineGap, 0,fullHeight, 470,10) local ascent = map(dmetrics.lineGap+dmetrics.descent+dmetrics.ascent, 0, fullHeight, 470,10) --print("baseline: ", baseline) --print("descent: ", descent) --print("ascent: ", ascent) -- baseline ctx:stroke(0xff,0, 0) ctx:line(10, baseline, 620,baseline) -- descent ctx:stroke(0,0,0xff) ctx:line(10, descent, 620, descent) -- ascent ctx:line(10, ascent, 620, ascent) -- line gap ctx:stroke(0,255,0) ctx:line(10, linegap, 620, linegap) ctx:restore() end return GFontInfo
RegisterServerEvent('mythic_base:server:irc') AddEventHandler('mythic_base:server:irc', function() local src = source local player = ESX.GetPlayerFromId(source) Citizen.CreateThread(function() local myChannels = {} exports['ghmattimysql']:execute('SELECT channel FROM phone_irc_channels WHERE identifier = @identifier', { ['identifier'] = player.identifier }, function(channels) TriggerClientEvent('8bit_phone:client:SetupData', src, { { name = 'irc-channels', data = channels } }) end) end) end) ESX.RegisterServerCallback('8bit_phone:server:IRCJoinChannel', function(source, cb, data) local src = source local player = ESX.GetPlayerFromId(source) exports['ghmattimysql']:execute('INSERT INTO phone_irc_channels (identifier, channel) VALUES(@identifier, @channel)', { ['identifier'] = player.identifier, ['channel'] = data.channel }, function(status) cb(status.affectedRows > 0) end) Citizen.Wait(1000) exports['ghmattimysql']:execute('SELECT channel FROM phone_irc_channels WHERE identifier = @identifier', { ['identifier'] = player.identifier }, function(channels) TriggerClientEvent('8bit_phone:client:SetupData', src, { { name = 'irc-channels', data = channels } }) end) end) ESX.RegisterServerCallback('8bit_phone:server:IRCLeaveChannel', function(source, cb, data) local src = source local player = ESX.GetPlayerFromId(source) exports['ghmattimysql']:execute('DELETE FROM phone_irc_channels WHERE identifier = @identifier AND channel = @channel', { ['identifier'] = player.identifier, ['channel'] = data.channel }, function(status) cb(status.affectedRows > 0) end) end) ESX.RegisterServerCallback('8bit_phone:server:IRCGetMessages', function(source, cb, data) local src = source local player = ESX.GetPlayerFromId(source) exports['ghmattimysql']:scalar('SELECT joined FROM phone_irc_channels WHERE identifier = @identifier AND channel = @channel', { ['identifier'] = player.identifier, ['channel'] = data.channel }, function(joined) if joined ~= nil then exports['ghmattimysql']:execute('SELECT * FROM phone_irc_messages WHERE channel = @channel', { ['channel'] = data.channel }, function(msgs) cb(msgs) end) else cb(nil) print("lolk") end end) end) ESX.RegisterServerCallback('8bit_phone:server:IRCNewMessage', function(source, cb, data) local src = source local player = ESX.GetPlayerFromId(source) exports['ghmattimysql']:scalar('SELECT channel FROM phone_irc_channels WHERE identifier = @identifier AND channel = @channel', { ['identifier'] = player.identifier, ['channel'] = data.channel }, function(channel) if channel ~= nil then exports['ghmattimysql']:execute('INSERT INTO phone_irc_messages (channel, message) VALUES(@channel, @message)', { ['channel'] = data.channel, ['message'] = data.message }, function(res) if res.affectedRows > 0 then Citizen.CreateThread(function() exports['ghmattimysql']:execute('SELECT * FROM phone_irc_channels WHERE channel = @channel', { ['channel'] = data.channel }, function(data2) for k, v in ipairs(data2) do local otherplayer = ESX.GetPlayerFromIdentifier(v.identifier).source local tPlayer = v.identifier TriggerClientEvent('8bit_phone:client:ReceiveNewIRCMessage', otherplayer, { channel = data.channel, message = data.message }) end end) end) end cb(res.affectedRows > 0) end) else cb(nil) end end) end)
fx_version 'adamant' games { 'rdr3', 'gta5' } rdr3_warning 'I acknowledge that this is a prerelease build of RedM, and I am aware my resources *will* become incompatible once RedM ships.' description 'Async for RedM, this is a completely rewritten resource by TigoDevelopment, will also work on FiveM' server_script { 'main.lua' } client_script { 'main.lua' } exports { 'getSharedObject' } server_exports { 'getSharedObject' }
function SetPedFlag(object, flag, enabled) exports["caue-flags"]:SetPedFlag(object, flag, enabled) end function HasPedFlag(object, flag) return exports["caue-flags"]:HasPedFlag(object, flag) end function GetPedFlags(object) return exports["caue-flags"]:GetPedFlags(object) end function SetPedFlags(object, flag) exports["caue-flags"]:SetPedFlags(object, flag) end function SetVehicleFlag(vehicle, flag, enabled) exports["caue-flags"]:SetVehicleFlag(vehicle, flag, enabled) end function HasVehicleFlag(vehicle, flag) return exports["caue-flags"]:HasVehicleFlag(vehicle, flag) end function GetVehicleFlags(vehicle) return exports["caue-flags"]:GetVehicleFlags(vehicle) end function SetVehicleFlags(object, flag) exports["caue-flags"]:SetVehicleFlags(object, flag) end function SetObjectFlag(object, flag, enabled) exports["caue-flags"]:SetObjectFlag(object, flag, enabled) end function HasObjectFlag(object, flag) return exports["caue-flags"]:HasObjectFlag(object, flag) end function GetObjectFlags(object) return exports["caue-flags"]:GetObjectFlags(object) end function SetObjectFlags(object, flag) exports["caue-flags"]:SetObjectFlags(object, flag) end
OpenNefia.Prototypes.Elona.Guild.Elona = { Mage = { Name = "Mages Guild", }, Fighter = { Name = "Fighters Guild", }, Thief = { Name = "Thieves Guild", }, }
-- ############################################################################# -- # Jeti helper library -- # -- # Copyright (c) 2017, Original idea by Thomas Ekdahl ([email protected]) -- # -- # License: Share alike -- # Can be used and changed non commercial, but feel free to send us changes back to be incorporated in the main code. -- # -- # V0.5 - Initial release -- ############################################################################# local fakesensor = {} -------------------------------------------------------------------- -- Generates fake sensor values function fakesensor.makeSensorValues() sensorsOnline = 1 SensorT.rpm = {"..."} SensorT.rpm2 = {"..."} SensorT.egt = {"..."} SensorT.fuel = {"..."} SensorT.ecuv = {"..."} SensorT.pumpv = {"..."} SensorT.status = {"..."} SensorT.rpm.sensor = {"..."} SensorT.rpm2.sensor = {"..."} SensorT.egt.sensor = {"..."} SensorT.fuel.sensor = {"..."} SensorT.ecuv.sensor = {"..."} SensorT.pumpv.sensor = {"..."} SensorT.status.sensor = {"..."} -- Should have a random number generator here. if(system.getTime() % 5 == 0) then SensorT.rpm.sensor.value = 121239 SensorT.rpm.sensor.max = 156693 SensorT.rpm2.sensor.value = 9000 SensorT.rpm2.sensor.max = 5556 SensorT.egt.sensor.value = 634 SensorT.egt.sensor.max = 856 SensorT.fuel.sensor.value = 0 SensorT.fuel.sensor.max = 2501 SensorT.fuel.percent = 70 SensorT.ecuv.sensor.value = 7.1 SensorT.ecuv.sensor.max = 7.6 SensorT.ecuv.percent = 30 SensorT.pumpv.sensor.value = 0.9 SensorT.pumpv.sensor.max = 2.5 SensorT.status.sensor.value = 0 SensorT.status.sensor.max = 0 SensorT.status.text = 'RC Off' else SensorT.rpm.sensor.value = 30000 SensorT.rpm.sensor.max = 156693 SensorT.rpm2.sensor.value = 2433 SensorT.rpm2.sensor.max = 5252 SensorT.egt.sensor.value = 900 SensorT.egt.sensor.max = 757 SensorT.fuel.sensor.value = 250 SensorT.fuel.sensor.max = 2501 SensorT.fuel.percent = 15 SensorT.ecuv.sensor.value = 4.0 SensorT.ecuv.sensor.max = 7.5 SensorT.ecuv.percent = 20 SensorT.pumpv.sensor.value = 0 SensorT.pumpv.sensor.max = 2.0 SensorT.status.sensor.value = 0 SensorT.status.sensor.max = 0 SensorT.status.text = 'Idle' end end return fakesensor
ESX = nil TriggerEvent('esx:getSharedObject', function(obj) ESX = obj end) ESX.RegisterServerCallback('esx_carwash:canAfford', function(source, cb) local xPlayer = ESX.GetPlayerFromId(source) if Config.EnablePrice then if xPlayer.getMoney() >= Config.Price then xPlayer.removeMoney(Config.Price) cb(true) else cb(false) end else cb(true) end end)
--- @class HelpPrompt HelpPrompt = setmetatable({}, HelpPrompt) HelpPrompt.__index = HelpPrompt HelpPrompt.__call = function() return "HelpPrompt" end function HelpPrompt.new(text) local _HelpPrompt = { _Text = text, EachFrame = eachFrame or false, _Drawing = false, _Actions = {}, _WaitingForAction = false } return setmetatable(_HelpPrompt, HelpPrompt) end function HelpPrompt:Draw(duration) if self._Drawing == true then return end self._Drawing = true if type(duration) == "number" then if duration > 0 then self:WaitForAction() Citizen.CreateThread(function() SetTimeout(duration * 1000, function() self:Destroy() end) while self._Drawing == true do Citizen.Wait(0) SetTextComponentFormat("STRING") AddTextComponentString(self._Text) DisplayHelpTextFromStringLabel(0, 0, 1, -1) end end) elseif duration == -1 then self:WaitForAction() Citizen.CreateThread(function() while self._Drawing == true do Citizen.Wait(0) SetTextComponentFormat("STRING") AddTextComponentString(self._Text) DisplayHelpTextFromStringLabel(0, 0, 1, -1) end end) end elseif duration == nil then SetTextComponentFormat("STRING") AddTextComponentString(self._Text) DisplayHelpTextFromStringLabel(0, 0, 1, -1) end end --- Sets an action for the prompt --- @param key number The key to trigger the action --- @param handler fun(prompt: HelpPrompt): void The handler function function HelpPrompt:Action(key, handler) for k,v in pairs(self._Actions) do if v.key == key then Self._Actions.handler = handler return end end table.insert(self._Actions, { key = key, handler = handler }) end function HelpPrompt:WaitForAction() if self._WaitingForAction == true then return end self._WaitingForAction = true Citizen.CreateThread(function() while self._WaitingForAction == true do Citizen.Wait(0) for k,v in pairs(self._Actions) do if IsControlJustReleased(0, v.key) then v.handler(self) end end end end) end function HelpPrompt:Text(text) if type(text) == "string" then self._Text = text return self._Text end return self._Text end function HelpPrompt:Destroy() if self._Drawing == true then self._Drawing = false end if self._WaitingForAction == true then self._WaitingForAction = false end end
-- int param : -- 0 = main -- 1 = choose a horse -- 2 = choose a horse (2) -- 3 = select a bet -- 4 = select a bet (2) -- 5 = race screen (frozen) -- 6 = photo finish (frozen) -- 7 = results -- 8 = same as main but a bit different -- 9 = rules function Utils:ShowMainScreen() BeginScaleformMovieMethod(self.Scaleform, 'SHOW_SCREEN') ScaleformMovieMethodAddParamInt(0) EndScaleformMovieMethod() BeginScaleformMovieMethod(Utils.Scaleform, 'SET_MAIN_EVENT_IN_PROGRESS') ScaleformMovieMethodAddParamBool(true) EndScaleformMovieMethod() BeginScaleformMovieMethod(Utils.Scaleform, 'CLEAR_ALL') EndScaleformMovieMethod() end ---@param cooldown int ---(in seconds). function Utils:SetMainScreenCooldown(cooldown) BeginScaleformMovieMethod(self.Scaleform, 'SET_COUNTDOWN') ScaleformMovieMethodAddParamInt(cooldown) EndScaleformMovieMethod() end function Utils:SetNotAvailable() BeginScaleformMovieMethod(self.Scaleform, 'SHOW_ERROR') BeginTextCommandScaleformString('IT_ERROR_TITLE') EndTextCommandScaleformString() BeginTextCommandScaleformString('IT_ERROR_MSG') EndTextCommandScaleformString() EndScaleformMovieMethod() end
if not love then love = {} end return { ["*love-events*"] = love }
--copied from angels smelting... local function hide_setting(setting_type, setting_name, setting_default) if data.raw[setting_type] and data.raw[setting_type][setting_name] then data.raw[setting_type][setting_name].hidden = true if setting_default ~= nil then data.raw[setting_type][setting_name].default_value = setting_default end end end local sett = { "enableinfiniteclownsore1", "enableinfiniteclownsore2", "enableinfiniteclownsore3", "enableinfiniteclownsore4", "enableinfiniteclownsore5", "enableinfiniteclownsore6", "enableinfiniteclownsore7", "enableinfiniteclownsore8", "enableinfiniteclownsore9", "enableinfiniteclownsresource1", "enableinfiniteclownsresource2" } if mods["angelsinfiniteores"] then else for _,sett in pairs(sett) do hide_setting("bool-setting", sett) end end
function getFormatNetTime() current = getNetTime(); current_text = os.date("%Y:%m:%d %X", current); return current_text; end function getCurrentHour() local currentTimeStr=getFormatNetTime() local h=string.sub(currentTimeStr,12,13) return tonumber(h) end function getCurrentMinute() local currentTimeStr=getFormatNetTime() local minute=string.sub(currentTimeStr,15,16) return tonumber(minute) end --ๅปถ่ฟŸ3็ง’ๅŽๅŠ ่ฝฝ็•Œ้ข mSleep(3000) local sz = require("sz"); local json = sz.json; local w,h = getScreenSize(); MyTable = { ["style"] = "default", ["width"] = w, ["height"] = h, ["config"] = "config.dat", ["rettype"] = "default", ["timer"] = 10, views = { { ["type"] = "Label", ["text"] = "ไนฑๆ–—ๆฌกๆ•ฐ:", ["size"] = 24, ["align"] = "center", ["color"] = "0,0,255", ["width"] = "260", ["nowrap"] = "1" }, { ["type"] = "Edit", ["prompt"] = "ไนฑๆ–—ๆฌกๆ•ฐ", ["text"] = 60, ["size"] = 15, ["align"] = "center", ["color"] = "0,0,225", ["width"] = "160", ["kbtype"]="number" }, { ["type"] = "Label", ["text"] = "HOME้”ฎไฝ็ฝฎ:", ["size"] = 24, ["align"] = "center", ["color"] = "0,0,255", ["width"] = "260", ["nowrap"] = "1" }, { ["type"] = "ComboBox", ["list"] = "็ซ–ๅฑๅœจไธ‹,ๆจชๅฑๅœจๅณ,ๆจชๅฑๅœจๅทฆ", ["select"] = "1", ["width"] = "160" }, } } local MyJsonString = json.encode(MyTable); ret = {showUI(MyJsonString)} --dialog(ret[3], 0) mSleep(11000) --็ซžๆŠ€ๅœบๅพช็Žฏๆฌกๆ•ฐ num=60 if(ret[2]~=nil )then num=ret[2] end --็กฎๅฎšๆจชๅฑ็ซ–ๅฑ homeXY=1; --HOMEๅปบไฝ็ฝฎ้ป˜่ฎคๅœจๅณ if(ret[3]~=nil )then homeXY=ret[3] end --็•Œ้ขๅŠ ่ฝฝๅฎŒๆˆ --ๅผ€ๅง‹ๅŠ ่ฝฝ่‡ชๅฎšไน‰ๅ‡ฝๆ•ฐ init('0',homeXY) --ๅขžๅŠ ไนฑๆ–—ๆ—ถ้—ดๅˆคๆ–ญ๏ผŒๅˆฐไบ†ๆ—ถ้—ดๆ‰ๅผ€ๅง‹ๆ‰ง่กŒไนฑๆ–—ไปฃ็  while (true) do local h=getCurrentHour(); local currentTime=getFormatNetTime(); if(h==13 or h==20 or h==23)then local currentMinute=getCurrentMinute(); if(currentMinute>4) then mSleep(3000) else mSleep(90000) end break; else toast("ไนฑๆ–—ๅœบๆš‚ๆœชๅผ€ๆ”พ,ๅฝ“ๅ‰ๆ—ถ้—ด"..currentTime,15); mSleep(30000) end end function isColor(x,y,c,s) local fl,abs = math.floor,math.abs s = fl(0xff*(100-s)*0.01) local r,g,b = fl(c/0x10000),fl(c%0x10000/0x100),fl(c%0x100) local rr,gg,bb = getColorRGB(x,y) if abs(r-rr)<s and abs(g-gg)<s and abs(b-bb)<s then return true end end --่ฎฐๅฝ•ๆ—ฅๅฟ— function log(str,logName) local fileName="ravenLog" if(logName~=nil and logName~='' and logName~="") then fileName=logName end initLog(fileName, 0); wLog(fileName,str); closeLog(fileName); --ๅ…ณ้—ญๆ—ฅๅฟ— end function tap(x,y) touchDown(x,y) mSleep(50) touchUp(x,y) mSleep(50) log('tap_xy:'..x..","..y,nil) end --ๅœบๆ™ฏๅˆคๆ–ญ,ๅ–ๅคšไธช็‚น้ขœ่‰ฒๅŒน้…ๆˆๅŠŸๅˆ™็‚นๅ‡ป็›ธๅบ”ๅๆ ‡ --x,y ็‚นๅ‡ปๅๆ ‡๏ผŒjudgeTableๅ–็‚นๅๆ ‡ๅ’Œ้ขœ่‰ฒjudgeTable={ๅ–็‚น1={100,100,0x444444}...}๏ผŒsๅŒน้…็ณปๆ•ฐ function sceneJudgment(x,y,judgeTable,s,sleepTime,overTime) local isEnter=false local num=#judgeTable local sleep=1000 local overTimeDef=30--30็ง’ if(overTime~=nil and overTime>0)then overTimeDef=overTime end if(sleepTime~=nil and sleepTime>0)then sleep=sleepTime end local time = os.time() while (true) do if(num==2) then if (isColor( judgeTable[1][1], judgeTable[1][2], judgeTable[1][3], s) and isColor( judgeTable[2][1], judgeTable[2][2], judgeTable[2][3], s) ) then mSleep(sleep) tap(x,y) --log('tap_xy:'..x..","..y,nil) isEnter=true break else mSleep(1000) end elseif(num==3) then if (isColor( judgeTable[1][1], judgeTable[1][2], judgeTable[1][3], s) and isColor( judgeTable[2][1], judgeTable[2][2], judgeTable[2][3], s) and isColor( judgeTable[3][1], judgeTable[3][2], judgeTable[3][3], s) ) then mSleep(sleep) tap(x,y) --log('tap_xy:'..x..","..y,nil) isEnter=true break else mSleep(1000) end elseif(num==4) then if (isColor( judgeTable[1][1], judgeTable[1][2], judgeTable[1][3], s) and isColor( judgeTable[2][1], judgeTable[2][2], judgeTable[2][3], s) and isColor( judgeTable[3][1], judgeTable[3][2], judgeTable[3][3], s) and isColor( judgeTable[4][1], judgeTable[4][2], judgeTable[4][3], s) ) then mSleep(sleep) tap(x,y) --log('tap_xy:'..x..","..y,nil) isEnter=true break else mSleep(1000) end end local time2 = os.time() --่ถ…ๆ—ถ้€€ๅ‡บ if((time2-time)>overTimeDef)then break end end return isEnter end ravenConfigs={ ["r720_1280"]={ ["HOME่ง’ๆ–—ๅœบ"]={1000, 560, 0x1b394b }, ["ไนฑๆ–—ๅœบ"]={920, 611, 0xdeb371 }, ["ๅ›ข้˜Ÿไนฑๆ–—"]={890, 635, 0x562f0c }, ["ไนฑๆ–—ๅœบ่ฎฐๅฝ•1"]={158, 132, 0xcbcbcb }, ["ไนฑๆ–—ๅœบ่ฎฐๅฝ•2"]={207, 133, 0xc8c8c8}, ["ๅ›ข้˜Ÿไนฑๆ–—1"]={300, 372, 0xc25511}, ["ๅ›ข้˜Ÿไนฑๆ–—2"]={344, 398, 0xbb4411}, ["ๅˆฐ่ƒœๅˆ†็ซ™็ป“ๆŸ"]={850, 590, 0x382100}, ["็ป“ๆŸไนฑๆ–—1"]={433, 560, 0xd58913}, ["็ป“ๆŸไนฑๆ–—2"]={459, 552, 0xe89615}, ["็ป“ๆŸไนฑๆ–—็กฎ่ฎค"]={1048, 664, 0xbb965f}, ["็งปๅŠจๅˆฐๅ‡†ๅค‡็•Œ้ข"]={1152, 662, 0xc09b62}, ["็งปๅŠจๅˆฐๅ‡†ๅค‡็•Œ้ข1"]={875, 665, 0xb8945e}, ["็งปๅŠจๅˆฐๅ‡†ๅค‡็•Œ้ข2"]={900, 658, 0xcaa367}, ["ไนฑๆ–—ๆˆฟ้—ด่ฟ”ๅ›ž"]={81, 35, 0x783713}, ["ไนฑๆ–—ๆˆฟ้—ด1"]={788, 119, 0xd9d9d9}, ["ไนฑๆ–—ๆˆฟ้—ด2"]={832, 119, 0xd9d9d9} }, ["r1920_1080"]={ ["HOME่ง’ๆ–—ๅœบ"]={1507, 844, 0x375a65 }, ["ไนฑๆ–—ๅœบ"]={1394, 917, 0x712816 }, ["ๅ›ข้˜Ÿไนฑๆ–—"]={1351, 959, 0x552e0b }, ["ไนฑๆ–—ๅœบ่ฎฐๅฝ•1"]={1357, 335, 0xe29215 }, ["ไนฑๆ–—ๅœบ่ฎฐๅฝ•2"]={1548, 332, 0xe69515}, ["ๆฒกๅˆฐๅผ€ๆ”พๆ—ถ้—ด1"]={1071, 470, 0xc7a165}, ["ๆฒกๅˆฐๅผ€ๆ”พๆ—ถ้—ด1"]={1093, 479, 0xb8955d}, ["ๆฒกๅˆฐๅผ€ๆ”พๆ—ถ้—ด็กฎ่ฎค"]={945, 825, 0xdeb371}, ["ไนฑๆ–—ๅœบๆœๅŠกๅ™จไธ็จณๅฎš็กฎ่ฎค"]={961, 825, 0x6c2715}, ["ไนฑๆ–—ๅœบๆœๅŠกๅ™จไธ็จณๅฎš1"]={1088, 486, 0xd2aa6b}, ["ไนฑๆ–—ๅœบๆœๅŠกๅ™จไธ็จณๅฎš2"]={1120, 494, 0xc6a064}, ["็ฝ‘็ปœ่ฟžๆŽฅ่ถ…ๆ—ถ็กฎ่ฎค"]={1182, 821, 0xbb975f}, ["็ฝ‘็ปœ่ฟžๆŽฅ่ถ…ๆ—ถ1"]={1223, 482, 0xb3915b}, ["็ฝ‘็ปœ่ฟžๆŽฅ่ถ…ๆ—ถ2"]={1264, 489, 0xa78755}, ["ไนฑๆ–—ๅœบ่ฟ”ๅ›ž"]={128, 47, 0xcf7728}, ["ๅ›ข้˜Ÿไนฑๆ–—1"]={1307, 894, 0xdbad7e}, ["ๅ›ข้˜Ÿไนฑๆ–—2"]={1439, 888, 0xe5bb8b}, ["ๅˆฐ่ƒœๅˆ†็ซ™็ป“ๆŸ"]={1303, 896, 0x573a16}, ["ๆ— ๆณ•ๆ‰พๅˆฐๅฏนๆ‰‹็กฎ่ฎค"]={960, 829, 0x692514}, ["ๆ— ๆณ•ๆ‰พๅˆฐๅฏนๆ‰‹1"]={940, 496, 0xc29d63}, ["ๆ— ๆณ•ๆ‰พๅˆฐๅฏนๆ‰‹2"]={1020, 488, 0xd0a869}, ["่ฟ›ๅ…ฅๆˆ˜ๆ–—1"]={1832, 353, 0xd0d0d0}, ["่ฟ›ๅ…ฅๆˆ˜ๆ–—2"]={1820, 335, 0xf2f2f2}, ["่ฟ›ๅ…ฅๆˆ˜ๆ–—ๅคงๆ‹›"]={1691, 618, 0xae388d}, ["็ป“ๆŸไนฑๆ–—1"]={381, 43, 0xe4a028}, ["็ป“ๆŸไนฑๆ–—2"]={510, 67, 0xc78c23}, ["็ป“ๆŸไนฑๆ–—็กฎ่ฎค"]={1575, 998, 0x2d1109}, ["็งปๅŠจๅˆฐๅ‡†ๅค‡็•Œ้ข"]={1727, 998, 0x392e1d}, ["็งปๅŠจๅˆฐๅ‡†ๅค‡็•Œ้ข1"]={1350, 987, 0xcba467}, ["็งปๅŠจๅˆฐๅ‡†ๅค‡็•Œ้ข2"]={1313, 998, 0xb7945e}, ["ไนฑๆ–—ๆœชๅˆฐๅผ€ๆ”พๆ—ถ้—ด1"]={1093, 479, 0xb8955e}, ["ไนฑๆ–—ๆœชๅˆฐๅผ€ๆ”พๆ—ถ้—ด2"]={1104, 479, 0xb8955e }, ["ไนฑๆ–—ๆœชๅˆฐๅผ€ๆ”พๆ—ถ้—ด็กฎ่ฎค"]={961, 828, 0x6a2614}, ["ไนฑๆ–—ๆˆฟ้—ด่ฟ”ๅ›ž"]={124, 45, 0xdb852a}, ["ไนฑๆ–—ๆˆฟ้—ด1"]={1247, 179, 0xd8d8d8}, ["ไนฑๆ–—ๆˆฟ้—ด2"]={1321, 177, 0xdddddd}, } } sleepTime=3000 slowSleepTime=20000 midSleepTime=5000 fastSleepTime=1000 overTime1=40 overTime2=350 local ravenConfig=ravenConfigs["r1920_1080"] tap(ravenConfig["HOME่ง’ๆ–—ๅœบ"][1],ravenConfig["HOME่ง’ๆ–—ๅœบ"][2]) mSleep(midSleepTime) tap(ravenConfig["ไนฑๆ–—ๅœบ"][1],ravenConfig["ไนฑๆ–—ๅœบ"][2]) for i=1,num,1 do --่ฟ›ๅ…ฅไนฑๆ–—ๅœบ่ฎฐๅฝ•็•Œ้ข๏ผŒ็‚นๅ‡ปๅ›ข้˜Ÿไนฑๆ–—ๆŒ‰้’ฎ mSleep(midSleepTime) local luandoujilu={ravenConfig["ไนฑๆ–—ๅœบ่ฎฐๅฝ•1"],ravenConfig["ไนฑๆ–—ๅœบ่ฎฐๅฝ•2"]} local result=sceneJudgment(ravenConfig["ๅ›ข้˜Ÿไนฑๆ–—"][1],ravenConfig["ๅ›ข้˜Ÿไนฑๆ–—"][2],luandoujilu,90,4000,overTime1) if(result==false)then dialog("่ฟ›ๅ…ฅโ€œๅ›ข้˜Ÿไนฑๆ–—โ€่ถ…ๆ—ถๅผ‚ๅธธ", 0) break end --ๅฆ‚ๆžœไนฑๆ–—ๆ—ถ้—ด็ป“ๆŸ๏ผŒๅˆ™่ฟ”ๅ›žๆธธๆˆไธป็•Œ้ข if (isColor( ravenConfig["ๆฒกๅˆฐๅผ€ๆ”พๆ—ถ้—ด1"][1], ravenConfig["ๆฒกๅˆฐๅผ€ๆ”พๆ—ถ้—ด1"][2], ravenConfig["ๆฒกๅˆฐๅผ€ๆ”พๆ—ถ้—ด1"][3], 90) and isColor( ravenConfig["ๆฒกๅˆฐๅผ€ๆ”พๆ—ถ้—ด1"][1], ravenConfig["ๆฒกๅˆฐๅผ€ๆ”พๆ—ถ้—ด1"][2], ravenConfig["ๆฒกๅˆฐๅผ€ๆ”พๆ—ถ้—ด1"][3], 90) ) then mSleep(sleepTime) tap(ravenConfig["ๆฒกๅˆฐๅผ€ๆ”พๆ—ถ้—ด็กฎ่ฎค"][1], ravenConfig["ๆฒกๅˆฐๅผ€ๆ”พๆ—ถ้—ด็กฎ่ฎค"][2]) mSleep(sleepTime) tap(ravenConfig["ไนฑๆ–—ๅœบ่ฟ”ๅ›ž"][1], ravenConfig["ไนฑๆ–—ๅœบ่ฟ”ๅ›ž"][2]) mSleep(sleepTime) tap(ravenConfig["ไนฑๆ–—ๅœบ่ฟ”ๅ›ž"][1], ravenConfig["ไนฑๆ–—ๅœบ่ฟ”ๅ›ž"][2]) dialog("ไนฑๆ–—ๅœบๆฒกๅˆฐๅผ€ๆ”พๆ—ถ้—ดใ€‚", 0) break end --่ฟ›ๅ…ฅๅ›ข้˜Ÿไนฑๆ–— mSleep(sleepTime) local tuanduiluandou={ravenConfig["ๅ›ข้˜Ÿไนฑๆ–—1"],ravenConfig["ๅ›ข้˜Ÿไนฑๆ–—2"]} local result=sceneJudgment(ravenConfig["ๅˆฐ่ƒœๅˆ†็ซ™็ป“ๆŸ"][1],ravenConfig["ๅˆฐ่ƒœๅˆ†็ซ™็ป“ๆŸ"][2],tuanduiluandou,90,3000,overTime1) if(result==false)then dialog("่ฟ›ๅ…ฅโ€œๅˆฐ่ƒœๅˆ†็ซ™็ป“ๆŸโ€่ถ…ๆ—ถๅผ‚ๅธธ", 0) break end --ๅค„็†ๆœชๅŒน้…ๅˆฐๅฏนๆ‰‹ๅผ‚ๅธธ local wufazhaodaoduishou={ravenConfig["ๆ— ๆณ•ๆ‰พๅˆฐๅฏนๆ‰‹1"],ravenConfig["ๆ— ๆณ•ๆ‰พๅˆฐๅฏนๆ‰‹2"]} local result=sceneJudgment(ravenConfig["ๆ— ๆณ•ๆ‰พๅˆฐๅฏนๆ‰‹็กฎ่ฎค"][1],ravenConfig["ๆ— ๆณ•ๆ‰พๅˆฐๅฏนๆ‰‹็กฎ่ฎค"][2],wufazhaodaoduishou,90,3000,40) if(result)then mSleep(5000) --ๆš‚ๅœ10็ง’้‡ๆ–ฐๅผ€ๅง‹็ป„้˜Ÿ local luandoujilu={ravenConfig["ไนฑๆ–—ๅœบ่ฎฐๅฝ•1"],ravenConfig["ไนฑๆ–—ๅœบ่ฎฐๅฝ•2"]} local result=sceneJudgment(ravenConfig["ๅ›ข้˜Ÿไนฑๆ–—"][1],ravenConfig["ๅ›ข้˜Ÿไนฑๆ–—"][2],luandoujilu,90,midSleepTime,overTime1) mSleep(sleepTime) local tuanduiluandou={ravenConfig["ๅ›ข้˜Ÿไนฑๆ–—1"],ravenConfig["ๅ›ข้˜Ÿไนฑๆ–—2"]} local result=sceneJudgment(ravenConfig["ๅˆฐ่ƒœๅˆ†็ซ™็ป“ๆŸ"][1],ravenConfig["ๅˆฐ่ƒœๅˆ†็ซ™็ป“ๆŸ"][2],tuanduiluandou,90,3000,overTime1) end --่ฟ›ๅ…ฅไนฑๆ–—ไธญๆ”พๅคงๆ‹› local jieshuluandou={ravenConfig["่ฟ›ๅ…ฅๆˆ˜ๆ–—1"],ravenConfig["่ฟ›ๅ…ฅๆˆ˜ๆ–—2"]} local result=sceneJudgment(ravenConfig["่ฟ›ๅ…ฅๆˆ˜ๆ–—ๅคงๆ‹›"][1],ravenConfig["่ฟ›ๅ…ฅๆˆ˜ๆ–—ๅคงๆ‹›"][2],jieshuluandou,90,4000,overTime1) if(result==false)then --ๅค„็†ๆœชๅŒน้…ๅˆฐๅฏนๆ‰‹ๅผ‚ๅธธ local wufazhaodaoduishou={ravenConfig["ๆ— ๆณ•ๆ‰พๅˆฐๅฏนๆ‰‹1"],ravenConfig["ๆ— ๆณ•ๆ‰พๅˆฐๅฏนๆ‰‹2"]} local result=sceneJudgment(ravenConfig["ๆ— ๆณ•ๆ‰พๅˆฐๅฏนๆ‰‹็กฎ่ฎค"][1],ravenConfig["ๆ— ๆณ•ๆ‰พๅˆฐๅฏนๆ‰‹็กฎ่ฎค"][2],wufazhaodaoduishou,90,3000,5) if(result)then local luandoujilu={ravenConfig["ไนฑๆ–—ๅœบ่ฎฐๅฝ•1"],ravenConfig["ไนฑๆ–—ๅœบ่ฎฐๅฝ•2"]} local result=sceneJudgment(ravenConfig["ๅ›ข้˜Ÿไนฑๆ–—"][1],ravenConfig["ๅ›ข้˜Ÿไนฑๆ–—"][2],luandoujilu,90,midSleepTime,overTime1) mSleep(sleepTime) local tuanduiluandou={ravenConfig["ๅ›ข้˜Ÿไนฑๆ–—1"],ravenConfig["ๅ›ข้˜Ÿไนฑๆ–—2"]} local result=sceneJudgment(ravenConfig["ๅˆฐ่ƒœๅˆ†็ซ™็ป“ๆŸ"][1],ravenConfig["ๅˆฐ่ƒœๅˆ†็ซ™็ป“ๆŸ"][2],tuanduiluandou,90,3000,overTime1) end end --ๅ†ๆฌกๅˆคๆ–ญๆ˜ฏๅฆๅŒน้…ๅˆฐ้˜Ÿไผ --ๅค„็†ๆœชๅŒน้…ๅˆฐๅฏนๆ‰‹ๅผ‚ๅธธ local wufazhaodaoduishou={ravenConfig["ๆ— ๆณ•ๆ‰พๅˆฐๅฏนๆ‰‹1"],ravenConfig["ๆ— ๆณ•ๆ‰พๅˆฐๅฏนๆ‰‹2"]} local result=sceneJudgment(ravenConfig["ๆ— ๆณ•ๆ‰พๅˆฐๅฏนๆ‰‹็กฎ่ฎค"][1],ravenConfig["ๆ— ๆณ•ๆ‰พๅˆฐๅฏนๆ‰‹็กฎ่ฎค"][2],wufazhaodaoduishou,90,3000,33) if(result)then mSleep(5000) --ๆš‚ๅœ10็ง’้‡ๆ–ฐๅผ€ๅง‹็ป„้˜Ÿ local luandoujilu={ravenConfig["ไนฑๆ–—ๅœบ่ฎฐๅฝ•1"],ravenConfig["ไนฑๆ–—ๅœบ่ฎฐๅฝ•2"]} local result=sceneJudgment(ravenConfig["ๅ›ข้˜Ÿไนฑๆ–—"][1],ravenConfig["ๅ›ข้˜Ÿไนฑๆ–—"][2],luandoujilu,90,3000,overTime1) mSleep(sleepTime) local tuanduiluandou={ravenConfig["ๅ›ข้˜Ÿไนฑๆ–—1"],ravenConfig["ๅ›ข้˜Ÿไนฑๆ–—2"]} local result=sceneJudgment(ravenConfig["ๅˆฐ่ƒœๅˆ†็ซ™็ป“ๆŸ"][1],ravenConfig["ๅˆฐ่ƒœๅˆ†็ซ™็ป“ๆŸ"][2],tuanduiluandou,90,3000,overTime1) end --่ฟ›ๅ…ฅๅ›ข้˜Ÿไนฑๆ–— --mSleep(slowSleepTime) local jieshuluandou={ravenConfig["็ป“ๆŸไนฑๆ–—1"],ravenConfig["็ป“ๆŸไนฑๆ–—2"]} local result=sceneJudgment(ravenConfig["็ป“ๆŸไนฑๆ–—็กฎ่ฎค"][1],ravenConfig["็ป“ๆŸไนฑๆ–—็กฎ่ฎค"][2],jieshuluandou,90,4000,overTime2) if(result==false)then --ๅ†ๆฌกๅˆคๆ–ญๆ˜ฏๅฆๅŒน้…ๅˆฐ้˜Ÿไผ --ๅค„็†ๆœชๅŒน้…ๅˆฐๅฏนๆ‰‹ๅผ‚ๅธธ local wufazhaodaoduishou={ravenConfig["ๆ— ๆณ•ๆ‰พๅˆฐๅฏนๆ‰‹1"],ravenConfig["ๆ— ๆณ•ๆ‰พๅˆฐๅฏนๆ‰‹2"]} local result=sceneJudgment(ravenConfig["ๆ— ๆณ•ๆ‰พๅˆฐๅฏนๆ‰‹็กฎ่ฎค"][1],ravenConfig["ๆ— ๆณ•ๆ‰พๅˆฐๅฏนๆ‰‹็กฎ่ฎค"][2],wufazhaodaoduishou,90,3000,10) if(result)then mSleep(5000) --ๆš‚ๅœ10็ง’้‡ๆ–ฐๅผ€ๅง‹็ป„้˜Ÿ local luandoujilu={ravenConfig["ไนฑๆ–—ๅœบ่ฎฐๅฝ•1"],ravenConfig["ไนฑๆ–—ๅœบ่ฎฐๅฝ•2"]} local result=sceneJudgment(ravenConfig["ๅ›ข้˜Ÿไนฑๆ–—"][1],ravenConfig["ๅ›ข้˜Ÿไนฑๆ–—"][2],luandoujilu,90,3000,overTime1) mSleep(sleepTime) local tuanduiluandou={ravenConfig["ๅ›ข้˜Ÿไนฑๆ–—1"],ravenConfig["ๅ›ข้˜Ÿไนฑๆ–—2"]} local result=sceneJudgment(ravenConfig["ๅˆฐ่ƒœๅˆ†็ซ™็ป“ๆŸ"][1],ravenConfig["ๅˆฐ่ƒœๅˆ†็ซ™็ป“ๆŸ"][2],tuanduiluandou,90,3000,overTime1) --่ฟ›ๅ…ฅๅ›ข้˜Ÿไนฑๆ–— --mSleep(slowSleepTime) local jieshuluandou={ravenConfig["็ป“ๆŸไนฑๆ–—1"],ravenConfig["็ป“ๆŸไนฑๆ–—2"]} local result=sceneJudgment(ravenConfig["็ป“ๆŸไนฑๆ–—็กฎ่ฎค"][1],ravenConfig["็ป“ๆŸไนฑๆ–—็กฎ่ฎค"][2],jieshuluandou,90,4000,overTime2) else dialog("่ฟ›ๅ…ฅโ€œ็ป“ๆŸไนฑๆ–—็กฎ่ฎคโ€่ถ…ๆ—ถๅผ‚ๅธธ", 0) break end end --่ฟ›ๅ…ฅ่ฟ”ๅ›žไนฑๆ–—ๅ‡†ๅค‡็•Œ้ข mSleep(sleepTime) local yidongdaozhunbeijiemian={ravenConfig["็งปๅŠจๅˆฐๅ‡†ๅค‡็•Œ้ข1"],ravenConfig["็งปๅŠจๅˆฐๅ‡†ๅค‡็•Œ้ข2"]} local result=sceneJudgment(ravenConfig["็งปๅŠจๅˆฐๅ‡†ๅค‡็•Œ้ข"][1],ravenConfig["็งปๅŠจๅˆฐๅ‡†ๅค‡็•Œ้ข"][2],yidongdaozhunbeijiemian,90,4000,overTime1) if(result==false)then dialog("่ฟ›ๅ…ฅโ€œ็งปๅŠจๅˆฐๅ‡†ๅค‡็•Œ้ขโ€่ถ…ๆ—ถๅผ‚ๅธธ", 0) break end --ไนฑๆ–—ๆ—ถ้—ด็ป“ๆŸ๏ผŒ่ฟ”ๅ›žไธป็•Œ้ข local yidongdaozhunbeijiemian={ravenConfig["ไนฑๆ–—ๆœชๅˆฐๅผ€ๆ”พๆ—ถ้—ด1"],ravenConfig["ไนฑๆ–—ๆœชๅˆฐๅผ€ๆ”พๆ—ถ้—ด2"]} local result=sceneJudgment(ravenConfig["ไนฑๆ–—ๆœชๅˆฐๅผ€ๆ”พๆ—ถ้—ด็กฎ่ฎค"][1],ravenConfig["ไนฑๆ–—ๆœชๅˆฐๅผ€ๆ”พๆ—ถ้—ด็กฎ่ฎค"][2],yidongdaozhunbeijiemian,90,3000,5) if(result)then break; end --่ฟ›ๅ…ฅไนฑๆ–—ๆˆฟ้—ด่ฟ”ๅ›ž local yidongdaozhunbeijiemian={ravenConfig["ไนฑๆ–—ๆˆฟ้—ด1"],ravenConfig["ไนฑๆ–—ๆˆฟ้—ด2"]} local result=sceneJudgment(ravenConfig["ไนฑๆ–—ๆˆฟ้—ด่ฟ”ๅ›ž"][1],ravenConfig["ไนฑๆ–—ๆˆฟ้—ด่ฟ”ๅ›ž"][2],yidongdaozhunbeijiemian,90,4000,overTime1) if(result==false)then dialog("่ฟ›ๅ…ฅโ€œไนฑๆ–—ๆˆฟ้—ด่ฟ”ๅ›žโ€่ถ…ๆ—ถๅผ‚ๅธธ", 0) break end --mSleep(midSleepTime) --่ฟ›่กŒ็ฝ‘็ปœๅผ‚ๅธธๅค„็† end
base_build = nil base_build = { --Corvettes-------------- { Type = Ship, ThingToBuild = "Tai_RepairCorvette_hyp0", RequiredResearch = "", RequiredShipSubSystems = "", DisplayPriority = 20, DisplayedName = "$11022", Description = "$11023", }, { Type = Ship, ThingToBuild = "Tai_RepairCorvette_hyp1", RequiredResearch = "", RequiredShipSubSystems = "", DisplayPriority = 20, DisplayedName = "$11022", Description = "$11023", }, { Type = Ship, ThingToBuild = "Tai_SalvageCorvette_hyp0", RequiredResearch = "CorvetteChassis", RequiredShipSubSystems = "", DisplayPriority = 21, DisplayedName = "$11020", Description = "$11021", }, { Type = Ship, ThingToBuild = "Tai_SalvageCorvette_hyp1", RequiredResearch = "CorvetteChassis", RequiredShipSubSystems = "", DisplayPriority = 21, DisplayedName = "$11020", Description = "$11021", }, { Type = Ship, ThingToBuild = "Tai_LightCorvette_hyp0", RequiredResearch = "CorvetteDrive", RequiredShipSubSystems = "", DisplayPriority = 22, DisplayedName = "$11012", Description = "$11013", }, { Type = Ship, ThingToBuild = "Tai_LightCorvette_hyp1", RequiredResearch = "CorvetteDrive", RequiredShipSubSystems = "", DisplayPriority = 22, DisplayedName = "$11012", Description = "$11013", }, { Type = Ship, ThingToBuild = "Tai_HeavyCorvette_hyp0", RequiredResearch = "HeavyCorvetteUpgrade", RequiredShipSubSystems = "", DisplayPriority = 23, DisplayedName = "$11014", Description = "$11015", }, { Type = Ship, ThingToBuild = "Tai_HeavyCorvette_hyp1", RequiredResearch = "HeavyCorvetteUpgrade", RequiredShipSubSystems = "", DisplayPriority = 23, DisplayedName = "$11014", Description = "$11015", }, { Type = Ship, ThingToBuild = "Tai_MultiGunCorvette_hyp0", RequiredResearch = "FastTrackingTurrets", RequiredShipSubSystems = "", DisplayPriority = 24, DisplayedName = "$11016", Description = "$11017", }, { Type = Ship, ThingToBuild = "Tai_MultiGunCorvette_hyp1", RequiredResearch = "FastTrackingTurrets", RequiredShipSubSystems = "", DisplayPriority = 24, DisplayedName = "$11016", Description = "$11017", }, { Type = Ship, ThingToBuild = "Tai_MinelayerCorvette_hyp0", RequiredResearch = "MinelayingTech", RequiredShipSubSystems = "", DisplayPriority = 25, DisplayedName = "$11018", Description = "$11019", }, { Type = Ship, ThingToBuild = "Tai_MinelayerCorvette_hyp1", RequiredResearch = "MinelayingTech", RequiredShipSubSystems = "", DisplayPriority = 25, DisplayedName = "$11018", Description = "$11019", }, } for i, e in base_build do build[bld_index] = e bld_index = bld_index + 1 end base_build = nil
require('onmt.init') local path = require('pl.path') local tester = ... local vocabularyTest = torch.TestSuite() local dataDir = 'data' local testDataDir = 'test/data' local noFilter = function (_) return true end local filterShortSentences = function(sent) return #sent>10 end function vocabularyTest.filterAll() local filterAll = function (t) return #t == 0 end local wordVocab, featuresVocabs = onmt.data.Vocabulary.make(dataDir .. '/src-val.txt', filterAll) tester:eq(wordVocab:size(), 4) tester:eq(#featuresVocabs, 0) end function vocabularyTest.initSimple() local vocabs = onmt.data.Vocabulary.init('source', dataDir .. '/src-val.txt', '', { 1000 }, { 0 }, '', noFilter) tester:eq(vocabs.words:size(), 1004) tester:eq(#vocabs.features, 0) tester:eq(#vocabs.words.special, 4) onmt.data.Vocabulary.save('source', vocabs.words, 'src.dict') tester:ne(path.exists('src.dict'), false) local reused = onmt.data.Vocabulary.init('source', dataDir .. '/src-val.txt', 'src.dict', { 50000 }, '0', '', noFilter) tester:eq(vocabs.words:size(), reused.words:size()) os.remove('src.dict') end function vocabularyTest.keepFrequency() local vocabs = onmt.data.Vocabulary.init('source', dataDir .. '/src-val.txt', '', { 1000 }, { 0 }, '', noFilter, true) tester:eq(vocabs.words:size(), 1004) tester:eq(vocabs.words.freqTensor:dim(), 1) tester:eq(vocabs.words.freqTensor:size(1), 1004) -- checking unknown word frequency tester:eq(vocabs.words.freqTensor[2],19699) tester:eq(vocabs.words.freqTensor[10],1445) -- check also that frequency is recalculated when using saved dictionaries vocabs = onmt.data.Vocabulary.init('source', dataDir .. '/src-val.txt', '', { 1000 }, { 0 }, '', noFilter, false) tester:eq(vocabs.words.freqTensor, nil) onmt.data.Vocabulary.save('source', vocabs.words, 'src.dict') local reused = onmt.data.Vocabulary.init('source', dataDir .. '/src-val.txt', 'src.dict', { 1000 }, { 0 }, '', noFilter, true) tester:ne(reused.words.freqTensor, nil) tester:eq(reused.words.freqTensor[2],19699) tester:eq(reused.words.freqTensor[10],1445) os.remove('src.dict') end function vocabularyTest.minFrequency() local vocabs = onmt.data.Vocabulary.init('source', dataDir .. '/src-val.txt', '', { 0 }, { 5 }, '', noFilter, true) tester:eq(vocabs.words:size(), 1957) end function vocabularyTest.filterSent() local vocabs = onmt.data.Vocabulary.init('source', dataDir .. '/src-val.txt', '', { 0 }, { 5 }, '', filterShortSentences) tester:eq(vocabs.words:size(), 1864) end function vocabularyTest.placeholder() local vocabs = onmt.data.Vocabulary.init('source', testDataDir .. '/text-placeholder.tok', '', { 1000 }, { 1 }, '', noFilter, true) tester:assert(vocabs.words:lookup("๏ฝŸent_url๏ผƒ1๏ฝ ๏ฟญ") ~= nil) tester:assert(vocabs.words:lookup("๏ฟญ๏ฝŸTAB๏ฝ ๏ฟญ") ~= nil) tester:assert(vocabs.words:lookup("๏ฝŸept_CrossReference๏ผƒ1๏ฝ ") ~= nil) tester:assert(vocabs.words:lookup("๏ฝŸept_AutoNumber๏ผƒ1๏ฝ ๏ฟญ") ~= nil) end function vocabularyTest.initFeatures() local vocabs = onmt.data.Vocabulary.init('source', dataDir .. '/src-val-case.txt', '', { 1000, 4 }, { 0 }, '', noFilter) tester:eq(#vocabs.features, 1) tester:eq(vocabs.features[1]:size(), 8) onmt.data.Vocabulary.save('source', vocabs.words, 'src.dict') onmt.data.Vocabulary.saveFeatures('source', vocabs.features, 'test.source') tester:ne(path.exists('test.source_feature_1.dict'), false) local reuseFeatOnly = onmt.data.Vocabulary.init('source', dataDir .. '/src-val-case.txt', '', { 2000 }, { 0 }, 'test', noFilter) tester:eq(reuseFeatOnly.words:size(), 2004) tester:eq(reuseFeatOnly.features[1]:size(), vocabs.features[1]:size()) local reuseBoth = onmt.data.Vocabulary.init('source', dataDir .. '/src-val-case.txt', 'src.dict', { 2000 }, { 0 }, 'test', noFilter) tester:eq(reuseBoth.words:size(), vocabs.words:size()) tester:eq(reuseBoth.features[1]:size(), vocabs.features[1]:size()) os.remove('src.dict') os.remove('test.source_feature_1.dict') end return vocabularyTest
require 'defines' require 'gui' require 'scripts/globals' require 'scripts/request-manager' require 'scripts/blueprint-requests' require 'scripts/commands' function lrm.select_preset(player, preset) if global["presets-selected"][player.index] == preset then return end lrm.gui.select_preset(player, preset) local data = table.deepcopy(global["preset-data"][player.index][preset]) local preset_name = global["preset-names"][player.index][preset] if type(preset_name) == "table" and table.concat(preset_name) == table.concat{ "gui.auto_trash", } then local temp_data = {} for index, item in pairs (data) do if not((item.min or 0) == 0) or not ((item.max or 0) == 0) then table.insert (temp_data, item) end end temp_data.notice={"messages.auto_trash"} data = temp_data end lrm.gui.display_preset(player, data) global["presets-selected"][player.index] = preset lrm.gui.set_gui_elements_enabled(player) end script.on_event(defines.events.on_gui_click, function(event) if not event.element.get_mod() == "LogisticRequestManager" then return end local player = game.players[event.player_index] if not (player and player.valid) then return end local frame_flow = player.gui.screen local gui_clicked = event.element.name if gui_clicked == lrm.defines.gui.toggle_button then if (event.control and event.alt and event.shift) then local selected_preset = global["presets-selected"][player.index] lrm.gui.force_rebuild(player) global["presets-selected"][player.index] = 0 lrm.select_preset(player, selected_preset) return end lrm.close_or_toggle(event, true, nil) elseif gui_clicked == lrm.defines.gui.close_button then lrm.close_or_toggle(event, false) end if not lrm.check_logistics_available(player) then return end local modifiers = lrm.check_modifiers(event) if gui_clicked == lrm.defines.gui.save_as_button then local parent_frame = event.element.parent and event.element.parent.parent if not parent_frame then return end local preset_name = lrm.gui.get_save_as_name(player, parent_frame) if not preset_name or preset_name == "" then lrm.message(player, {"messages.name-needed"}) else local new_preset = nil if parent_frame.name == lrm.defines.gui.frame then new_preset = lrm.request_manager.save_preset(player, 0, preset_name, modifiers) elseif parent_frame.name == lrm.defines.gui.import_preview_frame then new_preset = lrm.request_manager.save_imported_preset(player, preset_name, modifiers) if (new_preset) then lrm.gui.hide_frame(player, lrm.defines.gui.import_frame) lrm.gui.hide_frame(player, lrm.defines.gui.import_preview_frame) end end if not (new_preset) then return end lrm.gui.clear_save_as_name(player, parent_frame) lrm.gui.build_preset_list(player) lrm.select_preset(player, new_preset) end elseif gui_clicked == lrm.defines.gui.blueprint_button then lrm.request_manager.request_blueprint(player, modifiers) elseif gui_clicked == lrm.defines.gui.save_button then local preset_selected = global["presets-selected"][player.index] if preset_selected == 0 then lrm.message(player, {"messages.select-preset", {"messages.save"}}) else local preset_saved = lrm.request_manager.save_preset(player, preset_selected, nil, modifiers) if preset_saved then global["presets-selected"][player.index]=0 lrm.select_preset(player, preset_saved) end end elseif gui_clicked == lrm.defines.gui.load_button then local preset_selected = global["presets-selected"][player.index] if preset_selected == 0 then lrm.message(player, {"messages.select-preset", {"messages.load"}}) else lrm.request_manager.load_preset(player, preset_selected, modifiers) end elseif gui_clicked == lrm.defines.gui.delete_button then local preset_selected = global["presets-selected"][player.index] if preset_selected == 0 then lrm.message(player, {"messages.select-preset", {"messages.delete"}}) else lrm.request_manager.delete_preset(player, preset_selected) lrm.gui.delete_preset(player, preset_selected) lrm.select_preset(player, 0) end elseif gui_clicked == lrm.defines.gui.import_button then local i_frame = lrm.gui.get_gui_frame(player, lrm.defines.gui.import_frame) local p_frame = lrm.gui.get_gui_frame(player, lrm.defines.gui.import_preview_frame) if i_frame and i_frame.visible or p_frame and p_frame.visible then lrm.gui.hide_frame(player, lrm.defines.gui.import_frame) lrm.gui.hide_frame(player, lrm.defines.gui.import_preview_frame) else lrm.gui.clear_import_string(player) lrm.gui.hide_frame(player, lrm.defines.gui.export_frame) lrm.gui.show_frame(player, lrm.defines.gui.import_frame) end elseif gui_clicked == lrm.defines.gui.export_button then local frame = lrm.gui.get_gui_frame(player, lrm.defines.gui.export_frame) if frame and frame.visible then lrm.gui.hide_frame(player, lrm.defines.gui.export_frame) else local preset_selected = global["presets-selected"][player.index] if preset_selected == 0 then lrm.message(player, {"messages.select-preset", {"messages.export"}}) else local encoded_string = lrm.request_manager.export_preset(player, preset_selected, coded) if encoded_string and not (encoded_string == "") then lrm.gui.hide_frame(player, lrm.defines.gui.import_frame) lrm.gui.hide_frame(player, lrm.defines.gui.import_preview_frame) lrm.gui.display_export_code(player, encoded_string) end end end elseif gui_clicked == lrm.defines.gui.OK_button then local parent_frame = event.element.parent and event.element.parent.parent if parent_frame and parent_frame.name == lrm.defines.gui.export_frame then lrm.gui.hide_frame(player, lrm.defines.gui.export_frame) elseif parent_frame and parent_frame.name == lrm.defines.gui.import_frame then local preset_data = lrm.request_manager.import_preset(player) if preset_data then lrm.gui.show_imported_preset(player, preset_data) lrm.gui.hide_frame(player, lrm.defines.gui.import_frame) end end else local gui_parent = event.element.parent if gui_parent and gui_parent.name == lrm.defines.gui.preset_list then local preset_clicked = string.match(gui_clicked, string.gsub(lrm.defines.gui.preset_button, "-", "%%-") .. "(%d+)") if preset_clicked then lrm.select_preset(player, tonumber(preset_clicked)) end end end end) script.on_event(defines.events.on_research_finished, function(event) lrm.globals.init() for _, player in pairs(event.research.force.players) do if not ( player.gui.screen[lrm.defines.gui.master] ) and ( lrm.check_logistics_available (player) ) then lrm.globals.init_player(player) local selected_preset = global["presets-selected"][player.index] lrm.gui.force_rebuild(player) global["presets-selected"][player.index] = 0 lrm.select_preset(player, selected_preset) end end end) script.on_event(defines.events.on_player_created, function(event) local player = game.players[event.player_index] if not (player and player.valid) then return end lrm.globals.init_player(player) lrm.recreate_empty_preset (player) if player.mod_settings["LogisticRequestManager-create_preset-autotrash"].value == true then lrm.recreate_autotrash_preset (player) end lrm.gui.force_rebuild(player) end) script.on_init(function() lrm.globals.init() lrm.commands.init() lrm.get_feature_level () for _, player in pairs(game.players) do lrm.globals.init_player(player) lrm.recreate_empty_preset (player) if player.mod_settings["LogisticRequestManager-create_preset-autotrash"].value == true then lrm.recreate_autotrash_preset (player) end if ( lrm.check_logistics_available (player) ) then lrm.gui.build(player) end end end) script.on_event(defines.events.on_player_joined_game, function(event) local player = game.players[event.player_index] if not (player and player.valid) then return end lrm.globals.init_player(player) lrm.gui.set_gui_elements_enabled(player) end) script.on_configuration_changed(function(event) lrm.globals.init() if (event.new_version) then local game_version= util.split(event.new_version or "", ".") for i, v in pairs (game_version) do game_version[i]=tonumber(v) end if game_version[1]<1 or game_version[1] == 1 and game_version[2] == 0 then global.feature_level = "1.0" else global.feature_level = "1.1" end end if ( event.mod_changes and event.mod_changes.LogisticRequestManager and event.mod_changes.LogisticRequestManager.old_version ) then lrm.get_feature_level () local version_map_1_0_0={import_export={0,18,4}, modifiers_combinator={0,18,7}, reduce_freeze={0,18,15}} local version_map_1_1_0={import_export={1,1,7}, modifiers_combinator={1,1,10}, reduce_freeze={1,1,18}} local old_version = util.split (event.mod_changes.LogisticRequestManager.old_version, ".") or nil for i, v in pairs (old_version) do old_version[i]=tonumber(v) end local new_versions ={} local new_how_to = false if (old_version[1]==0) or (old_version[1]==1 and old_version[2]==0) then new_versions = version_map_1_0_0 else new_versions = version_map_1_1_0 end for _, player in pairs(game.players) do lrm.globals.init_player(player) if old_version[3] < new_versions.import_export[3] then lrm.message( player, {"", {"messages.new_feature-export_import"}, " [color=yellow]", {"messages.new-gui"}, "[/color] " }) new_how_to = true end if old_version[3] < new_versions.modifiers_combinator[3] then lrm.move_presets (player) lrm.recreate_empty_preset (player) if player.mod_settings["LogisticRequestManager-create_preset-autotrash"].value == true then lrm.recreate_autotrash_preset (player) end lrm.message( player, {"", {"messages.new_feature-constant_combinator"}, " [color=yellow]", {"messages.new-setting"}, "[/color] " }) lrm.message( player, {"", {"messages.new_feature-modifiers"}, " [color=yellow]", {"messages.new-settings"}, "[/color] " }) new_how_to = true global["inventories-open"][player.index]=global["inventories-open"][player.index]~=nil end if old_version[3] < new_versions.reduce_freeze[3] then if (player.mod_settings["LogisticRequestManager-display_slots_by_tick_ratio"].value==0) then player.mod_settings["LogisticRequestManager-display_slots_by_tick_ratio"] = {value=10} end end if new_how_to then lrm.message( player, {"", " [color=orange]", {"messages.new-how_to"}, "[/color]\n" }) end end end for _, player in pairs(game.players) do lrm.globals.init_player(player) lrm.update_presets (player) if ( lrm.check_logistics_available (player) ) then local selected_preset = global["presets-selected"][player.index] lrm.gui.force_rebuild(player) global["presets-selected"][player.index] = 0 lrm.select_preset(player, selected_preset) end end end) script.on_event(defines.events.on_runtime_mod_setting_changed, function(event) local player = event.player_index and game.players[event.player_index] if not (player and player.valid) then return end -- if not ( lrm.check_logistics_available (player) ) then return end if (event.setting == "LogisticRequestManager-default_to_user") then lrm.gui.set_gui_elements_enabled(player) end if (event.setting == "LogisticRequestManager-allow_gui_without_research") then if (event.value == true) then lrm.gui.force_rebuild(player) end end end) script.on_event("LRM-input-toggle-gui", function(event) lrm.close_or_toggle(event, true) end) script.on_event("LRM-input-close-gui", function(event) lrm.close_or_toggle(event, false) end) function lrm.recreate_empty_preset (player) local preset = {} local max=40 if (global.feature_level=="1.0") then max=39 end for i = 1, max do preset[i] = { nil } end global["preset-data"][player.index][1] = preset global["preset-names"][player.index][1] = {"gui.empty"} lrm.gui.build_preset_list(player) end function lrm.recreate_autotrash_preset (player) local preset={} for _, item in pairs (game.item_prototypes) do if not(item.subgroup=="other" or (item.flags and item.flags["hidden"]) ) then local item_grid = item.equipment_grid or (item.place_result and item.place_result.grid_prototype) or nil if not (item_grid) then -- check if item is in weapon or amunition table.insert(preset,{name=item.name or "", min=0, max=0, type="item"}) else table.insert(preset,{name=item.name or "", min=0, max=0xFFFFFFFF, type="item"}) end end end local slots = table_size(preset) if ( slots % 10 > 0 ) then local last_slot if (global.feature_level == "1.0") then last_slot = slots + 9 - (slots % 10) else last_slot = slots + 10 - (slots % 10) end for i = slots+1, last_slot do preset[i] = { nil } end end global["preset-data"][player.index][2] = preset global["preset-names"][player.index][2] = {"gui.auto_trash"} lrm.gui.build_preset_list(player) end function lrm.get_feature_level () if (game.active_mods["LogisticRequestManager"]) then local base_version= util.split(game.active_mods["LogisticRequestManager"] or "", ".") for i, v in pairs (base_version) do base_version[i]=tonumber(v) end if base_version[1]<1 or base_version[1] == 1 and base_version[2] == 0 then global.feature_level = "1.0" else global.feature_level = "1.1" end end end function lrm.move_presets (player) if not (player) then return end local new_index = lrm.defines.protected_presets local new_data = {} local new_names = {} local player_preset_names = global["preset-names"][player.index] local player_preset_data = global["preset-data"][player.index] for preset_number, preset_name in pairs(player_preset_names) do if preset_number then if type(preset_name) == "table" and ( table.concat(preset_name) == table.concat{ "gui.empty", } or table.concat(preset_name) == table.concat{ "gui.auto_trash", } ) then -- do nothing. else local request_data = table.deepcopy(player_preset_data[preset_number]) if request_data then new_index = new_index + 1 if not (global.feature_level == "1.0") then local slots = table_size(request_data) if ( slots % 10 > 0 ) then local slot_10 = slots + 10 - (slots % 10) for i = slots+1, slot_10 do request_data[i] = { nil } end end end new_data[new_index] = request_data new_names[new_index] = preset_name end end end end global["preset-names"][player.index] = new_names global["preset-data"][player.index] = new_data end function lrm.update_presets ( player ) if not player then return nil end local selected_preset = global["presets-selected"][player.index] or nil for preset_number, preset_name in pairs(global["preset-names"][player.index]) do if preset_number then if type(preset_name) == "table" then if ( table.concat(preset_name) == table.concat{ "gui.empty", } ) then lrm.recreate_empty_preset( player ) elseif ( table.concat(preset_name) == table.concat{ "gui.auto_trash", } ) then lrm.recreate_autotrash_preset( player ) else lrm.check_preset ( player, preset_number ) end else lrm.check_preset ( player, preset_number ) end end end if (selected_preset) then global["presets-selected"][player.index]=0 lrm.select_preset(player, selected_preset) end end function lrm.check_preset ( player, preset_number ) local preset_data = global["preset-data"][player.index][preset_number] local preset_name = global["preset-names"][player.index][preset_number] local slots = table_size(preset_data) for i = 1, slots do local item = preset_data[i] if item.name then if item.type == nil then item.type = "item" end if item.max == "" then item.max = item.min end if ( ( item.type=="item" and game.item_prototypes [item.name] == nil ) or ( item.type=="fluid" and game.fluid_prototypes [item.name] == nil ) or ( item.type=="virtual" and game.virtual_signal_prototypes[item.name] == nil ) ) then lrm.message (player, {"messages.error-object-removed", {"common.The-" .. item.type}, item.name, serpent.line(preset_name)} ) else if not ( item.type=="item" or item.type=="fluid" or item.type=="virtual" ) then lrm.message (player, {"messages.error-unsupported-type", item.type, item.name, serpent.line(preset_name)} ) end end end end end function lrm.close_or_toggle (event, toggle) local player = event.player_index and game.players[event.player_index] if not player then return end local frame_flow = player and player.gui.screen local master_frame = frame_flow and frame_flow[lrm.defines.gui.master] or nil local parent_frame = event.element and event.element.parent.parent or nil if not (parent_frame and parent_frame.parent) then parent_frame = nil end if (event.element and event.element.name == "logistic-request-manager-gui-button" ) then parent_frame = nil if event.shift then global["screen_location"][player.index] = {85, 65} if master_frame then master_frame.location = {85, 65} master_frame.visible = false end end end if master_frame and master_frame.visible then global["screen_location"][player.index] = master_frame.location if not parent_frame or parent_frame.name == lrm.defines.gui.frame then master_frame.visible = false else parent_frame.visible = false if parent_frame.name == lrm.defines.gui.import_frame then lrm.gui.hide_frame(player, lrm.defines.gui.import_preview_frame) end end elseif toggle then if not master_frame then local preset_selected = global["presets-selected"][player.index] global["presets-selected"][player.index] = 0 lrm.gui.build(player, true) lrm.select_preset(player, preset_selected) else master_frame.visible = true end if not ( lrm.check_logistics_available (player) ) then return end if not master_frame then master_frame = frame_flow and frame_flow[lrm.defines.gui.master] or nil end if master_frame and master_frame[lrm.defines.gui.frame] then master_frame[lrm.defines.gui.frame].visible = true lrm.gui.set_gui_elements_enabled(player) if not (global.feature_level == "1.0") then master_frame.bring_to_front() end end end end function lrm.message (player, localized_string) if not ( player and localized_string ) then return end player.print ({"", "[color=yellow][LRM][/color] ", localized_string}) end function lrm.error (player, localized_string) if not ( player and localized_string ) then return end player.print ({"", "[color=red][LRM][/color] ", {"messages.Error"}, ": ", localized_string}) end function lrm.check_modifiers(event) local matched_modifiers = {} if not (event and event.player_index) then return nil end local player = game.players[event.player_index] if not (player) then return nil end matched_modifiers["always_append_blueprints"] = settings.get_player_settings(player)["LogisticRequestManager-always_append_blueprints"].value matched_modifiers["blueprint_item_requests_unlimited"] = settings.get_player_settings(player)["LogisticRequestManager-blueprint_item_requests_unlimited"].value matched_modifiers["subtract"] = event.button == defines.mouse_button_type.right matched_modifiers["subtract_max"] = matched_modifiers["append"] or false -- will be mapped to "append" local active_modifiers={} if event.shift then table.insert(active_modifiers, "SHIFT") end if event.control then table.insert(active_modifiers, "CTRL") end if event.alt then table.insert(active_modifiers, "ALT") end local my_settings = {} for setting_name, setting_data in pairs (player.mod_settings) do my_settings[setting_name]={value=setting_data.value} end local cnt=0 for setting, setting_data in pairs(my_settings) do local start_pos, end_pos = string.find(setting, "LogisticRequestManager-modifier-", 1, true) -- should match on the last 3 settings if end_pos and end_pos > 0 then local modifier=string.sub (setting, end_pos+1) --player.print(setting .. " matches from " .. start_pos .. " to " .. end_pos .. " -> " .. modifier .. " - cnt:" .. cnt) local matched=nil local modifier_enabled_setting=my_settings["LogisticRequestManager-enable-" .. modifier] -- allowed_values for modifier_enabled_setting = {"never", "always", "on modifier", "not on modifier"} if (modifier_enabled_setting) then if (modifier_enabled_setting.value=="never") then matched=false elseif (modifier_enabled_setting.value=="always") then matched=true else -- possible modifiers: {"CTRL", "SHIFT", "ALT", "CTRL+SHIFT", "CTRL+ALT", "SHIFT+ALT", "CTRL+SHIFT+ALT"} local modifiers_matched=true local modifier_value=util.split(setting_data.value,"+") for _,required_modidier in pairs(modifier_value) do local required_mod_matched = false for _,available_modifier in pairs(active_modifiers) do if (required_modidier==available_modifier) then required_mod_matched=true end end modifiers_matched=modifiers_matched and required_mod_matched end if (modifier_enabled_setting.value=="on_modifier") then matched=modifiers_matched elseif (modifier_enabled_setting.value=="not_on_modifier") then matched=not modifiers_matched else matched=nil end end end matched_modifiers[modifier]=matched else --player.print(setting .. " does not match - cnt:" .. cnt) end end matched_modifiers["subtract_max"] = matched_modifiers["append"] or false return matched_modifiers end function lrm.check_logistics_available (player) if not player then return false end local allow_gui_without_research = settings.get_player_settings(player)["LogisticRequestManager-allow_gui_without_research"].value or false -- if player.force.technologies["logistic%-robotics"] then -- if not (player.force.technologies["logistic%-robotics"]["researched"]) then -- return false -- end -- end if not ( allow_gui_without_research or ( player.character and player.character.get_logistic_point(defines.logistic_member_index.character_requester) ) ) then return false end return true end
return (function(self) return unpack(u(self).animationGroups) end)(...)
object_weapon_melee_2h_sword_crafted_saber_shared_sword_lightsaber_two_handed_s10_gen5 = SharedWeaponObjectTemplate:new { clientTemplateFileName = "object/weapon/melee/2h_sword/crafted_saber/shared_sword_lightsaber_two_handed_s10_gen5.iff" } ObjectTemplates: addClientTemplate(object_weapon_melee_2h_sword_crafted_saber_shared_sword_lightsaber_two_handed_s10_gen5, "object/weapon/melee/2h_sword/crafted_saber/shared_sword_lightsaber_two_handed_s10_gen5.iff") object_weapon_melee_2h_sword_crafted_saber_shared_sword_lightsaber_two_handed_s11_gen5 = SharedWeaponObjectTemplate:new { clientTemplateFileName = "object/weapon/melee/2h_sword/crafted_saber/shared_sword_lightsaber_two_handed_s11_gen5.iff" } ObjectTemplates: addClientTemplate(object_weapon_melee_2h_sword_crafted_saber_shared_sword_lightsaber_two_handed_s11_gen5, "object/weapon/melee/2h_sword/crafted_saber/shared_sword_lightsaber_two_handed_s11_gen5.iff") object_weapon_melee_2h_sword_crafted_saber_shared_sword_lightsaber_two_handed_s12_gen5 = SharedWeaponObjectTemplate:new { clientTemplateFileName = "object/weapon/melee/2h_sword/crafted_saber/shared_sword_lightsaber_two_handed_s12_gen5.iff" } ObjectTemplates: addClientTemplate(object_weapon_melee_2h_sword_crafted_saber_shared_sword_lightsaber_two_handed_s12_gen5, "object/weapon/melee/2h_sword/crafted_saber/shared_sword_lightsaber_two_handed_s12_gen5.iff") object_weapon_melee_2h_sword_crafted_saber_shared_sword_lightsaber_two_handed_s13_gen5 = SharedWeaponObjectTemplate:new { clientTemplateFileName = "object/weapon/melee/2h_sword/crafted_saber/shared_sword_lightsaber_two_handed_s13_gen5.iff" } ObjectTemplates: addClientTemplate(object_weapon_melee_2h_sword_crafted_saber_shared_sword_lightsaber_two_handed_s13_gen5, "object/weapon/melee/2h_sword/crafted_saber/shared_sword_lightsaber_two_handed_s13_gen5.iff") object_weapon_melee_2h_sword_crafted_saber_shared_sword_lightsaber_two_handed_s1_gen5 = SharedWeaponObjectTemplate:new { clientTemplateFileName = "object/weapon/melee/2h_sword/crafted_saber/shared_sword_lightsaber_two_handed_s1_gen5.iff" } ObjectTemplates: addClientTemplate(object_weapon_melee_2h_sword_crafted_saber_shared_sword_lightsaber_two_handed_s1_gen5, "object/weapon/melee/2h_sword/crafted_saber/shared_sword_lightsaber_two_handed_s1_gen5.iff") object_weapon_melee_2h_sword_crafted_saber_shared_sword_lightsaber_two_handed_s2_gen5 = SharedWeaponObjectTemplate:new { clientTemplateFileName = "object/weapon/melee/2h_sword/crafted_saber/shared_sword_lightsaber_two_handed_s2_gen5.iff" } ObjectTemplates: addClientTemplate(object_weapon_melee_2h_sword_crafted_saber_shared_sword_lightsaber_two_handed_s2_gen5, "object/weapon/melee/2h_sword/crafted_saber/shared_sword_lightsaber_two_handed_s2_gen5.iff") object_weapon_melee_2h_sword_crafted_saber_shared_sword_lightsaber_two_handed_s3_gen5 = SharedWeaponObjectTemplate:new { clientTemplateFileName = "object/weapon/melee/2h_sword/crafted_saber/shared_sword_lightsaber_two_handed_s3_gen5.iff" } ObjectTemplates: addClientTemplate(object_weapon_melee_2h_sword_crafted_saber_shared_sword_lightsaber_two_handed_s3_gen5, "object/weapon/melee/2h_sword/crafted_saber/shared_sword_lightsaber_two_handed_s3_gen5.iff") object_weapon_melee_2h_sword_crafted_saber_shared_sword_lightsaber_two_handed_s4_gen5 = SharedWeaponObjectTemplate:new { clientTemplateFileName = "object/weapon/melee/2h_sword/crafted_saber/shared_sword_lightsaber_two_handed_s4_gen5.iff" } ObjectTemplates: addClientTemplate(object_weapon_melee_2h_sword_crafted_saber_shared_sword_lightsaber_two_handed_s4_gen5, "object/weapon/melee/2h_sword/crafted_saber/shared_sword_lightsaber_two_handed_s4_gen5.iff") object_weapon_melee_2h_sword_crafted_saber_shared_sword_lightsaber_two_handed_s5_gen5 = SharedWeaponObjectTemplate:new { clientTemplateFileName = "object/weapon/melee/2h_sword/crafted_saber/shared_sword_lightsaber_two_handed_s5_gen5.iff" } ObjectTemplates: addClientTemplate(object_weapon_melee_2h_sword_crafted_saber_shared_sword_lightsaber_two_handed_s5_gen5, "object/weapon/melee/2h_sword/crafted_saber/shared_sword_lightsaber_two_handed_s5_gen5.iff") object_weapon_melee_2h_sword_crafted_saber_shared_sword_lightsaber_two_handed_s6_gen5 = SharedWeaponObjectTemplate:new { clientTemplateFileName = "object/weapon/melee/2h_sword/crafted_saber/shared_sword_lightsaber_two_handed_s6_gen5.iff" } ObjectTemplates: addClientTemplate(object_weapon_melee_2h_sword_crafted_saber_shared_sword_lightsaber_two_handed_s6_gen5, "object/weapon/melee/2h_sword/crafted_saber/shared_sword_lightsaber_two_handed_s6_gen5.iff") object_weapon_melee_2h_sword_crafted_saber_shared_sword_lightsaber_two_handed_s7_gen5 = SharedWeaponObjectTemplate:new { clientTemplateFileName = "object/weapon/melee/2h_sword/crafted_saber/shared_sword_lightsaber_two_handed_s7_gen5.iff" } ObjectTemplates: addClientTemplate(object_weapon_melee_2h_sword_crafted_saber_shared_sword_lightsaber_two_handed_s7_gen5, "object/weapon/melee/2h_sword/crafted_saber/shared_sword_lightsaber_two_handed_s7_gen5.iff") object_weapon_melee_2h_sword_crafted_saber_shared_sword_lightsaber_two_handed_s8_gen5 = SharedWeaponObjectTemplate:new { clientTemplateFileName = "object/weapon/melee/2h_sword/crafted_saber/shared_sword_lightsaber_two_handed_s8_gen5.iff" } ObjectTemplates: addClientTemplate(object_weapon_melee_2h_sword_crafted_saber_shared_sword_lightsaber_two_handed_s8_gen5, "object/weapon/melee/2h_sword/crafted_saber/shared_sword_lightsaber_two_handed_s8_gen5.iff") object_weapon_melee_2h_sword_crafted_saber_shared_sword_lightsaber_two_handed_s9_gen5 = SharedWeaponObjectTemplate:new { clientTemplateFileName = "object/weapon/melee/2h_sword/crafted_saber/shared_sword_lightsaber_two_handed_s9_gen5.iff" } ObjectTemplates: addClientTemplate(object_weapon_melee_2h_sword_crafted_saber_shared_sword_lightsaber_two_handed_s9_gen5, "object/weapon/melee/2h_sword/crafted_saber/shared_sword_lightsaber_two_handed_s9_gen5.iff")
-- Helpers for item-related logic require 'math' require 'table' require 'actions.smartactions' require 'codes.color' require 'codes.item' require 'codes.itemSprite' require 'mechanics.LookupTable' require 'mechanics.item' require 'utils.pathfinder' local itemLogic = {} -- Read all the priorities in local itemCodes = {} for id=codes.ITEM.Nothing,codes.ITEM.Unnamed0x577 do table.insert(itemCodes, id) end local priorityLookup = LookupTable:new('agent/logic/item_strategy.csv') local itemPriorities = {} local heldItemPriorities = {} local discardItemByUsing = {} local spritePriorities = {} local spriteCanDiscardByUsing = {} local priorityList = {} for _, itemWithStrategy in ipairs(priorityLookup(itemCodes)) do itemPriorities[itemWithStrategy.ID] = itemWithStrategy.priority heldItemPriorities[itemWithStrategy.ID] = itemWithStrategy.heldPriority discardItemByUsing[itemWithStrategy.ID] = itemWithStrategy.discardByUsing table.insert(priorityList, itemWithStrategy.priority) -- For a given sprite type, color pair, let the priority be the maximum -- priority of all items in that group. local sprite = mechanics.item.sprites[itemWithStrategy.ID] if spritePriorities[sprite.type] == nil then spritePriorities[sprite.type] = {} end if spritePriorities[sprite.type][sprite.color] == nil then spritePriorities[sprite.type][sprite.color] = -math.huge end spritePriorities[sprite.type][sprite.color] = math.max( spritePriorities[sprite.type][sprite.color], itemWithStrategy.priority ) -- Let the sprite discardByUsing be the OR of all the discardByUsing flags. if spriteCanDiscardByUsing[sprite.type] == nil then spriteCanDiscardByUsing[sprite.type] = {} end if spriteCanDiscardByUsing[sprite.type][sprite.color] == nil then spriteCanDiscardByUsing[sprite.type][sprite.color] = false end spriteCanDiscardByUsing[sprite.type][sprite.color] = spriteCanDiscardByUsing[sprite.type][sprite.color] or itemWithStrategy.discardByUsing end -- Clear out the cache since we're done with it priorityLookup:flushCache() -- Get the highest and lowest priorities, and the minimum nonzero difference -- between any two priorities table.sort(priorityList) itemLogic.MIN_PRIORITY, itemLogic.MAX_PRIORITY = math.huge, -math.huge local minPriorityDiff, prevPriority = math.huge, -math.huge for _, priority in ipairs(priorityList) do itemLogic.MIN_PRIORITY = math.min(itemLogic.MIN_PRIORITY, priority) itemLogic.MAX_PRIORITY = math.max(itemLogic.MAX_PRIORITY, priority) local priorityDiff = priority - prevPriority if priorityDiff > 0 and priorityDiff < minPriorityDiff then minPriorityDiff = priorityDiff end prevPriority = priority end -- Resolves an item's priority based on available info function itemLogic.resolveItemPriority(item) -- Default to above the max priority. If an item isn't known, we should -- be curious as to what it is before making a decision to reject it local priority = itemLogic.MAX_PRIORITY + minPriorityDiff if item.itemType then priority = itemPriorities[item.itemType] elseif item.sprite.type then -- The actual item type isn't known, so describe the sprite instead priority = spritePriorities[item.sprite.type][item.sprite.color] end -- If an item is known to be sticky, it should be worth less than if it -- were non-sticky, but still remain above anything normally below it if item.isSticky then priority = priority - minPriorityDiff / 2 end return priority end -- Resolves an item's discard by using status based on available info function itemLogic.resolveDiscardabilityByUse(item) -- Default to true. If an item isn't known, we should be curious as to -- what it is before making a decision to reject it. local discardByUsing = true if item.itemType then discardByUsing = discardItemByUsing[item.itemType] elseif item.sprite.type then discardByUsing = spriteCanDiscardByUsing[item.sprite.type][item.sprite.color] end -- If an item is known to be sticky or in a shop, we can't actually use it, -- so we shouldn't consider it discardable by use if item.isSticky or item.inShop then discardByUsing = false end return discardByUsing end -- Resolves an item's holding priority based on available info function itemLogic.resolveHeldPriority(item) -- An item must be known to have a held priority -- Sticky items should never be equipped if item.itemType and not item.isSticky then return heldItemPriorities[item.itemType] end return nil end -- Find the index (0-indexed) of the lowest priority item in the bag, -- and the corresponding priority value. Held items are skipped since -- they can't be swapped out. Returns a nil index if no non-held items function itemLogic.getLowestPriorityItem(bag) local lowIdx, lowPriority = nil, math.huge for i, item in ipairs(bag) do if item.heldBy == 0 then local priority = itemLogic.resolveItemPriority(item) if priority < lowPriority then lowIdx = i - 1 -- Convert to 0-indexing lowPriority = priority end end end return lowIdx, lowPriority end -- Check if an item is worth swapping with something in the bag. If so, -- return the bag index (0-indexed). Otherwise, return nil function itemLogic.idxToSwap(item, bag) local worstItemIdx, worstPriority = itemLogic.getLowestPriorityItem(bag) if worstItemIdx and itemLogic.resolveItemPriority(item) > worstPriority then return worstItemIdx end return nil end -- Find the index (0-indexed) of the highest priority held item in the bag -- to equip. Items already held are skipped, as are sticky items and other -- items with nil priority. Returns a nil index if no valid held items, the -- best item is already equipped, or the current held item is sticky. function itemLogic.idxToEquip(bag, teammate) local teammate = teammate or 0 -- 0 for the leader local holder = teammate + 1 -- The internal held index is 1-indexed (0 means no holder) local highIdx, highPriority = nil, -math.huge local currentHeldPriority = nil for i, item in ipairs(bag) do if item.heldBy == 0 then -- This is not a held item. Check the priority local priority = itemLogic.resolveHeldPriority(item) if priority and priority > highPriority then highIdx = i - 1 -- Convert to 0-indexing highPriority = priority end elseif item.heldBy == holder then -- This is the current held item -- Held item is sticky! We're not going to be able to equip -- anything else, so return nil if item.isSticky then return nil end -- Otherwise, record the priority currentHeldPriority = itemLogic.resolveHeldPriority(item) end end -- Only return the best index if it beats the current held item if highPriority then if currentHeldPriority then if highPriority > currentHeldPriority then return highIdx end else return highIdx end end return nil end -- Check if an item is desirable for picking up or not function itemLogic.shouldPickUp(item, bag, bagCapacity) -- Ignore Kecleon's stuff if item.inShop then return false end -- If the bag has room, why not? if #bag < bagCapacity then return true end -- Otherwise, pick it up if something else can be swapped out return itemLogic.idxToSwap(item, bag) ~= nil end -- Get the item at a given position, or nil if there is none function itemLogic.itemAtPos(pos, items) for _, item in ipairs(items) do if pathfinder.comparePositions(pos, {item.xPosition, item.yPosition}) then return item end end return nil end -- Swap an item underfoot for something lower priority in the bag function itemLogic.swapItemUnderfoot(state) local leader = state.player.leader() local item = itemLogic.itemAtPos({leader.xPosition, leader.yPosition}, state.dungeon.entities.items()) if not item then return false end local idx = itemLogic.idxToSwap(item, state.player.bag()) if idx then return smartactions.swapItemIfPossible(idx, state, nil, true) end return false end -- Pick up an item underfoot, or swap it for something lower priority in the bag function itemLogic.retrieveItemUnderfoot(state) -- If we can just pick it up, no need to bother with the swapping logic if smartactions.pickUpItemIfPossible(-1, state, true) then return true end return itemLogic.swapItemUnderfoot(state) end -- Use an item underfoot if it's discardable by use. function itemLogic.useDiscardableItemUnderfoot(state) local leader = state.player.leader() local item = itemLogic.itemAtPos({leader.xPosition, leader.yPosition}, state.dungeon.entities.items()) if not item then return false end if itemLogic.resolveDiscardabilityByUse(item) then return smartactions.useItemIfPossible(-1, state, nil, true) end return false end -- Equip an item from the bag function itemLogic.equipBestItem(state, teammate) -- Proxy default teammate to idxToEquip and giveItemIfPossible local idx = itemLogic.idxToEquip(state.player.bag(), teammate) if idx then return smartactions.giveItemIfPossible(idx, state, teammate, true) end return false end -- Statuses that urgently need to be cured, and can't just be waited out itemLogic.urgentStatuses = { codes.STATUS.PerishSong, } -- Statuses that are debilitating or potentially debilitating during combat, -- and should be cured ASAP if possible, even while engaged with an enemy itemLogic.debilitatingStatuses = { codes.STATUS.Sleep, codes.STATUS.Nightmare, codes.STATUS.Yawning, codes.STATUS.Napping, codes.STATUS.Paralysis, codes.STATUS.Frozen, codes.STATUS.Wrapped, codes.STATUS.Petrified, codes.STATUS.Cringe, codes.STATUS.Confused, codes.STATUS.Paused, codes.STATUS.Cowering, codes.STATUS.Infatuated, codes.STATUS.HealBlock, codes.STATUS.Embargo, codes.STATUS.Whiffer, codes.STATUS.Blinker, codes.STATUS.Muzzled, codes.STATUS.PerishSong, } -- Statuses that don't go away quickly on their own, and whose lingering effects are -- quite harmful. These should be healed if there's nothing else more important to do itemLogic.persistentStatuses = { codes.STATUS.Burn, codes.STATUS.Poisoned, codes.STATUS.BadlyPoisoned, codes.STATUS.Cursed, codes.STATUS.PerishSong, } -- Resolves an item's name based on available info itemLogic.DEFAULT_ITEM_NAME = 'Item' function itemLogic.resolveItemName(item) if item.itemType then return codes.ITEM_NAMES[item.itemType] elseif item.sprite.type then -- The actual item type isn't known, so describe the sprite instead return codes.COLOR_NAMES[item.sprite.color] .. ' ' .. codes.ITEM_SPRITE_NAMES[item.sprite.type] end -- The item hasn't even been seen return itemLogic.DEFAULT_ITEM_NAME end return itemLogic
return { version = "1.1", luaversion = "5.1", orientation = "orthogonal", width = 100, height = 100, tilewidth = 32, tileheight = 32, properties = {}, tilesets = { { name = "tilesheet", firstgid = 1, tilewidth = 32, tileheight = 32, spacing = 0, margin = 0, image = "../data/images/tilesheet.png", imagewidth = 480, imageheight = 736, tileoffset = { x = 0, y = 0 }, properties = {}, tiles = {} }, { name = "tools", firstgid = 346, tilewidth = 32, tileheight = 32, spacing = 0, margin = 0, image = "../data/images/dev_tilesheet.png", imagewidth = 480, imageheight = 736, tileoffset = { x = 0, y = 0 }, properties = {}, tiles = {} } }, layers = { { type = "tilelayer", name = "Tile Layer 1", x = 0, y = 0, width = 100, height = 100, visible = true, opacity = 1, properties = {}, encoding = "lua", data = { 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 301, 301, 301, 3, 3, 3, 3, 301, 301, 301, 301, 301, 301, 301, 301, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 301, 301, 301, 3, 3, 3, 3, 301, 301, 301, 301, 301, 301, 301, 301, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 301, 301, 301, 3, 3, 3, 3, 301, 301, 301, 301, 301, 301, 301, 301, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 301, 301, 301, 3, 3, 3, 3, 301, 301, 301, 301, 301, 301, 301, 301, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 301, 301, 301, 301, 301, 3, 3, 301, 301, 301, 301, 301, 301, 301, 301, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 301, 301, 301, 301, 301, 3, 3, 301, 301, 301, 301, 301, 301, 301, 301, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 301, 301, 301, 301, 301, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 301, 301, 301, 301, 301, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 301, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 301, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 301, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 301, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 303, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301, 301 } }, { type = "tilelayer", name = "Tile Layer 2", x = 0, y = 0, width = 100, height = 100, visible = true, opacity = 1, properties = {}, encoding = "lua", data = { 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 151, 152, 153, 154, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 166, 167, 168, 169, 170, 171, 172, 173, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 181, 182, 183, 184, 185, 186, 187, 188, 226, 227, 228, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 196, 197, 198, 199, 200, 201, 202, 203, 241, 242, 243, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 211, 212, 213, 214, 215, 216, 217, 218, 256, 257, 258, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0 } }, { type = "objectgroup", name = "playerstart", visible = true, opacity = 1, properties = { ["playerSpawn"] = "true" }, objects = { { name = "", type = "", shape = "rectangle", x = 160, y = 96, width = 32, height = 32, rotation = 0, visible = true, properties = {} } } }, { type = "objectgroup", name = "collision", visible = true, opacity = 0, properties = { ["collidable"] = "true" }, objects = { { name = "", type = "", shape = "rectangle", x = 640, y = 160, width = 128, height = 160, rotation = 0, visible = true, properties = {} }, { name = "", type = "", shape = "rectangle", x = 768, y = 208, width = 128, height = 112, rotation = 0, visible = true, properties = {} }, { name = "", type = "", shape = "rectangle", x = 896, y = 224, width = 96, height = 64, rotation = 0, visible = true, properties = {} }, { name = "", type = "", shape = "rectangle", x = 920, y = 288, width = 48, height = 32, rotation = 0, visible = true, properties = {} }, { name = "", type = "", shape = "rectangle", x = 0, y = 0, width = 1056, height = 32, rotation = 0, visible = true, properties = {} }, { name = "", type = "", shape = "rectangle", x = 512, y = 32, width = 32, height = 224, rotation = 0, visible = true, properties = {} }, { name = "", type = "", shape = "rectangle", x = 512, y = 320, width = 32, height = 32, rotation = 0, visible = true, properties = {} }, { name = "", type = "", shape = "rectangle", x = 0, y = 352, width = 544, height = 512, rotation = 0, visible = true, properties = {} }, { name = "", type = "", shape = "rectangle", x = 0, y = 32, width = 32, height = 320, rotation = 0, visible = true, properties = {} }, { name = "", type = "", shape = "rectangle", x = 544, y = 448, width = 992, height = 416, rotation = 0, visible = true, properties = {} }, { name = "", type = "", shape = "rectangle", x = 1056, y = 0, width = 480, height = 448, rotation = 0, visible = true, properties = {} } } }, { type = "tilelayer", name = "ai_collision", x = 0, y = 0, width = 100, height = 100, visible = true, opacity = 0.21, properties = {}, encoding = "lua", data = { 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 346, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0 } } } }
--------------------------------------------------------------------------------------------------- -- Proposal: https://github.com/smartdevicelink/sdl_evolution/blob/master/proposals/0014-adding-audio-file-playback-to-ttschunk.md -- User story:TBD -- Use case:TBD -- -- Requirement summary: -- TBD -- -- Description: -- In case: -- 1) HMI provides โ€˜FILEโ€™ item in โ€˜speechCapabilitiesโ€™ parameter of โ€˜TTS.GetCapabilitiesโ€™ response -- 2) New app registers with โ€˜FILEโ€™ item in โ€˜ttsNameโ€™ parameter -- SDL does: -- 1) Send BC.OnAppRegistered notification to HMI with โ€˜FILEโ€™ item in โ€˜ttsNameโ€™ parameter --------------------------------------------------------------------------------------------------- --[[ Required Shared libraries ]] local runner = require('user_modules/script_runner') local common = require('test_scripts/SDL5_0/TTSChunks/common') --[[ Test Configuration ]] runner.testSettings.isSelfIncluded = false --[[ Local Functions ]] local function registerApp() common.getMobileSession():StartService(7) :Do(function() local params = common.getConfigAppParams() params.ttsName = { { type = common.type, text = "pathToFile" } } local corId = common.getMobileSession():SendRPC("RegisterAppInterface", params) common.getHMIConnection():ExpectNotification("BasicCommunication.OnAppRegistered", { ttsName = { { type = common.type, text = common.getPathToFileInStorage("pathToFile") } } }) -- WARNINGS response is received since `pathToFile` is not a valid file common.getMobileSession():ExpectResponse(corId, { success = true, resultCode = "WARNINGS" }) end) end --[[ Scenario ]] runner.Title("Preconditions") runner.Step("Clean environment", common.preconditions) runner.Step("Start SDL, init HMI, connect Mobile", common.start) runner.Title("Test") runner.Step("Register App", registerApp) runner.Title("Postconditions") runner.Step("Stop SDL", common.postconditions)
-- Generated By protoc-gen-lua Do not Edit local protobuf = require "protobuf/protobuf" local BUFF_PB = require("Buff_pb") local BUFFITEM_PB = require("BuffItem_pb") local STRANSFORMBUFF_PB = require("STransformBuff_pb") module('SBuffRecord_pb') SBUFFRECORD = protobuf.Descriptor(); local SBUFFRECORD_BUFFS_FIELD = protobuf.FieldDescriptor(); local SBUFFRECORD_ITEMS_FIELD = protobuf.FieldDescriptor(); local SBUFFRECORD_TRANSBUFF_FIELD = protobuf.FieldDescriptor(); local SBUFFRECORD_SMALLBUFF_FIELD = protobuf.FieldDescriptor(); SBUFFRECORD_BUFFS_FIELD.name = "buffs" SBUFFRECORD_BUFFS_FIELD.full_name = ".KKSG.SBuffRecord.buffs" SBUFFRECORD_BUFFS_FIELD.number = 1 SBUFFRECORD_BUFFS_FIELD.index = 0 SBUFFRECORD_BUFFS_FIELD.label = 3 SBUFFRECORD_BUFFS_FIELD.has_default_value = false SBUFFRECORD_BUFFS_FIELD.default_value = {} SBUFFRECORD_BUFFS_FIELD.message_type = BUFF_PB.BUFF SBUFFRECORD_BUFFS_FIELD.type = 11 SBUFFRECORD_BUFFS_FIELD.cpp_type = 10 SBUFFRECORD_ITEMS_FIELD.name = "items" SBUFFRECORD_ITEMS_FIELD.full_name = ".KKSG.SBuffRecord.items" SBUFFRECORD_ITEMS_FIELD.number = 2 SBUFFRECORD_ITEMS_FIELD.index = 1 SBUFFRECORD_ITEMS_FIELD.label = 3 SBUFFRECORD_ITEMS_FIELD.has_default_value = false SBUFFRECORD_ITEMS_FIELD.default_value = {} SBUFFRECORD_ITEMS_FIELD.message_type = BUFFITEM_PB.BUFFITEM SBUFFRECORD_ITEMS_FIELD.type = 11 SBUFFRECORD_ITEMS_FIELD.cpp_type = 10 SBUFFRECORD_TRANSBUFF_FIELD.name = "transbuff" SBUFFRECORD_TRANSBUFF_FIELD.full_name = ".KKSG.SBuffRecord.transbuff" SBUFFRECORD_TRANSBUFF_FIELD.number = 3 SBUFFRECORD_TRANSBUFF_FIELD.index = 2 SBUFFRECORD_TRANSBUFF_FIELD.label = 1 SBUFFRECORD_TRANSBUFF_FIELD.has_default_value = false SBUFFRECORD_TRANSBUFF_FIELD.default_value = nil SBUFFRECORD_TRANSBUFF_FIELD.message_type = STRANSFORMBUFF_PB.STRANSFORMBUFF SBUFFRECORD_TRANSBUFF_FIELD.type = 11 SBUFFRECORD_TRANSBUFF_FIELD.cpp_type = 10 SBUFFRECORD_SMALLBUFF_FIELD.name = "smallbuff" SBUFFRECORD_SMALLBUFF_FIELD.full_name = ".KKSG.SBuffRecord.smallbuff" SBUFFRECORD_SMALLBUFF_FIELD.number = 4 SBUFFRECORD_SMALLBUFF_FIELD.index = 3 SBUFFRECORD_SMALLBUFF_FIELD.label = 1 SBUFFRECORD_SMALLBUFF_FIELD.has_default_value = false SBUFFRECORD_SMALLBUFF_FIELD.default_value = nil SBUFFRECORD_SMALLBUFF_FIELD.message_type = STRANSFORMBUFF_PB.STRANSFORMBUFF SBUFFRECORD_SMALLBUFF_FIELD.type = 11 SBUFFRECORD_SMALLBUFF_FIELD.cpp_type = 10 SBUFFRECORD.name = "SBuffRecord" SBUFFRECORD.full_name = ".KKSG.SBuffRecord" SBUFFRECORD.nested_types = {} SBUFFRECORD.enum_types = {} SBUFFRECORD.fields = {SBUFFRECORD_BUFFS_FIELD, SBUFFRECORD_ITEMS_FIELD, SBUFFRECORD_TRANSBUFF_FIELD, SBUFFRECORD_SMALLBUFF_FIELD} SBUFFRECORD.is_extendable = false SBUFFRECORD.extensions = {} SBuffRecord = protobuf.Message(SBUFFRECORD)
--[[ MTA Role Play (mta-rp.pl) Autorzy poniลผszego kodu: - Patryk Adamowicz <[email protected]> Discord: PatrykAdam#1293 Link do githuba: https://github.com/PatrykAdam/mtarp --]] local gym = {} gym.points = 0 gym.W, gym.H = 500 * scaleX, 150 * scaleX gym.X, gym.Y = screenX - gym.W - 50 * scaleX, screenY - gym.H - 50 * scaleX gym.keyBlock = 0 gym.lastKey = false function gym.strengthRender() dxDrawRectangle( gym.X, gym.Y, gym.W, gym.H, tocolor( 0, 0, 0, 180 )) dxDrawText( string.format("Zdobyta siล‚a: #FF0000%d\n#FFFFFFWyciล›niฤ™ฤ‡: #FF0000%d\n\n#FFFFFFPrzytrzymaj #FFF000SPACE#FFFFFF aby unieล›ฤ‡ ciฤ™ลผar.", gym.points/gym.MAXpoints, gym.points), gym.X, gym.Y, gym.X + gym.W, gym.Y + gym.H, tocolor( 255, 255, 255, 255 ), 1.2, "default-bold", "center", "center", false, false, false, true ) end function playerEarnStrength() local block, anim = getPedAnimation( localPlayer ) if block ~= 'benchpress' then return false end return true end function gym.stopEarn() local block = getPedAnimation( localPlayer ) if gym.machineType == 1 then if block == 'benchpress' then triggerServerEvent("setPedAnimation", localPlayer, "benchpress", "gym_bp_getoff", -1, false, false, false, false) end setTimer(triggerServerEvent, 2000, 1, "detachWeight", localPlayer) removeEventHandler( "onClientRender", root, gym.strengthRender ) unbindKey("space", "both", gym.upBench) unbindKey("enter", "down", gym.stopEarn) elseif gym.machineType == 2 then if block == 'freeweights' then triggerServerEvent("setPedAnimation", localPlayer, "freeweights", "gym_free_putdown", -1, false, false, false, false) end setTimer(triggerServerEvent, 1000, 1, "detachWeight", localPlayer) removeEventHandler( "onClientRender", root, gym.strengthRender ) unbindKey("space", "both", gym.upBarbell) unbindKey("enter", "down", gym.stopEarn) end end addEvent('stopEarnStrength', true) addEventHandler( 'stopEarnStrength', root, gym.stopEarn ) function gym.upBench(key, state) if not playerEarnStrength then return gym.stopEarn() end if gym.keyBlock - 200 < getTickCount() then if gym.lastKey == state then return end if state == 'down' then gym.lastTick = getTickCount() triggerServerEvent("setPedAnimation", localPlayer, "benchpress", "gym_bp_up_A", -1, false, false) gym.timer = setTimer(function() gym.points = gym.points + 1 if gym.points % gym.MAXpoints == 0 then triggerServerEvent( "addStrength", localPlayer ) end end, 2500, 1) end if state == 'up' then if isTimer( gym.timer ) then killTimer( gym.timer ) end local progress = math.min(math.max(1.0 - (getTickCount() - gym.lastTick)/2500, 0.0), 1.0) triggerServerEvent("setPedAnimation", localPlayer, "benchpress", "gym_bp_down", -1, false, false, nil, nil, nil, progress) gym.keyBlock = getTickCount() + ((1.0 - progress)* 1400) end gym.lastKey = state end end function gym.upBarbell(key, state) if not playerEarnStrength then return gym.stopEarn() end if gym.keyBlock - 200 < getTickCount() then if gym.lastKey == state then return end if state == 'down' then gym.lastTick = getTickCount() triggerServerEvent("setPedAnimation", localPlayer, "freeweights", "gym_free_a", -1, false, false) gym.timer = setTimer(function() gym.points = gym.points + 1 if gym.points % gym.MAXpoints == 0 then triggerServerEvent( "addStrength", localPlayer ) end end, 1500, 1) end if state == 'up' then if isTimer( gym.timer ) then killTimer( gym.timer ) end local progress = math.min(math.max(1.0 - (getTickCount() - gym.lastTick)/1500, 0.0), 1.0) triggerServerEvent("setPedAnimation", localPlayer, "freeweights", "gym_free_down", -1, false, false, nil, nil, nil, progress) gym.keyBlock = getTickCount() + ((1.0 - progress)* 800) end gym.lastKey = state end end function gym.startBench(elementID) local oX, oY, oZ = getElementPosition( elementID ) local oRX, oRY, oRZ = getElementRotation( elementID ) local ran = math.rad(oRZ + 180) local pX, pY = oX + math.sin(-ran), oY + math.cos(-ran) setElementPosition( localPlayer, pX, pY, oZ + 1.0 ) setElementRotation( localPlayer, 0, 0, oRZ ) triggerServerEvent("setPedAnimation", localPlayer, "benchpress", "gym_bp_geton", -1, false, false) setTimer(triggerServerEvent, 4000, 1, "attachWeight", localPlayer, 1 ) gym.keyBlock = getTickCount() + 4000 bindKey("space", "both", gym.upBench) bindKey("enter", "down", gym.stopEarn) addEventHandler( "onClientRender", root, gym.strengthRender ) end function gym.startBarbell(elementID) local oX, oY, oZ = getElementPosition( elementID ) local oRX, oRY, oRZ = getElementRotation( elementID ) local pX, pY, pZ = getElementPosition( localPlayer ) local ran = math.rad(oRZ + 180) pX, pY = oX + math.sin(-ran), oY + math.cos(-ran) setElementPosition( localPlayer, pX, pY, pZ ) setElementRotation( localPlayer, 0, 0, oRZ ) triggerServerEvent("setPedAnimation", localPlayer, "freeweights", "gym_free_pickup", -1, false, false) setTimer(triggerServerEvent, 2000, 1, "attachWeight", localPlayer, 2 ) gym.keyBlock = getTickCount() + 2000 bindKey("space", "both", gym.upBarbell) bindKey("enter", "down", gym.stopEarn) addEventHandler( "onClientRender", root, gym.strengthRender ) end function gym.earnStrength() local findMachine = gym.searchObject() if not findMachine or not isElement(findMachine) then return exports.sarp_notify:addNotify("Nie znaleziono w pobliลผu maszyny do ฤ‡wiczeล„.") end local oX, oY, oZ = getElementPosition( findMachine ) local inUse = false for i, v in ipairs( getElementsByType( "player", nil, true )) do local pX, pY, pZ = getElementPosition( v ) if localPlayer ~= v and getElementData(v, "player:earnStrength") == true and getDistanceBetweenPoints3D( oX, oY, oZ, pX, pY, pZ ) < 3.0 then inUse = true break end end if inUse then return exports.sarp_notify:addNotify("Ta maszyna do ฤ‡wiczeล„ jest juลผ przez kogoล› zajฤ™ta.") end gym.points = 0 if getElementModel(findMachine) == 2629 then gym.MAXpoints = 10 gym.machineType = 1 gym.startBench(findMachine) elseif getElementModel(findMachine) == 2915 then gym.MAXpoints = 15 gym.machineType = 2 gym.startBarbell(findMachine) end end addEvent('earnStrength', true) addEventHandler( 'earnStrength', root, gym.earnStrength) function gym.searchObject() local findMachine = false local pX, pY, pZ = getElementPosition( localPlayer ) local lastDistance = 3.0 for i, v in ipairs(getElementsByType( "object", nil, true )) do local oX, oY, oZ = getElementPosition( v ) if getDistanceBetweenPoints3D( oX, oY, oZ, pX, pY, pZ ) < lastDistance and (getElementModel( v ) == 2629 or getElementModel(v) == 2915) then findMachine = v lastDistance = getDistanceBetweenPoints3D( oX, oY, oZ, pX, pY, pZ ) end end return findMachine end local function setPedAnimationProgressEx(anim, progress) if not isElement(source) or not isElementStreamedIn(source) then return end setPedAnimationProgress(source, anim, progress) end addEvent('setPedAnimationProgress', true) addEventHandler( 'setPedAnimationProgress', root, setPedAnimationProgressEx )
-------------------------------------------------------------------------------- -- Copyright (c) Creighton 2015. All Rights Reserved. -- -- Open Source Software - May be modified and shared but must -- -- be accompanied by the license file in the root source directory -- -------------------------------------------------------------------------------- package.path = package.path .. ";FRC_Dissectors/?.lua" require("FRC_RoboRIO") require("FRC_DS") require("FRC_NetConsole") require("FRC_SideChannel") require("FRC_NetworkTable") require("FRC_DS_FMS") require("FRC_FMS_DS")
module("luci.model.cbi.gpsysupgrade.sysupgrade", package.seeall) local fs = require "nixio.fs" local sys = require "luci.sys" local util = require "luci.util" local i18n = require "luci.i18n" local api = require "luci.model.cbi.gpsysupgrade.api" function get_system_version() local system_version = luci.sys.exec("[ -f '/etc/openwrt_version' ] && echo -n `cat /etc/openwrt_version`") return system_version end function check_update() needs_update, notice, md5 = false, false, false remote_version = luci.sys.exec("curl -skfL https://op.supes.top/firmware/" ..model.. "/version.txt") updatelogs = luci.sys.exec("curl -skfL https://op.supes.top/firmware/" ..model.. "/updatelogs.txt") remoteformat = luci.sys.exec("date -d $(echo \"" ..remote_version.. "\" | tr '\r\n' ',' | awk -F, '{printf $1}' | awk -F. '{printf $3\"-\"$1\"-\"$2}') +%s") fnotice = luci.sys.exec("echo \"" ..remote_version.. "\" | tr '\r\n' ',' | awk -F, '{printf $(NF-1)}'") dateyr = luci.sys.exec("echo \"" ..remote_version.. "\" | tr '\r\n' ',' | awk -F. '{printf $1\".\"$2}'") md5 = luci.sys.exec("echo \"" ..remote_version.. "\" | tr '\r\n' ',' | awk -F, '{printf $2}'") remote_version = luci.sys.exec("echo \"" ..remote_version.. "\" | tr '\r\n' ',' | awk -F, '{printf $1}' | awk -F. '{printf $1\".\"$2\".\"$3}'") if remoteformat > sysverformat then needs_update = true if currentTimeStamp > remoteformat or fnotice == "1" then notice = true end end end function to_check() if not model or model == "" then model = api.auto_get_model() end sysverformat = luci.sys.exec("date -d $(echo " ..get_system_version().. " | awk -F. '{printf $3\"-\"$1\"-\"$2}') +%s") currentTimeStamp = luci.sys.exec("expr $(date -d \"$(date '+%Y-%m-%d %H:%M:%S')\" +%s) - 172800") if model == "x86_64" then check_update() if fs.access("/sys/firmware/efi") then download_url = "https://op.supes.top/firmware/" ..model.. "/" ..dateyr.. "-openwrt-x86-64-generic-squashfs-combined-efi.img.gz" else download_url = "https://op.supes.top/firmware/" ..model.. "/" ..dateyr.. "-openwrt-x86-64-generic-squashfs-combined.img.gz" md5 = "" end elseif model:match(".*R2S.*") then model = "nanopi-r2s" check_update() download_url = "https://op.supes.top/firmware/" ..model.. "/" ..dateyr.. "-openwrt-rockchip-armv8-nanopi-r2s-squashfs-sysupgrade.img.gz" elseif model:match(".*R4S.*") then model = "nanopi-r4s" check_update() download_url = "https://op.supes.top/firmware/" ..model.. "/" ..dateyr.. "-openwrt-rockchip-armv8-nanopi-r4s-squashfs-sysupgrade.img.gz" elseif model:match(".*R2C.*") then model = "nanopi-r2c" check_update() download_url = "https://op.supes.top/firmware/" ..model.. "/" ..dateyr.. "-openwrt-rockchip-armv8-nanopi-r2c-squashfs-sysupgrade.img.gz" elseif model:match(".*Pi 4 Model B.*") then model = "Rpi-4B" check_update() download_url = "https://op.supes.top/firmware/" ..model.. "/" ..dateyr.. "-openwrt-bcm27xx-bcm2711-rpi-4-squashfs-sysupgrade.img.gz" else local needs_update = false return { code = 1, error = i18n.translate("Can't determine MODEL, or MODEL not supported.") } end if needs_update and not download_url then return { code = 1, now_version = get_system_version(), version = remote_version, error = i18n.translate( "New version found, but failed to get new version download url.") } end return { code = 0, update = needs_update, notice = notice, now_version = get_system_version(), version = remote_version, md5 = md5, logs = updatelogs, url = download_url } end function to_download(url,md5) if not url or url == "" then return {code = 1, error = i18n.translate("Download url is required.")} end sys.call("/bin/rm -f /tmp/firmware_download.*") local tmp_file = util.trim(util.exec("mktemp -u -t firmware_download.XXXXXX")) local result = api.exec(api.wget, {api._unpack(api.wget_args), "-O", tmp_file, url}, nil, api.command_timeout) == 0 if not result then api.exec("/bin/rm", {"-f", tmp_file}) return { code = 1, error = i18n.translatef("File download failed or timed out: %s", url) } end local md5local = sys.exec("echo -n $(md5sum " .. tmp_file .. " | awk '{print $1}')") if md5 ~= "" and md5local ~= md5 then api.exec("/bin/rm", {"-f", tmp_file}) return { code = 1, error = i18n.translatef("Md5 check failed: %s", url) } end return {code = 0, file = tmp_file} end function to_flash(file,retain) if not file or file == "" or not fs.access(file) then return {code = 1, error = i18n.translate("Firmware file is required.")} end sys.call("/sbin/sysupgrade " ..retain.. " " ..file.. "") return {code = 0} end
--@name clientShare.library --@author Vurv --@shared -- Basically just automates processes to give information from the owner to the rest of the clients. -- Needs to be required in a SHARED chip. if SERVER then Data = nil queue = {} net.receive("getdata",function(len) Data = net.readString() // Get Data from the owner. end) net.receive("addqueue",function(len,ply) queue[#queue+1] = ply end) timer.create("loadqueue",1,0,function() if Data == nil or net.isStreaming() then return end for K,Ply in pairs(queue) do net.start("queuesend") print("Writing stream to",Ply:getName()) net.writeStream(Data) net.send(Ply) table.remove(queue,K) end end) else lib = {} local function httpGetShared(url,success) if player() ~= owner() then net.start("addqueue") net.send() net.receive("queuesend",function(len) net.readStream(function(data) success(data) end) end) else http.get(url,function(data) net.start("getdata") net.writeString(data) net.send() success(data) end) end end lib.httpGetShared = httpGetShared return lib end
local sql = exports.sql --------- [ Element Data returns ] --------- local function getData( theElement, key ) local key = tostring(key) if isElement(theElement) and (key) then return exports['[ars]anticheat-system']:callData( theElement, tostring(key) ) else return false end end local function setData( theElement, key, value, sync ) local key = tostring(key) local value = tonumber(value) or tostring(value) if isElement(theElement) and (key) and (value) then return exports['[ars]anticheat-system']:assignData( theElement, tostring(key), value, sync ) else return false end end --------- [ Tutorial System ] --------- function saveTutorial( ) local id = tonumber( getData(source, "accountid") ) if ( id ) then local update = sql:query("UPDATE `accounts` SET `tutorial`='1' WHERE `id`=".. sql:escape_string( id )) if ( update ) then local username = tostring( getData(source, "accountname") ) local admin = tonumber( getData(source, "admin") ) local adminduty = tonumber( getData(source, "adminduty") ) local hiddenadmin = tonumber( getData(source, "hiddenadmin") ) local reports = tonumber( getData(source, "adminreports") ) local donator = tonumber( getData(source, "donator") ) local togglepm = tonumber( getData(source, "togglepm") ) local tutorial = 1 local friends = tostring( getData(source, "friends") ) local skinmods = tonumber( getData(source, "skinmods") ) local weaponmods = tonumber( getData(source, "weaponmods") ) local vehiclemods = tonumber( getData(source, "vehiclemods") ) triggerEvent("loginPlayer", source, username, id, admin, adminduty, hiddenadmin, reports, donator, togglepm, tutorial, friends, skinmods, weaponmods, vehiclemods, false) end end sql:free_result(update) end addEvent("saveTutorial", true) addEventHandler("saveTutorial", root, saveTutorial)
--noting chinaese commet is not allowed in this version lua --GET http://184.106.153.149/channels/846323/feeds.json?results=1&location=true --POS http://184.106.153.149/update.json... --put https://thingspeak.com/channels/846323/maps/channel_show revFieldVal = {-1,-1,-1,-1,-1,-1,-1,-1}; revUartVal2 ={} TMP2 = {-1,-1,-1,-1,-1,-1,-1,-1,-1,-1}; cnt2 = 1; wifi.setmode(wifi.STATION) wifi.sta.sethostname("LL-ESP8266") print(wifi.sta.gethostname()) station_cfg={} station_cfg.ssid="liuli" station_cfg.pwd="" station_cfg.ssid="912-903" station_cfg.pwd="19820812" station_cfg.save=false wifi.sta.config(station_cfg) wifi.sta.autoconnect(1) --api.thingspeak.com=184.106.153.149 --thingspeak,read and write key and channelID CHANNEL_READ_ID = 846323; CHANNEL_READ_API = "49IF4JCEHOREDFIY"; writekey ="ZK3IYTYF96JA7S7G" UserAPIKey="46SSUIKZSON0BPM0" ---------------------------------------------------------------------------------- ---------------------------------------------------------------------------------- tmr.create():alarm(300000, tmr.ALARM_AUTO, function() if wifi.sta.getip()== nil then --print("IP unavaiable, Waiting...") else -- print("Uptime (probably):"..tmr.time()) --print("this wifi mod IP is "..wifi.sta.getip()) --print("this wifi mod hostname is "..wifi.sta.gethostname()) end end) ---------------------------------------------------------------------------------- ---------------------------------------------------------------------------------- function writeThingspeak(writekey,val1,val2,val3,val4,val5,val6,val7,val8,val9,val10) str1 = "\"field1\":"..val1..","; str2 = "\"field2\":"..val2..","; str3 = "\"field3\":"..val3..","; str4 = "\"field4\":"..val4..","; str5 = "\"field5\":"..val5..","; str6 = "\"field6\":"..val6..","; str7 = "\"field7\":"..val7..","; str8 = "\"field8\":"..val8..","; str9 = "\"latitude\":"..val9..","; str10 = "\"longitude\":"..val10; strA = str1..str2..str3..str4..str5..str6..str7..str8..str9..str10; strB = "\"api_key\":".."\""..writekey.."\""; strC = "{"..strB..","..strA.."}"; --print(strC) http.post('http://184.106.153.149/update.json', 'Content-Type: application/json\r\n', strC, function(code, data) if (code < 0) then --print("HTTP request failed") else --print(code, data) end end) -- print("HTTP put") --strA = "api_key="..UserAPIKey; --strB = "&latitude="..val9; --strC = "&longitude="..val10; --strD = strA..strB..strC..'\r\n' --strD = 'api_key=46SSUIKZSON0BPM0&latitude=2&longitude=3' --print(strD) --http.put('http://184.106.153.149/channels/846323.json', -- 'application/x-www-form-urlencoded\r\n', --strD, -- function(code, data) -- if (code < 0) then -- print("HTTP request failed") -- else -- print("HTTP CODE>0") -- print(code, data) -- end --end) end ---------------------------------------------------------------------------------- ---------------------------------------------------------------------------------- --https://www.cnblogs.com/sanghg/p/4114469.html function readThingSpeak(CHANNEL_READ_ID,CHANNEL_READ_API) str1= "http://184.106.153.149/channels/"..CHANNEL_READ_ID.."/feeds.json?api_key="..CHANNEL_READ_API .."&results=1&location=true"; --print(str1) http.get(str1, 'Content-Type: application/json\r\n', function(code, data) if (code < 0) then --print("HTTP request failed") else --print(data) numbers = {} local decoder = sjson.decoder() decoder:write(data) ret= decoder:result() if(ret["feeds"][1]["field1"]==sjson.NULL) then print('ret["feeds"][1]["field1"]==null') return end numbers[1]=tonumber(ret["feeds"][1]["field1"]) numbers[2]=tonumber(ret["feeds"][1]["field2"]) numbers[3]=tonumber(ret["feeds"][1]["field3"]) numbers[4]=tonumber(ret["feeds"][1]["field4"]) numbers[5]=tonumber(ret["feeds"][1]["field5"]) numbers[6]=tonumber(ret["feeds"][1]["field6"]) numbers[7]=tonumber(ret["feeds"][1]["field7"]) numbers[8]=tonumber(ret["feeds"][1]["field8"]) if(ret["feeds"][1]["latitude"]==sjson.NULL) then lat = 0; lon = 0; else lat = tonumber(ret["feeds"][1]["latitude"]); lon = tonumber(ret["feeds"][1]["longitude"]); end revFieldVal = numbers; --chengkeyue, uart.write(0,"TS:"..revFieldVal[1].." " ..revFieldVal[2].." " ..revFieldVal[3].." " ..revFieldVal[4].." " ..revFieldVal[5].." " ..revFieldVal[6].." " ..revFieldVal[7].." " ..revFieldVal[8].." " ..lat.." " ..lon.."\n") end end) end ---------------------------------------------------------------------------------- ---------------------------------------------------------------------------------- uart.on("data","\n",function (data) uartDataRcv = 0; if wifi.sta.getip()== nil then print("UART:NO IP\n") return end uart.write(0,"\n uart rev data:"..data.." type is:"..type(data)) uart.write(0,"\n uart rev data length:"..#data.."\n") --extracting field data and GPS data .all data must be pushed into uart which include 8 field and GPS(lat,lon) --the extracting float number patterm mode is "[+-]?%d+%p?%d*"๏ผŒ -- BUT luna tonumber can not convert float string to float numbers -- so the intege number is only available -- 70=='F' if string.byte(data,1)==70 then cnt2=1 for word in string.gmatch(data, "[+-]?%d+%p?%d*") do --uart.write(0,'-') --uart.write(0,word) --uart.write(0,'~') -- print(tonumber(word)) TMP2[cnt2]=tonumber(word) cnt2=cnt2+1 end if cnt2<10 then return end revUartVal2 = TMP2; uartDataRcv =2; end end) ---------------------------------------------------------------------------------- ---------------------------------------------------------------------------------- --writeThingSpeak every 100 ms tmr.create():alarm(500, tmr.ALARM_AUTO, function() if wifi.sta.getip()== nil then print("writeThingspeak:NO IP") else if uartDataRcv == 2 then val1 = revUartVal2[1] val2 = revUartVal2[2] val3 = revUartVal2[3] val4 = revUartVal2[4] val5 = revUartVal2[5] val6 = revUartVal2[6] val7 = revUartVal2[7] val8 = revUartVal2[8] val9 = revUartVal2[9] val10 = revUartVal2[10] uartDataRcv =0; print(" writeThingspeak") writeThingspeak(writekey,val1,val2,val3,val4,val5,val6,val7,val8,val9,val10) --note:the bin version should be float end end end) ---------------------------------------------------------------------------------- ---------------------------------------------------------------------------------- --readThingSpeak every 3 seconds tmr.create():alarm(3000, tmr.ALARM_AUTO, function() if wifi.sta.getip()== nil then print("\n ReadThingspeakData:NO IP") else --print("\n ReadThingspeakData:Reading \n") readThingspeakOk=readThingSpeak(CHANNEL_READ_ID,CHANNEL_READ_API) end end)
----------------------------------- -- -- Zone: Empyreal_Paradox -- ----------------------------------- local ID = require("scripts/zones/Empyreal_Paradox/IDs") require("scripts/globals/conquest") ----------------------------------- function onInitialize(zone) zone:registerRegion(1, 538, -2, -501, 542, 0, -497) -- to The Garden of Ru'hmet end function onConquestUpdate(zone, updatetype) tpz.conq.onConquestUpdate(zone, updatetype) end function onZoneIn(player, prevZone) local cs = -1 if (player:getXPos() == 0 and player:getYPos() == 0 and player:getZPos() == 0) then --player:setPos(502, 0, 500, 222) -- BC Area player:setPos(539, -1, -500, 69) end return cs end function onRegionEnter(player, region) switch (region:GetRegionID()): caseof { [1] = function (x) player:startEvent(100); end, } end function onRegionLeave(player, region) end function onEventUpdate(player, csid, option) end function onEventFinish(player, csid, option) if (csid == 100 and option == 1) then player:setPos(-420, -1, 379.900, 62, 35) end end
--[[ BSON codec for LuaJIT (http://bsonspec.org/#/) The following BSON values are supported: - Writing Lua Type -> BSON Type -> Reading Lua Type --------------------------------------------------------------------- - number -> double* -> number - (not supported) -> 32-bit integer -> number - int64 -> 64-bit integer* -> int64 - boolean -> boolean -> boolean - (not supported) -> nil -> nil - string -> string (UTF8 not supported) -> string - table -> subdocument -> table - (not supported) -> array -> table - Bson.BinaryType -> binary -> Bson.BinaryType (subtype is set to generic when writing and ignored when reading) --------------------------------------------------------------------- Coming soon - int8/16/32 -> 32-bit integer - uint8/16 -> 32-bit integer - double -> double * On big-endian systems, LuaJIT 2.1+ is required to use the double and 64-bit int type. This is because BSON is stored little-endian, but the bit.bswap conversion functions only work on 32-bit integers prior to 2.1. All other types are not supported and will throw an error when encountered. Recursive/circular references are also detected and will throw an error. This library can encode tables with string keys or integer keys, which are converted to strings. If an encoded table has both a number and a string representation of that number as keys (ex. 1 and '1'), which value is stored is undefined. Other key types will throw an error. When decoding, if the key is a string representation of an integer ('123'), it is converted into an integer in the resulting Lua table. * BSON.Encode(tbl) -> string: Encodes a table * BSON.Decode(str) -> table: Decodes a string * BSON.BinaryType: C type for specifying data to be encoded using the binary BSON type. Delcaration is 'struct { int32_t size; uint8_t data[?]; }' ]] local Bson = {} -- Localize some values local ffi = require "ffi" local bit = require "bit" local sizeof = ffi.sizeof local istype = ffi.istype local ffi_copy = ffi.copy local ffi_string = ffi.string local byte = ffi.typeof("uint8_t") local int32 = ffi.typeof("int32_t") local int64 = ffi.typeof("int64_t") local double = ffi.typeof("double") local int32slot = ffi.typeof("int32_t[1]") local doubleslot = ffi.typeof("double[1]") local int64slot = ffi.typeof("int64_t[1]") local int64ptr = ffi.typeof("int64_t*") local voidptr = ffi.typeof("void*"); local constants = { double = "\x01", string = "\x02", subdocument = "\x03", array = "\x04", binary = "\x05", bool = "\x08", int32 = "\x10", int64 = "\x12", bTrue = "\x00", bFalse = "\x01", null = "\x00", } -- Setup endian conversion functions local convertEndian, convertEndianDouble, convertEndianLong if ffi.abi("be") then convertEndian = bit.bswap -- Need LuaJIT 2.1+ for bit.bswap to work on 64-bit values if jit.version_num >= 20100 then convertEndianLong = bit.bswap convertEndianDouble = function(v) local dbl = doubleslot(v) local int64 = ffi.cast(int64ptr, dbl) int64[0] = bit.bswap(int64[t]) return dbl[0] end else convertEndianLong = function() error("Serializing 64-bit integers on big-endian systems requires LuaJIT 2.1+") end convertEndianDouble = function() error("Serializing doubles on big-endian systems requires LuaJIT 2.1+") end end else convertEndian = function(v) return v end convertEndianLong = convertEndian convertEndianDouble = convertEndian end -- [De]serialization routines local function serializeInt32(v) return ffi_string(int32slot(convertEndian(v)), sizeof(int32)) end local function serializeDouble(v) return ffi_string(doubleslot(v), sizeof(double)) end local function serializeInt64(v) return ffi_string(int64slot(convertEndianLong(v)), sizeof(int64)) end local function deserializeInt32(str) local b = int32slot() ffi_copy(b, str, sizeof(int32)) return convertEndian(b[0]) end local function deserializeDouble(str) local b = doubleslot() ffi_copy(b, str, sizeof(double)) return b[0] end local function deserializeInt64(str) local b = int64slot() ffi_copy(b, str, sizeof(int64)) return b[0] end -- Internal encode function local function encodeDocument(tbl, buffer, referenced) if referenced[tbl] then error("Recursive structure detected") end referenced[tbl] = true local size = 0 buffer[#buffer+1] = 0 local sizeIndex = #buffer for k,v in pairs(tbl) do if type(k) == "number" then k = tostring(k) elseif type(k) ~= "string" then error("Table keys must be strings or numbers") end local typ = type(v) if typ == "number" then buffer[#buffer+1] = constants.double buffer[#buffer+1] = k buffer[#buffer+1] = constants.null buffer[#buffer+1] = serializeDouble(v) size = size + sizeof(byte) + #k+1 + sizeof(double) elseif typ == "string" then buffer[#buffer+1] = constants.string buffer[#buffer+1] = k buffer[#buffer+1] = constants.null buffer[#buffer+1] = serializeInt32(#v+1) buffer[#buffer+1] = v buffer[#buffer+1] = constants.null size = size + sizeof(byte) + #k+1 + sizeof(int32) + #v+1 elseif typ == "boolean" then buffer[#buffer+1] = constants.bool buffer[#buffer+1] = k buffer[#buffer+1] = v and constants.bTrue or constants.bFalse size = size + sizeof(byte)*2 + #k+1 elseif typ == "table" then buffer[#buffer+1] = constants.subdocument buffer[#buffer+1] = k buffer[#buffer+1] = constants.null size = size + sizeof(byte) + #k+1 + encodeDocument(v, buffer, referenced) elseif istype(Bson.BinaryType, v) then buffer[#buffer+1] = constants.binary buffer[#buffer+1] = k buffer[#buffer+1] = constants.null buffer[#buffer+1] = serializeInt32(v.size) buffer[#buffer+1] = constants.null -- Subtype buffer[#buffer+1] = ffi_string(v.data, v.size) size = size + sizeof(byte) + #k+1 + sizeof(int32) + 1 + v.size elseif istype(int64, v) then buffer[#buffer+1] = constants.int64 buffer[#buffer+1] = k buffer[#buffer+1] = constants.null buffer[#buffer+1] = serializeInt64(v) size = size + sizeof(byte) + #k+1 + sizeof(int64) else error("Cannot serialize value: "..tostring(v)) end end buffer[#buffer+1] = constants.null size = size + sizeof(int32) + sizeof(byte) buffer[sizeIndex] = serializeInt32(size) return size end local function decodeDocument(str, i) i = i + sizeof(int32) -- skip document size; don't need it local tbl = {} while true do -- Read element ID local id = str:sub(i,i) i = i + 1 -- If it's 0x00, end of document. Return. if id == constants.null then return tbl, i end -- Read key local k do local nexti = str:find(constants.null, i, true) assert(nexti, "Malformed BSON: Couldn't find key null terminator") k = str:sub(i, nexti-1) i = nexti + 1 end -- Convert key to integer, if possible do local ki = tonumber(k) if ki and math.floor(ki) == ki then k = ki end end -- Read value if id == constants.double then tbl[k] = deserializeDouble(str:sub(i, i-1+sizeof(double))) i = i + sizeof(double) elseif id == constants.string then local size = deserializeInt32(str:sub(i, i-1+sizeof(int32))) assert(size >= 1, "Malformed BSON: Invalid string size") i = i + sizeof(int32) tbl[k] = str:sub(i, i+size-2) i = i + size elseif id == constants.subdocument or id == constants.array then tbl[k], i = decodeDocument(str, i) elseif id == constants.binary then local size = deserializeInt32(str:sub(i, i-1+sizeof(int32))) assert(size >= 1, "Malformed BSON: Invalid binary size") i = i + sizeof(int32) + 1 -- Skip the subtype byte local bin = Bson.BinaryType(size) bin.size = size ffi_copy(bin.data, str:sub(i, i+size-1), size) tbl[k] = bin i = i + size elseif id == constants.bool then tbl[k] = str:sub(i,i) ~= constants.bFalse i = i + 1 elseif id == constants.int32 then tbl[k] = deserializeInt32(str:sub(i, i-1+sizeof(int32))) i = i + sizeof(int32) elseif id == constants.int64 then tbl[k] = deserializeInt64(str:sub(i, i-1+sizeof(int64))) i = i + sizeof(int64) else error("Unknown/unsupported BSON type: 0x"..bit.tohex(string.byte(id))) end end end -- ------------------------------------------------------------------ -- Type for binary data. Bson.BinaryType = ffi.typeof("struct { int32_t size; uint8_t data[?]; }") -- Converts a table to a BSON-encoded Lua string. function Bson.Encode(tbl) assert(type(tbl) == "table", "Bson.Encode takes a table") local buffer = {} encodeDocument(tbl, buffer, {}) return table.concat(buffer, "") end -- Reads a table from a BSON-encoded Lua string function Bson.Decode(str) return (decodeDocument(str, 1)) -- Adjust to one result: the table. end return Bson
posX = 0 posY = 0 battery = 0 batteryMax =0 macroF = 0 timeRes = 0 currentOre = 0 comScope=0 mapSize=200 --- base info -- baseX=0 baseY=0 --- id --- ID = 0 cId=0 bId=0 --- energy cost -- movementCost=0 orePickCost=0 msgCost=0 --capacity=0 memSize =0 --- arrays for mem --- ore= {} mem={} colCap=false enable=false baseFull=false ----------- added=false function initTransporter(x, y, id, macroFactor, timeResolution, ComScope, CompanyID, BaseID, Battery, MovementCost,OrePickCost,MessageCost, memorySize,MaxCap) posX=x posY=y ID=id macroF=macroFactor timeRes = timeResolution comScope=ComScope cId =CompanyID bId =BaseID batteryMax= Battery movementCost= MovementCost orePickCost=OrePickCost msgCost=MessageCost memSize = memorySize maxCap=MaxCap l_debug("initiated explorer with id: "..id) end function handleEvent(origX, origY, eventID ,eventDesc , eventTable) loadstring("msg="..eventTable)() -- teleport to base (ignore communication scope) if eventDesc == "base" and msg.msg_type == "initiate" and msg.baseId == bId then --l_debug("explorer") l_updatePosition(posX, posY, origX, origY) posX = origX posY = origY baseX = origX baseY = origY --toBase = true enable=true battery=batteryMax l_debug("tp and enable") return 0 ,0 ,0 , "null" end -- check different company id or out of range if l_distance(posX, posY, origX, origY) > comScope or msg.companyId ~= cId or battery <= 0 then return 0 ,0 ,0 , "null" end --l_debug("ok") --Message can be received -> process it based on sender type if eventDesc == "base" and msg.baseId == bId then if msg.msg_type == "full" then baseFull=true --l_debug("baseFull") end end if eventDesc=="explorer" and msg.msg_type=="ore" then addOreToMem(msg.msg_value) --l_debug("received: "..msg.msg_value) --l_debug(#ore) end if eventDesc == "base" and msg.msg_type=="location" and msg.companyId==cId then --l_debug("loc received: "..msg.msg_value) addAutonToMem(msg.msg_value) --l_debug(mem[1]) end if eventDesc=="transporter" and msg.msg_type=="ore" then deleteOreFromMem(msg.msg_value) end return 0 ,0 ,0 , "null" end function initiateEvent() --l_debug("battery "..battery) if battery<=0 then enable=false end --l_debug(posX..posY) if enable==false then return 0 ,0 ,0 , "null" elseif baseFull then -- base full go back move(baseX,baseY) if posX==baseX and posY==baseY then enable=false calltable = {baseId=bId,companyId=cId, msg_type = "back", msg_value = "back"} s_calltable = serializeTbl(calltable) propagationSpeed = 0 eventDesc = "transporter" targetID = 0; -- broadcast return propagationSpeed, s_calltable, eventDesc, targetID end elseif battery<80 then--or currentOre == maxCap then -- low battery go to nearest base x,y =getClosestBase() --l_debug("x"..x) --l_debug("y"..y) move(x,y) l_debug(x..y) if posX==x and posY==y then battery=batteryMax l_debug("refill") end elseif currentOre >= 12 then -- ore max return to nearest base l_debug("in") x,y =getClosestBase() --l_debug("x"..x) --l_debug("y"..y) move(x,y) if posX==x and posY==y then calltable = {companyId = companyId, msg_type = "delivery",msg_value= currentOre} s_calltable = serializeTbl(calltable) propagationSpeed = 0 desc = "transporter" targetID = 0; -- broadcast currentOre=0 return propagationSpeed, s_calltable, desc, targetID end else if #ore>0 then ox,oy=getClosestOre() --l_debug(ox) --l_debug(oy) --l_debug(#ore) move(ox,oy) if posX==ox and posY==oy then collectOre() battery=battery-orePickCost deleteOreFromMem(intToMsg(posX,posY)) calltable = {companyId = companyId, msg_type = "ore",msg_value= posX,posY} s_calltable = serializeTbl(calltable) propagationSpeed = 0 desc = "transporter" targetID = 0; -- broadcast return propagationSpeed, s_calltable, desc, targetID end end end return 0 ,0 ,0 , "null" end --get sync data function getSyncData() return posX, posY end function simDone() l_debug("explorer #: " .. ID .. " is done") l_debug("bat: "..battery) l_debug("cid: "..cId) l_debug("cur ore: "..currentOre) l_debug("comScope: "..comScope) l_debug("bid: "..bId) l_debug("X: "..posX) l_debug("Y: "..posY) l_debug("id: "..ID) l_debug("macro: "..macroF) l_debug("time res: "..timeRes) l_debug("move cost: "..movementCost) l_debug("msg cost: "..msgCost) l_debug("mem size: "..memSize) end function collectOre() l_modifyMap(posX,posY,0,0,0) currentOre=currentOre+1 end function serializeTbl(val, name, depth) --skipnewlines = skipnewlines or false depth = depth or 0 local tbl = string.rep("", depth) if name then if type(name)=="number" then namestr = "["..name.."]" tbl= tbl..namestr.."=" elseif name then tbl = tbl ..name.."=" end end if type(val) == "table" then tbl = tbl .. "{" local i = 1 for k, v in pairs(val) do if i ~= 1 then tbl = tbl .. "," end tbl = tbl .. serializeTbl(v,k, depth +1) i = i + 1; end tbl = tbl .. string.rep(" ", depth) .. "}" elseif type(val) == "number" then tbl = tbl .. tostring(val) elseif type(val) == "string" then tbl = tbl .. string.format("%q", val) else tbl = tbl .. "[datatype not serializable:".. type(val) .. "]" end return tbl end function getClosestBase() store=0 pr=1000 save=0 if #mem==0 then x=baseX y=baseY else for i=1,#mem,1 do x,y= msgToInt(mem[i]) store=l_distance(posX,posY,x,y) if store<pr then pr=store save=i end end x,y =msgToInt(mem[save]) end return x,y end function move(newLocX,newLocY) x=posX y=posY if posX<newLocX then x=x+1 elseif posX>newLocX then x=x-1 end if posY<newLocY then y=y+1 elseif posY>newLocY then y=y-1 end if x>mapSize-1 then x=0 end if x<0 then x=mapSize end if y>mapSize-1 then y=0 end if y<0 then y=mapSize-1 end --if l_checkCollision(x,y)==0 then l_updatePosition(posX, posY, x, y,ID) posX=x posY=y battery=battery- movementCost --end end function getClosestOre() --l_debug(#ore) if #ore >0 then s= msgToInt(math.random(1,#ore)) x,y=msgToInt(ore[s]) return x,y else x=baseX y=baseY end return x,y end function msgToInt(str) --l_debug(str) a=tonumber(string.sub(str,1,3)) b=tonumber(string.sub(str,4,6)) return a , b end function intToMsg(int,int2) a="" b="" if int<10 then a="00"..tostring(int) elseif int<100 then a="0"..tostring(int) else a=tostring(int) end if int2<10 then b="00"..tostring(int2) elseif int2<100 then b="0"..tostring(int2) else b=tostring(int2) end return a..b end function addAutonToMem(str) check=false if #mem>0 then for index,value in pairs(mem) do if value==str then check=true --l_debug("true") break end end end if check==false then --l_debug("incerted") table.insert(mem,str) end end function addOreToMem(str) check=true if #ore>0 then for index,value in pairs(ore) do if value==str then check=false break end end end if check then table.insert(ore,str) end end function deleteOreFromMem(str) if #ore>1 then for index,value in pairs(ore) do if value==str then table.remove(ore,index) break end end end end
---------------------------------------------------------------------------------- --- Total RP 3 --- Global variables --- --------------------------------------------------------------------------- --- Copyright 2014 Sylvain Cossement ([email protected]) --- Copyright 2014-2019 Morgane "Ellypse" Parize <[email protected]> @EllypseCelwe -- --- 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. ---------------------------------------------------------------------------------- ---@type TRP3_API local _, TRP3_API = ...; local Ellyb = TRP3_API.Ellyb; local race_loc, race = UnitRace("player"); local class_loc, class, class_index = UnitClass("player"); local faction, faction_loc = UnitFactionGroup("player"); local Player = AddOn_TotalRP3.Player.GetCurrentUser(); -- Public accessor TRP3_API.r = {}; TRP3_API.formats = { dropDownElements = "%s: |cff00ff00%s" }; TRP3_API.globals = { --@debug@ DEBUG_MODE = true, --@end-debug@ --[===[@non-debug@ DEBUG_MODE = false, --@end-non-debug@]===] empty = {}, addon_name = "Total RP 3", addon_name_extended = "TRP3: Extended", addon_name_short = "TRP3", addon_name_me = "Total RP 3", addon_id_length = 15, version = 91, --@debug@ version_display = "-dev", --@end-debug@ --[===[@non-debug@ version_display = "@project-version@", --@end-non-debug@]===] player = UnitName("player"), player_realm = GetRealmName(), player_race_loc = race_loc, player_class_loc = class_loc, player_faction_loc = faction_loc, player_class_index = class_index, player_character = { race = race, class = class, faction = faction }, is_trial_account = Player:GetAccountType(), clients = { TRP3 = "trp3", MSP = "msp", }, icons = { default = "INV_Misc_QuestionMark", unknown = "INV_Misc_QuestionMark", profile_default = "INV_Misc_GroupLooking", }, is_classic = WOW_PROJECT_ID == WOW_PROJECT_CLASSIC, -- Profile Constants PSYCHO_DEFAULT_VALUE_V1 = 3, PSYCHO_MAX_VALUE_V1 = 6, PSYCHO_DEFAULT_VALUE_V2 = 10, PSYCHO_MAX_VALUE_V2 = 20, PSYCHO_DEFAULT_LEFT_COLOR = Ellyb.Color.CreateFromRGBAAsBytes(255, 140, 26):Freeze(), PSYCHO_DEFAULT_RIGHT_COLOR = Ellyb.Color.CreateFromRGBAAsBytes(32, 208, 249):Freeze(), }; --- RELATIONS is a list of (backwards-compatible) relationship IDs. local RELATIONS = { UNFRIENDLY = "UNFRIENDLY", NONE = "NONE", NEUTRAL = "NEUTRAL", BUSINESS = "BUSINESS", FRIEND = "FRIEND", LOVE = "LOVE", FAMILY = "FAMILY", }; TRP3_API.globals.RELATIONS = RELATIONS; --- RELATIONS_ORDER defines a logical ordering for relations. local RELATIONS_ORDER = { [RELATIONS.NONE] = 6, [RELATIONS.UNFRIENDLY] = 5, [RELATIONS.NEUTRAL] = 4, [RELATIONS.BUSINESS] = 3, [RELATIONS.FRIEND] = 2, [RELATIONS.LOVE] = 1, [RELATIONS.FAMILY] = 0, }; TRP3_API.globals.RELATIONS_ORDER = RELATIONS_ORDER; local emptyMeta = { __newindex = function(_, _, _) end }; setmetatable(TRP3_API.globals.empty, emptyMeta); --*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-* -- Globals build --*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-* TRP3_API.globals.build = function() local fullName = UnitName("player"); local realm = GetRealmName():gsub("[%s*%-*]", ""); TRP3_API.globals.player_realm_id = realm; TRP3_API.globals.player_id = fullName .. "-" .. realm; TRP3_API.globals.player_icon = TRP3_API.ui.misc.getUnitTexture(race, UnitSex("player")); -- Build BNet account Hash local bn = select(2, BNGetInfo()); if bn then TRP3_API.globals.player_hash = TRP3_API.utils.serial.hashCode(bn); else -- Trial account ..etc. TRP3_API.globals.player_hash = TRP3_API.utils.serial.hashCode(TRP3_API.globals.player_id); end end TRP3_API.globals.addon = LibStub("AceAddon-3.0"):NewAddon(TRP3_API.globals.addon_name);
--[[ Suppose that you want to create a table that associates each escape sequence for strings (see Section 2.4) with its meaning. How could you write a constructor for that table? ]] local escape_sequences = { ['\a'] = "bell", ['\b'] = "backspace", ['\f'] = "form feed", ['\n'] = "newline", ['\r'] = "carriage return", ['\t'] = "horizontal tab", ['\v'] = "vertical tab", ['\\'] = "backslash", ['\"'] = "double quote", ['\''] = "single quote" } for sequence, meaning in pairs(escape_sequences) do print(meaning .. ": " .. sequence) end
Me = game.Players.xSoulStealerx ModelName = "xSHook" Char = Me.Character function Prop(part, parent, collide, tran, ref, x, y, z, color, anchor, form) part.Parent = parent part.formFactor = form part.CanCollide = collide part.Transparency = tran part.Reflectance = ref part.Size = Vector3.new(x,y,z) part.BrickColor = BrickColor.new(color) part.TopSurface = 0 part.BottomSurface = 0 part.Anchored = anchor part.Locked = true part:BreakJoints() end function Weld(w, p, p1, a, b, c, x, y, z) w.Parent = p w.Part0 = p w.Part1 = p1 w.C1 = CFrame.fromEulerAnglesXYZ(a,b,c) * CFrame.new(x,y,z) end Model = Instance.new("Model") Model.Name = ModelName Main =
object_building_general_bunker_tatooine_commando_11 = object_building_general_shared_bunker_tatooine_commando_11:new { } ObjectTemplates:addTemplate(object_building_general_bunker_tatooine_commando_11, "object/building/general/bunker_tatooine_commando_11.iff")
local north = defines.direstion.north local east = defines.direction.east local south = defines.direction.south local west = defines.direction.west
the_curse_of_agony_curse_or_get_worse = class({}) LinkLuaModifier( 'the_curse_of_agony_curse_or_get_worse_buff_modifier', 'encounters/the_curse_of_agony/the_curse_of_agony_curse_or_get_worse_buff_modifier', LUA_MODIFIER_MOTION_NONE ) LinkLuaModifier( 'the_curse_of_agony_curse_or_get_worse_debuff_modifier', 'encounters/the_curse_of_agony/the_curse_of_agony_curse_or_get_worse_debuff_modifier', LUA_MODIFIER_MOTION_NONE ) function the_curse_of_agony_curse_or_get_worse:OnSpellStart() --- Get Caster, Victim, Player, Point --- local caster = self:GetCaster() local caster_loc = caster:GetAbsOrigin() local playerID = caster:GetPlayerOwnerID() local player = PlayerResource:GetPlayer(playerID) local team = caster:GetTeamNumber() local victim = caster local victim_loc = victim:GetAbsOrigin() --- Get Special Values --- local AoERadius = self:GetSpecialValueFor("AoERadius") local duration = self:GetSpecialValueFor("duration") local delay = self:GetSpecialValueFor("delay") local curse_duration = self:GetSpecialValueFor("curse_duration") local buff_attack_damage_percentage= self:GetSpecialValueFor("buff_attack_damage_percentage") local buff_spell_amplify_percentage= self:GetSpecialValueFor("buff_spell_amplify_percentage") local buff_base_attack_time_constant= self:GetSpecialValueFor("buff_base_attack_time_constant") local buff_move_speed_constant = self:GetSpecialValueFor("buff_move_speed_constant") local buff_incoming_damage_percentage= self:GetSpecialValueFor("buff_incoming_damage_percentage") local debuff_attack_damage_percentage= self:GetSpecialValueFor("debuff_attack_damage_percentage") local debuff_spell_amplify_percentage= self:GetSpecialValueFor("debuff_spell_amplify_percentage") local debuff_incoming_damage_percentage= self:GetSpecialValueFor("debuff_incoming_damage_percentage") self.picked_up = false local location = GetRandomPointWithinArena(750) -- Sound -- local sound = {"bane_bane_lasthit_04", "bane_bane_lasthit_06", "bane_bane_lasthit_09", "bane_bane_lasthit_11"} EmitAnnouncerSound( sound[RandomInt(1, #sound)] ) EncounterGroundAOEWarningSticky(location, AoERadius, delay+1, Vector(0,255,0)) -- Particle -- local particle = ParticleManager:CreateParticle("particles/econ/items/broodmother/bm_lycosidaes/bm_lycosidaes_spiderlings_debuff.vpcf", PATTACH_CUSTOMORIGIN, nil) ParticleManager:SetParticleControl( particle, 0, location ) PersistentParticle_Add(particle) -- check for pick up local timer1 = Timers:CreateTimer(delay, function() -- DOTA_UNIT_TARGET_TEAM_FRIENDLY; DOTA_UNIT_TARGET_TEAM_ENEMY; DOTA_UNIT_TARGET_TEAM_BOTH local units = FindUnitsInRadius(team, location, nil, AoERadius, DOTA_UNIT_TARGET_TEAM_ENEMY, DOTA_UNIT_TARGET_HERO, DOTA_UNIT_TARGET_FLAG_NONE, FIND_ANY_ORDER, false) if units[1] ~= nil then self.picked_up = true for _,victim in pairs( GetHeroesAliveEntities() ) do -- Modifier -- local modifier = victim:AddNewModifier(caster, self, "the_curse_of_agony_curse_or_get_worse_buff_modifier", {duration = curse_duration}) PersistentModifier_Add(modifier) end -- Particle -- ParticleManager:DestroyParticle( particle, false ) ParticleManager:ReleaseParticleIndex( particle ) particle = nil return end return 0.1 end) PersistentTimer_Add(timer1) -- not picked up -- local timer2 = Timers:CreateTimer(duration, function() if not self.picked_up then Timers:RemoveTimer(timer1) timer1 = nil -- Particle -- ParticleManager:DestroyParticle( particle, false ) ParticleManager:ReleaseParticleIndex( particle ) particle = nil for _,victim in pairs( GetHeroesAliveEntities() ) do -- Modifier -- local modifier = victim:AddNewModifier(caster, self, "the_curse_of_agony_curse_or_get_worse_debuff_modifier", {duration = curse_duration}) PersistentModifier_Add(modifier) end end end) PersistentTimer_Add(timer2) end function the_curse_of_agony_curse_or_get_worse:OnAbilityPhaseStart() local caster = self:GetCaster() local playerID = caster:GetPlayerOwnerID() local player = PlayerResource:GetPlayer(playerID) return true end function the_curse_of_agony_curse_or_get_worse:GetManaCost(abilitylevel) return self.BaseClass.GetManaCost(self, abilitylevel) end function the_curse_of_agony_curse_or_get_worse:GetCooldown(abilitylevel) return self.BaseClass.GetCooldown(self, abilitylevel) end
package.cpath = "bin/?.dll" local iup = require "iuplua" local bgfx = require "bgfx" local bgfxu = require "bgfx.util" local util = require "util" local math3d = require "math3d" local settings = { sizePwrTwo = 10, coverageSpotL = 90.0, spotOuterAngle = 45.0, spotInnerAngle = 30.0, stencilPack = true, fovXAdjust = 0.0, fovYAdjust = 0.0, stabilize = true, numSplits = 4, splitDistribution = 0.6, updateLights = true, updateScene = true, lightType = "SpotLight", depthImpl = "InvZ", drawDepthBuffer = false, depthValuePow = 1.0, smImpl = "Hard", bias = 0.0, normalOffset = 0.0, near = 1.0, far = 200.0, xOffset = 1.0, yOffset = 1.0, doBlur = true, customParam0 = 0.5, customParam1 = 500, showSmCoverage = false, } local RENDERVIEW_SHADOWMAP_0_ID =1 local RENDERVIEW_SHADOWMAP_1_ID =2 local RENDERVIEW_SHADOWMAP_2_ID =3 local RENDERVIEW_SHADOWMAP_3_ID =4 local RENDERVIEW_SHADOWMAP_4_ID =5 local RENDERVIEW_VBLUR_0_ID =6 local RENDERVIEW_HBLUR_0_ID =7 local RENDERVIEW_VBLUR_1_ID =8 local RENDERVIEW_HBLUR_1_ID =9 local RENDERVIEW_VBLUR_2_ID =10 local RENDERVIEW_HBLUR_2_ID =11 local RENDERVIEW_VBLUR_3_ID =12 local RENDERVIEW_HBLUR_3_ID =13 local RENDERVIEW_DRAWSCENE_0_ID =14 local RENDERVIEW_DRAWSCENE_1_ID =15 local RENDERVIEW_DRAWDEPTH_0_ID =16 local RENDERVIEW_DRAWDEPTH_1_ID =17 local RENDERVIEW_DRAWDEPTH_2_ID =18 local RENDERVIEW_DRAWDEPTH_3_ID =19 local GREEN = 1 local YELLOW =2 local BLUE =3 local RED =4 local ctx = { canvas = iup.canvas {}, } do local radios = {} local function radio(name) local def = assert(settings[name]) return function(init) local map = assert(radios[name]) local ret = iup.radio(init) local p = assert(map[def]) ret.value = p.ctrl return ret end end local sliders = {} local function slider(key, title, min, max, fmt) local value = assert(settings[key]) local integer = math.type(value) == "integer" local tv = value if fmt then if fmt == "%p" then tv = string.format("%d",2^value) else tv = string.format(fmt, value) end end local label = iup.label { title = tv , size = "30" } local val = iup.val { min = min, max = max, value = value, valuechanged_cb = function (self) local v = tonumber(self.value) if integer then v = math.floor(v) settings[key] = v if fmt == "%p" then label.title = string.format("%d",2^v) else label.title = string.format("%d",v) end else settings[key] = v label.title = string.format(fmt or "%.2f",v) end end, } sliders[key] = val return iup.hbox { iup.label { title = title .. " : " }, val, label, } end local settings_default = { SpotLight_InvZ_Hard = { sizePwrTwo = { 10, 7, 12, "%p"}, depthValuePow = { 10, 1, 20 }, near = { 1,1,10 }, far = { 250, 100, 2000 }, bias = { 0.0035, 0, 0.01 }, normalOffset = { 0.0012, 0, 0.05 }, customParam0 = { 0.7, 0, 1 }, customParam1 = { 500, 1, 1000 }, xNum = { 2, 0, 4 }, yNum = { 2, 0, 4 }, xOffset = { 1, 0, 3 }, yOffset = { 1, 0, 3 }, progPack = "packDepth_InvZ_RGBA", progDraw = "colorLighting_Single_InvZ_Hard", }, SpotLight_InvZ_PCF = { sizePwrTwo = { 10, 7, 12, "%p"}, depthValuePow = { 10, 1, 20 }, near = { 1,1,99 }, far = { 250, 100, 2000 }, bias = { 0.007, 0, 0.01 }, normalOffset = { 0.001, 0, 0.05 }, customParam0 = { 0.7, 0, 1 }, customParam1 = { 500, 1, 1000 }, xNum = { 2, 0, 8 }, yNum = { 2, 0, 8 }, xOffset = { 1, 0, 3 }, yOffset = { 1, 0, 3 }, progPack = "packDepth_InvZ_RGBA", progDraw = "colorLighting_Single_InvZ_PCF", }, SpotLight_InvZ_VSM = { sizePwrTwo = { 10, 7, 12, "%p"}, depthValuePow = { 10, 1, 20 }, near = { 1,1,10 }, far = { 250, 100, 2000 }, bias = { 0.0045, 0, 0.01 }, normalOffset = { 0.001, 0, 0.05 }, customParam0 = { 0.02, 0, 0.04 }, customParam1 = { 450, 1, 1000 }, xNum = { 2, 0, 4 }, yNum = { 2, 0, 4 }, xOffset = { 1, 0, 3 }, yOffset = { 1, 0, 3 }, progPack = "packDepth_InvZ_VSM", progDraw = "colorLighting_Single_InvZ_VSM", }, SpotLight_InvZ_ESM = { sizePwrTwo = { 10, 7, 12, "%p"}, depthValuePow = { 10, 1, 20 }, near = { 3,1,10 }, far = { 250, 100, 2000 }, bias = { 0.02, 0, 0.3 }, normalOffset = { 0.001, 0, 0.05 }, customParam0 = { 0.7, 0, 1 }, customParam1 = { 9000, 1, 15000 }, xNum = { 2, 0, 4 }, yNum = { 2, 0, 4 }, xOffset = { 1, 0, 3 }, yOffset = { 1, 0, 3 }, progPack = "packDepth_InvZ_RGBA", progDraw = "colorLighting_Single_InvZ_ESM", }, SpotLight_Linear_Hard = { sizePwrTwo = { 10, 7, 12, "%p"}, depthValuePow = { 1, 1, 20 }, near = { 1,1,10 }, far = { 250, 100, 2000 }, bias = { 0.0025, 0, 0.01 }, normalOffset = { 0.0012, 0, 0.05 }, customParam0 = { 0.7, 0, 1 }, customParam1 = { 500, 1, 1000 }, xNum = { 2, 0, 4 }, yNum = { 2, 0, 4 }, xOffset = { 1, 0, 3 }, yOffset = { 1, 0, 3 }, progPack = "packDepth_Linear_RGBA", progDraw = "colorLighting_Single_Linear_Hard", }, SpotLight_Linear_PCF = { sizePwrTwo = { 10, 7, 12, "%p"}, depthValuePow = { 1, 1, 20 }, near = { 1,1,99 }, far = { 250, 100, 2000 }, bias = { 0.0025, 0, 0.01 }, normalOffset = { 0.001, 0, 0.05 }, customParam0 = { 0.7, 0, 1 }, customParam1 = { 2000, 1, 2000 }, xNum = { 2, 0, 8 }, yNum = { 2, 0, 8 }, xOffset = { 1, 0, 3 }, yOffset = { 1, 0, 3 }, progPack = "packDepth_Linear_RGBA", progDraw = "colorLighting_Single_Linear_PCF", }, SpotLight_Linear_VSM = { sizePwrTwo = { 10, 7, 12, "%p"}, depthValuePow = { 1, 1, 20 }, near = { 1,1,10 }, far = { 250, 100, 2000 }, bias = { 0.006, 0, 0.01 }, normalOffset = { 0.001, 0, 0.05 }, customParam0 = { 0.02, 0, 1 }, customParam1 = { 300, 1, 1500 }, xNum = { 2, 0, 4 }, yNum = { 2, 0, 4 }, xOffset = { 1, 0, 3 }, yOffset = { 1, 0, 3 }, progPack = "packDepth_Linear_VSM", progDraw = "colorLighting_Single_Linear_VSM", }, SpotLight_Linear_ESM = { sizePwrTwo = { 10, 7, 12, "%p"}, depthValuePow = { 1, 1, 20 }, near = { 1,1,10 }, far = { 250, 100, 2000 }, bias = { 0.0055, 0, 0.01 }, normalOffset = { 0.001, 0, 0.05 }, customParam0 = { 0.7, 0, 1 }, customParam1 = { 2500, 1, 5000 }, xNum = { 2, 0, 4 }, yNum = { 2, 0, 4 }, xOffset = { 1, 0, 3 }, yOffset = { 1, 0, 3 }, progPack = "packDepth_Linear_RGBA", progDraw = "colorLighting_Single_Linear_ESM", }, PointLight_InvZ_Hard = { sizePwrTwo = { 12, 9, 12, "%p"}, depthValuePow = { 10, 1, 20 }, near = { 1,1,10 }, far = { 250, 100, 2000 }, bias = { 0.006, 0, 0.01 }, normalOffset = { 0.001, 0, 0.05 }, customParam0 = { 0.7, 0, 1 }, customParam1 = { 50, 1, 300 }, xNum = { 2, 0, 4 }, yNum = { 2, 0, 4 }, xOffset = { 0.25, 0, 2 }, yOffset = { 0.25, 0, 2 }, progPack = "packDepth_InvZ_RGBA", progDraw = "colorLighting_Omni_InvZ_Hard", }, PointLight_InvZ_PCF = { sizePwrTwo = { 12, 9, 12, "%p"}, depthValuePow = { 10, 1, 20 }, near = { 1,1,99 }, far = { 250, 100, 2000 }, bias = { 0.004, 0, 0.01 }, normalOffset = { 0.001, 0, 0.05 }, customParam0 = { 0.7, 0, 1 }, customParam1 = { 50, 1, 300 }, xNum = { 2, 0, 8 }, yNum = { 2, 0, 8 }, xOffset = { 1, 0, 3 }, yOffset = { 1, 0, 3 }, progPack = "packDepth_InvZ_RGBA", progDraw = "colorLighting_Omni_InvZ_PCF", }, PointLight_InvZ_VSM = { sizePwrTwo = { 12, 9, 12, "%p"}, depthValuePow = { 10, 1, 20 }, near = { 8,1,10 }, far = { 250, 100, 2000 }, bias = { 0.001, 0, 0.05 }, normalOffset = { 0.001, 0, 0.05 }, customParam0 = { 0.02, 0, 0.04 }, customParam1 = { 450, 1, 900 }, xNum = { 2, 0, 4 }, yNum = { 2, 0, 4 }, xOffset = { 0.25, 0, 2 }, yOffset = { 0.25, 0, 2 }, progPack = "packDepth_InvZ_VSM", progDraw = "colorLighting_Omni_InvZ_VSM", }, PointLight_InvZ_ESM = { sizePwrTwo = { 12, 9, 12, "%p"}, depthValuePow = { 10, 1, 20 }, near = { 3,1,10 }, far = { 250, 100, 2000 }, bias = { 0.035, 0, 0.1 }, normalOffset = { 0.001, 0, 0.05 }, customParam0 = { 0.7, 0, 1 }, customParam1 = { 9000, 1, 15000 }, xNum = { 2, 0, 4 }, yNum = { 2, 0, 4 }, xOffset = { 0.25, 0, 2 }, yOffset = { 0.25, 0, 2 }, progPack = "packDepth_InvZ_RGBA", progDraw = "colorLighting_Omni_InvZ_ESM", }, PointLight_Linear_Hard = { sizePwrTwo = { 12, 9, 12, "%p"}, depthValuePow = { 1, 1, 20 }, near = { 1,1,10 }, far = { 250, 100, 2000 }, bias = { 0.003, 0, 0.01 }, normalOffset = { 0.001, 0, 0.05 }, customParam0 = { 0.7, 0, 1 }, customParam1 = { 120, 1, 300 }, xNum = { 2, 0, 4 }, yNum = { 2, 0, 4 }, xOffset = { 0.25, 0, 2 }, yOffset = { 0.25, 0, 2 }, progPack = "packDepth_Linear_RGBA", progDraw = "colorLighting_Omni_Linear_Hard", }, PointLight_Linear_PCF = { sizePwrTwo = { 12, 9, 12, "%p"}, depthValuePow = { 1, 1, 20 }, near = { 1,1,99 }, far = { 250, 100, 2000 }, bias = { 0.0035, 0, 0.01 }, normalOffset = { 0.001, 0, 0.05 }, customParam0 = { 0.7, 0, 1 }, customParam1 = { 120, 1, 300 }, xNum = { 2, 0, 8 }, yNum = { 2, 0, 8 }, xOffset = { 1, 0, 3 }, yOffset = { 1, 0, 3 }, progPack = "packDepth_Linear_RGBA", progDraw = "colorLighting_Omni_Linear_PCF", }, PointLight_Linear_VSM = { sizePwrTwo = { 12, 9, 12, "%p"}, depthValuePow = { 1, 1, 20 }, near = { 1,1,10 }, far = { 250, 100, 2000 }, bias = { 0.006, 0, 0.01 }, normalOffset = { 0.001, 0, 0.05 }, customParam0 = { 0.02, 0, 1 }, customParam1 = { 400, 1, 900 }, xNum = { 2, 0, 4 }, yNum = { 2, 0, 4 }, xOffset = { 0.25, 0, 2 }, yOffset = { 0.25, 0, 2 }, progPack = "packDepth_Linear_VSM", progDraw = "colorLighting_Omni_Linear_VSM", }, PointLight_Linear_ESM = { sizePwrTwo = { 12, 9, 12, "%p"}, depthValuePow = { 1, 1, 20 }, near = { 1,1,10 }, far = { 250, 100, 2000 }, bias = { 0.007, 0, 0.01 }, normalOffset = { 0.001, 0, 0.05 }, customParam0 = { 0.7, 0, 1 }, customParam1 = { 8000, 1, 15000 }, xNum = { 2, 0, 4 }, yNum = { 2, 0, 4 }, xOffset = { 0.25, 0, 2 }, yOffset = { 0.25, 0, 2 }, progPack = "packDepth_Linear_RGBA", progDraw = "colorLighting_Omni_Linear_ESM", }, DirectionalLight_InvZ_Hard = { sizePwrTwo = { 11, 7, 12, "%p"}, depthValuePow = { 10, 1, 20 }, near = { 1,1,10 }, far = { 550, 100, 2000 }, bias = { 0.0012, 0, 0.01 }, normalOffset = { 0.001, 0, 0.05 }, customParam0 = { 0.7, 0, 1 }, customParam1 = { 200, 1, 400 }, xNum = { 2, 0, 4 }, yNum = { 2, 0, 4 }, xOffset = { 0.2, 0, 1 }, yOffset = { 0.2, 0, 1 }, progPack = "packDepth_InvZ_RGBA", progDraw = "colorLighting_Cascade_InvZ_Hard", }, DirectionalLight_InvZ_PCF = { sizePwrTwo = { 11, 7, 12, "%p"}, depthValuePow = { 1, 1, 20 }, near = { 1,1,99 }, far = { 550, 100, 2000 }, bias = { 0.0012, 0, 0.01 }, normalOffset = { 0.001, 0, 0.04 }, customParam0 = { 0.7, 0, 1 }, customParam1 = { 200, 1, 400 }, xNum = { 2, 0, 8 }, yNum = { 2, 0, 8 }, xOffset = { 1, 0, 3 }, yOffset = { 1, 0, 3 }, progPack = "packDepth_InvZ_RGBA", progDraw = "colorLighting_Cascade_InvZ_PCF", }, DirectionalLight_InvZ_VSM = { sizePwrTwo = { 11, 7, 12, "%p"}, depthValuePow = { 1, 1, 20 }, near = { 1,1,10 }, far = { 550, 100, 2000 }, bias = { 0.004, 0, 0.01 }, normalOffset = { 0.001, 0, 0.04 }, customParam0 = { 0.02, 0, 0.04 }, customParam1 = { 2500, 1, 5000 }, xNum = { 2, 0, 4 }, yNum = { 2, 0, 4 }, xOffset = { 0.2, 0, 2 }, yOffset = { 0.2, 0, 2 }, progPack = "packDepth_InvZ_VSM", progDraw = "colorLighting_Cascade_InvZ_VSM", }, DirectionalLight_InvZ_ESM = { sizePwrTwo = { 10, 7, 12, "%p"}, depthValuePow = { 1, 1, 20 }, near = { 1,1,10 }, far = { 550, 100, 2000 }, bias = { 0.004, 0, 0.01 }, normalOffset = { 0.001, 0, 0.04 }, customParam0 = { 0.7, 0, 1 }, customParam1 = { 9500, 1, 15000 }, xNum = { 2, 0, 4 }, yNum = { 2, 0, 4 }, xOffset = { 0.2, 0, 1 }, yOffset = { 0.2, 0, 1 }, progPack = "packDepth_InvZ_RGBA", progDraw = "colorLighting_Cascade_InvZ_ESM", }, DirectionalLight_Linear_Hard = { sizePwrTwo = { 11, 7, 12, "%p"}, depthValuePow = { 1, 1, 20 }, near = { 1,1,10 }, far = { 550, 100, 2000 }, bias = { 0.0012, 0, 0.01 }, normalOffset = { 0.001, 0, 0.04 }, customParam0 = { 0.7, 0, 1 }, customParam1 = { 500, 1, 1000 }, xNum = { 2, 0, 4 }, yNum = { 2, 0, 4 }, xOffset = { 0.2, 0, 1 }, yOffset = { 0.2, 0, 1 }, progPack = "packDepth_Linear_RGBA", progDraw = "colorLighting_Cascade_Linear_Hard", }, DirectionalLight_Linear_PCF = { sizePwrTwo = { 11, 7, 12, "%p"}, depthValuePow = { 1, 1, 20 }, near = { 1,1,99 }, far = { 550, 100, 2000 }, bias = { 0.0012, 0, 0.01 }, normalOffset = { 0.001, 0, 0.04 }, customParam0 = { 0.7, 0, 1 }, customParam1 = { 200, 1, 400 }, xNum = { 2, 0, 8 }, yNum = { 2, 0, 8 }, xOffset = { 1, 0, 3 }, yOffset = { 1, 0, 3 }, progPack = "packDepth_Linear_RGBA", progDraw = "colorLighting_Cascade_Linear_PCF", }, DirectionalLight_Linear_VSM = { sizePwrTwo = { 11, 7, 12, "%p"}, depthValuePow = { 1, 1, 20 }, near = { 1,1,10 }, far = { 550, 100, 2000 }, bias = { 0.004, 0, 0.01 }, normalOffset = { 0.001, 0, 0.04 }, customParam0 = { 0.02, 0, 0.04 }, customParam1 = { 2500, 1, 5000 }, xNum = { 2, 0, 4 }, yNum = { 2, 0, 4 }, xOffset = { 0.2, 0, 1 }, yOffset = { 0.2, 0, 1 }, progPack = "packDepth_Linear_VSM", progDraw = "colorLighting_Cascade_Linear_VSM", }, DirectionalLight_Linear_ESM = { sizePwrTwo = { 11, 7, 12, "%p"}, depthValuePow = { 1, 1, 20 }, near = { 1,1,10 }, far = { 550, 100, 2000 }, bias = { 0.004, 0, 0.01 }, normalOffset = { 0.001, 0, 0.04 }, customParam0 = { 0.7, 0, 1 }, customParam1 = { 9500, 1, 15000 }, xNum = { 2, 0, 4 }, yNum = { 2, 0, 4 }, xOffset = { 0.2, 0, 1 }, yOffset = { 0.2, 0, 1 }, progPack = "packDepth_Linear_RGBA", progDraw = "colorLighting_Cascade_Linear_ESM", }, } -- export function update_default_settings() local key = string.format("%s_%s_%s", settings.lightType , settings.depthImpl, settings.smImpl) local s = assert(settings_default[key]) for key, values in pairs(s) do local ctrl = sliders[key] if ctrl then local v, min, max , fmt = table.unpack(values) local value = v if fmt then if fmt == "%p" then value = string.format("%d", 2^v) else value = string.format(fmt, v) end end ctrl.min = min ctrl.max = max ctrl.value = value settings[key] = v else if type(values) == "table" then settings[key] = values[1] else settings[key] = values end end end end local function radio_choice(title, key, type, sub, func) local map = radios[key] if not map then map = {} radios[key] = map end if func then func(settings[key] == type) end local c = iup.toggle { title = title, action = function(self, v) if v == 1 then if map.__pannel then map.__pannel.value = sub end settings[key] = type end if func then func(v==1) end update_default_settings() end } map[type] = { ctrl = c, pannel = sub } return c end local function checkbox(key, title, func) local value = settings[key] assert(type(value) == "boolean") if func then func(value) end return iup.toggle { title = title, value = value and "ON" or "OFF", action = function (_, v) settings[key] = (v == 1) if func then func(v==1) end end } end local spot_sub = iup.vbox { slider("coverageSpotL", "Shadow map area", 45, 120), slider("spotOuterAngle", "Spot outer cone", 0, 91), slider("spotInnerAngle", "Spot inner cone", 0, 90), } local point_sub = iup.vbox { checkbox("stencilPack", "Stencil pack"), slider("fovXAdjust", "Fov X adjust", -20.0, 20.0), slider("fovYAdjust", "Fov Y adjust", -20.0, 20.0), } local directional_sub = iup.vbox { checkbox("stabilize", "Stabilize cascades"), slider("numSplits", "Cascade splits", 1, 4), slider("splitDistribution", "Cascade distribution", 0, 1), } local function sub_pannel(key) local def = assert(settings[key]) return function(init) local map = assert(radios[key]) local c = iup.zbox(init) map.__pannel = c c.value = map[def].pannel return c end end local light = iup.frame { title = "Light", iup.vbox { radio "lightType" { iup.hbox { radio_choice("Spot light", "lightType", "SpotLight", spot_sub), radio_choice("Point light", "lightType", "PointLight", point_sub), radio_choice("Directional light", "lightType", "DirectionalLight", directional_sub), }, }, sub_pannel "lightType" { spot_sub, point_sub, directional_sub, }, checkbox("showSmCoverage", "Show shadow map coverage"), slider("sizePwrTwo", "Shadow map resolution", 7, 12, "%p"), NORMALIZESIZE = "HORIZONTAL", }, } local dvp = slider("depthValuePow", "Depth value pow", 1, 20) local hard_sub = iup.vbox {} local pcf_sub = iup.vbox { slider("xOffset", "X Offset", 0, 3), slider("yOffset", "Y Offset", 0, 3), } local vsm_sub = iup.vbox { slider("customParam0", "Min variance", 0, 1 ), slider("customParam1", "Depth multiplier", 1, 1000 ), checkbox("doBlur", "Blur shadow map"), slider("xOffset", "X Offset", 0, 3), slider("yOffset", "Y Offset", 0, 3), } local esm_sub = iup.vbox { slider("customParam0", "ESM Hardness", 0, 1 ), slider("customParam1", "Depth multiplier", 1, 1000 ), checkbox("doBlur", "Blur shadow map"), slider("xOffset", "X Offset", 0, 3), slider("yOffset", "Y Offset", 0, 3), } local settings = iup.frame { title = "Settings", iup.vbox { iup.hbox { checkbox("updateLights", "Update lights"), checkbox("updateScene", "Update scene"), checkbox("drawDepthBuffer", "Draw depth", function (v) dvp.visible = v and "yes" or "no" end), }, dvp, radio "lightType" { iup.hbox { iup.label { title = "Shadow map depth:" }, radio_choice("InvZ", "depthImpl", "InvZ"), radio_choice("Linear", "depthImpl", "Linear"), }, }, radio "smImpl" { iup.hbox { iup.label { title = "Shadow Map imp" }, radio_choice("Hard", "smImpl", "Hard", hard_sub), radio_choice("PCF", "smImpl", "PCF", pcf_sub), radio_choice("VSM", "smImpl", "VSM", vsm_sub), radio_choice("ESM", "smImpl", "ESM", esm_sub), }, }, slider("bias", "Bias", 0, 0.01, "%.4f"), slider("normalOffset","Normal offset", 0, 0.05,"%.3f"), slider("near", "Near plane", 1, 10), slider("far", "Far plane", 200, 2000, "%.0f"), sub_pannel "smImpl" { hard_sub, pcf_sub, vsm_sub, esm_sub, }, }, } local leftpannel = iup.hbox { iup.vbox { light, settings, iup.hbox { size = "100" }, -- for min hsize NORMALIZESIZE = "HORIZONTAL", }, } _G.dlg = iup.dialog { iup.hbox { leftpannel, ctx.canvas, margin = "2x2", }, title = "16-shadowmaps", size = "HALF", } end ----------------------------------------------- local Uniforms = {} local function init_Uniforms() local function univ(name, x,y,z,w) z = z or 0 w = w or 0 Uniforms[name] = math3d.ref(math3d.vector(x,y,z,w)) end Uniforms.ambientPass = 1 Uniforms.lightingPass = 1 -- m_ambientPass m_lightingPass; univ("params0", 1,1) -- m_shadowMapBias m_shadowMapOffset m_shadowMapParam0 m_shadowMapParam1 Uniforms.shadowMapBias = 0.003 Uniforms.shadowMapOffset = 0 Uniforms.shadowMapParam0 = 0.5 Uniforms.shadowMapParam1 = 1 univ("params1", 0.003, 0, 0.5, 1) Uniforms.depthValuePow = 1 Uniforms.showSmCoverage = 1 Uniforms.shadowMapTexelSize = 1/512 univ("params2", 1,1, 1/512) univ("csmFarDistances", 30, 90, 180, 1000) univ("tetraNormalGreen", 0, -0.57735026, 0.81649661) univ("tetraNormalYellow", 0, -0.57735026, -0.81649661) univ("tetraNormalBlue", -0.81649661, 0.57735026, 0) univ("tetraNormalRed", 0.81649661, 0.57735026, 0) Uniforms.XNum = 2 Uniforms.YNum = 2 Uniforms.XOffset = 10.0/512 Uniforms.YOffset = 10.0/512 -- m_XNum m_YNum m_XOffset m_YOffset univ("paramsBlur", 2,2, 10/512, 10/512) local function uni(name, t) Uniforms[name] = bgfx.create_uniform(name, t or "v4") end uni "u_params0" uni "u_params1" uni "u_params2" uni "u_color" uni "u_smSamplingParams" uni "u_csmFarDistances" uni("u_lightMtx", "m4") uni "u_tetraNormalGreen" uni "u_tetraNormalYellow" uni "u_tetraNormalBlue" uni "u_tetraNormalRed" uni("u_shadowMapMtx0", "m4") uni("u_shadowMapMtx1", "m4") uni("u_shadowMapMtx2", "m4") uni("u_shadowMapMtx3", "m4") uni "u_lightPosition" uni "u_lightAmbientPower" uni "u_lightDiffusePower" uni "u_lightSpecularPower" uni "u_lightSpotDirectionInner" uni "u_lightAttenuationSpotOuter" uni "u_materialKa" uni "u_materialKd" uni "u_materialKs" Uniforms.materialPtr = false -- reserved Uniforms.lightPtr = false Uniforms.colorPtr = false Uniforms.lightMtxPtr = false Uniforms.shadowMapMtx0 = false Uniforms.shadowMapMtx1 = false Uniforms.shadowMapMtx2 = false Uniforms.shadowMapMtx3 = false setmetatable(Uniforms, { __newindex = function(t,k,v) error(k) end }) -- readonly end -- Call this once at initialization. local function submitConstUniforms() bgfx.set_uniform(Uniforms.u_tetraNormalGreen, Uniforms.tetraNormalGreen) bgfx.set_uniform(Uniforms.u_tetraNormalYellow, Uniforms.tetraNormalYellow) bgfx.set_uniform(Uniforms.u_tetraNormalBlue, Uniforms.tetraNormalBlue) bgfx.set_uniform(Uniforms.u_tetraNormalRed, Uniforms.tetraNormalRed) end -- Call this once per frame. local function submitPerFrameUniforms() Uniforms.params1.v = { Uniforms.shadowMapBias, Uniforms.shadowMapOffset, Uniforms.shadowMapParam0, Uniforms.shadowMapParam1 } bgfx.set_uniform(Uniforms.u_params1, Uniforms.params1) Uniforms.params2.v = { Uniforms.depthValuePow, Uniforms.showSmCoverage, Uniforms.shadowMapTexelSize } bgfx.set_uniform(Uniforms.u_params2, Uniforms.params2) Uniforms.paramsBlur.v = { Uniforms.XNum, Uniforms.YNum, Uniforms.XOffset, Uniforms.YOffset } bgfx.set_uniform(Uniforms.u_smSamplingParams, Uniforms.paramsBlur) bgfx.set_uniform(Uniforms.u_csmFarDistances, Uniforms.csmFarDistances) bgfx.set_uniform(Uniforms.u_materialKa, Uniforms.materialPtr.ambient) bgfx.set_uniform(Uniforms.u_materialKd, Uniforms.materialPtr.diffuse) bgfx.set_uniform(Uniforms.u_materialKs, Uniforms.materialPtr.specular) bgfx.set_uniform(Uniforms.u_lightPosition, Uniforms.lightPtr.position_viewSpace) bgfx.set_uniform(Uniforms.u_lightAmbientPower, Uniforms.lightPtr.ambient) bgfx.set_uniform(Uniforms.u_lightDiffusePower, Uniforms.lightPtr.diffuse) bgfx.set_uniform(Uniforms.u_lightSpecularPower, Uniforms.lightPtr.specular) bgfx.set_uniform(Uniforms.u_lightSpotDirectionInner, Uniforms.lightPtr.spotdirection_viewSpace) bgfx.set_uniform(Uniforms.u_lightAttenuationSpotOuter, Uniforms.lightPtr.attenuation) end -- Call this before each draw call. local function submitPerDrawUniforms() bgfx.set_uniform(Uniforms.u_shadowMapMtx0, Uniforms.shadowMapMtx0) bgfx.set_uniform(Uniforms.u_shadowMapMtx1, Uniforms.shadowMapMtx1) bgfx.set_uniform(Uniforms.u_shadowMapMtx2, Uniforms.shadowMapMtx2) bgfx.set_uniform(Uniforms.u_shadowMapMtx3, Uniforms.shadowMapMtx3) Uniforms.params0.v = { Uniforms.ambientPass, Uniforms.lightingPass, 0, 0 } bgfx.set_uniform(Uniforms.u_params0, Uniforms.params0) bgfx.set_uniform(Uniforms.u_lightMtx, Uniforms.lightMtxPtr) bgfx.set_uniform(Uniforms.u_color, Uniforms.colorPtr) end -- render state local s_renderState = { Default = { state = bgfx.make_state { WRITE_MASK = "RGBAZ", DEPTH_TEST = "LESS", CULL = "CCW", MSAA = true, -- BLEND_FACTOR = 0xffffffff, }, }, ShadowMap_PackDepth = { state = bgfx.make_state { WRITE_MASK = "RGBAZ", DEPTH_TEST = "LESS", CULL = "CCW", MSAA = true, }, }, ShadowMap_PackDepthHoriz = { state = bgfx.make_state { WRITE_MASK = "RGBAZ", DEPTH_TEST = "LESS", CULL = "CCW", MSAA = true, }, fstencil = bgfx.make_stencil { TEST = "EQUAL", FUNC_REF = 1, FUNC_RMASK = 0xff, OP_FAIL_S = "KEEP", OP_FAIL_Z = "KEEP", OP_PASS_Z = "KEEP", }, }, ShadowMap_PackDepthVert = { state = bgfx.make_state { WRITE_MASK = "RGBAZ", DEPTH_TEST = "LESS", CULL = "CCW", MSAA = true, }, fstencil = bgfx.make_stencil { TEST = "EQUAL", FUNC_REF = 0, FUNC_RMASK = 0xff, OP_FAIL_S = "KEEP", OP_FAIL_Z = "KEEP", OP_PASS_Z = "KEEP", }, }, Custom_BlendLightTexture = { state = bgfx.make_state { WRITE_MASK = "RGBAZ", DEPTH_TEST = "LESS", BLEND_FUNC = "sS", -- BGFX_STATE_BLEND_SRC_COLOR, BGFX_STATE_BLEND_INV_SRC_COLOR CULL = "CCW", MSAA = true, }, }, Custom_DrawPlaneBottom = { state = bgfx.make_state { WRITE_MASK = "RGB", CULL = "CW", MSAA = true, }, }, } local Programs = {} local function init_Programs() local function prog(name, vs, fs) fs = fs or vs vs = "vs_shadowmaps_" .. vs fs = "fs_shadowmaps_" .. fs Programs[name] = util.programLoad(vs, fs) end --misc prog("black", "color", "color_black") prog("texture", "texture") prog("colorTexture", "color_texture") --blur prog("vblur_RGBA", "vblur") prog("hblur_RGBA", "hblur") prog("vblur_VSM", "vblur", "vblur_vsm") prog("hblur_VSM", "hblur", "hblur_vsm") --draw depth prog("drawDepth_RGBA", "unpackdepth") prog("drawDepth_VSM", "unpackdepth", "unpackdepth_vsm") -- Pack depth. prog("packDepth_InvZ_RGBA", "packdepth") prog("packDepth_InvZ_VSM", "packdepth", "packdepth_vsm") prog("packDepth_Linear_RGBA", "packdepth_linear") prog("packDepth_Linear_VSM", "packdepth_linear", "packdepth_vsm_linear") -- Color lighting. prog("colorLighting_Single_InvZ_Hard", "color_lighting", "color_lighting_hard") prog("colorLighting_Single_InvZ_PCF", "color_lighting", "color_lighting_pcf") prog("colorLighting_Single_InvZ_VSM", "color_lighting", "color_lighting_vsm") prog("colorLighting_Single_InvZ_ESM", "color_lighting", "color_lighting_esm") prog("colorLighting_Single_Linear_Hard", "color_lighting_linear", "color_lighting_hard_linear") prog("colorLighting_Single_Linear_PCF", "color_lighting_linear", "color_lighting_pcf_linear") prog("colorLighting_Single_Linear_VSM", "color_lighting_linear", "color_lighting_vsm_linear") prog("colorLighting_Single_Linear_ESM", "color_lighting_linear", "color_lighting_esm_linear") prog("colorLighting_Omni_InvZ_Hard", "color_lighting_omni", "color_lighting_hard_omni") prog("colorLighting_Omni_InvZ_PCF", "color_lighting_omni", "color_lighting_pcf_omni") prog("colorLighting_Omni_InvZ_VSM", "color_lighting_omni", "color_lighting_vsm_omni") prog("colorLighting_Omni_InvZ_ESM", "color_lighting_omni", "color_lighting_esm_omni") prog("colorLighting_Omni_Linear_Hard", "color_lighting_linear_omni", "color_lighting_hard_linear_omni") prog("colorLighting_Omni_Linear_PCF", "color_lighting_linear_omni", "color_lighting_pcf_linear_omni") prog("colorLighting_Omni_Linear_VSM", "color_lighting_linear_omni", "color_lighting_vsm_linear_omni") prog("colorLighting_Omni_Linear_ESM", "color_lighting_linear_omni", "color_lighting_esm_linear_omni") prog("colorLighting_Cascade_InvZ_Hard", "color_lighting_csm", "color_lighting_hard_csm") prog("colorLighting_Cascade_InvZ_PCF", "color_lighting_csm", "color_lighting_pcf_csm") prog("colorLighting_Cascade_InvZ_VSM", "color_lighting_csm", "color_lighting_vsm_csm") prog("colorLighting_Cascade_InvZ_ESM", "color_lighting_csm", "color_lighting_esm_csm") prog("colorLighting_Cascade_Linear_Hard", "color_lighting_linear_csm", "color_lighting_hard_linear_csm") prog("colorLighting_Cascade_Linear_PCF", "color_lighting_linear_csm", "color_lighting_pcf_linear_csm") prog("colorLighting_Cascade_Linear_VSM", "color_lighting_linear_csm", "color_lighting_vsm_linear_csm") prog("colorLighting_Cascade_Linear_ESM", "color_lighting_linear_csm", "color_lighting_esm_linear_csm") end local function screenSpaceQuad(textureWidth, textureHeight, originBottomLeft) local width = 1 local height = 1 ctx.color_tb:alloc(3, ctx.PosColorTexCoord0Vertex) local zz = 0 local minx = -width local maxx = width local miny = 0 local maxy = height * 2 local texelHalfW = ctx.s_texelHalf / textureWidth local texelHalfH = ctx.s_texelHalf / textureHeight local minu = -1 + texelHalfW local maxu = 1 + texelHalfW local minv = texelHalfH local maxv = 2 + texelHalfH if originBottomLeft then minv, maxv = maxv, minv minv = minv - 1 maxv = maxv - 1 end ctx.color_tb:packV(0, minx, miny, zz, 0xffffffff, minu, minv) ctx.color_tb:packV(1, maxx, miny, zz, 0xffffffff, maxu, minv) ctx.color_tb:packV(2, maxx, maxy, zz, 0xffffffff, maxu, maxv) ctx.color_tb:set() end local corners = {} local function worldSpaceFrustumCorners(out,near, far, projWidth, projHeight, invViewMtx) -- Define frustum corners in view space. local nw = near * projWidth local nh = near * projHeight local fw = far * projWidth local fh = far * projHeight local numCorners = 8 corners[1] = math3d.vector (-nw, nh, near) corners[2] = math3d.vector ( nw, nh, near) corners[3] = math3d.vector ( nw, -nh, near) corners[4] = math3d.vector (-nw, -nh, near) corners[5] = math3d.vector (-fw, fh, far ) corners[6] = math3d.vector ( fw, fh, far ) corners[7] = math3d.vector ( fw, -fh, far ) corners[8] = math3d.vector (-fw, -fh, far ) -- Convert them to world space. for i = 1, numCorners do out[i] = math3d.transform ( invViewMtx, corners[i], 1 ) -- out[i] = corners[i] * invViewMtx end end local function computeViewSpaceComponents(light, mtx) light.position_viewSpace.v = math3d.transform(mtx, light.position, nil) local r = math3d.transform(mtx, light.spotdirection , 0) light.spotdirection_viewSpace.v = math3d.vector(r, light.spotdirection[4]) end local function mtxBillboard(view, pos, s0,s1,s2) local p0,p1,p2 = table.unpack(pos.v) local v0,v1,v2,v3,v4,v5,v6,v7,v8,v9,v10,v11,v12,v13,v14,v15 = table.unpack(view.v) return math3d.matrix( v0 * s0, v4 * s0, v8 * s0, 0, v1 * s1, v5 * s1, v9 * s1, 0, v2 * s2, v6 * s2, v10 * s2, 0, p0, p1, p2, 1) end local function mtxYawPitchRoll(vec) local yaw = vec[1] local pitch = vec[2] local roll = vec[3] local sroll = math.sin(roll) local croll = math.cos(roll) local spitch = math.sin(pitch) local cpitch = math.cos(pitch) local syaw = math.sin(yaw) local cyaw = math.cos(yaw) return sroll * spitch * syaw + croll * cyaw, sroll * cpitch, sroll * spitch * cyaw - croll * syaw, 0.0, croll * spitch * syaw - sroll * cyaw, croll * cpitch, croll * spitch * cyaw + sroll * syaw, 0.0, cpitch * syaw, -spitch, cpitch * cyaw, 0.0, 0.0, 0.0, 0.0, 1.0 end -- _splits = { near0, far0, near1, far1... nearN, farN } -- N = _numSplits local function splitFrustum(numSlices, near, far, l) local splits = {} -- const float l = _splitWeight; local ratio = far/near numSlices = numSlices * 2 -- First slice. splits[1] = near local ff = 1 for nn = 3, numSlices, 2 do local si = ff / numSlices local nearp = l * near * ratio ^ si + (1-l) * (near + (far-near) * si) splits[nn] = nearp -- near splits[ff+1] = nearp * 1.005 -- far from previous split ff = ff + 2 end splits[numSlices] = far return splits end local function submitShadowMesh(mesh, viewId, mtx, program, renderState, texture, submitShadowMaps) local g = mesh.group local n = #g for i=1,n do local group = g[i] bgfx.set_index_buffer(group.ib) bgfx.set_vertex_buffer(group.vb) -- set uniforms. submitPerDrawUniforms() -- Set model matrix for rendering. bgfx.set_transform(mtx) bgfx.set_index_buffer(group.ib) bgfx.set_vertex_buffer(group.vb) -- set textures if texture then bgfx.set_texture(0, ctx.s_texColor, texture) end if submitShadowMaps then for i=1,4 do bgfx.set_texture(3+i, ctx.s_shadowMap[i], bgfx.get_texture(ctx.s_rtShadowMap[i])) end end -- Apply render state. bgfx.set_stencil(renderState.fstencil, renderState.bstencil) bgfx.set_state(renderState.state) -- Submit. bgfx.submit(viewId, program) end end local function init_mat4(array) for i =1,4 do array[i] = math3d.ref(math3d.matrix()) end return array end local mtxTrees = {} local lightView = init_mat4 {} local lightProj = init_mat4 {} local mtxYpr = {} local frustumCorners = {} local mtxCropBias = {} local function mainloop() local view = ctx.view local proj = ctx.proj math3d.reset() Uniforms.shadowMapTexelSize = 1 / ctx.m_currentShadowMapSize submitConstUniforms() Uniforms.shadowMapBias = settings.bias Uniforms.shadowMapOffset = settings.normalOffset Uniforms.shadowMapParam0 = settings.customParam0 Uniforms.shadowMapParam1 = settings.customParam1 Uniforms.depthValuePow = settings.depthValuePow Uniforms.XNum = settings.xNum Uniforms.YNum = settings.yNum Uniforms.XOffset = settings.xOffset Uniforms.YOffset = settings.yOffset Uniforms.showSmCoverage = settings.showSmCoverage and 1 or 0 Uniforms.lightPtr = settings.lightType == "DirectionalLight" and ctx.m_directionalLight or ctx.m_pointLight -- attenuationSpotOuter -- float m_attnConst; -- float m_attnLinear; -- float m_attnQuadrantic; -- float m_outer; -- spotDirectionInner -- float m_x; -- float m_y; -- float m_z; -- float m_inner; if settings.lightType == "SpotLight" then ctx.m_pointLight.attenuation.v = math3d.vector(ctx.m_pointLight.attenuation, settings.spotOuterAngle) ctx.m_pointLight.spotdirection.v = math3d.vector(ctx.m_pointLight.spotdirection, settings.spotInnerAngle) else --above 90.0f means point light ctx.m_pointLight.attenuation.v = math3d.vector(ctx.m_pointLight.attenuation, 91) end submitPerFrameUniforms() -- update time local deltaTime = 0.01 -- Update lights. computeViewSpaceComponents(ctx.m_pointLight, view) computeViewSpaceComponents(ctx.m_directionalLight, view) if settings.updateLights then ctx.m_timeAccumulatorLight = ctx.m_timeAccumulatorLight + deltaTime end if settings.updateScene then ctx.m_timeAccumulatorScene = ctx.m_timeAccumulatorScene + deltaTime end -- Setup lights. local x = math.cos(ctx.m_timeAccumulatorLight) * 20 local y = 26 local z = math.sin(ctx.m_timeAccumulatorLight) * 20 ctx.m_pointLight.position.v = { x,y,z, ctx.m_pointLight.position[4] } ctx.m_pointLight.spotdirection.v = { -x,-y,-z, ctx.m_pointLight.spotdirection[4] } ctx.m_directionalLight.position.v = { -math.cos(ctx.m_timeAccumulatorLight), -1, -math.sin(ctx.m_timeAccumulatorLight), ctx.m_directionalLight.position[4], } -- Setup instance matrices. local floorScale = 550.0 local mtxFloor = math3d.matrix { s = floorScale } local mtxBunny = math3d.matrix { s = 5, r = { 0.0 , 1.56 - ctx.m_timeAccumulatorScene, 0.0 }, t = {15.0, 5.0, 0.0 } } local mtxHollowcube = math3d.matrix { s = 2.5 , r = { 0.0, 1.56 - ctx.m_timeAccumulatorScene, 0.0 }, t = { 0.0, 10.0, 0.0 } } local mtxCube = math3d.matrix { s = 2.5, r = { 0.0, 1.56 - ctx.m_timeAccumulatorScene, 0.0}, t = { -15.0, 5.0, 0.0 } } local numTrees = 10 for i = 1, numTrees do mtxTrees[i] = math3d.matrix { s = 2, r = { 0 , i-1 , 0 }, t = { math.sin((i-1)*2*math.pi/numTrees ) * 60 , 0.0 , math.cos((i-1)*2*math.pi/numTrees ) * 60 } } end -- Compute transform matrices. local shadowMapPasses = 4 local screenProj = math3d.projmat { ortho = true, l = 0, r = 1, b = 1, t= 0, n= 0,f = 100 } local screenView = math3d.matrix() local function matrix_far(mtx) local m = mtx.v m[11] = m[11] / settings.far m[15] = m[15] / settings.far mtx.m = m return mtx end if settings.lightType == "SpotLight" then local fovy = settings.coverageSpotL local aspect = 1 -- Horizontal == 1 local mtx = lightProj[1] mtx.m = math3d.projmat { fov = fovy, aspect = aspect, n = settings.near, f = settings.far } -- For linear depth, prevent depth division by variable w-component in shaders and divide here by far plane if settings.depthImpl == "Linear" then matrix_far(mtx) end local at = math3d.add(ctx.m_pointLight.position, ctx.m_pointLight.spotdirection) -- Green == 1 -- Yellow 2 -- Blue 3 -- Red 4 lightView[1].m = math3d.lookat(ctx.m_pointLight.position, at) elseif settings.lightType == "PointLight" then local rad = math.rad local ypr = { { rad( 0.0), rad( 27.36780516), rad(0.0) }, { rad(180.0), rad( 27.36780516), rad(0.0) }, { rad(-90.0), rad(-27.36780516), rad(0.0) }, { rad( 90.0), rad(-27.36780516), rad(0.0) }, } if settings.stencilPack then local fovx = 143.98570868 + 3.51 + settings.fovXAdjust local fovy = 125.26438968 + 9.85 + settings.fovYAdjust local aspect = math.tan(rad(fovx*0.5) )/math.tan(rad(fovy*0.5) ) -- Vertical == 2 local mtx = lightProj[2] mtx.m = math3d.projmat { fov = fovx , aspect = aspect, n = settings.near, f = settings.far } --For linear depth, prevent depth division by variable w-component in shaders and divide here by far plane if settings.depthImpl == "Linear" then matrix_far(mtx) end ypr[GREEN][3] = rad(180.0) ypr[YELLOW][3] = rad( 0.0) ypr[BLUE][3] = rad( 90.0) ypr[RED][3] = rad(-90.0) end local fovx = 143.98570868 + 7.8 + settings.fovXAdjust local fovy = 125.26438968 + 3.0 + settings.fovYAdjust local aspect = math.tan(rad(fovx*0.5) )/math.tan(rad(fovy*0.5) ) local mtx = lightProj[1] mtx.m = math3d.projmat { fov = fovy, aspect = aspect, n = settings.near, f = settings.far } -- For linear depth, prevent depth division by variable w component in shaders and divide here by far plane if settings.depthImpl == "Linear" then matrix_far(mtx) end for i = 1, 4 do local m0,m1,m2,m3,m4,m5,m6,m7,m8,m9,m10,m11,m12,m13,m14,m15 = mtxYawPitchRoll(ypr[i]) local pv = ctx.m_pointLight.position local tmp_x = - math3d.dot(pv, {m0,m1,m2}) local tmp_y = - math3d.dot(pv, {m4,m5,m6}) local tmp_z = - math3d.dot(pv, {m8,m9,m10}) local mtxTmp = math3d.matrix ( m0,m1,m2,m3, m4,m5,m6,m7, m8,m9,m10,m11, m12,m13,m14,m15) mtxYpr[i] = math3d.transpose(mtxTmp) local t = math3d.totable(mtxYpr[i]) t[13] = tmp_x t[14] = tmp_y t[15] = tmp_z t[16] = 1 lightView[i].m = math3d.matrix(t) end else -- "DirectionalLight" -- Setup light view mtx. lightView[1].m = math3d.lookat( math3d.inverse(ctx.m_directionalLight.position),{0,0,0} ) -- Compute camera inverse view mtx. local mtxViewInv = math3d.inverse(view) -- Compute split distances. local maxNumSplits = 4 local splitSlices = splitFrustum(settings.numSplits, settings.near, settings.far, settings.splitDistribution) -- Update uniforms. -- This lags for 1 frame, but it's not a problem. Uniforms.csmFarDistances.v = { splitSlices[2] or 0, splitSlices[4] or 0 , splitSlices[6] or 0 , splitSlices[8] or 0 } local mtxProj = math3d.projmat { ortho = true, l=1,r=-1,b=1,t=-1,n=-settings.far,f=settings.far } local numCorners = 8 local nn = -1 local ff = 0 for i = 1, settings.numSplits do nn = nn + 2 ff = ff + 2 -- Compute frustum corners for one split in world space. local fc = frustumCorners[i] if not fc then fc = {} frustumCorners[i] = fc end worldSpaceFrustumCorners(fc, splitSlices[nn], splitSlices[ff], ctx.projWidth, ctx.projHeight, mtxViewInv) local min = { 9000, 9000, 9000 } local max = { -9000, -9000, -9000 } for j = 1, numCorners do -- Transform to light space. -- Update bounding box. local tmp = math3d.totable(math3d.transform(lightView[1], fc[j], 1)) local v1,v2,v3 = tmp[1], tmp[2], tmp[3] min[1] = math.min(min[1], v1) max[1] = math.max(max[1], v1) min[2] = math.min(min[2], v2) max[2] = math.max(max[2], v2) min[3] = math.min(min[3], v3) max[3] = math.max(max[3], v3) end local minproj = math3d.totable(math3d.transformH(mtxProj, min)) local maxproj = math3d.totable(math3d.transformH(mtxProj, max)) local max_x, max_y = maxproj[1], maxproj[2] local min_x, min_y = minproj[1], minproj[2] local scalex = 2 / (max_x - min_x) local scaley = 2 / (max_y - min_y) if settings.stabilize then local quantizer = 64 scalex = quantizer / math.ceil(quantizer / scalex) scaley = quantizer / math.ceil(quantizer / scaley) end local offsetx = 0.5 * (max_x + min_x) * scalex local offsety = 0.5 * (max_y + min_y) * scaley if settings.stabilize then local halfSize = ctx.m_currentShadowMapSize * 0.5 offsetx = math.ceil(offsetx * halfSize) / halfSize offsety = math.ceil(offsety * halfSize) / halfSize end local mtxCrop = math3d.matrix { scalex, 0,0,0, 0, scaley, 0, 0, 0, 0, 1, 0, offsetx, offsety, 0, 1 } lightProj[i].m = math3d.mul(mtxProj , mtxCrop) end end -- Reset render targets. for i =0, RENDERVIEW_DRAWDEPTH_3_ID do bgfx.set_view_frame_buffer(i) -- reset end -- Determine on-screen rectangle size where depth buffer will be drawn. local depthRectHeight = math.floor(ctx.height / 2.5) local depthRectWidth = depthRectHeight local depthRectX = 0 local depthRectY = ctx.height - depthRectHeight -- Setup views and render targets. local setViewRect = bgfx.set_view_rect local setViewTransform = bgfx.set_view_transform local setViewFrameBuffer = bgfx.set_view_frame_buffer local m_currentShadowMapSize = ctx.m_currentShadowMapSize setViewRect(0, 0, 0, ctx.width, ctx.height) setViewTransform(0, view, proj) if settings.lightType == "SpotLight" then -- * RENDERVIEW_SHADOWMAP_0_ID - Clear shadow map. (used as convenience, otherwise render_pass_1 could be cleared) -- * RENDERVIEW_SHADOWMAP_1_ID - Craft shadow map. -- * RENDERVIEW_VBLUR_0_ID - Vertical blur. -- * RENDERVIEW_HBLUR_0_ID - Horizontal blur. -- * RENDERVIEW_DRAWSCENE_0_ID - Draw scene. -- * RENDERVIEW_DRAWSCENE_1_ID - Draw floor bottom. -- * RENDERVIEW_DRAWDEPTH_0_ID - Draw depth buffer. setViewRect(RENDERVIEW_SHADOWMAP_0_ID, 0, 0, m_currentShadowMapSize, m_currentShadowMapSize) setViewRect(RENDERVIEW_SHADOWMAP_1_ID, 0, 0, m_currentShadowMapSize, m_currentShadowMapSize) setViewRect(RENDERVIEW_VBLUR_0_ID, 0, 0, m_currentShadowMapSize, m_currentShadowMapSize) setViewRect(RENDERVIEW_HBLUR_0_ID, 0, 0, m_currentShadowMapSize, m_currentShadowMapSize) setViewRect(RENDERVIEW_DRAWSCENE_0_ID, 0, 0, ctx.width, ctx.height) setViewRect(RENDERVIEW_DRAWSCENE_1_ID, 0, 0, ctx.width, ctx.height) setViewRect(RENDERVIEW_DRAWDEPTH_0_ID, depthRectX, depthRectY, depthRectWidth, depthRectHeight) setViewTransform(RENDERVIEW_SHADOWMAP_0_ID, screenView, screenProj) setViewTransform(RENDERVIEW_SHADOWMAP_1_ID, lightView[1], lightProj[1]) setViewTransform(RENDERVIEW_VBLUR_0_ID, screenView, screenProj) setViewTransform(RENDERVIEW_HBLUR_0_ID, screenView, screenProj) setViewTransform(RENDERVIEW_DRAWSCENE_0_ID, view, proj) setViewTransform(RENDERVIEW_DRAWSCENE_1_ID, view, proj) setViewTransform(RENDERVIEW_DRAWDEPTH_0_ID, screenView, screenProj) setViewFrameBuffer(RENDERVIEW_SHADOWMAP_0_ID, ctx.s_rtShadowMap[1]) setViewFrameBuffer(RENDERVIEW_SHADOWMAP_1_ID, ctx.s_rtShadowMap[1]) setViewFrameBuffer(RENDERVIEW_VBLUR_0_ID, ctx.s_rtBlur) setViewFrameBuffer(RENDERVIEW_HBLUR_0_ID, ctx.s_rtShadowMap[1]) elseif settings.lightType == "PointLight" then -- * RENDERVIEW_SHADOWMAP_0_ID - Clear entire shadow map. -- * RENDERVIEW_SHADOWMAP_1_ID - Craft green tetrahedron shadow face. -- * RENDERVIEW_SHADOWMAP_2_ID - Craft yellow tetrahedron shadow face. -- * RENDERVIEW_SHADOWMAP_3_ID - Craft blue tetrahedron shadow face. -- * RENDERVIEW_SHADOWMAP_4_ID - Craft red tetrahedron shadow face. -- * RENDERVIEW_VBLUR_0_ID - Vertical blur. -- * RENDERVIEW_HBLUR_0_ID - Horizontal blur. -- * RENDERVIEW_DRAWSCENE_0_ID - Draw scene. -- * RENDERVIEW_DRAWSCENE_1_ID - Draw floor bottom. -- * RENDERVIEW_DRAWDEPTH_0_ID - Draw depth buffer. setViewRect(RENDERVIEW_SHADOWMAP_0_ID, 0, 0, m_currentShadowMapSize, m_currentShadowMapSize) if settings.stencilPack then local f = m_currentShadowMapSize --full size local h = m_currentShadowMapSize//2 --half size setViewRect(RENDERVIEW_SHADOWMAP_1_ID, 0, 0, f, h) setViewRect(RENDERVIEW_SHADOWMAP_2_ID, 0, h, f, h) setViewRect(RENDERVIEW_SHADOWMAP_3_ID, 0, 0, h, f) setViewRect(RENDERVIEW_SHADOWMAP_4_ID, h, 0, h, f) else local h = m_currentShadowMapSize//2 --half size setViewRect(RENDERVIEW_SHADOWMAP_1_ID, 0, 0, h, h) setViewRect(RENDERVIEW_SHADOWMAP_2_ID, h, 0, h, h) setViewRect(RENDERVIEW_SHADOWMAP_3_ID, 0, h, h, h) setViewRect(RENDERVIEW_SHADOWMAP_4_ID, h, h, h, h) end setViewRect(RENDERVIEW_VBLUR_0_ID, 0, 0, m_currentShadowMapSize, m_currentShadowMapSize) setViewRect(RENDERVIEW_HBLUR_0_ID, 0, 0, m_currentShadowMapSize, m_currentShadowMapSize) setViewRect(RENDERVIEW_DRAWSCENE_0_ID, 0, 0, ctx.width, ctx.height) setViewRect(RENDERVIEW_DRAWSCENE_1_ID, 0, 0, ctx.width, ctx.height) setViewRect(RENDERVIEW_DRAWDEPTH_0_ID, depthRectX, depthRectY, depthRectWidth, depthRectHeight) setViewTransform(RENDERVIEW_SHADOWMAP_0_ID, screenView, screenProj); setViewTransform(RENDERVIEW_SHADOWMAP_1_ID, lightView[GREEN], lightProj[1]) setViewTransform(RENDERVIEW_SHADOWMAP_2_ID, lightView[YELLOW], lightProj[1]) if settings.stencilPack then setViewTransform(RENDERVIEW_SHADOWMAP_3_ID, lightView[BLUE], lightProj[2]) setViewTransform(RENDERVIEW_SHADOWMAP_4_ID, lightView[RED], lightProj[2]) else setViewTransform(RENDERVIEW_SHADOWMAP_3_ID, lightView[BLUE], lightProj[1]) setViewTransform(RENDERVIEW_SHADOWMAP_4_ID, lightView[RED], lightProj[1]) end setViewTransform(RENDERVIEW_VBLUR_0_ID, screenView, screenProj) setViewTransform(RENDERVIEW_HBLUR_0_ID, screenView, screenProj) setViewTransform(RENDERVIEW_DRAWSCENE_0_ID, view, proj) setViewTransform(RENDERVIEW_DRAWSCENE_1_ID, view, proj) setViewTransform(RENDERVIEW_DRAWDEPTH_0_ID, screenView, screenProj) setViewFrameBuffer(RENDERVIEW_SHADOWMAP_0_ID, ctx.s_rtShadowMap[1]) setViewFrameBuffer(RENDERVIEW_SHADOWMAP_1_ID, ctx.s_rtShadowMap[1]) setViewFrameBuffer(RENDERVIEW_SHADOWMAP_2_ID, ctx.s_rtShadowMap[1]) setViewFrameBuffer(RENDERVIEW_SHADOWMAP_3_ID, ctx.s_rtShadowMap[1]) setViewFrameBuffer(RENDERVIEW_SHADOWMAP_4_ID, ctx.s_rtShadowMap[1]) setViewFrameBuffer(RENDERVIEW_VBLUR_0_ID, ctx.s_rtBlur) setViewFrameBuffer(RENDERVIEW_HBLUR_0_ID, ctx.s_rtShadowMap[1]) else -- LightType::DirectionalLight == settings.m_lightType -- * RENDERVIEW_SHADOWMAP_1_ID - Craft shadow map for first split. -- * RENDERVIEW_SHADOWMAP_2_ID - Craft shadow map for second split. -- * RENDERVIEW_SHADOWMAP_3_ID - Craft shadow map for third split. -- * RENDERVIEW_SHADOWMAP_4_ID - Craft shadow map for fourth split. -- * RENDERVIEW_VBLUR_0_ID - Vertical blur for first split. -- * RENDERVIEW_HBLUR_0_ID - Horizontal blur for first split. -- * RENDERVIEW_VBLUR_1_ID - Vertical blur for second split. -- * RENDERVIEW_HBLUR_1_ID - Horizontal blur for second split. -- * RENDERVIEW_VBLUR_2_ID - Vertical blur for third split. -- * RENDERVIEW_HBLUR_2_ID - Horizontal blur for third split. -- * RENDERVIEW_VBLUR_3_ID - Vertical blur for fourth split. -- * RENDERVIEW_HBLUR_3_ID - Horizontal blur for fourth split. -- * RENDERVIEW_DRAWSCENE_0_ID - Draw scene. -- * RENDERVIEW_DRAWSCENE_1_ID - Draw floor bottom. -- * RENDERVIEW_DRAWDEPTH_0_ID - Draw depth buffer for first split. -- * RENDERVIEW_DRAWDEPTH_1_ID - Draw depth buffer for second split. -- * RENDERVIEW_DRAWDEPTH_2_ID - Draw depth buffer for third split. -- * RENDERVIEW_DRAWDEPTH_3_ID - Draw depth buffer for fourth split. depthRectHeight = math.floor(ctx.height / 3) depthRectWidth = depthRectHeight depthRectX = 0 depthRectY = ctx.height - depthRectHeight setViewRect(RENDERVIEW_SHADOWMAP_1_ID, 0, 0, m_currentShadowMapSize, m_currentShadowMapSize) setViewRect(RENDERVIEW_SHADOWMAP_2_ID, 0, 0, m_currentShadowMapSize, m_currentShadowMapSize) setViewRect(RENDERVIEW_SHADOWMAP_3_ID, 0, 0, m_currentShadowMapSize, m_currentShadowMapSize) setViewRect(RENDERVIEW_SHADOWMAP_4_ID, 0, 0, m_currentShadowMapSize, m_currentShadowMapSize) setViewRect(RENDERVIEW_VBLUR_0_ID, 0, 0, m_currentShadowMapSize, m_currentShadowMapSize) setViewRect(RENDERVIEW_HBLUR_0_ID, 0, 0, m_currentShadowMapSize, m_currentShadowMapSize) setViewRect(RENDERVIEW_VBLUR_1_ID, 0, 0, m_currentShadowMapSize, m_currentShadowMapSize) setViewRect(RENDERVIEW_HBLUR_1_ID, 0, 0, m_currentShadowMapSize, m_currentShadowMapSize) setViewRect(RENDERVIEW_VBLUR_2_ID, 0, 0, m_currentShadowMapSize, m_currentShadowMapSize) setViewRect(RENDERVIEW_HBLUR_2_ID, 0, 0, m_currentShadowMapSize, m_currentShadowMapSize) setViewRect(RENDERVIEW_VBLUR_3_ID, 0, 0, m_currentShadowMapSize, m_currentShadowMapSize) setViewRect(RENDERVIEW_HBLUR_3_ID, 0, 0, m_currentShadowMapSize, m_currentShadowMapSize) setViewRect(RENDERVIEW_DRAWSCENE_0_ID, 0, 0, ctx.width, ctx.height) setViewRect(RENDERVIEW_DRAWSCENE_1_ID, 0, 0, ctx.width, ctx.height) setViewRect(RENDERVIEW_DRAWDEPTH_0_ID, depthRectX+(0*depthRectWidth), depthRectY, depthRectWidth, depthRectHeight) setViewRect(RENDERVIEW_DRAWDEPTH_1_ID, depthRectX+(1*depthRectWidth), depthRectY, depthRectWidth, depthRectHeight) setViewRect(RENDERVIEW_DRAWDEPTH_2_ID, depthRectX+(2*depthRectWidth), depthRectY, depthRectWidth, depthRectHeight) setViewRect(RENDERVIEW_DRAWDEPTH_3_ID, depthRectX+(3*depthRectWidth), depthRectY, depthRectWidth, depthRectHeight) setViewTransform(RENDERVIEW_SHADOWMAP_1_ID, lightView[1], lightProj[1]) setViewTransform(RENDERVIEW_SHADOWMAP_2_ID, lightView[1], lightProj[2]) setViewTransform(RENDERVIEW_SHADOWMAP_3_ID, lightView[1], lightProj[3]) setViewTransform(RENDERVIEW_SHADOWMAP_4_ID, lightView[1], lightProj[4]) setViewTransform(RENDERVIEW_VBLUR_0_ID, screenView, screenProj) setViewTransform(RENDERVIEW_HBLUR_0_ID, screenView, screenProj) setViewTransform(RENDERVIEW_VBLUR_1_ID, screenView, screenProj) setViewTransform(RENDERVIEW_HBLUR_1_ID, screenView, screenProj) setViewTransform(RENDERVIEW_VBLUR_2_ID, screenView, screenProj) setViewTransform(RENDERVIEW_HBLUR_2_ID, screenView, screenProj) setViewTransform(RENDERVIEW_VBLUR_3_ID, screenView, screenProj) setViewTransform(RENDERVIEW_HBLUR_3_ID, screenView, screenProj) setViewTransform(RENDERVIEW_DRAWSCENE_0_ID, view, proj) setViewTransform(RENDERVIEW_DRAWSCENE_1_ID, view, proj) setViewTransform(RENDERVIEW_DRAWDEPTH_0_ID, screenView, screenProj) setViewTransform(RENDERVIEW_DRAWDEPTH_1_ID, screenView, screenProj) setViewTransform(RENDERVIEW_DRAWDEPTH_2_ID, screenView, screenProj) setViewTransform(RENDERVIEW_DRAWDEPTH_3_ID, screenView, screenProj) setViewFrameBuffer(RENDERVIEW_SHADOWMAP_1_ID, ctx.s_rtShadowMap[1]) setViewFrameBuffer(RENDERVIEW_SHADOWMAP_2_ID, ctx.s_rtShadowMap[2]) setViewFrameBuffer(RENDERVIEW_SHADOWMAP_3_ID, ctx.s_rtShadowMap[3]) setViewFrameBuffer(RENDERVIEW_SHADOWMAP_4_ID, ctx.s_rtShadowMap[4]) setViewFrameBuffer(RENDERVIEW_VBLUR_0_ID, ctx.s_rtBlur) --vblur setViewFrameBuffer(RENDERVIEW_HBLUR_0_ID, ctx.s_rtShadowMap[1]) --hblur setViewFrameBuffer(RENDERVIEW_VBLUR_1_ID, ctx.s_rtBlur) --vblur setViewFrameBuffer(RENDERVIEW_HBLUR_1_ID, ctx.s_rtShadowMap[2]) --hblur setViewFrameBuffer(RENDERVIEW_VBLUR_2_ID, ctx.s_rtBlur) --vblur setViewFrameBuffer(RENDERVIEW_HBLUR_2_ID, ctx.s_rtShadowMap[3]) --hblur setViewFrameBuffer(RENDERVIEW_VBLUR_3_ID, ctx.s_rtBlur) --vblur setViewFrameBuffer(RENDERVIEW_HBLUR_3_ID, ctx.s_rtShadowMap[4]) --hblur end -- Clear backbuffer at beginning. bgfx.set_view_clear(0, "CD", 0, 1, 0) bgfx.touch(0) -- Clear shadowmap rendertarget at beginning. local flags0 = settings.lightType == "DirectionalLight" and "" or "CDS" bgfx.set_view_clear(RENDERVIEW_SHADOWMAP_0_ID, flags0 , 0xfefefefe --blur fails on completely white regions , 1 , 0 ) bgfx.touch(RENDERVIEW_SHADOWMAP_0_ID) local flags1 = settings.lightType == "DirectionalLight" and "CD" or "" for i = 0 , 3 do bgfx.set_view_clear(RENDERVIEW_SHADOWMAP_1_ID+i , flags1 , 0xfefefefe -- blur fails on completely white regions , 1 , 0 ) bgfx.touch(RENDERVIEW_SHADOWMAP_1_ID+i) end local progDraw_id = assert(Programs[settings.progDraw], settings.progDraw) local progPack_id = assert(Programs[settings.progPack], settings.progPack) -- Render. -- Craft shadow map. do -- Craft stencil mask for point light shadow map packing. if settings.lightType == "PointLight" and settings.stencilPack then ctx.postb:alloc(6, ctx.posDecl) local min = 0.0 local max = 1 local center = 0.5 local zz = 0 ctx.postb:packV(0, min, min, zz) ctx.postb:packV(1, max, min, zz) ctx.postb:packV(2, center, center, zz) ctx.postb:packV(3, center, center, zz) ctx.postb:packV(4, max, max, zz) ctx.postb:packV(5, min, max, zz) bgfx.set_state(ctx.black_state) bgfx.set_stencil(ctx.black_stencil) ctx.postb:set() bgfx.submit(RENDERVIEW_SHADOWMAP_0_ID, Programs.black) end -- Draw scene into shadowmap. local drawNum if settings.lightType == "SpotLight" then drawNum = 1 elseif settings.lightType == "PointLight" then drawNum = 4 else -- LightType::DirectionalLight == settings.m_lightType) drawNum = settings.numSplits end for i = 1, drawNum do local viewId = RENDERVIEW_SHADOWMAP_1_ID + i - 1 local renderStateIndex = "ShadowMap_PackDepth" if settings.lightType == "PointLight" and settings.stencilPack then renderStateIndex = i <=2 and "ShadowMap_PackDepthHoriz" or "ShadowMap_PackDepthVert" end -- Floor. submitShadowMesh(ctx.m_hplaneMesh, viewId, mtxFloor, progPack_id, s_renderState[renderStateIndex]) -- Bunny. submitShadowMesh(ctx.m_bunnyMesh, viewId, mtxBunny, progPack_id, s_renderState[renderStateIndex]) -- Hollow cube. submitShadowMesh(ctx.m_hollowcubeMesh, viewId, mtxHollowcube, progPack_id, s_renderState[renderStateIndex]) -- Cube. submitShadowMesh(ctx.m_cubeMesh, viewId, mtxCube, progPack_id, s_renderState[renderStateIndex]) -- Trees. for j = 1, numTrees do submitShadowMesh(ctx.m_treeMesh, viewId, mtxTrees[j], progPack_id, s_renderState[renderStateIndex]) end end local depthType = settings.smImpl == "VSM" and "VSM" or "RGBA" local bVsmOrEsm = settings.smImpl == "VSM" or settings.smImpl == "ESM" -- Blur shadow map. if bVsmOrEsm and settings.doBlur then bgfx.set_texture(4, ctx.s_shadowMap[1], bgfx.get_texture(ctx.s_rtShadowMap[1])) bgfx.set_state(ctx.state_rgba) screenSpaceQuad(m_currentShadowMapSize, m_currentShadowMapSize, ctx.s_flipV) bgfx.submit(RENDERVIEW_VBLUR_0_ID, Programs["vblur_" .. depthType]) bgfx.set_texture(4,ctx.s_shadowMap[1], bgfx.get_texture(ctx.s_rtBlur) ) bgfx.set_state(ctx.state_rgba) screenSpaceQuad(m_currentShadowMapSize, m_currentShadowMapSize, ctx.s_flipV) bgfx.submit(RENDERVIEW_HBLUR_0_ID, Programs["hblur_" .. depthType]) if settings.lightType == "DirectionalLight" then local j = 0 for i = 2, settings.numSplits do j = j + 2 local viewId = RENDERVIEW_VBLUR_0_ID + j bgfx.set_texture(4, ctx.s_shadowMap[1], bgfx.get_texture(ctx.s_rtShadowMap[i]) ) bgfx.set_state(ctx.state_rgba) screenSpaceQuad(m_currentShadowMapSize, m_currentShadowMapSize, ctx.s_flipV) bgfx.submit(viewId, Programs["vblur_" .. depthType]) bgfx.set_texture(4,ctx.s_shadowMap[1], bgfx.get_texture(ctx.s_rtBlur) ) bgfx.set_state(ctx.state_rgba) screenSpaceQuad(m_currentShadowMapSize, m_currentShadowMapSize, ctx.s_flipV) bgfx.submit(viewId+1, Programs["hblur_" .. depthType]) end end end -- Draw scene. local mtxShadow local ymul = ctx.s_flipV and 0.5 or -0.5 local zadd = settings.depthImpl == "Linear" and 0 or 0.5 local mtxBias = math3d.matrix( 0.5, 0.0, 0.0, 0.0, 0.0, ymul, 0.0, 0.0, 0.0, 0.0, 0.5, 0.0, 0.5, 0.5, zadd, 1.0 ) if settings.lightType == "SpotLight" then mtxShadow = math3d.mul ( math3d.mul ( mtxBias, lightProj[1] ) , lightView[1]) -- lightViewProjBias elseif settings.lightType == "PointLight" then local s = ymul * 2 -- (s_flipV) ? 1.0f : -1.0f; //sign -- zadd = (DepthImpl::Linear == m_settings.m_depthImpl) ? 0.0f : 0.5f; if not settings.stencilPack then -- D3D: Green, OGL: Blue mtxCropBias[1] = math3d.matrix( 0.25, 0.0, 0.0, 0.0, 0.0, s*0.25, 0.0, 0.0, 0.0, 0.0, 0.5, 0.0, 0.25, 0.25, zadd, 1.0 ) -- D3D: Yellow, OGL: Red mtxCropBias[2] = math3d.matrix( 0.25, 0.0, 0.0, 0.0, 0.0, s*0.25, 0.0, 0.0, 0.0, 0.0, 0.5, 0.0, 0.75, 0.25, zadd, 1.0 ) -- D3D: Blue, OGL: Green mtxCropBias[3] = math3d.matrix( 0.25, 0.0, 0.0, 0.0, 0.0, s*0.25, 0.0, 0.0, 0.0, 0.0, 0.5, 0.0, 0.25, 0.75, zadd, 1.0 ) -- D3D: Red, OGL: Yellow mtxCropBias[4] = math3d.matrix( 0.25, 0.0, 0.0, 0.0, 0.0, s*0.25, 0.0, 0.0, 0.0, 0.0, 0.5, 0.0, 0.75, 0.75, zadd, 1.0 ) else -- D3D: Red, OGL: Blue mtxCropBias[1] = math3d.matrix( 0.25, 0.0, 0.0, 0.0, 0.0, s*0.5, 0.0, 0.0, 0.0, 0.0, 0.5, 0.0, 0.25, 0.5, zadd, 1.0 ) -- D3D: Blue, OGL: Red mtxCropBias[2] = math3d.matrix( 0.25, 0.0, 0.0, 0.0, 0.0, s*0.5, 0.0, 0.0, 0.0, 0.0, 0.5, 0.0, 0.75, 0.5, zadd, 1.0 ) -- D3D: Green, OGL: Green mtxCropBias[3] = math3d.matrix( 0.5, 0.0, 0.0, 0.0, 0.0, s*0.25, 0.0, 0.0, 0.0, 0.0, 0.5, 0.0, 0.5, 0.75, zadd, 1.0 ) -- D3D: Yellow, OGL: Yellow mtxCropBias[4] = math3d.matrix( 0.5, 0.0, 0.0, 0.0, 0.0, s*0.25, 0.0, 0.0, 0.0, 0.0, 0.5, 0.0, 0.5, 0.25, zadd, 1.0 ) end for i = 1, 4 do local projType if settings.stencilPack and i>2 then projType = 2 else projType = 1 -- ProjType::Horizontal end local biasIndex = ctx.cropBiasIndices[settings.stencilPack][ctx.s_flipV][i] ctx.m_shadowMapMtx[i].m = math3d.mul ( mtxCropBias[biasIndex], math3d.mul(lightProj[projType], mtxYpr[i])) -- mtxYprProjBias end -- lightInvTranslate mtxShadow = math3d.matrix { t = math3d.inverse(ctx.m_pointLight.position) } else -- //LightType::DirectionalLight == settings.m_lightType for i = 1, settings.numSplits do ctx.m_shadowMapMtx[i].m = math3d.mul( math3d.mul(mtxBias, lightProj[i]), lightView[1]) end end -- Floor. local m_lightMtx = ctx.m_lightMtx local notdirectional = settings.lightType ~= "DirectionalLight" if notdirectional then m_lightMtx.m = math3d.mul(mtxShadow, mtxFloor) -- not needed for directional light end submitShadowMesh(ctx.m_hplaneMesh, RENDERVIEW_DRAWSCENE_0_ID, mtxFloor, progDraw_id, s_renderState.Default, nil, true) -- Bunny. if notdirectional then m_lightMtx.m = math3d.mul(mtxShadow, mtxBunny) end submitShadowMesh(ctx.m_bunnyMesh, RENDERVIEW_DRAWSCENE_0_ID, mtxBunny, progDraw_id, s_renderState.Default, nil, true) -- Hollow cube. if notdirectional then m_lightMtx.m = math3d.mul(mtxShadow, mtxHollowcube) end submitShadowMesh(ctx.m_hollowcubeMesh, RENDERVIEW_DRAWSCENE_0_ID, mtxHollowcube, progDraw_id, s_renderState.Default, nil, true) -- Cube. if notdirectional then m_lightMtx.m = math3d.mul(mtxShadow, mtxCube) end submitShadowMesh(ctx.m_cubeMesh, RENDERVIEW_DRAWSCENE_0_ID, mtxCube, progDraw_id, s_renderState.Default, nil, true) -- Trees. for i = 1, numTrees do if notdirectional then m_lightMtx.m = math3d.mul(mtxShadow, mtxTrees[i]) end submitShadowMesh(ctx.m_treeMesh, RENDERVIEW_DRAWSCENE_0_ID, mtxTrees[i], progDraw_id, s_renderState.Default, nil, true) end -- Lights. if settings.lightType == "SpotLight" or settings.lightType == "PointLight" then -- const float lightScale[3] = { 1.5f, 1.5f, 1.5f }; local mtx = mtxBillboard(view, ctx.m_pointLight.position , 1.5,1.5,1.5) submitShadowMesh(ctx.m_vplaneMesh, RENDERVIEW_DRAWSCENE_0_ID, mtx, Programs.colorTexture, s_renderState.Custom_BlendLightTexture, ctx.m_texFlare ) end -- Draw floor bottom. local floorBottomMtx = math3d.matrix { s = floorScale, --scale t = {0,-0.1,0} } submitShadowMesh(ctx.m_hplaneMesh, RENDERVIEW_DRAWSCENE_1_ID , floorBottomMtx , Programs.texture , s_renderState.Custom_DrawPlaneBottom , ctx.m_texFigure ) -- Draw depth rect. if settings.drawDepthBuffer then bgfx.set_texture(4, ctx.s_shadowMap[1], bgfx.get_texture(ctx.s_rtShadowMap[1]) ) bgfx.set_state(ctx.state_rgba) screenSpaceQuad(m_currentShadowMapSize, m_currentShadowMapSize, ctx.s_flipV) bgfx.submit(RENDERVIEW_DRAWDEPTH_0_ID, Programs["drawDepth_" .. depthType]) if settings.lightType == "DirectionalLight" then for i = 2, settings.numSplits do bgfx.set_texture(4, ctx.s_shadowMap[1], bgfx.get_texture(ctx.s_rtShadowMap[i]) ) bgfx.set_state(ctx.state_rgba) screenSpaceQuad(m_currentShadowMapSize, m_currentShadowMapSize, ctx.s_flipV) bgfx.submit(RENDERVIEW_DRAWDEPTH_0_ID+i-1, Programs["drawDepth_" ..depthType]) end end end -- Update render target size. local bLtChanged = ctx.lightType ~= settings.lightType ctx.lightType = settings.lightType local shadowMapSize = 1 << settings.sizePwrTwo if bLtChanged or m_currentShadowMapSize ~= shadowMapSize then ctx.m_currentShadowMapSize = shadowMapSize local fbtextures = {} do bgfx.destroy(ctx.s_rtShadowMap[1]) fbtextures[1] = bgfx.create_texture2d(shadowMapSize, shadowMapSize, false, 1, "BGRA8", "rt") fbtextures[2] = bgfx.create_texture2d(shadowMapSize, shadowMapSize, false, 1, "D24S8", "rt") ctx.s_rtShadowMap[1] = bgfx.create_frame_buffer(fbtextures, true) end if settings.lightType == "DirectionalLight" then for i = 2, 4 do bgfx.destroy(ctx.s_rtShadowMap[i]) fbtextures[1] = bgfx.create_texture2d(shadowMapSize, shadowMapSize, false, 1, "BGRA8", "rt") fbtextures[2] = bgfx.create_texture2d(shadowMapSize, shadowMapSize, false, 1, "D24S8", "rt") ctx.s_rtShadowMap[i] = bgfx.create_frame_buffer(fbtextures, true) end end bgfx.destroy(ctx.s_rtBlur) ctx.s_rtBlur = bgfx.create_frame_buffer(shadowMapSize, shadowMapSize, "BGRA8") end end bgfx.frame() end function ctx.init() -- bgfx.set_debug "ST" local renderer = util.caps.rendererType if renderer == "DIRECT3D9" then ctx.s_texelHalf = 0.5 else ctx.s_texelHalf = 0 end ctx.s_flipV = (renderer == "OPENGL" or renderer == "OPENGLES") init_Uniforms() ctx.s_texColor = bgfx.create_uniform("s_texColor", "s") ctx.s_shadowMap = { bgfx.create_uniform("s_shadowMap0", "s"), bgfx.create_uniform("s_shadowMap1", "s"), bgfx.create_uniform("s_shadowMap2", "s"), bgfx.create_uniform("s_shadowMap3", "s"), } init_Programs() ctx.PosNormalTexcoordDecl = bgfx.vertex_layout { { "POSITION", 3, "FLOAT" }, { "NORMAL", 4, "UINT8", true, true }, { "TEXCOORD0", 2, "FLOAT" }, } ctx.PosColorTexCoord0Vertex = bgfx.vertex_layout { { "POSITION", 3, "FLOAT" }, { "COLOR0", 4, "UINT8", true }, { "TEXCOORD0", 2, "FLOAT" }, } ctx.color_tb = bgfx.transient_buffer "fffdff" ctx.posDecl = bgfx.vertex_layout { { "POSITION", 3, "FLOAT" }, } ctx.postb = bgfx.transient_buffer "fff" ctx.black_state = bgfx.make_state {} ctx.black_stencil = bgfx.make_stencil { TEST = "ALWAYS", FUNC_REF = 1, FUNC_RMASK = 0xff, OP_FAIL_S = "REPLACE", OP_FAIL_Z = "REPLACE", OP_PASS_Z = "REPLACE", } -- Textures. ctx.m_texFigure = util.textureLoad "textures/figure-rgba.dds" ctx.m_texFlare = util.textureLoad "textures/flare.dds" ctx.m_texFieldstone = util.textureLoad "textures/fieldstone-rgba.dds" -- Meshes. ctx.m_bunnyMesh = util.meshLoad "meshes/bunny.bin" ctx.m_treeMesh = util.meshLoad "meshes/tree.bin" ctx.m_cubeMesh = util.meshLoad "meshes/cube.bin" ctx.m_hollowcubeMesh = util.meshLoad "meshes/hollowcube.bin" local function mesh(vb, ib) local g = {} g.vb = bgfx.create_vertex_buffer(vb, ctx.PosNormalTexcoordDecl) g.ib = bgfx.create_index_buffer(ib) return { group = { g } } end local encodeNormalRgba8 = bgfxu.encodeNormalRgba8 local s_texcoord = 5.0 local s_hplaneVertices = bgfx.memory_buffer ("fffdff", { -1.0, 0.0, 1.0, encodeNormalRgba8(0.0, 1.0, 0.0), s_texcoord, s_texcoord, 1.0, 0.0, 1.0, encodeNormalRgba8(0.0, 1.0, 0.0), s_texcoord, 0.0 , -1.0, 0.0, -1.0, encodeNormalRgba8(0.0, 1.0, 0.0), 0.0, s_texcoord, 1.0, 0.0, -1.0, encodeNormalRgba8(0.0, 1.0, 0.0), 0.0, 0.0 , }) local s_vplaneVertices = bgfx.memory_buffer ("fffdff", { -1.0, 1.0, 0.0, encodeNormalRgba8(0.0, 0.0, -1.0), 1.0, 1.0 , 1.0, 1.0, 0.0, encodeNormalRgba8(0.0, 0.0, -1.0), 1.0, 0.0 , -1.0, -1.0, 0.0, encodeNormalRgba8(0.0, 0.0, -1.0), 0.0, 1.0 , 1.0, -1.0, 0.0, encodeNormalRgba8(0.0, 0.0, -1.0), 0.0, 0.0 , }) local s_planeIndices = { 0, 1, 2, 1, 3, 2, } ctx.m_hplaneMesh = mesh(s_hplaneVertices, s_planeIndices) ctx.m_vplaneMesh = mesh(s_vplaneVertices, s_planeIndices) -- Materials. ctx.m_defaultMaterial = { ambient = math3d.ref (math3d.vector(1,1,1,0)), diffuse = math3d.ref (math3d.vector(1,1,1,0)), specular = math3d.ref (math3d.vector(1,1,1,0)), } -- Lights. ctx.m_pointLight = { position = math3d.ref (math3d.vector(0,0,0,1)), position_viewSpace = math3d.ref (math3d.vector(0,0,0,0)), ambient = math3d.ref (math3d.vector (1,1,1,0)), diffuse = math3d.ref (math3d.vector (1,1,1,850)), specular = math3d.ref (math3d.vector (1,1,1,0)), spotdirection = math3d.ref (math3d.vector (0,-0.4,-0.6,1)), spotdirection_viewSpace = math3d.ref (math3d.vector (0,0,0,0)), attenuation = math3d.ref (math3d.vector (1,1,1,91)), } ctx.m_directionalLight = { position = math3d.ref (math3d.vector (0.5,-1,0.1,0)), position_viewSpace = math3d.ref (math3d.vector (0,0,0,0)), ambient = math3d.ref (math3d.vector (1,1,1,0.02)), diffuse = math3d.ref (math3d.vector (1,1,1,0.4)), specular = math3d.ref (math3d.vector (1,1,1,0)), spotdirection = math3d.ref (math3d.vector (0,0,0,1)), spotdirection_viewSpace = math3d.ref (math3d.vector (0,0,0,0)), attenuation = math3d.ref (math3d.vector (0,0,0,1)), } ctx.m_color = math3d.ref (math3d.vector (1,1,1,1)) ctx.m_shadowMapMtx = {} Uniforms.materialPtr = ctx.m_defaultMaterial Uniforms.lightPtr = ctx.m_pointLight Uniforms.colorPtr = ctx.m_color ctx.m_lightMtx = math3d.ref (math3d.matrix()) Uniforms.lightMtxPtr = ctx.m_lightMtx for i = 1, 4 do ctx.m_shadowMapMtx[i] = math3d.ref (math3d.matrix()) end Uniforms.shadowMapMtx0 = ctx.m_shadowMapMtx[1] Uniforms.shadowMapMtx1 = ctx.m_shadowMapMtx[2] Uniforms.shadowMapMtx2 = ctx.m_shadowMapMtx[3] Uniforms.shadowMapMtx3 = ctx.m_shadowMapMtx[4] submitConstUniforms() -- Render targets. local shadowMapSize = 1 << settings.sizePwrTwo ctx.m_currentShadowMapSize = shadowMapSize Uniforms.shadowMapTexelSize = 1 / shadowMapSize ctx.s_rtShadowMap = {} local fbtextures = {} for i=1,4 do fbtextures[1] = bgfx.create_texture2d(shadowMapSize, shadowMapSize, false, 1, "BGRA8", "rt") fbtextures[2] = bgfx.create_texture2d(shadowMapSize, shadowMapSize, false, 1, "D24S8", "rt") ctx.s_rtShadowMap[i] = bgfx.create_frame_buffer(fbtextures, true) end ctx.s_rtBlur = bgfx.create_frame_buffer(shadowMapSize, shadowMapSize, "BGRA8") ctx.m_timeAccumulatorLight = 0 ctx.m_timeAccumulatorScene = 0 ctx.cropBiasIndices = {} ctx.cropBiasIndices[false] = { -- settings.m_stencilPack == false [false] = { 1, 2, 3, 4 }, -- flipV == false [true] = { 3, 4, 1, 2 }, } ctx.cropBiasIndices[true] = { [false] = { 4, 3, 1, 2 }, [true] = { 3, 4, 1, 2 }, } ctx.state_rgba = bgfx.make_state { WRITE_MASK = "RGBA", } update_default_settings() end function ctx.resize(w,h) ctx.width = w ctx.height = h bgfx.reset(ctx.width,ctx.height, "v") ctx.view = math3d.ref(math3d.lookat( {0, 35, -60}, {0,5,0})) ctx.proj = math3d.ref(math3d.projmat { fov = 60, aspect = w/h, n = 0.1, f = 2000 }) ctx.projHeight = math.tan(math.rad(60)*0.5) ctx.projWidth = ctx.projHeight * (ctx.width/ctx.height) end ----------------------------------------------- util.init(ctx) dlg:showxy(iup.CENTER,iup.CENTER) dlg.usersize = nil util.run(mainloop)
ITEM.name = "ํฐ ๋‚˜๋ฌด ์ƒ์ž" ITEM.model = Model("models/props_junk/wood_crate002a.mdl") ITEM.uniqueID = "stor_bcrate" ITEM.maxWeight = 16 ITEM.desc = "ํฌ๊ณ  ์˜ค๋ž˜๋œ ๋‚˜๋ฌด ์ƒ์ž์ž…๋‹ˆ๋‹ค."
if ( SERVER ) then AddCSLuaFile( "shared.lua" ) end SWEP.PrintName = "SMOKE GRENADE" SWEP.Base = "weapon_cs_base" SWEP.Category = "CSS" SWEP.Weight = 5 SWEP.AutoSwitchTo = true SWEP.AutoSwitchFrom = true SWEP.IconLetter = "Q" SWEP.Slot = 4 SWEP.SlotPos = 3 SWEP.ViewModel = "models/weapons/v_eq_flashbang.mdl" -- This is the model used for clients to see in first person. SWEP.WorldModel = "models/weapons/w_eq_flashbang.mdl" -- This is the model shown to all other clients and in third-person. SWEP.Primary = {} SWEP.Primary.ClipSize = -1 SWEP.Primary.DefaultClip = 0 SWEP.Primary.Automatic = false SWEP.Primary.Ammo = "" SWEP.Secondary.ClipSize = -1 SWEP.Secondary.DefaultClip = 0 SWEP.Secondary.Automatic = false SWEP.Secondary.Ammo = "" function SWEP:Initialize() self:SetWeaponHoldType( "grenade" ) // if CLIENT then killicon.AddFont( self.ClassName, "CSKillIcons", SWEP.IconLetter, Color( 255, 80, 0, 255 ) ) end end function SWEP:PrimaryAttack() if CLIENT then return end self:SetNextPrimaryFire( CurTime() + 2 ) self:SendWeaponAnim( ACT_VM_PULLPIN ) timer.Simple(1.2,function() self:SendWeaponAnim( ACT_VM_THROW ) self.Owner:SetAnimation(PLAYER_ATTACK1) end) timer.Simple(1.6,function() local owner = self.Owner local grenade = ents.Create("ent_smokegrenade") grenade:SetPos( self.Owner:EyePos() + self.Owner:GetAimVector() * 16 ) grenade:SetAngles( self.Owner:EyeAngles() ) grenade:Spawn() grenade:Activate() grenade:GetPhysicsObject():SetVelocity( self.Owner:GetAimVector() * 1000 ) grenade:GetPhysicsObject():AddAngleVelocity(Vector(math.random(-500,500),math.random(-500,500),math.random(-500,500))) self:Remove() owner:ConCommand("lastinv") self.Owner:RemoveEquipped(EQUIP_SIDE); timer.Simple(2,function() grenade:EmitSound("weapons/smokegrenade/sg_explode.wav") exp = ents.Create("env_smoketrail") exp:SetKeyValue("startsize","100000") exp:SetKeyValue("endsize","130") exp:SetKeyValue("spawnradius","250") exp:SetKeyValue("minspeed","0.1") exp:SetKeyValue("maxspeed","0.5") exp:SetKeyValue("startcolor","200 200 200") exp:SetKeyValue("endcolor","200 200 200") exp:SetKeyValue("opacity","1") exp:SetKeyValue("spawnrate","15") exp:SetKeyValue("lifetime","7") exp:SetPos(grenade:GetPos()) exp:SetParent(grenade) exp:Spawn() exp:Fire("kill","",20) grenade:Fire("kill","",20) end) end) end local ENT = {} ENT.Type = "anim" ENT.PrintName = "Smoke Grenade" ENT.Base = "base_anim" function ENT:Initialize() if CLIENT then return end self.Entity:SetModel("models/weapons/w_eq_smokegrenade.mdl") self.Entity:PhysicsInit( SOLID_VPHYSICS ) self.Entity:SetMoveType( MOVETYPE_VPHYSICS ) self.Entity:SetSolid( SOLID_VPHYSICS ) self.Entity:DrawShadow( false ) self.Entity:SetNetworkedString("Owner", "World") self.Entity:GetPhysicsObject():SetMass(10) self.Entity:SetGravity( 0.5 ) local phys = self.Entity:GetPhysicsObject() if (phys:IsValid()) then phys:Wake() end end function ENT:PhysicsCollide( data, physobj ) if (data.Speed > 50 && data.DeltaTime > 0.2 ) then if data.HitEntity:IsWorld() then self:EmitSound( "weapons/flashbang/grenade_hit1.wav") local phob = self:GetPhysicsObject(); end end end scripted_ents.Register(ENT, "ent_smokegrenade", true)
print(require('../../package').version)
๏ปฟa = io.read ("*n") b = io.read ("*n") c = io.read ("*n") print ((a+b)*c)
local import = require(game.ReplicatedStorage.Shared.packages.Import) local ICON_NAME = "PowerOff" local Roact = import "Packages/Roact" local MaterialUI = import "Shared/assets/MaterialUI" local PowerOff = Roact.Component:extend("Icon") local Folder = MaterialUI[".icons"][ICON_NAME] local Icon = Folder[".icon"] local function shade(props) local shading = {} for name, image in pairs(Folder) do if name ~= ".icon" then shading[name] = Roact.createElement( "ImageLabel", { Name = name, Image = image, Size = UDim2.new(1,0,1,0), BackgroundTransparency = 1 } ) end end return Roact.createFragment(shading) end function PowerOff:init() end function PowerOff:render() return Roact.createElement( "ImageLabel", { Image=Icon, Size=self.props.size, BackgroundTransparency = 1, ImageColor3 = self.props.iconColor, ZIndex=self.props.layer }, { Shading = Roact.createElement(shade) } ) end return PowerOff
-- Basic wasd movements, the screen doesn't contains the rectangle inside to avoid going outside. function love.load() --[[ Create a character table, our character is a rectangle, the initial position of the character object in the x and y coordinate is defined in the table as 300 and 400 respectively. ]] character = {} character.x = 300 character.y = 400 love.graphics.setBackgroundColor(225, 153, 0) -- paint character blue love.graphics.setColor(0, 0, 225) end function love.draw() -- draw character love.graphics.rectangle("fill", character.x, character.y, 100, 100) end function love.update(dt) local velocity = 1000 -- X Axis -- On pressing the 'd' key, move to the right if love.keyboard.isDown('d') then -- the increment value can be changed depending on how far you want the object to go in single press of the button character.x = character.x + velocity * dt -- else if we press the 'a' key, move to the left elseif love.keyboard.isDown('a') then character.x = character.x - velocity * dt end -- Y Axis -- If we press the 'w' key, move to the up if love.keyboard.isDown('w') then character.y = character.y - velocity * dt -- else of we press the 's' key, move to the down elseif love.keyboard.isDown('s') then character.y = character.y + velocity * dt end end
local BaseTheme = require(script.Parent.Base) local Colors = require(script.Parent.Parent.Colors) local DarkTheme = { TextColor = Colors.White, PrimaryColor = Colors.Teal500, BackgroundColor = Colors.Grey900, InverseBackgroundColor = Colors.Grey100, ButtonHoverColor = Colors.Lighten("Teal500", 1), ButtonPressColor = Colors.Darken("Teal500", 1), FlatButtonHoverColor = Colors.Lighten("Teal500", 4), FlatButtonPressColor = Colors.Lighten("Teal500", 3), FlatButtonColor = Colors.Black, ButtonColor = Colors.Teal500, SwitchTrackOnColor = Colors.Teal100, SwitchTrackOffColor = Colors.Grey400, SwitchToggleOnColor = Colors.Teal500, SwitchToggleOffColor = Colors.Grey100, SwitchRippleOnColor = Colors.Teal500, SwitchRippleOffColor = Colors.Grey400, TextFieldOnColor = Colors.Teal500, TextFieldOffColor = Colors.Grey500, TextFieldErrorColor = Colors.Red500, ProgressIndicatorForeground = Colors.Teal500, ProgressIndicatorBackground = Colors.Teal100, SliderPrimaryColor3 = Colors.Teal500, SliderSecondaryColor3 = Colors.Grey200, SliderValueColor3 = Colors.White, CheckOutlineColor = { Color = Colors.Black, Transparency = 0.46, }, } return setmetatable(DarkTheme, {__index = BaseTheme})
Ball = Class{} function Ball:init(x,y,width,height) self.x = x self.y = y self.width = width self.height = height self.dy = math.random(2) == 1 and -100 or 100 self.dx = math.random(-50,50) end function Ball:reset() self.x = VIRTUAL_WIDTH / 2 - 2 self.y = VIRTUAL_HEIGHT / 2 - 2 self.dy = math.random(2) == 1 and -100 or 100 self.dx = math.random(-50,50) end function Ball:update(dt) self.x = self.x + self.dx * dt self.y = self.y + self.dy * dt end function Ball:render() love.graphics.rectangle('fill',self.x,self.y,self.width,self.height) end function Ball:collides(paddle) if self.x > paddle.x + paddle.width or paddle.x > self.x + self.width then return false end if self.y > paddle.y + paddle.height or paddle.y > self.y + self.height then return false end return true end
local copy = require("lib").mcopy local f2 = require("lib").f2 local Range = require("the").class() function Range:_init(name,pos,lo,hi,ratio,var) self.about = {name = name, pos= pos} self.x = {lo = lo, hi = hi or lo} self.y = {ratio= ratio or 0, var = var or 0} self.score = 0 end function Range:relevant(row) local v = row.cells[ self.about.pos ] return v >= self.x.lo and v <= self.x.hi end function Range:__tostring() local x = self.x local s = self.about.name .. " = " s = s .. (x.lo==x.hi and x.lo or "[" ..x.lo.. " .. " ..x.hi.."]") s = s .. " {".. f2(self.y.var) .."}" s = s .. " * " .. f2(self.y.ratio) s = s .. " = " .. f2(self.score) return s end return Range
local PKGS = { 'savq/paq-nvim'; -- Let Paq manage itself 'mhartington/oceanic-next'; -- Colorscheme } -- bootstrap package manager if required local path = vim.fn.stdpath('data') .. '/site/pack/paqs/start/paq-nvim' if vim.fn.empty(vim.fn.glob(path)) > 0 then paq_bootstrap = vim.fn.system { 'git', 'clone', '--depth=1', 'https://github.com/savq/paq-nvim.git', path } vim.cmd('packadd paq-nvim') end -- load and optionally install local paq = require('paq') paq(PKGS) if paq_bootstrap then paq.install() end
object_static_worldbuilding_sign_thm_sign_cantina = object_static_worldbuilding_sign_shared_thm_sign_cantina:new { } ObjectTemplates:addTemplate(object_static_worldbuilding_sign_thm_sign_cantina, "object/static/worldbuilding/sign/thm_sign_cantina.iff")
----------------------------------- -- Area: Eastern Altepa Desert -- NPC: ??? -- Involved In Quest: A Craftsman's Work -- !pos 113 -7.972 -72 114 ----------------------------------- local ID = require("scripts/zones/Eastern_Altepa_Desert/IDs") require("scripts/globals/keyitems") ----------------------------------- function onTrade(player, npc, trade) end function onTrigger(player, npc) local decurioKilled = player:getCharVar("Decurio_I_IIIKilled") if player:getCharVar("aCraftsmanWork") == 1 and decurioKilled == 0 and not GetMobByID(ID.mob.DECURIO_I_III):isSpawned() then SpawnMob(ID.mob.DECURIO_I_III, 300):updateClaim(player) elseif decurioKilled == 1 then player:addKeyItem(tpz.ki.ALTEPA_POLISHING_STONE) player:messageSpecial(ID.text.KEYITEM_OBTAINED, tpz.ki.ALTEPA_POLISHING_STONE) player:setCharVar("aCraftsmanWork", 2) player:setCharVar("Decurio_I_IIIKilled", 0) else player:messageSpecial(ID.text.NOTHING_OUT_OF_ORDINARY) end end function onEventUpdate(player, csid, option) end function onEventFinish(player, csid, option) end
module(..., package.seeall) NODE = { prototype="@Collection" } NODE.child_proto = "@Discussion" NODE.child_uid_format = "%d" NODE.child_defaults = [=[ new = [[ prototype = "@Discussion" title = "New discussion topic" actions = 'save="collections.save_new"' ]] ]=] NODE.html_content = [=[ $markup{$content} <p><a href="$new_url">_(ADD_NEW_DISCUSSION_TOPIC)</a></p> <table class="sorttable" width="100%"> <thead> <tr> <th>Subject</th> <th>Last Post</th> </tr> </thead> $do_nodes[[ <tr> <td> <div class="disc_info"><a href="$url">$title</a> posted by $author</div> <div class="disc_snippet">$markup{$content}</div> </td> <td><a href="$make_url{$activity_node}">$format_time{$activity_time, "%a, %d %b %Y %H:%M:%S"}</a></td> </tr> ]] </table> ]=]
local CreateScene = require("create-scene") return CreateScene({ wheelKey = "night", bgColours = { 0.3, 0.7, 0.3 } })
return { channel_name = "Mutter Meet", channel_description = "A meeting about this software.", coordinator = "todd", coordinatorpassword = "maroc", userpassword = "open", max_bandwidth = 720000, max_users = 127, welcome_text = "Hello!", defpermissions = 0xf07ff, }
local chrome = require "telescope._extensions.bookmarks.chrome" local edge = {} ---Collect all the bookmarks for Microsoft Edge browser. ---NOTE: Microsoft Edge and Google Chrome uses the same underlying format to store bookmarks. ---@param state ConfigState ---@return Bookmark[]|nil function edge.collect_bookmarks(state) return chrome.collect_bookmarks(state) end return edge
io.stdout:setvbuf('no') love.graphics.setDefaultFilter("nearest") if arg[#arg] == "-debug" then require("mobdebug").start() end utf8 = require("utf8") mouseTouch1 = 1 mouseTouch2 = 2 window = {} window.width = 1200 window.height = 700 Font = love.graphics.newFont(16) data = require("data") camera = require("camera") action = require("action") tool = require("tool") tile = require("tile") mouse = require("mouse") grid = require("grid") hud = require("hud") export = require("export") import = require("import") input = require("input") function love.load() data.load() grid.load() input.load() window.grid = {} window.grid.width = window.width-hud.leftBar.width-hud.rightBar.width window.grid.height = window.height-hud.topBar.height action.resetPos.f() end function love.mousepressed(x, y, touch) action.mousepressed(touch) import.mousepressed(touch) export.mousepressed(touch) input.mousepressed(touch) end function love.textinput(t) input.textinput(t) end function love.keypressed(key) input.keypressed(key) end function love.wheelmoved(x, y) action.zoom.wheelmoved(y) end function love.update(dt) mouse.update() action.update(dt) tool.update() tile.update() end function love.draw() love.graphics.setBackgroundColor(50/255, 50/255, 50/255) camera:set() grid.draw() action.grid.f() camera:unset() hud.leftBar.draw() hud.rightBar.draw() hud.topBar.draw() hud.drawButtonLeftBar(5, 50, 10, 30, tool.list) hud.drawButtonLeftBar(5, 400, 10, 30, action.list) hud.drawButtonLeftBar(5, 650, 10, 30, action.importantList) hud.drawButtonTopBar(450, 5, 10, 30, export.list, "Export") hud.drawButtonTopBar(700, 5, 10, 30, import.list, "Import") hud.drawTile(10, 100, 1, 32) input.draw() end
local PlayerInventory local PlayerArmes local PlayerMoney local Keys = { ["ESC"] = 322, ["F1"] = 288, ["F2"] = 289, ["F3"] = 170, ["F5"] = 166, ["F6"] = 167, ["F7"] = 168, ["F8"] = 169, ["F9"] = 56, ["F10"] = 57, ["~"] = 243, ["1"] = 157, ["2"] = 158, ["3"] = 160, ["4"] = 164, ["5"] = 165, ["6"] = 159, ["7"] = 161, ["8"] = 162, ["9"] = 163, ["-"] = 84, ["="] = 83, ["BACKSPACE"] = 177, ["TAB"] = 37, ["Q"] = 44, ["W"] = 32, ["E"] = 38, ["R"] = 45, ["T"] = 245, ["Y"] = 246, ["U"] = 303, ["P"] = 199, ["["] = 39, ["]"] = 40, ["ENTER"] = 18, ["CAPS"] = 137, ["A"] = 34, ["S"] = 8, ["D"] = 9, ["F"] = 23, ["G"] = 47, ["H"] = 74, ["K"] = 311, ["L"] = 182, ["LEFTSHIFT"] = 21, ["Z"] = 20, ["X"] = 73, ["C"] = 26, ["V"] = 0, ["B"] = 29, ["N"] = 249, ["M"] = 244, [","] = 82, ["."] = 81, ["LEFTCTRL"] = 36, ["LEFTALT"] = 19, ["SPACE"] = 22, ["RIGHTCTRL"] = 70, ["HOME"] = 213, ["PAGEUP"] = 10, ["PAGEDOWN"] = 11, ["DELETE"] = 178, ["LEFT"] = 174, ["RIGHT"] = 175, ["TOP"] = 27, ["DOWN"] = 173, ["NENTER"] = 201, ["N4"] = 108, ["N5"] = 60, ["N6"] = 107, ["N+"] = 96, ["N-"] = 97, ["N7"] = 117, ["N8"] = 61, ["N9"] = 118 } isInInventory = false RegisterCommand('+inventaire', function() openInventory() end, false) RegisterCommand('-inventaire', function() end, false) RegisterKeyMapping('+inventaire', 'Ouvrir l\'inventaire', 'keyboard', 'TAB') function openInventory() loadPlayerInventory() isInInventory = true TriggerEvent('InitialCore:BoucleInventoryBlockedKey') SendNUIMessage( { action = "display", type = "normal" } ) SendNUIMessage({ update = true, status = GetStatusData() }) SetNuiFocus(true, true) end function ActualiseStatusBar() SendNUIMessage({ update = true, status = GetStatusData() }) end RegisterNetEvent("InitInventaire:doClose") AddEventHandler("InitInventaire:doClose", function() closeInventory() end) function closeInventory() isInInventory = false SendNUIMessage( { action = "hide" } ) SetNuiFocus(false, false) end RegisterNUICallback( "NUIFocusOff", function() closeInventory() end ) RegisterNUICallback( "GetNearPlayers", function(data, cb) local playerPed = PlayerPedId() local players = GetPlayersInArea(GetEntityCoords(playerPed), 3.0) local foundPlayers = false local elements = {} for i = 1, #players, 1 do if players[i] ~= PlayerId() then foundPlayers = true table.insert( elements, { label = GetPlayerName(players[i]), player = GetPlayerServerId(players[i]) } ) end end if not foundPlayers then print('aucun joueur a proximite') --exports['b1g_notify']:Notify('false', _U("players_nearby")) else SendNUIMessage( { action = "nearPlayers", foundAny = foundPlayers, players = elements, item = data.item } ) end cb("ok") end ) local LastHashIDGun = 0 local LastHashGTA = 0 local function AmmoUpdate() print('ammuupdate start') while LastHashIDGun ~= 0 do Wait(5000) TriggerServerEvent('InitialCore:InvSyncAmmo', LastHashIDGun, GetAmmoInPedWeapon(GetPlayerPed(-1), GetHashKey(LastHashGTA))) end LastHashGTA = 0 print('ammuupdate stop') end RegisterNUICallback("UseItem", function(data, cb) local retval, PlayerWeaponInHand = GetCurrentPedWeapon(GetPlayerPed(-1), 1) --print(data.item.ID) if data.item.ID:sub(1, 7) == 'WEAPON_' then --print('change') if PlayerWeaponInHand ~= GetHashKey(data.item.ID) then GiveWeaponToPed(GetPlayerPed(-1), GetHashKey(data.item.ID), 0, false, true) SetPedAmmo(GetPlayerPed(-1), GetHashKey(data.item.ID), data.item.Data.Munition) LastHashIDGun = data.item.Data.HashID LastHashGTA = data.item.ID --print(LastHashIDGun) AmmoUpdate() else GiveWeaponToPed(GetPlayerPed(-1), GetHashKey("WEAPON_UNARMED"), 0, false, true) LastHashIDGun = 0 end --else -- AdvancedNotif('Initial V', '~r~Inventaire', 'Vous devez ranger votre arme d\'abord.', 'CHAR_WE', 'INITIALV') --end else TriggerEvent("InitialCore:useItem", data.item.ID, data.item.Data) end if shouldCloseInventory(data.item.Nom) then --##/ closeInventory() else Citizen.Wait(250) loadPlayerInventory() end cb("ok") end) RegisterNUICallback("DropItem", function(data, cb) if IsPedSittingInAnyVehicle(playerPed) then return end print(data.item.Nombre) if type(data.number) == "number" and math.floor(data.number) == data.number then if data.item.Nombre >= data.number then TriggerServerEvent("InitialCore:DeleteItemPlayer", GetPlayerServerId(PlayerId()), data.item.ID, data.number) else AdvancedNotif('Initial V', '~r~Inventaire', 'Vous n\'avez pas assez d\'objet dans votre inventaire.', 'CHAR_WE', 'INITIALV') end end Wait(250) loadPlayerInventory() cb("ok") end) RegisterNUICallback("GiveItem", function(data, cb) local playerPed = PlayerPedId() local players, nearbyPlayer = GetPlayersInArea(GetEntityCoords(playerPed), 3.0) local foundPlayer = false for i = 1, #players, 1 do if players[i] ~= PlayerId() then if GetPlayerServerId(players[i]) == data.player then foundPlayer = true end end end if foundPlayer then local count = tonumber(data.number) if data.item.ID == "item_weapon" then count = GetAmmoInPedWeapon(PlayerPedId(), GetHashKey(data.item.name)) end if data.item.Nombre >= count then if data.item.ID == "argent" then TriggerServerEvent('InitialCore:TransferMoney', GetPlayerServerId(PlayerId()), data.player, count) else print(data.item.ID) TriggerServerEvent("InitialCore:TransferItem", GetPlayerServerId(PlayerId()), data.player, data.item.ID, count) end else AdvancedNotif('Initial V', '~r~Inventaire', 'Vous n\'avez pas assez d\'objet dans votre inventaire.', 'CHAR_WE', 'INITIALV') end Wait(1000) loadPlayerInventory() else -- NO NEARBY end cb("ok") end) function shouldCloseInventory(itemName) for index, value in ipairs(Config.CloseUiItems) do if value == itemName then return true end end return false end function shouldSkipAccount(accountName) for index, value in ipairs(Config.ExcludeAccountsList) do if value == accountName then return true end end return false end RegisterNetEvent('InitialCore:GetPlayerInv') AddEventHandler('InitialCore:GetPlayerInv', function(PlayerInventoryResult, PlayerArmesResult, PlayerMoneyResult) PlayerInventory = PlayerInventoryResult PlayerArmes = PlayerArmesResult PlayerMoney = PlayerMoneyResult PoidsTotalPl = 0 argentData = { ID = "argent", Nom = "Argent", Poids = 0.00001*PlayerMoney, Nombre = PlayerMoney, } table.insert(PlayerInventory, argentData) for k, v in pairs(PlayerArmes) do --print(k) --print(v.Data.Munition) --for y, u in pairs(v) do --print(y) --print(u) --end --print(k) --print(v.ID) --print(v.ID) --print(v.Nom) --print(v.Data) armesData = { ID = v.ID, Nom = v.Nom, Poids = 1.000, Nombre = 1, Data = v.Data } --print(Data) table.insert(PlayerInventory, armesData) end --[[for key, value in pairs(weapons) do local weaponHash = GetHashKey(weapons[key].name) local playerPed = PlayerPedId() if weapons[key].name ~= "WEAPON_UNARMED" then local ammo = GetAmmoInPedWeapon(playerPed, weaponHash) table.insert( items, { label = weapons[key].label, count = ammo, limit = -1, type = "item_weapon", name = weapons[key].name, usable = false, rare = false, canRemove = true } ) end end]] for k, v in pairs (PlayerInventory) do PoidsTotalPl = PoidsTotalPl+v.Poids*v.Nombre end print(PoidsTotalPl) MessagePoids = "Poids de l'inventaire : " .. PoidsTotalPl .. "/15 kg" SendNUIMessage( { action = "setPoidsPl", PoidsPl = MessagePoids }) SendNUIMessage( { action = "setItems", itemList = PlayerInventory }) end) function loadPlayerInventory() TriggerServerEvent('InitialCore:GetPlayerInvS') --[[ESX.TriggerServerCallback( "InitInventaire:getPlayerInventory", function(data) items = {} inventory = data.inventory accounts = data.accounts money = data.money weapons = data.weapons if Config.IncludeCash and money ~= nil and money > 0 then moneyData = { label = _U("cash"), name = "cash", type = "item_money", count = money, usable = false, rare = false, limit = -1, canRemove = true } table.insert(items, moneyData) end if Config.IncludeAccounts and accounts ~= nil then for key, value in pairs(accounts) do if not shouldSkipAccount(accounts[key].name) then local canDrop = accounts[key].name ~= "bank" if accounts[key].money > 0 then accountData = { label = accounts[key].label, count = accounts[key].money, type = "item_account", name = accounts[key].name, usable = false, rare = false, limit = -1, canRemove = canDrop } table.insert(items, accountData) end end end end if inventory ~= nil then for key, value in pairs(inventory) do if inventory[key].count <= 0 then inventory[key] = nil else inventory[key].type = "item_standard" table.insert(items, inventory[key]) end end end if Config.IncludeWeapons and weapons ~= nil then for key, value in pairs(weapons) do local weaponHash = GetHashKey(weapons[key].name) local playerPed = PlayerPedId() if weapons[key].name ~= "WEAPON_UNARMED" then local ammo = GetAmmoInPedWeapon(playerPed, weaponHash) table.insert( items, { label = weapons[key].label, count = ammo, limit = -1, type = "item_weapon", name = weapons[key].name, usable = false, rare = false, canRemove = true } ) end end end SendNUIMessage( { action = "setItems", itemList = items } ) end, GetPlayerServerId(PlayerId()) )]] end AddEventHandler('InitialCore:BoucleInventoryBlockedKey', function() while true do Wait(1) if isInInventory then local playerPed = PlayerPedId() DisableControlAction(0, 1, true) -- Disable pan DisableControlAction(0, 2, true) -- Disable tilt DisableControlAction(0, 24, true) -- Attack DisableControlAction(0, 257, true) -- Attack 2 DisableControlAction(0, 25, true) -- Aim DisableControlAction(0, 263, true) -- Melee Attack 1 DisableControlAction(0, Keys["W"], true) -- W DisableControlAction(0, Keys["A"], true) -- A DisableControlAction(0, 31, true) -- S (fault in Keys table!) DisableControlAction(0, 30, true) -- D (fault in Keys table!) DisableControlAction(0, Keys["R"], true) -- Reload DisableControlAction(0, Keys["SPACE"], true) -- Jump DisableControlAction(0, Keys["Q"], true) -- Cover DisableControlAction(0, Keys["TAB"], true) -- Select Weapon DisableControlAction(0, Keys["F"], true) -- Also 'enter'? DisableControlAction(0, Keys["F1"], true) -- Disable phone DisableControlAction(0, Keys["F2"], true) -- Inventory DisableControlAction(0, Keys["F3"], true) -- Animations DisableControlAction(0, Keys["F6"], true) -- Job DisableControlAction(0, Keys["V"], true) -- Disable changing view DisableControlAction(0, Keys["C"], true) -- Disable looking behind DisableControlAction(0, Keys["X"], true) -- Disable clearing animation DisableControlAction(2, Keys["P"], true) -- Disable pause screen DisableControlAction(0, 59, true) -- Disable steering in vehicle DisableControlAction(0, 71, true) -- Disable driving forward in vehicle DisableControlAction(0, 72, true) -- Disable reversing in vehicle DisableControlAction(2, Keys["LEFTCTRL"], true) -- Disable going stealth DisableControlAction(0, 47, true) -- Disable weapon DisableControlAction(0, 264, true) -- Disable melee DisableControlAction(0, 257, true) -- Disable melee DisableControlAction(0, 140, true) -- Disable melee DisableControlAction(0, 141, true) -- Disable melee DisableControlAction(0, 142, true) -- Disable melee DisableControlAction(0, 143, true) -- Disable melee DisableControlAction(0, 75, true) -- Disable exit vehicle DisableControlAction(27, 75, true) -- Disable exit vehicle end end end)
return { value= "\\abc" }
g_2h_sword_katana_quest = { description = "", minimumLevel = 0, maximumLevel = -1, lootItems = { {itemTemplate = "two_handed_sword_katana_quest", weight = 10000000} } } addLootGroupTemplate("g_2h_sword_katana_quest", g_2h_sword_katana_quest)
local deepcopy = require "deepcopy" local RANDOMIZED_1_STAR_FOLDER = require "start_folders.randomized_1_star" local RANDOMIZED_2_STAR_FOLDER = require "start_folders.randomized_2_star" local COMPLETELY_RANDOMIZED_FOLDER = require "start_folders.completely_randomized" local START_FOLDER_DEFS = {} local POSSIBLE_FOLDERS = { RANDOMIZED_1_STAR_FOLDER, RANDOMIZED_2_STAR_FOLDER, COMPLETELY_RANDOMIZED_FOLDER } function START_FOLDER_DEFS.get_random(code_list) return deepcopy(RANDOMIZED_1_STAR_FOLDER.new(code_list)) end return START_FOLDER_DEFS
require "tools" function love.load() love.graphics.setDefaultFilter( "nearest", "nearest", 1 ) sx = love.graphics.getWidth() / 180 sy = love.graphics.getHeight() / 320 asset = { pitch = love.graphics.newImage("img/pitch.png"), player = love.graphics.newImage("img/player.png"), ball = love.graphics.newImage("img/ball.png") } player = {} for i = 1, 5 do player[i] = { x = love.math.random(20, 160), y = love.math.random(10, 110), xv = 0, yv = 0, dead = false, team = 1 } end for i = 6, 10 do player[i] = { x = love.math.random(20, 160), y = love.math.random(200, 300), xv = 0, yv = 0, dead = false, team = 2 } end ball = { x = 180/2, y = 320/2, xv = 0, yv = 0 } game = { turn = 1, score1 = 0, score2 = 0, bx = 0, -- for drawing arrow when player movement occurs by = 0, selP = -1, movesLeft = 3 -- selected player } end function love.draw() love.graphics.push() love.graphics.scale(sx,sy) love.graphics.draw(asset.pitch) -- draws the pitch, this should always be the background if love.mouse.isDown(1) then cx, cy = love.mouse.getPosition( ) cx = cx/sx cy = cy/sy love.graphics.line(game.bx,game.by,cx,cy) end for i,v in pairs(player) do if v.team == 1 then love.graphics.setColor(0.4,0,0) else love.graphics.setColor(0,0,0.4) end love.graphics.draw(asset.player,v.x,v.y) end love.graphics.draw(asset.ball,ball.x,ball.y) love.graphics.setColor(1,1,1) love.graphics.print(game.score1.." - "..game.score2.."\n"..game.movesLeft.." moves left player "..game.turn) love.graphics.pop() end function love.update(dt) for i,v in pairs(player) do local dragX = math.abs(v.xv*1.5)*dt local dragY = math.abs(v.yv*1.5)*dt v.x = v.x + v.xv*dt v.y = v.y + v.yv*dt if v.x > 180-asset.player:getWidth() or v.x < 1 then v.xv = -v.xv end if v.y > 320-asset.player:getHeight() or v.y < 1 then v.yv = -v.yv end if v.xv > 0 then v.xv = v.xv - dragX else v.xv = v.xv + dragX end if v.yv > 0 then v.yv = v.yv - dragY else v.yv = v.yv + dragY end if distanceFrom(v.x+asset.player:getWidth()/2, v.y+asset.player:getHeight()/2, ball.x+asset.ball:getWidth()/2, ball.y+asset.ball:getHeight()/2) < asset.ball:getWidth()+2 then ball.xv = ball.xv + v.xv ball.yv = ball.yv + v.yv end player[i] = v end ball.x = ball.x + ball.xv*dt ball.y = ball.y + ball.yv*dt if ball.x > 180-asset.ball:getWidth() or ball.x < 1 then ball.xv = -ball.xv end if ball.y > 320-asset.ball:getHeight() or ball.y < 1 then ball.yv = -ball.yv end local dragX = math.abs(ball.xv)*dt local dragY = math.abs(ball.yv)*dt if ball.xv > 0 then ball.xv = ball.xv - dragX else ball.xv = ball.xv + dragX end if ball.yv > 0 then ball.yv = ball.yv - dragY else ball.yv = ball.yv + dragY end end function love.mousepressed(x,y,button) x = x / sx y = y / sy for i,v in pairs(player) do if v.team == game.turn and x > v.x and x < v.x + asset.player:getWidth() and y > v.y and y < v.y + asset.player:getHeight() then game.bx = x game.by = y game.selP = i v.xv = 0 v.yv = 0 player[i] = v end end end function love.mousereleased(x,y,button) x = x / sx y = y / sy local limit = 75 for i,v in pairs(player) do if v.team == game.turn and game.selP == i then v.xv = game.bx - x if v.xv > limit then v.vx = limit end if v.xv < -limit then v.vx = -limit end v.yv = game.by - y if v.yv > limit then v.yv = limit end if v.yv < -limit then v.yv = -limit end game.movesLeft = game.movesLeft - 1 if game.movesLeft == 0 then if game.turn == 1 then game.turn = 2 else game.turn = 1 end game.movesLeft = 3 end player[i] = v end end end
local chars = {"a","b","c","d","e","f","g","h","i","j","k","l","m","n","o","p","q","r","s","t","u","v","w","x","y","z","."} local function generateNetString() local str = "" for i = 1, math.random(14, 28) do str = str .. (math.random() > 0.5 and string.upper(chars[math.random(1,#chars)]) or chars[math.random(1,#chars)]) end return str end local ConVarValidate = generateNetString() local GlobalVarValidate = generateNetString() local DetourValidate = generateNetString() util.AddNetworkString(ConVarValidate) util.AddNetworkString(GlobalVarValidate) util.AddNetworkString(DetourValidate) util.AddNetworkString("bSecure.Hack.Init") hook.Add("PlayerInitialSpawn", "bSecure.FrickHackers.Init", function(pPlayer) net.Start("bSecure.Hack.Init") net.WriteString(ConVarValidate) net.WriteString(GlobalVarValidate) net.WriteString(DetourValidate) net.Send(pPlayer) end) net.Receive(ConVarValidate, function(_,pPlayer) local convars = {} local convar = net.ReadString() local i = 1 while convar ~= nil and convar ~= "" do convars[i] = convar i = i + 1 convar = net.ReadString() end for k,v in ipairs(convars) do local tConVarData = string.Split(v, "/-/") local CConVar,CConVarValue = tConVarData[1],tConVarData[2] if not CConVarValue then goto skip end local SConVarValue = GetConVar(CConVar):GetString() if SConVarValue ~= CConVarValue then bSecure.CreateDataLog{Player = pPlayer, Code = "100A", Details = "Detected CVar Manipulation.\n"..CConVar.."\nServerValue: "..SConVarValue.."\nClientValue: "..CConVarValue} bSecure.BanPlayer(pPlayer, "bSecure [Code 100A]", 0) end ::skip:: end end) net.Receive(GlobalVarValidate, function(_, pPlayer) local varName = net.ReadString() local isTbl = net.ReadBool() local type = net.ReadString() bSecure.CreateDataLog{Player = pPlayer, Code = "100B", Details = "Detected a malicious global variable "..varName..".\n\n"..type} bSecure.BanPlayer(pPlayer,"bSecure [Code 100B]", 0) end) net.Receive(DetourValidate, function(l,pPlayer) local detours = {} local size = net.ReadUInt(8) for i = 1, size do detours[i] = detours[i] or {} local size = net.ReadUInt(28) detours[i][1] = util.Decompress(net.ReadData(size)) end for i = 1, size do local size = net.ReadUInt(28) detours[i][2] = util.Decompress(net.ReadData(size)) end for i = 1, size do local size = net.ReadUInt(28) detours[i][3] = util.Decompress(net.ReadData(size)) end local details = "\n" for i = 1, size do details = details .. "Function Name - ".. detours[i][1] .. "\nFunction Source - " .. detours[i][2] .. "\nFunction Source Code\n\n".. detours[i][3].. "\n\n" end bSecure.BanPlayer(pPlayer, "[bSecure] Code 100C", 0) bSecure.CreateDataLog{Player = pPlayer, Code = "100C", Details = details} end)
-- See LICENSE for terms local PlaceObj = PlaceObj local T = T -- add some descriptions local SafeTrans -- use rawget so game doesn't complain about _G if rawget(_G, "ChoGGi") then SafeTrans = ChoGGi.ComFuncs.Translate else local _InternalTranslate = _InternalTranslate local procall = procall SafeTrans = function(...) local varargs = ... local str procall(function() str = _InternalTranslate(T(varargs)) end) return str or T(302535920011424, "You need to be in-game to see this text (or use my Library mod).") end end local properties = {} local c = 0 local bt = Presets.TechPreset.Breakthroughs for i = 1, #bt do local def = bt[i] local id = def.id if id ~= "None" then -- spaces don't work in image tags... local image, newline if def.icon:find(" ", 1, true) then image = "" newline = "" else image = "<image " .. def.icon .. ">" newline = "\n\n" end c = c + 1 properties[c] = PlaceObj("ModItemOptionToggle", { "name", id, "DisplayName", SafeTrans(def.display_name) .. ( def.icon ~= "UI/Icons/Research/story_bit.tga" and " <right>" .. image or "" ), "Help", SafeTrans(def.description, def) .. newline .. image, "DefaultValue", false, }) end end local CmpLower = CmpLower local _InternalTranslate = _InternalTranslate table.sort(properties, function(a, b) return CmpLower(_InternalTranslate(a.DisplayName), _InternalTranslate(b.DisplayName)) end) -- stick res option first table.insert(properties, 1, PlaceObj("ModItemOptionToggle", { "name", "BreakthroughsResearched", "DisplayName", "<yellow>" .. SafeTrans(T(302535920011423, "Breakthroughs Researched")), "Help", T(302535920011813, "Turn on to research instead of unlock breakthroughs."), "DefaultValue", false, })) table.insert(properties, 1, PlaceObj("ModItemOptionToggle", { "name", "AlwaysApplyOptions", "DisplayName", "<yellow>" .. SafeTrans(T(302535920011814, "Always Apply Options")), "Help", T(302535920011815, "Unlock/Research Breakthroughs whenever you load a game/start a new game/apply options."), "DefaultValue", false, })) return properties
vim.cmd'nnoremap <silent> ]a <cmd>next<CR>' vim.cmd'nnoremap <silent> [a <cmd>previous<CR>' vim.cmd'nnoremap <silent> ]A <cmd>last<CR>' vim.cmd'nnoremap <silent> [A <cmd>first<CR>' vim.cmd'nnoremap <silent> ]b <cmd>bnext<CR>' vim.cmd'nnoremap <silent> [b <cmd>bprevious<CR>' vim.cmd'nnoremap <silent> ]B <cmd>blast<CR>' vim.cmd'nnoremap <silent> [B <cmd>bfirst<CR>' vim.cmd'nnoremap <silent> <Leader>l <cmd>lopen<CR>' vim.cmd'nnoremap <silent> <Leader>q <cmd>copen<CR>' vim.cmd'nnoremap <silent> ]q <cmd>cnext<CR>' vim.cmd'nnoremap <silent> [q <cmd>cprevious<CR>' vim.cmd'nnoremap <silent> ]Q <cmd>clast<CR>' vim.cmd'nnoremap <silent> [Q <cmd>cfirst<CR>' vim.cmd'nnoremap <silent> ]l <cmd>lnext<CR>' vim.cmd'nnoremap <silent> [l <cmd>lprevious<CR>' vim.cmd'nnoremap <silent> ]L <cmd>llast<CR>' vim.cmd'nnoremap <silent> [L <cmd>lfirst<CR>'
-- in-game dialog interface for the quickfort script --[====[ gui/quickfort ============= In-game dialog interface for the `quickfort` script. Any arguments passed to this script are passed directly to `quickfort`. Invoking this script without arguments is equivalent to running ``quickfort gui``. Examples: ===================================== ====================================== Command Runs ===================================== ====================================== gui/quickfort opens quickfort interactive dialog gui/quickfort gui same as above gui/quickfort gui --library dreamfort opens the dialog with custom settings gui/quickfort help prints quickfort help (on the console) ===================================== ====================================== ]====] local args = {...} if #args == 0 then dfhack.run_script('quickfort', 'gui') else dfhack.run_script('quickfort', table.unpack(args)) end
-- https://github.com/JohannesMP/Premake-for-Beginners workspace "Benchmark" architecture "x64" location ("builds") if _ACTION == "vs2017" then location ("builds/VisualStudio2017") end if _ACTION == "vs2019" then location ("builds/VisualStudio2019") end if _ACTION == "vs2015" then location ("builds/VisualStudio2015") end configurations { "Debug", "Release", } filter "configurations:Debug" defines { "DEBUG" } symbols "On" filter "configurations:Release" defines { "NDEBUG" } optimize "On" outputdir = "%{cfg.buildcfg}-%{cfg.system}-%{cfg.architecture}" -- add sandbox projects here include "benchmarks/HelloBenchmark"
return { entities = { {"splitter", {x = 0.5, y = 0}, {dir = "west", }}, {"transport-belt", {x = 1.5, y = -0.5}, {dir = "west", dmg = {dmg = {type = "random", min = 25, max = 130}}, }}, {"transport-belt", {x = -1.5, y = 0.5}, {dir = "west", }}, {"transport-belt", {x = -1.5, y = 1.5}, {dir = "west", }}, {"splitter", {x = -0.5, y = 1}, {dir = "west", dmg = {dmg = {type = "random", min = 25, max = 130}}, }}, {"transport-belt", {x = 1.5, y = 1.5}, {dir = "west", dmg = {dmg = {type = "random", min = 5, max = 70}}, }}, {"transport-belt", {x = 1.5, y = 0.5}, {dir = "west", }}, {"transport-belt", {x = 3.5, y = 0.5}, {dir = "west", }}, {"transport-belt", {x = 2.5, y = 1.5}, {dir = "west", dmg = {dmg = {type = "random", min = 5, max = 70}}, }}, {"transport-belt", {x = 2.5, y = 0.5}, {dir = "west", }}, }, }
-- Planet Region Definitions -- -- {"regionName", x, y, shape and size, tier, {"spawnGroup1", ...}, maxSpawnLimit} -- For circle and ring, x and y are the center point -- For rectangles, x and y are the bottom left corner. x2 and y2 (see below) are the upper right corner -- Shape and size is a table with the following format depending on the shape of the area: -- - Circle: {CIRCLE, radius} -- - Rectangle: {RECTANGLE, x2, y2} -- - Ring: {RING, inner radius, outer radius} -- Tier is a bit mask with the following possible values where each hexadecimal position is one possible configuration. -- That means that it is not possible to have both a spawn area and a no spawn area in the same region, but -- a spawn area that is also a no build zone is possible. require("scripts.managers.spawn_manager.regions") endor_regions = { {"an_outpost", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"awning_with_pillars", 278, 3829, {CIRCLE, 30}, NOSPAWNAREA + NOBUILDZONEAREA}, {"central_desert", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"central_forest", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"central_peak", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"coa_imperial_outpost", -1953, 1052, {CIRCLE, 60}, NOSPAWNAREA + NOBUILDZONEAREA}, {"coa_rebel_outpost", 4008, 2985, {CIRCLE, 60}, NOSPAWNAREA + NOBUILDZONEAREA}, {"death_watch_bunker", -4655, 4330, {CIRCLE, 256}, NOSPAWNAREA + NOBUILDZONEAREA}, {"desert_one", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"desert_two", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"dulok_village_1", 6066, -2472, {CIRCLE, 150}, NOSPAWNAREA + NOBUILDZONEAREA}, {"dulok_village_2", -1206, 2963, {CIRCLE, 150}, NOSPAWNAREA + NOBUILDZONEAREA}, {"eastern_desert", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"eastern_mountains", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"elevated_hut", -1770, -4090, {CIRCLE, 50}, NOSPAWNAREA + NOBUILDZONEAREA}, {"endor_neutral_outpost", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"endor_smuggler_outpost", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"ewok_hut", 3879, 4211, {CIRCLE, 50}, NOSPAWNAREA + NOBUILDZONEAREA}, {"ewok_lake_village_1", 1453, -3256, {CIRCLE, 150}, NOSPAWNAREA + NOBUILDZONEAREA}, {"ewok_lake_village_2", -590, -5054, {CIRCLE, 150}, NOSPAWNAREA + NOBUILDZONEAREA}, {"ewok_village_tree_1", 83, 42, {CIRCLE, 150}, NOSPAWNAREA + NOBUILDZONEAREA}, {"ewok_village_tree_2", 4540, -2420, {CIRCLE, 150}, NOSPAWNAREA + NOBUILDZONEAREA}, {"fersal_hills", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"forest_five", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"forest_four", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"forest_one", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"forest_six", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"forest_three", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"forest_two", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"hard_bordok_nw", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"hard_bordok_sw", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"hard_desert_marauder_ne", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"hard_gorax_sw", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"hard_mantigrue_nw", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"hard_mantigrue_se", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"hard_remmer_nw", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"hard_remmer_se", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"hot_springs", 2372, 2182, {CIRCLE, 50}, NOSPAWNAREA + NOBUILDZONEAREA}, {"hut", -1800, 6023, {CIRCLE, 30}, NOSPAWNAREA + NOBUILDZONEAREA}, {"huts_and_campfire", -1538, -6013, {CIRCLE, 50}, NOSPAWNAREA + NOBUILDZONEAREA}, {"imperial_ruins", 2318, 5860, {CIRCLE, 50}, NOSPAWNAREA + NOBUILDZONEAREA}, {"jiberah_plains_1", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"jiberah_plains_2", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"jiberah_plains_3", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"jiberah_plains_4", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"jiberah_plains_5", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"jinda_ritualists_cave", -1727, 121, {CIRCLE, 150}, NOSPAWNAREA + NOBUILDZONEAREA}, {"korga_cave", 2163, 3617, {CIRCLE, 150}, NOSPAWNAREA + NOBUILDZONEAREA}, {"life_day_home", -1088, -996, {CIRCLE, 100}, NOSPAWNAREA + NOBUILDZONEAREA}, {"marauder_mountain_1", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"marauder_mountain_2", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"marauder_mountain_3", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"marauders_stronghold", -4648, -2273, {CIRCLE, 200}, NOSPAWNAREA + NOBUILDZONEAREA}, {"medium_blurrg_sw", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"medium_bolma_ne", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"medium_bolma_se", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"medium_lantern_bird_ne", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"mertune_forest_1", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"mertune_forest_2", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"mon_teithtim_forest_1", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"mon_teithtim_forest_2", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"mountain_four", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"mountain_one", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"mountain_three", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"mountain_two", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"noragg_place_1", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"northeast_plains", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"northern_mountains", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"northern_peak", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"northwest_plains", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"nub_shanda", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"oniantae_hills_1", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"oniantae_hills_2", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"oniantae_hills_3", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"orphaned_marauder_cave", -7021, 653, {CIRCLE, 150}, NOSPAWNAREA + NOBUILDZONEAREA}, {"peak_four", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"peak_one", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"peak_three", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"peak_two", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"plains_four", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"plains_one", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"plains_three", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"plains_two", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"pole_with_boxes", -3653, 6125, {CIRCLE, 30}, NOSPAWNAREA + NOBUILDZONEAREA}, {"salma_desert_1", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"salma_desert_2", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"salma_desert_3", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"salma_desert_4", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"salma_desert_5", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"skeleton_hut", 267, -1444, {CIRCLE, 30}, NOSPAWNAREA + NOBUILDZONEAREA}, {"southeast_forest", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"southeast_peak", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"southwest_peak", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"stone_village", 3924, 5787, {CIRCLE, 75}, NOSPAWNAREA + NOBUILDZONEAREA}, {"three_huts", 2047, 4316, {CIRCLE, 50}, NOSPAWNAREA + NOBUILDZONEAREA}, {"tree_stand", -1876, -1474, {CIRCLE, 50}, NOSPAWNAREA + NOBUILDZONEAREA}, {"western_mountains", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"world_spawner", 0, 0, {CIRCLE, -1}, SPAWNAREA + WORLDSPAWNAREA, {"endor_world", "global_hard"}, 2048}, {"yawari_cliffs_1", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"yawari_cliffs_10", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"yawari_cliffs_11", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"yawari_cliffs_12", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"yawari_cliffs_13", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"yawari_cliffs_14", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"yawari_cliffs_15", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"yawari_cliffs_16", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"yawari_cliffs_17", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"yawari_cliffs_18", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"yawari_cliffs_2", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"yawari_cliffs_3", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"yawari_cliffs_4", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"yawari_cliffs_5", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"yawari_cliffs_6", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"yawari_cliffs_7", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"yawari_cliffs_8", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA}, {"yawari_cliffs_9", 0, 0, {CIRCLE, 0}, UNDEFINEDAREA} }
--[===[DOC = iscallable [source,lua] ---- function iscallable( var ) --> res ---- This function will return `true` if `var` is callable through the standard function call syntax. Otherwise it will return `false`. == Example [source,lua,example] ---- local iscallable = require "iscallable" assert( false == iscallable( 'hi' ) ) assert( false == iscallable( {} ) ) assert( true == iscallable( function()end )) assert( true == iscallable( setmetatable({},{__call=function()end }) )) ---- ]===] local function iscallable_rec( mask, i ) if "function" == type( i ) then return true end local mt = getmetatable( i ) if not mt then return false end local callee = mt.__call if not callee then return false end if mask[ i ] then return false end mask[ i ] = true return iscallable_rec( mask, callee ) end local function iscallable( var ) --> res return iscallable_rec( {}, var ) end return iscallable
local ffi = require('ffi') local REFS = require("levee.d.heap").REFS local d = require("levee").d return { test_peek = function() local h = d.Heap() local val, prio prio, val = h:peek() assert.equals(nil, val) assert.equals(nil, prio) h:push(5, 100) prio, val = h:peek() assert.equals(5, prio) assert.equals(100, val) h:push(1, 200) prio, val = h:peek() assert.equals(1, prio) assert.equals(200, val) end, test_push_pop = function() local h = d.Heap() math.randomseed(0) local want = {} for i = 1, 10 do local pri = math.random(1000) local item = h:push(pri, i) assert(not want[pri]) want[pri] = i end assert.equals(10, #h) local last = -1 for pri, i in h:popiter() do assert(pri >= last) assert.equal(want[tonumber(pri)], i) last = pri end h = nil collectgarbage("collect") assert.same(REFS, {}) end, test_update_remove = function() local h = d.Heap() local item1 = h:push(80, "1") local item2 = h:push(70, "2") local item3 = h:push(60, "3") local item4 = h:push(90, "4") item3:update(100) item2:remove() item1:update(95) local check = {} while #h > 0 do table.insert(check, {h:pop()}) end assert.same(check, {{90ULL, "4"}, {95ULL, "1"}, {100ULL, "3"}}) h = nil collectgarbage("collect") assert.same(REFS, {}) end, test_clear = function() local freed = false local val = ffi.gc(ffi.C.malloc(8), function(val) freed = true ffi.C.free(val) end) local h = d.Heap() h:push(1, val) h:push(2, val) val = nil collectgarbage("collect") assert(not freed) h:clear() collectgarbage("collect") assert(freed) assert.same(h:refs(), {}) h = nil collectgarbage("collect") assert.same(REFS, {}) end, test_destroy = function() local ffi = require('ffi') local freed = false local val = ffi.gc(ffi.C.malloc(8), function(val) freed = true ffi.C.free(val) end) local h = d.Heap() h:push(1, val) h:push(2, val) val = nil collectgarbage("collect") assert(not freed) h = nil collectgarbage("collect") collectgarbage("collect") assert.same(REFS, {}) assert(freed) end, }
๏ปฟlocal Map = game.GetMap() or "" if Map:find("gm_mus_crimson") then return elseif Map:find("gm_mus") and Map:find("metro") then Metrostroi.PlatformMap = "orange" Metrostroi.CurrentMap = "gm_orange" elseif Map:find("gm_mus_orange") then Metrostroi.PlatformMap = "orange" Metrostroi.CurrentMap = "gm_orange_lite" else return end Metrostroi.Skins["717_schemes"]["p"] = { adv = "metrostroi_skins/81-717_schemes/int_orange_spb_adv", clean = "metrostroi_skins/81-717_schemes/int_orange_spb_clean", } Metrostroi.Skins["717_schemes"]["m"] = { adv = "metrostroi_skins/81-717_schemes/int_orange_msk_adv", clean = "metrostroi_skins/81-717_schemes/int_orange_msk_noadv", } --[ะะžะœะ•ะ ] = {ะะะ—ะ’ะะะ˜ะ•,ะŸะ ะะ’ะะฏ ะกะขะžะ ะžะะ,ะ’ะ•ะ–ะ›ะ˜ะ’ะžะกะขะฌ,ะ’ะ•ะฉะ˜,ะŸะ ะ˜ะกะ›ะะžะฏะขะฌะกะฏ ะš ะ”ะ’ะ•ะ ะฏะœ,ะ˜ะœะ•ะ•ะข ะ’ ะะะ—ะ’ะะะ˜ะ˜ "ะกะขะะะฆะ˜ะฏ",ะกะขะะะฆะ˜ะฏ ะŸะ•ะ ะ•ะฅะžะ”ะ,ะกะขะะะฆะ˜ะฏ ะ ะะ—ะ”ะ•ะ›ะ•ะะ˜ะฏ,ะะ• ะšะžะะ•ะงะะะฏ(ั€ะฐะทะฒะตั€ะฝัƒั‚ัŒ ะธะฝั„ะพั€ะผะฐั‚ะพั€)} Metrostroi.AnnouncerData = { [401] = {"Aeroport", true ,true ,0 ,false ,false,{699,0236,699}}, [402] = {"Slavnaya Strana", false,false,false ,false,false,0 }, [403] = {"Litievaya", false,false,1 ,false ,false,{699,0236,699}}, [404] = {"Park", true ,true ,false ,true,false,0 }, [405]= {"GCFScape", true ,false,0 ,false,false,0,2}, [406] = {"Im. Uollesa Brina", false,false,false,false ,true,0 }, [407] = {"VHE'", false,true ,1 ,true,false,0 }, [408] = {"Truzennikov Garry's mod'a",false,false,false,true ,true,0 ,nil ,1}, [501] = {"Aeroport", true ,true,0 ,false ,false,{799,0235,799}}, [502] = {"Pionerskaya", true ,false,false,true ,false,0 }, [503] = {"Litievaya", false,true,false,false ,false,{799,0235,799}}, [504] = {"Metrostroiteley", false,false,false,true ,false,0}, [601] = {"Brateyevo", false,false,false,true ,false,0}, } Metrostroi.AnnouncerTranslate = { [401] = "ะัั€ะพะฟะพั€ั‚", [402] = "ะกะปะฐะฒะฝะฐั ัั‚ั€ะฐะฝะฐ", [403] = "ะ›ะธั‚ะธะตะฒะฐั", [404] = "ะŸะฐั€ะบ", [405] = "ะ–ะกะคะกะบะตะนะฟ", [406] = "ะธะผะตะฝะธ ะฃะพะปะปะตัะฐ ะฑั€ะธะฝะฐ", [407] = "ะ’ะฅะ•", [408] = "ะขั€ัƒะถะตะฝะฝะธะบะพะฒ ะ“ะฐั€ั€ะธั ะผะพะดะฐ", [501] = "ะัั€ะพะฟะพั€ั‚", [502] = "ะŸะธะพะฝะตั€ัะบะฐั", [503] = "ะ›ะธั‚ะธะตะฒะฐั", [504] = "ะœะตั‚ั€ะพัั‚ั€ะพะธั‚ะตะปะตะน", [601] = "ะ‘ั€ะฐั‚ะตะตะฒะพ", } Metrostroi.WorkingStations = { {401,402,403,404,405,406,407,408}, {501,502,503,504}, {601,405,406,407,408}, } Metrostroi.EndStations = { {401,404,406,408}, {501,504}, {601,406,408}, }
---------------------------------------------------------------------------------------------------- -- -- Copyright (c) Contributors to the Open 3D Engine Project. -- For complete copyright and license terms please see the LICENSE at the root of this distribution. -- -- SPDX-License-Identifier: Apache-2.0 OR MIT -- -- -- ---------------------------------------------------------------------------------------------------- CameraSource = { Editor={ Icon="Camera.bmp", }, }; ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------ function CameraSource:OnInit() self:CreateCameraComponent(); self:SetFlags(ENTITY_FLAG_CLIENT_ONLY,0); end
local substitutions = { ["\\exclamdown"] = {["character"] = "ยก", ["name"] = "Inverted Exclamation Mark"}, ["\\sterling"] = {["character"] = "ยฃ", ["name"] = "Pound Sign"}, ["\\yen"] = {["character"] = "ยฅ", ["name"] = "Yen Sign"}, ["\\brokenbar"] = {["character"] = "ยฆ", ["name"] = "Broken Bar / Broken Vertical Bar"}, ["\\S"] = {["character"] = "ยง", ["name"] = "Section Sign"}, ["\\copyright"] = {["character"] = "ยฉ", ["name"] = "Copyright Sign"}, ["\\:copyright:"] = {["character"] = "ยฉ", ["name"] = "Copyright Sign"}, ["\\ordfeminine"] = {["character"] = "ยช", ["name"] = "Feminine Ordinal Indicator"}, ["\\neg"] = {["character"] = "ยฌ", ["name"] = "Not Sign"}, ["\\circledR"] = {["character"] = "ยฎ", ["name"] = "Registered Sign / Registered Trade Mark Sign"}, ["\\:registered:"] = {["character"] = "ยฎ", ["name"] = "Registered Sign / Registered Trade Mark Sign"}, ["\\highminus"] = {["character"] = "ยฏ", ["name"] = "Macron / Spacing Macron"}, ["\\degree"] = {["character"] = "ยฐ", ["name"] = "Degree Sign"}, ["\\pm"] = {["character"] = "ยฑ", ["name"] = "Plus-Minus Sign / Plus-Or-Minus Sign"}, ["\\^2"] = {["character"] = "ยฒ", ["name"] = "Superscript Two / Superscript Digit Two"}, ["\\^3"] = {["character"] = "ยณ", ["name"] = "Superscript Three / Superscript Digit Three"}, ["\\P"] = {["character"] = "ยถ", ["name"] = "Pilcrow Sign / Paragraph Sign"}, ["\\cdotp"] = {["character"] = "ยท", ["name"] = "Middle Dot"}, ["\\^1"] = {["character"] = "ยน", ["name"] = "Superscript One / Superscript Digit One"}, ["\\ordmasculine"] = {["character"] = "ยบ", ["name"] = "Masculine Ordinal Indicator"}, ["\\1/4"] = {["character"] = "ยผ", ["name"] = "Vulgar Fraction One Quarter / Fraction One Quarter"}, ["\\1/2"] = {["character"] = "ยฝ", ["name"] = "Vulgar Fraction One Half / Fraction One Half"}, ["\\3/4"] = {["character"] = "ยพ", ["name"] = "Vulgar Fraction Three Quarters / Fraction Three Quarters"}, ["\\questiondown"] = {["character"] = "ยฟ", ["name"] = "Inverted Question Mark"}, ["\\AA"] = {["character"] = "ร…", ["name"] = "Latin Capital Letter A With Ring Above / Latin Capital Letter A Ring"}, ["\\AE"] = {["character"] = "ร†", ["name"] = "Latin Capital Letter Ae / Latin Capital Letter A E"}, ["\\DH"] = {["character"] = "ร", ["name"] = "Latin Capital Letter Eth"}, ["\\times"] = {["character"] = "ร—", ["name"] = "Multiplication Sign"}, ["\\O"] = {["character"] = "ร˜", ["name"] = "Latin Capital Letter O With Stroke / Latin Capital Letter O Slash"}, ["\\TH"] = {["character"] = "รž", ["name"] = "Latin Capital Letter Thorn"}, ["\\ss"] = {["character"] = "รŸ", ["name"] = "Latin Small Letter Sharp S"}, ["\\aa"] = {["character"] = "รฅ", ["name"] = "Latin Small Letter A With Ring Above / Latin Small Letter A Ring"}, ["\\ae"] = {["character"] = "รฆ", ["name"] = "Latin Small Letter Ae / Latin Small Letter A E"}, ["\\eth"] = {["character"] = "รฐ", ["name"] = "Latin Small Letter Eth"}, ["\\dh"] = {["character"] = "รฐ", ["name"] = "Latin Small Letter Eth"}, ["\\div"] = {["character"] = "รท", ["name"] = "Division Sign"}, ["\\o"] = {["character"] = "รธ", ["name"] = "Latin Small Letter O With Stroke / Latin Small Letter O Slash"}, ["\\th"] = {["character"] = "รพ", ["name"] = "Latin Small Letter Thorn"}, ["\\DJ"] = {["character"] = "ฤ", ["name"] = "Latin Capital Letter D With Stroke / Latin Capital Letter D Bar"}, ["\\dj"] = {["character"] = "ฤ‘", ["name"] = "Latin Small Letter D With Stroke / Latin Small Letter D Bar"}, ["\\hbar"] = {["character"] = "ฤง", ["name"] = "Latin Small Letter H With Stroke / Latin Small Letter H Bar"}, ["\\imath"] = {["character"] = "ฤฑ", ["name"] = "Latin Small Letter Dotless I"}, ["\\L"] = {["character"] = "ล", ["name"] = "Latin Capital Letter L With Stroke / Latin Capital Letter L Slash"}, ["\\l"] = {["character"] = "ล‚", ["name"] = "Latin Small Letter L With Stroke / Latin Small Letter L Slash"}, ["\\NG"] = {["character"] = "ลŠ", ["name"] = "Latin Capital Letter Eng"}, ["\\ng"] = {["character"] = "ล‹", ["name"] = "Latin Small Letter Eng"}, ["\\OE"] = {["character"] = "ล’", ["name"] = "Latin Capital Ligature Oe / Latin Capital Letter O E"}, ["\\oe"] = {["character"] = "ล“", ["name"] = "Latin Small Ligature Oe / Latin Small Letter O E"}, ["\\hvlig"] = {["character"] = "ฦ•", ["name"] = "Latin Small Letter Hv / Latin Small Letter H V"}, ["\\nrleg"] = {["character"] = "ฦž", ["name"] = "Latin Small Letter N With Long Right Leg"}, ["\\Zbar"] = {["character"] = "ฦต", ["name"] = "Latin Capital Letter Z With Stroke / Latin Capital Letter Z Bar"}, ["\\doublepipe"] = {["character"] = "ว‚", ["name"] = "Latin Letter Alveolar Click / Latin Letter Pipe Double Bar"}, ["\\jmath"] = {["character"] = "ศท", ["name"] = "Latin Small Letter Dotless J"}, ["\\trna"] = {["character"] = "ษ", ["name"] = "Latin Small Letter Turned A"}, ["\\trnsa"] = {["character"] = "ษ’", ["name"] = "Latin Small Letter Turned Alpha / Latin Small Letter Turned Script A"}, ["\\openo"] = {["character"] = "ษ”", ["name"] = "Latin Small Letter Open O"}, ["\\rtld"] = {["character"] = "ษ–", ["name"] = "Latin Small Letter D With Tail / Latin Small Letter D Retroflex Hook"}, ["\\schwa"] = {["character"] = "ษ™", ["name"] = "Latin Small Letter Schwa"}, ["\\pgamma"] = {["character"] = "ษฃ", ["name"] = "Latin Small Letter Gamma"}, ["\\pbgam"] = {["character"] = "ษค", ["name"] = "Latin Small Letter Rams Horn / Latin Small Letter Baby Gamma"}, ["\\trnh"] = {["character"] = "ษฅ", ["name"] = "Latin Small Letter Turned H"}, ["\\btdl"] = {["character"] = "ษฌ", ["name"] = "Latin Small Letter L With Belt / Latin Small Letter L Belt"}, ["\\rtll"] = {["character"] = "ษญ", ["name"] = "Latin Small Letter L With Retroflex Hook / Latin Small Letter L Retroflex Hook"}, ["\\trnm"] = {["character"] = "ษฏ", ["name"] = "Latin Small Letter Turned M"}, ["\\trnmlr"] = {["character"] = "ษฐ", ["name"] = "Latin Small Letter Turned M With Long Leg"}, ["\\ltlmr"] = {["character"] = "ษฑ", ["name"] = "Latin Small Letter M With Hook / Latin Small Letter M Hook"}, ["\\ltln"] = {["character"] = "ษฒ", ["name"] = "Latin Small Letter N With Left Hook / Latin Small Letter N Hook"}, ["\\rtln"] = {["character"] = "ษณ", ["name"] = "Latin Small Letter N With Retroflex Hook / Latin Small Letter N Retroflex Hook"}, ["\\clomeg"] = {["character"] = "ษท", ["name"] = "Latin Small Letter Closed Omega"}, ["\\ltphi"] = {["character"] = "ษธ", ["name"] = "Latin Small Letter Phi"}, ["\\trnr"] = {["character"] = "ษน", ["name"] = "Latin Small Letter Turned R"}, ["\\trnrl"] = {["character"] = "ษบ", ["name"] = "Latin Small Letter Turned R With Long Leg"}, ["\\rttrnr"] = {["character"] = "ษป", ["name"] = "Latin Small Letter Turned R With Hook / Latin Small Letter Turned R Hook"}, ["\\rl"] = {["character"] = "ษผ", ["name"] = "Latin Small Letter R With Long Leg"}, ["\\rtlr"] = {["character"] = "ษฝ", ["name"] = "Latin Small Letter R With Tail / Latin Small Letter R Hook"}, ["\\fhr"] = {["character"] = "ษพ", ["name"] = "Latin Small Letter R With Fishhook / Latin Small Letter Fishhook R"}, ["\\rtls"] = {["character"] = "ส‚", ["name"] = "Latin Small Letter S With Hook / Latin Small Letter S Hook"}, ["\\esh"] = {["character"] = "สƒ", ["name"] = "Latin Small Letter Esh"}, ["\\trnt"] = {["character"] = "ส‡", ["name"] = "Latin Small Letter Turned T"}, ["\\rtlt"] = {["character"] = "สˆ", ["name"] = "Latin Small Letter T With Retroflex Hook / Latin Small Letter T Retroflex Hook"}, ["\\pupsil"] = {["character"] = "สŠ", ["name"] = "Latin Small Letter Upsilon"}, ["\\pscrv"] = {["character"] = "ส‹", ["name"] = "Latin Small Letter V With Hook / Latin Small Letter Script V"}, ["\\invv"] = {["character"] = "สŒ", ["name"] = "Latin Small Letter Turned V"}, ["\\invw"] = {["character"] = "ส", ["name"] = "Latin Small Letter Turned W"}, ["\\trny"] = {["character"] = "สŽ", ["name"] = "Latin Small Letter Turned Y"}, ["\\rtlz"] = {["character"] = "ส", ["name"] = "Latin Small Letter Z With Retroflex Hook / Latin Small Letter Z Retroflex Hook"}, ["\\yogh"] = {["character"] = "ส’", ["name"] = "Latin Small Letter Ezh / Latin Small Letter Yogh"}, ["\\glst"] = {["character"] = "ส”", ["name"] = "Latin Letter Glottal Stop"}, ["\\reglst"] = {["character"] = "ส•", ["name"] = "Latin Letter Pharyngeal Voiced Fricative / Latin Letter Reversed Glottal Stop"}, ["\\inglst"] = {["character"] = "ส–", ["name"] = "Latin Letter Inverted Glottal Stop"}, ["\\turnk"] = {["character"] = "สž", ["name"] = "Latin Small Letter Turned K"}, ["\\dyogh"] = {["character"] = "สค", ["name"] = "Latin Small Letter Dezh Digraph / Latin Small Letter D Yogh"}, ["\\tesh"] = {["character"] = "สง", ["name"] = "Latin Small Letter Tesh Digraph / Latin Small Letter T Esh"}, ["\\^h"] = {["character"] = "สฐ", ["name"] = "Modifier Letter Small H"}, ["\\^j"] = {["character"] = "สฒ", ["name"] = "Modifier Letter Small J"}, ["\\^r"] = {["character"] = "สณ", ["name"] = "Modifier Letter Small R"}, ["\\^w"] = {["character"] = "สท", ["name"] = "Modifier Letter Small W"}, ["\\^y"] = {["character"] = "สธ", ["name"] = "Modifier Letter Small Y"}, ["\\rasp"] = {["character"] = "สผ", ["name"] = "Modifier Letter Apostrophe"}, ["\\verts"] = {["character"] = "หˆ", ["name"] = "Modifier Letter Vertical Line"}, ["\\verti"] = {["character"] = "หŒ", ["name"] = "Modifier Letter Low Vertical Line"}, ["\\lmrk"] = {["character"] = "ห", ["name"] = "Modifier Letter Triangular Colon"}, ["\\hlmrk"] = {["character"] = "ห‘", ["name"] = "Modifier Letter Half Triangular Colon"}, ["\\sbrhr"] = {["character"] = "ห’", ["name"] = "Modifier Letter Centred Right Half Ring / Modifier Letter Centered Right Half Ring"}, ["\\sblhr"] = {["character"] = "ห“", ["name"] = "Modifier Letter Centred Left Half Ring / Modifier Letter Centered Left Half Ring"}, ["\\rais"] = {["character"] = "ห”", ["name"] = "Modifier Letter Up Tack"}, ["\\low"] = {["character"] = "ห•", ["name"] = "Modifier Letter Down Tack"}, ["\\u"] = {["character"] = "ห˜", ["name"] = "Breve / Spacing Breve"}, ["\\tildelow"] = {["character"] = "หœ", ["name"] = "Small Tilde / Spacing Tilde"}, ["\\^l"] = {["character"] = "หก", ["name"] = "Modifier Letter Small L"}, ["\\^s"] = {["character"] = "หข", ["name"] = "Modifier Letter Small S"}, ["\\^x"] = {["character"] = "หฃ", ["name"] = "Modifier Letter Small X"}, ["\\grave"] = {["character"] = "ฬ€", ["name"] = "Combining Grave Accent / Non-Spacing Grave"}, ["\\acute"] = {["character"] = "ฬ", ["name"] = "Combining Acute Accent / Non-Spacing Acute"}, ["\\hat"] = {["character"] = "ฬ‚", ["name"] = "Combining Circumflex Accent / Non-Spacing Circumflex"}, ["\\tilde"] = {["character"] = "ฬƒ", ["name"] = "Combining Tilde / Non-Spacing Tilde"}, ["\\bar"] = {["character"] = "ฬ„", ["name"] = "Combining Macron / Non-Spacing Macron"}, ["\\overbar"] = {["character"] = "ฬ…", ["name"] = "Combining Overline / Non-Spacing Overscore"}, ["\\breve"] = {["character"] = "ฬ†", ["name"] = "Combining Breve / Non-Spacing Breve"}, ["\\dot"] = {["character"] = "ฬ‡", ["name"] = "Combining Dot Above / Non-Spacing Dot Above"}, ["\\ddot"] = {["character"] = "ฬˆ", ["name"] = "Combining Diaeresis / Non-Spacing Diaeresis"}, ["\\ovhook"] = {["character"] = "ฬ‰", ["name"] = "Combining Hook Above / Non-Spacing Hook Above"}, ["\\ocirc"] = {["character"] = "ฬŠ", ["name"] = "Combining Ring Above / Non-Spacing Ring Above"}, ["\\H"] = {["character"] = "ฬ‹", ["name"] = "Combining Double Acute Accent / Non-Spacing Double Acute"}, ["\\check"] = {["character"] = "ฬŒ", ["name"] = "Combining Caron / Non-Spacing Hacek"}, ["\\candra"] = {["character"] = "ฬ", ["name"] = "Combining Candrabindu / Non-Spacing Candrabindu"}, ["\\oturnedcomma"] = {["character"] = "ฬ’", ["name"] = "Combining Turned Comma Above / Non-Spacing Turned Comma Above"}, ["\\ocommatopright"] = {["character"] = "ฬ•", ["name"] = "Combining Comma Above Right / Non-Spacing Comma Above Right"}, ["\\droang"] = {["character"] = "ฬš", ["name"] = "Combining Left Angle Above / Non-Spacing Left Angle Above"}, ["\\palh"] = {["character"] = "ฬก", ["name"] = "Combining Palatalized Hook Below / Non-Spacing Palatalized Hook Below"}, ["\\rh"] = {["character"] = "ฬข", ["name"] = "Combining Retroflex Hook Below / Non-Spacing Retroflex Hook Below"}, ["\\c"] = {["character"] = "ฬง", ["name"] = "Combining Cedilla / Non-Spacing Cedilla"}, ["\\k"] = {["character"] = "ฬจ", ["name"] = "Combining Ogonek / Non-Spacing Ogonek"}, ["\\sbbrg"] = {["character"] = "ฬช", ["name"] = "Combining Bridge Below / Non-Spacing Bridge Below"}, ["\\wideutilde"] = {["character"] = "ฬฐ", ["name"] = "Combining Tilde Below / Non-Spacing Tilde Below"}, ["\\underbar"] = {["character"] = "ฬฒ", ["name"] = "Combining Low Line / Non-Spacing Underscore"}, ["\\strike"] = {["character"] = "ฬถ", ["name"] = "Combining Long Stroke Overlay / Non-Spacing Long Bar Overlay"}, ["\\sout"] = {["character"] = "ฬถ", ["name"] = "Combining Long Stroke Overlay / Non-Spacing Long Bar Overlay"}, ["\\not"] = {["character"] = "ฬธ", ["name"] = "Combining Long Solidus Overlay / Non-Spacing Long Slash Overlay"}, ["\\underleftrightarrow"] = {["character"] = "อ", ["name"] = "Combining Left Right Arrow Below"}, ["\\Alpha"] = {["character"] = "ฮ‘", ["name"] = "Greek Capital Letter Alpha"}, ["\\Beta"] = {["character"] = "ฮ’", ["name"] = "Greek Capital Letter Beta"}, ["\\Gamma"] = {["character"] = "ฮ“", ["name"] = "Greek Capital Letter Gamma"}, ["\\Delta"] = {["character"] = "ฮ”", ["name"] = "Greek Capital Letter Delta"}, ["\\Epsilon"] = {["character"] = "ฮ•", ["name"] = "Greek Capital Letter Epsilon"}, ["\\Zeta"] = {["character"] = "ฮ–", ["name"] = "Greek Capital Letter Zeta"}, ["\\Eta"] = {["character"] = "ฮ—", ["name"] = "Greek Capital Letter Eta"}, ["\\Theta"] = {["character"] = "ฮ˜", ["name"] = "Greek Capital Letter Theta"}, ["\\Iota"] = {["character"] = "ฮ™", ["name"] = "Greek Capital Letter Iota"}, ["\\Kappa"] = {["character"] = "ฮš", ["name"] = "Greek Capital Letter Kappa"}, ["\\Lambda"] = {["character"] = "ฮ›", ["name"] = "Greek Capital Letter Lamda / Greek Capital Letter Lambda"}, ["\\upMu"] = {["character"] = "ฮœ", ["name"] = "Greek Capital Letter Mu"}, ["\\upNu"] = {["character"] = "ฮ", ["name"] = "Greek Capital Letter Nu"}, ["\\Xi"] = {["character"] = "ฮž", ["name"] = "Greek Capital Letter Xi"}, ["\\upOmicron"] = {["character"] = "ฮŸ", ["name"] = "Greek Capital Letter Omicron"}, ["\\Pi"] = {["character"] = "ฮ ", ["name"] = "Greek Capital Letter Pi"}, ["\\Rho"] = {["character"] = "ฮก", ["name"] = "Greek Capital Letter Rho"}, ["\\Sigma"] = {["character"] = "ฮฃ", ["name"] = "Greek Capital Letter Sigma"}, ["\\Tau"] = {["character"] = "ฮค", ["name"] = "Greek Capital Letter Tau"}, ["\\Upsilon"] = {["character"] = "ฮฅ", ["name"] = "Greek Capital Letter Upsilon"}, ["\\Phi"] = {["character"] = "ฮฆ", ["name"] = "Greek Capital Letter Phi"}, ["\\Chi"] = {["character"] = "ฮง", ["name"] = "Greek Capital Letter Chi"}, ["\\Psi"] = {["character"] = "ฮจ", ["name"] = "Greek Capital Letter Psi"}, ["\\Omega"] = {["character"] = "ฮฉ", ["name"] = "Greek Capital Letter Omega"}, ["\\alpha"] = {["character"] = "ฮฑ", ["name"] = "Greek Small Letter Alpha"}, ["\\beta"] = {["character"] = "ฮฒ", ["name"] = "Greek Small Letter Beta"}, ["\\gamma"] = {["character"] = "ฮณ", ["name"] = "Greek Small Letter Gamma"}, ["\\delta"] = {["character"] = "ฮด", ["name"] = "Greek Small Letter Delta"}, ["\\upepsilon"] = {["character"] = "ฮต", ["name"] = "Greek Small Letter Epsilon"}, ["\\varepsilon"] = {["character"] = "ฮต", ["name"] = "Greek Small Letter Epsilon"}, ["\\zeta"] = {["character"] = "ฮถ", ["name"] = "Greek Small Letter Zeta"}, ["\\eta"] = {["character"] = "ฮท", ["name"] = "Greek Small Letter Eta"}, ["\\theta"] = {["character"] = "ฮธ", ["name"] = "Greek Small Letter Theta"}, ["\\iota"] = {["character"] = "ฮน", ["name"] = "Greek Small Letter Iota"}, ["\\kappa"] = {["character"] = "ฮบ", ["name"] = "Greek Small Letter Kappa"}, ["\\lambda"] = {["character"] = "ฮป", ["name"] = "Greek Small Letter Lamda / Greek Small Letter Lambda"}, ["\\mu"] = {["character"] = "ฮผ", ["name"] = "Greek Small Letter Mu"}, ["\\nu"] = {["character"] = "ฮฝ", ["name"] = "Greek Small Letter Nu"}, ["\\xi"] = {["character"] = "ฮพ", ["name"] = "Greek Small Letter Xi"}, ["\\upomicron"] = {["character"] = "ฮฟ", ["name"] = "Greek Small Letter Omicron"}, ["\\pi"] = {["character"] = "ฯ€", ["name"] = "Greek Small Letter Pi"}, ["\\rho"] = {["character"] = "ฯ", ["name"] = "Greek Small Letter Rho"}, ["\\varsigma"] = {["character"] = "ฯ‚", ["name"] = "Greek Small Letter Final Sigma"}, ["\\sigma"] = {["character"] = "ฯƒ", ["name"] = "Greek Small Letter Sigma"}, ["\\tau"] = {["character"] = "ฯ„", ["name"] = "Greek Small Letter Tau"}, ["\\upsilon"] = {["character"] = "ฯ…", ["name"] = "Greek Small Letter Upsilon"}, ["\\varphi"] = {["character"] = "ฯ†", ["name"] = "Greek Small Letter Phi"}, ["\\chi"] = {["character"] = "ฯ‡", ["name"] = "Greek Small Letter Chi"}, ["\\psi"] = {["character"] = "ฯˆ", ["name"] = "Greek Small Letter Psi"}, ["\\omega"] = {["character"] = "ฯ‰", ["name"] = "Greek Small Letter Omega"}, ["\\upvarbeta"] = {["character"] = "ฯ", ["name"] = "Greek Beta Symbol / Greek Small Letter Curled Beta"}, ["\\vartheta"] = {["character"] = "ฯ‘", ["name"] = "Greek Theta Symbol / Greek Small Letter Script Theta"}, ["\\phi"] = {["character"] = "ฯ•", ["name"] = "Greek Phi Symbol / Greek Small Letter Script Phi"}, ["\\varpi"] = {["character"] = "ฯ–", ["name"] = "Greek Pi Symbol / Greek Small Letter Omega Pi"}, ["\\upoldKoppa"] = {["character"] = "ฯ˜", ["name"] = "Greek Letter Archaic Koppa"}, ["\\upoldkoppa"] = {["character"] = "ฯ™", ["name"] = "Greek Small Letter Archaic Koppa"}, ["\\Stigma"] = {["character"] = "ฯš", ["name"] = "Greek Letter Stigma / Greek Capital Letter Stigma"}, ["\\upstigma"] = {["character"] = "ฯ›", ["name"] = "Greek Small Letter Stigma"}, ["\\Digamma"] = {["character"] = "ฯœ", ["name"] = "Greek Letter Digamma / Greek Capital Letter Digamma"}, ["\\digamma"] = {["character"] = "ฯ", ["name"] = "Greek Small Letter Digamma"}, ["\\Koppa"] = {["character"] = "ฯž", ["name"] = "Greek Letter Koppa / Greek Capital Letter Koppa"}, ["\\upkoppa"] = {["character"] = "ฯŸ", ["name"] = "Greek Small Letter Koppa"}, ["\\Sampi"] = {["character"] = "ฯ ", ["name"] = "Greek Letter Sampi / Greek Capital Letter Sampi"}, ["\\upsampi"] = {["character"] = "ฯก", ["name"] = "Greek Small Letter Sampi"}, ["\\varkappa"] = {["character"] = "ฯฐ", ["name"] = "Greek Kappa Symbol / Greek Small Letter Script Kappa"}, ["\\varrho"] = {["character"] = "ฯฑ", ["name"] = "Greek Rho Symbol / Greek Small Letter Tailed Rho"}, ["\\varTheta"] = {["character"] = "ฯด", ["name"] = "Greek Capital Theta Symbol"}, ["\\epsilon"] = {["character"] = "ฯต", ["name"] = "Greek Lunate Epsilon Symbol"}, ["\\backepsilon"] = {["character"] = "ฯถ", ["name"] = "Greek Reversed Lunate Epsilon Symbol"}, ["\\^A"] = {["character"] = "แดฌ", ["name"] = "Modifier Letter Capital A"}, ["\\^B"] = {["character"] = "แดฎ", ["name"] = "Modifier Letter Capital B"}, ["\\^D"] = {["character"] = "แดฐ", ["name"] = "Modifier Letter Capital D"}, ["\\^E"] = {["character"] = "แดฑ", ["name"] = "Modifier Letter Capital E"}, ["\\^G"] = {["character"] = "แดณ", ["name"] = "Modifier Letter Capital G"}, ["\\^H"] = {["character"] = "แดด", ["name"] = "Modifier Letter Capital H"}, ["\\^I"] = {["character"] = "แดต", ["name"] = "Modifier Letter Capital I"}, ["\\^J"] = {["character"] = "แดถ", ["name"] = "Modifier Letter Capital J"}, ["\\^K"] = {["character"] = "แดท", ["name"] = "Modifier Letter Capital K"}, ["\\^L"] = {["character"] = "แดธ", ["name"] = "Modifier Letter Capital L"}, ["\\^M"] = {["character"] = "แดน", ["name"] = "Modifier Letter Capital M"}, ["\\^N"] = {["character"] = "แดบ", ["name"] = "Modifier Letter Capital N"}, ["\\^O"] = {["character"] = "แดผ", ["name"] = "Modifier Letter Capital O"}, ["\\^P"] = {["character"] = "แดพ", ["name"] = "Modifier Letter Capital P"}, ["\\^R"] = {["character"] = "แดฟ", ["name"] = "Modifier Letter Capital R"}, ["\\^T"] = {["character"] = "แต€", ["name"] = "Modifier Letter Capital T"}, ["\\^U"] = {["character"] = "แต", ["name"] = "Modifier Letter Capital U"}, ["\\^W"] = {["character"] = "แต‚", ["name"] = "Modifier Letter Capital W"}, ["\\^a"] = {["character"] = "แตƒ", ["name"] = "Modifier Letter Small A"}, ["\\^alpha"] = {["character"] = "แต…", ["name"] = "Modifier Letter Small Alpha"}, ["\\^b"] = {["character"] = "แต‡", ["name"] = "Modifier Letter Small B"}, ["\\^d"] = {["character"] = "แตˆ", ["name"] = "Modifier Letter Small D"}, ["\\^e"] = {["character"] = "แต‰", ["name"] = "Modifier Letter Small E"}, ["\\^epsilon"] = {["character"] = "แต‹", ["name"] = "Modifier Letter Small Open E"}, ["\\^g"] = {["character"] = "แต", ["name"] = "Modifier Letter Small G"}, ["\\^k"] = {["character"] = "แต", ["name"] = "Modifier Letter Small K"}, ["\\^m"] = {["character"] = "แต", ["name"] = "Modifier Letter Small M"}, ["\\^o"] = {["character"] = "แต’", ["name"] = "Modifier Letter Small O"}, ["\\^p"] = {["character"] = "แต–", ["name"] = "Modifier Letter Small P"}, ["\\^t"] = {["character"] = "แต—", ["name"] = "Modifier Letter Small T"}, ["\\^u"] = {["character"] = "แต˜", ["name"] = "Modifier Letter Small U"}, ["\\^v"] = {["character"] = "แต›", ["name"] = "Modifier Letter Small V"}, ["\\^beta"] = {["character"] = "แต", ["name"] = "Modifier Letter Small Beta"}, ["\\^gamma"] = {["character"] = "แตž", ["name"] = "Modifier Letter Small Greek Gamma"}, ["\\^delta"] = {["character"] = "แตŸ", ["name"] = "Modifier Letter Small Delta"}, ["\\^phi"] = {["character"] = "แต ", ["name"] = "Modifier Letter Small Greek Phi"}, ["\\^chi"] = {["character"] = "แตก", ["name"] = "Modifier Letter Small Chi"}, ["\\_i"] = {["character"] = "แตข", ["name"] = "Latin Subscript Small Letter I"}, ["\\_r"] = {["character"] = "แตฃ", ["name"] = "Latin Subscript Small Letter R"}, ["\\_u"] = {["character"] = "แตค", ["name"] = "Latin Subscript Small Letter U"}, ["\\_v"] = {["character"] = "แตฅ", ["name"] = "Latin Subscript Small Letter V"}, ["\\_beta"] = {["character"] = "แตฆ", ["name"] = "Greek Subscript Small Letter Beta"}, ["\\_gamma"] = {["character"] = "แตง", ["name"] = "Greek Subscript Small Letter Gamma"}, ["\\_rho"] = {["character"] = "แตจ", ["name"] = "Greek Subscript Small Letter Rho"}, ["\\_phi"] = {["character"] = "แตฉ", ["name"] = "Greek Subscript Small Letter Phi"}, ["\\_chi"] = {["character"] = "แตช", ["name"] = "Greek Subscript Small Letter Chi"}, ["\\^c"] = {["character"] = "แถœ", ["name"] = "Modifier Letter Small C"}, ["\\^f"] = {["character"] = "แถ ", ["name"] = "Modifier Letter Small F"}, ["\\^iota"] = {["character"] = "แถฅ", ["name"] = "Modifier Letter Small Iota"}, ["\\^Phi"] = {["character"] = "แถฒ", ["name"] = "Modifier Letter Small Phi"}, ["\\^z"] = {["character"] = "แถป", ["name"] = "Modifier Letter Small Z"}, ["\\^theta"] = {["character"] = "แถฟ", ["name"] = "Modifier Letter Small Theta"}, ["\\enspace"] = {["character"] = "โ€‚", ["name"] = "En Space"}, ["\\quad"] = {["character"] = "โ€ƒ", ["name"] = "Em Space"}, ["\\thickspace"] = {["character"] = "โ€…", ["name"] = "Four-Per-Em Space"}, ["\\thinspace"] = {["character"] = "โ€‰", ["name"] = "Thin Space"}, ["\\hspace"] = {["character"] = "โ€Š", ["name"] = "Hair Space"}, ["\\endash"] = {["character"] = "โ€“", ["name"] = "En Dash"}, ["\\emdash"] = {["character"] = "โ€”", ["name"] = "Em Dash"}, ["\\Vert"] = {["character"] = "โ€–", ["name"] = "Double Vertical Line / Double Vertical Bar"}, ["\\lq"] = {["character"] = "โ€˜", ["name"] = "Left Single Quotation Mark / Single Turned Comma Quotation Mark"}, ["\\rq"] = {["character"] = "โ€™", ["name"] = "Right Single Quotation Mark / Single Comma Quotation Mark"}, ["\\reapos"] = {["character"] = "โ€›", ["name"] = "Single High-Reversed-9 Quotation Mark / Single Reversed Comma Quotation Mark"}, ["\\quotedblleft"] = {["character"] = "โ€œ", ["name"] = "Left Double Quotation Mark / Double Turned Comma Quotation Mark"}, ["\\quotedblright"] = {["character"] = "โ€", ["name"] = "Right Double Quotation Mark / Double Comma Quotation Mark"}, ["\\dagger"] = {["character"] = "โ€ ", ["name"] = "Dagger"}, ["\\ddagger"] = {["character"] = "โ€ก", ["name"] = "Double Dagger"}, ["\\bullet"] = {["character"] = "โ€ข", ["name"] = "Bullet"}, ["\\dots"] = {["character"] = "โ€ฆ", ["name"] = "Horizontal Ellipsis"}, ["\\ldots"] = {["character"] = "โ€ฆ", ["name"] = "Horizontal Ellipsis"}, ["\\perthousand"] = {["character"] = "โ€ฐ", ["name"] = "Per Mille Sign"}, ["\\pertenthousand"] = {["character"] = "โ€ฑ", ["name"] = "Per Ten Thousand Sign"}, ["\\prime"] = {["character"] = "โ€ฒ", ["name"] = "Prime"}, ["\\pprime"] = {["character"] = "โ€ณ", ["name"] = "Double Prime"}, ["\\ppprime"] = {["character"] = "โ€ด", ["name"] = "Triple Prime"}, ["\\backprime"] = {["character"] = "โ€ต", ["name"] = "Reversed Prime"}, ["\\backpprime"] = {["character"] = "โ€ถ", ["name"] = "Reversed Double Prime"}, ["\\backppprime"] = {["character"] = "โ€ท", ["name"] = "Reversed Triple Prime"}, ["\\guilsinglleft"] = {["character"] = "โ€น", ["name"] = "Single Left-Pointing Angle Quotation Mark / Left Pointing Single Guillemet"}, ["\\guilsinglright"] = {["character"] = "โ€บ", ["name"] = "Single Right-Pointing Angle Quotation Mark / Right Pointing Single Guillemet"}, ["\\:bangbang:"] = {["character"] = "โ€ผ", ["name"] = "Double Exclamation Mark"}, ["\\tieconcat"] = {["character"] = "โ€", ["name"] = "Character Tie"}, ["\\:interrobang:"] = {["character"] = "โ‰", ["name"] = "Exclamation Question Mark"}, ["\\pppprime"] = {["character"] = "โ—", ["name"] = "Quadruple Prime"}, ["\\tricolon"] = {["character"] = "โ", ["name"] = "Tricolon"}, ["\\nolinebreak"] = {["character"] = "โ ", ["name"] = "Word Joiner"}, ["\\^0"] = {["character"] = "โฐ", ["name"] = "Superscript Zero / Superscript Digit Zero"}, ["\\^i"] = {["character"] = "โฑ", ["name"] = "Superscript Latin Small Letter I"}, ["\\^4"] = {["character"] = "โด", ["name"] = "Superscript Four / Superscript Digit Four"}, ["\\^5"] = {["character"] = "โต", ["name"] = "Superscript Five / Superscript Digit Five"}, ["\\^6"] = {["character"] = "โถ", ["name"] = "Superscript Six / Superscript Digit Six"}, ["\\^7"] = {["character"] = "โท", ["name"] = "Superscript Seven / Superscript Digit Seven"}, ["\\^8"] = {["character"] = "โธ", ["name"] = "Superscript Eight / Superscript Digit Eight"}, ["\\^9"] = {["character"] = "โน", ["name"] = "Superscript Nine / Superscript Digit Nine"}, ["\\^plus"] = {["character"] = "โบ", ["name"] = "Superscript Plus Sign"}, ["\\^-"] = {["character"] = "โป", ["name"] = "Superscript Minus / Superscript Hyphen-Minus"}, ["\\^="] = {["character"] = "โผ", ["name"] = "Superscript Equals Sign"}, ["\\^("] = {["character"] = "โฝ", ["name"] = "Superscript Left Parenthesis / Superscript Opening Parenthesis"}, ["\\^)"] = {["character"] = "โพ", ["name"] = "Superscript Right Parenthesis / Superscript Closing Parenthesis"}, ["\\^n"] = {["character"] = "โฟ", ["name"] = "Superscript Latin Small Letter N"}, ["\\_0"] = {["character"] = "โ‚€", ["name"] = "Subscript Zero / Subscript Digit Zero"}, ["\\_1"] = {["character"] = "โ‚", ["name"] = "Subscript One / Subscript Digit One"}, ["\\_2"] = {["character"] = "โ‚‚", ["name"] = "Subscript Two / Subscript Digit Two"}, ["\\_3"] = {["character"] = "โ‚ƒ", ["name"] = "Subscript Three / Subscript Digit Three"}, ["\\_4"] = {["character"] = "โ‚„", ["name"] = "Subscript Four / Subscript Digit Four"}, ["\\_5"] = {["character"] = "โ‚…", ["name"] = "Subscript Five / Subscript Digit Five"}, ["\\_6"] = {["character"] = "โ‚†", ["name"] = "Subscript Six / Subscript Digit Six"}, ["\\_7"] = {["character"] = "โ‚‡", ["name"] = "Subscript Seven / Subscript Digit Seven"}, ["\\_8"] = {["character"] = "โ‚ˆ", ["name"] = "Subscript Eight / Subscript Digit Eight"}, ["\\_9"] = {["character"] = "โ‚‰", ["name"] = "Subscript Nine / Subscript Digit Nine"}, ["\\_plus"] = {["character"] = "โ‚Š", ["name"] = "Subscript Plus Sign"}, ["\\_-"] = {["character"] = "โ‚‹", ["name"] = "Subscript Minus / Subscript Hyphen-Minus"}, ["\\_="] = {["character"] = "โ‚Œ", ["name"] = "Subscript Equals Sign"}, ["\\_("] = {["character"] = "โ‚", ["name"] = "Subscript Left Parenthesis / Subscript Opening Parenthesis"}, ["\\_)"] = {["character"] = "โ‚Ž", ["name"] = "Subscript Right Parenthesis / Subscript Closing Parenthesis"}, ["\\_a"] = {["character"] = "โ‚", ["name"] = "Latin Subscript Small Letter A"}, ["\\_e"] = {["character"] = "โ‚‘", ["name"] = "Latin Subscript Small Letter E"}, ["\\_o"] = {["character"] = "โ‚’", ["name"] = "Latin Subscript Small Letter O"}, ["\\_x"] = {["character"] = "โ‚“", ["name"] = "Latin Subscript Small Letter X"}, ["\\_schwa"] = {["character"] = "โ‚”", ["name"] = "Latin Subscript Small Letter Schwa"}, ["\\_h"] = {["character"] = "โ‚•", ["name"] = "Latin Subscript Small Letter H"}, ["\\_k"] = {["character"] = "โ‚–", ["name"] = "Latin Subscript Small Letter K"}, ["\\_l"] = {["character"] = "โ‚—", ["name"] = "Latin Subscript Small Letter L"}, ["\\_m"] = {["character"] = "โ‚˜", ["name"] = "Latin Subscript Small Letter M"}, ["\\_n"] = {["character"] = "โ‚™", ["name"] = "Latin Subscript Small Letter N"}, ["\\_p"] = {["character"] = "โ‚š", ["name"] = "Latin Subscript Small Letter P"}, ["\\_s"] = {["character"] = "โ‚›", ["name"] = "Latin Subscript Small Letter S"}, ["\\_t"] = {["character"] = "โ‚œ", ["name"] = "Latin Subscript Small Letter T"}, ["\\pes"] = {["character"] = "โ‚ง", ["name"] = "Peseta Sign"}, ["\\euro"] = {["character"] = "โ‚ฌ", ["name"] = "Euro Sign"}, ["\\leftharpoonaccent"] = {["character"] = "โƒ", ["name"] = "Combining Left Harpoon Above / Non-Spacing Left Harpoon Above"}, ["\\rightharpoonaccent"] = {["character"] = "โƒ‘", ["name"] = "Combining Right Harpoon Above / Non-Spacing Right Harpoon Above"}, ["\\vertoverlay"] = {["character"] = "โƒ’", ["name"] = "Combining Long Vertical Line Overlay / Non-Spacing Long Vertical Bar Overlay"}, ["\\overleftarrow"] = {["character"] = "โƒ–", ["name"] = "Combining Left Arrow Above / Non-Spacing Left Arrow Above"}, ["\\vec"] = {["character"] = "โƒ—", ["name"] = "Combining Right Arrow Above / Non-Spacing Right Arrow Above"}, ["\\dddot"] = {["character"] = "โƒ›", ["name"] = "Combining Three Dots Above / Non-Spacing Three Dots Above"}, ["\\ddddot"] = {["character"] = "โƒœ", ["name"] = "Combining Four Dots Above / Non-Spacing Four Dots Above"}, ["\\enclosecircle"] = {["character"] = "โƒ", ["name"] = "Combining Enclosing Circle / Enclosing Circle"}, ["\\enclosesquare"] = {["character"] = "โƒž", ["name"] = "Combining Enclosing Square / Enclosing Square"}, ["\\enclosediamond"] = {["character"] = "โƒŸ", ["name"] = "Combining Enclosing Diamond / Enclosing Diamond"}, ["\\overleftrightarrow"] = {["character"] = "โƒก", ["name"] = "Combining Left Right Arrow Above / Non-Spacing Left Right Arrow Above"}, ["\\enclosetriangle"] = {["character"] = "โƒค", ["name"] = "Combining Enclosing Upward Pointing Triangle"}, ["\\annuity"] = {["character"] = "โƒง", ["name"] = "Combining Annuity Symbol"}, ["\\threeunderdot"] = {["character"] = "โƒจ", ["name"] = "Combining Triple Underdot"}, ["\\widebridgeabove"] = {["character"] = "โƒฉ", ["name"] = "Combining Wide Bridge Above"}, ["\\underrightharpoondown"] = {["character"] = "โƒฌ", ["name"] = "Combining Rightwards Harpoon With Barb Downwards"}, ["\\underleftharpoondown"] = {["character"] = "โƒญ", ["name"] = "Combining Leftwards Harpoon With Barb Downwards"}, ["\\underleftarrow"] = {["character"] = "โƒฎ", ["name"] = "Combining Left Arrow Below"}, ["\\underrightarrow"] = {["character"] = "โƒฏ", ["name"] = "Combining Right Arrow Below"}, ["\\asteraccent"] = {["character"] = "โƒฐ", ["name"] = "Combining Asterisk Above"}, ["\\bbC"] = {["character"] = "โ„‚", ["name"] = "Double-Struck Capital C / Double-Struck C"}, ["\\eulermascheroni"] = {["character"] = "โ„‡", ["name"] = "Euler Constant / Eulers"}, ["\\scrg"] = {["character"] = "โ„Š", ["name"] = "Script Small G"}, ["\\scrH"] = {["character"] = "โ„‹", ["name"] = "Script Capital H / Script H"}, ["\\frakH"] = {["character"] = "โ„Œ", ["name"] = "Black-Letter Capital H / Black-Letter H"}, ["\\bbH"] = {["character"] = "โ„", ["name"] = "Double-Struck Capital H / Double-Struck H"}, ["\\ith"] = {["character"] = "โ„Ž", ["name"] = "Planck Constant"}, ["\\planck"] = {["character"] = "โ„Ž", ["name"] = "Planck Constant"}, ["\\hslash"] = {["character"] = "โ„", ["name"] = "Planck Constant Over Two Pi / Planck Constant Over 2 Pi"}, ["\\scrI"] = {["character"] = "โ„", ["name"] = "Script Capital I / Script I"}, ["\\Im"] = {["character"] = "โ„‘", ["name"] = "Black-Letter Capital I / Black-Letter I"}, ["\\scrL"] = {["character"] = "โ„’", ["name"] = "Script Capital L / Script L"}, ["\\ell"] = {["character"] = "โ„“", ["name"] = "Script Small L"}, ["\\bbN"] = {["character"] = "โ„•", ["name"] = "Double-Struck Capital N / Double-Struck N"}, ["\\numero"] = {["character"] = "โ„–", ["name"] = "Numero Sign / Numero"}, ["\\wp"] = {["character"] = "โ„˜", ["name"] = "Script Capital P / Script P"}, ["\\bbP"] = {["character"] = "โ„™", ["name"] = "Double-Struck Capital P / Double-Struck P"}, ["\\bbQ"] = {["character"] = "โ„š", ["name"] = "Double-Struck Capital Q / Double-Struck Q"}, ["\\scrR"] = {["character"] = "โ„›", ["name"] = "Script Capital R / Script R"}, ["\\Re"] = {["character"] = "โ„œ", ["name"] = "Black-Letter Capital R / Black-Letter R"}, ["\\bbR"] = {["character"] = "โ„", ["name"] = "Double-Struck Capital R / Double-Struck R"}, ["\\xrat"] = {["character"] = "โ„ž", ["name"] = "Prescription Take"}, ["\\trademark"] = {["character"] = "โ„ข", ["name"] = "Trade Mark Sign / Trademark"}, ["\\:tm:"] = {["character"] = "โ„ข", ["name"] = "Trade Mark Sign / Trademark"}, ["\\bbZ"] = {["character"] = "โ„ค", ["name"] = "Double-Struck Capital Z / Double-Struck Z"}, ["\\ohm"] = {["character"] = "โ„ฆ", ["name"] = "Ohm Sign / Ohm"}, ["\\mho"] = {["character"] = "โ„ง", ["name"] = "Inverted Ohm Sign / Mho"}, ["\\frakZ"] = {["character"] = "โ„จ", ["name"] = "Black-Letter Capital Z / Black-Letter Z"}, ["\\turnediota"] = {["character"] = "โ„ฉ", ["name"] = "Turned Greek Small Letter Iota"}, ["\\Angstrom"] = {["character"] = "โ„ซ", ["name"] = "Angstrom Sign / Angstrom Unit"}, ["\\scrB"] = {["character"] = "โ„ฌ", ["name"] = "Script Capital B / Script B"}, ["\\frakC"] = {["character"] = "โ„ญ", ["name"] = "Black-Letter Capital C / Black-Letter C"}, ["\\scre"] = {["character"] = "โ„ฏ", ["name"] = "Script Small E"}, ["\\euler"] = {["character"] = "โ„ฏ", ["name"] = "Script Small E"}, ["\\scrE"] = {["character"] = "โ„ฐ", ["name"] = "Script Capital E / Script E"}, ["\\scrF"] = {["character"] = "โ„ฑ", ["name"] = "Script Capital F / Script F"}, ["\\Finv"] = {["character"] = "โ„ฒ", ["name"] = "Turned Capital F / Turned F"}, ["\\scrM"] = {["character"] = "โ„ณ", ["name"] = "Script Capital M / Script M"}, ["\\scro"] = {["character"] = "โ„ด", ["name"] = "Script Small O"}, ["\\aleph"] = {["character"] = "โ„ต", ["name"] = "Alef Symbol / First Transfinite Cardinal"}, ["\\beth"] = {["character"] = "โ„ถ", ["name"] = "Bet Symbol / Second Transfinite Cardinal"}, ["\\gimel"] = {["character"] = "โ„ท", ["name"] = "Gimel Symbol / Third Transfinite Cardinal"}, ["\\daleth"] = {["character"] = "โ„ธ", ["name"] = "Dalet Symbol / Fourth Transfinite Cardinal"}, ["\\:information_source:"] = {["character"] = "โ„น", ["name"] = "Information Source"}, ["\\bbpi"] = {["character"] = "โ„ผ", ["name"] = "Double-Struck Small Pi"}, ["\\bbgamma"] = {["character"] = "โ„ฝ", ["name"] = "Double-Struck Small Gamma"}, ["\\bbGamma"] = {["character"] = "โ„พ", ["name"] = "Double-Struck Capital Gamma"}, ["\\bbPi"] = {["character"] = "โ„ฟ", ["name"] = "Double-Struck Capital Pi"}, ["\\bbsum"] = {["character"] = "โ…€", ["name"] = "Double-Struck N-Ary Summation"}, ["\\Game"] = {["character"] = "โ…", ["name"] = "Turned Sans-Serif Capital G"}, ["\\sansLturned"] = {["character"] = "โ…‚", ["name"] = "Turned Sans-Serif Capital L"}, ["\\sansLmirrored"] = {["character"] = "โ…ƒ", ["name"] = "Reversed Sans-Serif Capital L"}, ["\\Yup"] = {["character"] = "โ…„", ["name"] = "Turned Sans-Serif Capital Y"}, ["\\bbiD"] = {["character"] = "โ……", ["name"] = "Double-Struck Italic Capital D"}, ["\\bbid"] = {["character"] = "โ…†", ["name"] = "Double-Struck Italic Small D"}, ["\\bbie"] = {["character"] = "โ…‡", ["name"] = "Double-Struck Italic Small E"}, ["\\bbii"] = {["character"] = "โ…ˆ", ["name"] = "Double-Struck Italic Small I"}, ["\\bbij"] = {["character"] = "โ…‰", ["name"] = "Double-Struck Italic Small J"}, ["\\PropertyLine"] = {["character"] = "โ…Š", ["name"] = "Property Line"}, ["\\upand"] = {["character"] = "โ…‹", ["name"] = "Turned Ampersand"}, ["\\1/7"] = {["character"] = "โ…", ["name"] = "Vulgar Fraction One Seventh"}, ["\\1/9"] = {["character"] = "โ…‘", ["name"] = "Vulgar Fraction One Ninth"}, ["\\1/10"] = {["character"] = "โ…’", ["name"] = "Vulgar Fraction One Tenth"}, ["\\1/3"] = {["character"] = "โ…“", ["name"] = "Vulgar Fraction One Third / Fraction One Third"}, ["\\2/3"] = {["character"] = "โ…”", ["name"] = "Vulgar Fraction Two Thirds / Fraction Two Thirds"}, ["\\1/5"] = {["character"] = "โ…•", ["name"] = "Vulgar Fraction One Fifth / Fraction One Fifth"}, ["\\2/5"] = {["character"] = "โ…–", ["name"] = "Vulgar Fraction Two Fifths / Fraction Two Fifths"}, ["\\3/5"] = {["character"] = "โ…—", ["name"] = "Vulgar Fraction Three Fifths / Fraction Three Fifths"}, ["\\4/5"] = {["character"] = "โ…˜", ["name"] = "Vulgar Fraction Four Fifths / Fraction Four Fifths"}, ["\\1/6"] = {["character"] = "โ…™", ["name"] = "Vulgar Fraction One Sixth / Fraction One Sixth"}, ["\\5/6"] = {["character"] = "โ…š", ["name"] = "Vulgar Fraction Five Sixths / Fraction Five Sixths"}, ["\\1/8"] = {["character"] = "โ…›", ["name"] = "Vulgar Fraction One Eighth / Fraction One Eighth"}, ["\\3/8"] = {["character"] = "โ…œ", ["name"] = "Vulgar Fraction Three Eighths / Fraction Three Eighths"}, ["\\5/8"] = {["character"] = "โ…", ["name"] = "Vulgar Fraction Five Eighths / Fraction Five Eighths"}, ["\\7/8"] = {["character"] = "โ…ž", ["name"] = "Vulgar Fraction Seven Eighths / Fraction Seven Eighths"}, ["\\1/"] = {["character"] = "โ…Ÿ", ["name"] = "Fraction Numerator One"}, ["\\0/3"] = {["character"] = "โ†‰", ["name"] = "Vulgar Fraction Zero Thirds"}, ["\\leftarrow"] = {["character"] = "โ†", ["name"] = "Leftwards Arrow / Left Arrow"}, ["\\uparrow"] = {["character"] = "โ†‘", ["name"] = "Upwards Arrow / Up Arrow"}, ["\\to"] = {["character"] = "โ†’", ["name"] = "Rightwards Arrow / Right Arrow"}, ["\\rightarrow"] = {["character"] = "โ†’", ["name"] = "Rightwards Arrow / Right Arrow"}, ["\\downarrow"] = {["character"] = "โ†“", ["name"] = "Downwards Arrow / Down Arrow"}, ["\\leftrightarrow"] = {["character"] = "โ†”", ["name"] = "Left Right Arrow"}, ["\\:left_right_arrow:"] = {["character"] = "โ†”", ["name"] = "Left Right Arrow"}, ["\\updownarrow"] = {["character"] = "โ†•", ["name"] = "Up Down Arrow"}, ["\\:arrow_up_down:"] = {["character"] = "โ†•", ["name"] = "Up Down Arrow"}, ["\\nwarrow"] = {["character"] = "โ†–", ["name"] = "North West Arrow / Upper Left Arrow"}, ["\\:arrow_upper_left:"] = {["character"] = "โ†–", ["name"] = "North West Arrow / Upper Left Arrow"}, ["\\nearrow"] = {["character"] = "โ†—", ["name"] = "North East Arrow / Upper Right Arrow"}, ["\\:arrow_upper_right:"] = {["character"] = "โ†—", ["name"] = "North East Arrow / Upper Right Arrow"}, ["\\searrow"] = {["character"] = "โ†˜", ["name"] = "South East Arrow / Lower Right Arrow"}, ["\\:arrow_lower_right:"] = {["character"] = "โ†˜", ["name"] = "South East Arrow / Lower Right Arrow"}, ["\\swarrow"] = {["character"] = "โ†™", ["name"] = "South West Arrow / Lower Left Arrow"}, ["\\:arrow_lower_left:"] = {["character"] = "โ†™", ["name"] = "South West Arrow / Lower Left Arrow"}, ["\\nleftarrow"] = {["character"] = "โ†š", ["name"] = "Leftwards Arrow With Stroke / Left Arrow With Stroke"}, ["\\nrightarrow"] = {["character"] = "โ†›", ["name"] = "Rightwards Arrow With Stroke / Right Arrow With Stroke"}, ["\\leftwavearrow"] = {["character"] = "โ†œ", ["name"] = "Leftwards Wave Arrow / Left Wave Arrow"}, ["\\rightwavearrow"] = {["character"] = "โ†", ["name"] = "Rightwards Wave Arrow / Right Wave Arrow"}, ["\\twoheadleftarrow"] = {["character"] = "โ†ž", ["name"] = "Leftwards Two Headed Arrow / Left Two Headed Arrow"}, ["\\twoheaduparrow"] = {["character"] = "โ†Ÿ", ["name"] = "Upwards Two Headed Arrow / Up Two Headed Arrow"}, ["\\twoheadrightarrow"] = {["character"] = "โ† ", ["name"] = "Rightwards Two Headed Arrow / Right Two Headed Arrow"}, ["\\twoheaddownarrow"] = {["character"] = "โ†ก", ["name"] = "Downwards Two Headed Arrow / Down Two Headed Arrow"}, ["\\leftarrowtail"] = {["character"] = "โ†ข", ["name"] = "Leftwards Arrow With Tail / Left Arrow With Tail"}, ["\\rightarrowtail"] = {["character"] = "โ†ฃ", ["name"] = "Rightwards Arrow With Tail / Right Arrow With Tail"}, ["\\mapsfrom"] = {["character"] = "โ†ค", ["name"] = "Leftwards Arrow From Bar / Left Arrow From Bar"}, ["\\mapsup"] = {["character"] = "โ†ฅ", ["name"] = "Upwards Arrow From Bar / Up Arrow From Bar"}, ["\\mapsto"] = {["character"] = "โ†ฆ", ["name"] = "Rightwards Arrow From Bar / Right Arrow From Bar"}, ["\\mapsdown"] = {["character"] = "โ†ง", ["name"] = "Downwards Arrow From Bar / Down Arrow From Bar"}, ["\\updownarrowbar"] = {["character"] = "โ†จ", ["name"] = "Up Down Arrow With Base"}, ["\\hookleftarrow"] = {["character"] = "โ†ฉ", ["name"] = "Leftwards Arrow With Hook / Left Arrow With Hook"}, ["\\:leftwards_arrow_with_hook:"] = {["character"] = "โ†ฉ", ["name"] = "Leftwards Arrow With Hook / Left Arrow With Hook"}, ["\\hookrightarrow"] = {["character"] = "โ†ช", ["name"] = "Rightwards Arrow With Hook / Right Arrow With Hook"}, ["\\:arrow_right_hook:"] = {["character"] = "โ†ช", ["name"] = "Rightwards Arrow With Hook / Right Arrow With Hook"}, ["\\looparrowleft"] = {["character"] = "โ†ซ", ["name"] = "Leftwards Arrow With Loop / Left Arrow With Loop"}, ["\\looparrowright"] = {["character"] = "โ†ฌ", ["name"] = "Rightwards Arrow With Loop / Right Arrow With Loop"}, ["\\leftrightsquigarrow"] = {["character"] = "โ†ญ", ["name"] = "Left Right Wave Arrow"}, ["\\nleftrightarrow"] = {["character"] = "โ†ฎ", ["name"] = "Left Right Arrow With Stroke"}, ["\\downzigzagarrow"] = {["character"] = "โ†ฏ", ["name"] = "Downwards Zigzag Arrow / Down Zigzag Arrow"}, ["\\Lsh"] = {["character"] = "โ†ฐ", ["name"] = "Upwards Arrow With Tip Leftwards / Up Arrow With Tip Left"}, ["\\Rsh"] = {["character"] = "โ†ฑ", ["name"] = "Upwards Arrow With Tip Rightwards / Up Arrow With Tip Right"}, ["\\Ldsh"] = {["character"] = "โ†ฒ", ["name"] = "Downwards Arrow With Tip Leftwards / Down Arrow With Tip Left"}, ["\\Rdsh"] = {["character"] = "โ†ณ", ["name"] = "Downwards Arrow With Tip Rightwards / Down Arrow With Tip Right"}, ["\\linefeed"] = {["character"] = "โ†ด", ["name"] = "Rightwards Arrow With Corner Downwards / Right Arrow With Corner Down"}, ["\\carriagereturn"] = {["character"] = "โ†ต", ["name"] = "Downwards Arrow With Corner Leftwards / Down Arrow With Corner Left"}, ["\\curvearrowleft"] = {["character"] = "โ†ถ", ["name"] = "Anticlockwise Top Semicircle Arrow"}, ["\\curvearrowright"] = {["character"] = "โ†ท", ["name"] = "Clockwise Top Semicircle Arrow"}, ["\\barovernorthwestarrow"] = {["character"] = "โ†ธ", ["name"] = "North West Arrow To Long Bar / Upper Left Arrow To Long Bar"}, ["\\barleftarrowrightarrowbar"] = {["character"] = "โ†น", ["name"] = "Leftwards Arrow To Bar Over Rightwards Arrow To Bar / Left Arrow To Bar Over Right Arrow To Bar"}, ["\\circlearrowleft"] = {["character"] = "โ†บ", ["name"] = "Anticlockwise Open Circle Arrow"}, ["\\circlearrowright"] = {["character"] = "โ†ป", ["name"] = "Clockwise Open Circle Arrow"}, ["\\leftharpoonup"] = {["character"] = "โ†ผ", ["name"] = "Leftwards Harpoon With Barb Upwards / Left Harpoon With Barb Up"}, ["\\leftharpoondown"] = {["character"] = "โ†ฝ", ["name"] = "Leftwards Harpoon With Barb Downwards / Left Harpoon With Barb Down"}, ["\\upharpoonright"] = {["character"] = "โ†พ", ["name"] = "Upwards Harpoon With Barb Rightwards / Up Harpoon With Barb Right"}, ["\\upharpoonleft"] = {["character"] = "โ†ฟ", ["name"] = "Upwards Harpoon With Barb Leftwards / Up Harpoon With Barb Left"}, ["\\rightharpoonup"] = {["character"] = "โ‡€", ["name"] = "Rightwards Harpoon With Barb Upwards / Right Harpoon With Barb Up"}, ["\\rightharpoondown"] = {["character"] = "โ‡", ["name"] = "Rightwards Harpoon With Barb Downwards / Right Harpoon With Barb Down"}, ["\\downharpoonright"] = {["character"] = "โ‡‚", ["name"] = "Downwards Harpoon With Barb Rightwards / Down Harpoon With Barb Right"}, ["\\downharpoonleft"] = {["character"] = "โ‡ƒ", ["name"] = "Downwards Harpoon With Barb Leftwards / Down Harpoon With Barb Left"}, ["\\rightleftarrows"] = {["character"] = "โ‡„", ["name"] = "Rightwards Arrow Over Leftwards Arrow / Right Arrow Over Left Arrow"}, ["\\dblarrowupdown"] = {["character"] = "โ‡…", ["name"] = "Upwards Arrow Leftwards Of Downwards Arrow / Up Arrow Left Of Down Arrow"}, ["\\leftrightarrows"] = {["character"] = "โ‡†", ["name"] = "Leftwards Arrow Over Rightwards Arrow / Left Arrow Over Right Arrow"}, ["\\leftleftarrows"] = {["character"] = "โ‡‡", ["name"] = "Leftwards Paired Arrows / Left Paired Arrows"}, ["\\upuparrows"] = {["character"] = "โ‡ˆ", ["name"] = "Upwards Paired Arrows / Up Paired Arrows"}, ["\\rightrightarrows"] = {["character"] = "โ‡‰", ["name"] = "Rightwards Paired Arrows / Right Paired Arrows"}, ["\\downdownarrows"] = {["character"] = "โ‡Š", ["name"] = "Downwards Paired Arrows / Down Paired Arrows"}, ["\\leftrightharpoons"] = {["character"] = "โ‡‹", ["name"] = "Leftwards Harpoon Over Rightwards Harpoon / Left Harpoon Over Right Harpoon"}, ["\\rightleftharpoons"] = {["character"] = "โ‡Œ", ["name"] = "Rightwards Harpoon Over Leftwards Harpoon / Right Harpoon Over Left Harpoon"}, ["\\nLeftarrow"] = {["character"] = "โ‡", ["name"] = "Leftwards Double Arrow With Stroke / Left Double Arrow With Stroke"}, ["\\nLeftrightarrow"] = {["character"] = "โ‡Ž", ["name"] = "Left Right Double Arrow With Stroke"}, ["\\nRightarrow"] = {["character"] = "โ‡", ["name"] = "Rightwards Double Arrow With Stroke / Right Double Arrow With Stroke"}, ["\\Leftarrow"] = {["character"] = "โ‡", ["name"] = "Leftwards Double Arrow / Left Double Arrow"}, ["\\Uparrow"] = {["character"] = "โ‡‘", ["name"] = "Upwards Double Arrow / Up Double Arrow"}, ["\\Rightarrow"] = {["character"] = "โ‡’", ["name"] = "Rightwards Double Arrow / Right Double Arrow"}, ["\\Downarrow"] = {["character"] = "โ‡“", ["name"] = "Downwards Double Arrow / Down Double Arrow"}, ["\\Leftrightarrow"] = {["character"] = "โ‡”", ["name"] = "Left Right Double Arrow"}, ["\\Updownarrow"] = {["character"] = "โ‡•", ["name"] = "Up Down Double Arrow"}, ["\\Nwarrow"] = {["character"] = "โ‡–", ["name"] = "North West Double Arrow / Upper Left Double Arrow"}, ["\\Nearrow"] = {["character"] = "โ‡—", ["name"] = "North East Double Arrow / Upper Right Double Arrow"}, ["\\Searrow"] = {["character"] = "โ‡˜", ["name"] = "South East Double Arrow / Lower Right Double Arrow"}, ["\\Swarrow"] = {["character"] = "โ‡™", ["name"] = "South West Double Arrow / Lower Left Double Arrow"}, ["\\Lleftarrow"] = {["character"] = "โ‡š", ["name"] = "Leftwards Triple Arrow / Left Triple Arrow"}, ["\\Rrightarrow"] = {["character"] = "โ‡›", ["name"] = "Rightwards Triple Arrow / Right Triple Arrow"}, ["\\leftsquigarrow"] = {["character"] = "โ‡œ", ["name"] = "Leftwards Squiggle Arrow / Left Squiggle Arrow"}, ["\\rightsquigarrow"] = {["character"] = "โ‡", ["name"] = "Rightwards Squiggle Arrow / Right Squiggle Arrow"}, ["\\nHuparrow"] = {["character"] = "โ‡ž", ["name"] = "Upwards Arrow With Double Stroke / Up Arrow With Double Stroke"}, ["\\nHdownarrow"] = {["character"] = "โ‡Ÿ", ["name"] = "Downwards Arrow With Double Stroke / Down Arrow With Double Stroke"}, ["\\leftdasharrow"] = {["character"] = "โ‡ ", ["name"] = "Leftwards Dashed Arrow / Left Dashed Arrow"}, ["\\updasharrow"] = {["character"] = "โ‡ก", ["name"] = "Upwards Dashed Arrow / Up Dashed Arrow"}, ["\\rightdasharrow"] = {["character"] = "โ‡ข", ["name"] = "Rightwards Dashed Arrow / Right Dashed Arrow"}, ["\\downdasharrow"] = {["character"] = "โ‡ฃ", ["name"] = "Downwards Dashed Arrow / Down Dashed Arrow"}, ["\\barleftarrow"] = {["character"] = "โ‡ค", ["name"] = "Leftwards Arrow To Bar / Left Arrow To Bar"}, ["\\rightarrowbar"] = {["character"] = "โ‡ฅ", ["name"] = "Rightwards Arrow To Bar / Right Arrow To Bar"}, ["\\leftwhitearrow"] = {["character"] = "โ‡ฆ", ["name"] = "Leftwards White Arrow / White Left Arrow"}, ["\\upwhitearrow"] = {["character"] = "โ‡ง", ["name"] = "Upwards White Arrow / White Up Arrow"}, ["\\rightwhitearrow"] = {["character"] = "โ‡จ", ["name"] = "Rightwards White Arrow / White Right Arrow"}, ["\\downwhitearrow"] = {["character"] = "โ‡ฉ", ["name"] = "Downwards White Arrow / White Down Arrow"}, ["\\whitearrowupfrombar"] = {["character"] = "โ‡ช", ["name"] = "Upwards White Arrow From Bar / White Up Arrow From Bar"}, ["\\circleonrightarrow"] = {["character"] = "โ‡ด", ["name"] = "Right Arrow With Small Circle"}, ["\\DownArrowUpArrow"] = {["character"] = "โ‡ต", ["name"] = "Downwards Arrow Leftwards Of Upwards Arrow"}, ["\\rightthreearrows"] = {["character"] = "โ‡ถ", ["name"] = "Three Rightwards Arrows"}, ["\\nvleftarrow"] = {["character"] = "โ‡ท", ["name"] = "Leftwards Arrow With Vertical Stroke"}, ["\\nvrightarrow"] = {["character"] = "โ‡ธ", ["name"] = "Rightwards Arrow With Vertical Stroke"}, ["\\nvleftrightarrow"] = {["character"] = "โ‡น", ["name"] = "Left Right Arrow With Vertical Stroke"}, ["\\nVleftarrow"] = {["character"] = "โ‡บ", ["name"] = "Leftwards Arrow With Double Vertical Stroke"}, ["\\nVrightarrow"] = {["character"] = "โ‡ป", ["name"] = "Rightwards Arrow With Double Vertical Stroke"}, ["\\nVleftrightarrow"] = {["character"] = "โ‡ผ", ["name"] = "Left Right Arrow With Double Vertical Stroke"}, ["\\leftarrowtriangle"] = {["character"] = "โ‡ฝ", ["name"] = "Leftwards Open-Headed Arrow"}, ["\\rightarrowtriangle"] = {["character"] = "โ‡พ", ["name"] = "Rightwards Open-Headed Arrow"}, ["\\leftrightarrowtriangle"] = {["character"] = "โ‡ฟ", ["name"] = "Left Right Open-Headed Arrow"}, ["\\forall"] = {["character"] = "โˆ€", ["name"] = "For All"}, ["\\complement"] = {["character"] = "โˆ", ["name"] = "Complement"}, ["\\partial"] = {["character"] = "โˆ‚", ["name"] = "Partial Differential"}, ["\\exists"] = {["character"] = "โˆƒ", ["name"] = "There Exists"}, ["\\nexists"] = {["character"] = "โˆ„", ["name"] = "There Does Not Exist"}, ["\\varnothing"] = {["character"] = "โˆ…", ["name"] = "Empty Set"}, ["\\emptyset"] = {["character"] = "โˆ…", ["name"] = "Empty Set"}, ["\\increment"] = {["character"] = "โˆ†", ["name"] = "Increment"}, ["\\del"] = {["character"] = "โˆ‡", ["name"] = "Nabla"}, ["\\nabla"] = {["character"] = "โˆ‡", ["name"] = "Nabla"}, ["\\in"] = {["character"] = "โˆˆ", ["name"] = "Element Of"}, ["\\notin"] = {["character"] = "โˆ‰", ["name"] = "Not An Element Of"}, ["\\smallin"] = {["character"] = "โˆŠ", ["name"] = "Small Element Of"}, ["\\ni"] = {["character"] = "โˆ‹", ["name"] = "Contains As Member"}, ["\\nni"] = {["character"] = "โˆŒ", ["name"] = "Does Not Contain As Member"}, ["\\smallni"] = {["character"] = "โˆ", ["name"] = "Small Contains As Member"}, ["\\QED"] = {["character"] = "โˆŽ", ["name"] = "End Of Proof"}, ["\\prod"] = {["character"] = "โˆ", ["name"] = "N-Ary Product"}, ["\\coprod"] = {["character"] = "โˆ", ["name"] = "N-Ary Coproduct"}, ["\\sum"] = {["character"] = "โˆ‘", ["name"] = "N-Ary Summation"}, ["\\minus"] = {["character"] = "โˆ’", ["name"] = "Minus Sign"}, ["\\mp"] = {["character"] = "โˆ“", ["name"] = "Minus-Or-Plus Sign"}, ["\\dotplus"] = {["character"] = "โˆ”", ["name"] = "Dot Plus"}, ["\\setminus"] = {["character"] = "โˆ–", ["name"] = "Set Minus"}, ["\\ast"] = {["character"] = "โˆ—", ["name"] = "Asterisk Operator"}, ["\\circ"] = {["character"] = "โˆ˜", ["name"] = "Ring Operator"}, ["\\vysmblkcircle"] = {["character"] = "โˆ™", ["name"] = "Bullet Operator"}, ["\\surd"] = {["character"] = "โˆš", ["name"] = "Square Root"}, ["\\sqrt"] = {["character"] = "โˆš", ["name"] = "Square Root"}, ["\\cbrt"] = {["character"] = "โˆ›", ["name"] = "Cube Root"}, ["\\fourthroot"] = {["character"] = "โˆœ", ["name"] = "Fourth Root"}, ["\\propto"] = {["character"] = "โˆ", ["name"] = "Proportional To"}, ["\\infty"] = {["character"] = "โˆž", ["name"] = "Infinity"}, ["\\rightangle"] = {["character"] = "โˆŸ", ["name"] = "Right Angle"}, ["\\angle"] = {["character"] = "โˆ ", ["name"] = "Angle"}, ["\\measuredangle"] = {["character"] = "โˆก", ["name"] = "Measured Angle"}, ["\\sphericalangle"] = {["character"] = "โˆข", ["name"] = "Spherical Angle"}, ["\\mid"] = {["character"] = "โˆฃ", ["name"] = "Divides"}, ["\\nmid"] = {["character"] = "โˆค", ["name"] = "Does Not Divide"}, ["\\parallel"] = {["character"] = "โˆฅ", ["name"] = "Parallel To"}, ["\\nparallel"] = {["character"] = "โˆฆ", ["name"] = "Not Parallel To"}, ["\\wedge"] = {["character"] = "โˆง", ["name"] = "Logical And"}, ["\\vee"] = {["character"] = "โˆจ", ["name"] = "Logical Or"}, ["\\cap"] = {["character"] = "โˆฉ", ["name"] = "Intersection"}, ["\\cup"] = {["character"] = "โˆช", ["name"] = "Union"}, ["\\int"] = {["character"] = "โˆซ", ["name"] = "Integral"}, ["\\iint"] = {["character"] = "โˆฌ", ["name"] = "Double Integral"}, ["\\iiint"] = {["character"] = "โˆญ", ["name"] = "Triple Integral"}, ["\\oint"] = {["character"] = "โˆฎ", ["name"] = "Contour Integral"}, ["\\oiint"] = {["character"] = "โˆฏ", ["name"] = "Surface Integral"}, ["\\oiiint"] = {["character"] = "โˆฐ", ["name"] = "Volume Integral"}, ["\\clwintegral"] = {["character"] = "โˆฑ", ["name"] = "Clockwise Integral"}, ["\\varointclockwise"] = {["character"] = "โˆฒ", ["name"] = "Clockwise Contour Integral"}, ["\\ointctrclockwise"] = {["character"] = "โˆณ", ["name"] = "Anticlockwise Contour Integral"}, ["\\therefore"] = {["character"] = "โˆด", ["name"] = "Therefore"}, ["\\because"] = {["character"] = "โˆต", ["name"] = "Because"}, ["\\Colon"] = {["character"] = "โˆท", ["name"] = "Proportion"}, ["\\dotminus"] = {["character"] = "โˆธ", ["name"] = "Dot Minus"}, ["\\dotsminusdots"] = {["character"] = "โˆบ", ["name"] = "Geometric Proportion"}, ["\\kernelcontraction"] = {["character"] = "โˆป", ["name"] = "Homothetic"}, ["\\sim"] = {["character"] = "โˆผ", ["name"] = "Tilde Operator"}, ["\\backsim"] = {["character"] = "โˆฝ", ["name"] = "Reversed Tilde"}, ["\\lazysinv"] = {["character"] = "โˆพ", ["name"] = "Inverted Lazy S"}, ["\\sinewave"] = {["character"] = "โˆฟ", ["name"] = "Sine Wave"}, ["\\wr"] = {["character"] = "โ‰€", ["name"] = "Wreath Product"}, ["\\nsim"] = {["character"] = "โ‰", ["name"] = "Not Tilde"}, ["\\eqsim"] = {["character"] = "โ‰‚", ["name"] = "Minus Tilde"}, ["\\neqsim"] = {["character"] = "โ‰‚ฬธ", ["name"] = "Minus Tilde + Combining Long Solidus Overlay / Non-Spacing Long Slash Overlay"}, ["\\simeq"] = {["character"] = "โ‰ƒ", ["name"] = "Asymptotically Equal To"}, ["\\nsime"] = {["character"] = "โ‰„", ["name"] = "Not Asymptotically Equal To"}, ["\\cong"] = {["character"] = "โ‰…", ["name"] = "Approximately Equal To"}, ["\\approxnotequal"] = {["character"] = "โ‰†", ["name"] = "Approximately But Not Actually Equal To"}, ["\\ncong"] = {["character"] = "โ‰‡", ["name"] = "Neither Approximately Nor Actually Equal To"}, ["\\approx"] = {["character"] = "โ‰ˆ", ["name"] = "Almost Equal To"}, ["\\napprox"] = {["character"] = "โ‰‰", ["name"] = "Not Almost Equal To"}, ["\\approxeq"] = {["character"] = "โ‰Š", ["name"] = "Almost Equal Or Equal To"}, ["\\tildetrpl"] = {["character"] = "โ‰‹", ["name"] = "Triple Tilde"}, ["\\allequal"] = {["character"] = "โ‰Œ", ["name"] = "All Equal To"}, ["\\asymp"] = {["character"] = "โ‰", ["name"] = "Equivalent To"}, ["\\Bumpeq"] = {["character"] = "โ‰Ž", ["name"] = "Geometrically Equivalent To"}, ["\\nBumpeq"] = {["character"] = "โ‰Žฬธ", ["name"] = "Geometrically Equivalent To + Combining Long Solidus Overlay / Non-Spacing Long Slash Overlay"}, ["\\bumpeq"] = {["character"] = "โ‰", ["name"] = "Difference Between"}, ["\\nbumpeq"] = {["character"] = "โ‰ฬธ", ["name"] = "Difference Between + Combining Long Solidus Overlay / Non-Spacing Long Slash Overlay"}, ["\\doteq"] = {["character"] = "โ‰", ["name"] = "Approaches The Limit"}, ["\\Doteq"] = {["character"] = "โ‰‘", ["name"] = "Geometrically Equal To"}, ["\\fallingdotseq"] = {["character"] = "โ‰’", ["name"] = "Approximately Equal To Or The Image Of"}, ["\\risingdotseq"] = {["character"] = "โ‰“", ["name"] = "Image Of Or Approximately Equal To"}, ["\\coloneq"] = {["character"] = "โ‰”", ["name"] = "Colon Equals / Colon Equal"}, ["\\eqcolon"] = {["character"] = "โ‰•", ["name"] = "Equals Colon / Equal Colon"}, ["\\eqcirc"] = {["character"] = "โ‰–", ["name"] = "Ring In Equal To"}, ["\\circeq"] = {["character"] = "โ‰—", ["name"] = "Ring Equal To"}, ["\\arceq"] = {["character"] = "โ‰˜", ["name"] = "Corresponds To"}, ["\\wedgeq"] = {["character"] = "โ‰™", ["name"] = "Estimates"}, ["\\veeeq"] = {["character"] = "โ‰š", ["name"] = "Equiangular To"}, ["\\starequal"] = {["character"] = "โ‰›", ["name"] = "Star Equals"}, ["\\triangleq"] = {["character"] = "โ‰œ", ["name"] = "Delta Equal To"}, ["\\eqdef"] = {["character"] = "โ‰", ["name"] = "Equal To By Definition"}, ["\\measeq"] = {["character"] = "โ‰ž", ["name"] = "Measured By"}, ["\\questeq"] = {["character"] = "โ‰Ÿ", ["name"] = "Questioned Equal To"}, ["\\ne"] = {["character"] = "โ‰ ", ["name"] = "Not Equal To"}, ["\\equiv"] = {["character"] = "โ‰ก", ["name"] = "Identical To"}, ["\\nequiv"] = {["character"] = "โ‰ข", ["name"] = "Not Identical To"}, ["\\Equiv"] = {["character"] = "โ‰ฃ", ["name"] = "Strictly Equivalent To"}, ["\\le"] = {["character"] = "โ‰ค", ["name"] = "Less-Than Or Equal To / Less Than Or Equal To"}, ["\\leq"] = {["character"] = "โ‰ค", ["name"] = "Less-Than Or Equal To / Less Than Or Equal To"}, ["\\ge"] = {["character"] = "โ‰ฅ", ["name"] = "Greater-Than Or Equal To / Greater Than Or Equal To"}, ["\\geq"] = {["character"] = "โ‰ฅ", ["name"] = "Greater-Than Or Equal To / Greater Than Or Equal To"}, ["\\leqq"] = {["character"] = "โ‰ฆ", ["name"] = "Less-Than Over Equal To / Less Than Over Equal To"}, ["\\geqq"] = {["character"] = "โ‰ง", ["name"] = "Greater-Than Over Equal To / Greater Than Over Equal To"}, ["\\lneqq"] = {["character"] = "โ‰จ", ["name"] = "Less-Than But Not Equal To / Less Than But Not Equal To"}, ["\\lvertneqq"] = {["character"] = "โ‰จ๏ธ€", ["name"] = "Less-Than But Not Equal To / Less Than But Not Equal To + Variation Selector-1"}, ["\\gneqq"] = {["character"] = "โ‰ฉ", ["name"] = "Greater-Than But Not Equal To / Greater Than But Not Equal To"}, ["\\gvertneqq"] = {["character"] = "โ‰ฉ๏ธ€", ["name"] = "Greater-Than But Not Equal To / Greater Than But Not Equal To + Variation Selector-1"}, ["\\ll"] = {["character"] = "โ‰ช", ["name"] = "Much Less-Than / Much Less Than"}, ["\\NotLessLess"] = {["character"] = "โ‰ชฬธ", ["name"] = "Much Less-Than / Much Less Than + Combining Long Solidus Overlay / Non-Spacing Long Slash Overlay"}, ["\\gg"] = {["character"] = "โ‰ซ", ["name"] = "Much Greater-Than / Much Greater Than"}, ["\\NotGreaterGreater"] = {["character"] = "โ‰ซฬธ", ["name"] = "Much Greater-Than / Much Greater Than + Combining Long Solidus Overlay / Non-Spacing Long Slash Overlay"}, ["\\between"] = {["character"] = "โ‰ฌ", ["name"] = "Between"}, ["\\nasymp"] = {["character"] = "โ‰ญ", ["name"] = "Not Equivalent To"}, ["\\nless"] = {["character"] = "โ‰ฎ", ["name"] = "Not Less-Than / Not Less Than"}, ["\\ngtr"] = {["character"] = "โ‰ฏ", ["name"] = "Not Greater-Than / Not Greater Than"}, ["\\nleq"] = {["character"] = "โ‰ฐ", ["name"] = "Neither Less-Than Nor Equal To / Neither Less Than Nor Equal To"}, ["\\ngeq"] = {["character"] = "โ‰ฑ", ["name"] = "Neither Greater-Than Nor Equal To / Neither Greater Than Nor Equal To"}, ["\\lesssim"] = {["character"] = "โ‰ฒ", ["name"] = "Less-Than Or Equivalent To / Less Than Or Equivalent To"}, ["\\gtrsim"] = {["character"] = "โ‰ณ", ["name"] = "Greater-Than Or Equivalent To / Greater Than Or Equivalent To"}, ["\\nlesssim"] = {["character"] = "โ‰ด", ["name"] = "Neither Less-Than Nor Equivalent To / Neither Less Than Nor Equivalent To"}, ["\\ngtrsim"] = {["character"] = "โ‰ต", ["name"] = "Neither Greater-Than Nor Equivalent To / Neither Greater Than Nor Equivalent To"}, ["\\lessgtr"] = {["character"] = "โ‰ถ", ["name"] = "Less-Than Or Greater-Than / Less Than Or Greater Than"}, ["\\gtrless"] = {["character"] = "โ‰ท", ["name"] = "Greater-Than Or Less-Than / Greater Than Or Less Than"}, ["\\notlessgreater"] = {["character"] = "โ‰ธ", ["name"] = "Neither Less-Than Nor Greater-Than / Neither Less Than Nor Greater Than"}, ["\\notgreaterless"] = {["character"] = "โ‰น", ["name"] = "Neither Greater-Than Nor Less-Than / Neither Greater Than Nor Less Than"}, ["\\prec"] = {["character"] = "โ‰บ", ["name"] = "Precedes"}, ["\\succ"] = {["character"] = "โ‰ป", ["name"] = "Succeeds"}, ["\\preccurlyeq"] = {["character"] = "โ‰ผ", ["name"] = "Precedes Or Equal To"}, ["\\succcurlyeq"] = {["character"] = "โ‰ฝ", ["name"] = "Succeeds Or Equal To"}, ["\\precsim"] = {["character"] = "โ‰พ", ["name"] = "Precedes Or Equivalent To"}, ["\\nprecsim"] = {["character"] = "โ‰พฬธ", ["name"] = "Precedes Or Equivalent To + Combining Long Solidus Overlay / Non-Spacing Long Slash Overlay"}, ["\\succsim"] = {["character"] = "โ‰ฟ", ["name"] = "Succeeds Or Equivalent To"}, ["\\nsuccsim"] = {["character"] = "โ‰ฟฬธ", ["name"] = "Succeeds Or Equivalent To + Combining Long Solidus Overlay / Non-Spacing Long Slash Overlay"}, ["\\nprec"] = {["character"] = "โŠ€", ["name"] = "Does Not Precede"}, ["\\nsucc"] = {["character"] = "โЁ", ["name"] = "Does Not Succeed"}, ["\\subset"] = {["character"] = "โŠ‚", ["name"] = "Subset Of"}, ["\\supset"] = {["character"] = "โŠƒ", ["name"] = "Superset Of"}, ["\\nsubset"] = {["character"] = "โŠ„", ["name"] = "Not A Subset Of"}, ["\\nsupset"] = {["character"] = "โŠ…", ["name"] = "Not A Superset Of"}, ["\\subseteq"] = {["character"] = "โІ", ["name"] = "Subset Of Or Equal To"}, ["\\supseteq"] = {["character"] = "โЇ", ["name"] = "Superset Of Or Equal To"}, ["\\nsubseteq"] = {["character"] = "โŠˆ", ["name"] = "Neither A Subset Of Nor Equal To"}, ["\\nsupseteq"] = {["character"] = "โЉ", ["name"] = "Neither A Superset Of Nor Equal To"}, ["\\subsetneq"] = {["character"] = "โŠŠ", ["name"] = "Subset Of With Not Equal To / Subset Of Or Not Equal To"}, ["\\varsubsetneqq"] = {["character"] = "โŠŠ๏ธ€", ["name"] = "Subset Of With Not Equal To / Subset Of Or Not Equal To + Variation Selector-1"}, ["\\supsetneq"] = {["character"] = "โŠ‹", ["name"] = "Superset Of With Not Equal To / Superset Of Or Not Equal To"}, ["\\varsupsetneq"] = {["character"] = "โŠ‹๏ธ€", ["name"] = "Superset Of With Not Equal To / Superset Of Or Not Equal To + Variation Selector-1"}, ["\\cupdot"] = {["character"] = "โŠ", ["name"] = "Multiset Multiplication"}, ["\\uplus"] = {["character"] = "โŠŽ", ["name"] = "Multiset Union"}, ["\\sqsubset"] = {["character"] = "โŠ", ["name"] = "Square Image Of"}, ["\\NotSquareSubset"] = {["character"] = "โŠฬธ", ["name"] = "Square Image Of + Combining Long Solidus Overlay / Non-Spacing Long Slash Overlay"}, ["\\sqsupset"] = {["character"] = "โА", ["name"] = "Square Original Of"}, ["\\NotSquareSuperset"] = {["character"] = "โАฬธ", ["name"] = "Square Original Of + Combining Long Solidus Overlay / Non-Spacing Long Slash Overlay"}, ["\\sqsubseteq"] = {["character"] = "โŠ‘", ["name"] = "Square Image Of Or Equal To"}, ["\\sqsupseteq"] = {["character"] = "โŠ’", ["name"] = "Square Original Of Or Equal To"}, ["\\sqcap"] = {["character"] = "โŠ“", ["name"] = "Square Cap"}, ["\\sqcup"] = {["character"] = "โŠ”", ["name"] = "Square Cup"}, ["\\oplus"] = {["character"] = "โŠ•", ["name"] = "Circled Plus"}, ["\\ominus"] = {["character"] = "โŠ–", ["name"] = "Circled Minus"}, ["\\otimes"] = {["character"] = "โŠ—", ["name"] = "Circled Times"}, ["\\oslash"] = {["character"] = "โŠ˜", ["name"] = "Circled Division Slash"}, ["\\odot"] = {["character"] = "โŠ™", ["name"] = "Circled Dot Operator"}, ["\\circledcirc"] = {["character"] = "โŠš", ["name"] = "Circled Ring Operator"}, ["\\circledast"] = {["character"] = "โŠ›", ["name"] = "Circled Asterisk Operator"}, ["\\circledequal"] = {["character"] = "โŠœ", ["name"] = "Circled Equals"}, ["\\circleddash"] = {["character"] = "โŠ", ["name"] = "Circled Dash"}, ["\\boxplus"] = {["character"] = "โŠž", ["name"] = "Squared Plus"}, ["\\boxminus"] = {["character"] = "โŠŸ", ["name"] = "Squared Minus"}, ["\\boxtimes"] = {["character"] = "โŠ ", ["name"] = "Squared Times"}, ["\\boxdot"] = {["character"] = "โŠก", ["name"] = "Squared Dot Operator"}, ["\\vdash"] = {["character"] = "โŠข", ["name"] = "Right Tack"}, ["\\dashv"] = {["character"] = "โŠฃ", ["name"] = "Left Tack"}, ["\\top"] = {["character"] = "โŠค", ["name"] = "Down Tack"}, ["\\bot"] = {["character"] = "โŠฅ", ["name"] = "Up Tack"}, ["\\models"] = {["character"] = "โŠง", ["name"] = "Models"}, ["\\vDash"] = {["character"] = "โŠจ", ["name"] = "True"}, ["\\Vdash"] = {["character"] = "โŠฉ", ["name"] = "Forces"}, ["\\Vvdash"] = {["character"] = "โŠช", ["name"] = "Triple Vertical Bar Right Turnstile"}, ["\\VDash"] = {["character"] = "โŠซ", ["name"] = "Double Vertical Bar Double Right Turnstile"}, ["\\nvdash"] = {["character"] = "โŠฌ", ["name"] = "Does Not Prove"}, ["\\nvDash"] = {["character"] = "โŠญ", ["name"] = "Not True"}, ["\\nVdash"] = {["character"] = "โŠฎ", ["name"] = "Does Not Force"}, ["\\nVDash"] = {["character"] = "โŠฏ", ["name"] = "Negated Double Vertical Bar Double Right Turnstile"}, ["\\prurel"] = {["character"] = "โŠฐ", ["name"] = "Precedes Under Relation"}, ["\\scurel"] = {["character"] = "โŠฑ", ["name"] = "Succeeds Under Relation"}, ["\\vartriangleleft"] = {["character"] = "โŠฒ", ["name"] = "Normal Subgroup Of"}, ["\\vartriangleright"] = {["character"] = "โŠณ", ["name"] = "Contains As Normal Subgroup"}, ["\\trianglelefteq"] = {["character"] = "โŠด", ["name"] = "Normal Subgroup Of Or Equal To"}, ["\\trianglerighteq"] = {["character"] = "โŠต", ["name"] = "Contains As Normal Subgroup Or Equal To"}, ["\\original"] = {["character"] = "โŠถ", ["name"] = "Original Of"}, ["\\image"] = {["character"] = "โŠท", ["name"] = "Image Of"}, ["\\multimap"] = {["character"] = "โŠธ", ["name"] = "Multimap"}, ["\\hermitconjmatrix"] = {["character"] = "โŠน", ["name"] = "Hermitian Conjugate Matrix"}, ["\\intercal"] = {["character"] = "โŠบ", ["name"] = "Intercalate"}, ["\\veebar"] = {["character"] = "โŠป", ["name"] = "Xor"}, ["\\xor"] = {["character"] = "โŠป", ["name"] = "Xor"}, ["\\barwedge"] = {["character"] = "โŠผ", ["name"] = "Nand"}, ["\\barvee"] = {["character"] = "โŠฝ", ["name"] = "Nor"}, ["\\rightanglearc"] = {["character"] = "โŠพ", ["name"] = "Right Angle With Arc"}, ["\\varlrtriangle"] = {["character"] = "โŠฟ", ["name"] = "Right Triangle"}, ["\\bigwedge"] = {["character"] = "โ‹€", ["name"] = "N-Ary Logical And"}, ["\\bigvee"] = {["character"] = "โ‹", ["name"] = "N-Ary Logical Or"}, ["\\bigcap"] = {["character"] = "โ‹‚", ["name"] = "N-Ary Intersection"}, ["\\bigcup"] = {["character"] = "โ‹ƒ", ["name"] = "N-Ary Union"}, ["\\diamond"] = {["character"] = "โ‹„", ["name"] = "Diamond Operator"}, ["\\cdot"] = {["character"] = "โ‹…", ["name"] = "Dot Operator"}, ["\\star"] = {["character"] = "โ‹†", ["name"] = "Star Operator"}, ["\\divideontimes"] = {["character"] = "โ‹‡", ["name"] = "Division Times"}, ["\\bowtie"] = {["character"] = "โ‹ˆ", ["name"] = "Bowtie"}, ["\\ltimes"] = {["character"] = "โ‹‰", ["name"] = "Left Normal Factor Semidirect Product"}, ["\\rtimes"] = {["character"] = "โ‹Š", ["name"] = "Right Normal Factor Semidirect Product"}, ["\\leftthreetimes"] = {["character"] = "โ‹‹", ["name"] = "Left Semidirect Product"}, ["\\rightthreetimes"] = {["character"] = "โ‹Œ", ["name"] = "Right Semidirect Product"}, ["\\backsimeq"] = {["character"] = "โ‹", ["name"] = "Reversed Tilde Equals"}, ["\\curlyvee"] = {["character"] = "โ‹Ž", ["name"] = "Curly Logical Or"}, ["\\curlywedge"] = {["character"] = "โ‹", ["name"] = "Curly Logical And"}, ["\\Subset"] = {["character"] = "โ‹", ["name"] = "Double Subset"}, ["\\Supset"] = {["character"] = "โ‹‘", ["name"] = "Double Superset"}, ["\\Cap"] = {["character"] = "โ‹’", ["name"] = "Double Intersection"}, ["\\Cup"] = {["character"] = "โ‹“", ["name"] = "Double Union"}, ["\\pitchfork"] = {["character"] = "โ‹”", ["name"] = "Pitchfork"}, ["\\equalparallel"] = {["character"] = "โ‹•", ["name"] = "Equal And Parallel To"}, ["\\lessdot"] = {["character"] = "โ‹–", ["name"] = "Less-Than With Dot / Less Than With Dot"}, ["\\gtrdot"] = {["character"] = "โ‹—", ["name"] = "Greater-Than With Dot / Greater Than With Dot"}, ["\\verymuchless"] = {["character"] = "โ‹˜", ["name"] = "Very Much Less-Than / Very Much Less Than"}, ["\\ggg"] = {["character"] = "โ‹™", ["name"] = "Very Much Greater-Than / Very Much Greater Than"}, ["\\lesseqgtr"] = {["character"] = "โ‹š", ["name"] = "Less-Than Equal To Or Greater-Than / Less Than Equal To Or Greater Than"}, ["\\gtreqless"] = {["character"] = "โ‹›", ["name"] = "Greater-Than Equal To Or Less-Than / Greater Than Equal To Or Less Than"}, ["\\eqless"] = {["character"] = "โ‹œ", ["name"] = "Equal To Or Less-Than / Equal To Or Less Than"}, ["\\eqgtr"] = {["character"] = "โ‹", ["name"] = "Equal To Or Greater-Than / Equal To Or Greater Than"}, ["\\curlyeqprec"] = {["character"] = "โ‹ž", ["name"] = "Equal To Or Precedes"}, ["\\curlyeqsucc"] = {["character"] = "โ‹Ÿ", ["name"] = "Equal To Or Succeeds"}, ["\\npreccurlyeq"] = {["character"] = "โ‹ ", ["name"] = "Does Not Precede Or Equal"}, ["\\nsucccurlyeq"] = {["character"] = "โ‹ก", ["name"] = "Does Not Succeed Or Equal"}, ["\\nsqsubseteq"] = {["character"] = "โ‹ข", ["name"] = "Not Square Image Of Or Equal To"}, ["\\nsqsupseteq"] = {["character"] = "โ‹ฃ", ["name"] = "Not Square Original Of Or Equal To"}, ["\\sqsubsetneq"] = {["character"] = "โ‹ค", ["name"] = "Square Image Of Or Not Equal To"}, ["\\sqspne"] = {["character"] = "โ‹ฅ", ["name"] = "Square Original Of Or Not Equal To"}, ["\\lnsim"] = {["character"] = "โ‹ฆ", ["name"] = "Less-Than But Not Equivalent To / Less Than But Not Equivalent To"}, ["\\gnsim"] = {["character"] = "โ‹ง", ["name"] = "Greater-Than But Not Equivalent To / Greater Than But Not Equivalent To"}, ["\\precnsim"] = {["character"] = "โ‹จ", ["name"] = "Precedes But Not Equivalent To"}, ["\\succnsim"] = {["character"] = "โ‹ฉ", ["name"] = "Succeeds But Not Equivalent To"}, ["\\ntriangleleft"] = {["character"] = "โ‹ช", ["name"] = "Not Normal Subgroup Of"}, ["\\ntriangleright"] = {["character"] = "โ‹ซ", ["name"] = "Does Not Contain As Normal Subgroup"}, ["\\ntrianglelefteq"] = {["character"] = "โ‹ฌ", ["name"] = "Not Normal Subgroup Of Or Equal To"}, ["\\ntrianglerighteq"] = {["character"] = "โ‹ญ", ["name"] = "Does Not Contain As Normal Subgroup Or Equal"}, ["\\vdots"] = {["character"] = "โ‹ฎ", ["name"] = "Vertical Ellipsis"}, ["\\cdots"] = {["character"] = "โ‹ฏ", ["name"] = "Midline Horizontal Ellipsis"}, ["\\adots"] = {["character"] = "โ‹ฐ", ["name"] = "Up Right Diagonal Ellipsis"}, ["\\ddots"] = {["character"] = "โ‹ฑ", ["name"] = "Down Right Diagonal Ellipsis"}, ["\\disin"] = {["character"] = "โ‹ฒ", ["name"] = "Element Of With Long Horizontal Stroke"}, ["\\varisins"] = {["character"] = "โ‹ณ", ["name"] = "Element Of With Vertical Bar At End Of Horizontal Stroke"}, ["\\isins"] = {["character"] = "โ‹ด", ["name"] = "Small Element Of With Vertical Bar At End Of Horizontal Stroke"}, ["\\isindot"] = {["character"] = "โ‹ต", ["name"] = "Element Of With Dot Above"}, ["\\varisinobar"] = {["character"] = "โ‹ถ", ["name"] = "Element Of With Overbar"}, ["\\isinobar"] = {["character"] = "โ‹ท", ["name"] = "Small Element Of With Overbar"}, ["\\isinvb"] = {["character"] = "โ‹ธ", ["name"] = "Element Of With Underbar"}, ["\\isinE"] = {["character"] = "โ‹น", ["name"] = "Element Of With Two Horizontal Strokes"}, ["\\nisd"] = {["character"] = "โ‹บ", ["name"] = "Contains With Long Horizontal Stroke"}, ["\\varnis"] = {["character"] = "โ‹ป", ["name"] = "Contains With Vertical Bar At End Of Horizontal Stroke"}, ["\\nis"] = {["character"] = "โ‹ผ", ["name"] = "Small Contains With Vertical Bar At End Of Horizontal Stroke"}, ["\\varniobar"] = {["character"] = "โ‹ฝ", ["name"] = "Contains With Overbar"}, ["\\niobar"] = {["character"] = "โ‹พ", ["name"] = "Small Contains With Overbar"}, ["\\bagmember"] = {["character"] = "โ‹ฟ", ["name"] = "Z Notation Bag Membership"}, ["\\diameter"] = {["character"] = "โŒ€", ["name"] = "Diameter Sign"}, ["\\house"] = {["character"] = "โŒ‚", ["name"] = "House"}, ["\\varbarwedge"] = {["character"] = "โŒ…", ["name"] = "Projective"}, ["\\vardoublebarwedge"] = {["character"] = "โŒ†", ["name"] = "Perspective"}, ["\\lceil"] = {["character"] = "โŒˆ", ["name"] = "Left Ceiling"}, ["\\rceil"] = {["character"] = "โŒ‰", ["name"] = "Right Ceiling"}, ["\\lfloor"] = {["character"] = "โŒŠ", ["name"] = "Left Floor"}, ["\\rfloor"] = {["character"] = "โŒ‹", ["name"] = "Right Floor"}, ["\\invnot"] = {["character"] = "โŒ", ["name"] = "Reversed Not Sign"}, ["\\sqlozenge"] = {["character"] = "โŒ‘", ["name"] = "Square Lozenge"}, ["\\profline"] = {["character"] = "โŒ’", ["name"] = "Arc"}, ["\\profsurf"] = {["character"] = "โŒ“", ["name"] = "Segment"}, ["\\recorder"] = {["character"] = "โŒ•", ["name"] = "Telephone Recorder"}, ["\\viewdata"] = {["character"] = "โŒ—", ["name"] = "Viewdata Square"}, ["\\turnednot"] = {["character"] = "โŒ™", ["name"] = "Turned Not Sign"}, ["\\:watch:"] = {["character"] = "โŒš", ["name"] = "Watch"}, ["\\:hourglass:"] = {["character"] = "โŒ›", ["name"] = "Hourglass"}, ["\\ulcorner"] = {["character"] = "โŒœ", ["name"] = "Top Left Corner"}, ["\\urcorner"] = {["character"] = "โŒ", ["name"] = "Top Right Corner"}, ["\\llcorner"] = {["character"] = "โŒž", ["name"] = "Bottom Left Corner"}, ["\\lrcorner"] = {["character"] = "โŒŸ", ["name"] = "Bottom Right Corner"}, ["\\frown"] = {["character"] = "โŒข", ["name"] = "Frown"}, ["\\smile"] = {["character"] = "โŒฃ", ["name"] = "Smile"}, ["\\varhexagonlrbonds"] = {["character"] = "โŒฌ", ["name"] = "Benzene Ring"}, ["\\conictaper"] = {["character"] = "โŒฒ", ["name"] = "Conical Taper"}, ["\\topbot"] = {["character"] = "โŒถ", ["name"] = "Apl Functional Symbol I-Beam"}, ["\\obar"] = {["character"] = "โŒฝ", ["name"] = "Apl Functional Symbol Circle Stile"}, ["\\notslash"] = {["character"] = "โŒฟ", ["name"] = "Apl Functional Symbol Slash Bar"}, ["\\notbackslash"] = {["character"] = "โ€", ["name"] = "Apl Functional Symbol Backslash Bar"}, ["\\boxupcaret"] = {["character"] = "โ“", ["name"] = "Apl Functional Symbol Quad Up Caret"}, ["\\boxquestion"] = {["character"] = "โฐ", ["name"] = "Apl Functional Symbol Quad Question"}, ["\\hexagon"] = {["character"] = "โŽ”", ["name"] = "Software-Function Symbol"}, ["\\dlcorn"] = {["character"] = "โŽฃ", ["name"] = "Left Square Bracket Lower Corner"}, ["\\lmoustache"] = {["character"] = "โŽฐ", ["name"] = "Upper Left Or Lower Right Curly Bracket Section"}, ["\\rmoustache"] = {["character"] = "โŽฑ", ["name"] = "Upper Right Or Lower Left Curly Bracket Section"}, ["\\overbracket"] = {["character"] = "โŽด", ["name"] = "Top Square Bracket"}, ["\\underbracket"] = {["character"] = "โŽต", ["name"] = "Bottom Square Bracket"}, ["\\bbrktbrk"] = {["character"] = "โŽถ", ["name"] = "Bottom Square Bracket Over Top Square Bracket"}, ["\\sqrtbottom"] = {["character"] = "โŽท", ["name"] = "Radical Symbol Bottom"}, ["\\lvboxline"] = {["character"] = "โŽธ", ["name"] = "Left Vertical Box Line"}, ["\\rvboxline"] = {["character"] = "โŽน", ["name"] = "Right Vertical Box Line"}, ["\\varcarriagereturn"] = {["character"] = "โŽ", ["name"] = "Return Symbol"}, ["\\overbrace"] = {["character"] = "โž", ["name"] = "Top Curly Bracket"}, ["\\underbrace"] = {["character"] = "โŸ", ["name"] = "Bottom Curly Bracket"}, ["\\trapezium"] = {["character"] = "โข", ["name"] = "White Trapezium"}, ["\\benzenr"] = {["character"] = "โฃ", ["name"] = "Benzene Ring With Circle"}, ["\\strns"] = {["character"] = "โค", ["name"] = "Straightness"}, ["\\fltns"] = {["character"] = "โฅ", ["name"] = "Flatness"}, ["\\accurrent"] = {["character"] = "โฆ", ["name"] = "Ac Current"}, ["\\elinters"] = {["character"] = "โง", ["name"] = "Electrical Intersection"}, ["\\:fast_forward:"] = {["character"] = "โฉ", ["name"] = "Black Right-Pointing Double Triangle"}, ["\\:rewind:"] = {["character"] = "โช", ["name"] = "Black Left-Pointing Double Triangle"}, ["\\:arrow_double_up:"] = {["character"] = "โซ", ["name"] = "Black Up-Pointing Double Triangle"}, ["\\:arrow_double_down:"] = {["character"] = "โฌ", ["name"] = "Black Down-Pointing Double Triangle"}, ["\\:alarm_clock:"] = {["character"] = "โฐ", ["name"] = "Alarm Clock"}, ["\\:hourglass_flowing_sand:"] = {["character"] = "โณ", ["name"] = "Hourglass With Flowing Sand"}, ["\\blanksymbol"] = {["character"] = "โข", ["name"] = "Blank Symbol / Blank"}, ["\\visiblespace"] = {["character"] = "โฃ", ["name"] = "Open Box"}, ["\\:m:"] = {["character"] = "โ“‚", ["name"] = "Circled Latin Capital Letter M"}, ["\\circledS"] = {["character"] = "โ“ˆ", ["name"] = "Circled Latin Capital Letter S"}, ["\\dshfnc"] = {["character"] = "โ”†", ["name"] = "Box Drawings Light Triple Dash Vertical / Forms Light Triple Dash Vertical"}, ["\\sqfnw"] = {["character"] = "โ”™", ["name"] = "Box Drawings Up Light And Left Heavy / Forms Up Light And Left Heavy"}, ["\\diagup"] = {["character"] = "โ•ฑ", ["name"] = "Box Drawings Light Diagonal Upper Right To Lower Left / Forms Light Diagonal Upper Right To Lower Left"}, ["\\diagdown"] = {["character"] = "โ•ฒ", ["name"] = "Box Drawings Light Diagonal Upper Left To Lower Right / Forms Light Diagonal Upper Left To Lower Right"}, ["\\blockuphalf"] = {["character"] = "โ–€", ["name"] = "Upper Half Block"}, ["\\blocklowhalf"] = {["character"] = "โ–„", ["name"] = "Lower Half Block"}, ["\\blockfull"] = {["character"] = "โ–ˆ", ["name"] = "Full Block"}, ["\\blocklefthalf"] = {["character"] = "โ–Œ", ["name"] = "Left Half Block"}, ["\\blockrighthalf"] = {["character"] = "โ–", ["name"] = "Right Half Block"}, ["\\blockqtrshaded"] = {["character"] = "โ–‘", ["name"] = "Light Shade"}, ["\\blockhalfshaded"] = {["character"] = "โ–’", ["name"] = "Medium Shade"}, ["\\blockthreeqtrshaded"] = {["character"] = "โ–“", ["name"] = "Dark Shade"}, ["\\blacksquare"] = {["character"] = "โ– ", ["name"] = "Black Square"}, ["\\square"] = {["character"] = "โ–ก", ["name"] = "White Square"}, ["\\squoval"] = {["character"] = "โ–ข", ["name"] = "White Square With Rounded Corners"}, ["\\blackinwhitesquare"] = {["character"] = "โ–ฃ", ["name"] = "White Square Containing Black Small Square"}, ["\\squarehfill"] = {["character"] = "โ–ค", ["name"] = "Square With Horizontal Fill"}, ["\\squarevfill"] = {["character"] = "โ–ฅ", ["name"] = "Square With Vertical Fill"}, ["\\squarehvfill"] = {["character"] = "โ–ฆ", ["name"] = "Square With Orthogonal Crosshatch Fill"}, ["\\squarenwsefill"] = {["character"] = "โ–ง", ["name"] = "Square With Upper Left To Lower Right Fill"}, ["\\squareneswfill"] = {["character"] = "โ–จ", ["name"] = "Square With Upper Right To Lower Left Fill"}, ["\\squarecrossfill"] = {["character"] = "โ–ฉ", ["name"] = "Square With Diagonal Crosshatch Fill"}, ["\\smblksquare"] = {["character"] = "โ–ช", ["name"] = "Black Small Square"}, ["\\:black_small_square:"] = {["character"] = "โ–ช", ["name"] = "Black Small Square"}, ["\\smwhtsquare"] = {["character"] = "โ–ซ", ["name"] = "White Small Square"}, ["\\:white_small_square:"] = {["character"] = "โ–ซ", ["name"] = "White Small Square"}, ["\\hrectangleblack"] = {["character"] = "โ–ฌ", ["name"] = "Black Rectangle"}, ["\\hrectangle"] = {["character"] = "โ–ญ", ["name"] = "White Rectangle"}, ["\\vrectangleblack"] = {["character"] = "โ–ฎ", ["name"] = "Black Vertical Rectangle"}, ["\\vrecto"] = {["character"] = "โ–ฏ", ["name"] = "White Vertical Rectangle"}, ["\\parallelogramblack"] = {["character"] = "โ–ฐ", ["name"] = "Black Parallelogram"}, ["\\parallelogram"] = {["character"] = "โ–ฑ", ["name"] = "White Parallelogram"}, ["\\bigblacktriangleup"] = {["character"] = "โ–ฒ", ["name"] = "Black Up-Pointing Triangle / Black Up Pointing Triangle"}, ["\\bigtriangleup"] = {["character"] = "โ–ณ", ["name"] = "White Up-Pointing Triangle / White Up Pointing Triangle"}, ["\\blacktriangle"] = {["character"] = "โ–ด", ["name"] = "Black Up-Pointing Small Triangle / Black Up Pointing Small Triangle"}, ["\\vartriangle"] = {["character"] = "โ–ต", ["name"] = "White Up-Pointing Small Triangle / White Up Pointing Small Triangle"}, ["\\blacktriangleright"] = {["character"] = "โ–ถ", ["name"] = "Black Right-Pointing Triangle / Black Right Pointing Triangle"}, ["\\:arrow_forward:"] = {["character"] = "โ–ถ", ["name"] = "Black Right-Pointing Triangle / Black Right Pointing Triangle"}, ["\\triangleright"] = {["character"] = "โ–ท", ["name"] = "White Right-Pointing Triangle / White Right Pointing Triangle"}, ["\\smallblacktriangleright"] = {["character"] = "โ–ธ", ["name"] = "Black Right-Pointing Small Triangle / Black Right Pointing Small Triangle"}, ["\\smalltriangleright"] = {["character"] = "โ–น", ["name"] = "White Right-Pointing Small Triangle / White Right Pointing Small Triangle"}, ["\\blackpointerright"] = {["character"] = "โ–บ", ["name"] = "Black Right-Pointing Pointer / Black Right Pointing Pointer"}, ["\\whitepointerright"] = {["character"] = "โ–ป", ["name"] = "White Right-Pointing Pointer / White Right Pointing Pointer"}, ["\\bigblacktriangledown"] = {["character"] = "โ–ผ", ["name"] = "Black Down-Pointing Triangle / Black Down Pointing Triangle"}, ["\\bigtriangledown"] = {["character"] = "โ–ฝ", ["name"] = "White Down-Pointing Triangle / White Down Pointing Triangle"}, ["\\blacktriangledown"] = {["character"] = "โ–พ", ["name"] = "Black Down-Pointing Small Triangle / Black Down Pointing Small Triangle"}, ["\\triangledown"] = {["character"] = "โ–ฟ", ["name"] = "White Down-Pointing Small Triangle / White Down Pointing Small Triangle"}, ["\\blacktriangleleft"] = {["character"] = "โ—€", ["name"] = "Black Left-Pointing Triangle / Black Left Pointing Triangle"}, ["\\:arrow_backward:"] = {["character"] = "โ—€", ["name"] = "Black Left-Pointing Triangle / Black Left Pointing Triangle"}, ["\\triangleleft"] = {["character"] = "โ—", ["name"] = "White Left-Pointing Triangle / White Left Pointing Triangle"}, ["\\smallblacktriangleleft"] = {["character"] = "โ—‚", ["name"] = "Black Left-Pointing Small Triangle / Black Left Pointing Small Triangle"}, ["\\smalltriangleleft"] = {["character"] = "โ—ƒ", ["name"] = "White Left-Pointing Small Triangle / White Left Pointing Small Triangle"}, ["\\blackpointerleft"] = {["character"] = "โ—„", ["name"] = "Black Left-Pointing Pointer / Black Left Pointing Pointer"}, ["\\whitepointerleft"] = {["character"] = "โ—…", ["name"] = "White Left-Pointing Pointer / White Left Pointing Pointer"}, ["\\mdlgblkdiamond"] = {["character"] = "โ—†", ["name"] = "Black Diamond"}, ["\\mdlgwhtdiamond"] = {["character"] = "โ—‡", ["name"] = "White Diamond"}, ["\\blackinwhitediamond"] = {["character"] = "โ—ˆ", ["name"] = "White Diamond Containing Black Small Diamond"}, ["\\fisheye"] = {["character"] = "โ—‰", ["name"] = "Fisheye"}, ["\\lozenge"] = {["character"] = "โ—Š", ["name"] = "Lozenge"}, ["\\bigcirc"] = {["character"] = "โ—‹", ["name"] = "White Circle"}, ["\\dottedcircle"] = {["character"] = "โ—Œ", ["name"] = "Dotted Circle"}, ["\\circlevertfill"] = {["character"] = "โ—", ["name"] = "Circle With Vertical Fill"}, ["\\bullseye"] = {["character"] = "โ—Ž", ["name"] = "Bullseye"}, ["\\mdlgblkcircle"] = {["character"] = "โ—", ["name"] = "Black Circle"}, ["\\cirfl"] = {["character"] = "โ—", ["name"] = "Circle With Left Half Black"}, ["\\cirfr"] = {["character"] = "โ—‘", ["name"] = "Circle With Right Half Black"}, ["\\cirfb"] = {["character"] = "โ—’", ["name"] = "Circle With Lower Half Black"}, ["\\circletophalfblack"] = {["character"] = "โ—“", ["name"] = "Circle With Upper Half Black"}, ["\\circleurquadblack"] = {["character"] = "โ—”", ["name"] = "Circle With Upper Right Quadrant Black"}, ["\\blackcircleulquadwhite"] = {["character"] = "โ—•", ["name"] = "Circle With All But Upper Left Quadrant Black"}, ["\\blacklefthalfcircle"] = {["character"] = "โ—–", ["name"] = "Left Half Black Circle"}, ["\\blackrighthalfcircle"] = {["character"] = "โ——", ["name"] = "Right Half Black Circle"}, ["\\rvbull"] = {["character"] = "โ—˜", ["name"] = "Inverse Bullet"}, ["\\inversewhitecircle"] = {["character"] = "โ—™", ["name"] = "Inverse White Circle"}, ["\\invwhiteupperhalfcircle"] = {["character"] = "โ—š", ["name"] = "Upper Half Inverse White Circle"}, ["\\invwhitelowerhalfcircle"] = {["character"] = "โ—›", ["name"] = "Lower Half Inverse White Circle"}, ["\\ularc"] = {["character"] = "โ—œ", ["name"] = "Upper Left Quadrant Circular Arc"}, ["\\urarc"] = {["character"] = "โ—", ["name"] = "Upper Right Quadrant Circular Arc"}, ["\\lrarc"] = {["character"] = "โ—ž", ["name"] = "Lower Right Quadrant Circular Arc"}, ["\\llarc"] = {["character"] = "โ—Ÿ", ["name"] = "Lower Left Quadrant Circular Arc"}, ["\\topsemicircle"] = {["character"] = "โ— ", ["name"] = "Upper Half Circle"}, ["\\botsemicircle"] = {["character"] = "โ—ก", ["name"] = "Lower Half Circle"}, ["\\lrblacktriangle"] = {["character"] = "โ—ข", ["name"] = "Black Lower Right Triangle"}, ["\\llblacktriangle"] = {["character"] = "โ—ฃ", ["name"] = "Black Lower Left Triangle"}, ["\\ulblacktriangle"] = {["character"] = "โ—ค", ["name"] = "Black Upper Left Triangle"}, ["\\urblacktriangle"] = {["character"] = "โ—ฅ", ["name"] = "Black Upper Right Triangle"}, ["\\smwhtcircle"] = {["character"] = "โ—ฆ", ["name"] = "White Bullet"}, ["\\sqfl"] = {["character"] = "โ—ง", ["name"] = "Square With Left Half Black"}, ["\\sqfr"] = {["character"] = "โ—จ", ["name"] = "Square With Right Half Black"}, ["\\squareulblack"] = {["character"] = "โ—ฉ", ["name"] = "Square With Upper Left Diagonal Half Black"}, ["\\sqfse"] = {["character"] = "โ—ช", ["name"] = "Square With Lower Right Diagonal Half Black"}, ["\\boxbar"] = {["character"] = "โ—ซ", ["name"] = "White Square With Vertical Bisecting Line"}, ["\\trianglecdot"] = {["character"] = "โ—ฌ", ["name"] = "White Up-Pointing Triangle With Dot / White Up Pointing Triangle With Dot"}, ["\\triangleleftblack"] = {["character"] = "โ—ญ", ["name"] = "Up-Pointing Triangle With Left Half Black / Up Pointing Triangle With Left Half Black"}, ["\\trianglerightblack"] = {["character"] = "โ—ฎ", ["name"] = "Up-Pointing Triangle With Right Half Black / Up Pointing Triangle With Right Half Black"}, ["\\lgwhtcircle"] = {["character"] = "โ—ฏ", ["name"] = "Large Circle"}, ["\\squareulquad"] = {["character"] = "โ—ฐ", ["name"] = "White Square With Upper Left Quadrant"}, ["\\squarellquad"] = {["character"] = "โ—ฑ", ["name"] = "White Square With Lower Left Quadrant"}, ["\\squarelrquad"] = {["character"] = "โ—ฒ", ["name"] = "White Square With Lower Right Quadrant"}, ["\\squareurquad"] = {["character"] = "โ—ณ", ["name"] = "White Square With Upper Right Quadrant"}, ["\\circleulquad"] = {["character"] = "โ—ด", ["name"] = "White Circle With Upper Left Quadrant"}, ["\\circlellquad"] = {["character"] = "โ—ต", ["name"] = "White Circle With Lower Left Quadrant"}, ["\\circlelrquad"] = {["character"] = "โ—ถ", ["name"] = "White Circle With Lower Right Quadrant"}, ["\\circleurquad"] = {["character"] = "โ—ท", ["name"] = "White Circle With Upper Right Quadrant"}, ["\\ultriangle"] = {["character"] = "โ—ธ", ["name"] = "Upper Left Triangle"}, ["\\urtriangle"] = {["character"] = "โ—น", ["name"] = "Upper Right Triangle"}, ["\\lltriangle"] = {["character"] = "โ—บ", ["name"] = "Lower Left Triangle"}, ["\\mdwhtsquare"] = {["character"] = "โ—ป", ["name"] = "White Medium Square"}, ["\\:white_medium_square:"] = {["character"] = "โ—ป", ["name"] = "White Medium Square"}, ["\\mdblksquare"] = {["character"] = "โ—ผ", ["name"] = "Black Medium Square"}, ["\\:black_medium_square:"] = {["character"] = "โ—ผ", ["name"] = "Black Medium Square"}, ["\\mdsmwhtsquare"] = {["character"] = "โ—ฝ", ["name"] = "White Medium Small Square"}, ["\\:white_medium_small_square:"] = {["character"] = "โ—ฝ", ["name"] = "White Medium Small Square"}, ["\\mdsmblksquare"] = {["character"] = "โ—พ", ["name"] = "Black Medium Small Square"}, ["\\:black_medium_small_square:"] = {["character"] = "โ—พ", ["name"] = "Black Medium Small Square"}, ["\\lrtriangle"] = {["character"] = "โ—ฟ", ["name"] = "Lower Right Triangle"}, ["\\:sunny:"] = {["character"] = "โ˜€", ["name"] = "Black Sun With Rays"}, ["\\:cloud:"] = {["character"] = "โ˜", ["name"] = "Cloud"}, ["\\bigstar"] = {["character"] = "โ˜…", ["name"] = "Black Star"}, ["\\bigwhitestar"] = {["character"] = "โ˜†", ["name"] = "White Star"}, ["\\astrosun"] = {["character"] = "โ˜‰", ["name"] = "Sun"}, ["\\:phone:"] = {["character"] = "โ˜Ž", ["name"] = "Black Telephone"}, ["\\:ballot_box_with_check:"] = {["character"] = "โ˜‘", ["name"] = "Ballot Box With Check"}, ["\\:umbrella:"] = {["character"] = "โ˜”", ["name"] = "Umbrella With Rain Drops"}, ["\\:coffee:"] = {["character"] = "โ˜•", ["name"] = "Hot Beverage"}, ["\\:point_up:"] = {["character"] = "โ˜", ["name"] = "White Up Pointing Index"}, ["\\danger"] = {["character"] = "โ˜ก", ["name"] = "Caution Sign"}, ["\\:relaxed:"] = {["character"] = "โ˜บ", ["name"] = "White Smiling Face"}, ["\\blacksmiley"] = {["character"] = "โ˜ป", ["name"] = "Black Smiling Face"}, ["\\sun"] = {["character"] = "โ˜ผ", ["name"] = "White Sun With Rays"}, ["\\rightmoon"] = {["character"] = "โ˜ฝ", ["name"] = "First Quarter Moon"}, ["\\leftmoon"] = {["character"] = "โ˜พ", ["name"] = "Last Quarter Moon"}, ["\\mercury"] = {["character"] = "โ˜ฟ", ["name"] = "Mercury"}, ["\\venus"] = {["character"] = "โ™€", ["name"] = "Female Sign"}, ["\\female"] = {["character"] = "โ™€", ["name"] = "Female Sign"}, ["\\male"] = {["character"] = "โ™‚", ["name"] = "Male Sign"}, ["\\mars"] = {["character"] = "โ™‚", ["name"] = "Male Sign"}, ["\\jupiter"] = {["character"] = "โ™ƒ", ["name"] = "Jupiter"}, ["\\saturn"] = {["character"] = "โ™„", ["name"] = "Saturn"}, ["\\uranus"] = {["character"] = "โ™…", ["name"] = "Uranus"}, ["\\neptune"] = {["character"] = "โ™†", ["name"] = "Neptune"}, ["\\pluto"] = {["character"] = "โ™‡", ["name"] = "Pluto"}, ["\\aries"] = {["character"] = "โ™ˆ", ["name"] = "Aries"}, ["\\:aries:"] = {["character"] = "โ™ˆ", ["name"] = "Aries"}, ["\\taurus"] = {["character"] = "โ™‰", ["name"] = "Taurus"}, ["\\:taurus:"] = {["character"] = "โ™‰", ["name"] = "Taurus"}, ["\\gemini"] = {["character"] = "โ™Š", ["name"] = "Gemini"}, ["\\:gemini:"] = {["character"] = "โ™Š", ["name"] = "Gemini"}, ["\\cancer"] = {["character"] = "โ™‹", ["name"] = "Cancer"}, ["\\:cancer:"] = {["character"] = "โ™‹", ["name"] = "Cancer"}, ["\\leo"] = {["character"] = "โ™Œ", ["name"] = "Leo"}, ["\\:leo:"] = {["character"] = "โ™Œ", ["name"] = "Leo"}, ["\\virgo"] = {["character"] = "โ™", ["name"] = "Virgo"}, ["\\:virgo:"] = {["character"] = "โ™", ["name"] = "Virgo"}, ["\\libra"] = {["character"] = "โ™Ž", ["name"] = "Libra"}, ["\\:libra:"] = {["character"] = "โ™Ž", ["name"] = "Libra"}, ["\\scorpio"] = {["character"] = "โ™", ["name"] = "Scorpius"}, ["\\:scorpius:"] = {["character"] = "โ™", ["name"] = "Scorpius"}, ["\\sagittarius"] = {["character"] = "โ™", ["name"] = "Sagittarius"}, ["\\:sagittarius:"] = {["character"] = "โ™", ["name"] = "Sagittarius"}, ["\\capricornus"] = {["character"] = "โ™‘", ["name"] = "Capricorn"}, ["\\:capricorn:"] = {["character"] = "โ™‘", ["name"] = "Capricorn"}, ["\\aquarius"] = {["character"] = "โ™’", ["name"] = "Aquarius"}, ["\\:aquarius:"] = {["character"] = "โ™’", ["name"] = "Aquarius"}, ["\\pisces"] = {["character"] = "โ™“", ["name"] = "Pisces"}, ["\\:pisces:"] = {["character"] = "โ™“", ["name"] = "Pisces"}, ["\\spadesuit"] = {["character"] = "โ™ ", ["name"] = "Black Spade Suit"}, ["\\:spades:"] = {["character"] = "โ™ ", ["name"] = "Black Spade Suit"}, ["\\heartsuit"] = {["character"] = "โ™ก", ["name"] = "White Heart Suit"}, ["\\diamondsuit"] = {["character"] = "โ™ข", ["name"] = "White Diamond Suit"}, ["\\clubsuit"] = {["character"] = "โ™ฃ", ["name"] = "Black Club Suit"}, ["\\:clubs:"] = {["character"] = "โ™ฃ", ["name"] = "Black Club Suit"}, ["\\varspadesuit"] = {["character"] = "โ™ค", ["name"] = "White Spade Suit"}, ["\\varheartsuit"] = {["character"] = "โ™ฅ", ["name"] = "Black Heart Suit"}, ["\\:hearts:"] = {["character"] = "โ™ฅ", ["name"] = "Black Heart Suit"}, ["\\vardiamondsuit"] = {["character"] = "โ™ฆ", ["name"] = "Black Diamond Suit"}, ["\\:diamonds:"] = {["character"] = "โ™ฆ", ["name"] = "Black Diamond Suit"}, ["\\varclubsuit"] = {["character"] = "โ™ง", ["name"] = "White Club Suit"}, ["\\:hotsprings:"] = {["character"] = "โ™จ", ["name"] = "Hot Springs"}, ["\\quarternote"] = {["character"] = "โ™ฉ", ["name"] = "Quarter Note"}, ["\\eighthnote"] = {["character"] = "โ™ช", ["name"] = "Eighth Note"}, ["\\twonotes"] = {["character"] = "โ™ซ", ["name"] = "Beamed Eighth Notes / Barred Eighth Notes"}, ["\\flat"] = {["character"] = "โ™ญ", ["name"] = "Music Flat Sign / Flat"}, ["\\natural"] = {["character"] = "โ™ฎ", ["name"] = "Music Natural Sign / Natural"}, ["\\sharp"] = {["character"] = "โ™ฏ", ["name"] = "Music Sharp Sign / Sharp"}, ["\\:recycle:"] = {["character"] = "โ™ป", ["name"] = "Black Universal Recycling Symbol"}, ["\\acidfree"] = {["character"] = "โ™พ", ["name"] = "Permanent Paper Sign"}, ["\\:wheelchair:"] = {["character"] = "โ™ฟ", ["name"] = "Wheelchair Symbol"}, ["\\dicei"] = {["character"] = "โš€", ["name"] = "Die Face-1"}, ["\\diceii"] = {["character"] = "โš", ["name"] = "Die Face-2"}, ["\\diceiii"] = {["character"] = "โš‚", ["name"] = "Die Face-3"}, ["\\diceiv"] = {["character"] = "โšƒ", ["name"] = "Die Face-4"}, ["\\dicev"] = {["character"] = "โš„", ["name"] = "Die Face-5"}, ["\\dicevi"] = {["character"] = "โš…", ["name"] = "Die Face-6"}, ["\\circledrightdot"] = {["character"] = "โš†", ["name"] = "White Circle With Dot Right"}, ["\\circledtwodots"] = {["character"] = "โš‡", ["name"] = "White Circle With Two Dots"}, ["\\blackcircledrightdot"] = {["character"] = "โšˆ", ["name"] = "Black Circle With White Dot Right"}, ["\\blackcircledtwodots"] = {["character"] = "โš‰", ["name"] = "Black Circle With Two White Dots"}, ["\\:anchor:"] = {["character"] = "โš“", ["name"] = "Anchor"}, ["\\:warning:"] = {["character"] = "โš ", ["name"] = "Warning Sign"}, ["\\:zap:"] = {["character"] = "โšก", ["name"] = "High Voltage Sign"}, ["\\hermaphrodite"] = {["character"] = "โšฅ", ["name"] = "Male And Female Sign"}, ["\\mdwhtcircle"] = {["character"] = "โšช", ["name"] = "Medium White Circle"}, ["\\:white_circle:"] = {["character"] = "โšช", ["name"] = "Medium White Circle"}, ["\\mdblkcircle"] = {["character"] = "โšซ", ["name"] = "Medium Black Circle"}, ["\\:black_circle:"] = {["character"] = "โšซ", ["name"] = "Medium Black Circle"}, ["\\mdsmwhtcircle"] = {["character"] = "โšฌ", ["name"] = "Medium Small White Circle"}, ["\\neuter"] = {["character"] = "โšฒ", ["name"] = "Neuter"}, ["\\:soccer:"] = {["character"] = "โšฝ", ["name"] = "Soccer Ball"}, ["\\:baseball:"] = {["character"] = "โšพ", ["name"] = "Baseball"}, ["\\:snowman:"] = {["character"] = "โ›„", ["name"] = "Snowman Without Snow"}, ["\\:partly_sunny:"] = {["character"] = "โ›…", ["name"] = "Sun Behind Cloud"}, ["\\:ophiuchus:"] = {["character"] = "โ›Ž", ["name"] = "Ophiuchus"}, ["\\:no_entry:"] = {["character"] = "โ›”", ["name"] = "No Entry"}, ["\\:church:"] = {["character"] = "โ›ช", ["name"] = "Church"}, ["\\:fountain:"] = {["character"] = "โ›ฒ", ["name"] = "Fountain"}, ["\\:golf:"] = {["character"] = "โ›ณ", ["name"] = "Flag In Hole"}, ["\\:boat:"] = {["character"] = "โ›ต", ["name"] = "Sailboat"}, ["\\:tent:"] = {["character"] = "โ›บ", ["name"] = "Tent"}, ["\\:fuelpump:"] = {["character"] = "โ›ฝ", ["name"] = "Fuel Pump"}, ["\\:scissors:"] = {["character"] = "โœ‚", ["name"] = "Black Scissors"}, ["\\:white_check_mark:"] = {["character"] = "โœ…", ["name"] = "White Heavy Check Mark"}, ["\\:airplane:"] = {["character"] = "โœˆ", ["name"] = "Airplane"}, ["\\:email:"] = {["character"] = "โœ‰", ["name"] = "Envelope"}, ["\\:fist:"] = {["character"] = "โœŠ", ["name"] = "Raised Fist"}, ["\\:hand:"] = {["character"] = "โœ‹", ["name"] = "Raised Hand"}, ["\\:v:"] = {["character"] = "โœŒ", ["name"] = "Victory Hand"}, ["\\:pencil2:"] = {["character"] = "โœ", ["name"] = "Pencil"}, ["\\:black_nib:"] = {["character"] = "โœ’", ["name"] = "Black Nib"}, ["\\checkmark"] = {["character"] = "โœ“", ["name"] = "Check Mark"}, ["\\:heavy_check_mark:"] = {["character"] = "โœ”", ["name"] = "Heavy Check Mark"}, ["\\:heavy_multiplication_x:"] = {["character"] = "โœ–", ["name"] = "Heavy Multiplication X"}, ["\\maltese"] = {["character"] = "โœ ", ["name"] = "Maltese Cross"}, ["\\:sparkles:"] = {["character"] = "โœจ", ["name"] = "Sparkles"}, ["\\circledstar"] = {["character"] = "โœช", ["name"] = "Circled White Star"}, ["\\:eight_spoked_asterisk:"] = {["character"] = "โœณ", ["name"] = "Eight Spoked Asterisk"}, ["\\:eight_pointed_black_star:"] = {["character"] = "โœด", ["name"] = "Eight Pointed Black Star"}, ["\\varstar"] = {["character"] = "โœถ", ["name"] = "Six Pointed Black Star"}, ["\\dingasterisk"] = {["character"] = "โœฝ", ["name"] = "Heavy Teardrop-Spoked Asterisk"}, ["\\:snowflake:"] = {["character"] = "โ„", ["name"] = "Snowflake"}, ["\\:sparkle:"] = {["character"] = "โ‡", ["name"] = "Sparkle"}, ["\\:x:"] = {["character"] = "โŒ", ["name"] = "Cross Mark"}, ["\\:negative_squared_cross_mark:"] = {["character"] = "โŽ", ["name"] = "Negative Squared Cross Mark"}, ["\\:question:"] = {["character"] = "โ“", ["name"] = "Black Question Mark Ornament"}, ["\\:grey_question:"] = {["character"] = "โ”", ["name"] = "White Question Mark Ornament"}, ["\\:grey_exclamation:"] = {["character"] = "โ•", ["name"] = "White Exclamation Mark Ornament"}, ["\\:exclamation:"] = {["character"] = "โ—", ["name"] = "Heavy Exclamation Mark Symbol"}, ["\\:heart:"] = {["character"] = "โค", ["name"] = "Heavy Black Heart"}, ["\\:heavy_plus_sign:"] = {["character"] = "โž•", ["name"] = "Heavy Plus Sign"}, ["\\:heavy_minus_sign:"] = {["character"] = "โž–", ["name"] = "Heavy Minus Sign"}, ["\\:heavy_division_sign:"] = {["character"] = "โž—", ["name"] = "Heavy Division Sign"}, ["\\draftingarrow"] = {["character"] = "โž›", ["name"] = "Drafting Point Rightwards Arrow / Drafting Point Right Arrow"}, ["\\:arrow_right:"] = {["character"] = "โžก", ["name"] = "Black Rightwards Arrow / Black Right Arrow"}, ["\\:curly_loop:"] = {["character"] = "โžฐ", ["name"] = "Curly Loop"}, ["\\:loop:"] = {["character"] = "โžฟ", ["name"] = "Double Curly Loop"}, ["\\threedangle"] = {["character"] = "โŸ€", ["name"] = "Three Dimensional Angle"}, ["\\whiteinwhitetriangle"] = {["character"] = "โŸ", ["name"] = "White Triangle Containing Small White Triangle"}, ["\\perp"] = {["character"] = "โŸ‚", ["name"] = "Perpendicular"}, ["\\bsolhsub"] = {["character"] = "โŸˆ", ["name"] = "Reverse Solidus Preceding Subset"}, ["\\suphsol"] = {["character"] = "โŸ‰", ["name"] = "Superset Preceding Solidus"}, ["\\wedgedot"] = {["character"] = "โŸ‘", ["name"] = "And With Dot"}, ["\\upin"] = {["character"] = "โŸ’", ["name"] = "Element Of Opening Upwards"}, ["\\leftouterjoin"] = {["character"] = "โŸ•", ["name"] = "Left Outer Join"}, ["\\rightouterjoin"] = {["character"] = "โŸ–", ["name"] = "Right Outer Join"}, ["\\fullouterjoin"] = {["character"] = "โŸ—", ["name"] = "Full Outer Join"}, ["\\bigbot"] = {["character"] = "โŸ˜", ["name"] = "Large Up Tack"}, ["\\bigtop"] = {["character"] = "โŸ™", ["name"] = "Large Down Tack"}, ["\\llbracket"] = {["character"] = "โŸฆ", ["name"] = "Mathematical Left White Square Bracket"}, ["\\openbracketleft"] = {["character"] = "โŸฆ", ["name"] = "Mathematical Left White Square Bracket"}, ["\\openbracketright"] = {["character"] = "โŸง", ["name"] = "Mathematical Right White Square Bracket"}, ["\\rrbracket"] = {["character"] = "โŸง", ["name"] = "Mathematical Right White Square Bracket"}, ["\\langle"] = {["character"] = "โŸจ", ["name"] = "Mathematical Left Angle Bracket"}, ["\\rangle"] = {["character"] = "โŸฉ", ["name"] = "Mathematical Right Angle Bracket"}, ["\\UUparrow"] = {["character"] = "โŸฐ", ["name"] = "Upwards Quadruple Arrow"}, ["\\DDownarrow"] = {["character"] = "โŸฑ", ["name"] = "Downwards Quadruple Arrow"}, ["\\longleftarrow"] = {["character"] = "โŸต", ["name"] = "Long Leftwards Arrow"}, ["\\longrightarrow"] = {["character"] = "โŸถ", ["name"] = "Long Rightwards Arrow"}, ["\\longleftrightarrow"] = {["character"] = "โŸท", ["name"] = "Long Left Right Arrow"}, ["\\impliedby"] = {["character"] = "โŸธ", ["name"] = "Long Leftwards Double Arrow"}, ["\\Longleftarrow"] = {["character"] = "โŸธ", ["name"] = "Long Leftwards Double Arrow"}, ["\\implies"] = {["character"] = "โŸน", ["name"] = "Long Rightwards Double Arrow"}, ["\\Longrightarrow"] = {["character"] = "โŸน", ["name"] = "Long Rightwards Double Arrow"}, ["\\Longleftrightarrow"] = {["character"] = "โŸบ", ["name"] = "Long Left Right Double Arrow"}, ["\\iff"] = {["character"] = "โŸบ", ["name"] = "Long Left Right Double Arrow"}, ["\\longmapsfrom"] = {["character"] = "โŸป", ["name"] = "Long Leftwards Arrow From Bar"}, ["\\longmapsto"] = {["character"] = "โŸผ", ["name"] = "Long Rightwards Arrow From Bar"}, ["\\Longmapsfrom"] = {["character"] = "โŸฝ", ["name"] = "Long Leftwards Double Arrow From Bar"}, ["\\Longmapsto"] = {["character"] = "โŸพ", ["name"] = "Long Rightwards Double Arrow From Bar"}, ["\\longrightsquigarrow"] = {["character"] = "โŸฟ", ["name"] = "Long Rightwards Squiggle Arrow"}, ["\\nvtwoheadrightarrow"] = {["character"] = "โค€", ["name"] = "Rightwards Two-Headed Arrow With Vertical Stroke"}, ["\\nVtwoheadrightarrow"] = {["character"] = "โค", ["name"] = "Rightwards Two-Headed Arrow With Double Vertical Stroke"}, ["\\nvLeftarrow"] = {["character"] = "โค‚", ["name"] = "Leftwards Double Arrow With Vertical Stroke"}, ["\\nvRightarrow"] = {["character"] = "โคƒ", ["name"] = "Rightwards Double Arrow With Vertical Stroke"}, ["\\nvLeftrightarrow"] = {["character"] = "โค„", ["name"] = "Left Right Double Arrow With Vertical Stroke"}, ["\\twoheadmapsto"] = {["character"] = "โค…", ["name"] = "Rightwards Two-Headed Arrow From Bar"}, ["\\Mapsfrom"] = {["character"] = "โค†", ["name"] = "Leftwards Double Arrow From Bar"}, ["\\Mapsto"] = {["character"] = "โค‡", ["name"] = "Rightwards Double Arrow From Bar"}, ["\\downarrowbarred"] = {["character"] = "โคˆ", ["name"] = "Downwards Arrow With Horizontal Stroke"}, ["\\uparrowbarred"] = {["character"] = "โค‰", ["name"] = "Upwards Arrow With Horizontal Stroke"}, ["\\Uuparrow"] = {["character"] = "โคŠ", ["name"] = "Upwards Triple Arrow"}, ["\\Ddownarrow"] = {["character"] = "โค‹", ["name"] = "Downwards Triple Arrow"}, ["\\leftbkarrow"] = {["character"] = "โคŒ", ["name"] = "Leftwards Double Dash Arrow"}, ["\\bkarow"] = {["character"] = "โค", ["name"] = "Rightwards Double Dash Arrow"}, ["\\leftdbkarrow"] = {["character"] = "โคŽ", ["name"] = "Leftwards Triple Dash Arrow"}, ["\\dbkarow"] = {["character"] = "โค", ["name"] = "Rightwards Triple Dash Arrow"}, ["\\drbkarrow"] = {["character"] = "โค", ["name"] = "Rightwards Two-Headed Triple Dash Arrow"}, ["\\rightdotarrow"] = {["character"] = "โค‘", ["name"] = "Rightwards Arrow With Dotted Stem"}, ["\\UpArrowBar"] = {["character"] = "โค’", ["name"] = "Upwards Arrow To Bar"}, ["\\DownArrowBar"] = {["character"] = "โค“", ["name"] = "Downwards Arrow To Bar"}, ["\\nvrightarrowtail"] = {["character"] = "โค”", ["name"] = "Rightwards Arrow With Tail With Vertical Stroke"}, ["\\nVrightarrowtail"] = {["character"] = "โค•", ["name"] = "Rightwards Arrow With Tail With Double Vertical Stroke"}, ["\\twoheadrightarrowtail"] = {["character"] = "โค–", ["name"] = "Rightwards Two-Headed Arrow With Tail"}, ["\\nvtwoheadrightarrowtail"] = {["character"] = "โค—", ["name"] = "Rightwards Two-Headed Arrow With Tail With Vertical Stroke"}, ["\\nVtwoheadrightarrowtail"] = {["character"] = "โค˜", ["name"] = "Rightwards Two-Headed Arrow With Tail With Double Vertical Stroke"}, ["\\diamondleftarrow"] = {["character"] = "โค", ["name"] = "Leftwards Arrow To Black Diamond"}, ["\\rightarrowdiamond"] = {["character"] = "โคž", ["name"] = "Rightwards Arrow To Black Diamond"}, ["\\diamondleftarrowbar"] = {["character"] = "โคŸ", ["name"] = "Leftwards Arrow From Bar To Black Diamond"}, ["\\barrightarrowdiamond"] = {["character"] = "โค ", ["name"] = "Rightwards Arrow From Bar To Black Diamond"}, ["\\hksearow"] = {["character"] = "โคฅ", ["name"] = "South East Arrow With Hook"}, ["\\hkswarow"] = {["character"] = "โคฆ", ["name"] = "South West Arrow With Hook"}, ["\\tona"] = {["character"] = "โคง", ["name"] = "North West Arrow And North East Arrow"}, ["\\toea"] = {["character"] = "โคจ", ["name"] = "North East Arrow And South East Arrow"}, ["\\tosa"] = {["character"] = "โคฉ", ["name"] = "South East Arrow And South West Arrow"}, ["\\towa"] = {["character"] = "โคช", ["name"] = "South West Arrow And North West Arrow"}, ["\\rdiagovfdiag"] = {["character"] = "โคซ", ["name"] = "Rising Diagonal Crossing Falling Diagonal"}, ["\\fdiagovrdiag"] = {["character"] = "โคฌ", ["name"] = "Falling Diagonal Crossing Rising Diagonal"}, ["\\seovnearrow"] = {["character"] = "โคญ", ["name"] = "South East Arrow Crossing North East Arrow"}, ["\\neovsearrow"] = {["character"] = "โคฎ", ["name"] = "North East Arrow Crossing South East Arrow"}, ["\\fdiagovnearrow"] = {["character"] = "โคฏ", ["name"] = "Falling Diagonal Crossing North East Arrow"}, ["\\rdiagovsearrow"] = {["character"] = "โคฐ", ["name"] = "Rising Diagonal Crossing South East Arrow"}, ["\\neovnwarrow"] = {["character"] = "โคฑ", ["name"] = "North East Arrow Crossing North West Arrow"}, ["\\nwovnearrow"] = {["character"] = "โคฒ", ["name"] = "North West Arrow Crossing North East Arrow"}, ["\\:arrow_heading_up:"] = {["character"] = "โคด", ["name"] = "Arrow Pointing Rightwards Then Curving Upwards"}, ["\\:arrow_heading_down:"] = {["character"] = "โคต", ["name"] = "Arrow Pointing Rightwards Then Curving Downwards"}, ["\\Rlarr"] = {["character"] = "โฅ‚", ["name"] = "Rightwards Arrow Above Short Leftwards Arrow"}, ["\\rLarr"] = {["character"] = "โฅ„", ["name"] = "Short Rightwards Arrow Above Leftwards Arrow"}, ["\\rightarrowplus"] = {["character"] = "โฅ…", ["name"] = "Rightwards Arrow With Plus Below"}, ["\\leftarrowplus"] = {["character"] = "โฅ†", ["name"] = "Leftwards Arrow With Plus Below"}, ["\\rarrx"] = {["character"] = "โฅ‡", ["name"] = "Rightwards Arrow Through X"}, ["\\leftrightarrowcircle"] = {["character"] = "โฅˆ", ["name"] = "Left Right Arrow Through Small Circle"}, ["\\twoheaduparrowcircle"] = {["character"] = "โฅ‰", ["name"] = "Upwards Two-Headed Arrow From Small Circle"}, ["\\leftrightharpoonupdown"] = {["character"] = "โฅŠ", ["name"] = "Left Barb Up Right Barb Down Harpoon"}, ["\\leftrightharpoondownup"] = {["character"] = "โฅ‹", ["name"] = "Left Barb Down Right Barb Up Harpoon"}, ["\\updownharpoonrightleft"] = {["character"] = "โฅŒ", ["name"] = "Up Barb Right Down Barb Left Harpoon"}, ["\\updownharpoonleftright"] = {["character"] = "โฅ", ["name"] = "Up Barb Left Down Barb Right Harpoon"}, ["\\LeftRightVector"] = {["character"] = "โฅŽ", ["name"] = "Left Barb Up Right Barb Up Harpoon"}, ["\\RightUpDownVector"] = {["character"] = "โฅ", ["name"] = "Up Barb Right Down Barb Right Harpoon"}, ["\\DownLeftRightVector"] = {["character"] = "โฅ", ["name"] = "Left Barb Down Right Barb Down Harpoon"}, ["\\LeftUpDownVector"] = {["character"] = "โฅ‘", ["name"] = "Up Barb Left Down Barb Left Harpoon"}, ["\\LeftVectorBar"] = {["character"] = "โฅ’", ["name"] = "Leftwards Harpoon With Barb Up To Bar"}, ["\\RightVectorBar"] = {["character"] = "โฅ“", ["name"] = "Rightwards Harpoon With Barb Up To Bar"}, ["\\RightUpVectorBar"] = {["character"] = "โฅ”", ["name"] = "Upwards Harpoon With Barb Right To Bar"}, ["\\RightDownVectorBar"] = {["character"] = "โฅ•", ["name"] = "Downwards Harpoon With Barb Right To Bar"}, ["\\DownLeftVectorBar"] = {["character"] = "โฅ–", ["name"] = "Leftwards Harpoon With Barb Down To Bar"}, ["\\DownRightVectorBar"] = {["character"] = "โฅ—", ["name"] = "Rightwards Harpoon With Barb Down To Bar"}, ["\\LeftUpVectorBar"] = {["character"] = "โฅ˜", ["name"] = "Upwards Harpoon With Barb Left To Bar"}, ["\\LeftDownVectorBar"] = {["character"] = "โฅ™", ["name"] = "Downwards Harpoon With Barb Left To Bar"}, ["\\LeftTeeVector"] = {["character"] = "โฅš", ["name"] = "Leftwards Harpoon With Barb Up From Bar"}, ["\\RightTeeVector"] = {["character"] = "โฅ›", ["name"] = "Rightwards Harpoon With Barb Up From Bar"}, ["\\RightUpTeeVector"] = {["character"] = "โฅœ", ["name"] = "Upwards Harpoon With Barb Right From Bar"}, ["\\RightDownTeeVector"] = {["character"] = "โฅ", ["name"] = "Downwards Harpoon With Barb Right From Bar"}, ["\\DownLeftTeeVector"] = {["character"] = "โฅž", ["name"] = "Leftwards Harpoon With Barb Down From Bar"}, ["\\DownRightTeeVector"] = {["character"] = "โฅŸ", ["name"] = "Rightwards Harpoon With Barb Down From Bar"}, ["\\LeftUpTeeVector"] = {["character"] = "โฅ ", ["name"] = "Upwards Harpoon With Barb Left From Bar"}, ["\\LeftDownTeeVector"] = {["character"] = "โฅก", ["name"] = "Downwards Harpoon With Barb Left From Bar"}, ["\\leftharpoonsupdown"] = {["character"] = "โฅข", ["name"] = "Leftwards Harpoon With Barb Up Above Leftwards Harpoon With Barb Down"}, ["\\upharpoonsleftright"] = {["character"] = "โฅฃ", ["name"] = "Upwards Harpoon With Barb Left Beside Upwards Harpoon With Barb Right"}, ["\\rightharpoonsupdown"] = {["character"] = "โฅค", ["name"] = "Rightwards Harpoon With Barb Up Above Rightwards Harpoon With Barb Down"}, ["\\downharpoonsleftright"] = {["character"] = "โฅฅ", ["name"] = "Downwards Harpoon With Barb Left Beside Downwards Harpoon With Barb Right"}, ["\\leftrightharpoonsup"] = {["character"] = "โฅฆ", ["name"] = "Leftwards Harpoon With Barb Up Above Rightwards Harpoon With Barb Up"}, ["\\leftrightharpoonsdown"] = {["character"] = "โฅง", ["name"] = "Leftwards Harpoon With Barb Down Above Rightwards Harpoon With Barb Down"}, ["\\rightleftharpoonsup"] = {["character"] = "โฅจ", ["name"] = "Rightwards Harpoon With Barb Up Above Leftwards Harpoon With Barb Up"}, ["\\rightleftharpoonsdown"] = {["character"] = "โฅฉ", ["name"] = "Rightwards Harpoon With Barb Down Above Leftwards Harpoon With Barb Down"}, ["\\leftharpoonupdash"] = {["character"] = "โฅช", ["name"] = "Leftwards Harpoon With Barb Up Above Long Dash"}, ["\\dashleftharpoondown"] = {["character"] = "โฅซ", ["name"] = "Leftwards Harpoon With Barb Down Below Long Dash"}, ["\\rightharpoonupdash"] = {["character"] = "โฅฌ", ["name"] = "Rightwards Harpoon With Barb Up Above Long Dash"}, ["\\dashrightharpoondown"] = {["character"] = "โฅญ", ["name"] = "Rightwards Harpoon With Barb Down Below Long Dash"}, ["\\UpEquilibrium"] = {["character"] = "โฅฎ", ["name"] = "Upwards Harpoon With Barb Left Beside Downwards Harpoon With Barb Right"}, ["\\ReverseUpEquilibrium"] = {["character"] = "โฅฏ", ["name"] = "Downwards Harpoon With Barb Left Beside Upwards Harpoon With Barb Right"}, ["\\RoundImplies"] = {["character"] = "โฅฐ", ["name"] = "Right Double Arrow With Rounded Head"}, ["\\Vvert"] = {["character"] = "โฆ€", ["name"] = "Triple Vertical Bar Delimiter"}, ["\\Elroang"] = {["character"] = "โฆ†", ["name"] = "Right White Parenthesis"}, ["\\ddfnc"] = {["character"] = "โฆ™", ["name"] = "Dotted Fence"}, ["\\measuredangleleft"] = {["character"] = "โฆ›", ["name"] = "Measured Angle Opening Left"}, ["\\Angle"] = {["character"] = "โฆœ", ["name"] = "Right Angle Variant With Square"}, ["\\rightanglemdot"] = {["character"] = "โฆ", ["name"] = "Measured Right Angle With Dot"}, ["\\angles"] = {["character"] = "โฆž", ["name"] = "Angle With S Inside"}, ["\\angdnr"] = {["character"] = "โฆŸ", ["name"] = "Acute Angle"}, ["\\lpargt"] = {["character"] = "โฆ ", ["name"] = "Spherical Angle Opening Left"}, ["\\sphericalangleup"] = {["character"] = "โฆก", ["name"] = "Spherical Angle Opening Up"}, ["\\turnangle"] = {["character"] = "โฆข", ["name"] = "Turned Angle"}, ["\\revangle"] = {["character"] = "โฆฃ", ["name"] = "Reversed Angle"}, ["\\angleubar"] = {["character"] = "โฆค", ["name"] = "Angle With Underbar"}, ["\\revangleubar"] = {["character"] = "โฆฅ", ["name"] = "Reversed Angle With Underbar"}, ["\\wideangledown"] = {["character"] = "โฆฆ", ["name"] = "Oblique Angle Opening Up"}, ["\\wideangleup"] = {["character"] = "โฆง", ["name"] = "Oblique Angle Opening Down"}, ["\\measanglerutone"] = {["character"] = "โฆจ", ["name"] = "Measured Angle With Open Arm Ending In Arrow Pointing Up And Right"}, ["\\measanglelutonw"] = {["character"] = "โฆฉ", ["name"] = "Measured Angle With Open Arm Ending In Arrow Pointing Up And Left"}, ["\\measanglerdtose"] = {["character"] = "โฆช", ["name"] = "Measured Angle With Open Arm Ending In Arrow Pointing Down And Right"}, ["\\measangleldtosw"] = {["character"] = "โฆซ", ["name"] = "Measured Angle With Open Arm Ending In Arrow Pointing Down And Left"}, ["\\measangleurtone"] = {["character"] = "โฆฌ", ["name"] = "Measured Angle With Open Arm Ending In Arrow Pointing Right And Up"}, ["\\measangleultonw"] = {["character"] = "โฆญ", ["name"] = "Measured Angle With Open Arm Ending In Arrow Pointing Left And Up"}, ["\\measangledrtose"] = {["character"] = "โฆฎ", ["name"] = "Measured Angle With Open Arm Ending In Arrow Pointing Right And Down"}, ["\\measangledltosw"] = {["character"] = "โฆฏ", ["name"] = "Measured Angle With Open Arm Ending In Arrow Pointing Left And Down"}, ["\\revemptyset"] = {["character"] = "โฆฐ", ["name"] = "Reversed Empty Set"}, ["\\emptysetobar"] = {["character"] = "โฆฑ", ["name"] = "Empty Set With Overbar"}, ["\\emptysetocirc"] = {["character"] = "โฆฒ", ["name"] = "Empty Set With Small Circle Above"}, ["\\emptysetoarr"] = {["character"] = "โฆณ", ["name"] = "Empty Set With Right Arrow Above"}, ["\\emptysetoarrl"] = {["character"] = "โฆด", ["name"] = "Empty Set With Left Arrow Above"}, ["\\circledparallel"] = {["character"] = "โฆท", ["name"] = "Circled Parallel"}, ["\\obslash"] = {["character"] = "โฆธ", ["name"] = "Circled Reverse Solidus"}, ["\\odotslashdot"] = {["character"] = "โฆผ", ["name"] = "Circled Anticlockwise-Rotated Division Sign"}, ["\\circledwhitebullet"] = {["character"] = "โฆพ", ["name"] = "Circled White Bullet"}, ["\\circledbullet"] = {["character"] = "โฆฟ", ["name"] = "Circled Bullet"}, ["\\olessthan"] = {["character"] = "โง€", ["name"] = "Circled Less-Than"}, ["\\ogreaterthan"] = {["character"] = "โง", ["name"] = "Circled Greater-Than"}, ["\\boxdiag"] = {["character"] = "โง„", ["name"] = "Squared Rising Diagonal Slash"}, ["\\boxbslash"] = {["character"] = "โง…", ["name"] = "Squared Falling Diagonal Slash"}, ["\\boxast"] = {["character"] = "โง†", ["name"] = "Squared Asterisk"}, ["\\boxcircle"] = {["character"] = "โง‡", ["name"] = "Squared Small Circle"}, ["\\Lap"] = {["character"] = "โงŠ", ["name"] = "Triangle With Dot Above"}, ["\\defas"] = {["character"] = "โง‹", ["name"] = "Triangle With Underbar"}, ["\\LeftTriangleBar"] = {["character"] = "โง", ["name"] = "Left Triangle Beside Vertical Bar"}, ["\\NotLeftTriangleBar"] = {["character"] = "โงฬธ", ["name"] = "Left Triangle Beside Vertical Bar + Combining Long Solidus Overlay / Non-Spacing Long Slash Overlay"}, ["\\RightTriangleBar"] = {["character"] = "โง", ["name"] = "Vertical Bar Beside Right Triangle"}, ["\\NotRightTriangleBar"] = {["character"] = "โงฬธ", ["name"] = "Vertical Bar Beside Right Triangle + Combining Long Solidus Overlay / Non-Spacing Long Slash Overlay"}, ["\\dualmap"] = {["character"] = "โงŸ", ["name"] = "Double-Ended Multimap"}, ["\\lrtriangleeq"] = {["character"] = "โงก", ["name"] = "Increases As"}, ["\\shuffle"] = {["character"] = "โงข", ["name"] = "Shuffle Product"}, ["\\eparsl"] = {["character"] = "โงฃ", ["name"] = "Equals Sign And Slanted Parallel"}, ["\\smeparsl"] = {["character"] = "โงค", ["name"] = "Equals Sign And Slanted Parallel With Tilde Above"}, ["\\eqvparsl"] = {["character"] = "โงฅ", ["name"] = "Identical To And Slanted Parallel"}, ["\\blacklozenge"] = {["character"] = "โงซ", ["name"] = "Black Lozenge"}, ["\\RuleDelayed"] = {["character"] = "โงด", ["name"] = "Rule-Delayed"}, ["\\dsol"] = {["character"] = "โงถ", ["name"] = "Solidus With Overbar"}, ["\\rsolbar"] = {["character"] = "โงท", ["name"] = "Reverse Solidus With Horizontal Stroke"}, ["\\doubleplus"] = {["character"] = "โงบ", ["name"] = "Double Plus"}, ["\\tripleplus"] = {["character"] = "โงป", ["name"] = "Triple Plus"}, ["\\bigodot"] = {["character"] = "โจ€", ["name"] = "N-Ary Circled Dot Operator"}, ["\\bigoplus"] = {["character"] = "โจ", ["name"] = "N-Ary Circled Plus Operator"}, ["\\bigotimes"] = {["character"] = "โจ‚", ["name"] = "N-Ary Circled Times Operator"}, ["\\bigcupdot"] = {["character"] = "โจƒ", ["name"] = "N-Ary Union Operator With Dot"}, ["\\biguplus"] = {["character"] = "โจ„", ["name"] = "N-Ary Union Operator With Plus"}, ["\\bigsqcap"] = {["character"] = "โจ…", ["name"] = "N-Ary Square Intersection Operator"}, ["\\bigsqcup"] = {["character"] = "โจ†", ["name"] = "N-Ary Square Union Operator"}, ["\\conjquant"] = {["character"] = "โจ‡", ["name"] = "Two Logical And Operator"}, ["\\disjquant"] = {["character"] = "โจˆ", ["name"] = "Two Logical Or Operator"}, ["\\bigtimes"] = {["character"] = "โจ‰", ["name"] = "N-Ary Times Operator"}, ["\\modtwosum"] = {["character"] = "โจŠ", ["name"] = "Modulo Two Sum"}, ["\\sumint"] = {["character"] = "โจ‹", ["name"] = "Summation With Integral"}, ["\\iiiint"] = {["character"] = "โจŒ", ["name"] = "Quadruple Integral Operator"}, ["\\intbar"] = {["character"] = "โจ", ["name"] = "Finite Part Integral"}, ["\\intBar"] = {["character"] = "โจŽ", ["name"] = "Integral With Double Stroke"}, ["\\clockoint"] = {["character"] = "โจ", ["name"] = "Integral Average With Slash"}, ["\\cirfnint"] = {["character"] = "โจ", ["name"] = "Circulation Function"}, ["\\awint"] = {["character"] = "โจ‘", ["name"] = "Anticlockwise Integration"}, ["\\rppolint"] = {["character"] = "โจ’", ["name"] = "Line Integration With Rectangular Path Around Pole"}, ["\\scpolint"] = {["character"] = "โจ“", ["name"] = "Line Integration With Semicircular Path Around Pole"}, ["\\npolint"] = {["character"] = "โจ”", ["name"] = "Line Integration Not Including The Pole"}, ["\\pointint"] = {["character"] = "โจ•", ["name"] = "Integral Around A Point Operator"}, ["\\sqrint"] = {["character"] = "โจ–", ["name"] = "Quaternion Integral Operator"}, ["\\intx"] = {["character"] = "โจ˜", ["name"] = "Integral With Times Sign"}, ["\\intcap"] = {["character"] = "โจ™", ["name"] = "Integral With Intersection"}, ["\\intcup"] = {["character"] = "โจš", ["name"] = "Integral With Union"}, ["\\upint"] = {["character"] = "โจ›", ["name"] = "Integral With Overbar"}, ["\\lowint"] = {["character"] = "โจœ", ["name"] = "Integral With Underbar"}, ["\\Join"] = {["character"] = "โจ", ["name"] = "Join"}, ["\\join"] = {["character"] = "โจ", ["name"] = "Join"}, ["\\bbsemi"] = {["character"] = "โจŸ", ["name"] = "Z Notation Schema Composition"}, ["\\ringplus"] = {["character"] = "โจข", ["name"] = "Plus Sign With Small Circle Above"}, ["\\plushat"] = {["character"] = "โจฃ", ["name"] = "Plus Sign With Circumflex Accent Above"}, ["\\simplus"] = {["character"] = "โจค", ["name"] = "Plus Sign With Tilde Above"}, ["\\plusdot"] = {["character"] = "โจฅ", ["name"] = "Plus Sign With Dot Below"}, ["\\plussim"] = {["character"] = "โจฆ", ["name"] = "Plus Sign With Tilde Below"}, ["\\plussubtwo"] = {["character"] = "โจง", ["name"] = "Plus Sign With Subscript Two"}, ["\\plustrif"] = {["character"] = "โจจ", ["name"] = "Plus Sign With Black Triangle"}, ["\\commaminus"] = {["character"] = "โจฉ", ["name"] = "Minus Sign With Comma Above"}, ["\\minusdot"] = {["character"] = "โจช", ["name"] = "Minus Sign With Dot Below"}, ["\\minusfdots"] = {["character"] = "โจซ", ["name"] = "Minus Sign With Falling Dots"}, ["\\minusrdots"] = {["character"] = "โจฌ", ["name"] = "Minus Sign With Rising Dots"}, ["\\opluslhrim"] = {["character"] = "โจญ", ["name"] = "Plus Sign In Left Half Circle"}, ["\\oplusrhrim"] = {["character"] = "โจฎ", ["name"] = "Plus Sign In Right Half Circle"}, ["\\Times"] = {["character"] = "โจฏ", ["name"] = "Vector Or Cross Product"}, ["\\dottimes"] = {["character"] = "โจฐ", ["name"] = "Multiplication Sign With Dot Above"}, ["\\timesbar"] = {["character"] = "โจฑ", ["name"] = "Multiplication Sign With Underbar"}, ["\\btimes"] = {["character"] = "โจฒ", ["name"] = "Semidirect Product With Bottom Closed"}, ["\\smashtimes"] = {["character"] = "โจณ", ["name"] = "Smash Product"}, ["\\otimeslhrim"] = {["character"] = "โจด", ["name"] = "Multiplication Sign In Left Half Circle"}, ["\\otimesrhrim"] = {["character"] = "โจต", ["name"] = "Multiplication Sign In Right Half Circle"}, ["\\otimeshat"] = {["character"] = "โจถ", ["name"] = "Circled Multiplication Sign With Circumflex Accent"}, ["\\Otimes"] = {["character"] = "โจท", ["name"] = "Multiplication Sign In Double Circle"}, ["\\odiv"] = {["character"] = "โจธ", ["name"] = "Circled Division Sign"}, ["\\triangleplus"] = {["character"] = "โจน", ["name"] = "Plus Sign In Triangle"}, ["\\triangleminus"] = {["character"] = "โจบ", ["name"] = "Minus Sign In Triangle"}, ["\\triangletimes"] = {["character"] = "โจป", ["name"] = "Multiplication Sign In Triangle"}, ["\\intprod"] = {["character"] = "โจผ", ["name"] = "Interior Product"}, ["\\intprodr"] = {["character"] = "โจฝ", ["name"] = "Righthand Interior Product"}, ["\\amalg"] = {["character"] = "โจฟ", ["name"] = "Amalgamation Or Coproduct"}, ["\\capdot"] = {["character"] = "โฉ€", ["name"] = "Intersection With Dot"}, ["\\uminus"] = {["character"] = "โฉ", ["name"] = "Union With Minus Sign"}, ["\\barcup"] = {["character"] = "โฉ‚", ["name"] = "Union With Overbar"}, ["\\barcap"] = {["character"] = "โฉƒ", ["name"] = "Intersection With Overbar"}, ["\\capwedge"] = {["character"] = "โฉ„", ["name"] = "Intersection With Logical And"}, ["\\cupvee"] = {["character"] = "โฉ…", ["name"] = "Union With Logical Or"}, ["\\twocups"] = {["character"] = "โฉŠ", ["name"] = "Union Beside And Joined With Union"}, ["\\twocaps"] = {["character"] = "โฉ‹", ["name"] = "Intersection Beside And Joined With Intersection"}, ["\\closedvarcup"] = {["character"] = "โฉŒ", ["name"] = "Closed Union With Serifs"}, ["\\closedvarcap"] = {["character"] = "โฉ", ["name"] = "Closed Intersection With Serifs"}, ["\\Sqcap"] = {["character"] = "โฉŽ", ["name"] = "Double Square Intersection"}, ["\\Sqcup"] = {["character"] = "โฉ", ["name"] = "Double Square Union"}, ["\\closedvarcupsmashprod"] = {["character"] = "โฉ", ["name"] = "Closed Union With Serifs And Smash Product"}, ["\\wedgeodot"] = {["character"] = "โฉ‘", ["name"] = "Logical And With Dot Above"}, ["\\veeodot"] = {["character"] = "โฉ’", ["name"] = "Logical Or With Dot Above"}, ["\\And"] = {["character"] = "โฉ“", ["name"] = "Double Logical And"}, ["\\Or"] = {["character"] = "โฉ”", ["name"] = "Double Logical Or"}, ["\\wedgeonwedge"] = {["character"] = "โฉ•", ["name"] = "Two Intersecting Logical And"}, ["\\ElOr"] = {["character"] = "โฉ–", ["name"] = "Two Intersecting Logical Or"}, ["\\bigslopedvee"] = {["character"] = "โฉ—", ["name"] = "Sloping Large Or"}, ["\\bigslopedwedge"] = {["character"] = "โฉ˜", ["name"] = "Sloping Large And"}, ["\\wedgemidvert"] = {["character"] = "โฉš", ["name"] = "Logical And With Middle Stem"}, ["\\veemidvert"] = {["character"] = "โฉ›", ["name"] = "Logical Or With Middle Stem"}, ["\\midbarwedge"] = {["character"] = "โฉœ", ["name"] = "Logical And With Horizontal Dash"}, ["\\midbarvee"] = {["character"] = "โฉ", ["name"] = "Logical Or With Horizontal Dash"}, ["\\perspcorrespond"] = {["character"] = "โฉž", ["name"] = "Logical And With Double Overbar"}, ["\\minhat"] = {["character"] = "โฉŸ", ["name"] = "Logical And With Underbar"}, ["\\wedgedoublebar"] = {["character"] = "โฉ ", ["name"] = "Logical And With Double Underbar"}, ["\\varveebar"] = {["character"] = "โฉก", ["name"] = "Small Vee With Underbar"}, ["\\doublebarvee"] = {["character"] = "โฉข", ["name"] = "Logical Or With Double Overbar"}, ["\\veedoublebar"] = {["character"] = "โฉฃ", ["name"] = "Logical Or With Double Underbar"}, ["\\eqdot"] = {["character"] = "โฉฆ", ["name"] = "Equals Sign With Dot Below"}, ["\\dotequiv"] = {["character"] = "โฉง", ["name"] = "Identical With Dot Above"}, ["\\dotsim"] = {["character"] = "โฉช", ["name"] = "Tilde Operator With Dot Above"}, ["\\simrdots"] = {["character"] = "โฉซ", ["name"] = "Tilde Operator With Rising Dots"}, ["\\simminussim"] = {["character"] = "โฉฌ", ["name"] = "Similar Minus Similar"}, ["\\congdot"] = {["character"] = "โฉญ", ["name"] = "Congruent With Dot Above"}, ["\\asteq"] = {["character"] = "โฉฎ", ["name"] = "Equals With Asterisk"}, ["\\hatapprox"] = {["character"] = "โฉฏ", ["name"] = "Almost Equal To With Circumflex Accent"}, ["\\approxeqq"] = {["character"] = "โฉฐ", ["name"] = "Approximately Equal Or Equal To"}, ["\\eqqplus"] = {["character"] = "โฉฑ", ["name"] = "Equals Sign Above Plus Sign"}, ["\\pluseqq"] = {["character"] = "โฉฒ", ["name"] = "Plus Sign Above Equals Sign"}, ["\\eqqsim"] = {["character"] = "โฉณ", ["name"] = "Equals Sign Above Tilde Operator"}, ["\\Coloneq"] = {["character"] = "โฉด", ["name"] = "Double Colon Equal"}, ["\\Equal"] = {["character"] = "โฉต", ["name"] = "Two Consecutive Equals Signs"}, ["\\eqeqeq"] = {["character"] = "โฉถ", ["name"] = "Three Consecutive Equals Signs"}, ["\\ddotseq"] = {["character"] = "โฉท", ["name"] = "Equals Sign With Two Dots Above And Two Dots Below"}, ["\\equivDD"] = {["character"] = "โฉธ", ["name"] = "Equivalent With Four Dots Above"}, ["\\ltcir"] = {["character"] = "โฉน", ["name"] = "Less-Than With Circle Inside"}, ["\\gtcir"] = {["character"] = "โฉบ", ["name"] = "Greater-Than With Circle Inside"}, ["\\ltquest"] = {["character"] = "โฉป", ["name"] = "Less-Than With Question Mark Above"}, ["\\gtquest"] = {["character"] = "โฉผ", ["name"] = "Greater-Than With Question Mark Above"}, ["\\leqslant"] = {["character"] = "โฉฝ", ["name"] = "Less-Than Or Slanted Equal To"}, ["\\nleqslant"] = {["character"] = "โฉฝฬธ", ["name"] = "Less-Than Or Slanted Equal To + Combining Long Solidus Overlay / Non-Spacing Long Slash Overlay"}, ["\\geqslant"] = {["character"] = "โฉพ", ["name"] = "Greater-Than Or Slanted Equal To"}, ["\\ngeqslant"] = {["character"] = "โฉพฬธ", ["name"] = "Greater-Than Or Slanted Equal To + Combining Long Solidus Overlay / Non-Spacing Long Slash Overlay"}, ["\\lesdot"] = {["character"] = "โฉฟ", ["name"] = "Less-Than Or Slanted Equal To With Dot Inside"}, ["\\gesdot"] = {["character"] = "โช€", ["name"] = "Greater-Than Or Slanted Equal To With Dot Inside"}, ["\\lesdoto"] = {["character"] = "โช", ["name"] = "Less-Than Or Slanted Equal To With Dot Above"}, ["\\gesdoto"] = {["character"] = "โช‚", ["name"] = "Greater-Than Or Slanted Equal To With Dot Above"}, ["\\lesdotor"] = {["character"] = "โชƒ", ["name"] = "Less-Than Or Slanted Equal To With Dot Above Right"}, ["\\gesdotol"] = {["character"] = "โช„", ["name"] = "Greater-Than Or Slanted Equal To With Dot Above Left"}, ["\\lessapprox"] = {["character"] = "โช…", ["name"] = "Less-Than Or Approximate"}, ["\\gtrapprox"] = {["character"] = "โช†", ["name"] = "Greater-Than Or Approximate"}, ["\\lneq"] = {["character"] = "โช‡", ["name"] = "Less-Than And Single-Line Not Equal To"}, ["\\gneq"] = {["character"] = "โชˆ", ["name"] = "Greater-Than And Single-Line Not Equal To"}, ["\\lnapprox"] = {["character"] = "โช‰", ["name"] = "Less-Than And Not Approximate"}, ["\\gnapprox"] = {["character"] = "โชŠ", ["name"] = "Greater-Than And Not Approximate"}, ["\\lesseqqgtr"] = {["character"] = "โช‹", ["name"] = "Less-Than Above Double-Line Equal Above Greater-Than"}, ["\\gtreqqless"] = {["character"] = "โชŒ", ["name"] = "Greater-Than Above Double-Line Equal Above Less-Than"}, ["\\lsime"] = {["character"] = "โช", ["name"] = "Less-Than Above Similar Or Equal"}, ["\\gsime"] = {["character"] = "โชŽ", ["name"] = "Greater-Than Above Similar Or Equal"}, ["\\lsimg"] = {["character"] = "โช", ["name"] = "Less-Than Above Similar Above Greater-Than"}, ["\\gsiml"] = {["character"] = "โช", ["name"] = "Greater-Than Above Similar Above Less-Than"}, ["\\lgE"] = {["character"] = "โช‘", ["name"] = "Less-Than Above Greater-Than Above Double-Line Equal"}, ["\\glE"] = {["character"] = "โช’", ["name"] = "Greater-Than Above Less-Than Above Double-Line Equal"}, ["\\lesges"] = {["character"] = "โช“", ["name"] = "Less-Than Above Slanted Equal Above Greater-Than Above Slanted Equal"}, ["\\gesles"] = {["character"] = "โช”", ["name"] = "Greater-Than Above Slanted Equal Above Less-Than Above Slanted Equal"}, ["\\eqslantless"] = {["character"] = "โช•", ["name"] = "Slanted Equal To Or Less-Than"}, ["\\eqslantgtr"] = {["character"] = "โช–", ["name"] = "Slanted Equal To Or Greater-Than"}, ["\\elsdot"] = {["character"] = "โช—", ["name"] = "Slanted Equal To Or Less-Than With Dot Inside"}, ["\\egsdot"] = {["character"] = "โช˜", ["name"] = "Slanted Equal To Or Greater-Than With Dot Inside"}, ["\\eqqless"] = {["character"] = "โช™", ["name"] = "Double-Line Equal To Or Less-Than"}, ["\\eqqgtr"] = {["character"] = "โชš", ["name"] = "Double-Line Equal To Or Greater-Than"}, ["\\eqqslantless"] = {["character"] = "โช›", ["name"] = "Double-Line Slanted Equal To Or Less-Than"}, ["\\eqqslantgtr"] = {["character"] = "โชœ", ["name"] = "Double-Line Slanted Equal To Or Greater-Than"}, ["\\simless"] = {["character"] = "โช", ["name"] = "Similar Or Less-Than"}, ["\\simgtr"] = {["character"] = "โชž", ["name"] = "Similar Or Greater-Than"}, ["\\simlE"] = {["character"] = "โชŸ", ["name"] = "Similar Above Less-Than Above Equals Sign"}, ["\\simgE"] = {["character"] = "โช ", ["name"] = "Similar Above Greater-Than Above Equals Sign"}, ["\\NestedLessLess"] = {["character"] = "โชก", ["name"] = "Double Nested Less-Than"}, ["\\NotNestedLessLess"] = {["character"] = "โชกฬธ", ["name"] = "Double Nested Less-Than + Combining Long Solidus Overlay / Non-Spacing Long Slash Overlay"}, ["\\NestedGreaterGreater"] = {["character"] = "โชข", ["name"] = "Double Nested Greater-Than"}, ["\\NotNestedGreaterGreater"] = {["character"] = "โชขฬธ", ["name"] = "Double Nested Greater-Than + Combining Long Solidus Overlay / Non-Spacing Long Slash Overlay"}, ["\\partialmeetcontraction"] = {["character"] = "โชฃ", ["name"] = "Double Nested Less-Than With Underbar"}, ["\\glj"] = {["character"] = "โชค", ["name"] = "Greater-Than Overlapping Less-Than"}, ["\\gla"] = {["character"] = "โชฅ", ["name"] = "Greater-Than Beside Less-Than"}, ["\\ltcc"] = {["character"] = "โชฆ", ["name"] = "Less-Than Closed By Curve"}, ["\\gtcc"] = {["character"] = "โชง", ["name"] = "Greater-Than Closed By Curve"}, ["\\lescc"] = {["character"] = "โชจ", ["name"] = "Less-Than Closed By Curve Above Slanted Equal"}, ["\\gescc"] = {["character"] = "โชฉ", ["name"] = "Greater-Than Closed By Curve Above Slanted Equal"}, ["\\smt"] = {["character"] = "โชช", ["name"] = "Smaller Than"}, ["\\lat"] = {["character"] = "โชซ", ["name"] = "Larger Than"}, ["\\smte"] = {["character"] = "โชฌ", ["name"] = "Smaller Than Or Equal To"}, ["\\late"] = {["character"] = "โชญ", ["name"] = "Larger Than Or Equal To"}, ["\\bumpeqq"] = {["character"] = "โชฎ", ["name"] = "Equals Sign With Bumpy Above"}, ["\\preceq"] = {["character"] = "โชฏ", ["name"] = "Precedes Above Single-Line Equals Sign"}, ["\\npreceq"] = {["character"] = "โชฏฬธ", ["name"] = "Precedes Above Single-Line Equals Sign + Combining Long Solidus Overlay / Non-Spacing Long Slash Overlay"}, ["\\succeq"] = {["character"] = "โชฐ", ["name"] = "Succeeds Above Single-Line Equals Sign"}, ["\\nsucceq"] = {["character"] = "โชฐฬธ", ["name"] = "Succeeds Above Single-Line Equals Sign + Combining Long Solidus Overlay / Non-Spacing Long Slash Overlay"}, ["\\precneq"] = {["character"] = "โชฑ", ["name"] = "Precedes Above Single-Line Not Equal To"}, ["\\succneq"] = {["character"] = "โชฒ", ["name"] = "Succeeds Above Single-Line Not Equal To"}, ["\\preceqq"] = {["character"] = "โชณ", ["name"] = "Precedes Above Equals Sign"}, ["\\succeqq"] = {["character"] = "โชด", ["name"] = "Succeeds Above Equals Sign"}, ["\\precneqq"] = {["character"] = "โชต", ["name"] = "Precedes Above Not Equal To"}, ["\\succneqq"] = {["character"] = "โชถ", ["name"] = "Succeeds Above Not Equal To"}, ["\\precapprox"] = {["character"] = "โชท", ["name"] = "Precedes Above Almost Equal To"}, ["\\succapprox"] = {["character"] = "โชธ", ["name"] = "Succeeds Above Almost Equal To"}, ["\\precnapprox"] = {["character"] = "โชน", ["name"] = "Precedes Above Not Almost Equal To"}, ["\\succnapprox"] = {["character"] = "โชบ", ["name"] = "Succeeds Above Not Almost Equal To"}, ["\\Prec"] = {["character"] = "โชป", ["name"] = "Double Precedes"}, ["\\Succ"] = {["character"] = "โชผ", ["name"] = "Double Succeeds"}, ["\\subsetdot"] = {["character"] = "โชฝ", ["name"] = "Subset With Dot"}, ["\\supsetdot"] = {["character"] = "โชพ", ["name"] = "Superset With Dot"}, ["\\subsetplus"] = {["character"] = "โชฟ", ["name"] = "Subset With Plus Sign Below"}, ["\\supsetplus"] = {["character"] = "โซ€", ["name"] = "Superset With Plus Sign Below"}, ["\\submult"] = {["character"] = "โซ", ["name"] = "Subset With Multiplication Sign Below"}, ["\\supmult"] = {["character"] = "โซ‚", ["name"] = "Superset With Multiplication Sign Below"}, ["\\subedot"] = {["character"] = "โซƒ", ["name"] = "Subset Of Or Equal To With Dot Above"}, ["\\supedot"] = {["character"] = "โซ„", ["name"] = "Superset Of Or Equal To With Dot Above"}, ["\\subseteqq"] = {["character"] = "โซ…", ["name"] = "Subset Of Above Equals Sign"}, ["\\nsubseteqq"] = {["character"] = "โซ…ฬธ", ["name"] = "Subset Of Above Equals Sign + Combining Long Solidus Overlay / Non-Spacing Long Slash Overlay"}, ["\\supseteqq"] = {["character"] = "โซ†", ["name"] = "Superset Of Above Equals Sign"}, ["\\nsupseteqq"] = {["character"] = "โซ†ฬธ", ["name"] = "Superset Of Above Equals Sign + Combining Long Solidus Overlay / Non-Spacing Long Slash Overlay"}, ["\\subsim"] = {["character"] = "โซ‡", ["name"] = "Subset Of Above Tilde Operator"}, ["\\supsim"] = {["character"] = "โซˆ", ["name"] = "Superset Of Above Tilde Operator"}, ["\\subsetapprox"] = {["character"] = "โซ‰", ["name"] = "Subset Of Above Almost Equal To"}, ["\\supsetapprox"] = {["character"] = "โซŠ", ["name"] = "Superset Of Above Almost Equal To"}, ["\\subsetneqq"] = {["character"] = "โซ‹", ["name"] = "Subset Of Above Not Equal To"}, ["\\supsetneqq"] = {["character"] = "โซŒ", ["name"] = "Superset Of Above Not Equal To"}, ["\\lsqhook"] = {["character"] = "โซ", ["name"] = "Square Left Open Box Operator"}, ["\\rsqhook"] = {["character"] = "โซŽ", ["name"] = "Square Right Open Box Operator"}, ["\\csub"] = {["character"] = "โซ", ["name"] = "Closed Subset"}, ["\\csup"] = {["character"] = "โซ", ["name"] = "Closed Superset"}, ["\\csube"] = {["character"] = "โซ‘", ["name"] = "Closed Subset Or Equal To"}, ["\\csupe"] = {["character"] = "โซ’", ["name"] = "Closed Superset Or Equal To"}, ["\\subsup"] = {["character"] = "โซ“", ["name"] = "Subset Above Superset"}, ["\\supsub"] = {["character"] = "โซ”", ["name"] = "Superset Above Subset"}, ["\\subsub"] = {["character"] = "โซ•", ["name"] = "Subset Above Subset"}, ["\\supsup"] = {["character"] = "โซ–", ["name"] = "Superset Above Superset"}, ["\\suphsub"] = {["character"] = "โซ—", ["name"] = "Superset Beside Subset"}, ["\\supdsub"] = {["character"] = "โซ˜", ["name"] = "Superset Beside And Joined By Dash With Subset"}, ["\\forkv"] = {["character"] = "โซ™", ["name"] = "Element Of Opening Downwards"}, ["\\mlcp"] = {["character"] = "โซ›", ["name"] = "Transversal Intersection"}, ["\\forks"] = {["character"] = "โซœ", ["name"] = "Forking"}, ["\\forksnot"] = {["character"] = "โซ", ["name"] = "Nonforking"}, ["\\dashV"] = {["character"] = "โซฃ", ["name"] = "Double Vertical Bar Left Turnstile"}, ["\\Dashv"] = {["character"] = "โซค", ["name"] = "Vertical Bar Double Left Turnstile"}, ["\\interleave"] = {["character"] = "โซด", ["name"] = "Triple Vertical Bar Binary Relation"}, ["\\tdcol"] = {["character"] = "โซถ", ["name"] = "Triple Colon Operator"}, ["\\lllnest"] = {["character"] = "โซท", ["name"] = "Triple Nested Less-Than"}, ["\\gggnest"] = {["character"] = "โซธ", ["name"] = "Triple Nested Greater-Than"}, ["\\leqqslant"] = {["character"] = "โซน", ["name"] = "Double-Line Slanted Less-Than Or Equal To"}, ["\\geqqslant"] = {["character"] = "โซบ", ["name"] = "Double-Line Slanted Greater-Than Or Equal To"}, ["\\:arrow_left:"] = {["character"] = "โฌ…", ["name"] = "Leftwards Black Arrow"}, ["\\:arrow_up:"] = {["character"] = "โฌ†", ["name"] = "Upwards Black Arrow"}, ["\\:arrow_down:"] = {["character"] = "โฌ‡", ["name"] = "Downwards Black Arrow"}, ["\\squaretopblack"] = {["character"] = "โฌ’", ["name"] = "Square With Top Half Black"}, ["\\squarebotblack"] = {["character"] = "โฌ“", ["name"] = "Square With Bottom Half Black"}, ["\\squareurblack"] = {["character"] = "โฌ”", ["name"] = "Square With Upper Right Diagonal Half Black"}, ["\\squarellblack"] = {["character"] = "โฌ•", ["name"] = "Square With Lower Left Diagonal Half Black"}, ["\\diamondleftblack"] = {["character"] = "โฌ–", ["name"] = "Diamond With Left Half Black"}, ["\\diamondrightblack"] = {["character"] = "โฌ—", ["name"] = "Diamond With Right Half Black"}, ["\\diamondtopblack"] = {["character"] = "โฌ˜", ["name"] = "Diamond With Top Half Black"}, ["\\diamondbotblack"] = {["character"] = "โฌ™", ["name"] = "Diamond With Bottom Half Black"}, ["\\dottedsquare"] = {["character"] = "โฌš", ["name"] = "Dotted Square"}, ["\\lgblksquare"] = {["character"] = "โฌ›", ["name"] = "Black Large Square"}, ["\\:black_large_square:"] = {["character"] = "โฌ›", ["name"] = "Black Large Square"}, ["\\lgwhtsquare"] = {["character"] = "โฌœ", ["name"] = "White Large Square"}, ["\\:white_large_square:"] = {["character"] = "โฌœ", ["name"] = "White Large Square"}, ["\\vysmblksquare"] = {["character"] = "โฌ", ["name"] = "Black Very Small Square"}, ["\\vysmwhtsquare"] = {["character"] = "โฌž", ["name"] = "White Very Small Square"}, ["\\pentagonblack"] = {["character"] = "โฌŸ", ["name"] = "Black Pentagon"}, ["\\pentagon"] = {["character"] = "โฌ ", ["name"] = "White Pentagon"}, ["\\varhexagon"] = {["character"] = "โฌก", ["name"] = "White Hexagon"}, ["\\varhexagonblack"] = {["character"] = "โฌข", ["name"] = "Black Hexagon"}, ["\\hexagonblack"] = {["character"] = "โฌฃ", ["name"] = "Horizontal Black Hexagon"}, ["\\lgblkcircle"] = {["character"] = "โฌค", ["name"] = "Black Large Circle"}, ["\\mdblkdiamond"] = {["character"] = "โฌฅ", ["name"] = "Black Medium Diamond"}, ["\\mdwhtdiamond"] = {["character"] = "โฌฆ", ["name"] = "White Medium Diamond"}, ["\\mdblklozenge"] = {["character"] = "โฌง", ["name"] = "Black Medium Lozenge"}, ["\\mdwhtlozenge"] = {["character"] = "โฌจ", ["name"] = "White Medium Lozenge"}, ["\\smblkdiamond"] = {["character"] = "โฌฉ", ["name"] = "Black Small Diamond"}, ["\\smblklozenge"] = {["character"] = "โฌช", ["name"] = "Black Small Lozenge"}, ["\\smwhtlozenge"] = {["character"] = "โฌซ", ["name"] = "White Small Lozenge"}, ["\\blkhorzoval"] = {["character"] = "โฌฌ", ["name"] = "Black Horizontal Ellipse"}, ["\\whthorzoval"] = {["character"] = "โฌญ", ["name"] = "White Horizontal Ellipse"}, ["\\blkvertoval"] = {["character"] = "โฌฎ", ["name"] = "Black Vertical Ellipse"}, ["\\whtvertoval"] = {["character"] = "โฌฏ", ["name"] = "White Vertical Ellipse"}, ["\\circleonleftarrow"] = {["character"] = "โฌฐ", ["name"] = "Left Arrow With Small Circle"}, ["\\leftthreearrows"] = {["character"] = "โฌฑ", ["name"] = "Three Leftwards Arrows"}, ["\\leftarrowonoplus"] = {["character"] = "โฌฒ", ["name"] = "Left Arrow With Circled Plus"}, ["\\longleftsquigarrow"] = {["character"] = "โฌณ", ["name"] = "Long Leftwards Squiggle Arrow"}, ["\\nvtwoheadleftarrow"] = {["character"] = "โฌด", ["name"] = "Leftwards Two-Headed Arrow With Vertical Stroke"}, ["\\nVtwoheadleftarrow"] = {["character"] = "โฌต", ["name"] = "Leftwards Two-Headed Arrow With Double Vertical Stroke"}, ["\\twoheadmapsfrom"] = {["character"] = "โฌถ", ["name"] = "Leftwards Two-Headed Arrow From Bar"}, ["\\twoheadleftdbkarrow"] = {["character"] = "โฌท", ["name"] = "Leftwards Two-Headed Triple Dash Arrow"}, ["\\leftdotarrow"] = {["character"] = "โฌธ", ["name"] = "Leftwards Arrow With Dotted Stem"}, ["\\nvleftarrowtail"] = {["character"] = "โฌน", ["name"] = "Leftwards Arrow With Tail With Vertical Stroke"}, ["\\nVleftarrowtail"] = {["character"] = "โฌบ", ["name"] = "Leftwards Arrow With Tail With Double Vertical Stroke"}, ["\\twoheadleftarrowtail"] = {["character"] = "โฌป", ["name"] = "Leftwards Two-Headed Arrow With Tail"}, ["\\nvtwoheadleftarrowtail"] = {["character"] = "โฌผ", ["name"] = "Leftwards Two-Headed Arrow With Tail With Vertical Stroke"}, ["\\nVtwoheadleftarrowtail"] = {["character"] = "โฌฝ", ["name"] = "Leftwards Two-Headed Arrow With Tail With Double Vertical Stroke"}, ["\\leftarrowx"] = {["character"] = "โฌพ", ["name"] = "Leftwards Arrow Through X"}, ["\\leftcurvedarrow"] = {["character"] = "โฌฟ", ["name"] = "Wave Arrow Pointing Directly Left"}, ["\\equalleftarrow"] = {["character"] = "โญ€", ["name"] = "Equals Sign Above Leftwards Arrow"}, ["\\bsimilarleftarrow"] = {["character"] = "โญ", ["name"] = "Reverse Tilde Operator Above Leftwards Arrow"}, ["\\leftarrowbackapprox"] = {["character"] = "โญ‚", ["name"] = "Leftwards Arrow Above Reverse Almost Equal To"}, ["\\rightarrowgtr"] = {["character"] = "โญƒ", ["name"] = "Rightwards Arrow Through Greater-Than"}, ["\\rightarrowsupset"] = {["character"] = "โญ„", ["name"] = "Rightwards Arrow Through Superset"}, ["\\LLeftarrow"] = {["character"] = "โญ…", ["name"] = "Leftwards Quadruple Arrow"}, ["\\RRightarrow"] = {["character"] = "โญ†", ["name"] = "Rightwards Quadruple Arrow"}, ["\\bsimilarrightarrow"] = {["character"] = "โญ‡", ["name"] = "Reverse Tilde Operator Above Rightwards Arrow"}, ["\\rightarrowbackapprox"] = {["character"] = "โญˆ", ["name"] = "Rightwards Arrow Above Reverse Almost Equal To"}, ["\\similarleftarrow"] = {["character"] = "โญ‰", ["name"] = "Tilde Operator Above Leftwards Arrow"}, ["\\leftarrowapprox"] = {["character"] = "โญŠ", ["name"] = "Leftwards Arrow Above Almost Equal To"}, ["\\leftarrowbsimilar"] = {["character"] = "โญ‹", ["name"] = "Leftwards Arrow Above Reverse Tilde Operator"}, ["\\rightarrowbsimilar"] = {["character"] = "โญŒ", ["name"] = "Rightwards Arrow Above Reverse Tilde Operator"}, ["\\medwhitestar"] = {["character"] = "โญ", ["name"] = "White Medium Star"}, ["\\:star:"] = {["character"] = "โญ", ["name"] = "White Medium Star"}, ["\\medblackstar"] = {["character"] = "โญ‘", ["name"] = "Black Small Star"}, ["\\smwhitestar"] = {["character"] = "โญ’", ["name"] = "White Small Star"}, ["\\rightpentagonblack"] = {["character"] = "โญ“", ["name"] = "Black Right-Pointing Pentagon"}, ["\\rightpentagon"] = {["character"] = "โญ”", ["name"] = "White Right-Pointing Pentagon"}, ["\\:o:"] = {["character"] = "โญ•", ["name"] = "Heavy Large Circle"}, ["\\_j"] = {["character"] = "โฑผ", ["name"] = "Latin Subscript Small Letter J"}, ["\\^V"] = {["character"] = "โฑฝ", ["name"] = "Modifier Letter Capital V"}, ["\\postalmark"] = {["character"] = "ใ€’", ["name"] = "Postal Mark"}, ["\\:wavy_dash:"] = {["character"] = "ใ€ฐ", ["name"] = "Wavy Dash"}, ["\\:part_alternation_mark:"] = {["character"] = "ใ€ฝ", ["name"] = "Part Alternation Mark"}, ["\\:congratulations:"] = {["character"] = "ใŠ—", ["name"] = "Circled Ideograph Congratulation"}, ["\\:secret:"] = {["character"] = "ใŠ™", ["name"] = "Circled Ideograph Secret"}, ["\\^uparrow"] = {["character"] = "๊œ›", ["name"] = "Modifier Letter Raised Up Arrow"}, ["\\^downarrow"] = {["character"] = "๊œœ", ["name"] = "Modifier Letter Raised Down Arrow"}, ["\\^!"] = {["character"] = "๊œ", ["name"] = "Modifier Letter Raised Exclamation Mark"}, ["\\bfA"] = {["character"] = "๐€", ["name"] = "Mathematical Bold Capital A"}, ["\\bfB"] = {["character"] = "๐", ["name"] = "Mathematical Bold Capital B"}, ["\\bfC"] = {["character"] = "๐‚", ["name"] = "Mathematical Bold Capital C"}, ["\\bfD"] = {["character"] = "๐ƒ", ["name"] = "Mathematical Bold Capital D"}, ["\\bfE"] = {["character"] = "๐„", ["name"] = "Mathematical Bold Capital E"}, ["\\bfF"] = {["character"] = "๐…", ["name"] = "Mathematical Bold Capital F"}, ["\\bfG"] = {["character"] = "๐†", ["name"] = "Mathematical Bold Capital G"}, ["\\bfH"] = {["character"] = "๐‡", ["name"] = "Mathematical Bold Capital H"}, ["\\bfI"] = {["character"] = "๐ˆ", ["name"] = "Mathematical Bold Capital I"}, ["\\bfJ"] = {["character"] = "๐‰", ["name"] = "Mathematical Bold Capital J"}, ["\\bfK"] = {["character"] = "๐Š", ["name"] = "Mathematical Bold Capital K"}, ["\\bfL"] = {["character"] = "๐‹", ["name"] = "Mathematical Bold Capital L"}, ["\\bfM"] = {["character"] = "๐Œ", ["name"] = "Mathematical Bold Capital M"}, ["\\bfN"] = {["character"] = "๐", ["name"] = "Mathematical Bold Capital N"}, ["\\bfO"] = {["character"] = "๐Ž", ["name"] = "Mathematical Bold Capital O"}, ["\\bfP"] = {["character"] = "๐", ["name"] = "Mathematical Bold Capital P"}, ["\\bfQ"] = {["character"] = "๐", ["name"] = "Mathematical Bold Capital Q"}, ["\\bfR"] = {["character"] = "๐‘", ["name"] = "Mathematical Bold Capital R"}, ["\\bfS"] = {["character"] = "๐’", ["name"] = "Mathematical Bold Capital S"}, ["\\bfT"] = {["character"] = "๐“", ["name"] = "Mathematical Bold Capital T"}, ["\\bfU"] = {["character"] = "๐”", ["name"] = "Mathematical Bold Capital U"}, ["\\bfV"] = {["character"] = "๐•", ["name"] = "Mathematical Bold Capital V"}, ["\\bfW"] = {["character"] = "๐–", ["name"] = "Mathematical Bold Capital W"}, ["\\bfX"] = {["character"] = "๐—", ["name"] = "Mathematical Bold Capital X"}, ["\\bfY"] = {["character"] = "๐˜", ["name"] = "Mathematical Bold Capital Y"}, ["\\bfZ"] = {["character"] = "๐™", ["name"] = "Mathematical Bold Capital Z"}, ["\\bfa"] = {["character"] = "๐š", ["name"] = "Mathematical Bold Small A"}, ["\\bfb"] = {["character"] = "๐›", ["name"] = "Mathematical Bold Small B"}, ["\\bfc"] = {["character"] = "๐œ", ["name"] = "Mathematical Bold Small C"}, ["\\bfd"] = {["character"] = "๐", ["name"] = "Mathematical Bold Small D"}, ["\\bfe"] = {["character"] = "๐ž", ["name"] = "Mathematical Bold Small E"}, ["\\bff"] = {["character"] = "๐Ÿ", ["name"] = "Mathematical Bold Small F"}, ["\\bfg"] = {["character"] = "๐ ", ["name"] = "Mathematical Bold Small G"}, ["\\bfh"] = {["character"] = "๐ก", ["name"] = "Mathematical Bold Small H"}, ["\\bfi"] = {["character"] = "๐ข", ["name"] = "Mathematical Bold Small I"}, ["\\bfj"] = {["character"] = "๐ฃ", ["name"] = "Mathematical Bold Small J"}, ["\\bfk"] = {["character"] = "๐ค", ["name"] = "Mathematical Bold Small K"}, ["\\bfl"] = {["character"] = "๐ฅ", ["name"] = "Mathematical Bold Small L"}, ["\\bfm"] = {["character"] = "๐ฆ", ["name"] = "Mathematical Bold Small M"}, ["\\bfn"] = {["character"] = "๐ง", ["name"] = "Mathematical Bold Small N"}, ["\\bfo"] = {["character"] = "๐จ", ["name"] = "Mathematical Bold Small O"}, ["\\bfp"] = {["character"] = "๐ฉ", ["name"] = "Mathematical Bold Small P"}, ["\\bfq"] = {["character"] = "๐ช", ["name"] = "Mathematical Bold Small Q"}, ["\\bfr"] = {["character"] = "๐ซ", ["name"] = "Mathematical Bold Small R"}, ["\\bfs"] = {["character"] = "๐ฌ", ["name"] = "Mathematical Bold Small S"}, ["\\bft"] = {["character"] = "๐ญ", ["name"] = "Mathematical Bold Small T"}, ["\\bfu"] = {["character"] = "๐ฎ", ["name"] = "Mathematical Bold Small U"}, ["\\bfv"] = {["character"] = "๐ฏ", ["name"] = "Mathematical Bold Small V"}, ["\\bfw"] = {["character"] = "๐ฐ", ["name"] = "Mathematical Bold Small W"}, ["\\bfx"] = {["character"] = "๐ฑ", ["name"] = "Mathematical Bold Small X"}, ["\\bfy"] = {["character"] = "๐ฒ", ["name"] = "Mathematical Bold Small Y"}, ["\\bfz"] = {["character"] = "๐ณ", ["name"] = "Mathematical Bold Small Z"}, ["\\itA"] = {["character"] = "๐ด", ["name"] = "Mathematical Italic Capital A"}, ["\\itB"] = {["character"] = "๐ต", ["name"] = "Mathematical Italic Capital B"}, ["\\itC"] = {["character"] = "๐ถ", ["name"] = "Mathematical Italic Capital C"}, ["\\itD"] = {["character"] = "๐ท", ["name"] = "Mathematical Italic Capital D"}, ["\\itE"] = {["character"] = "๐ธ", ["name"] = "Mathematical Italic Capital E"}, ["\\itF"] = {["character"] = "๐น", ["name"] = "Mathematical Italic Capital F"}, ["\\itG"] = {["character"] = "๐บ", ["name"] = "Mathematical Italic Capital G"}, ["\\itH"] = {["character"] = "๐ป", ["name"] = "Mathematical Italic Capital H"}, ["\\itI"] = {["character"] = "๐ผ", ["name"] = "Mathematical Italic Capital I"}, ["\\itJ"] = {["character"] = "๐ฝ", ["name"] = "Mathematical Italic Capital J"}, ["\\itK"] = {["character"] = "๐พ", ["name"] = "Mathematical Italic Capital K"}, ["\\itL"] = {["character"] = "๐ฟ", ["name"] = "Mathematical Italic Capital L"}, ["\\itM"] = {["character"] = "๐‘€", ["name"] = "Mathematical Italic Capital M"}, ["\\itN"] = {["character"] = "๐‘", ["name"] = "Mathematical Italic Capital N"}, ["\\itO"] = {["character"] = "๐‘‚", ["name"] = "Mathematical Italic Capital O"}, ["\\itP"] = {["character"] = "๐‘ƒ", ["name"] = "Mathematical Italic Capital P"}, ["\\itQ"] = {["character"] = "๐‘„", ["name"] = "Mathematical Italic Capital Q"}, ["\\itR"] = {["character"] = "๐‘…", ["name"] = "Mathematical Italic Capital R"}, ["\\itS"] = {["character"] = "๐‘†", ["name"] = "Mathematical Italic Capital S"}, ["\\itT"] = {["character"] = "๐‘‡", ["name"] = "Mathematical Italic Capital T"}, ["\\itU"] = {["character"] = "๐‘ˆ", ["name"] = "Mathematical Italic Capital U"}, ["\\itV"] = {["character"] = "๐‘‰", ["name"] = "Mathematical Italic Capital V"}, ["\\itW"] = {["character"] = "๐‘Š", ["name"] = "Mathematical Italic Capital W"}, ["\\itX"] = {["character"] = "๐‘‹", ["name"] = "Mathematical Italic Capital X"}, ["\\itY"] = {["character"] = "๐‘Œ", ["name"] = "Mathematical Italic Capital Y"}, ["\\itZ"] = {["character"] = "๐‘", ["name"] = "Mathematical Italic Capital Z"}, ["\\ita"] = {["character"] = "๐‘Ž", ["name"] = "Mathematical Italic Small A"}, ["\\itb"] = {["character"] = "๐‘", ["name"] = "Mathematical Italic Small B"}, ["\\itc"] = {["character"] = "๐‘", ["name"] = "Mathematical Italic Small C"}, ["\\itd"] = {["character"] = "๐‘‘", ["name"] = "Mathematical Italic Small D"}, ["\\ite"] = {["character"] = "๐‘’", ["name"] = "Mathematical Italic Small E"}, ["\\itf"] = {["character"] = "๐‘“", ["name"] = "Mathematical Italic Small F"}, ["\\itg"] = {["character"] = "๐‘”", ["name"] = "Mathematical Italic Small G"}, ["\\iti"] = {["character"] = "๐‘–", ["name"] = "Mathematical Italic Small I"}, ["\\itj"] = {["character"] = "๐‘—", ["name"] = "Mathematical Italic Small J"}, ["\\itk"] = {["character"] = "๐‘˜", ["name"] = "Mathematical Italic Small K"}, ["\\itl"] = {["character"] = "๐‘™", ["name"] = "Mathematical Italic Small L"}, ["\\itm"] = {["character"] = "๐‘š", ["name"] = "Mathematical Italic Small M"}, ["\\itn"] = {["character"] = "๐‘›", ["name"] = "Mathematical Italic Small N"}, ["\\ito"] = {["character"] = "๐‘œ", ["name"] = "Mathematical Italic Small O"}, ["\\itp"] = {["character"] = "๐‘", ["name"] = "Mathematical Italic Small P"}, ["\\itq"] = {["character"] = "๐‘ž", ["name"] = "Mathematical Italic Small Q"}, ["\\itr"] = {["character"] = "๐‘Ÿ", ["name"] = "Mathematical Italic Small R"}, ["\\its"] = {["character"] = "๐‘ ", ["name"] = "Mathematical Italic Small S"}, ["\\itt"] = {["character"] = "๐‘ก", ["name"] = "Mathematical Italic Small T"}, ["\\itu"] = {["character"] = "๐‘ข", ["name"] = "Mathematical Italic Small U"}, ["\\itv"] = {["character"] = "๐‘ฃ", ["name"] = "Mathematical Italic Small V"}, ["\\itw"] = {["character"] = "๐‘ค", ["name"] = "Mathematical Italic Small W"}, ["\\itx"] = {["character"] = "๐‘ฅ", ["name"] = "Mathematical Italic Small X"}, ["\\ity"] = {["character"] = "๐‘ฆ", ["name"] = "Mathematical Italic Small Y"}, ["\\itz"] = {["character"] = "๐‘ง", ["name"] = "Mathematical Italic Small Z"}, ["\\biA"] = {["character"] = "๐‘จ", ["name"] = "Mathematical Bold Italic Capital A"}, ["\\biB"] = {["character"] = "๐‘ฉ", ["name"] = "Mathematical Bold Italic Capital B"}, ["\\biC"] = {["character"] = "๐‘ช", ["name"] = "Mathematical Bold Italic Capital C"}, ["\\biD"] = {["character"] = "๐‘ซ", ["name"] = "Mathematical Bold Italic Capital D"}, ["\\biE"] = {["character"] = "๐‘ฌ", ["name"] = "Mathematical Bold Italic Capital E"}, ["\\biF"] = {["character"] = "๐‘ญ", ["name"] = "Mathematical Bold Italic Capital F"}, ["\\biG"] = {["character"] = "๐‘ฎ", ["name"] = "Mathematical Bold Italic Capital G"}, ["\\biH"] = {["character"] = "๐‘ฏ", ["name"] = "Mathematical Bold Italic Capital H"}, ["\\biI"] = {["character"] = "๐‘ฐ", ["name"] = "Mathematical Bold Italic Capital I"}, ["\\biJ"] = {["character"] = "๐‘ฑ", ["name"] = "Mathematical Bold Italic Capital J"}, ["\\biK"] = {["character"] = "๐‘ฒ", ["name"] = "Mathematical Bold Italic Capital K"}, ["\\biL"] = {["character"] = "๐‘ณ", ["name"] = "Mathematical Bold Italic Capital L"}, ["\\biM"] = {["character"] = "๐‘ด", ["name"] = "Mathematical Bold Italic Capital M"}, ["\\biN"] = {["character"] = "๐‘ต", ["name"] = "Mathematical Bold Italic Capital N"}, ["\\biO"] = {["character"] = "๐‘ถ", ["name"] = "Mathematical Bold Italic Capital O"}, ["\\biP"] = {["character"] = "๐‘ท", ["name"] = "Mathematical Bold Italic Capital P"}, ["\\biQ"] = {["character"] = "๐‘ธ", ["name"] = "Mathematical Bold Italic Capital Q"}, ["\\biR"] = {["character"] = "๐‘น", ["name"] = "Mathematical Bold Italic Capital R"}, ["\\biS"] = {["character"] = "๐‘บ", ["name"] = "Mathematical Bold Italic Capital S"}, ["\\biT"] = {["character"] = "๐‘ป", ["name"] = "Mathematical Bold Italic Capital T"}, ["\\biU"] = {["character"] = "๐‘ผ", ["name"] = "Mathematical Bold Italic Capital U"}, ["\\biV"] = {["character"] = "๐‘ฝ", ["name"] = "Mathematical Bold Italic Capital V"}, ["\\biW"] = {["character"] = "๐‘พ", ["name"] = "Mathematical Bold Italic Capital W"}, ["\\biX"] = {["character"] = "๐‘ฟ", ["name"] = "Mathematical Bold Italic Capital X"}, ["\\biY"] = {["character"] = "๐’€", ["name"] = "Mathematical Bold Italic Capital Y"}, ["\\biZ"] = {["character"] = "๐’", ["name"] = "Mathematical Bold Italic Capital Z"}, ["\\bia"] = {["character"] = "๐’‚", ["name"] = "Mathematical Bold Italic Small A"}, ["\\bib"] = {["character"] = "๐’ƒ", ["name"] = "Mathematical Bold Italic Small B"}, ["\\bic"] = {["character"] = "๐’„", ["name"] = "Mathematical Bold Italic Small C"}, ["\\bid"] = {["character"] = "๐’…", ["name"] = "Mathematical Bold Italic Small D"}, ["\\bie"] = {["character"] = "๐’†", ["name"] = "Mathematical Bold Italic Small E"}, ["\\bif"] = {["character"] = "๐’‡", ["name"] = "Mathematical Bold Italic Small F"}, ["\\big"] = {["character"] = "๐’ˆ", ["name"] = "Mathematical Bold Italic Small G"}, ["\\bih"] = {["character"] = "๐’‰", ["name"] = "Mathematical Bold Italic Small H"}, ["\\bii"] = {["character"] = "๐’Š", ["name"] = "Mathematical Bold Italic Small I"}, ["\\bij"] = {["character"] = "๐’‹", ["name"] = "Mathematical Bold Italic Small J"}, ["\\bik"] = {["character"] = "๐’Œ", ["name"] = "Mathematical Bold Italic Small K"}, ["\\bil"] = {["character"] = "๐’", ["name"] = "Mathematical Bold Italic Small L"}, ["\\bim"] = {["character"] = "๐’Ž", ["name"] = "Mathematical Bold Italic Small M"}, ["\\bin"] = {["character"] = "๐’", ["name"] = "Mathematical Bold Italic Small N"}, ["\\bio"] = {["character"] = "๐’", ["name"] = "Mathematical Bold Italic Small O"}, ["\\bip"] = {["character"] = "๐’‘", ["name"] = "Mathematical Bold Italic Small P"}, ["\\biq"] = {["character"] = "๐’’", ["name"] = "Mathematical Bold Italic Small Q"}, ["\\bir"] = {["character"] = "๐’“", ["name"] = "Mathematical Bold Italic Small R"}, ["\\bis"] = {["character"] = "๐’”", ["name"] = "Mathematical Bold Italic Small S"}, ["\\bit"] = {["character"] = "๐’•", ["name"] = "Mathematical Bold Italic Small T"}, ["\\biu"] = {["character"] = "๐’–", ["name"] = "Mathematical Bold Italic Small U"}, ["\\biv"] = {["character"] = "๐’—", ["name"] = "Mathematical Bold Italic Small V"}, ["\\biw"] = {["character"] = "๐’˜", ["name"] = "Mathematical Bold Italic Small W"}, ["\\bix"] = {["character"] = "๐’™", ["name"] = "Mathematical Bold Italic Small X"}, ["\\biy"] = {["character"] = "๐’š", ["name"] = "Mathematical Bold Italic Small Y"}, ["\\biz"] = {["character"] = "๐’›", ["name"] = "Mathematical Bold Italic Small Z"}, ["\\scrA"] = {["character"] = "๐’œ", ["name"] = "Mathematical Script Capital A"}, ["\\scrC"] = {["character"] = "๐’ž", ["name"] = "Mathematical Script Capital C"}, ["\\scrD"] = {["character"] = "๐’Ÿ", ["name"] = "Mathematical Script Capital D"}, ["\\scrG"] = {["character"] = "๐’ข", ["name"] = "Mathematical Script Capital G"}, ["\\scrJ"] = {["character"] = "๐’ฅ", ["name"] = "Mathematical Script Capital J"}, ["\\scrK"] = {["character"] = "๐’ฆ", ["name"] = "Mathematical Script Capital K"}, ["\\scrN"] = {["character"] = "๐’ฉ", ["name"] = "Mathematical Script Capital N"}, ["\\scrO"] = {["character"] = "๐’ช", ["name"] = "Mathematical Script Capital O"}, ["\\scrP"] = {["character"] = "๐’ซ", ["name"] = "Mathematical Script Capital P"}, ["\\scrQ"] = {["character"] = "๐’ฌ", ["name"] = "Mathematical Script Capital Q"}, ["\\scrS"] = {["character"] = "๐’ฎ", ["name"] = "Mathematical Script Capital S"}, ["\\scrT"] = {["character"] = "๐’ฏ", ["name"] = "Mathematical Script Capital T"}, ["\\scrU"] = {["character"] = "๐’ฐ", ["name"] = "Mathematical Script Capital U"}, ["\\scrV"] = {["character"] = "๐’ฑ", ["name"] = "Mathematical Script Capital V"}, ["\\scrW"] = {["character"] = "๐’ฒ", ["name"] = "Mathematical Script Capital W"}, ["\\scrX"] = {["character"] = "๐’ณ", ["name"] = "Mathematical Script Capital X"}, ["\\scrY"] = {["character"] = "๐’ด", ["name"] = "Mathematical Script Capital Y"}, ["\\scrZ"] = {["character"] = "๐’ต", ["name"] = "Mathematical Script Capital Z"}, ["\\scra"] = {["character"] = "๐’ถ", ["name"] = "Mathematical Script Small A"}, ["\\scrb"] = {["character"] = "๐’ท", ["name"] = "Mathematical Script Small B"}, ["\\scrc"] = {["character"] = "๐’ธ", ["name"] = "Mathematical Script Small C"}, ["\\scrd"] = {["character"] = "๐’น", ["name"] = "Mathematical Script Small D"}, ["\\scrf"] = {["character"] = "๐’ป", ["name"] = "Mathematical Script Small F"}, ["\\scrh"] = {["character"] = "๐’ฝ", ["name"] = "Mathematical Script Small H"}, ["\\scri"] = {["character"] = "๐’พ", ["name"] = "Mathematical Script Small I"}, ["\\scrj"] = {["character"] = "๐’ฟ", ["name"] = "Mathematical Script Small J"}, ["\\scrk"] = {["character"] = "๐“€", ["name"] = "Mathematical Script Small K"}, ["\\scrl"] = {["character"] = "๐“", ["name"] = "Mathematical Script Small L"}, ["\\scrm"] = {["character"] = "๐“‚", ["name"] = "Mathematical Script Small M"}, ["\\scrn"] = {["character"] = "๐“ƒ", ["name"] = "Mathematical Script Small N"}, ["\\scrp"] = {["character"] = "๐“…", ["name"] = "Mathematical Script Small P"}, ["\\scrq"] = {["character"] = "๐“†", ["name"] = "Mathematical Script Small Q"}, ["\\scrr"] = {["character"] = "๐“‡", ["name"] = "Mathematical Script Small R"}, ["\\scrs"] = {["character"] = "๐“ˆ", ["name"] = "Mathematical Script Small S"}, ["\\scrt"] = {["character"] = "๐“‰", ["name"] = "Mathematical Script Small T"}, ["\\scru"] = {["character"] = "๐“Š", ["name"] = "Mathematical Script Small U"}, ["\\scrv"] = {["character"] = "๐“‹", ["name"] = "Mathematical Script Small V"}, ["\\scrw"] = {["character"] = "๐“Œ", ["name"] = "Mathematical Script Small W"}, ["\\scrx"] = {["character"] = "๐“", ["name"] = "Mathematical Script Small X"}, ["\\scry"] = {["character"] = "๐“Ž", ["name"] = "Mathematical Script Small Y"}, ["\\scrz"] = {["character"] = "๐“", ["name"] = "Mathematical Script Small Z"}, ["\\bscrA"] = {["character"] = "๐“", ["name"] = "Mathematical Bold Script Capital A"}, ["\\bscrB"] = {["character"] = "๐“‘", ["name"] = "Mathematical Bold Script Capital B"}, ["\\bscrC"] = {["character"] = "๐“’", ["name"] = "Mathematical Bold Script Capital C"}, ["\\bscrD"] = {["character"] = "๐““", ["name"] = "Mathematical Bold Script Capital D"}, ["\\bscrE"] = {["character"] = "๐“”", ["name"] = "Mathematical Bold Script Capital E"}, ["\\bscrF"] = {["character"] = "๐“•", ["name"] = "Mathematical Bold Script Capital F"}, ["\\bscrG"] = {["character"] = "๐“–", ["name"] = "Mathematical Bold Script Capital G"}, ["\\bscrH"] = {["character"] = "๐“—", ["name"] = "Mathematical Bold Script Capital H"}, ["\\bscrI"] = {["character"] = "๐“˜", ["name"] = "Mathematical Bold Script Capital I"}, ["\\bscrJ"] = {["character"] = "๐“™", ["name"] = "Mathematical Bold Script Capital J"}, ["\\bscrK"] = {["character"] = "๐“š", ["name"] = "Mathematical Bold Script Capital K"}, ["\\bscrL"] = {["character"] = "๐“›", ["name"] = "Mathematical Bold Script Capital L"}, ["\\bscrM"] = {["character"] = "๐“œ", ["name"] = "Mathematical Bold Script Capital M"}, ["\\bscrN"] = {["character"] = "๐“", ["name"] = "Mathematical Bold Script Capital N"}, ["\\bscrO"] = {["character"] = "๐“ž", ["name"] = "Mathematical Bold Script Capital O"}, ["\\bscrP"] = {["character"] = "๐“Ÿ", ["name"] = "Mathematical Bold Script Capital P"}, ["\\bscrQ"] = {["character"] = "๐“ ", ["name"] = "Mathematical Bold Script Capital Q"}, ["\\bscrR"] = {["character"] = "๐“ก", ["name"] = "Mathematical Bold Script Capital R"}, ["\\bscrS"] = {["character"] = "๐“ข", ["name"] = "Mathematical Bold Script Capital S"}, ["\\bscrT"] = {["character"] = "๐“ฃ", ["name"] = "Mathematical Bold Script Capital T"}, ["\\bscrU"] = {["character"] = "๐“ค", ["name"] = "Mathematical Bold Script Capital U"}, ["\\bscrV"] = {["character"] = "๐“ฅ", ["name"] = "Mathematical Bold Script Capital V"}, ["\\bscrW"] = {["character"] = "๐“ฆ", ["name"] = "Mathematical Bold Script Capital W"}, ["\\bscrX"] = {["character"] = "๐“ง", ["name"] = "Mathematical Bold Script Capital X"}, ["\\bscrY"] = {["character"] = "๐“จ", ["name"] = "Mathematical Bold Script Capital Y"}, ["\\bscrZ"] = {["character"] = "๐“ฉ", ["name"] = "Mathematical Bold Script Capital Z"}, ["\\bscra"] = {["character"] = "๐“ช", ["name"] = "Mathematical Bold Script Small A"}, ["\\bscrb"] = {["character"] = "๐“ซ", ["name"] = "Mathematical Bold Script Small B"}, ["\\bscrc"] = {["character"] = "๐“ฌ", ["name"] = "Mathematical Bold Script Small C"}, ["\\bscrd"] = {["character"] = "๐“ญ", ["name"] = "Mathematical Bold Script Small D"}, ["\\bscre"] = {["character"] = "๐“ฎ", ["name"] = "Mathematical Bold Script Small E"}, ["\\bscrf"] = {["character"] = "๐“ฏ", ["name"] = "Mathematical Bold Script Small F"}, ["\\bscrg"] = {["character"] = "๐“ฐ", ["name"] = "Mathematical Bold Script Small G"}, ["\\bscrh"] = {["character"] = "๐“ฑ", ["name"] = "Mathematical Bold Script Small H"}, ["\\bscri"] = {["character"] = "๐“ฒ", ["name"] = "Mathematical Bold Script Small I"}, ["\\bscrj"] = {["character"] = "๐“ณ", ["name"] = "Mathematical Bold Script Small J"}, ["\\bscrk"] = {["character"] = "๐“ด", ["name"] = "Mathematical Bold Script Small K"}, ["\\bscrl"] = {["character"] = "๐“ต", ["name"] = "Mathematical Bold Script Small L"}, ["\\bscrm"] = {["character"] = "๐“ถ", ["name"] = "Mathematical Bold Script Small M"}, ["\\bscrn"] = {["character"] = "๐“ท", ["name"] = "Mathematical Bold Script Small N"}, ["\\bscro"] = {["character"] = "๐“ธ", ["name"] = "Mathematical Bold Script Small O"}, ["\\bscrp"] = {["character"] = "๐“น", ["name"] = "Mathematical Bold Script Small P"}, ["\\bscrq"] = {["character"] = "๐“บ", ["name"] = "Mathematical Bold Script Small Q"}, ["\\bscrr"] = {["character"] = "๐“ป", ["name"] = "Mathematical Bold Script Small R"}, ["\\bscrs"] = {["character"] = "๐“ผ", ["name"] = "Mathematical Bold Script Small S"}, ["\\bscrt"] = {["character"] = "๐“ฝ", ["name"] = "Mathematical Bold Script Small T"}, ["\\bscru"] = {["character"] = "๐“พ", ["name"] = "Mathematical Bold Script Small U"}, ["\\bscrv"] = {["character"] = "๐“ฟ", ["name"] = "Mathematical Bold Script Small V"}, ["\\bscrw"] = {["character"] = "๐”€", ["name"] = "Mathematical Bold Script Small W"}, ["\\bscrx"] = {["character"] = "๐”", ["name"] = "Mathematical Bold Script Small X"}, ["\\bscry"] = {["character"] = "๐”‚", ["name"] = "Mathematical Bold Script Small Y"}, ["\\bscrz"] = {["character"] = "๐”ƒ", ["name"] = "Mathematical Bold Script Small Z"}, ["\\frakA"] = {["character"] = "๐”„", ["name"] = "Mathematical Fraktur Capital A"}, ["\\frakB"] = {["character"] = "๐”…", ["name"] = "Mathematical Fraktur Capital B"}, ["\\frakD"] = {["character"] = "๐”‡", ["name"] = "Mathematical Fraktur Capital D"}, ["\\frakE"] = {["character"] = "๐”ˆ", ["name"] = "Mathematical Fraktur Capital E"}, ["\\frakF"] = {["character"] = "๐”‰", ["name"] = "Mathematical Fraktur Capital F"}, ["\\frakG"] = {["character"] = "๐”Š", ["name"] = "Mathematical Fraktur Capital G"}, ["\\frakJ"] = {["character"] = "๐”", ["name"] = "Mathematical Fraktur Capital J"}, ["\\frakK"] = {["character"] = "๐”Ž", ["name"] = "Mathematical Fraktur Capital K"}, ["\\frakL"] = {["character"] = "๐”", ["name"] = "Mathematical Fraktur Capital L"}, ["\\frakM"] = {["character"] = "๐”", ["name"] = "Mathematical Fraktur Capital M"}, ["\\frakN"] = {["character"] = "๐”‘", ["name"] = "Mathematical Fraktur Capital N"}, ["\\frakO"] = {["character"] = "๐”’", ["name"] = "Mathematical Fraktur Capital O"}, ["\\frakP"] = {["character"] = "๐”“", ["name"] = "Mathematical Fraktur Capital P"}, ["\\frakQ"] = {["character"] = "๐””", ["name"] = "Mathematical Fraktur Capital Q"}, ["\\frakS"] = {["character"] = "๐”–", ["name"] = "Mathematical Fraktur Capital S"}, ["\\frakT"] = {["character"] = "๐”—", ["name"] = "Mathematical Fraktur Capital T"}, ["\\frakU"] = {["character"] = "๐”˜", ["name"] = "Mathematical Fraktur Capital U"}, ["\\frakV"] = {["character"] = "๐”™", ["name"] = "Mathematical Fraktur Capital V"}, ["\\frakW"] = {["character"] = "๐”š", ["name"] = "Mathematical Fraktur Capital W"}, ["\\frakX"] = {["character"] = "๐”›", ["name"] = "Mathematical Fraktur Capital X"}, ["\\frakY"] = {["character"] = "๐”œ", ["name"] = "Mathematical Fraktur Capital Y"}, ["\\fraka"] = {["character"] = "๐”ž", ["name"] = "Mathematical Fraktur Small A"}, ["\\frakb"] = {["character"] = "๐”Ÿ", ["name"] = "Mathematical Fraktur Small B"}, ["\\frakc"] = {["character"] = "๐” ", ["name"] = "Mathematical Fraktur Small C"}, ["\\frakd"] = {["character"] = "๐”ก", ["name"] = "Mathematical Fraktur Small D"}, ["\\frake"] = {["character"] = "๐”ข", ["name"] = "Mathematical Fraktur Small E"}, ["\\frakf"] = {["character"] = "๐”ฃ", ["name"] = "Mathematical Fraktur Small F"}, ["\\frakg"] = {["character"] = "๐”ค", ["name"] = "Mathematical Fraktur Small G"}, ["\\frakh"] = {["character"] = "๐”ฅ", ["name"] = "Mathematical Fraktur Small H"}, ["\\fraki"] = {["character"] = "๐”ฆ", ["name"] = "Mathematical Fraktur Small I"}, ["\\frakj"] = {["character"] = "๐”ง", ["name"] = "Mathematical Fraktur Small J"}, ["\\frakk"] = {["character"] = "๐”จ", ["name"] = "Mathematical Fraktur Small K"}, ["\\frakl"] = {["character"] = "๐”ฉ", ["name"] = "Mathematical Fraktur Small L"}, ["\\frakm"] = {["character"] = "๐”ช", ["name"] = "Mathematical Fraktur Small M"}, ["\\frakn"] = {["character"] = "๐”ซ", ["name"] = "Mathematical Fraktur Small N"}, ["\\frako"] = {["character"] = "๐”ฌ", ["name"] = "Mathematical Fraktur Small O"}, ["\\frakp"] = {["character"] = "๐”ญ", ["name"] = "Mathematical Fraktur Small P"}, ["\\frakq"] = {["character"] = "๐”ฎ", ["name"] = "Mathematical Fraktur Small Q"}, ["\\frakr"] = {["character"] = "๐”ฏ", ["name"] = "Mathematical Fraktur Small R"}, ["\\fraks"] = {["character"] = "๐”ฐ", ["name"] = "Mathematical Fraktur Small S"}, ["\\frakt"] = {["character"] = "๐”ฑ", ["name"] = "Mathematical Fraktur Small T"}, ["\\fraku"] = {["character"] = "๐”ฒ", ["name"] = "Mathematical Fraktur Small U"}, ["\\frakv"] = {["character"] = "๐”ณ", ["name"] = "Mathematical Fraktur Small V"}, ["\\frakw"] = {["character"] = "๐”ด", ["name"] = "Mathematical Fraktur Small W"}, ["\\frakx"] = {["character"] = "๐”ต", ["name"] = "Mathematical Fraktur Small X"}, ["\\fraky"] = {["character"] = "๐”ถ", ["name"] = "Mathematical Fraktur Small Y"}, ["\\frakz"] = {["character"] = "๐”ท", ["name"] = "Mathematical Fraktur Small Z"}, ["\\bbA"] = {["character"] = "๐”ธ", ["name"] = "Mathematical Double-Struck Capital A"}, ["\\bbB"] = {["character"] = "๐”น", ["name"] = "Mathematical Double-Struck Capital B"}, ["\\bbD"] = {["character"] = "๐”ป", ["name"] = "Mathematical Double-Struck Capital D"}, ["\\bbE"] = {["character"] = "๐”ผ", ["name"] = "Mathematical Double-Struck Capital E"}, ["\\bbF"] = {["character"] = "๐”ฝ", ["name"] = "Mathematical Double-Struck Capital F"}, ["\\bbG"] = {["character"] = "๐”พ", ["name"] = "Mathematical Double-Struck Capital G"}, ["\\bbI"] = {["character"] = "๐•€", ["name"] = "Mathematical Double-Struck Capital I"}, ["\\bbJ"] = {["character"] = "๐•", ["name"] = "Mathematical Double-Struck Capital J"}, ["\\bbK"] = {["character"] = "๐•‚", ["name"] = "Mathematical Double-Struck Capital K"}, ["\\bbL"] = {["character"] = "๐•ƒ", ["name"] = "Mathematical Double-Struck Capital L"}, ["\\bbM"] = {["character"] = "๐•„", ["name"] = "Mathematical Double-Struck Capital M"}, ["\\bbO"] = {["character"] = "๐•†", ["name"] = "Mathematical Double-Struck Capital O"}, ["\\bbS"] = {["character"] = "๐•Š", ["name"] = "Mathematical Double-Struck Capital S"}, ["\\bbT"] = {["character"] = "๐•‹", ["name"] = "Mathematical Double-Struck Capital T"}, ["\\bbU"] = {["character"] = "๐•Œ", ["name"] = "Mathematical Double-Struck Capital U"}, ["\\bbV"] = {["character"] = "๐•", ["name"] = "Mathematical Double-Struck Capital V"}, ["\\bbW"] = {["character"] = "๐•Ž", ["name"] = "Mathematical Double-Struck Capital W"}, ["\\bbX"] = {["character"] = "๐•", ["name"] = "Mathematical Double-Struck Capital X"}, ["\\bbY"] = {["character"] = "๐•", ["name"] = "Mathematical Double-Struck Capital Y"}, ["\\bba"] = {["character"] = "๐•’", ["name"] = "Mathematical Double-Struck Small A"}, ["\\bbb"] = {["character"] = "๐•“", ["name"] = "Mathematical Double-Struck Small B"}, ["\\bbc"] = {["character"] = "๐•”", ["name"] = "Mathematical Double-Struck Small C"}, ["\\bbd"] = {["character"] = "๐••", ["name"] = "Mathematical Double-Struck Small D"}, ["\\bbe"] = {["character"] = "๐•–", ["name"] = "Mathematical Double-Struck Small E"}, ["\\bbf"] = {["character"] = "๐•—", ["name"] = "Mathematical Double-Struck Small F"}, ["\\bbg"] = {["character"] = "๐•˜", ["name"] = "Mathematical Double-Struck Small G"}, ["\\bbh"] = {["character"] = "๐•™", ["name"] = "Mathematical Double-Struck Small H"}, ["\\bbi"] = {["character"] = "๐•š", ["name"] = "Mathematical Double-Struck Small I"}, ["\\bbj"] = {["character"] = "๐•›", ["name"] = "Mathematical Double-Struck Small J"}, ["\\bbk"] = {["character"] = "๐•œ", ["name"] = "Mathematical Double-Struck Small K"}, ["\\bbl"] = {["character"] = "๐•", ["name"] = "Mathematical Double-Struck Small L"}, ["\\bbm"] = {["character"] = "๐•ž", ["name"] = "Mathematical Double-Struck Small M"}, ["\\bbn"] = {["character"] = "๐•Ÿ", ["name"] = "Mathematical Double-Struck Small N"}, ["\\bbo"] = {["character"] = "๐• ", ["name"] = "Mathematical Double-Struck Small O"}, ["\\bbp"] = {["character"] = "๐•ก", ["name"] = "Mathematical Double-Struck Small P"}, ["\\bbq"] = {["character"] = "๐•ข", ["name"] = "Mathematical Double-Struck Small Q"}, ["\\bbr"] = {["character"] = "๐•ฃ", ["name"] = "Mathematical Double-Struck Small R"}, ["\\bbs"] = {["character"] = "๐•ค", ["name"] = "Mathematical Double-Struck Small S"}, ["\\bbt"] = {["character"] = "๐•ฅ", ["name"] = "Mathematical Double-Struck Small T"}, ["\\bbu"] = {["character"] = "๐•ฆ", ["name"] = "Mathematical Double-Struck Small U"}, ["\\bbv"] = {["character"] = "๐•ง", ["name"] = "Mathematical Double-Struck Small V"}, ["\\bbw"] = {["character"] = "๐•จ", ["name"] = "Mathematical Double-Struck Small W"}, ["\\bbx"] = {["character"] = "๐•ฉ", ["name"] = "Mathematical Double-Struck Small X"}, ["\\bby"] = {["character"] = "๐•ช", ["name"] = "Mathematical Double-Struck Small Y"}, ["\\bbz"] = {["character"] = "๐•ซ", ["name"] = "Mathematical Double-Struck Small Z"}, ["\\bfrakA"] = {["character"] = "๐•ฌ", ["name"] = "Mathematical Bold Fraktur Capital A"}, ["\\bfrakB"] = {["character"] = "๐•ญ", ["name"] = "Mathematical Bold Fraktur Capital B"}, ["\\bfrakC"] = {["character"] = "๐•ฎ", ["name"] = "Mathematical Bold Fraktur Capital C"}, ["\\bfrakD"] = {["character"] = "๐•ฏ", ["name"] = "Mathematical Bold Fraktur Capital D"}, ["\\bfrakE"] = {["character"] = "๐•ฐ", ["name"] = "Mathematical Bold Fraktur Capital E"}, ["\\bfrakF"] = {["character"] = "๐•ฑ", ["name"] = "Mathematical Bold Fraktur Capital F"}, ["\\bfrakG"] = {["character"] = "๐•ฒ", ["name"] = "Mathematical Bold Fraktur Capital G"}, ["\\bfrakH"] = {["character"] = "๐•ณ", ["name"] = "Mathematical Bold Fraktur Capital H"}, ["\\bfrakI"] = {["character"] = "๐•ด", ["name"] = "Mathematical Bold Fraktur Capital I"}, ["\\bfrakJ"] = {["character"] = "๐•ต", ["name"] = "Mathematical Bold Fraktur Capital J"}, ["\\bfrakK"] = {["character"] = "๐•ถ", ["name"] = "Mathematical Bold Fraktur Capital K"}, ["\\bfrakL"] = {["character"] = "๐•ท", ["name"] = "Mathematical Bold Fraktur Capital L"}, ["\\bfrakM"] = {["character"] = "๐•ธ", ["name"] = "Mathematical Bold Fraktur Capital M"}, ["\\bfrakN"] = {["character"] = "๐•น", ["name"] = "Mathematical Bold Fraktur Capital N"}, ["\\bfrakO"] = {["character"] = "๐•บ", ["name"] = "Mathematical Bold Fraktur Capital O"}, ["\\bfrakP"] = {["character"] = "๐•ป", ["name"] = "Mathematical Bold Fraktur Capital P"}, ["\\bfrakQ"] = {["character"] = "๐•ผ", ["name"] = "Mathematical Bold Fraktur Capital Q"}, ["\\bfrakR"] = {["character"] = "๐•ฝ", ["name"] = "Mathematical Bold Fraktur Capital R"}, ["\\bfrakS"] = {["character"] = "๐•พ", ["name"] = "Mathematical Bold Fraktur Capital S"}, ["\\bfrakT"] = {["character"] = "๐•ฟ", ["name"] = "Mathematical Bold Fraktur Capital T"}, ["\\bfrakU"] = {["character"] = "๐–€", ["name"] = "Mathematical Bold Fraktur Capital U"}, ["\\bfrakV"] = {["character"] = "๐–", ["name"] = "Mathematical Bold Fraktur Capital V"}, ["\\bfrakW"] = {["character"] = "๐–‚", ["name"] = "Mathematical Bold Fraktur Capital W"}, ["\\bfrakX"] = {["character"] = "๐–ƒ", ["name"] = "Mathematical Bold Fraktur Capital X"}, ["\\bfrakY"] = {["character"] = "๐–„", ["name"] = "Mathematical Bold Fraktur Capital Y"}, ["\\bfrakZ"] = {["character"] = "๐–…", ["name"] = "Mathematical Bold Fraktur Capital Z"}, ["\\bfraka"] = {["character"] = "๐–†", ["name"] = "Mathematical Bold Fraktur Small A"}, ["\\bfrakb"] = {["character"] = "๐–‡", ["name"] = "Mathematical Bold Fraktur Small B"}, ["\\bfrakc"] = {["character"] = "๐–ˆ", ["name"] = "Mathematical Bold Fraktur Small C"}, ["\\bfrakd"] = {["character"] = "๐–‰", ["name"] = "Mathematical Bold Fraktur Small D"}, ["\\bfrake"] = {["character"] = "๐–Š", ["name"] = "Mathematical Bold Fraktur Small E"}, ["\\bfrakf"] = {["character"] = "๐–‹", ["name"] = "Mathematical Bold Fraktur Small F"}, ["\\bfrakg"] = {["character"] = "๐–Œ", ["name"] = "Mathematical Bold Fraktur Small G"}, ["\\bfrakh"] = {["character"] = "๐–", ["name"] = "Mathematical Bold Fraktur Small H"}, ["\\bfraki"] = {["character"] = "๐–Ž", ["name"] = "Mathematical Bold Fraktur Small I"}, ["\\bfrakj"] = {["character"] = "๐–", ["name"] = "Mathematical Bold Fraktur Small J"}, ["\\bfrakk"] = {["character"] = "๐–", ["name"] = "Mathematical Bold Fraktur Small K"}, ["\\bfrakl"] = {["character"] = "๐–‘", ["name"] = "Mathematical Bold Fraktur Small L"}, ["\\bfrakm"] = {["character"] = "๐–’", ["name"] = "Mathematical Bold Fraktur Small M"}, ["\\bfrakn"] = {["character"] = "๐–“", ["name"] = "Mathematical Bold Fraktur Small N"}, ["\\bfrako"] = {["character"] = "๐–”", ["name"] = "Mathematical Bold Fraktur Small O"}, ["\\bfrakp"] = {["character"] = "๐–•", ["name"] = "Mathematical Bold Fraktur Small P"}, ["\\bfrakq"] = {["character"] = "๐––", ["name"] = "Mathematical Bold Fraktur Small Q"}, ["\\bfrakr"] = {["character"] = "๐–—", ["name"] = "Mathematical Bold Fraktur Small R"}, ["\\bfraks"] = {["character"] = "๐–˜", ["name"] = "Mathematical Bold Fraktur Small S"}, ["\\bfrakt"] = {["character"] = "๐–™", ["name"] = "Mathematical Bold Fraktur Small T"}, ["\\bfraku"] = {["character"] = "๐–š", ["name"] = "Mathematical Bold Fraktur Small U"}, ["\\bfrakv"] = {["character"] = "๐–›", ["name"] = "Mathematical Bold Fraktur Small V"}, ["\\bfrakw"] = {["character"] = "๐–œ", ["name"] = "Mathematical Bold Fraktur Small W"}, ["\\bfrakx"] = {["character"] = "๐–", ["name"] = "Mathematical Bold Fraktur Small X"}, ["\\bfraky"] = {["character"] = "๐–ž", ["name"] = "Mathematical Bold Fraktur Small Y"}, ["\\bfrakz"] = {["character"] = "๐–Ÿ", ["name"] = "Mathematical Bold Fraktur Small Z"}, ["\\sansA"] = {["character"] = "๐– ", ["name"] = "Mathematical Sans-Serif Capital A"}, ["\\sansB"] = {["character"] = "๐–ก", ["name"] = "Mathematical Sans-Serif Capital B"}, ["\\sansC"] = {["character"] = "๐–ข", ["name"] = "Mathematical Sans-Serif Capital C"}, ["\\sansD"] = {["character"] = "๐–ฃ", ["name"] = "Mathematical Sans-Serif Capital D"}, ["\\sansE"] = {["character"] = "๐–ค", ["name"] = "Mathematical Sans-Serif Capital E"}, ["\\sansF"] = {["character"] = "๐–ฅ", ["name"] = "Mathematical Sans-Serif Capital F"}, ["\\sansG"] = {["character"] = "๐–ฆ", ["name"] = "Mathematical Sans-Serif Capital G"}, ["\\sansH"] = {["character"] = "๐–ง", ["name"] = "Mathematical Sans-Serif Capital H"}, ["\\sansI"] = {["character"] = "๐–จ", ["name"] = "Mathematical Sans-Serif Capital I"}, ["\\sansJ"] = {["character"] = "๐–ฉ", ["name"] = "Mathematical Sans-Serif Capital J"}, ["\\sansK"] = {["character"] = "๐–ช", ["name"] = "Mathematical Sans-Serif Capital K"}, ["\\sansL"] = {["character"] = "๐–ซ", ["name"] = "Mathematical Sans-Serif Capital L"}, ["\\sansM"] = {["character"] = "๐–ฌ", ["name"] = "Mathematical Sans-Serif Capital M"}, ["\\sansN"] = {["character"] = "๐–ญ", ["name"] = "Mathematical Sans-Serif Capital N"}, ["\\sansO"] = {["character"] = "๐–ฎ", ["name"] = "Mathematical Sans-Serif Capital O"}, ["\\sansP"] = {["character"] = "๐–ฏ", ["name"] = "Mathematical Sans-Serif Capital P"}, ["\\sansQ"] = {["character"] = "๐–ฐ", ["name"] = "Mathematical Sans-Serif Capital Q"}, ["\\sansR"] = {["character"] = "๐–ฑ", ["name"] = "Mathematical Sans-Serif Capital R"}, ["\\sansS"] = {["character"] = "๐–ฒ", ["name"] = "Mathematical Sans-Serif Capital S"}, ["\\sansT"] = {["character"] = "๐–ณ", ["name"] = "Mathematical Sans-Serif Capital T"}, ["\\sansU"] = {["character"] = "๐–ด", ["name"] = "Mathematical Sans-Serif Capital U"}, ["\\sansV"] = {["character"] = "๐–ต", ["name"] = "Mathematical Sans-Serif Capital V"}, ["\\sansW"] = {["character"] = "๐–ถ", ["name"] = "Mathematical Sans-Serif Capital W"}, ["\\sansX"] = {["character"] = "๐–ท", ["name"] = "Mathematical Sans-Serif Capital X"}, ["\\sansY"] = {["character"] = "๐–ธ", ["name"] = "Mathematical Sans-Serif Capital Y"}, ["\\sansZ"] = {["character"] = "๐–น", ["name"] = "Mathematical Sans-Serif Capital Z"}, ["\\sansa"] = {["character"] = "๐–บ", ["name"] = "Mathematical Sans-Serif Small A"}, ["\\sansb"] = {["character"] = "๐–ป", ["name"] = "Mathematical Sans-Serif Small B"}, ["\\sansc"] = {["character"] = "๐–ผ", ["name"] = "Mathematical Sans-Serif Small C"}, ["\\sansd"] = {["character"] = "๐–ฝ", ["name"] = "Mathematical Sans-Serif Small D"}, ["\\sanse"] = {["character"] = "๐–พ", ["name"] = "Mathematical Sans-Serif Small E"}, ["\\sansf"] = {["character"] = "๐–ฟ", ["name"] = "Mathematical Sans-Serif Small F"}, ["\\sansg"] = {["character"] = "๐—€", ["name"] = "Mathematical Sans-Serif Small G"}, ["\\sansh"] = {["character"] = "๐—", ["name"] = "Mathematical Sans-Serif Small H"}, ["\\sansi"] = {["character"] = "๐—‚", ["name"] = "Mathematical Sans-Serif Small I"}, ["\\sansj"] = {["character"] = "๐—ƒ", ["name"] = "Mathematical Sans-Serif Small J"}, ["\\sansk"] = {["character"] = "๐—„", ["name"] = "Mathematical Sans-Serif Small K"}, ["\\sansl"] = {["character"] = "๐—…", ["name"] = "Mathematical Sans-Serif Small L"}, ["\\sansm"] = {["character"] = "๐—†", ["name"] = "Mathematical Sans-Serif Small M"}, ["\\sansn"] = {["character"] = "๐—‡", ["name"] = "Mathematical Sans-Serif Small N"}, ["\\sanso"] = {["character"] = "๐—ˆ", ["name"] = "Mathematical Sans-Serif Small O"}, ["\\sansp"] = {["character"] = "๐—‰", ["name"] = "Mathematical Sans-Serif Small P"}, ["\\sansq"] = {["character"] = "๐—Š", ["name"] = "Mathematical Sans-Serif Small Q"}, ["\\sansr"] = {["character"] = "๐—‹", ["name"] = "Mathematical Sans-Serif Small R"}, ["\\sanss"] = {["character"] = "๐—Œ", ["name"] = "Mathematical Sans-Serif Small S"}, ["\\sanst"] = {["character"] = "๐—", ["name"] = "Mathematical Sans-Serif Small T"}, ["\\sansu"] = {["character"] = "๐—Ž", ["name"] = "Mathematical Sans-Serif Small U"}, ["\\sansv"] = {["character"] = "๐—", ["name"] = "Mathematical Sans-Serif Small V"}, ["\\sansw"] = {["character"] = "๐—", ["name"] = "Mathematical Sans-Serif Small W"}, ["\\sansx"] = {["character"] = "๐—‘", ["name"] = "Mathematical Sans-Serif Small X"}, ["\\sansy"] = {["character"] = "๐—’", ["name"] = "Mathematical Sans-Serif Small Y"}, ["\\sansz"] = {["character"] = "๐—“", ["name"] = "Mathematical Sans-Serif Small Z"}, ["\\bsansA"] = {["character"] = "๐—”", ["name"] = "Mathematical Sans-Serif Bold Capital A"}, ["\\bsansB"] = {["character"] = "๐—•", ["name"] = "Mathematical Sans-Serif Bold Capital B"}, ["\\bsansC"] = {["character"] = "๐—–", ["name"] = "Mathematical Sans-Serif Bold Capital C"}, ["\\bsansD"] = {["character"] = "๐——", ["name"] = "Mathematical Sans-Serif Bold Capital D"}, ["\\bsansE"] = {["character"] = "๐—˜", ["name"] = "Mathematical Sans-Serif Bold Capital E"}, ["\\bsansF"] = {["character"] = "๐—™", ["name"] = "Mathematical Sans-Serif Bold Capital F"}, ["\\bsansG"] = {["character"] = "๐—š", ["name"] = "Mathematical Sans-Serif Bold Capital G"}, ["\\bsansH"] = {["character"] = "๐—›", ["name"] = "Mathematical Sans-Serif Bold Capital H"}, ["\\bsansI"] = {["character"] = "๐—œ", ["name"] = "Mathematical Sans-Serif Bold Capital I"}, ["\\bsansJ"] = {["character"] = "๐—", ["name"] = "Mathematical Sans-Serif Bold Capital J"}, ["\\bsansK"] = {["character"] = "๐—ž", ["name"] = "Mathematical Sans-Serif Bold Capital K"}, ["\\bsansL"] = {["character"] = "๐—Ÿ", ["name"] = "Mathematical Sans-Serif Bold Capital L"}, ["\\bsansM"] = {["character"] = "๐— ", ["name"] = "Mathematical Sans-Serif Bold Capital M"}, ["\\bsansN"] = {["character"] = "๐—ก", ["name"] = "Mathematical Sans-Serif Bold Capital N"}, ["\\bsansO"] = {["character"] = "๐—ข", ["name"] = "Mathematical Sans-Serif Bold Capital O"}, ["\\bsansP"] = {["character"] = "๐—ฃ", ["name"] = "Mathematical Sans-Serif Bold Capital P"}, ["\\bsansQ"] = {["character"] = "๐—ค", ["name"] = "Mathematical Sans-Serif Bold Capital Q"}, ["\\bsansR"] = {["character"] = "๐—ฅ", ["name"] = "Mathematical Sans-Serif Bold Capital R"}, ["\\bsansS"] = {["character"] = "๐—ฆ", ["name"] = "Mathematical Sans-Serif Bold Capital S"}, ["\\bsansT"] = {["character"] = "๐—ง", ["name"] = "Mathematical Sans-Serif Bold Capital T"}, ["\\bsansU"] = {["character"] = "๐—จ", ["name"] = "Mathematical Sans-Serif Bold Capital U"}, ["\\bsansV"] = {["character"] = "๐—ฉ", ["name"] = "Mathematical Sans-Serif Bold Capital V"}, ["\\bsansW"] = {["character"] = "๐—ช", ["name"] = "Mathematical Sans-Serif Bold Capital W"}, ["\\bsansX"] = {["character"] = "๐—ซ", ["name"] = "Mathematical Sans-Serif Bold Capital X"}, ["\\bsansY"] = {["character"] = "๐—ฌ", ["name"] = "Mathematical Sans-Serif Bold Capital Y"}, ["\\bsansZ"] = {["character"] = "๐—ญ", ["name"] = "Mathematical Sans-Serif Bold Capital Z"}, ["\\bsansa"] = {["character"] = "๐—ฎ", ["name"] = "Mathematical Sans-Serif Bold Small A"}, ["\\bsansb"] = {["character"] = "๐—ฏ", ["name"] = "Mathematical Sans-Serif Bold Small B"}, ["\\bsansc"] = {["character"] = "๐—ฐ", ["name"] = "Mathematical Sans-Serif Bold Small C"}, ["\\bsansd"] = {["character"] = "๐—ฑ", ["name"] = "Mathematical Sans-Serif Bold Small D"}, ["\\bsanse"] = {["character"] = "๐—ฒ", ["name"] = "Mathematical Sans-Serif Bold Small E"}, ["\\bsansf"] = {["character"] = "๐—ณ", ["name"] = "Mathematical Sans-Serif Bold Small F"}, ["\\bsansg"] = {["character"] = "๐—ด", ["name"] = "Mathematical Sans-Serif Bold Small G"}, ["\\bsansh"] = {["character"] = "๐—ต", ["name"] = "Mathematical Sans-Serif Bold Small H"}, ["\\bsansi"] = {["character"] = "๐—ถ", ["name"] = "Mathematical Sans-Serif Bold Small I"}, ["\\bsansj"] = {["character"] = "๐—ท", ["name"] = "Mathematical Sans-Serif Bold Small J"}, ["\\bsansk"] = {["character"] = "๐—ธ", ["name"] = "Mathematical Sans-Serif Bold Small K"}, ["\\bsansl"] = {["character"] = "๐—น", ["name"] = "Mathematical Sans-Serif Bold Small L"}, ["\\bsansm"] = {["character"] = "๐—บ", ["name"] = "Mathematical Sans-Serif Bold Small M"}, ["\\bsansn"] = {["character"] = "๐—ป", ["name"] = "Mathematical Sans-Serif Bold Small N"}, ["\\bsanso"] = {["character"] = "๐—ผ", ["name"] = "Mathematical Sans-Serif Bold Small O"}, ["\\bsansp"] = {["character"] = "๐—ฝ", ["name"] = "Mathematical Sans-Serif Bold Small P"}, ["\\bsansq"] = {["character"] = "๐—พ", ["name"] = "Mathematical Sans-Serif Bold Small Q"}, ["\\bsansr"] = {["character"] = "๐—ฟ", ["name"] = "Mathematical Sans-Serif Bold Small R"}, ["\\bsanss"] = {["character"] = "๐˜€", ["name"] = "Mathematical Sans-Serif Bold Small S"}, ["\\bsanst"] = {["character"] = "๐˜", ["name"] = "Mathematical Sans-Serif Bold Small T"}, ["\\bsansu"] = {["character"] = "๐˜‚", ["name"] = "Mathematical Sans-Serif Bold Small U"}, ["\\bsansv"] = {["character"] = "๐˜ƒ", ["name"] = "Mathematical Sans-Serif Bold Small V"}, ["\\bsansw"] = {["character"] = "๐˜„", ["name"] = "Mathematical Sans-Serif Bold Small W"}, ["\\bsansx"] = {["character"] = "๐˜…", ["name"] = "Mathematical Sans-Serif Bold Small X"}, ["\\bsansy"] = {["character"] = "๐˜†", ["name"] = "Mathematical Sans-Serif Bold Small Y"}, ["\\bsansz"] = {["character"] = "๐˜‡", ["name"] = "Mathematical Sans-Serif Bold Small Z"}, ["\\isansA"] = {["character"] = "๐˜ˆ", ["name"] = "Mathematical Sans-Serif Italic Capital A"}, ["\\isansB"] = {["character"] = "๐˜‰", ["name"] = "Mathematical Sans-Serif Italic Capital B"}, ["\\isansC"] = {["character"] = "๐˜Š", ["name"] = "Mathematical Sans-Serif Italic Capital C"}, ["\\isansD"] = {["character"] = "๐˜‹", ["name"] = "Mathematical Sans-Serif Italic Capital D"}, ["\\isansE"] = {["character"] = "๐˜Œ", ["name"] = "Mathematical Sans-Serif Italic Capital E"}, ["\\isansF"] = {["character"] = "๐˜", ["name"] = "Mathematical Sans-Serif Italic Capital F"}, ["\\isansG"] = {["character"] = "๐˜Ž", ["name"] = "Mathematical Sans-Serif Italic Capital G"}, ["\\isansH"] = {["character"] = "๐˜", ["name"] = "Mathematical Sans-Serif Italic Capital H"}, ["\\isansI"] = {["character"] = "๐˜", ["name"] = "Mathematical Sans-Serif Italic Capital I"}, ["\\isansJ"] = {["character"] = "๐˜‘", ["name"] = "Mathematical Sans-Serif Italic Capital J"}, ["\\isansK"] = {["character"] = "๐˜’", ["name"] = "Mathematical Sans-Serif Italic Capital K"}, ["\\isansL"] = {["character"] = "๐˜“", ["name"] = "Mathematical Sans-Serif Italic Capital L"}, ["\\isansM"] = {["character"] = "๐˜”", ["name"] = "Mathematical Sans-Serif Italic Capital M"}, ["\\isansN"] = {["character"] = "๐˜•", ["name"] = "Mathematical Sans-Serif Italic Capital N"}, ["\\isansO"] = {["character"] = "๐˜–", ["name"] = "Mathematical Sans-Serif Italic Capital O"}, ["\\isansP"] = {["character"] = "๐˜—", ["name"] = "Mathematical Sans-Serif Italic Capital P"}, ["\\isansQ"] = {["character"] = "๐˜˜", ["name"] = "Mathematical Sans-Serif Italic Capital Q"}, ["\\isansR"] = {["character"] = "๐˜™", ["name"] = "Mathematical Sans-Serif Italic Capital R"}, ["\\isansS"] = {["character"] = "๐˜š", ["name"] = "Mathematical Sans-Serif Italic Capital S"}, ["\\isansT"] = {["character"] = "๐˜›", ["name"] = "Mathematical Sans-Serif Italic Capital T"}, ["\\isansU"] = {["character"] = "๐˜œ", ["name"] = "Mathematical Sans-Serif Italic Capital U"}, ["\\isansV"] = {["character"] = "๐˜", ["name"] = "Mathematical Sans-Serif Italic Capital V"}, ["\\isansW"] = {["character"] = "๐˜ž", ["name"] = "Mathematical Sans-Serif Italic Capital W"}, ["\\isansX"] = {["character"] = "๐˜Ÿ", ["name"] = "Mathematical Sans-Serif Italic Capital X"}, ["\\isansY"] = {["character"] = "๐˜ ", ["name"] = "Mathematical Sans-Serif Italic Capital Y"}, ["\\isansZ"] = {["character"] = "๐˜ก", ["name"] = "Mathematical Sans-Serif Italic Capital Z"}, ["\\isansa"] = {["character"] = "๐˜ข", ["name"] = "Mathematical Sans-Serif Italic Small A"}, ["\\isansb"] = {["character"] = "๐˜ฃ", ["name"] = "Mathematical Sans-Serif Italic Small B"}, ["\\isansc"] = {["character"] = "๐˜ค", ["name"] = "Mathematical Sans-Serif Italic Small C"}, ["\\isansd"] = {["character"] = "๐˜ฅ", ["name"] = "Mathematical Sans-Serif Italic Small D"}, ["\\isanse"] = {["character"] = "๐˜ฆ", ["name"] = "Mathematical Sans-Serif Italic Small E"}, ["\\isansf"] = {["character"] = "๐˜ง", ["name"] = "Mathematical Sans-Serif Italic Small F"}, ["\\isansg"] = {["character"] = "๐˜จ", ["name"] = "Mathematical Sans-Serif Italic Small G"}, ["\\isansh"] = {["character"] = "๐˜ฉ", ["name"] = "Mathematical Sans-Serif Italic Small H"}, ["\\isansi"] = {["character"] = "๐˜ช", ["name"] = "Mathematical Sans-Serif Italic Small I"}, ["\\isansj"] = {["character"] = "๐˜ซ", ["name"] = "Mathematical Sans-Serif Italic Small J"}, ["\\isansk"] = {["character"] = "๐˜ฌ", ["name"] = "Mathematical Sans-Serif Italic Small K"}, ["\\isansl"] = {["character"] = "๐˜ญ", ["name"] = "Mathematical Sans-Serif Italic Small L"}, ["\\isansm"] = {["character"] = "๐˜ฎ", ["name"] = "Mathematical Sans-Serif Italic Small M"}, ["\\isansn"] = {["character"] = "๐˜ฏ", ["name"] = "Mathematical Sans-Serif Italic Small N"}, ["\\isanso"] = {["character"] = "๐˜ฐ", ["name"] = "Mathematical Sans-Serif Italic Small O"}, ["\\isansp"] = {["character"] = "๐˜ฑ", ["name"] = "Mathematical Sans-Serif Italic Small P"}, ["\\isansq"] = {["character"] = "๐˜ฒ", ["name"] = "Mathematical Sans-Serif Italic Small Q"}, ["\\isansr"] = {["character"] = "๐˜ณ", ["name"] = "Mathematical Sans-Serif Italic Small R"}, ["\\isanss"] = {["character"] = "๐˜ด", ["name"] = "Mathematical Sans-Serif Italic Small S"}, ["\\isanst"] = {["character"] = "๐˜ต", ["name"] = "Mathematical Sans-Serif Italic Small T"}, ["\\isansu"] = {["character"] = "๐˜ถ", ["name"] = "Mathematical Sans-Serif Italic Small U"}, ["\\isansv"] = {["character"] = "๐˜ท", ["name"] = "Mathematical Sans-Serif Italic Small V"}, ["\\isansw"] = {["character"] = "๐˜ธ", ["name"] = "Mathematical Sans-Serif Italic Small W"}, ["\\isansx"] = {["character"] = "๐˜น", ["name"] = "Mathematical Sans-Serif Italic Small X"}, ["\\isansy"] = {["character"] = "๐˜บ", ["name"] = "Mathematical Sans-Serif Italic Small Y"}, ["\\isansz"] = {["character"] = "๐˜ป", ["name"] = "Mathematical Sans-Serif Italic Small Z"}, ["\\bisansA"] = {["character"] = "๐˜ผ", ["name"] = "Mathematical Sans-Serif Bold Italic Capital A"}, ["\\bisansB"] = {["character"] = "๐˜ฝ", ["name"] = "Mathematical Sans-Serif Bold Italic Capital B"}, ["\\bisansC"] = {["character"] = "๐˜พ", ["name"] = "Mathematical Sans-Serif Bold Italic Capital C"}, ["\\bisansD"] = {["character"] = "๐˜ฟ", ["name"] = "Mathematical Sans-Serif Bold Italic Capital D"}, ["\\bisansE"] = {["character"] = "๐™€", ["name"] = "Mathematical Sans-Serif Bold Italic Capital E"}, ["\\bisansF"] = {["character"] = "๐™", ["name"] = "Mathematical Sans-Serif Bold Italic Capital F"}, ["\\bisansG"] = {["character"] = "๐™‚", ["name"] = "Mathematical Sans-Serif Bold Italic Capital G"}, ["\\bisansH"] = {["character"] = "๐™ƒ", ["name"] = "Mathematical Sans-Serif Bold Italic Capital H"}, ["\\bisansI"] = {["character"] = "๐™„", ["name"] = "Mathematical Sans-Serif Bold Italic Capital I"}, ["\\bisansJ"] = {["character"] = "๐™…", ["name"] = "Mathematical Sans-Serif Bold Italic Capital J"}, ["\\bisansK"] = {["character"] = "๐™†", ["name"] = "Mathematical Sans-Serif Bold Italic Capital K"}, ["\\bisansL"] = {["character"] = "๐™‡", ["name"] = "Mathematical Sans-Serif Bold Italic Capital L"}, ["\\bisansM"] = {["character"] = "๐™ˆ", ["name"] = "Mathematical Sans-Serif Bold Italic Capital M"}, ["\\bisansN"] = {["character"] = "๐™‰", ["name"] = "Mathematical Sans-Serif Bold Italic Capital N"}, ["\\bisansO"] = {["character"] = "๐™Š", ["name"] = "Mathematical Sans-Serif Bold Italic Capital O"}, ["\\bisansP"] = {["character"] = "๐™‹", ["name"] = "Mathematical Sans-Serif Bold Italic Capital P"}, ["\\bisansQ"] = {["character"] = "๐™Œ", ["name"] = "Mathematical Sans-Serif Bold Italic Capital Q"}, ["\\bisansR"] = {["character"] = "๐™", ["name"] = "Mathematical Sans-Serif Bold Italic Capital R"}, ["\\bisansS"] = {["character"] = "๐™Ž", ["name"] = "Mathematical Sans-Serif Bold Italic Capital S"}, ["\\bisansT"] = {["character"] = "๐™", ["name"] = "Mathematical Sans-Serif Bold Italic Capital T"}, ["\\bisansU"] = {["character"] = "๐™", ["name"] = "Mathematical Sans-Serif Bold Italic Capital U"}, ["\\bisansV"] = {["character"] = "๐™‘", ["name"] = "Mathematical Sans-Serif Bold Italic Capital V"}, ["\\bisansW"] = {["character"] = "๐™’", ["name"] = "Mathematical Sans-Serif Bold Italic Capital W"}, ["\\bisansX"] = {["character"] = "๐™“", ["name"] = "Mathematical Sans-Serif Bold Italic Capital X"}, ["\\bisansY"] = {["character"] = "๐™”", ["name"] = "Mathematical Sans-Serif Bold Italic Capital Y"}, ["\\bisansZ"] = {["character"] = "๐™•", ["name"] = "Mathematical Sans-Serif Bold Italic Capital Z"}, ["\\bisansa"] = {["character"] = "๐™–", ["name"] = "Mathematical Sans-Serif Bold Italic Small A"}, ["\\bisansb"] = {["character"] = "๐™—", ["name"] = "Mathematical Sans-Serif Bold Italic Small B"}, ["\\bisansc"] = {["character"] = "๐™˜", ["name"] = "Mathematical Sans-Serif Bold Italic Small C"}, ["\\bisansd"] = {["character"] = "๐™™", ["name"] = "Mathematical Sans-Serif Bold Italic Small D"}, ["\\bisanse"] = {["character"] = "๐™š", ["name"] = "Mathematical Sans-Serif Bold Italic Small E"}, ["\\bisansf"] = {["character"] = "๐™›", ["name"] = "Mathematical Sans-Serif Bold Italic Small F"}, ["\\bisansg"] = {["character"] = "๐™œ", ["name"] = "Mathematical Sans-Serif Bold Italic Small G"}, ["\\bisansh"] = {["character"] = "๐™", ["name"] = "Mathematical Sans-Serif Bold Italic Small H"}, ["\\bisansi"] = {["character"] = "๐™ž", ["name"] = "Mathematical Sans-Serif Bold Italic Small I"}, ["\\bisansj"] = {["character"] = "๐™Ÿ", ["name"] = "Mathematical Sans-Serif Bold Italic Small J"}, ["\\bisansk"] = {["character"] = "๐™ ", ["name"] = "Mathematical Sans-Serif Bold Italic Small K"}, ["\\bisansl"] = {["character"] = "๐™ก", ["name"] = "Mathematical Sans-Serif Bold Italic Small L"}, ["\\bisansm"] = {["character"] = "๐™ข", ["name"] = "Mathematical Sans-Serif Bold Italic Small M"}, ["\\bisansn"] = {["character"] = "๐™ฃ", ["name"] = "Mathematical Sans-Serif Bold Italic Small N"}, ["\\bisanso"] = {["character"] = "๐™ค", ["name"] = "Mathematical Sans-Serif Bold Italic Small O"}, ["\\bisansp"] = {["character"] = "๐™ฅ", ["name"] = "Mathematical Sans-Serif Bold Italic Small P"}, ["\\bisansq"] = {["character"] = "๐™ฆ", ["name"] = "Mathematical Sans-Serif Bold Italic Small Q"}, ["\\bisansr"] = {["character"] = "๐™ง", ["name"] = "Mathematical Sans-Serif Bold Italic Small R"}, ["\\bisanss"] = {["character"] = "๐™จ", ["name"] = "Mathematical Sans-Serif Bold Italic Small S"}, ["\\bisanst"] = {["character"] = "๐™ฉ", ["name"] = "Mathematical Sans-Serif Bold Italic Small T"}, ["\\bisansu"] = {["character"] = "๐™ช", ["name"] = "Mathematical Sans-Serif Bold Italic Small U"}, ["\\bisansv"] = {["character"] = "๐™ซ", ["name"] = "Mathematical Sans-Serif Bold Italic Small V"}, ["\\bisansw"] = {["character"] = "๐™ฌ", ["name"] = "Mathematical Sans-Serif Bold Italic Small W"}, ["\\bisansx"] = {["character"] = "๐™ญ", ["name"] = "Mathematical Sans-Serif Bold Italic Small X"}, ["\\bisansy"] = {["character"] = "๐™ฎ", ["name"] = "Mathematical Sans-Serif Bold Italic Small Y"}, ["\\bisansz"] = {["character"] = "๐™ฏ", ["name"] = "Mathematical Sans-Serif Bold Italic Small Z"}, ["\\ttA"] = {["character"] = "๐™ฐ", ["name"] = "Mathematical Monospace Capital A"}, ["\\ttB"] = {["character"] = "๐™ฑ", ["name"] = "Mathematical Monospace Capital B"}, ["\\ttC"] = {["character"] = "๐™ฒ", ["name"] = "Mathematical Monospace Capital C"}, ["\\ttD"] = {["character"] = "๐™ณ", ["name"] = "Mathematical Monospace Capital D"}, ["\\ttE"] = {["character"] = "๐™ด", ["name"] = "Mathematical Monospace Capital E"}, ["\\ttF"] = {["character"] = "๐™ต", ["name"] = "Mathematical Monospace Capital F"}, ["\\ttG"] = {["character"] = "๐™ถ", ["name"] = "Mathematical Monospace Capital G"}, ["\\ttH"] = {["character"] = "๐™ท", ["name"] = "Mathematical Monospace Capital H"}, ["\\ttI"] = {["character"] = "๐™ธ", ["name"] = "Mathematical Monospace Capital I"}, ["\\ttJ"] = {["character"] = "๐™น", ["name"] = "Mathematical Monospace Capital J"}, ["\\ttK"] = {["character"] = "๐™บ", ["name"] = "Mathematical Monospace Capital K"}, ["\\ttL"] = {["character"] = "๐™ป", ["name"] = "Mathematical Monospace Capital L"}, ["\\ttM"] = {["character"] = "๐™ผ", ["name"] = "Mathematical Monospace Capital M"}, ["\\ttN"] = {["character"] = "๐™ฝ", ["name"] = "Mathematical Monospace Capital N"}, ["\\ttO"] = {["character"] = "๐™พ", ["name"] = "Mathematical Monospace Capital O"}, ["\\ttP"] = {["character"] = "๐™ฟ", ["name"] = "Mathematical Monospace Capital P"}, ["\\ttQ"] = {["character"] = "๐š€", ["name"] = "Mathematical Monospace Capital Q"}, ["\\ttR"] = {["character"] = "๐š", ["name"] = "Mathematical Monospace Capital R"}, ["\\ttS"] = {["character"] = "๐š‚", ["name"] = "Mathematical Monospace Capital S"}, ["\\ttT"] = {["character"] = "๐šƒ", ["name"] = "Mathematical Monospace Capital T"}, ["\\ttU"] = {["character"] = "๐š„", ["name"] = "Mathematical Monospace Capital U"}, ["\\ttV"] = {["character"] = "๐š…", ["name"] = "Mathematical Monospace Capital V"}, ["\\ttW"] = {["character"] = "๐š†", ["name"] = "Mathematical Monospace Capital W"}, ["\\ttX"] = {["character"] = "๐š‡", ["name"] = "Mathematical Monospace Capital X"}, ["\\ttY"] = {["character"] = "๐šˆ", ["name"] = "Mathematical Monospace Capital Y"}, ["\\ttZ"] = {["character"] = "๐š‰", ["name"] = "Mathematical Monospace Capital Z"}, ["\\tta"] = {["character"] = "๐šŠ", ["name"] = "Mathematical Monospace Small A"}, ["\\ttb"] = {["character"] = "๐š‹", ["name"] = "Mathematical Monospace Small B"}, ["\\ttc"] = {["character"] = "๐šŒ", ["name"] = "Mathematical Monospace Small C"}, ["\\ttd"] = {["character"] = "๐š", ["name"] = "Mathematical Monospace Small D"}, ["\\tte"] = {["character"] = "๐šŽ", ["name"] = "Mathematical Monospace Small E"}, ["\\ttf"] = {["character"] = "๐š", ["name"] = "Mathematical Monospace Small F"}, ["\\ttg"] = {["character"] = "๐š", ["name"] = "Mathematical Monospace Small G"}, ["\\tth"] = {["character"] = "๐š‘", ["name"] = "Mathematical Monospace Small H"}, ["\\tti"] = {["character"] = "๐š’", ["name"] = "Mathematical Monospace Small I"}, ["\\ttj"] = {["character"] = "๐š“", ["name"] = "Mathematical Monospace Small J"}, ["\\ttk"] = {["character"] = "๐š”", ["name"] = "Mathematical Monospace Small K"}, ["\\ttl"] = {["character"] = "๐š•", ["name"] = "Mathematical Monospace Small L"}, ["\\ttm"] = {["character"] = "๐š–", ["name"] = "Mathematical Monospace Small M"}, ["\\ttn"] = {["character"] = "๐š—", ["name"] = "Mathematical Monospace Small N"}, ["\\tto"] = {["character"] = "๐š˜", ["name"] = "Mathematical Monospace Small O"}, ["\\ttp"] = {["character"] = "๐š™", ["name"] = "Mathematical Monospace Small P"}, ["\\ttq"] = {["character"] = "๐šš", ["name"] = "Mathematical Monospace Small Q"}, ["\\ttr"] = {["character"] = "๐š›", ["name"] = "Mathematical Monospace Small R"}, ["\\tts"] = {["character"] = "๐šœ", ["name"] = "Mathematical Monospace Small S"}, ["\\ttt"] = {["character"] = "๐š", ["name"] = "Mathematical Monospace Small T"}, ["\\ttu"] = {["character"] = "๐šž", ["name"] = "Mathematical Monospace Small U"}, ["\\ttv"] = {["character"] = "๐šŸ", ["name"] = "Mathematical Monospace Small V"}, ["\\ttw"] = {["character"] = "๐š ", ["name"] = "Mathematical Monospace Small W"}, ["\\ttx"] = {["character"] = "๐šก", ["name"] = "Mathematical Monospace Small X"}, ["\\tty"] = {["character"] = "๐šข", ["name"] = "Mathematical Monospace Small Y"}, ["\\ttz"] = {["character"] = "๐šฃ", ["name"] = "Mathematical Monospace Small Z"}, ["\\itimath"] = {["character"] = "๐šค", ["name"] = "Mathematical Italic Small Dotless I"}, ["\\itjmath"] = {["character"] = "๐šฅ", ["name"] = "Mathematical Italic Small Dotless J"}, ["\\bfAlpha"] = {["character"] = "๐šจ", ["name"] = "Mathematical Bold Capital Alpha"}, ["\\bfBeta"] = {["character"] = "๐šฉ", ["name"] = "Mathematical Bold Capital Beta"}, ["\\bfGamma"] = {["character"] = "๐šช", ["name"] = "Mathematical Bold Capital Gamma"}, ["\\bfDelta"] = {["character"] = "๐šซ", ["name"] = "Mathematical Bold Capital Delta"}, ["\\bfEpsilon"] = {["character"] = "๐šฌ", ["name"] = "Mathematical Bold Capital Epsilon"}, ["\\bfZeta"] = {["character"] = "๐šญ", ["name"] = "Mathematical Bold Capital Zeta"}, ["\\bfEta"] = {["character"] = "๐šฎ", ["name"] = "Mathematical Bold Capital Eta"}, ["\\bfTheta"] = {["character"] = "๐šฏ", ["name"] = "Mathematical Bold Capital Theta"}, ["\\bfIota"] = {["character"] = "๐šฐ", ["name"] = "Mathematical Bold Capital Iota"}, ["\\bfKappa"] = {["character"] = "๐šฑ", ["name"] = "Mathematical Bold Capital Kappa"}, ["\\bfLambda"] = {["character"] = "๐šฒ", ["name"] = "Mathematical Bold Capital Lamda"}, ["\\bfMu"] = {["character"] = "๐šณ", ["name"] = "Mathematical Bold Capital Mu"}, ["\\bfNu"] = {["character"] = "๐šด", ["name"] = "Mathematical Bold Capital Nu"}, ["\\bfXi"] = {["character"] = "๐šต", ["name"] = "Mathematical Bold Capital Xi"}, ["\\bfOmicron"] = {["character"] = "๐šถ", ["name"] = "Mathematical Bold Capital Omicron"}, ["\\bfPi"] = {["character"] = "๐šท", ["name"] = "Mathematical Bold Capital Pi"}, ["\\bfRho"] = {["character"] = "๐šธ", ["name"] = "Mathematical Bold Capital Rho"}, ["\\bfvarTheta"] = {["character"] = "๐šน", ["name"] = "Mathematical Bold Capital Theta Symbol"}, ["\\bfSigma"] = {["character"] = "๐šบ", ["name"] = "Mathematical Bold Capital Sigma"}, ["\\bfTau"] = {["character"] = "๐šป", ["name"] = "Mathematical Bold Capital Tau"}, ["\\bfUpsilon"] = {["character"] = "๐šผ", ["name"] = "Mathematical Bold Capital Upsilon"}, ["\\bfPhi"] = {["character"] = "๐šฝ", ["name"] = "Mathematical Bold Capital Phi"}, ["\\bfChi"] = {["character"] = "๐šพ", ["name"] = "Mathematical Bold Capital Chi"}, ["\\bfPsi"] = {["character"] = "๐šฟ", ["name"] = "Mathematical Bold Capital Psi"}, ["\\bfOmega"] = {["character"] = "๐›€", ["name"] = "Mathematical Bold Capital Omega"}, ["\\bfnabla"] = {["character"] = "๐›", ["name"] = "Mathematical Bold Nabla"}, ["\\bfalpha"] = {["character"] = "๐›‚", ["name"] = "Mathematical Bold Small Alpha"}, ["\\bfbeta"] = {["character"] = "๐›ƒ", ["name"] = "Mathematical Bold Small Beta"}, ["\\bfgamma"] = {["character"] = "๐›„", ["name"] = "Mathematical Bold Small Gamma"}, ["\\bfdelta"] = {["character"] = "๐›…", ["name"] = "Mathematical Bold Small Delta"}, ["\\bfepsilon"] = {["character"] = "๐›†", ["name"] = "Mathematical Bold Small Epsilon"}, ["\\bfzeta"] = {["character"] = "๐›‡", ["name"] = "Mathematical Bold Small Zeta"}, ["\\bfeta"] = {["character"] = "๐›ˆ", ["name"] = "Mathematical Bold Small Eta"}, ["\\bftheta"] = {["character"] = "๐›‰", ["name"] = "Mathematical Bold Small Theta"}, ["\\bfiota"] = {["character"] = "๐›Š", ["name"] = "Mathematical Bold Small Iota"}, ["\\bfkappa"] = {["character"] = "๐›‹", ["name"] = "Mathematical Bold Small Kappa"}, ["\\bflambda"] = {["character"] = "๐›Œ", ["name"] = "Mathematical Bold Small Lamda"}, ["\\bfmu"] = {["character"] = "๐›", ["name"] = "Mathematical Bold Small Mu"}, ["\\bfnu"] = {["character"] = "๐›Ž", ["name"] = "Mathematical Bold Small Nu"}, ["\\bfxi"] = {["character"] = "๐›", ["name"] = "Mathematical Bold Small Xi"}, ["\\bfomicron"] = {["character"] = "๐›", ["name"] = "Mathematical Bold Small Omicron"}, ["\\bfpi"] = {["character"] = "๐›‘", ["name"] = "Mathematical Bold Small Pi"}, ["\\bfrho"] = {["character"] = "๐›’", ["name"] = "Mathematical Bold Small Rho"}, ["\\bfvarsigma"] = {["character"] = "๐›“", ["name"] = "Mathematical Bold Small Final Sigma"}, ["\\bfsigma"] = {["character"] = "๐›”", ["name"] = "Mathematical Bold Small Sigma"}, ["\\bftau"] = {["character"] = "๐›•", ["name"] = "Mathematical Bold Small Tau"}, ["\\bfupsilon"] = {["character"] = "๐›–", ["name"] = "Mathematical Bold Small Upsilon"}, ["\\bfvarphi"] = {["character"] = "๐›—", ["name"] = "Mathematical Bold Small Phi"}, ["\\bfchi"] = {["character"] = "๐›˜", ["name"] = "Mathematical Bold Small Chi"}, ["\\bfpsi"] = {["character"] = "๐›™", ["name"] = "Mathematical Bold Small Psi"}, ["\\bfomega"] = {["character"] = "๐›š", ["name"] = "Mathematical Bold Small Omega"}, ["\\bfpartial"] = {["character"] = "๐››", ["name"] = "Mathematical Bold Partial Differential"}, ["\\bfvarepsilon"] = {["character"] = "๐›œ", ["name"] = "Mathematical Bold Epsilon Symbol"}, ["\\bfvartheta"] = {["character"] = "๐›", ["name"] = "Mathematical Bold Theta Symbol"}, ["\\bfvarkappa"] = {["character"] = "๐›ž", ["name"] = "Mathematical Bold Kappa Symbol"}, ["\\bfphi"] = {["character"] = "๐›Ÿ", ["name"] = "Mathematical Bold Phi Symbol"}, ["\\bfvarrho"] = {["character"] = "๐› ", ["name"] = "Mathematical Bold Rho Symbol"}, ["\\bfvarpi"] = {["character"] = "๐›ก", ["name"] = "Mathematical Bold Pi Symbol"}, ["\\itAlpha"] = {["character"] = "๐›ข", ["name"] = "Mathematical Italic Capital Alpha"}, ["\\itBeta"] = {["character"] = "๐›ฃ", ["name"] = "Mathematical Italic Capital Beta"}, ["\\itGamma"] = {["character"] = "๐›ค", ["name"] = "Mathematical Italic Capital Gamma"}, ["\\itDelta"] = {["character"] = "๐›ฅ", ["name"] = "Mathematical Italic Capital Delta"}, ["\\itEpsilon"] = {["character"] = "๐›ฆ", ["name"] = "Mathematical Italic Capital Epsilon"}, ["\\itZeta"] = {["character"] = "๐›ง", ["name"] = "Mathematical Italic Capital Zeta"}, ["\\itEta"] = {["character"] = "๐›จ", ["name"] = "Mathematical Italic Capital Eta"}, ["\\itTheta"] = {["character"] = "๐›ฉ", ["name"] = "Mathematical Italic Capital Theta"}, ["\\itIota"] = {["character"] = "๐›ช", ["name"] = "Mathematical Italic Capital Iota"}, ["\\itKappa"] = {["character"] = "๐›ซ", ["name"] = "Mathematical Italic Capital Kappa"}, ["\\itLambda"] = {["character"] = "๐›ฌ", ["name"] = "Mathematical Italic Capital Lamda"}, ["\\itMu"] = {["character"] = "๐›ญ", ["name"] = "Mathematical Italic Capital Mu"}, ["\\itNu"] = {["character"] = "๐›ฎ", ["name"] = "Mathematical Italic Capital Nu"}, ["\\itXi"] = {["character"] = "๐›ฏ", ["name"] = "Mathematical Italic Capital Xi"}, ["\\itOmicron"] = {["character"] = "๐›ฐ", ["name"] = "Mathematical Italic Capital Omicron"}, ["\\itPi"] = {["character"] = "๐›ฑ", ["name"] = "Mathematical Italic Capital Pi"}, ["\\itRho"] = {["character"] = "๐›ฒ", ["name"] = "Mathematical Italic Capital Rho"}, ["\\itvarTheta"] = {["character"] = "๐›ณ", ["name"] = "Mathematical Italic Capital Theta Symbol"}, ["\\itSigma"] = {["character"] = "๐›ด", ["name"] = "Mathematical Italic Capital Sigma"}, ["\\itTau"] = {["character"] = "๐›ต", ["name"] = "Mathematical Italic Capital Tau"}, ["\\itUpsilon"] = {["character"] = "๐›ถ", ["name"] = "Mathematical Italic Capital Upsilon"}, ["\\itPhi"] = {["character"] = "๐›ท", ["name"] = "Mathematical Italic Capital Phi"}, ["\\itChi"] = {["character"] = "๐›ธ", ["name"] = "Mathematical Italic Capital Chi"}, ["\\itPsi"] = {["character"] = "๐›น", ["name"] = "Mathematical Italic Capital Psi"}, ["\\itOmega"] = {["character"] = "๐›บ", ["name"] = "Mathematical Italic Capital Omega"}, ["\\itnabla"] = {["character"] = "๐›ป", ["name"] = "Mathematical Italic Nabla"}, ["\\italpha"] = {["character"] = "๐›ผ", ["name"] = "Mathematical Italic Small Alpha"}, ["\\itbeta"] = {["character"] = "๐›ฝ", ["name"] = "Mathematical Italic Small Beta"}, ["\\itgamma"] = {["character"] = "๐›พ", ["name"] = "Mathematical Italic Small Gamma"}, ["\\itdelta"] = {["character"] = "๐›ฟ", ["name"] = "Mathematical Italic Small Delta"}, ["\\itepsilon"] = {["character"] = "๐œ€", ["name"] = "Mathematical Italic Small Epsilon"}, ["\\itzeta"] = {["character"] = "๐œ", ["name"] = "Mathematical Italic Small Zeta"}, ["\\iteta"] = {["character"] = "๐œ‚", ["name"] = "Mathematical Italic Small Eta"}, ["\\ittheta"] = {["character"] = "๐œƒ", ["name"] = "Mathematical Italic Small Theta"}, ["\\itiota"] = {["character"] = "๐œ„", ["name"] = "Mathematical Italic Small Iota"}, ["\\itkappa"] = {["character"] = "๐œ…", ["name"] = "Mathematical Italic Small Kappa"}, ["\\itlambda"] = {["character"] = "๐œ†", ["name"] = "Mathematical Italic Small Lamda"}, ["\\itmu"] = {["character"] = "๐œ‡", ["name"] = "Mathematical Italic Small Mu"}, ["\\itnu"] = {["character"] = "๐œˆ", ["name"] = "Mathematical Italic Small Nu"}, ["\\itxi"] = {["character"] = "๐œ‰", ["name"] = "Mathematical Italic Small Xi"}, ["\\itomicron"] = {["character"] = "๐œŠ", ["name"] = "Mathematical Italic Small Omicron"}, ["\\itpi"] = {["character"] = "๐œ‹", ["name"] = "Mathematical Italic Small Pi"}, ["\\itrho"] = {["character"] = "๐œŒ", ["name"] = "Mathematical Italic Small Rho"}, ["\\itvarsigma"] = {["character"] = "๐œ", ["name"] = "Mathematical Italic Small Final Sigma"}, ["\\itsigma"] = {["character"] = "๐œŽ", ["name"] = "Mathematical Italic Small Sigma"}, ["\\ittau"] = {["character"] = "๐œ", ["name"] = "Mathematical Italic Small Tau"}, ["\\itupsilon"] = {["character"] = "๐œ", ["name"] = "Mathematical Italic Small Upsilon"}, ["\\itphi"] = {["character"] = "๐œ‘", ["name"] = "Mathematical Italic Small Phi"}, ["\\itchi"] = {["character"] = "๐œ’", ["name"] = "Mathematical Italic Small Chi"}, ["\\itpsi"] = {["character"] = "๐œ“", ["name"] = "Mathematical Italic Small Psi"}, ["\\itomega"] = {["character"] = "๐œ”", ["name"] = "Mathematical Italic Small Omega"}, ["\\itpartial"] = {["character"] = "๐œ•", ["name"] = "Mathematical Italic Partial Differential"}, ["\\itvarepsilon"] = {["character"] = "๐œ–", ["name"] = "Mathematical Italic Epsilon Symbol"}, ["\\itvartheta"] = {["character"] = "๐œ—", ["name"] = "Mathematical Italic Theta Symbol"}, ["\\itvarkappa"] = {["character"] = "๐œ˜", ["name"] = "Mathematical Italic Kappa Symbol"}, ["\\itvarphi"] = {["character"] = "๐œ™", ["name"] = "Mathematical Italic Phi Symbol"}, ["\\itvarrho"] = {["character"] = "๐œš", ["name"] = "Mathematical Italic Rho Symbol"}, ["\\itvarpi"] = {["character"] = "๐œ›", ["name"] = "Mathematical Italic Pi Symbol"}, ["\\biAlpha"] = {["character"] = "๐œœ", ["name"] = "Mathematical Bold Italic Capital Alpha"}, ["\\biBeta"] = {["character"] = "๐œ", ["name"] = "Mathematical Bold Italic Capital Beta"}, ["\\biGamma"] = {["character"] = "๐œž", ["name"] = "Mathematical Bold Italic Capital Gamma"}, ["\\biDelta"] = {["character"] = "๐œŸ", ["name"] = "Mathematical Bold Italic Capital Delta"}, ["\\biEpsilon"] = {["character"] = "๐œ ", ["name"] = "Mathematical Bold Italic Capital Epsilon"}, ["\\biZeta"] = {["character"] = "๐œก", ["name"] = "Mathematical Bold Italic Capital Zeta"}, ["\\biEta"] = {["character"] = "๐œข", ["name"] = "Mathematical Bold Italic Capital Eta"}, ["\\biTheta"] = {["character"] = "๐œฃ", ["name"] = "Mathematical Bold Italic Capital Theta"}, ["\\biIota"] = {["character"] = "๐œค", ["name"] = "Mathematical Bold Italic Capital Iota"}, ["\\biKappa"] = {["character"] = "๐œฅ", ["name"] = "Mathematical Bold Italic Capital Kappa"}, ["\\biLambda"] = {["character"] = "๐œฆ", ["name"] = "Mathematical Bold Italic Capital Lamda"}, ["\\biMu"] = {["character"] = "๐œง", ["name"] = "Mathematical Bold Italic Capital Mu"}, ["\\biNu"] = {["character"] = "๐œจ", ["name"] = "Mathematical Bold Italic Capital Nu"}, ["\\biXi"] = {["character"] = "๐œฉ", ["name"] = "Mathematical Bold Italic Capital Xi"}, ["\\biOmicron"] = {["character"] = "๐œช", ["name"] = "Mathematical Bold Italic Capital Omicron"}, ["\\biPi"] = {["character"] = "๐œซ", ["name"] = "Mathematical Bold Italic Capital Pi"}, ["\\biRho"] = {["character"] = "๐œฌ", ["name"] = "Mathematical Bold Italic Capital Rho"}, ["\\bivarTheta"] = {["character"] = "๐œญ", ["name"] = "Mathematical Bold Italic Capital Theta Symbol"}, ["\\biSigma"] = {["character"] = "๐œฎ", ["name"] = "Mathematical Bold Italic Capital Sigma"}, ["\\biTau"] = {["character"] = "๐œฏ", ["name"] = "Mathematical Bold Italic Capital Tau"}, ["\\biUpsilon"] = {["character"] = "๐œฐ", ["name"] = "Mathematical Bold Italic Capital Upsilon"}, ["\\biPhi"] = {["character"] = "๐œฑ", ["name"] = "Mathematical Bold Italic Capital Phi"}, ["\\biChi"] = {["character"] = "๐œฒ", ["name"] = "Mathematical Bold Italic Capital Chi"}, ["\\biPsi"] = {["character"] = "๐œณ", ["name"] = "Mathematical Bold Italic Capital Psi"}, ["\\biOmega"] = {["character"] = "๐œด", ["name"] = "Mathematical Bold Italic Capital Omega"}, ["\\binabla"] = {["character"] = "๐œต", ["name"] = "Mathematical Bold Italic Nabla"}, ["\\bialpha"] = {["character"] = "๐œถ", ["name"] = "Mathematical Bold Italic Small Alpha"}, ["\\bibeta"] = {["character"] = "๐œท", ["name"] = "Mathematical Bold Italic Small Beta"}, ["\\bigamma"] = {["character"] = "๐œธ", ["name"] = "Mathematical Bold Italic Small Gamma"}, ["\\bidelta"] = {["character"] = "๐œน", ["name"] = "Mathematical Bold Italic Small Delta"}, ["\\biepsilon"] = {["character"] = "๐œบ", ["name"] = "Mathematical Bold Italic Small Epsilon"}, ["\\bizeta"] = {["character"] = "๐œป", ["name"] = "Mathematical Bold Italic Small Zeta"}, ["\\bieta"] = {["character"] = "๐œผ", ["name"] = "Mathematical Bold Italic Small Eta"}, ["\\bitheta"] = {["character"] = "๐œฝ", ["name"] = "Mathematical Bold Italic Small Theta"}, ["\\biiota"] = {["character"] = "๐œพ", ["name"] = "Mathematical Bold Italic Small Iota"}, ["\\bikappa"] = {["character"] = "๐œฟ", ["name"] = "Mathematical Bold Italic Small Kappa"}, ["\\bilambda"] = {["character"] = "๐€", ["name"] = "Mathematical Bold Italic Small Lamda"}, ["\\bimu"] = {["character"] = "๐", ["name"] = "Mathematical Bold Italic Small Mu"}, ["\\binu"] = {["character"] = "๐‚", ["name"] = "Mathematical Bold Italic Small Nu"}, ["\\bixi"] = {["character"] = "๐ƒ", ["name"] = "Mathematical Bold Italic Small Xi"}, ["\\biomicron"] = {["character"] = "๐„", ["name"] = "Mathematical Bold Italic Small Omicron"}, ["\\bipi"] = {["character"] = "๐…", ["name"] = "Mathematical Bold Italic Small Pi"}, ["\\birho"] = {["character"] = "๐†", ["name"] = "Mathematical Bold Italic Small Rho"}, ["\\bivarsigma"] = {["character"] = "๐‡", ["name"] = "Mathematical Bold Italic Small Final Sigma"}, ["\\bisigma"] = {["character"] = "๐ˆ", ["name"] = "Mathematical Bold Italic Small Sigma"}, ["\\bitau"] = {["character"] = "๐‰", ["name"] = "Mathematical Bold Italic Small Tau"}, ["\\biupsilon"] = {["character"] = "๐Š", ["name"] = "Mathematical Bold Italic Small Upsilon"}, ["\\biphi"] = {["character"] = "๐‹", ["name"] = "Mathematical Bold Italic Small Phi"}, ["\\bichi"] = {["character"] = "๐Œ", ["name"] = "Mathematical Bold Italic Small Chi"}, ["\\bipsi"] = {["character"] = "๐", ["name"] = "Mathematical Bold Italic Small Psi"}, ["\\biomega"] = {["character"] = "๐Ž", ["name"] = "Mathematical Bold Italic Small Omega"}, ["\\bipartial"] = {["character"] = "๐", ["name"] = "Mathematical Bold Italic Partial Differential"}, ["\\bivarepsilon"] = {["character"] = "๐", ["name"] = "Mathematical Bold Italic Epsilon Symbol"}, ["\\bivartheta"] = {["character"] = "๐‘", ["name"] = "Mathematical Bold Italic Theta Symbol"}, ["\\bivarkappa"] = {["character"] = "๐’", ["name"] = "Mathematical Bold Italic Kappa Symbol"}, ["\\bivarphi"] = {["character"] = "๐“", ["name"] = "Mathematical Bold Italic Phi Symbol"}, ["\\bivarrho"] = {["character"] = "๐”", ["name"] = "Mathematical Bold Italic Rho Symbol"}, ["\\bivarpi"] = {["character"] = "๐•", ["name"] = "Mathematical Bold Italic Pi Symbol"}, ["\\bsansAlpha"] = {["character"] = "๐–", ["name"] = "Mathematical Sans-Serif Bold Capital Alpha"}, ["\\bsansBeta"] = {["character"] = "๐—", ["name"] = "Mathematical Sans-Serif Bold Capital Beta"}, ["\\bsansGamma"] = {["character"] = "๐˜", ["name"] = "Mathematical Sans-Serif Bold Capital Gamma"}, ["\\bsansDelta"] = {["character"] = "๐™", ["name"] = "Mathematical Sans-Serif Bold Capital Delta"}, ["\\bsansEpsilon"] = {["character"] = "๐š", ["name"] = "Mathematical Sans-Serif Bold Capital Epsilon"}, ["\\bsansZeta"] = {["character"] = "๐›", ["name"] = "Mathematical Sans-Serif Bold Capital Zeta"}, ["\\bsansEta"] = {["character"] = "๐œ", ["name"] = "Mathematical Sans-Serif Bold Capital Eta"}, ["\\bsansTheta"] = {["character"] = "๐", ["name"] = "Mathematical Sans-Serif Bold Capital Theta"}, ["\\bsansIota"] = {["character"] = "๐ž", ["name"] = "Mathematical Sans-Serif Bold Capital Iota"}, ["\\bsansKappa"] = {["character"] = "๐Ÿ", ["name"] = "Mathematical Sans-Serif Bold Capital Kappa"}, ["\\bsansLambda"] = {["character"] = "๐ ", ["name"] = "Mathematical Sans-Serif Bold Capital Lamda"}, ["\\bsansMu"] = {["character"] = "๐ก", ["name"] = "Mathematical Sans-Serif Bold Capital Mu"}, ["\\bsansNu"] = {["character"] = "๐ข", ["name"] = "Mathematical Sans-Serif Bold Capital Nu"}, ["\\bsansXi"] = {["character"] = "๐ฃ", ["name"] = "Mathematical Sans-Serif Bold Capital Xi"}, ["\\bsansOmicron"] = {["character"] = "๐ค", ["name"] = "Mathematical Sans-Serif Bold Capital Omicron"}, ["\\bsansPi"] = {["character"] = "๐ฅ", ["name"] = "Mathematical Sans-Serif Bold Capital Pi"}, ["\\bsansRho"] = {["character"] = "๐ฆ", ["name"] = "Mathematical Sans-Serif Bold Capital Rho"}, ["\\bsansvarTheta"] = {["character"] = "๐ง", ["name"] = "Mathematical Sans-Serif Bold Capital Theta Symbol"}, ["\\bsansSigma"] = {["character"] = "๐จ", ["name"] = "Mathematical Sans-Serif Bold Capital Sigma"}, ["\\bsansTau"] = {["character"] = "๐ฉ", ["name"] = "Mathematical Sans-Serif Bold Capital Tau"}, ["\\bsansUpsilon"] = {["character"] = "๐ช", ["name"] = "Mathematical Sans-Serif Bold Capital Upsilon"}, ["\\bsansPhi"] = {["character"] = "๐ซ", ["name"] = "Mathematical Sans-Serif Bold Capital Phi"}, ["\\bsansChi"] = {["character"] = "๐ฌ", ["name"] = "Mathematical Sans-Serif Bold Capital Chi"}, ["\\bsansPsi"] = {["character"] = "๐ญ", ["name"] = "Mathematical Sans-Serif Bold Capital Psi"}, ["\\bsansOmega"] = {["character"] = "๐ฎ", ["name"] = "Mathematical Sans-Serif Bold Capital Omega"}, ["\\bsansnabla"] = {["character"] = "๐ฏ", ["name"] = "Mathematical Sans-Serif Bold Nabla"}, ["\\bsansalpha"] = {["character"] = "๐ฐ", ["name"] = "Mathematical Sans-Serif Bold Small Alpha"}, ["\\bsansbeta"] = {["character"] = "๐ฑ", ["name"] = "Mathematical Sans-Serif Bold Small Beta"}, ["\\bsansgamma"] = {["character"] = "๐ฒ", ["name"] = "Mathematical Sans-Serif Bold Small Gamma"}, ["\\bsansdelta"] = {["character"] = "๐ณ", ["name"] = "Mathematical Sans-Serif Bold Small Delta"}, ["\\bsansepsilon"] = {["character"] = "๐ด", ["name"] = "Mathematical Sans-Serif Bold Small Epsilon"}, ["\\bsanszeta"] = {["character"] = "๐ต", ["name"] = "Mathematical Sans-Serif Bold Small Zeta"}, ["\\bsanseta"] = {["character"] = "๐ถ", ["name"] = "Mathematical Sans-Serif Bold Small Eta"}, ["\\bsanstheta"] = {["character"] = "๐ท", ["name"] = "Mathematical Sans-Serif Bold Small Theta"}, ["\\bsansiota"] = {["character"] = "๐ธ", ["name"] = "Mathematical Sans-Serif Bold Small Iota"}, ["\\bsanskappa"] = {["character"] = "๐น", ["name"] = "Mathematical Sans-Serif Bold Small Kappa"}, ["\\bsanslambda"] = {["character"] = "๐บ", ["name"] = "Mathematical Sans-Serif Bold Small Lamda"}, ["\\bsansmu"] = {["character"] = "๐ป", ["name"] = "Mathematical Sans-Serif Bold Small Mu"}, ["\\bsansnu"] = {["character"] = "๐ผ", ["name"] = "Mathematical Sans-Serif Bold Small Nu"}, ["\\bsansxi"] = {["character"] = "๐ฝ", ["name"] = "Mathematical Sans-Serif Bold Small Xi"}, ["\\bsansomicron"] = {["character"] = "๐พ", ["name"] = "Mathematical Sans-Serif Bold Small Omicron"}, ["\\bsanspi"] = {["character"] = "๐ฟ", ["name"] = "Mathematical Sans-Serif Bold Small Pi"}, ["\\bsansrho"] = {["character"] = "๐ž€", ["name"] = "Mathematical Sans-Serif Bold Small Rho"}, ["\\bsansvarsigma"] = {["character"] = "๐ž", ["name"] = "Mathematical Sans-Serif Bold Small Final Sigma"}, ["\\bsanssigma"] = {["character"] = "๐ž‚", ["name"] = "Mathematical Sans-Serif Bold Small Sigma"}, ["\\bsanstau"] = {["character"] = "๐žƒ", ["name"] = "Mathematical Sans-Serif Bold Small Tau"}, ["\\bsansupsilon"] = {["character"] = "๐ž„", ["name"] = "Mathematical Sans-Serif Bold Small Upsilon"}, ["\\bsansphi"] = {["character"] = "๐ž…", ["name"] = "Mathematical Sans-Serif Bold Small Phi"}, ["\\bsanschi"] = {["character"] = "๐ž†", ["name"] = "Mathematical Sans-Serif Bold Small Chi"}, ["\\bsanspsi"] = {["character"] = "๐ž‡", ["name"] = "Mathematical Sans-Serif Bold Small Psi"}, ["\\bsansomega"] = {["character"] = "๐žˆ", ["name"] = "Mathematical Sans-Serif Bold Small Omega"}, ["\\bsanspartial"] = {["character"] = "๐ž‰", ["name"] = "Mathematical Sans-Serif Bold Partial Differential"}, ["\\bsansvarepsilon"] = {["character"] = "๐žŠ", ["name"] = "Mathematical Sans-Serif Bold Epsilon Symbol"}, ["\\bsansvartheta"] = {["character"] = "๐ž‹", ["name"] = "Mathematical Sans-Serif Bold Theta Symbol"}, ["\\bsansvarkappa"] = {["character"] = "๐žŒ", ["name"] = "Mathematical Sans-Serif Bold Kappa Symbol"}, ["\\bsansvarphi"] = {["character"] = "๐ž", ["name"] = "Mathematical Sans-Serif Bold Phi Symbol"}, ["\\bsansvarrho"] = {["character"] = "๐žŽ", ["name"] = "Mathematical Sans-Serif Bold Rho Symbol"}, ["\\bsansvarpi"] = {["character"] = "๐ž", ["name"] = "Mathematical Sans-Serif Bold Pi Symbol"}, ["\\bisansAlpha"] = {["character"] = "๐ž", ["name"] = "Mathematical Sans-Serif Bold Italic Capital Alpha"}, ["\\bisansBeta"] = {["character"] = "๐ž‘", ["name"] = "Mathematical Sans-Serif Bold Italic Capital Beta"}, ["\\bisansGamma"] = {["character"] = "๐ž’", ["name"] = "Mathematical Sans-Serif Bold Italic Capital Gamma"}, ["\\bisansDelta"] = {["character"] = "๐ž“", ["name"] = "Mathematical Sans-Serif Bold Italic Capital Delta"}, ["\\bisansEpsilon"] = {["character"] = "๐ž”", ["name"] = "Mathematical Sans-Serif Bold Italic Capital Epsilon"}, ["\\bisansZeta"] = {["character"] = "๐ž•", ["name"] = "Mathematical Sans-Serif Bold Italic Capital Zeta"}, ["\\bisansEta"] = {["character"] = "๐ž–", ["name"] = "Mathematical Sans-Serif Bold Italic Capital Eta"}, ["\\bisansTheta"] = {["character"] = "๐ž—", ["name"] = "Mathematical Sans-Serif Bold Italic Capital Theta"}, ["\\bisansIota"] = {["character"] = "๐ž˜", ["name"] = "Mathematical Sans-Serif Bold Italic Capital Iota"}, ["\\bisansKappa"] = {["character"] = "๐ž™", ["name"] = "Mathematical Sans-Serif Bold Italic Capital Kappa"}, ["\\bisansLambda"] = {["character"] = "๐žš", ["name"] = "Mathematical Sans-Serif Bold Italic Capital Lamda"}, ["\\bisansMu"] = {["character"] = "๐ž›", ["name"] = "Mathematical Sans-Serif Bold Italic Capital Mu"}, ["\\bisansNu"] = {["character"] = "๐žœ", ["name"] = "Mathematical Sans-Serif Bold Italic Capital Nu"}, ["\\bisansXi"] = {["character"] = "๐ž", ["name"] = "Mathematical Sans-Serif Bold Italic Capital Xi"}, ["\\bisansOmicron"] = {["character"] = "๐žž", ["name"] = "Mathematical Sans-Serif Bold Italic Capital Omicron"}, ["\\bisansPi"] = {["character"] = "๐žŸ", ["name"] = "Mathematical Sans-Serif Bold Italic Capital Pi"}, ["\\bisansRho"] = {["character"] = "๐ž ", ["name"] = "Mathematical Sans-Serif Bold Italic Capital Rho"}, ["\\bisansvarTheta"] = {["character"] = "๐žก", ["name"] = "Mathematical Sans-Serif Bold Italic Capital Theta Symbol"}, ["\\bisansSigma"] = {["character"] = "๐žข", ["name"] = "Mathematical Sans-Serif Bold Italic Capital Sigma"}, ["\\bisansTau"] = {["character"] = "๐žฃ", ["name"] = "Mathematical Sans-Serif Bold Italic Capital Tau"}, ["\\bisansUpsilon"] = {["character"] = "๐žค", ["name"] = "Mathematical Sans-Serif Bold Italic Capital Upsilon"}, ["\\bisansPhi"] = {["character"] = "๐žฅ", ["name"] = "Mathematical Sans-Serif Bold Italic Capital Phi"}, ["\\bisansChi"] = {["character"] = "๐žฆ", ["name"] = "Mathematical Sans-Serif Bold Italic Capital Chi"}, ["\\bisansPsi"] = {["character"] = "๐žง", ["name"] = "Mathematical Sans-Serif Bold Italic Capital Psi"}, ["\\bisansOmega"] = {["character"] = "๐žจ", ["name"] = "Mathematical Sans-Serif Bold Italic Capital Omega"}, ["\\bisansnabla"] = {["character"] = "๐žฉ", ["name"] = "Mathematical Sans-Serif Bold Italic Nabla"}, ["\\bisansalpha"] = {["character"] = "๐žช", ["name"] = "Mathematical Sans-Serif Bold Italic Small Alpha"}, ["\\bisansbeta"] = {["character"] = "๐žซ", ["name"] = "Mathematical Sans-Serif Bold Italic Small Beta"}, ["\\bisansgamma"] = {["character"] = "๐žฌ", ["name"] = "Mathematical Sans-Serif Bold Italic Small Gamma"}, ["\\bisansdelta"] = {["character"] = "๐žญ", ["name"] = "Mathematical Sans-Serif Bold Italic Small Delta"}, ["\\bisansepsilon"] = {["character"] = "๐žฎ", ["name"] = "Mathematical Sans-Serif Bold Italic Small Epsilon"}, ["\\bisanszeta"] = {["character"] = "๐žฏ", ["name"] = "Mathematical Sans-Serif Bold Italic Small Zeta"}, ["\\bisanseta"] = {["character"] = "๐žฐ", ["name"] = "Mathematical Sans-Serif Bold Italic Small Eta"}, ["\\bisanstheta"] = {["character"] = "๐žฑ", ["name"] = "Mathematical Sans-Serif Bold Italic Small Theta"}, ["\\bisansiota"] = {["character"] = "๐žฒ", ["name"] = "Mathematical Sans-Serif Bold Italic Small Iota"}, ["\\bisanskappa"] = {["character"] = "๐žณ", ["name"] = "Mathematical Sans-Serif Bold Italic Small Kappa"}, ["\\bisanslambda"] = {["character"] = "๐žด", ["name"] = "Mathematical Sans-Serif Bold Italic Small Lamda"}, ["\\bisansmu"] = {["character"] = "๐žต", ["name"] = "Mathematical Sans-Serif Bold Italic Small Mu"}, ["\\bisansnu"] = {["character"] = "๐žถ", ["name"] = "Mathematical Sans-Serif Bold Italic Small Nu"}, ["\\bisansxi"] = {["character"] = "๐žท", ["name"] = "Mathematical Sans-Serif Bold Italic Small Xi"}, ["\\bisansomicron"] = {["character"] = "๐žธ", ["name"] = "Mathematical Sans-Serif Bold Italic Small Omicron"}, ["\\bisanspi"] = {["character"] = "๐žน", ["name"] = "Mathematical Sans-Serif Bold Italic Small Pi"}, ["\\bisansrho"] = {["character"] = "๐žบ", ["name"] = "Mathematical Sans-Serif Bold Italic Small Rho"}, ["\\bisansvarsigma"] = {["character"] = "๐žป", ["name"] = "Mathematical Sans-Serif Bold Italic Small Final Sigma"}, ["\\bisanssigma"] = {["character"] = "๐žผ", ["name"] = "Mathematical Sans-Serif Bold Italic Small Sigma"}, ["\\bisanstau"] = {["character"] = "๐žฝ", ["name"] = "Mathematical Sans-Serif Bold Italic Small Tau"}, ["\\bisansupsilon"] = {["character"] = "๐žพ", ["name"] = "Mathematical Sans-Serif Bold Italic Small Upsilon"}, ["\\bisansphi"] = {["character"] = "๐žฟ", ["name"] = "Mathematical Sans-Serif Bold Italic Small Phi"}, ["\\bisanschi"] = {["character"] = "๐Ÿ€", ["name"] = "Mathematical Sans-Serif Bold Italic Small Chi"}, ["\\bisanspsi"] = {["character"] = "๐Ÿ", ["name"] = "Mathematical Sans-Serif Bold Italic Small Psi"}, ["\\bisansomega"] = {["character"] = "๐Ÿ‚", ["name"] = "Mathematical Sans-Serif Bold Italic Small Omega"}, ["\\bisanspartial"] = {["character"] = "๐Ÿƒ", ["name"] = "Mathematical Sans-Serif Bold Italic Partial Differential"}, ["\\bisansvarepsilon"] = {["character"] = "๐Ÿ„", ["name"] = "Mathematical Sans-Serif Bold Italic Epsilon Symbol"}, ["\\bisansvartheta"] = {["character"] = "๐Ÿ…", ["name"] = "Mathematical Sans-Serif Bold Italic Theta Symbol"}, ["\\bisansvarkappa"] = {["character"] = "๐Ÿ†", ["name"] = "Mathematical Sans-Serif Bold Italic Kappa Symbol"}, ["\\bisansvarphi"] = {["character"] = "๐Ÿ‡", ["name"] = "Mathematical Sans-Serif Bold Italic Phi Symbol"}, ["\\bisansvarrho"] = {["character"] = "๐Ÿˆ", ["name"] = "Mathematical Sans-Serif Bold Italic Rho Symbol"}, ["\\bisansvarpi"] = {["character"] = "๐Ÿ‰", ["name"] = "Mathematical Sans-Serif Bold Italic Pi Symbol"}, ["\\bfDigamma"] = {["character"] = "๐ŸŠ", ["name"] = "Mathematical Bold Capital Digamma"}, ["\\bfdigamma"] = {["character"] = "๐Ÿ‹", ["name"] = "Mathematical Bold Small Digamma"}, ["\\bfzero"] = {["character"] = "๐ŸŽ", ["name"] = "Mathematical Bold Digit Zero"}, ["\\bfone"] = {["character"] = "๐Ÿ", ["name"] = "Mathematical Bold Digit One"}, ["\\bftwo"] = {["character"] = "๐Ÿ", ["name"] = "Mathematical Bold Digit Two"}, ["\\bfthree"] = {["character"] = "๐Ÿ‘", ["name"] = "Mathematical Bold Digit Three"}, ["\\bffour"] = {["character"] = "๐Ÿ’", ["name"] = "Mathematical Bold Digit Four"}, ["\\bffive"] = {["character"] = "๐Ÿ“", ["name"] = "Mathematical Bold Digit Five"}, ["\\bfsix"] = {["character"] = "๐Ÿ”", ["name"] = "Mathematical Bold Digit Six"}, ["\\bfseven"] = {["character"] = "๐Ÿ•", ["name"] = "Mathematical Bold Digit Seven"}, ["\\bfeight"] = {["character"] = "๐Ÿ–", ["name"] = "Mathematical Bold Digit Eight"}, ["\\bfnine"] = {["character"] = "๐Ÿ—", ["name"] = "Mathematical Bold Digit Nine"}, ["\\bbzero"] = {["character"] = "๐Ÿ˜", ["name"] = "Mathematical Double-Struck Digit Zero"}, ["\\bbone"] = {["character"] = "๐Ÿ™", ["name"] = "Mathematical Double-Struck Digit One"}, ["\\bbtwo"] = {["character"] = "๐Ÿš", ["name"] = "Mathematical Double-Struck Digit Two"}, ["\\bbthree"] = {["character"] = "๐Ÿ›", ["name"] = "Mathematical Double-Struck Digit Three"}, ["\\bbfour"] = {["character"] = "๐Ÿœ", ["name"] = "Mathematical Double-Struck Digit Four"}, ["\\bbfive"] = {["character"] = "๐Ÿ", ["name"] = "Mathematical Double-Struck Digit Five"}, ["\\bbsix"] = {["character"] = "๐Ÿž", ["name"] = "Mathematical Double-Struck Digit Six"}, ["\\bbseven"] = {["character"] = "๐ŸŸ", ["name"] = "Mathematical Double-Struck Digit Seven"}, ["\\bbeight"] = {["character"] = "๐Ÿ ", ["name"] = "Mathematical Double-Struck Digit Eight"}, ["\\bbnine"] = {["character"] = "๐Ÿก", ["name"] = "Mathematical Double-Struck Digit Nine"}, ["\\sanszero"] = {["character"] = "๐Ÿข", ["name"] = "Mathematical Sans-Serif Digit Zero"}, ["\\sansone"] = {["character"] = "๐Ÿฃ", ["name"] = "Mathematical Sans-Serif Digit One"}, ["\\sanstwo"] = {["character"] = "๐Ÿค", ["name"] = "Mathematical Sans-Serif Digit Two"}, ["\\sansthree"] = {["character"] = "๐Ÿฅ", ["name"] = "Mathematical Sans-Serif Digit Three"}, ["\\sansfour"] = {["character"] = "๐Ÿฆ", ["name"] = "Mathematical Sans-Serif Digit Four"}, ["\\sansfive"] = {["character"] = "๐Ÿง", ["name"] = "Mathematical Sans-Serif Digit Five"}, ["\\sanssix"] = {["character"] = "๐Ÿจ", ["name"] = "Mathematical Sans-Serif Digit Six"}, ["\\sansseven"] = {["character"] = "๐Ÿฉ", ["name"] = "Mathematical Sans-Serif Digit Seven"}, ["\\sanseight"] = {["character"] = "๐Ÿช", ["name"] = "Mathematical Sans-Serif Digit Eight"}, ["\\sansnine"] = {["character"] = "๐Ÿซ", ["name"] = "Mathematical Sans-Serif Digit Nine"}, ["\\bsanszero"] = {["character"] = "๐Ÿฌ", ["name"] = "Mathematical Sans-Serif Bold Digit Zero"}, ["\\bsansone"] = {["character"] = "๐Ÿญ", ["name"] = "Mathematical Sans-Serif Bold Digit One"}, ["\\bsanstwo"] = {["character"] = "๐Ÿฎ", ["name"] = "Mathematical Sans-Serif Bold Digit Two"}, ["\\bsansthree"] = {["character"] = "๐Ÿฏ", ["name"] = "Mathematical Sans-Serif Bold Digit Three"}, ["\\bsansfour"] = {["character"] = "๐Ÿฐ", ["name"] = "Mathematical Sans-Serif Bold Digit Four"}, ["\\bsansfive"] = {["character"] = "๐Ÿฑ", ["name"] = "Mathematical Sans-Serif Bold Digit Five"}, ["\\bsanssix"] = {["character"] = "๐Ÿฒ", ["name"] = "Mathematical Sans-Serif Bold Digit Six"}, ["\\bsansseven"] = {["character"] = "๐Ÿณ", ["name"] = "Mathematical Sans-Serif Bold Digit Seven"}, ["\\bsanseight"] = {["character"] = "๐Ÿด", ["name"] = "Mathematical Sans-Serif Bold Digit Eight"}, ["\\bsansnine"] = {["character"] = "๐Ÿต", ["name"] = "Mathematical Sans-Serif Bold Digit Nine"}, ["\\ttzero"] = {["character"] = "๐Ÿถ", ["name"] = "Mathematical Monospace Digit Zero"}, ["\\ttone"] = {["character"] = "๐Ÿท", ["name"] = "Mathematical Monospace Digit One"}, ["\\tttwo"] = {["character"] = "๐Ÿธ", ["name"] = "Mathematical Monospace Digit Two"}, ["\\ttthree"] = {["character"] = "๐Ÿน", ["name"] = "Mathematical Monospace Digit Three"}, ["\\ttfour"] = {["character"] = "๐Ÿบ", ["name"] = "Mathematical Monospace Digit Four"}, ["\\ttfive"] = {["character"] = "๐Ÿป", ["name"] = "Mathematical Monospace Digit Five"}, ["\\ttsix"] = {["character"] = "๐Ÿผ", ["name"] = "Mathematical Monospace Digit Six"}, ["\\ttseven"] = {["character"] = "๐Ÿฝ", ["name"] = "Mathematical Monospace Digit Seven"}, ["\\tteight"] = {["character"] = "๐Ÿพ", ["name"] = "Mathematical Monospace Digit Eight"}, ["\\ttnine"] = {["character"] = "๐Ÿฟ", ["name"] = "Mathematical Monospace Digit Nine"}, ["\\:mahjong:"] = {["character"] = "๐Ÿ€„", ["name"] = "Mahjong Tile Red Dragon"}, ["\\:black_joker:"] = {["character"] = "๐Ÿƒ", ["name"] = "Playing Card Black Joker"}, ["\\:a:"] = {["character"] = "๐Ÿ…ฐ", ["name"] = "Negative Squared Latin Capital Letter A"}, ["\\:b:"] = {["character"] = "๐Ÿ…ฑ", ["name"] = "Negative Squared Latin Capital Letter B"}, ["\\:o2:"] = {["character"] = "๐Ÿ…พ", ["name"] = "Negative Squared Latin Capital Letter O"}, ["\\:parking:"] = {["character"] = "๐Ÿ…ฟ", ["name"] = "Negative Squared Latin Capital Letter P"}, ["\\:ab:"] = {["character"] = "๐Ÿ†Ž", ["name"] = "Negative Squared Ab"}, ["\\:cl:"] = {["character"] = "๐Ÿ†‘", ["name"] = "Squared Cl"}, ["\\:cool:"] = {["character"] = "๐Ÿ†’", ["name"] = "Squared Cool"}, ["\\:free:"] = {["character"] = "๐Ÿ†“", ["name"] = "Squared Free"}, ["\\:id:"] = {["character"] = "๐Ÿ†”", ["name"] = "Squared Id"}, ["\\:new:"] = {["character"] = "๐Ÿ†•", ["name"] = "Squared New"}, ["\\:ng:"] = {["character"] = "๐Ÿ†–", ["name"] = "Squared Ng"}, ["\\:ok:"] = {["character"] = "๐Ÿ†—", ["name"] = "Squared Ok"}, ["\\:sos:"] = {["character"] = "๐Ÿ†˜", ["name"] = "Squared Sos"}, ["\\:up:"] = {["character"] = "๐Ÿ†™", ["name"] = "Squared Up With Exclamation Mark"}, ["\\:vs:"] = {["character"] = "๐Ÿ†š", ["name"] = "Squared Vs"}, ["\\:koko:"] = {["character"] = "๐Ÿˆ", ["name"] = "Squared Katakana Koko"}, ["\\:sa:"] = {["character"] = "๐Ÿˆ‚", ["name"] = "Squared Katakana Sa"}, ["\\:u7121:"] = {["character"] = "๐Ÿˆš", ["name"] = "Squared Cjk Unified Ideograph-7121"}, ["\\:u6307:"] = {["character"] = "๐Ÿˆฏ", ["name"] = "Squared Cjk Unified Ideograph-6307"}, ["\\:u7981:"] = {["character"] = "๐Ÿˆฒ", ["name"] = "Squared Cjk Unified Ideograph-7981"}, ["\\:u7a7a:"] = {["character"] = "๐Ÿˆณ", ["name"] = "Squared Cjk Unified Ideograph-7A7A"}, ["\\:u5408:"] = {["character"] = "๐Ÿˆด", ["name"] = "Squared Cjk Unified Ideograph-5408"}, ["\\:u6e80:"] = {["character"] = "๐Ÿˆต", ["name"] = "Squared Cjk Unified Ideograph-6E80"}, ["\\:u6709:"] = {["character"] = "๐Ÿˆถ", ["name"] = "Squared Cjk Unified Ideograph-6709"}, ["\\:u6708:"] = {["character"] = "๐Ÿˆท", ["name"] = "Squared Cjk Unified Ideograph-6708"}, ["\\:u7533:"] = {["character"] = "๐Ÿˆธ", ["name"] = "Squared Cjk Unified Ideograph-7533"}, ["\\:u5272:"] = {["character"] = "๐Ÿˆน", ["name"] = "Squared Cjk Unified Ideograph-5272"}, ["\\:u55b6:"] = {["character"] = "๐Ÿˆบ", ["name"] = "Squared Cjk Unified Ideograph-55B6"}, ["\\:ideograph_advantage:"] = {["character"] = "๐Ÿ‰", ["name"] = "Circled Ideograph Advantage"}, ["\\:accept:"] = {["character"] = "๐Ÿ‰‘", ["name"] = "Circled Ideograph Accept"}, ["\\:cyclone:"] = {["character"] = "๐ŸŒ€", ["name"] = "Cyclone"}, ["\\:foggy:"] = {["character"] = "๐ŸŒ", ["name"] = "Foggy"}, ["\\:closed_umbrella:"] = {["character"] = "๐ŸŒ‚", ["name"] = "Closed Umbrella"}, ["\\:night_with_stars:"] = {["character"] = "๐ŸŒƒ", ["name"] = "Night With Stars"}, ["\\:sunrise_over_mountains:"] = {["character"] = "๐ŸŒ„", ["name"] = "Sunrise Over Mountains"}, ["\\:sunrise:"] = {["character"] = "๐ŸŒ…", ["name"] = "Sunrise"}, ["\\:city_sunset:"] = {["character"] = "๐ŸŒ†", ["name"] = "Cityscape At Dusk"}, ["\\:city_sunrise:"] = {["character"] = "๐ŸŒ‡", ["name"] = "Sunset Over Buildings"}, ["\\:rainbow:"] = {["character"] = "๐ŸŒˆ", ["name"] = "Rainbow"}, ["\\:bridge_at_night:"] = {["character"] = "๐ŸŒ‰", ["name"] = "Bridge At Night"}, ["\\:ocean:"] = {["character"] = "๐ŸŒŠ", ["name"] = "Water Wave"}, ["\\:volcano:"] = {["character"] = "๐ŸŒ‹", ["name"] = "Volcano"}, ["\\:milky_way:"] = {["character"] = "๐ŸŒŒ", ["name"] = "Milky Way"}, ["\\:earth_africa:"] = {["character"] = "๐ŸŒ", ["name"] = "Earth Globe Europe-Africa"}, ["\\:earth_americas:"] = {["character"] = "๐ŸŒŽ", ["name"] = "Earth Globe Americas"}, ["\\:earth_asia:"] = {["character"] = "๐ŸŒ", ["name"] = "Earth Globe Asia-Australia"}, ["\\:globe_with_meridians:"] = {["character"] = "๐ŸŒ", ["name"] = "Globe With Meridians"}, ["\\:new_moon:"] = {["character"] = "๐ŸŒ‘", ["name"] = "New Moon Symbol"}, ["\\:waxing_crescent_moon:"] = {["character"] = "๐ŸŒ’", ["name"] = "Waxing Crescent Moon Symbol"}, ["\\:first_quarter_moon:"] = {["character"] = "๐ŸŒ“", ["name"] = "First Quarter Moon Symbol"}, ["\\:moon:"] = {["character"] = "๐ŸŒ”", ["name"] = "Waxing Gibbous Moon Symbol"}, ["\\:full_moon:"] = {["character"] = "๐ŸŒ•", ["name"] = "Full Moon Symbol"}, ["\\:waning_gibbous_moon:"] = {["character"] = "๐ŸŒ–", ["name"] = "Waning Gibbous Moon Symbol"}, ["\\:last_quarter_moon:"] = {["character"] = "๐ŸŒ—", ["name"] = "Last Quarter Moon Symbol"}, ["\\:waning_crescent_moon:"] = {["character"] = "๐ŸŒ˜", ["name"] = "Waning Crescent Moon Symbol"}, ["\\:crescent_moon:"] = {["character"] = "๐ŸŒ™", ["name"] = "Crescent Moon"}, ["\\:new_moon_with_face:"] = {["character"] = "๐ŸŒš", ["name"] = "New Moon With Face"}, ["\\:first_quarter_moon_with_face:"] = {["character"] = "๐ŸŒ›", ["name"] = "First Quarter Moon With Face"}, ["\\:last_quarter_moon_with_face:"] = {["character"] = "๐ŸŒœ", ["name"] = "Last Quarter Moon With Face"}, ["\\:full_moon_with_face:"] = {["character"] = "๐ŸŒ", ["name"] = "Full Moon With Face"}, ["\\:sun_with_face:"] = {["character"] = "๐ŸŒž", ["name"] = "Sun With Face"}, ["\\:star2:"] = {["character"] = "๐ŸŒŸ", ["name"] = "Glowing Star"}, ["\\:stars:"] = {["character"] = "๐ŸŒ ", ["name"] = "Shooting Star"}, ["\\:chestnut:"] = {["character"] = "๐ŸŒฐ", ["name"] = "Chestnut"}, ["\\:seedling:"] = {["character"] = "๐ŸŒฑ", ["name"] = "Seedling"}, ["\\:evergreen_tree:"] = {["character"] = "๐ŸŒฒ", ["name"] = "Evergreen Tree"}, ["\\:deciduous_tree:"] = {["character"] = "๐ŸŒณ", ["name"] = "Deciduous Tree"}, ["\\:palm_tree:"] = {["character"] = "๐ŸŒด", ["name"] = "Palm Tree"}, ["\\:cactus:"] = {["character"] = "๐ŸŒต", ["name"] = "Cactus"}, ["\\:tulip:"] = {["character"] = "๐ŸŒท", ["name"] = "Tulip"}, ["\\:cherry_blossom:"] = {["character"] = "๐ŸŒธ", ["name"] = "Cherry Blossom"}, ["\\:rose:"] = {["character"] = "๐ŸŒน", ["name"] = "Rose"}, ["\\:hibiscus:"] = {["character"] = "๐ŸŒบ", ["name"] = "Hibiscus"}, ["\\:sunflower:"] = {["character"] = "๐ŸŒป", ["name"] = "Sunflower"}, ["\\:blossom:"] = {["character"] = "๐ŸŒผ", ["name"] = "Blossom"}, ["\\:corn:"] = {["character"] = "๐ŸŒฝ", ["name"] = "Ear Of Maize"}, ["\\:ear_of_rice:"] = {["character"] = "๐ŸŒพ", ["name"] = "Ear Of Rice"}, ["\\:herb:"] = {["character"] = "๐ŸŒฟ", ["name"] = "Herb"}, ["\\:four_leaf_clover:"] = {["character"] = "๐Ÿ€", ["name"] = "Four Leaf Clover"}, ["\\:maple_leaf:"] = {["character"] = "๐Ÿ", ["name"] = "Maple Leaf"}, ["\\:fallen_leaf:"] = {["character"] = "๐Ÿ‚", ["name"] = "Fallen Leaf"}, ["\\:leaves:"] = {["character"] = "๐Ÿƒ", ["name"] = "Leaf Fluttering In Wind"}, ["\\:mushroom:"] = {["character"] = "๐Ÿ„", ["name"] = "Mushroom"}, ["\\:tomato:"] = {["character"] = "๐Ÿ…", ["name"] = "Tomato"}, ["\\:eggplant:"] = {["character"] = "๐Ÿ†", ["name"] = "Aubergine"}, ["\\:grapes:"] = {["character"] = "๐Ÿ‡", ["name"] = "Grapes"}, ["\\:melon:"] = {["character"] = "๐Ÿˆ", ["name"] = "Melon"}, ["\\:watermelon:"] = {["character"] = "๐Ÿ‰", ["name"] = "Watermelon"}, ["\\:tangerine:"] = {["character"] = "๐ŸŠ", ["name"] = "Tangerine"}, ["\\:lemon:"] = {["character"] = "๐Ÿ‹", ["name"] = "Lemon"}, ["\\:banana:"] = {["character"] = "๐ŸŒ", ["name"] = "Banana"}, ["\\:pineapple:"] = {["character"] = "๐Ÿ", ["name"] = "Pineapple"}, ["\\:apple:"] = {["character"] = "๐ŸŽ", ["name"] = "Red Apple"}, ["\\:green_apple:"] = {["character"] = "๐Ÿ", ["name"] = "Green Apple"}, ["\\:pear:"] = {["character"] = "๐Ÿ", ["name"] = "Pear"}, ["\\:peach:"] = {["character"] = "๐Ÿ‘", ["name"] = "Peach"}, ["\\:cherries:"] = {["character"] = "๐Ÿ’", ["name"] = "Cherries"}, ["\\:strawberry:"] = {["character"] = "๐Ÿ“", ["name"] = "Strawberry"}, ["\\:hamburger:"] = {["character"] = "๐Ÿ”", ["name"] = "Hamburger"}, ["\\:pizza:"] = {["character"] = "๐Ÿ•", ["name"] = "Slice Of Pizza"}, ["\\:meat_on_bone:"] = {["character"] = "๐Ÿ–", ["name"] = "Meat On Bone"}, ["\\:poultry_leg:"] = {["character"] = "๐Ÿ—", ["name"] = "Poultry Leg"}, ["\\:rice_cracker:"] = {["character"] = "๐Ÿ˜", ["name"] = "Rice Cracker"}, ["\\:rice_ball:"] = {["character"] = "๐Ÿ™", ["name"] = "Rice Ball"}, ["\\:rice:"] = {["character"] = "๐Ÿš", ["name"] = "Cooked Rice"}, ["\\:curry:"] = {["character"] = "๐Ÿ›", ["name"] = "Curry And Rice"}, ["\\:ramen:"] = {["character"] = "๐Ÿœ", ["name"] = "Steaming Bowl"}, ["\\:spaghetti:"] = {["character"] = "๐Ÿ", ["name"] = "Spaghetti"}, ["\\:bread:"] = {["character"] = "๐Ÿž", ["name"] = "Bread"}, ["\\:fries:"] = {["character"] = "๐ŸŸ", ["name"] = "French Fries"}, ["\\:sweet_potato:"] = {["character"] = "๐Ÿ ", ["name"] = "Roasted Sweet Potato"}, ["\\:dango:"] = {["character"] = "๐Ÿก", ["name"] = "Dango"}, ["\\:oden:"] = {["character"] = "๐Ÿข", ["name"] = "Oden"}, ["\\:sushi:"] = {["character"] = "๐Ÿฃ", ["name"] = "Sushi"}, ["\\:fried_shrimp:"] = {["character"] = "๐Ÿค", ["name"] = "Fried Shrimp"}, ["\\:fish_cake:"] = {["character"] = "๐Ÿฅ", ["name"] = "Fish Cake With Swirl Design"}, ["\\:icecream:"] = {["character"] = "๐Ÿฆ", ["name"] = "Soft Ice Cream"}, ["\\:shaved_ice:"] = {["character"] = "๐Ÿง", ["name"] = "Shaved Ice"}, ["\\:ice_cream:"] = {["character"] = "๐Ÿจ", ["name"] = "Ice Cream"}, ["\\:doughnut:"] = {["character"] = "๐Ÿฉ", ["name"] = "Doughnut"}, ["\\:cookie:"] = {["character"] = "๐Ÿช", ["name"] = "Cookie"}, ["\\:chocolate_bar:"] = {["character"] = "๐Ÿซ", ["name"] = "Chocolate Bar"}, ["\\:candy:"] = {["character"] = "๐Ÿฌ", ["name"] = "Candy"}, ["\\:lollipop:"] = {["character"] = "๐Ÿญ", ["name"] = "Lollipop"}, ["\\:custard:"] = {["character"] = "๐Ÿฎ", ["name"] = "Custard"}, ["\\:honey_pot:"] = {["character"] = "๐Ÿฏ", ["name"] = "Honey Pot"}, ["\\:cake:"] = {["character"] = "๐Ÿฐ", ["name"] = "Shortcake"}, ["\\:bento:"] = {["character"] = "๐Ÿฑ", ["name"] = "Bento Box"}, ["\\:stew:"] = {["character"] = "๐Ÿฒ", ["name"] = "Pot Of Food"}, ["\\:egg:"] = {["character"] = "๐Ÿณ", ["name"] = "Cooking"}, ["\\:fork_and_knife:"] = {["character"] = "๐Ÿด", ["name"] = "Fork And Knife"}, ["\\:tea:"] = {["character"] = "๐Ÿต", ["name"] = "Teacup Without Handle"}, ["\\:sake:"] = {["character"] = "๐Ÿถ", ["name"] = "Sake Bottle And Cup"}, ["\\:wine_glass:"] = {["character"] = "๐Ÿท", ["name"] = "Wine Glass"}, ["\\:cocktail:"] = {["character"] = "๐Ÿธ", ["name"] = "Cocktail Glass"}, ["\\:tropical_drink:"] = {["character"] = "๐Ÿน", ["name"] = "Tropical Drink"}, ["\\:beer:"] = {["character"] = "๐Ÿบ", ["name"] = "Beer Mug"}, ["\\:beers:"] = {["character"] = "๐Ÿป", ["name"] = "Clinking Beer Mugs"}, ["\\:baby_bottle:"] = {["character"] = "๐Ÿผ", ["name"] = "Baby Bottle"}, ["\\:ribbon:"] = {["character"] = "๐ŸŽ€", ["name"] = "Ribbon"}, ["\\:gift:"] = {["character"] = "๐ŸŽ", ["name"] = "Wrapped Present"}, ["\\:birthday:"] = {["character"] = "๐ŸŽ‚", ["name"] = "Birthday Cake"}, ["\\:jack_o_lantern:"] = {["character"] = "๐ŸŽƒ", ["name"] = "Jack-O-Lantern"}, ["\\:christmas_tree:"] = {["character"] = "๐ŸŽ„", ["name"] = "Christmas Tree"}, ["\\:santa:"] = {["character"] = "๐ŸŽ…", ["name"] = "Father Christmas"}, ["\\:fireworks:"] = {["character"] = "๐ŸŽ†", ["name"] = "Fireworks"}, ["\\:sparkler:"] = {["character"] = "๐ŸŽ‡", ["name"] = "Firework Sparkler"}, ["\\:balloon:"] = {["character"] = "๐ŸŽˆ", ["name"] = "Balloon"}, ["\\:tada:"] = {["character"] = "๐ŸŽ‰", ["name"] = "Party Popper"}, ["\\:confetti_ball:"] = {["character"] = "๐ŸŽŠ", ["name"] = "Confetti Ball"}, ["\\:tanabata_tree:"] = {["character"] = "๐ŸŽ‹", ["name"] = "Tanabata Tree"}, ["\\:crossed_flags:"] = {["character"] = "๐ŸŽŒ", ["name"] = "Crossed Flags"}, ["\\:bamboo:"] = {["character"] = "๐ŸŽ", ["name"] = "Pine Decoration"}, ["\\:dolls:"] = {["character"] = "๐ŸŽŽ", ["name"] = "Japanese Dolls"}, ["\\:flags:"] = {["character"] = "๐ŸŽ", ["name"] = "Carp Streamer"}, ["\\:wind_chime:"] = {["character"] = "๐ŸŽ", ["name"] = "Wind Chime"}, ["\\:rice_scene:"] = {["character"] = "๐ŸŽ‘", ["name"] = "Moon Viewing Ceremony"}, ["\\:school_satchel:"] = {["character"] = "๐ŸŽ’", ["name"] = "School Satchel"}, ["\\:mortar_board:"] = {["character"] = "๐ŸŽ“", ["name"] = "Graduation Cap"}, ["\\:carousel_horse:"] = {["character"] = "๐ŸŽ ", ["name"] = "Carousel Horse"}, ["\\:ferris_wheel:"] = {["character"] = "๐ŸŽก", ["name"] = "Ferris Wheel"}, ["\\:roller_coaster:"] = {["character"] = "๐ŸŽข", ["name"] = "Roller Coaster"}, ["\\:fishing_pole_and_fish:"] = {["character"] = "๐ŸŽฃ", ["name"] = "Fishing Pole And Fish"}, ["\\:microphone:"] = {["character"] = "๐ŸŽค", ["name"] = "Microphone"}, ["\\:movie_camera:"] = {["character"] = "๐ŸŽฅ", ["name"] = "Movie Camera"}, ["\\:cinema:"] = {["character"] = "๐ŸŽฆ", ["name"] = "Cinema"}, ["\\:headphones:"] = {["character"] = "๐ŸŽง", ["name"] = "Headphone"}, ["\\:art:"] = {["character"] = "๐ŸŽจ", ["name"] = "Artist Palette"}, ["\\:tophat:"] = {["character"] = "๐ŸŽฉ", ["name"] = "Top Hat"}, ["\\:circus_tent:"] = {["character"] = "๐ŸŽช", ["name"] = "Circus Tent"}, ["\\:ticket:"] = {["character"] = "๐ŸŽซ", ["name"] = "Ticket"}, ["\\:clapper:"] = {["character"] = "๐ŸŽฌ", ["name"] = "Clapper Board"}, ["\\:performing_arts:"] = {["character"] = "๐ŸŽญ", ["name"] = "Performing Arts"}, ["\\:video_game:"] = {["character"] = "๐ŸŽฎ", ["name"] = "Video Game"}, ["\\:dart:"] = {["character"] = "๐ŸŽฏ", ["name"] = "Direct Hit"}, ["\\:slot_machine:"] = {["character"] = "๐ŸŽฐ", ["name"] = "Slot Machine"}, ["\\:8ball:"] = {["character"] = "๐ŸŽฑ", ["name"] = "Billiards"}, ["\\:game_die:"] = {["character"] = "๐ŸŽฒ", ["name"] = "Game Die"}, ["\\:bowling:"] = {["character"] = "๐ŸŽณ", ["name"] = "Bowling"}, ["\\:flower_playing_cards:"] = {["character"] = "๐ŸŽด", ["name"] = "Flower Playing Cards"}, ["\\:musical_note:"] = {["character"] = "๐ŸŽต", ["name"] = "Musical Note"}, ["\\:notes:"] = {["character"] = "๐ŸŽถ", ["name"] = "Multiple Musical Notes"}, ["\\:saxophone:"] = {["character"] = "๐ŸŽท", ["name"] = "Saxophone"}, ["\\:guitar:"] = {["character"] = "๐ŸŽธ", ["name"] = "Guitar"}, ["\\:musical_keyboard:"] = {["character"] = "๐ŸŽน", ["name"] = "Musical Keyboard"}, ["\\:trumpet:"] = {["character"] = "๐ŸŽบ", ["name"] = "Trumpet"}, ["\\:violin:"] = {["character"] = "๐ŸŽป", ["name"] = "Violin"}, ["\\:musical_score:"] = {["character"] = "๐ŸŽผ", ["name"] = "Musical Score"}, ["\\:running_shirt_with_sash:"] = {["character"] = "๐ŸŽฝ", ["name"] = "Running Shirt With Sash"}, ["\\:tennis:"] = {["character"] = "๐ŸŽพ", ["name"] = "Tennis Racquet And Ball"}, ["\\:ski:"] = {["character"] = "๐ŸŽฟ", ["name"] = "Ski And Ski Boot"}, ["\\:basketball:"] = {["character"] = "๐Ÿ€", ["name"] = "Basketball And Hoop"}, ["\\:checkered_flag:"] = {["character"] = "๐Ÿ", ["name"] = "Chequered Flag"}, ["\\:snowboarder:"] = {["character"] = "๐Ÿ‚", ["name"] = "Snowboarder"}, ["\\:runner:"] = {["character"] = "๐Ÿƒ", ["name"] = "Runner"}, ["\\:surfer:"] = {["character"] = "๐Ÿ„", ["name"] = "Surfer"}, ["\\:trophy:"] = {["character"] = "๐Ÿ†", ["name"] = "Trophy"}, ["\\:horse_racing:"] = {["character"] = "๐Ÿ‡", ["name"] = "Horse Racing"}, ["\\:football:"] = {["character"] = "๐Ÿˆ", ["name"] = "American Football"}, ["\\:rugby_football:"] = {["character"] = "๐Ÿ‰", ["name"] = "Rugby Football"}, ["\\:swimmer:"] = {["character"] = "๐ŸŠ", ["name"] = "Swimmer"}, ["\\:house:"] = {["character"] = "๐Ÿ ", ["name"] = "House Building"}, ["\\:house_with_garden:"] = {["character"] = "๐Ÿก", ["name"] = "House With Garden"}, ["\\:office:"] = {["character"] = "๐Ÿข", ["name"] = "Office Building"}, ["\\:post_office:"] = {["character"] = "๐Ÿฃ", ["name"] = "Japanese Post Office"}, ["\\:european_post_office:"] = {["character"] = "๐Ÿค", ["name"] = "European Post Office"}, ["\\:hospital:"] = {["character"] = "๐Ÿฅ", ["name"] = "Hospital"}, ["\\:bank:"] = {["character"] = "๐Ÿฆ", ["name"] = "Bank"}, ["\\:atm:"] = {["character"] = "๐Ÿง", ["name"] = "Automated Teller Machine"}, ["\\:hotel:"] = {["character"] = "๐Ÿจ", ["name"] = "Hotel"}, ["\\:love_hotel:"] = {["character"] = "๐Ÿฉ", ["name"] = "Love Hotel"}, ["\\:convenience_store:"] = {["character"] = "๐Ÿช", ["name"] = "Convenience Store"}, ["\\:school:"] = {["character"] = "๐Ÿซ", ["name"] = "School"}, ["\\:department_store:"] = {["character"] = "๐Ÿฌ", ["name"] = "Department Store"}, ["\\:factory:"] = {["character"] = "๐Ÿญ", ["name"] = "Factory"}, ["\\:izakaya_lantern:"] = {["character"] = "๐Ÿฎ", ["name"] = "Izakaya Lantern"}, ["\\:japanese_castle:"] = {["character"] = "๐Ÿฏ", ["name"] = "Japanese Castle"}, ["\\:european_castle:"] = {["character"] = "๐Ÿฐ", ["name"] = "European Castle"}, ["\\:skin-tone-2:"] = {["character"] = "๐Ÿป", ["name"] = "Emoji Modifier Fitzpatrick Type-1-2"}, ["\\:skin-tone-3:"] = {["character"] = "๐Ÿผ", ["name"] = "Emoji Modifier Fitzpatrick Type-3"}, ["\\:skin-tone-4:"] = {["character"] = "๐Ÿฝ", ["name"] = "Emoji Modifier Fitzpatrick Type-4"}, ["\\:skin-tone-5:"] = {["character"] = "๐Ÿพ", ["name"] = "Emoji Modifier Fitzpatrick Type-5"}, ["\\:skin-tone-6:"] = {["character"] = "๐Ÿฟ", ["name"] = "Emoji Modifier Fitzpatrick Type-6"}, ["\\:rat:"] = {["character"] = "๐Ÿ€", ["name"] = "Rat"}, ["\\:mouse2:"] = {["character"] = "๐Ÿ", ["name"] = "Mouse"}, ["\\:ox:"] = {["character"] = "๐Ÿ‚", ["name"] = "Ox"}, ["\\:water_buffalo:"] = {["character"] = "๐Ÿƒ", ["name"] = "Water Buffalo"}, ["\\:cow2:"] = {["character"] = "๐Ÿ„", ["name"] = "Cow"}, ["\\:tiger2:"] = {["character"] = "๐Ÿ…", ["name"] = "Tiger"}, ["\\:leopard:"] = {["character"] = "๐Ÿ†", ["name"] = "Leopard"}, ["\\:rabbit2:"] = {["character"] = "๐Ÿ‡", ["name"] = "Rabbit"}, ["\\:cat2:"] = {["character"] = "๐Ÿˆ", ["name"] = "Cat"}, ["\\:dragon:"] = {["character"] = "๐Ÿ‰", ["name"] = "Dragon"}, ["\\:crocodile:"] = {["character"] = "๐ŸŠ", ["name"] = "Crocodile"}, ["\\:whale2:"] = {["character"] = "๐Ÿ‹", ["name"] = "Whale"}, ["\\:snail:"] = {["character"] = "๐ŸŒ", ["name"] = "Snail"}, ["\\:snake:"] = {["character"] = "๐Ÿ", ["name"] = "Snake"}, ["\\:racehorse:"] = {["character"] = "๐ŸŽ", ["name"] = "Horse"}, ["\\:ram:"] = {["character"] = "๐Ÿ", ["name"] = "Ram"}, ["\\:goat:"] = {["character"] = "๐Ÿ", ["name"] = "Goat"}, ["\\:sheep:"] = {["character"] = "๐Ÿ‘", ["name"] = "Sheep"}, ["\\:monkey:"] = {["character"] = "๐Ÿ’", ["name"] = "Monkey"}, ["\\:rooster:"] = {["character"] = "๐Ÿ“", ["name"] = "Rooster"}, ["\\:chicken:"] = {["character"] = "๐Ÿ”", ["name"] = "Chicken"}, ["\\:dog2:"] = {["character"] = "๐Ÿ•", ["name"] = "Dog"}, ["\\:pig2:"] = {["character"] = "๐Ÿ–", ["name"] = "Pig"}, ["\\:boar:"] = {["character"] = "๐Ÿ—", ["name"] = "Boar"}, ["\\:elephant:"] = {["character"] = "๐Ÿ˜", ["name"] = "Elephant"}, ["\\:octopus:"] = {["character"] = "๐Ÿ™", ["name"] = "Octopus"}, ["\\:shell:"] = {["character"] = "๐Ÿš", ["name"] = "Spiral Shell"}, ["\\:bug:"] = {["character"] = "๐Ÿ›", ["name"] = "Bug"}, ["\\:ant:"] = {["character"] = "๐Ÿœ", ["name"] = "Ant"}, ["\\:bee:"] = {["character"] = "๐Ÿ", ["name"] = "Honeybee"}, ["\\:beetle:"] = {["character"] = "๐Ÿž", ["name"] = "Lady Beetle"}, ["\\:fish:"] = {["character"] = "๐ŸŸ", ["name"] = "Fish"}, ["\\:tropical_fish:"] = {["character"] = "๐Ÿ ", ["name"] = "Tropical Fish"}, ["\\:blowfish:"] = {["character"] = "๐Ÿก", ["name"] = "Blowfish"}, ["\\:turtle:"] = {["character"] = "๐Ÿข", ["name"] = "Turtle"}, ["\\:hatching_chick:"] = {["character"] = "๐Ÿฃ", ["name"] = "Hatching Chick"}, ["\\:baby_chick:"] = {["character"] = "๐Ÿค", ["name"] = "Baby Chick"}, ["\\:hatched_chick:"] = {["character"] = "๐Ÿฅ", ["name"] = "Front-Facing Baby Chick"}, ["\\:bird:"] = {["character"] = "๐Ÿฆ", ["name"] = "Bird"}, ["\\:penguin:"] = {["character"] = "๐Ÿง", ["name"] = "Penguin"}, ["\\:koala:"] = {["character"] = "๐Ÿจ", ["name"] = "Koala"}, ["\\:poodle:"] = {["character"] = "๐Ÿฉ", ["name"] = "Poodle"}, ["\\:dromedary_camel:"] = {["character"] = "๐Ÿช", ["name"] = "Dromedary Camel"}, ["\\:camel:"] = {["character"] = "๐Ÿซ", ["name"] = "Bactrian Camel"}, ["\\:dolphin:"] = {["character"] = "๐Ÿฌ", ["name"] = "Dolphin"}, ["\\:mouse:"] = {["character"] = "๐Ÿญ", ["name"] = "Mouse Face"}, ["\\:cow:"] = {["character"] = "๐Ÿฎ", ["name"] = "Cow Face"}, ["\\:tiger:"] = {["character"] = "๐Ÿฏ", ["name"] = "Tiger Face"}, ["\\:rabbit:"] = {["character"] = "๐Ÿฐ", ["name"] = "Rabbit Face"}, ["\\:cat:"] = {["character"] = "๐Ÿฑ", ["name"] = "Cat Face"}, ["\\:dragon_face:"] = {["character"] = "๐Ÿฒ", ["name"] = "Dragon Face"}, ["\\:whale:"] = {["character"] = "๐Ÿณ", ["name"] = "Spouting Whale"}, ["\\:horse:"] = {["character"] = "๐Ÿด", ["name"] = "Horse Face"}, ["\\:monkey_face:"] = {["character"] = "๐Ÿต", ["name"] = "Monkey Face"}, ["\\:dog:"] = {["character"] = "๐Ÿถ", ["name"] = "Dog Face"}, ["\\:pig:"] = {["character"] = "๐Ÿท", ["name"] = "Pig Face"}, ["\\:frog:"] = {["character"] = "๐Ÿธ", ["name"] = "Frog Face"}, ["\\:hamster:"] = {["character"] = "๐Ÿน", ["name"] = "Hamster Face"}, ["\\:wolf:"] = {["character"] = "๐Ÿบ", ["name"] = "Wolf Face"}, ["\\:bear:"] = {["character"] = "๐Ÿป", ["name"] = "Bear Face"}, ["\\:panda_face:"] = {["character"] = "๐Ÿผ", ["name"] = "Panda Face"}, ["\\:pig_nose:"] = {["character"] = "๐Ÿฝ", ["name"] = "Pig Nose"}, ["\\:feet:"] = {["character"] = "๐Ÿพ", ["name"] = "Paw Prints"}, ["\\:eyes:"] = {["character"] = "๐Ÿ‘€", ["name"] = "Eyes"}, ["\\:ear:"] = {["character"] = "๐Ÿ‘‚", ["name"] = "Ear"}, ["\\:nose:"] = {["character"] = "๐Ÿ‘ƒ", ["name"] = "Nose"}, ["\\:lips:"] = {["character"] = "๐Ÿ‘„", ["name"] = "Mouth"}, ["\\:tongue:"] = {["character"] = "๐Ÿ‘…", ["name"] = "Tongue"}, ["\\:point_up_2:"] = {["character"] = "๐Ÿ‘†", ["name"] = "White Up Pointing Backhand Index"}, ["\\:point_down:"] = {["character"] = "๐Ÿ‘‡", ["name"] = "White Down Pointing Backhand Index"}, ["\\:point_left:"] = {["character"] = "๐Ÿ‘ˆ", ["name"] = "White Left Pointing Backhand Index"}, ["\\:point_right:"] = {["character"] = "๐Ÿ‘‰", ["name"] = "White Right Pointing Backhand Index"}, ["\\:facepunch:"] = {["character"] = "๐Ÿ‘Š", ["name"] = "Fisted Hand Sign"}, ["\\:wave:"] = {["character"] = "๐Ÿ‘‹", ["name"] = "Waving Hand Sign"}, ["\\:ok_hand:"] = {["character"] = "๐Ÿ‘Œ", ["name"] = "Ok Hand Sign"}, ["\\:plus1:"] = {["character"] = "๐Ÿ‘", ["name"] = "Thumbs Up Sign"}, ["\\:-1:"] = {["character"] = "๐Ÿ‘Ž", ["name"] = "Thumbs Down Sign"}, ["\\:clap:"] = {["character"] = "๐Ÿ‘", ["name"] = "Clapping Hands Sign"}, ["\\:open_hands:"] = {["character"] = "๐Ÿ‘", ["name"] = "Open Hands Sign"}, ["\\:crown:"] = {["character"] = "๐Ÿ‘‘", ["name"] = "Crown"}, ["\\:womans_hat:"] = {["character"] = "๐Ÿ‘’", ["name"] = "Womans Hat"}, ["\\:eyeglasses:"] = {["character"] = "๐Ÿ‘“", ["name"] = "Eyeglasses"}, ["\\:necktie:"] = {["character"] = "๐Ÿ‘”", ["name"] = "Necktie"}, ["\\:shirt:"] = {["character"] = "๐Ÿ‘•", ["name"] = "T-Shirt"}, ["\\:jeans:"] = {["character"] = "๐Ÿ‘–", ["name"] = "Jeans"}, ["\\:dress:"] = {["character"] = "๐Ÿ‘—", ["name"] = "Dress"}, ["\\:kimono:"] = {["character"] = "๐Ÿ‘˜", ["name"] = "Kimono"}, ["\\:bikini:"] = {["character"] = "๐Ÿ‘™", ["name"] = "Bikini"}, ["\\:womans_clothes:"] = {["character"] = "๐Ÿ‘š", ["name"] = "Womans Clothes"}, ["\\:purse:"] = {["character"] = "๐Ÿ‘›", ["name"] = "Purse"}, ["\\:handbag:"] = {["character"] = "๐Ÿ‘œ", ["name"] = "Handbag"}, ["\\:pouch:"] = {["character"] = "๐Ÿ‘", ["name"] = "Pouch"}, ["\\:mans_shoe:"] = {["character"] = "๐Ÿ‘ž", ["name"] = "Mans Shoe"}, ["\\:athletic_shoe:"] = {["character"] = "๐Ÿ‘Ÿ", ["name"] = "Athletic Shoe"}, ["\\:high_heel:"] = {["character"] = "๐Ÿ‘ ", ["name"] = "High-Heeled Shoe"}, ["\\:sandal:"] = {["character"] = "๐Ÿ‘ก", ["name"] = "Womans Sandal"}, ["\\:boot:"] = {["character"] = "๐Ÿ‘ข", ["name"] = "Womans Boots"}, ["\\:footprints:"] = {["character"] = "๐Ÿ‘ฃ", ["name"] = "Footprints"}, ["\\:bust_in_silhouette:"] = {["character"] = "๐Ÿ‘ค", ["name"] = "Bust In Silhouette"}, ["\\:busts_in_silhouette:"] = {["character"] = "๐Ÿ‘ฅ", ["name"] = "Busts In Silhouette"}, ["\\:boy:"] = {["character"] = "๐Ÿ‘ฆ", ["name"] = "Boy"}, ["\\:girl:"] = {["character"] = "๐Ÿ‘ง", ["name"] = "Girl"}, ["\\:man:"] = {["character"] = "๐Ÿ‘จ", ["name"] = "Man"}, ["\\:woman:"] = {["character"] = "๐Ÿ‘ฉ", ["name"] = "Woman"}, ["\\:family:"] = {["character"] = "๐Ÿ‘ช", ["name"] = "Family"}, ["\\:couple:"] = {["character"] = "๐Ÿ‘ซ", ["name"] = "Man And Woman Holding Hands"}, ["\\:two_men_holding_hands:"] = {["character"] = "๐Ÿ‘ฌ", ["name"] = "Two Men Holding Hands"}, ["\\:two_women_holding_hands:"] = {["character"] = "๐Ÿ‘ญ", ["name"] = "Two Women Holding Hands"}, ["\\:cop:"] = {["character"] = "๐Ÿ‘ฎ", ["name"] = "Police Officer"}, ["\\:dancers:"] = {["character"] = "๐Ÿ‘ฏ", ["name"] = "Woman With Bunny Ears"}, ["\\:bride_with_veil:"] = {["character"] = "๐Ÿ‘ฐ", ["name"] = "Bride With Veil"}, ["\\:person_with_blond_hair:"] = {["character"] = "๐Ÿ‘ฑ", ["name"] = "Person With Blond Hair"}, ["\\:man_with_gua_pi_mao:"] = {["character"] = "๐Ÿ‘ฒ", ["name"] = "Man With Gua Pi Mao"}, ["\\:man_with_turban:"] = {["character"] = "๐Ÿ‘ณ", ["name"] = "Man With Turban"}, ["\\:older_man:"] = {["character"] = "๐Ÿ‘ด", ["name"] = "Older Man"}, ["\\:older_woman:"] = {["character"] = "๐Ÿ‘ต", ["name"] = "Older Woman"}, ["\\:baby:"] = {["character"] = "๐Ÿ‘ถ", ["name"] = "Baby"}, ["\\:construction_worker:"] = {["character"] = "๐Ÿ‘ท", ["name"] = "Construction Worker"}, ["\\:princess:"] = {["character"] = "๐Ÿ‘ธ", ["name"] = "Princess"}, ["\\:japanese_ogre:"] = {["character"] = "๐Ÿ‘น", ["name"] = "Japanese Ogre"}, ["\\:japanese_goblin:"] = {["character"] = "๐Ÿ‘บ", ["name"] = "Japanese Goblin"}, ["\\:ghost:"] = {["character"] = "๐Ÿ‘ป", ["name"] = "Ghost"}, ["\\:angel:"] = {["character"] = "๐Ÿ‘ผ", ["name"] = "Baby Angel"}, ["\\:alien:"] = {["character"] = "๐Ÿ‘ฝ", ["name"] = "Extraterrestrial Alien"}, ["\\:space_invader:"] = {["character"] = "๐Ÿ‘พ", ["name"] = "Alien Monster"}, ["\\:imp:"] = {["character"] = "๐Ÿ‘ฟ", ["name"] = "Imp"}, ["\\:skull:"] = {["character"] = "๐Ÿ’€", ["name"] = "Skull"}, ["\\:information_desk_person:"] = {["character"] = "๐Ÿ’", ["name"] = "Information Desk Person"}, ["\\:guardsman:"] = {["character"] = "๐Ÿ’‚", ["name"] = "Guardsman"}, ["\\:dancer:"] = {["character"] = "๐Ÿ’ƒ", ["name"] = "Dancer"}, ["\\:lipstick:"] = {["character"] = "๐Ÿ’„", ["name"] = "Lipstick"}, ["\\:nail_care:"] = {["character"] = "๐Ÿ’…", ["name"] = "Nail Polish"}, ["\\:massage:"] = {["character"] = "๐Ÿ’†", ["name"] = "Face Massage"}, ["\\:haircut:"] = {["character"] = "๐Ÿ’‡", ["name"] = "Haircut"}, ["\\:barber:"] = {["character"] = "๐Ÿ’ˆ", ["name"] = "Barber Pole"}, ["\\:syringe:"] = {["character"] = "๐Ÿ’‰", ["name"] = "Syringe"}, ["\\:pill:"] = {["character"] = "๐Ÿ’Š", ["name"] = "Pill"}, ["\\:kiss:"] = {["character"] = "๐Ÿ’‹", ["name"] = "Kiss Mark"}, ["\\:love_letter:"] = {["character"] = "๐Ÿ’Œ", ["name"] = "Love Letter"}, ["\\:ring:"] = {["character"] = "๐Ÿ’", ["name"] = "Ring"}, ["\\:gem:"] = {["character"] = "๐Ÿ’Ž", ["name"] = "Gem Stone"}, ["\\:couplekiss:"] = {["character"] = "๐Ÿ’", ["name"] = "Kiss"}, ["\\:bouquet:"] = {["character"] = "๐Ÿ’", ["name"] = "Bouquet"}, ["\\:couple_with_heart:"] = {["character"] = "๐Ÿ’‘", ["name"] = "Couple With Heart"}, ["\\:wedding:"] = {["character"] = "๐Ÿ’’", ["name"] = "Wedding"}, ["\\:heartbeat:"] = {["character"] = "๐Ÿ’“", ["name"] = "Beating Heart"}, ["\\:broken_heart:"] = {["character"] = "๐Ÿ’”", ["name"] = "Broken Heart"}, ["\\:two_hearts:"] = {["character"] = "๐Ÿ’•", ["name"] = "Two Hearts"}, ["\\:sparkling_heart:"] = {["character"] = "๐Ÿ’–", ["name"] = "Sparkling Heart"}, ["\\:heartpulse:"] = {["character"] = "๐Ÿ’—", ["name"] = "Growing Heart"}, ["\\:cupid:"] = {["character"] = "๐Ÿ’˜", ["name"] = "Heart With Arrow"}, ["\\:blue_heart:"] = {["character"] = "๐Ÿ’™", ["name"] = "Blue Heart"}, ["\\:green_heart:"] = {["character"] = "๐Ÿ’š", ["name"] = "Green Heart"}, ["\\:yellow_heart:"] = {["character"] = "๐Ÿ’›", ["name"] = "Yellow Heart"}, ["\\:purple_heart:"] = {["character"] = "๐Ÿ’œ", ["name"] = "Purple Heart"}, ["\\:gift_heart:"] = {["character"] = "๐Ÿ’", ["name"] = "Heart With Ribbon"}, ["\\:revolving_hearts:"] = {["character"] = "๐Ÿ’ž", ["name"] = "Revolving Hearts"}, ["\\:heart_decoration:"] = {["character"] = "๐Ÿ’Ÿ", ["name"] = "Heart Decoration"}, ["\\:diamond_shape_with_a_dot_inside:"] = {["character"] = "๐Ÿ’ ", ["name"] = "Diamond Shape With A Dot Inside"}, ["\\:bulb:"] = {["character"] = "๐Ÿ’ก", ["name"] = "Electric Light Bulb"}, ["\\:anger:"] = {["character"] = "๐Ÿ’ข", ["name"] = "Anger Symbol"}, ["\\:bomb:"] = {["character"] = "๐Ÿ’ฃ", ["name"] = "Bomb"}, ["\\:zzz:"] = {["character"] = "๐Ÿ’ค", ["name"] = "Sleeping Symbol"}, ["\\:boom:"] = {["character"] = "๐Ÿ’ฅ", ["name"] = "Collision Symbol"}, ["\\:sweat_drops:"] = {["character"] = "๐Ÿ’ฆ", ["name"] = "Splashing Sweat Symbol"}, ["\\:droplet:"] = {["character"] = "๐Ÿ’ง", ["name"] = "Droplet"}, ["\\:dash:"] = {["character"] = "๐Ÿ’จ", ["name"] = "Dash Symbol"}, ["\\:hankey:"] = {["character"] = "๐Ÿ’ฉ", ["name"] = "Pile Of Poo"}, ["\\:muscle:"] = {["character"] = "๐Ÿ’ช", ["name"] = "Flexed Biceps"}, ["\\:dizzy:"] = {["character"] = "๐Ÿ’ซ", ["name"] = "Dizzy Symbol"}, ["\\:speech_balloon:"] = {["character"] = "๐Ÿ’ฌ", ["name"] = "Speech Balloon"}, ["\\:thought_balloon:"] = {["character"] = "๐Ÿ’ญ", ["name"] = "Thought Balloon"}, ["\\:white_flower:"] = {["character"] = "๐Ÿ’ฎ", ["name"] = "White Flower"}, ["\\:100:"] = {["character"] = "๐Ÿ’ฏ", ["name"] = "Hundred Points Symbol"}, ["\\:moneybag:"] = {["character"] = "๐Ÿ’ฐ", ["name"] = "Money Bag"}, ["\\:currency_exchange:"] = {["character"] = "๐Ÿ’ฑ", ["name"] = "Currency Exchange"}, ["\\:heavy_dollar_sign:"] = {["character"] = "๐Ÿ’ฒ", ["name"] = "Heavy Dollar Sign"}, ["\\:credit_card:"] = {["character"] = "๐Ÿ’ณ", ["name"] = "Credit Card"}, ["\\:yen:"] = {["character"] = "๐Ÿ’ด", ["name"] = "Banknote With Yen Sign"}, ["\\:dollar:"] = {["character"] = "๐Ÿ’ต", ["name"] = "Banknote With Dollar Sign"}, ["\\:euro:"] = {["character"] = "๐Ÿ’ถ", ["name"] = "Banknote With Euro Sign"}, ["\\:pound:"] = {["character"] = "๐Ÿ’ท", ["name"] = "Banknote With Pound Sign"}, ["\\:money_with_wings:"] = {["character"] = "๐Ÿ’ธ", ["name"] = "Money With Wings"}, ["\\:chart:"] = {["character"] = "๐Ÿ’น", ["name"] = "Chart With Upwards Trend And Yen Sign"}, ["\\:seat:"] = {["character"] = "๐Ÿ’บ", ["name"] = "Seat"}, ["\\:computer:"] = {["character"] = "๐Ÿ’ป", ["name"] = "Personal Computer"}, ["\\:briefcase:"] = {["character"] = "๐Ÿ’ผ", ["name"] = "Briefcase"}, ["\\:minidisc:"] = {["character"] = "๐Ÿ’ฝ", ["name"] = "Minidisc"}, ["\\:floppy_disk:"] = {["character"] = "๐Ÿ’พ", ["name"] = "Floppy Disk"}, ["\\:cd:"] = {["character"] = "๐Ÿ’ฟ", ["name"] = "Optical Disc"}, ["\\:dvd:"] = {["character"] = "๐Ÿ“€", ["name"] = "Dvd"}, ["\\:file_folder:"] = {["character"] = "๐Ÿ“", ["name"] = "File Folder"}, ["\\:open_file_folder:"] = {["character"] = "๐Ÿ“‚", ["name"] = "Open File Folder"}, ["\\:page_with_curl:"] = {["character"] = "๐Ÿ“ƒ", ["name"] = "Page With Curl"}, ["\\:page_facing_up:"] = {["character"] = "๐Ÿ“„", ["name"] = "Page Facing Up"}, ["\\:date:"] = {["character"] = "๐Ÿ“…", ["name"] = "Calendar"}, ["\\:calendar:"] = {["character"] = "๐Ÿ“†", ["name"] = "Tear-Off Calendar"}, ["\\:card_index:"] = {["character"] = "๐Ÿ“‡", ["name"] = "Card Index"}, ["\\:chart_with_upwards_trend:"] = {["character"] = "๐Ÿ“ˆ", ["name"] = "Chart With Upwards Trend"}, ["\\:chart_with_downwards_trend:"] = {["character"] = "๐Ÿ“‰", ["name"] = "Chart With Downwards Trend"}, ["\\:bar_chart:"] = {["character"] = "๐Ÿ“Š", ["name"] = "Bar Chart"}, ["\\:clipboard:"] = {["character"] = "๐Ÿ“‹", ["name"] = "Clipboard"}, ["\\:pushpin:"] = {["character"] = "๐Ÿ“Œ", ["name"] = "Pushpin"}, ["\\:round_pushpin:"] = {["character"] = "๐Ÿ“", ["name"] = "Round Pushpin"}, ["\\:paperclip:"] = {["character"] = "๐Ÿ“Ž", ["name"] = "Paperclip"}, ["\\:straight_ruler:"] = {["character"] = "๐Ÿ“", ["name"] = "Straight Ruler"}, ["\\:triangular_ruler:"] = {["character"] = "๐Ÿ“", ["name"] = "Triangular Ruler"}, ["\\:bookmark_tabs:"] = {["character"] = "๐Ÿ“‘", ["name"] = "Bookmark Tabs"}, ["\\:ledger:"] = {["character"] = "๐Ÿ“’", ["name"] = "Ledger"}, ["\\:notebook:"] = {["character"] = "๐Ÿ““", ["name"] = "Notebook"}, ["\\:notebook_with_decorative_cover:"] = {["character"] = "๐Ÿ“”", ["name"] = "Notebook With Decorative Cover"}, ["\\:closed_book:"] = {["character"] = "๐Ÿ“•", ["name"] = "Closed Book"}, ["\\:book:"] = {["character"] = "๐Ÿ“–", ["name"] = "Open Book"}, ["\\:green_book:"] = {["character"] = "๐Ÿ“—", ["name"] = "Green Book"}, ["\\:blue_book:"] = {["character"] = "๐Ÿ“˜", ["name"] = "Blue Book"}, ["\\:orange_book:"] = {["character"] = "๐Ÿ“™", ["name"] = "Orange Book"}, ["\\:books:"] = {["character"] = "๐Ÿ“š", ["name"] = "Books"}, ["\\:name_badge:"] = {["character"] = "๐Ÿ“›", ["name"] = "Name Badge"}, ["\\:scroll:"] = {["character"] = "๐Ÿ“œ", ["name"] = "Scroll"}, ["\\:memo:"] = {["character"] = "๐Ÿ“", ["name"] = "Memo"}, ["\\:telephone_receiver:"] = {["character"] = "๐Ÿ“ž", ["name"] = "Telephone Receiver"}, ["\\:pager:"] = {["character"] = "๐Ÿ“Ÿ", ["name"] = "Pager"}, ["\\:fax:"] = {["character"] = "๐Ÿ“ ", ["name"] = "Fax Machine"}, ["\\:satellite:"] = {["character"] = "๐Ÿ“ก", ["name"] = "Satellite Antenna"}, ["\\:loudspeaker:"] = {["character"] = "๐Ÿ“ข", ["name"] = "Public Address Loudspeaker"}, ["\\:mega:"] = {["character"] = "๐Ÿ“ฃ", ["name"] = "Cheering Megaphone"}, ["\\:outbox_tray:"] = {["character"] = "๐Ÿ“ค", ["name"] = "Outbox Tray"}, ["\\:inbox_tray:"] = {["character"] = "๐Ÿ“ฅ", ["name"] = "Inbox Tray"}, ["\\:package:"] = {["character"] = "๐Ÿ“ฆ", ["name"] = "Package"}, ["\\:e-mail:"] = {["character"] = "๐Ÿ“ง", ["name"] = "E-Mail Symbol"}, ["\\:incoming_envelope:"] = {["character"] = "๐Ÿ“จ", ["name"] = "Incoming Envelope"}, ["\\:envelope_with_arrow:"] = {["character"] = "๐Ÿ“ฉ", ["name"] = "Envelope With Downwards Arrow Above"}, ["\\:mailbox_closed:"] = {["character"] = "๐Ÿ“ช", ["name"] = "Closed Mailbox With Lowered Flag"}, ["\\:mailbox:"] = {["character"] = "๐Ÿ“ซ", ["name"] = "Closed Mailbox With Raised Flag"}, ["\\:mailbox_with_mail:"] = {["character"] = "๐Ÿ“ฌ", ["name"] = "Open Mailbox With Raised Flag"}, ["\\:mailbox_with_no_mail:"] = {["character"] = "๐Ÿ“ญ", ["name"] = "Open Mailbox With Lowered Flag"}, ["\\:postbox:"] = {["character"] = "๐Ÿ“ฎ", ["name"] = "Postbox"}, ["\\:postal_horn:"] = {["character"] = "๐Ÿ“ฏ", ["name"] = "Postal Horn"}, ["\\:newspaper:"] = {["character"] = "๐Ÿ“ฐ", ["name"] = "Newspaper"}, ["\\:iphone:"] = {["character"] = "๐Ÿ“ฑ", ["name"] = "Mobile Phone"}, ["\\:calling:"] = {["character"] = "๐Ÿ“ฒ", ["name"] = "Mobile Phone With Rightwards Arrow At Left"}, ["\\:vibration_mode:"] = {["character"] = "๐Ÿ“ณ", ["name"] = "Vibration Mode"}, ["\\:mobile_phone_off:"] = {["character"] = "๐Ÿ“ด", ["name"] = "Mobile Phone Off"}, ["\\:no_mobile_phones:"] = {["character"] = "๐Ÿ“ต", ["name"] = "No Mobile Phones"}, ["\\:signal_strength:"] = {["character"] = "๐Ÿ“ถ", ["name"] = "Antenna With Bars"}, ["\\:camera:"] = {["character"] = "๐Ÿ“ท", ["name"] = "Camera"}, ["\\:video_camera:"] = {["character"] = "๐Ÿ“น", ["name"] = "Video Camera"}, ["\\:tv:"] = {["character"] = "๐Ÿ“บ", ["name"] = "Television"}, ["\\:radio:"] = {["character"] = "๐Ÿ“ป", ["name"] = "Radio"}, ["\\:vhs:"] = {["character"] = "๐Ÿ“ผ", ["name"] = "Videocassette"}, ["\\:twisted_rightwards_arrows:"] = {["character"] = "๐Ÿ”€", ["name"] = "Twisted Rightwards Arrows"}, ["\\:repeat:"] = {["character"] = "๐Ÿ”", ["name"] = "Clockwise Rightwards And Leftwards Open Circle Arrows"}, ["\\:repeat_one:"] = {["character"] = "๐Ÿ”‚", ["name"] = "Clockwise Rightwards And Leftwards Open Circle Arrows With Circled One Overlay"}, ["\\:arrows_clockwise:"] = {["character"] = "๐Ÿ”ƒ", ["name"] = "Clockwise Downwards And Upwards Open Circle Arrows"}, ["\\:arrows_counterclockwise:"] = {["character"] = "๐Ÿ”„", ["name"] = "Anticlockwise Downwards And Upwards Open Circle Arrows"}, ["\\:low_brightness:"] = {["character"] = "๐Ÿ”…", ["name"] = "Low Brightness Symbol"}, ["\\:high_brightness:"] = {["character"] = "๐Ÿ”†", ["name"] = "High Brightness Symbol"}, ["\\:mute:"] = {["character"] = "๐Ÿ”‡", ["name"] = "Speaker With Cancellation Stroke"}, ["\\:speaker:"] = {["character"] = "๐Ÿ”ˆ", ["name"] = "Speaker"}, ["\\:sound:"] = {["character"] = "๐Ÿ”‰", ["name"] = "Speaker With One Sound Wave"}, ["\\:loud_sound:"] = {["character"] = "๐Ÿ”Š", ["name"] = "Speaker With Three Sound Waves"}, ["\\:battery:"] = {["character"] = "๐Ÿ”‹", ["name"] = "Battery"}, ["\\:electric_plug:"] = {["character"] = "๐Ÿ”Œ", ["name"] = "Electric Plug"}, ["\\:mag:"] = {["character"] = "๐Ÿ”", ["name"] = "Left-Pointing Magnifying Glass"}, ["\\:mag_right:"] = {["character"] = "๐Ÿ”Ž", ["name"] = "Right-Pointing Magnifying Glass"}, ["\\:lock_with_ink_pen:"] = {["character"] = "๐Ÿ”", ["name"] = "Lock With Ink Pen"}, ["\\:closed_lock_with_key:"] = {["character"] = "๐Ÿ”", ["name"] = "Closed Lock With Key"}, ["\\:key:"] = {["character"] = "๐Ÿ”‘", ["name"] = "Key"}, ["\\:lock:"] = {["character"] = "๐Ÿ”’", ["name"] = "Lock"}, ["\\:unlock:"] = {["character"] = "๐Ÿ”“", ["name"] = "Open Lock"}, ["\\:bell:"] = {["character"] = "๐Ÿ””", ["name"] = "Bell"}, ["\\:no_bell:"] = {["character"] = "๐Ÿ”•", ["name"] = "Bell With Cancellation Stroke"}, ["\\:bookmark:"] = {["character"] = "๐Ÿ”–", ["name"] = "Bookmark"}, ["\\:link:"] = {["character"] = "๐Ÿ”—", ["name"] = "Link Symbol"}, ["\\:radio_button:"] = {["character"] = "๐Ÿ”˜", ["name"] = "Radio Button"}, ["\\:back:"] = {["character"] = "๐Ÿ”™", ["name"] = "Back With Leftwards Arrow Above"}, ["\\:end:"] = {["character"] = "๐Ÿ”š", ["name"] = "End With Leftwards Arrow Above"}, ["\\:on:"] = {["character"] = "๐Ÿ”›", ["name"] = "On With Exclamation Mark With Left Right Arrow Above"}, ["\\:soon:"] = {["character"] = "๐Ÿ”œ", ["name"] = "Soon With Rightwards Arrow Above"}, ["\\:top:"] = {["character"] = "๐Ÿ”", ["name"] = "Top With Upwards Arrow Above"}, ["\\:underage:"] = {["character"] = "๐Ÿ”ž", ["name"] = "No One Under Eighteen Symbol"}, ["\\:keycap_ten:"] = {["character"] = "๐Ÿ”Ÿ", ["name"] = "Keycap Ten"}, ["\\:capital_abcd:"] = {["character"] = "๐Ÿ” ", ["name"] = "Input Symbol For Latin Capital Letters"}, ["\\:abcd:"] = {["character"] = "๐Ÿ”ก", ["name"] = "Input Symbol For Latin Small Letters"}, ["\\:1234:"] = {["character"] = "๐Ÿ”ข", ["name"] = "Input Symbol For Numbers"}, ["\\:symbols:"] = {["character"] = "๐Ÿ”ฃ", ["name"] = "Input Symbol For Symbols"}, ["\\:abc:"] = {["character"] = "๐Ÿ”ค", ["name"] = "Input Symbol For Latin Letters"}, ["\\:fire:"] = {["character"] = "๐Ÿ”ฅ", ["name"] = "Fire"}, ["\\:flashlight:"] = {["character"] = "๐Ÿ”ฆ", ["name"] = "Electric Torch"}, ["\\:wrench:"] = {["character"] = "๐Ÿ”ง", ["name"] = "Wrench"}, ["\\:hammer:"] = {["character"] = "๐Ÿ”จ", ["name"] = "Hammer"}, ["\\:nut_and_bolt:"] = {["character"] = "๐Ÿ”ฉ", ["name"] = "Nut And Bolt"}, ["\\:hocho:"] = {["character"] = "๐Ÿ”ช", ["name"] = "Hocho"}, ["\\:gun:"] = {["character"] = "๐Ÿ”ซ", ["name"] = "Pistol"}, ["\\:microscope:"] = {["character"] = "๐Ÿ”ฌ", ["name"] = "Microscope"}, ["\\:telescope:"] = {["character"] = "๐Ÿ”ญ", ["name"] = "Telescope"}, ["\\:crystal_ball:"] = {["character"] = "๐Ÿ”ฎ", ["name"] = "Crystal Ball"}, ["\\:six_pointed_star:"] = {["character"] = "๐Ÿ”ฏ", ["name"] = "Six Pointed Star With Middle Dot"}, ["\\:beginner:"] = {["character"] = "๐Ÿ”ฐ", ["name"] = "Japanese Symbol For Beginner"}, ["\\:trident:"] = {["character"] = "๐Ÿ”ฑ", ["name"] = "Trident Emblem"}, ["\\:black_square_button:"] = {["character"] = "๐Ÿ”ฒ", ["name"] = "Black Square Button"}, ["\\:white_square_button:"] = {["character"] = "๐Ÿ”ณ", ["name"] = "White Square Button"}, ["\\:red_circle:"] = {["character"] = "๐Ÿ”ด", ["name"] = "Large Red Circle"}, ["\\:large_blue_circle:"] = {["character"] = "๐Ÿ”ต", ["name"] = "Large Blue Circle"}, ["\\:large_orange_diamond:"] = {["character"] = "๐Ÿ”ถ", ["name"] = "Large Orange Diamond"}, ["\\:large_blue_diamond:"] = {["character"] = "๐Ÿ”ท", ["name"] = "Large Blue Diamond"}, ["\\:small_orange_diamond:"] = {["character"] = "๐Ÿ”ธ", ["name"] = "Small Orange Diamond"}, ["\\:small_blue_diamond:"] = {["character"] = "๐Ÿ”น", ["name"] = "Small Blue Diamond"}, ["\\:small_red_triangle:"] = {["character"] = "๐Ÿ”บ", ["name"] = "Up-Pointing Red Triangle"}, ["\\:small_red_triangle_down:"] = {["character"] = "๐Ÿ”ป", ["name"] = "Down-Pointing Red Triangle"}, ["\\:arrow_up_small:"] = {["character"] = "๐Ÿ”ผ", ["name"] = "Up-Pointing Small Red Triangle"}, ["\\:arrow_down_small:"] = {["character"] = "๐Ÿ”ฝ", ["name"] = "Down-Pointing Small Red Triangle"}, ["\\:clock1:"] = {["character"] = "๐Ÿ•", ["name"] = "Clock Face One Oclock"}, ["\\:clock2:"] = {["character"] = "๐Ÿ•‘", ["name"] = "Clock Face Two Oclock"}, ["\\:clock3:"] = {["character"] = "๐Ÿ•’", ["name"] = "Clock Face Three Oclock"}, ["\\:clock4:"] = {["character"] = "๐Ÿ•“", ["name"] = "Clock Face Four Oclock"}, ["\\:clock5:"] = {["character"] = "๐Ÿ•”", ["name"] = "Clock Face Five Oclock"}, ["\\:clock6:"] = {["character"] = "๐Ÿ••", ["name"] = "Clock Face Six Oclock"}, ["\\:clock7:"] = {["character"] = "๐Ÿ•–", ["name"] = "Clock Face Seven Oclock"}, ["\\:clock8:"] = {["character"] = "๐Ÿ•—", ["name"] = "Clock Face Eight Oclock"}, ["\\:clock9:"] = {["character"] = "๐Ÿ•˜", ["name"] = "Clock Face Nine Oclock"}, ["\\:clock10:"] = {["character"] = "๐Ÿ•™", ["name"] = "Clock Face Ten Oclock"}, ["\\:clock11:"] = {["character"] = "๐Ÿ•š", ["name"] = "Clock Face Eleven Oclock"}, ["\\:clock12:"] = {["character"] = "๐Ÿ•›", ["name"] = "Clock Face Twelve Oclock"}, ["\\:clock130:"] = {["character"] = "๐Ÿ•œ", ["name"] = "Clock Face One-Thirty"}, ["\\:clock230:"] = {["character"] = "๐Ÿ•", ["name"] = "Clock Face Two-Thirty"}, ["\\:clock330:"] = {["character"] = "๐Ÿ•ž", ["name"] = "Clock Face Three-Thirty"}, ["\\:clock430:"] = {["character"] = "๐Ÿ•Ÿ", ["name"] = "Clock Face Four-Thirty"}, ["\\:clock530:"] = {["character"] = "๐Ÿ• ", ["name"] = "Clock Face Five-Thirty"}, ["\\:clock630:"] = {["character"] = "๐Ÿ•ก", ["name"] = "Clock Face Six-Thirty"}, ["\\:clock730:"] = {["character"] = "๐Ÿ•ข", ["name"] = "Clock Face Seven-Thirty"}, ["\\:clock830:"] = {["character"] = "๐Ÿ•ฃ", ["name"] = "Clock Face Eight-Thirty"}, ["\\:clock930:"] = {["character"] = "๐Ÿ•ค", ["name"] = "Clock Face Nine-Thirty"}, ["\\:clock1030:"] = {["character"] = "๐Ÿ•ฅ", ["name"] = "Clock Face Ten-Thirty"}, ["\\:clock1130:"] = {["character"] = "๐Ÿ•ฆ", ["name"] = "Clock Face Eleven-Thirty"}, ["\\:clock1230:"] = {["character"] = "๐Ÿ•ง", ["name"] = "Clock Face Twelve-Thirty"}, ["\\:mount_fuji:"] = {["character"] = "๐Ÿ—ป", ["name"] = "Mount Fuji"}, ["\\:tokyo_tower:"] = {["character"] = "๐Ÿ—ผ", ["name"] = "Tokyo Tower"}, ["\\:statue_of_liberty:"] = {["character"] = "๐Ÿ—ฝ", ["name"] = "Statue Of Liberty"}, ["\\:japan:"] = {["character"] = "๐Ÿ—พ", ["name"] = "Silhouette Of Japan"}, ["\\:moyai:"] = {["character"] = "๐Ÿ—ฟ", ["name"] = "Moyai"}, ["\\:grinning:"] = {["character"] = "๐Ÿ˜€", ["name"] = "Grinning Face"}, ["\\:grin:"] = {["character"] = "๐Ÿ˜", ["name"] = "Grinning Face With Smiling Eyes"}, ["\\:joy:"] = {["character"] = "๐Ÿ˜‚", ["name"] = "Face With Tears Of Joy"}, ["\\:smiley:"] = {["character"] = "๐Ÿ˜ƒ", ["name"] = "Smiling Face With Open Mouth"}, ["\\:smile:"] = {["character"] = "๐Ÿ˜„", ["name"] = "Smiling Face With Open Mouth And Smiling Eyes"}, ["\\:sweat_smile:"] = {["character"] = "๐Ÿ˜…", ["name"] = "Smiling Face With Open Mouth And Cold Sweat"}, ["\\:laughing:"] = {["character"] = "๐Ÿ˜†", ["name"] = "Smiling Face With Open Mouth And Tightly-Closed Eyes"}, ["\\:innocent:"] = {["character"] = "๐Ÿ˜‡", ["name"] = "Smiling Face With Halo"}, ["\\:smiling_imp:"] = {["character"] = "๐Ÿ˜ˆ", ["name"] = "Smiling Face With Horns"}, ["\\:wink:"] = {["character"] = "๐Ÿ˜‰", ["name"] = "Winking Face"}, ["\\:blush:"] = {["character"] = "๐Ÿ˜Š", ["name"] = "Smiling Face With Smiling Eyes"}, ["\\:yum:"] = {["character"] = "๐Ÿ˜‹", ["name"] = "Face Savouring Delicious Food"}, ["\\:relieved:"] = {["character"] = "๐Ÿ˜Œ", ["name"] = "Relieved Face"}, ["\\:heart_eyes:"] = {["character"] = "๐Ÿ˜", ["name"] = "Smiling Face With Heart-Shaped Eyes"}, ["\\:sunglasses:"] = {["character"] = "๐Ÿ˜Ž", ["name"] = "Smiling Face With Sunglasses"}, ["\\:smirk:"] = {["character"] = "๐Ÿ˜", ["name"] = "Smirking Face"}, ["\\:neutral_face:"] = {["character"] = "๐Ÿ˜", ["name"] = "Neutral Face"}, ["\\:expressionless:"] = {["character"] = "๐Ÿ˜‘", ["name"] = "Expressionless Face"}, ["\\:unamused:"] = {["character"] = "๐Ÿ˜’", ["name"] = "Unamused Face"}, ["\\:sweat:"] = {["character"] = "๐Ÿ˜“", ["name"] = "Face With Cold Sweat"}, ["\\:pensive:"] = {["character"] = "๐Ÿ˜”", ["name"] = "Pensive Face"}, ["\\:confused:"] = {["character"] = "๐Ÿ˜•", ["name"] = "Confused Face"}, ["\\:confounded:"] = {["character"] = "๐Ÿ˜–", ["name"] = "Confounded Face"}, ["\\:kissing:"] = {["character"] = "๐Ÿ˜—", ["name"] = "Kissing Face"}, ["\\:kissing_heart:"] = {["character"] = "๐Ÿ˜˜", ["name"] = "Face Throwing A Kiss"}, ["\\:kissing_smiling_eyes:"] = {["character"] = "๐Ÿ˜™", ["name"] = "Kissing Face With Smiling Eyes"}, ["\\:kissing_closed_eyes:"] = {["character"] = "๐Ÿ˜š", ["name"] = "Kissing Face With Closed Eyes"}, ["\\:stuck_out_tongue:"] = {["character"] = "๐Ÿ˜›", ["name"] = "Face With Stuck-Out Tongue"}, ["\\:stuck_out_tongue_winking_eye:"] = {["character"] = "๐Ÿ˜œ", ["name"] = "Face With Stuck-Out Tongue And Winking Eye"}, ["\\:stuck_out_tongue_closed_eyes:"] = {["character"] = "๐Ÿ˜", ["name"] = "Face With Stuck-Out Tongue And Tightly-Closed Eyes"}, ["\\:disappointed:"] = {["character"] = "๐Ÿ˜ž", ["name"] = "Disappointed Face"}, ["\\:worried:"] = {["character"] = "๐Ÿ˜Ÿ", ["name"] = "Worried Face"}, ["\\:angry:"] = {["character"] = "๐Ÿ˜ ", ["name"] = "Angry Face"}, ["\\:rage:"] = {["character"] = "๐Ÿ˜ก", ["name"] = "Pouting Face"}, ["\\:cry:"] = {["character"] = "๐Ÿ˜ข", ["name"] = "Crying Face"}, ["\\:persevere:"] = {["character"] = "๐Ÿ˜ฃ", ["name"] = "Persevering Face"}, ["\\:triumph:"] = {["character"] = "๐Ÿ˜ค", ["name"] = "Face With Look Of Triumph"}, ["\\:disappointed_relieved:"] = {["character"] = "๐Ÿ˜ฅ", ["name"] = "Disappointed But Relieved Face"}, ["\\:frowning:"] = {["character"] = "๐Ÿ˜ฆ", ["name"] = "Frowning Face With Open Mouth"}, ["\\:anguished:"] = {["character"] = "๐Ÿ˜ง", ["name"] = "Anguished Face"}, ["\\:fearful:"] = {["character"] = "๐Ÿ˜จ", ["name"] = "Fearful Face"}, ["\\:weary:"] = {["character"] = "๐Ÿ˜ฉ", ["name"] = "Weary Face"}, ["\\:sleepy:"] = {["character"] = "๐Ÿ˜ช", ["name"] = "Sleepy Face"}, ["\\:tired_face:"] = {["character"] = "๐Ÿ˜ซ", ["name"] = "Tired Face"}, ["\\:grimacing:"] = {["character"] = "๐Ÿ˜ฌ", ["name"] = "Grimacing Face"}, ["\\:sob:"] = {["character"] = "๐Ÿ˜ญ", ["name"] = "Loudly Crying Face"}, ["\\:open_mouth:"] = {["character"] = "๐Ÿ˜ฎ", ["name"] = "Face With Open Mouth"}, ["\\:hushed:"] = {["character"] = "๐Ÿ˜ฏ", ["name"] = "Hushed Face"}, ["\\:cold_sweat:"] = {["character"] = "๐Ÿ˜ฐ", ["name"] = "Face With Open Mouth And Cold Sweat"}, ["\\:scream:"] = {["character"] = "๐Ÿ˜ฑ", ["name"] = "Face Screaming In Fear"}, ["\\:astonished:"] = {["character"] = "๐Ÿ˜ฒ", ["name"] = "Astonished Face"}, ["\\:flushed:"] = {["character"] = "๐Ÿ˜ณ", ["name"] = "Flushed Face"}, ["\\:sleeping:"] = {["character"] = "๐Ÿ˜ด", ["name"] = "Sleeping Face"}, ["\\:dizzy_face:"] = {["character"] = "๐Ÿ˜ต", ["name"] = "Dizzy Face"}, ["\\:no_mouth:"] = {["character"] = "๐Ÿ˜ถ", ["name"] = "Face Without Mouth"}, ["\\:mask:"] = {["character"] = "๐Ÿ˜ท", ["name"] = "Face With Medical Mask"}, ["\\:smile_cat:"] = {["character"] = "๐Ÿ˜ธ", ["name"] = "Grinning Cat Face With Smiling Eyes"}, ["\\:joy_cat:"] = {["character"] = "๐Ÿ˜น", ["name"] = "Cat Face With Tears Of Joy"}, ["\\:smiley_cat:"] = {["character"] = "๐Ÿ˜บ", ["name"] = "Smiling Cat Face With Open Mouth"}, ["\\:heart_eyes_cat:"] = {["character"] = "๐Ÿ˜ป", ["name"] = "Smiling Cat Face With Heart-Shaped Eyes"}, ["\\:smirk_cat:"] = {["character"] = "๐Ÿ˜ผ", ["name"] = "Cat Face With Wry Smile"}, ["\\:kissing_cat:"] = {["character"] = "๐Ÿ˜ฝ", ["name"] = "Kissing Cat Face With Closed Eyes"}, ["\\:pouting_cat:"] = {["character"] = "๐Ÿ˜พ", ["name"] = "Pouting Cat Face"}, ["\\:crying_cat_face:"] = {["character"] = "๐Ÿ˜ฟ", ["name"] = "Crying Cat Face"}, ["\\:scream_cat:"] = {["character"] = "๐Ÿ™€", ["name"] = "Weary Cat Face"}, ["\\:no_good:"] = {["character"] = "๐Ÿ™…", ["name"] = "Face With No Good Gesture"}, ["\\:ok_woman:"] = {["character"] = "๐Ÿ™†", ["name"] = "Face With Ok Gesture"}, ["\\:bow:"] = {["character"] = "๐Ÿ™‡", ["name"] = "Person Bowing Deeply"}, ["\\:see_no_evil:"] = {["character"] = "๐Ÿ™ˆ", ["name"] = "See-No-Evil Monkey"}, ["\\:hear_no_evil:"] = {["character"] = "๐Ÿ™‰", ["name"] = "Hear-No-Evil Monkey"}, ["\\:speak_no_evil:"] = {["character"] = "๐Ÿ™Š", ["name"] = "Speak-No-Evil Monkey"}, ["\\:raising_hand:"] = {["character"] = "๐Ÿ™‹", ["name"] = "Happy Person Raising One Hand"}, ["\\:raised_hands:"] = {["character"] = "๐Ÿ™Œ", ["name"] = "Person Raising Both Hands In Celebration"}, ["\\:person_frowning:"] = {["character"] = "๐Ÿ™", ["name"] = "Person Frowning"}, ["\\:person_with_pouting_face:"] = {["character"] = "๐Ÿ™Ž", ["name"] = "Person With Pouting Face"}, ["\\:pray:"] = {["character"] = "๐Ÿ™", ["name"] = "Person With Folded Hands"}, ["\\:rocket:"] = {["character"] = "๐Ÿš€", ["name"] = "Rocket"}, ["\\:helicopter:"] = {["character"] = "๐Ÿš", ["name"] = "Helicopter"}, ["\\:steam_locomotive:"] = {["character"] = "๐Ÿš‚", ["name"] = "Steam Locomotive"}, ["\\:railway_car:"] = {["character"] = "๐Ÿšƒ", ["name"] = "Railway Car"}, ["\\:bullettrain_side:"] = {["character"] = "๐Ÿš„", ["name"] = "High-Speed Train"}, ["\\:bullettrain_front:"] = {["character"] = "๐Ÿš…", ["name"] = "High-Speed Train With Bullet Nose"}, ["\\:train2:"] = {["character"] = "๐Ÿš†", ["name"] = "Train"}, ["\\:metro:"] = {["character"] = "๐Ÿš‡", ["name"] = "Metro"}, ["\\:light_rail:"] = {["character"] = "๐Ÿšˆ", ["name"] = "Light Rail"}, ["\\:station:"] = {["character"] = "๐Ÿš‰", ["name"] = "Station"}, ["\\:tram:"] = {["character"] = "๐ŸšŠ", ["name"] = "Tram"}, ["\\:train:"] = {["character"] = "๐Ÿš‹", ["name"] = "Tram Car"}, ["\\:bus:"] = {["character"] = "๐ŸšŒ", ["name"] = "Bus"}, ["\\:oncoming_bus:"] = {["character"] = "๐Ÿš", ["name"] = "Oncoming Bus"}, ["\\:trolleybus:"] = {["character"] = "๐ŸšŽ", ["name"] = "Trolleybus"}, ["\\:busstop:"] = {["character"] = "๐Ÿš", ["name"] = "Bus Stop"}, ["\\:minibus:"] = {["character"] = "๐Ÿš", ["name"] = "Minibus"}, ["\\:ambulance:"] = {["character"] = "๐Ÿš‘", ["name"] = "Ambulance"}, ["\\:fire_engine:"] = {["character"] = "๐Ÿš’", ["name"] = "Fire Engine"}, ["\\:police_car:"] = {["character"] = "๐Ÿš“", ["name"] = "Police Car"}, ["\\:oncoming_police_car:"] = {["character"] = "๐Ÿš”", ["name"] = "Oncoming Police Car"}, ["\\:taxi:"] = {["character"] = "๐Ÿš•", ["name"] = "Taxi"}, ["\\:oncoming_taxi:"] = {["character"] = "๐Ÿš–", ["name"] = "Oncoming Taxi"}, ["\\:car:"] = {["character"] = "๐Ÿš—", ["name"] = "Automobile"}, ["\\:oncoming_automobile:"] = {["character"] = "๐Ÿš˜", ["name"] = "Oncoming Automobile"}, ["\\:blue_car:"] = {["character"] = "๐Ÿš™", ["name"] = "Recreational Vehicle"}, ["\\:truck:"] = {["character"] = "๐Ÿšš", ["name"] = "Delivery Truck"}, ["\\:articulated_lorry:"] = {["character"] = "๐Ÿš›", ["name"] = "Articulated Lorry"}, ["\\:tractor:"] = {["character"] = "๐Ÿšœ", ["name"] = "Tractor"}, ["\\:monorail:"] = {["character"] = "๐Ÿš", ["name"] = "Monorail"}, ["\\:mountain_railway:"] = {["character"] = "๐Ÿšž", ["name"] = "Mountain Railway"}, ["\\:suspension_railway:"] = {["character"] = "๐ŸšŸ", ["name"] = "Suspension Railway"}, ["\\:mountain_cableway:"] = {["character"] = "๐Ÿš ", ["name"] = "Mountain Cableway"}, ["\\:aerial_tramway:"] = {["character"] = "๐Ÿšก", ["name"] = "Aerial Tramway"}, ["\\:ship:"] = {["character"] = "๐Ÿšข", ["name"] = "Ship"}, ["\\:rowboat:"] = {["character"] = "๐Ÿšฃ", ["name"] = "Rowboat"}, ["\\:speedboat:"] = {["character"] = "๐Ÿšค", ["name"] = "Speedboat"}, ["\\:traffic_light:"] = {["character"] = "๐Ÿšฅ", ["name"] = "Horizontal Traffic Light"}, ["\\:vertical_traffic_light:"] = {["character"] = "๐Ÿšฆ", ["name"] = "Vertical Traffic Light"}, ["\\:construction:"] = {["character"] = "๐Ÿšง", ["name"] = "Construction Sign"}, ["\\:rotating_light:"] = {["character"] = "๐Ÿšจ", ["name"] = "Police Cars Revolving Light"}, ["\\:triangular_flag_on_post:"] = {["character"] = "๐Ÿšฉ", ["name"] = "Triangular Flag On Post"}, ["\\:door:"] = {["character"] = "๐Ÿšช", ["name"] = "Door"}, ["\\:no_entry_sign:"] = {["character"] = "๐Ÿšซ", ["name"] = "No Entry Sign"}, ["\\:smoking:"] = {["character"] = "๐Ÿšฌ", ["name"] = "Smoking Symbol"}, ["\\:no_smoking:"] = {["character"] = "๐Ÿšญ", ["name"] = "No Smoking Symbol"}, ["\\:put_litter_in_its_place:"] = {["character"] = "๐Ÿšฎ", ["name"] = "Put Litter In Its Place Symbol"}, ["\\:do_not_litter:"] = {["character"] = "๐Ÿšฏ", ["name"] = "Do Not Litter Symbol"}, ["\\:potable_water:"] = {["character"] = "๐Ÿšฐ", ["name"] = "Potable Water Symbol"}, ["\\:non-potable_water:"] = {["character"] = "๐Ÿšฑ", ["name"] = "Non-Potable Water Symbol"}, ["\\:bike:"] = {["character"] = "๐Ÿšฒ", ["name"] = "Bicycle"}, ["\\:no_bicycles:"] = {["character"] = "๐Ÿšณ", ["name"] = "No Bicycles"}, ["\\:bicyclist:"] = {["character"] = "๐Ÿšด", ["name"] = "Bicyclist"}, ["\\:mountain_bicyclist:"] = {["character"] = "๐Ÿšต", ["name"] = "Mountain Bicyclist"}, ["\\:walking:"] = {["character"] = "๐Ÿšถ", ["name"] = "Pedestrian"}, ["\\:no_pedestrians:"] = {["character"] = "๐Ÿšท", ["name"] = "No Pedestrians"}, ["\\:children_crossing:"] = {["character"] = "๐Ÿšธ", ["name"] = "Children Crossing"}, ["\\:mens:"] = {["character"] = "๐Ÿšน", ["name"] = "Mens Symbol"}, ["\\:womens:"] = {["character"] = "๐Ÿšบ", ["name"] = "Womens Symbol"}, ["\\:restroom:"] = {["character"] = "๐Ÿšป", ["name"] = "Restroom"}, ["\\:baby_symbol:"] = {["character"] = "๐Ÿšผ", ["name"] = "Baby Symbol"}, ["\\:toilet:"] = {["character"] = "๐Ÿšฝ", ["name"] = "Toilet"}, ["\\:wc:"] = {["character"] = "๐Ÿšพ", ["name"] = "Water Closet"}, ["\\:shower:"] = {["character"] = "๐Ÿšฟ", ["name"] = "Shower"}, ["\\:bath:"] = {["character"] = "๐Ÿ›€", ["name"] = "Bath"}, ["\\:bathtub:"] = {["character"] = "๐Ÿ›", ["name"] = "Bathtub"}, ["\\:passport_control:"] = {["character"] = "๐Ÿ›‚", ["name"] = "Passport Control"}, ["\\:customs:"] = {["character"] = "๐Ÿ›ƒ", ["name"] = "Customs"}, ["\\:baggage_claim:"] = {["character"] = "๐Ÿ›„", ["name"] = "Baggage Claim"}, ["\\:left_luggage:"] = {["character"] = "๐Ÿ›…", ["name"] = "Left Luggage"}, } return substitutions
local F, C = unpack(select(2, ...)) local UNITFRAME, cfg = F:GetModule('Unitframe'), C.unitframe function UNITFRAME:AddEnergyTicker(self) if not cfg.energyTicker then return end if C.Class == 'WARRIOR' then return end local energyTicker = CreateFrame('Frame', nil, self) energyTicker:SetFrameLevel(self.Power:GetFrameLevel() + 2) self.EnergyTicker = energyTicker end
data:extend( { { type = "fluid", name = "hydrogen-chloride", default_temperature = 25, heat_capacity = "1KJ", base_color = {r=0.2, g=0.7, b=0}, flow_color = {r=0.5, g=0.5, b=0.5}, max_temperature = 100, icon = "__Engineersvsenvironmentalist__/graphics/icons/chemicals/hydrogen-chloride.png", -- pressure_to_speed_ratio = 0.6, pressure_to_speed_ratio = 0.4, flow_to_energy_ratio = 0.59, order = "a[fluid]-g[hydrogen-chloride]" }, { type = "recipe", name = "hydrogen-chloride", category = "chemistry", enabled = false, energy_required = 1, ingredients = { {type="fluid", name="chlorine", amount=1}, {type="fluid", name="hydrogen", amount=1}, }, results= { {type="fluid", name="hydrogen-chloride", amount=2} }, subgroup = "gas-processing", icon = "__Engineersvsenvironmentalist__/graphics/icons/chemicals/hydrogen-chloride.png", order = "water-5" }, } )
local script = Script() local targetEntity = nil local function SetAffiliationRelationshipMenu(name, id) local menu = UI.SimpleMenu() menu:SetTitle("Set realtionship to " .. name) for k,v in pairsByKeys(AgentRelationship) do menu:AddButton(k, function(menu, text, hint, index) local affid = AgentRelationship[k] local entity = nil if targetEntity ~= nil then entity = targetEntity else entity = GetLocalPlayerEntityId() end SetSquadRelationship(id, affid, entity) ScriptHook.ShowNotification(1, "Relationship updated", "Your relationship to " .. name .. " is now " .. k) end) end return menu end local function AffiliationMenu() local menu = UI.SimpleMenu() menu:SetTitle("Affiliation") local menuTargetEntity = nil --local targetBtn = menu:AddButton("Target Entity: Local Player", "", function() -- local selectEntity = GetReticleHitEntity() -- if selectEntity ~=GetInvalidEntityId() then -- targetEntity = selectEntity -- ScriptHook.ShowNotification(1, "Affiliation Target updated", "You are now targeting an entity") -- else -- targetEntity = nil -- ScriptHook.ShowNotification(14, "Affiliation Target updated failed", "Now reset back to local player") -- end --end) for k,v in pairsByKeys(AgentAffiliation) do menu:AddButton(k, Script():CacheMenu(function() return SetAffiliationRelationshipMenu(k, AgentAffiliation[k]) end)) end --menu:OnUpdate(function() -- if targetEntity ~= menuTargetEntity then -- menuTargetEntity = targetEntity -- if menuTargetEntity == nil then -- menu:SetEntryText(targetBtn, "Target Entity: Local Player") -- else -- menu:SetEntryText(targetBtn, "Target Entity: Selected Entity") -- end -- end --end) return menu end table.insert(SimpleTrainerMenuItems, { "Affiliation", "", Script():CacheMenu(AffiliationMenu) })
--[[ Construct unicode serialization format from string serialization format Copyright 2015-2016 Xiang Zhang Usage: th construct_code.lua [input] [output] [limit] [replace] --]] local bit32 = require('bit32') local ffi = require('ffi') local math = require('math') local torch = require('torch') -- A Logic Named Joe local joe = {} function joe.main() local input = arg[1] or '../data/dianping/train_string.t7b' local output = arg[2] or '../data/dianping/train_code.t7b' local limit = arg[3] and tonumber(arg[3]) or 65536 local replace = arg[4] and tonumber(arg[4]) or 33 print('Loading data from '..input) local data = torch.load(input) print('Counting UTF-8 code') local count = joe.countCode(data) print('Total number of codes: '..count) print('Constructing UTF-8 code data') local code = joe.constructCode(data, count, limit, replace) print('Saving to '..output) torch.save(output, code) end function joe.countCode(data) local index, content = data.index, data.content local count = 0 -- Iterate through the classes for i = 1, #index do print('Processing for class '..i) -- Iterate through the samples for j = 1, index[i]:size(1) do if math.fmod(j, 10000) == 0 then io.write('\rProcessing text: ', j, '/', index[i]:size(1)) io.flush() end -- Iterate through the fields for k = 1, index[i][j]:size(1) do local text = ffi.string( torch.data(content:narrow(1, index[i][j][k][1], 1))) local sequence = joe.utf8to32(text) count = count + #sequence end end print('\rProcessed texts: '..index[i]:size(1)..'/'..index[i]:size(1)) end return count end function joe.constructCode(data, count, limit, replace) local index, content = data.index, data.content local code = {} local code_value = torch.LongTensor(count) local p = 1 -- Iterate through the classes for i = 1, #index do print('Processing for class '..i) code[i] = index[i]:clone():zero() -- Iterate through the samples for j = 1, index[i]:size(1) do if math.fmod(j, 10000) == 0 then io.write('\rProcessing text: ', j, '/', index[i]:size(1)) io.flush() end -- Iterate through the fields for k = 1, index[i][j]:size(1) do local text = ffi.string( torch.data(content:narrow(1, index[i][j][k][1], 1))) local sequence = joe.utf8to32(text) code[i][j][k][1] = p code[i][j][k][2] = #sequence for l = 1, #sequence do code_value[p + l - 1] = sequence[l] + 1 if limit and code_value[p + l - 1] > limit then code_value[p + l - 1] = replace end end p = p + #sequence end end print('\rProcessed texts: '..index[i]:size(1)..'/'..index[i]:size(1)) end return {code = code, code_value = code_value} end -- UTF-8 decoding function -- Ref: http://lua-users.org/wiki/LuaUnicode function joe.utf8to32(utf8str) assert(type(utf8str) == 'string') local res, seq, val = {}, 0, nil for i = 1, #utf8str do local c = string.byte(utf8str, i) if seq == 0 then table.insert(res, val) seq = c < 0x80 and 1 or c < 0xE0 and 2 or c < 0xF0 and 3 or c < 0xF8 and 4 or --c < 0xFC and 5 or c < 0xFE and 6 or error('Invalid UTF-8 character sequence') val = bit32.band(c, 2^(8-seq) - 1) else val = bit32.bor(bit32.lshift(val, 6), bit32.band(c, 0x3F)) end seq = seq - 1 end table.insert(res, val) table.insert(res, 0) return res end joe.main() return joe
local VolPan={} function VolPan:new (o) o=o or {} -- create object if user does not provide one setmetatable(o,self) self.__index=self return o end function VolPan:init(o) self.a=o.acrostic self.sel=1 self.shift=false self.message="" self.message_level=0 end function VolPan:msg(s) self.message=s self.message_level=15 end function VolPan:enc(k,d) local v={"vol adj","vol lfo amp","vol lfo period","pan adj","pan lfo amp","pan lfo period"} local vv=self.shift and v[k+3] or v[k] params:delta(self.sel..vv,d) self:msg(vv..": "..math.floor(params:get(self.sel..vv)*10)/10) end function VolPan:key(k,z) if k==3 and z==1 then local sel=self.sel+1 if sel>6 then sel=1 end self.sel=sel self:msg("sample "..self.sel) elseif k==2 then self.shift=z==1 end end function VolPan:draw() screen.aa(1) screen.blend_mode(1) local levels={2,4,6,8,10,12} for i=1,6 do local r=(7-i)*6 local x=util.linlin(-1,1,1,128,self.a.pan[i]) local y=util.linlin(0,1,64,1,self.a.vol[i]) screen.circle(x,y,r) screen.level(levels[i]) screen.fill() if self.sel==i then screen.circle(x,y,r+2) screen.level(15) screen.stroke() end screen.update() end screen.blend_mode(0) if self.message_level>0 and self.message~="" then self.message_level=self.message_level-1 screen.aa(0) screen.move(120,8) screen.level(self.message_level) screen.text_right(self.message) end end return VolPan
data.raw.recipe["5d-air-plane"].ingredients = { {"engine-unit", 8}, {"iron-plate", 50}, {"tin-plate", 75}, {"zinc-plate", 20}, {"lead-plate", 25}, {"steel-plate", 5} } data.raw.recipe["5d-truck"].ingredients = { {"engine-unit", 8}, {"iron-plate", 20}, {"tin-plate", 50}, {"zinc-plate", 15}, {"lead-plate", 17}, {"steel-plate", 5} } data.raw.recipe["5d-boat"].ingredients = { {"engine-unit", 8}, {"iron-plate", 20}, {"tin-plate", 60}, {"zinc-plate", 17}, {"lead-plate", 23}, {"steel-plate", 10} }
class("PutFurnitureCommand", pm.SimpleCommand).execute = function (slot0, slot1) slot2 = slot1:getBody() slot3 = slot2.furnsPos slot4 = slot2.tip slot5 = slot2.callback if not getProxy(DormProxy) then return end slot7 = slot2.floor or slot6.floor slot10, slot11 = Dorm.checkData(slot3, slot6:getData().level) if not slot10 then if slot5 then slot5(false, slot11) return end pg.TipsMgr.GetInstance():ShowTips(slot11) return end slot12 = {} for slot16, slot17 in pairs(slot8:getFurnitrues(slot7)) do slot17:clearPosition() slot6:updateFurniture(slot17) end for slot16, slot17 in pairs(slot3) do if (slot6:getFurniById(slot16).getConfig(slot18, "type") == Furniture.TYPE_WALLPAPER or slot19 == Furniture.TYPE_FLOORPAPER) and slot6:getWallPaper(slot19) then slot20:clearPosition() end slot18:updatePosition(Vector2(slot17.x, slot17.y)) slot18.dir = slot17.dir slot18.child = slot17.child slot18.parent = slot17.parent slot18.floor = slot7 slot6:updateFurniture(slot18) slot20 = {} for slot24, slot25 in pairs(slot17.child) do table.insert(slot20, { id = tostring(slot24), x = slot25.x, y = slot25.y }) end table.insert(slot12, { shipId = 0, id = tostring(slot18:getConfig("id")), x = slot17.x, y = slot17.y, dir = slot17.dir, child = slot20, parent = slot17.parent }) end pg.ConnectionMgr.GetInstance():Send(19008, { floor = slot7, furniture_put_list = slot12 }) if slot4 then pg.TipsMgr.GetInstance():ShowTips(i18n("backyard_putFurniture_ok")) end slot0:sendNotification(GAME.PUT_FURNITURE_DONE) if pg.backyard then pg.backyard:sendNotification(BACKYARD.PUT_FURNITURE_DONE) end if slot5 then slot5(true) end end return class("PutFurnitureCommand", pm.SimpleCommand)
require "ball" require "player" function score() if ball.x < 0 then player2.score = player2.score + 1 ball_init() elseif ball.x > width then player1.score = player1.score + 1 ball_init() end love.graphics.print("Player 1: " .. player1.score, 0, 0) love.graphics.print("Player 2: " .. player2.score, 0, 15) end
-- no need to export since this is all global function AllTrim(s) return s:match('^%s*(.-)%s*$') end function firstToUpper(str) return (str:gsub('^%l', string.upper)) end function IsUpperCase(ch) local charcode = string.byte(ch) return charcode >= 65 and charcode <= 90 end function Sum(numarr) local z = 0 vim.tbl_map(function(pad) z = z + pad end, numarr) return z end -- return table function UpperCasePos(s, iterstop) local u, count = 1, 1 local res = {} for c in s:gmatch('.') do if IsUpperCase(c) then res[count] = u count = count + 1 if iterstop == u then return res end end u = u + 1 end return res end function Splitstr(str, delim, step) if str == nil or #str == 0 then return {} end local target = string.byte(delim) local i = 0 local delim_local = {} for idx = 1, #str do if str:byte(idx) == target then delim_local[i] = idx if step and step == i then break end i = i + 1 end end local prev = 1 for u = 0, #delim_local do local val = delim_local[u] delim_local[u] = string.sub(str, prev, val - 1) prev = val + 1 end -- still final piece local final = string.sub(str, prev, #str) delim_local[#delim_local + 1] = final return delim_local end function Max(a) return vim.fn.max(a) end function Min(a) return vim.fn.min(a) end FindMax = function(nums) local max = 0 for _, num in pairs(nums) do if max < num then max = num end end return max end function print_r(arr, indentLevel) local str = '' local indentStr = '#' if indentLevel == nil then print(print_r(arr, 0)) return end for i = 0, indentLevel do indentStr = indentStr .. '\t' end for index, value in pairs(arr) do if type(value) == 'table' then str = str .. indentStr .. index .. ': \n' .. print_r(value, (indentLevel + 1)) else str = str .. indentStr .. index .. ': ' .. value .. '\n' end end return str end Utils = {} -- galaxyline module! -- take a string form : "sign:color" -- semantic : { -- config[name="error?"] = { -- sign = "", -- color = "" -- } -- } -- ]] local diag_col = { red = '#e95678', redwine = '#d16d9e', light_green = '#abcf84', dark_green = '#98be65', brown = '#c78665', teal = '#1abc9c', yellow = '#f0c674', white = '#fff', } function FileType() return vim.fn.expand('%e') end function Create_augroup(autocmds, name) local cmd = vim.cmd cmd('augroup ' .. name) cmd('autocmd!') for _, autocmd in ipairs(autocmds) do cmd('autocmd ' .. table.concat(autocmd, ' ')) end cmd('augroup END') end -- taken from github but tweaked merge logic -- original logic doesn't work well -- also add depth level for unmerging local function table_clone_internal(t, copies) if type(t) ~= 'table' then return t end copies = copies or {} if copies[t] then return copies[t] end local copy = {} copies[t] = copy for k, v in pairs(t) do copy[table_clone_internal(k, copies)] = table_clone_internal(v, copies) end setmetatable(copy, table_clone_internal(getmetatable(t), copies)) return copy end local function table_clone(t) -- We need to implement this with a helper function to make sure that -- user won't call this function with a second parameter as it can cause -- unexpected troubles return table_clone_internal(t) end -- only work with array local function table_merge(level, ...) local tables_to_merge = { ... } assert(#tables_to_merge > 1, 'There should be at least two tables to merge them') for k, t in ipairs(tables_to_merge) do print(t[1]) assert(type(t) == 'table', string.format('Expected a table as function parameter %d', k)) end --clone the initial element to merge tables local result = table_clone(tables_to_merge[1]) local ecount = 0 -- element count local initial_len = #result for i = 2, #tables_to_merge do local from = tables_to_merge[i] -- probe over the remianing tables for _, v in pairs(from) do local function index() ecount = ecount + 1 local res = ecount + initial_len return res end --print("e",ecount,k+initial_len) -- if discover nested table then merge them recursively if type(v) == 'table' then local count = 0 local function kchain(arg) assert(type(arg) == 'table', 'Require table!') for _, element in pairs(arg) do local c = index() --debuging --print("e",element,i+count,i) if type(element) == 'table' and level ~= count then kchain(element) count = count + 1 else result[c] = element end end end if level ~= count then kchain(v) else result[index()] = v end else result[index()] = v end end end return result end function Reverse(t) local n = #t local i = 1 while i < n do t[i], t[n] = t[n], t[i] i = i + 1 n = n - 1 end return t end local charset = {} do -- [0-9a-zA-Z] for c = 48, 57 do table.insert(charset, string.char(c)) end for c = 65, 90 do table.insert(charset, string.char(c)) end for c = 97, 122 do table.insert(charset, string.char(c)) end end function RandomString(length) if not length or length <= 0 then return '' end math.randomseed(os.clock() ^ 5) return RandomString(length - 1) .. charset[math.random(1, #charset)] end Create_command = function(name, func) vim.cmd('command! -nargs=* ' .. name .. ' lua ' .. func) end -- utils.galaxyline.default_diagnostic = default Utils.table_merge = table_merge return Utils
local function close_redis(red) if not red then return end --้‡Šๆ”พ่ฟžๆŽฅ(่ฟžๆŽฅๆฑ ๅฎž็Žฐ) local pool_max_idle_time = 10000 --ๆฏซ็ง’ local pool_size = 100 --่ฟžๆŽฅๆฑ ๅคงๅฐ local ok, err = red:set_keepalive(pool_max_idle_time, pool_size) if not ok then ngx_log(ngx_ERR, "set redis keepalive error : ", err) end end local redis = require "resty.redis" local red = redis:new() red:set_timeout(1000) local ip = "127.0.0.1" local port = 6379 local ok, err = red:connect(ip, port) if not ok then return close_redis(red) end local clientIP = ngx.req.get_headers()["X-Real-IP"] if clientIP == nil then clientIP = ngx.req.get_headers()["x_forwarded_for"] end if clientIP == nil then clientIP = ngx.var.remote_addr end local incrKey = "user:" .. clientIP .. ":freq" local blockKey = "user:" .. clientIP .. ":block" local is_block, err = red:get(blockKey) -- check if ip is blocked if tonumber(is_block) == 1 then ngx.exit(ngx.HTTP_FORBIDDEN) return close_redis(red) end res, err = red:incr(incrKey) if res == 1 then res, err = red:expire(incrKey, 1) end if res > 200 then res, err = red:set(blockKey, 1) res, err = red:expire(blockKey, 600) end close_redis(red) local function close_redis(red) if not red then return end --้‡Šๆ”พ่ฟžๆŽฅ(่ฟžๆŽฅๆฑ ๅฎž็Žฐ) local pool_max_idle_time = 10000 --ๆฏซ็ง’ local pool_size = 100 --่ฟžๆŽฅๆฑ ๅคงๅฐ local ok, err = red:set_keepalive(pool_max_idle_time, pool_size) if not ok then ngx_log(ngx_ERR, "set redis keepalive error : ", err) end end local redis = require "resty.redis" local red = redis:new() red:set_timeout(1000) local ip = "redis-ip" local port = redis - port local ok, err = red:connect(ip, port) if not ok then return close_redis(red) end local clientIP = ngx.req.get_headers()["X-Real-IP"] if clientIP == nil then clientIP = ngx.req.get_headers()["x_forwarded_for"] end if clientIP == nil then clientIP = ngx.var.remote_addr end local incrKey = "user:" .. clientIP .. ":freq" local blockKey = "user:" .. clientIP .. ":block" local is_block, err = red:get(blockKey) -- check if ip is blocked if tonumber(is_block) == 1 then ngx.exit(ngx.HTTP_FORBIDDEN) return close_redis(red) end res, err = red:incr(incrKey) if res == 1 then res, err = red:expire(incrKey, 1) end if res > 10 then res, err = red:set(blockKey, 1) res, err = red:expire(blockKey, 600) end close_redis(red)
while true do script.Parent.Texture = "http://www.roblox.com/asset/?id=183747849" wait(0.05) script.Parent.Texture = "http://www.roblox.com/asset/?id=183747854" wait(0.05) script.Parent.Texture = "http://www.roblox.com/asset/?id=183747863" wait(0.05) script.Parent.Texture = "http://www.roblox.com/asset/?id=183747870" wait(0.05) script.Parent.Texture = "http://www.roblox.com/asset/?id=183747877" wait(0.05) script.Parent.Texture = "http://www.roblox.com/asset/?id=183747879" wait(0.05) script.Parent.Texture = "http://www.roblox.com/asset/?id=183747885" wait(0.05) script.Parent.Texture = "http://www.roblox.com/asset/?id=183747890" wait(0.05) end
{{~ if daily_routine_function.parent_preview_text && daily_routine_function.parent_preview_text != "" ~}} -- Parent Nodes: {{ daily_routine_function.parent_preview_text }} {{~ end ~}} function {{ daily_routine_function.function_name }}(this){{~ if daily_routine_function.code | string.contains "playerNpc" }} local playerManager = PlayerManager:new() local playerNpc = playerManager:get_local_player() {{~ end ~}} {{ daily_routine_function.code | indent_multiline }} end
local function alert(body) require "notify"(body, "info", { title = "Buffer API Demo" }) end -- alert "Code Smell" local buffer_lines = vim.api.nvim_buf_get_lines(0, 0, 3, 0) -- alert(buffer_lines) local mark_pos = vim.api.nvim_buf_get_mark(0, "t") -- alert(vim.inspect(mark_pos)) local shift_width = vim.api.nvim_buf_get_option(0, "shiftwidth") -- alert(vim.inspect(shift_width)) local file_name = vim.api.nvim_buf_get_name(0) alert(file_name)
-- Super Mario Galaxy -- Imports -- package.loaded.<module> ensures that the module gets de-cached as needed. -- That way, if we change the code in those modules and then re-run the script, -- we won't need to restart Cheat Engine to see the code changes take effect. package.loaded.utils = nil local utils = require "utils" local readIntBE = utils.readIntBE local subclass = utils.subclass package.loaded.valuetypes = nil local valuetypes = require "valuetypes" local V = valuetypes.V local MV = valuetypes.MV local MemoryValue = valuetypes.MemoryValue local FloatType = valuetypes.FloatTypeBE local IntType = valuetypes.IntTypeBE local ShortType = valuetypes.ShortTypeBE local ByteType = valuetypes.ByteType local SignedIntType = valuetypes.SignedIntTypeBE local StringType = valuetypes.StringType local BinaryType = valuetypes.BinaryType local Vector3Value = valuetypes.Vector3Value package.loaded._supermariogalaxyshared = nil local SMGshared = require "_supermariogalaxyshared" local SMG1 = subclass(SMGshared) SMG1.supportedGameVersions = { -- Wii must be set to English language. na = 'RMGE01', us = 'RMGE01', jp = 'RMGJ01', ja = 'RMGJ01', -- Wii must be set to English language. eu = 'RMGP01', pal = 'RMGP01', } SMG1.layoutModuleNames = {'supermariogalaxy_layouts'} SMG1.framerate = 60 -- Use D-Pad Down to reset max-value displays, average-value displays, etc. SMG1.defaultResetButton = 'v' function SMG1:init(options) SMGshared.init(self, options) self.addrs = {} self.pointerValues = {} self:initConstantAddresses() end local GV = SMG1.blockValues -- These are addresses that should stay constant for the most part, -- as long as the game start address is constant. function SMG1:initConstantAddresses() -- Start or 'origin' address. self.addrs.o = self:getGameStartAddress() -- It's useful to have an address where there's always a ton of zeros. -- We can use this address as the result when an address computation -- is invalid. Zeros are better than unreadable memory (results in -- error) or garbage values. -- This group of zeros should go on for 0x20000 to 0x30000 bytes. self.addrs.zeros = self.addrs.o + 0x626000 if self.gameId == 'RMGE01' then self.addrs.refPointer = self.addrs.o + 0xF8EF88 self.addrs.shakeRelatedBlock = self.addrs.o + 0x9E9C7C elseif self.gameId == 'RMGJ01' then self.addrs.refPointer = self.addrs.o + 0xF8F328 self.addrs.shakeRelatedBlock = self.addrs.o + 0x9E9BDC elseif self.gameId == 'RMGP01' then self.addrs.refPointer = self.addrs.o + 0xF8EF88 self.addrs.shakeRelatedBlock = self.addrs.o + 0x9E9C7C end end -- These addresses can change more frequently, so we specify them as -- functions that can be run continually. function SMG1:updateRefPointer() -- Not sure what this is meant to point to exactly, but when this pointer -- changes value, some other relevant addresses (like pos and vel) -- move by the same amount as the value change. -- -- This pointer value changes whenever you load a different area. -- It's invalid during transition screens and before the -- title screen. self.pointerValues.ref = readIntBE(self.addrs.refPointer, 4) end function SMG1:updateMessageInfoPointer() -- Pointer that can be used to locate various message/text related info. -- -- This pointer value changes whenever you load a different area. self.pointerValues.messageInfoRef = readIntBE(self.addrs.o + 0x9A9240, 4) end function SMG1:updatePosBlock() if self.pointerValues.ref == 0 then self.addrs.posBlock = nil else self.addrs.posBlock = ( self.addrs.o + self.pointerValues.ref - 0x80000000 + 0x3EEC) end end function SMG1:updateAddresses() self:updateRefPointer() self:updateMessageInfoPointer() self:updatePosBlock() end -- Values at static addresses (from the beginning of the game memory). SMG1.StaticValue = subclass(MemoryValue) function SMG1.StaticValue:getAddress() return self.game.addrs.o + self.offset end -- Values that are a constant offset from the refPointer. SMG1.RefValue = subclass(MemoryValue) function SMG1.RefValue:getAddress() return ( self.game.addrs.o + self.game.pointerValues.ref - 0x80000000 + self.offset) end function SMG1.RefValue:isValid() return self.game.pointerValues.ref ~= 0 end -- Values that are part of the shake-related block. SMG1.ShakeRelatedBlockValue = subclass(MemoryValue) function SMG1.ShakeRelatedBlockValue:getAddress() return self.game.addrs.shakeRelatedBlock + self.offset end -- Values that are a constant small offset from the position values' location. SMG1.PosBlockValue = subclass(MemoryValue) function SMG1.PosBlockValue:getAddress() return self.game.addrs.posBlock + self.offset end function SMG1.PosBlockValue:isValid() return self.game.addrs.posBlock ~= nil end -- Values that are a constant offset from the messageInfoPointer. SMG1.MessageInfoValue = subclass(MemoryValue) function SMG1.MessageInfoValue:getAddress() return ( self.game.addrs.o + self.game.pointerValues.messageInfoRef - 0x80000000 + self.offset) end function SMG1.MessageInfoValue:isValid() return self.game.pointerValues.messageInfoRef ~= 0 end -- General-interest state values. GV.generalState1a = MV( "State bits 01-08", -0x128, SMG1.PosBlockValue, BinaryType, {binarySize=8, binaryStartBit=7} ) GV.generalState1b = MV( "State bits 09-16", -0x127, SMG1.PosBlockValue, BinaryType, {binarySize=8, binaryStartBit=7} ) GV.generalState1c = MV( "State bits 17-24", -0x126, SMG1.PosBlockValue, BinaryType, {binarySize=8, binaryStartBit=7} ) GV.generalState1d = MV( "State bits 25-32", -0x125, SMG1.PosBlockValue, BinaryType, {binarySize=8, binaryStartBit=7} ) function SMG1:onGround() return (self.generalState1a:get()[2] == 1) end -- Unlike SMG2, SMG1 does not exactly have an in-game timer. However, this -- address seems to be the next best thing. -- It counts up by 1 per frame starting from the level-beginning cutscenes. -- It also pauses for a few frames when you get the star. -- It resets to 0 if you die. GV.stageTimeFrames = MV("Stage time, frames", 0x9ADE58, SMG1.StaticValue, IntType) -- Position, velocity, and other coordinates related stuff. GV.pos = V( Vector3Value, MV("Pos X", 0x0, SMG1.PosBlockValue, FloatType), MV("Pos Y", 0x4, SMG1.PosBlockValue, FloatType), MV("Pos Z", 0x8, SMG1.PosBlockValue, FloatType) ) GV.pos.label = "Position" GV.pos.displayDefaults = {signed=true, beforeDecimal=5, afterDecimal=1} GV.pos_early1 = V( Vector3Value, MV("Pos X", 0x18DC, SMG1.RefValue, FloatType), MV("Pos Y", 0x18E0, SMG1.RefValue, FloatType), MV("Pos Z", 0x18E4, SMG1.RefValue, FloatType) ) GV.pos_early1.label = "Position" GV.pos_early1.displayDefaults = {signed=true, beforeDecimal=5, afterDecimal=1} -- Velocity directly from a memory value. -- Not all kinds of movement are covered. For example, launch stars and -- riding moving platforms aren't accounted for. -- -- It's usually preferable to use velocity based on position change, because -- that's more accurate to observable velocity. But this velocity value -- can still have its uses. For example, this is actually the velocity -- observed on the NEXT frame, so if we want advance knowledge of the velocity, -- then we might use this. GV.baseVel = V( Vector3Value, MV("Base Vel X", 0x78, SMG1.PosBlockValue, FloatType), MV("Base Vel Y", 0x7C, SMG1.PosBlockValue, FloatType), MV("Base Vel Z", 0x80, SMG1.PosBlockValue, FloatType) ) GV.baseVel.label = "Base Vel" GV.baseVel.displayDefaults = {signed=true} -- Mario/Luigi's direction of gravity. GV.upVectorGravity = V( Vector3Value, MV("Up X", 0x6A3C, SMG1.RefValue, FloatType), MV("Up Y", 0x6A40, SMG1.RefValue, FloatType), MV("Up Z", 0x6A44, SMG1.RefValue, FloatType) ) GV.upVectorGravity.label = "Grav (Up)" GV.upVectorGravity.displayDefaults = {signed=true, beforeDecimal=1, afterDecimal=4} GV.downVectorGravity = V( Vector3Value, MV("Down X", 0x1B10, SMG1.RefValue, FloatType), MV("Down Y", 0x1B14, SMG1.RefValue, FloatType), MV("Down Z", 0x1B18, SMG1.RefValue, FloatType) ) GV.downVectorGravity.label = "Grav (Down)" GV.downVectorGravity.displayDefaults = {signed=true, beforeDecimal=1, afterDecimal=4} -- Up vector (tilt). Offset from the gravity up vector when there is tilt. GV.upVectorTilt = V( Vector3Value, MV("Up X", 0xC0, SMG1.PosBlockValue, FloatType), MV("Up Y", 0xC4, SMG1.PosBlockValue, FloatType), MV("Up Z", 0xC8, SMG1.PosBlockValue, FloatType) ) GV.upVectorTilt.label = "Tilt (Up)" GV.upVectorTilt.displayDefaults = {signed=true, beforeDecimal=1, afterDecimal=4} -- Inputs and spin state. GV.buttons1 = MV("Buttons 1", 0x61D342, SMG1.StaticValue, BinaryType, {binarySize=8, binaryStartBit=7}) GV.buttons2 = MV("Buttons 2", 0x61D343, SMG1.StaticValue, BinaryType, {binarySize=8, binaryStartBit=7}) GV.wiimoteShakeBit = MV("Wiimote shake bit", 0xC, SMG1.ShakeRelatedBlockValue, ByteType) GV.nunchukShakeBit = MV("Nunchuk shake bit", 0x27F1, SMG1.RefValue, ByteType) GV.spinCooldownTimer = MV("Spin cooldown timer", 0x2217, SMG1.RefValue, ByteType) GV.spinAttackTimer = MV("Spin attack timer", 0x2214, SMG1.RefValue, ByteType) -- When this timer is inactive, its value is 180 GV.midairSpinTimer = MV("Midair spin timer", 0x41BF, SMG1.RefValue, ByteType) GV.midairSpinType = MV("Midair spin state", 0x41E7, SMG1.RefValue, ByteType) GV.stickX = MV("Stick X", 0x61D3A0, SMG1.StaticValue, FloatType) GV.stickY = MV("Stick Y", 0x61D3A4, SMG1.StaticValue, FloatType) -- Some other stuff. -- Underwater breathing GV.air = MV("Air", 0x6AB8, SMG1.RefValue, IntType) -- Jump, double jump or rainbow star jump, triple jump, -- bonk or forward facing slope jump, sideflip, long jump, backflip, wall jump, -- midair spin, ?, ledge hop, spring topman bounce, enemy bounce, -- jump off swing / pull star release / after planet landing / spin out of water GV.lastJumpType = MV("Last jump type", 0x41EF, SMG1.RefValue, ByteType) -- Not quite sure what this is GV.groundTurnTimer = MV("Ground turn timer", 0x41CB, SMG1.RefValue, ByteType) -- Text. GV.textProgress = MV("Text progress", 0x2D39C, SMG1.MessageInfoValue, IntType) GV.alphaReq = MV("Alpha req", 0x2D3B0, SMG1.MessageInfoValue, FloatType) GV.fadeRate = MV("Fade rate", 0x2D3B4, SMG1.MessageInfoValue, FloatType) return SMG1
local ffi = require("ffi") local lib = require("ice_batt") -- This allows the functions of the bindings to be globally called... setmetatable(_G, { __index = lib }) local function main() -- Struct that contains information about the battery local batt = ffi.new("ice_batt_info") -- Fetch battery information and store the information in the struct local err = ice_batt_get_info(batt) -- If the function failed to fetch battery information, Trace error then terminate the program if (err ~= ICE_BATT_ERROR_OK) then print("ERROR: failed to fetch battery information!") return -1 end -- Print the informations print("Device has battery: " .. ((batt.exists == ICE_BATT_TRUE) and "YES" or "NO") .. "\nIs battery charging: " .. ((batt.charging == ICE_BATT_TRUE) and "YES" or "NO") .. "\nBattery Level: " .. batt.level) return 0 end return main()
--[[ Author : Jonathan Els Version : 0.1 Description: Sanitize contact heard to strip attributes and prefix a "q value" for inbound REGISTER messages. The "q = 1" suffix is hard-coded. Converts this: Contact: <sip: [email protected]: 50772>; + sip.instance = "<urn: uuid: 832028f41e6258c46e8de1e8dd3d6723360b5c74>"; reg-id = 1 To this: Contact: <sip: [email protected]: 50772>; q = 1 Limitations: This was written on community request. Not personally tested for support with REGISTER messages. --]] M = {} trace.disable() function M.inbound_REGISTER(msg) local contact = msg:getHeader("Contact") if contact then local qval = "q = 1" contact = contact:gsub("(.*<sip:.*>);.*", "%1" .. "; " .. qval) trace.format("Found contact header... modifying to: %s", contact) msg:modifyHeader ("Contact", contact) end end return M
modifier_dummy = class( {} ) function modifier_dummy:OnCreated( kv ) if not IsServer() then return end --self:GetParent():AddNoDraw() end function modifier_dummy:OnDestroy( kv ) if not IsServer() then return end --self:GetParent():RemoveNoDraw() end function modifier_dummy:CheckState() local state = { [MODIFIER_STATE_OUT_OF_GAME] = true, [MODIFIER_STATE_NOT_ON_MINIMAP] = true, [MODIFIER_STATE_INVULNERABLE] = true, [MODIFIER_STATE_UNSELECTABLE] = true, [MODIFIER_STATE_UNTARGETABLE] = true, [MODIFIER_STATE_ATTACK_IMMUNE] = true, [MODIFIER_STATE_NO_HEALTH_BAR] = true, --[MODIFIER_STATE_NO_UNIT_COLLISION] = true, } return state end function modifier_dummy:IsHidden() return true end function modifier_dummy:IsPurgable() return false end function modifier_dummy:IsPurgeException() return false end function modifier_dummy:IsStunDebuff() return false end function modifier_dummy:IsDebuff() return false end
--[[ This file represents an interface to the WinSock2 networking interfaces of the Windows OS. The functions can be found in the .dll: ws2_32.dll --]] -- WinTypes.h -- WinBase.h -- mstcpip.h -- ws2_32.dll -- inaddr.h -- in6addr.h -- ws2tcpip.h -- ws2def.h -- winsock2.h local ffi = require "ffi" local bit = require "bit" local lshift = bit.lshift local rshift = bit.rshift local band = bit.band local bor = bit.bor local bnot = bit.bnot local bswap = bit.bswap local ws2_32 = require ("ws2_32"); function LOWBYTE(word) return band(word, 0xff) end function HIGHBYTE(word) return band(rshift(word,8), 0xff) end ffi.cdef[[ enum { IP_DEFAULT_MULTICAST_TTL = 1, /* normally limit m'casts to 1 hop */ IP_DEFAULT_MULTICAST_LOOP = 1, /* normally hear sends if a member */ IP_MAX_MEMBERSHIPS = 20, /* per socket; must fit in one mbuf */ }; // Options for connect and disconnect data and options. Used only by // non-TCP/IP transports such as DECNet, OSI TP4, etc. enum { SO_CONNDATA = 0x7000, SO_CONNOPT = 0x7001, SO_DISCDATA = 0x7002, SO_DISCOPT = 0x7003, SO_CONNDATALEN = 0x7004, SO_CONNOPTLEN = 0x7005, SO_DISCDATALEN = 0x7006, SO_DISCOPTLEN = 0x7007, }; /* * Option for opening sockets for synchronous access. */ enum { SO_OPENTYPE = 0x7008, SO_SYNCHRONOUS_ALERT = 0x10, SO_SYNCHRONOUS_NONALERT = 0x20, }; /* * Other NT-specific options. */ enum { SO_MAXDG = 0x7009, SO_MAXPATHDG = 0x700A, SO_UPDATE_ACCEPT_CONTEXT = 0x700B, SO_CONNECT_TIME = 0x700C, }; /* * WinSock 2 extension -- new options */ enum { SO_GROUP_ID = 0x2001, /* ID of a socket group */ SO_GROUP_PRIORITY = 0x2002, /* the relative priority within a group*/ SO_MAX_MSG_SIZE = 0x2003, /* maximum message size */ SO_PROTOCOL_INFOA = 0x2004, /* WSAPROTOCOL_INFOA structure */ SO_PROTOCOL_INFOW = 0x2005, /* WSAPROTOCOL_INFOW structure */ SO_PROTOCOL_INFO = SO_PROTOCOL_INFOW, PVD_CONFIG = 0x3001, /* configuration info for service provider */ SO_CONDITIONAL_ACCEPT = 0x3002, /* enable true conditional accept: */ /* connection is not ack-ed to the */ /* other side until conditional */ /* function returns CF_ACCEPT */ }; /* * Maximum queue length specifiable by listen. */ enum { SOMAXCONN = 0x7fffffff, }; enum { MSG_OOB = 0x0001, /* process out-of-band data */ MSG_PEEK = 0x0002, /* peek at incoming message */ MSG_DONTROUTE = 0x0004, /* send without using routing tables */ MSG_WAITALL = 0x0008, /* do not complete until packet is completely filled */ MSG_PARTIAL = 0x8000, /* partial send or recv for message xport */ MSG_INTERRUPT = 0x10, /* send/recv in the interrupt context */ MSG_MAXIOVLEN = 16, }; /* * Define constant based on rfc883, used by gethostbyxxxx() calls. */ enum { MAXGETHOSTSTRUCT = 1024, }; ]] ffi.cdef[[ typedef int SERVICETYPE; typedef struct _flowspec { ULONG TokenRate; ULONG TokenBucketSize; ULONG PeakBandwidth; ULONG Latency; ULONG DelayVariation; SERVICETYPE ServiceType; ULONG MaxSduSize; ULONG MinimumPolicedSize; } FLOWSPEC, *PFLOWSPEC, *LPFLOWSPEC; typedef struct _QualityOfService { FLOWSPEC SendingFlowspec; FLOWSPEC ReceivingFlowspec; WSABUF ProviderSpecific; } QOS, *LPQOS; ]] ffi.cdef[[ typedef int (* LPCONDITIONPROC)( LPWSABUF lpCallerId, LPWSABUF lpCallerData, LPQOS lpSQOS, LPQOS lpGQOS, LPWSABUF lpCalleeId, LPWSABUF lpCalleeData, int * g, DWORD_PTR dwCallbackData ); ]] ffi.cdef[[ int GetNameInfoA(const struct sockaddr * sa, DWORD salen, char * host, DWORD hostlen, char * serv,DWORD servlen,int flags); ]] local FD_CLR = function(fd, set) --[[ local __i; for (__i = 0; __i < ((fd_set FAR *)(set))->fd_count ; __i++) { if (((fd_set FAR *)(set))->fd_array[__i] == fd) { while (__i < ((fd_set FAR *)(set))->fd_count-1) { ((fd_set FAR *)(set))->fd_array[__i] = ((fd_set FAR *)(set))->fd_array[__i+1]; __i++; } ((fd_set FAR *)(set))->fd_count--; break; } } --]] end local FD_SET = function(fd, set) local __i = 0; while (__i < set.fd_count) do if (set.fd_array[__i] == fd) then break; end i = i + 1; end if (__i == set.fd_count) then if (set.fd_count < ffi.C.FD_SETSIZE) then set.fd_array[__i] = fd; set.fd_count = set.fd_count + 1; end end end local FD_ZERO = function(set) set.fd_count = 0 return true end local FD_ISSET = function(fd, set) return ws2_32.__WSAFDIsSet(fd, set); end return { FD_CLEAR = FD_CLEAR, FD_SET = FD_SET, FD_ZERO = FD_ZERO, FD_ISSET = FD_ISSET, }
require "turbo.3rdparty.middleclass.middleclass"