content
stringlengths
5
1.05M
local domains = require("sample_domains") write_result("domain, ip, error") for _, domain in pairs(domains) do log("Looking up " .. domain) address, err = dns_lookup(domain) if err then log("Error looking up " .. domain .. ": " .. err) write_result(domain .. ",, " .. err) else write_result(domain .. ", " .. address .. ",") end end
-- 业务路由管理 local userRouter = require("app.routes.user") return function(app) -- simple router: hello world! app:get("/hello", function(req, res, next) res:send("hi! welcome to lor framework.") end) -- simple router: render html, visit "/" or "/?name=foo&desc=bar app:get("/", function(req, res, next) local data = { name = req.query.name or "lor", desc = req.query.desc or 'a framework of lua based on OpenResty' } res:render("index", data) end) -- group router: 对以`/user`开始的请求做过滤处理 app:use("/user", userRouter()) end
items = {1,2,3,4,1,2,3,4,"bird","cat","dog","dog","bird"} flags = {} io.write('Unique items are:') for i=1,#items do if not flags[items[i]] then io.write(' ' .. items[i]) flags[items[i]] = true end end io.write('\n')
require 'Snake' require 'Fruit' push = require 'push' VIRTUAL_WIDTH = 960 VIRTUAL_HEIGHT= 540 WINDOW_WIDTH = 1280 WINDOW_HEIGHT = 720 function love.load() -- Set the window title to Snake love.window.setTitle('Snake') -- Pixelated filter love.graphics.setDefaultFilter('nearest', 'nearest') -- Set the window config -- love.window.setMode(WINDOW_WIDTH, WINDOW_HEIGHT, { -- fullscreen = false, -- resizable = false, -- vsync = true -- }) push:setupScreen(VIRTUAL_WIDTH, VIRTUAL_HEIGHT, WINDOW_WIDTH, WINDOW_HEIGHT, { fullscreen = false, resizable = true, vsync = true }) -- Set fonts smallFont = love.graphics.newFont('assets/retro-gaming.ttf', 20) largeFont = love.graphics.newFont('assets/retro-gaming.ttf', 40) -- Load audios hit = love.audio.newSource('assets/hit.wav', 'static') collect = love.audio.newSource('assets/collect.wav', 'static') hit:setVolume(0.3) collect:setVolume(0.3) -- Use OS time to generate random numbers math.randomseed(os.time()) -- Size variable for every block in the screen BLOCK_SIZE = 20 -- Create snake variables createSnake() -- Create fruit variables createFruit() -- Time to control frame update timer = 0 updateRate = 0.12 -- Game state control gameState = 'start' -- Store game score score = 0 end function love.resize(width, height) push:resize(width, height) end function love.keypressed(key) if key == 'escape' then love.event.quit() end if key == 'return' or key == 'enter' then if gameState == 'start' then gameState = 'play' elseif gameState == 'play' then gameState = 'pause' elseif gameState == 'pause' then gameState = 'play' elseif gameState == 'done' then gameState = 'play' createSnake() createFruit() score = 0 updateRate = 0.12 end end end function love.update(dt) -- Save the timer timer = timer + dt if gameState == 'play' then if love.keyboard.isDown('up') then -- If user press the up key, snake goes up intSnakeDX = 0 intSnakeDY = -BLOCK_SIZE elseif love.keyboard.isDown('down') then -- If user press the down key, snake goes down intSnakeDX = 0 intSnakeDY = BLOCK_SIZE elseif love.keyboard.isDown('left') then -- If user press the left key, snake goes left intSnakeDX = -BLOCK_SIZE intSnakeDY = 0 elseif love.keyboard.isDown('right') then -- If user press the right key, snake goes right intSnakeDX = BLOCK_SIZE intSnakeDY = 0 end -- Updates when timer is greater than o equal to update rate seconds if timer >= updateRate then timer = 0 -- Updates the snake's position snake:update(intSnakeDX, intSnakeDY) -- Eat fruit if snake:collides(fruit) then -- Snake grows snake:grow() -- Fruit is reset createFruit() -- Add 1 to the score score = score + 1 -- Remove 0.001 second from update rate -- with 0.08 second being the max value updateRate = math.max(updateRate - 0.001, 0.08) -- Play collect audio collect:play() end if snake:hitWall() or snake:isAt(snake.x, snake.y, 2) then -- Snake hits left wall gameState = 'done' -- Play hit audio hit:play() else -- Move the snake, only if it hasn't collide snake:move() end end end end function love.draw() push:start() -- Clear screen love.graphics.clear(34 / 255, 34 / 255, 34 / 255) if gameState == 'play' then -- Display game screen displayGameScreen() elseif gameState == 'pause' then -- Display pause screen displayPauseScreen() elseif gameState == 'start' then -- Display start screen displayStartScreen() elseif gameState == 'done' then -- Display end game screen displayEndGameScreen() end push:finish() end function createSnake() local pos = getRandomPosition() -- Intended velocity to respect the timer update intSnakeDX = 0 intSnakeDY = 0 -- Create snake instance snake = Snake:new(pos['x'], pos['y']) end function createFruit() repeat local pos = getRandomPosition() fruit = Fruit:new(pos['x'], pos['y']) until( not snake:isAt(fruit.x, fruit.y, 1) ) end function getRandomPosition() local randomX = math.random(0, VIRTUAL_WIDTH) local randomY = math.random(0, VIRTUAL_HEIGHT) return { x = randomX - (randomX % BLOCK_SIZE), y = randomY - (randomY % BLOCK_SIZE) } end function displayScore() love.graphics.setFont(smallFont) love.graphics.setColor(87 / 255, 178 / 255, 124 / 255) love.graphics.print('Score: ' .. score, BLOCK_SIZE, BLOCK_SIZE) end function displayGameScreen() -- Render Fruit fruit:render() -- Render Snake snake:render() -- Display score displayScore() end function displayPauseScreen() love.graphics.setFont(largeFont) love.graphics.setColor(87 / 255, 178 / 255, 124 / 255) love.graphics.printf('Game paused', 0, (VIRTUAL_HEIGHT / 2) - 20, VIRTUAL_WIDTH, 'center') end function displayStartScreen() love.graphics.setFont(largeFont) love.graphics.setColor(87 / 255, 178 / 255, 124 / 255) love.graphics.printf('Welcome to Snake', 0, (VIRTUAL_HEIGHT / 2) - 60, VIRTUAL_WIDTH, 'center') love.graphics.setFont(smallFont) love.graphics.printf('Press [enter] to play!', 0, (VIRTUAL_HEIGHT / 2) + 10, VIRTUAL_WIDTH, 'center') end function displayEndGameScreen() love.graphics.setFont(largeFont) love.graphics.setColor(87 / 255, 178 / 255, 124 / 255) love.graphics.printf('You\'ve scored: ' .. score, 0, (VIRTUAL_HEIGHT / 2) - 60, VIRTUAL_WIDTH, 'center') love.graphics.setFont(smallFont) love.graphics.printf('Press [enter] to play again!', 0, (VIRTUAL_HEIGHT / 2) + 10, VIRTUAL_WIDTH, 'center') end
-- radyjko by Neyo ! :D addEventHandler ( "onVehicleEnter", root, function(plr,lel,...) local veh = getPedOccupiedVehicle(plr) local id = getElementData(veh,"vehicle:id") if not id then return end outputChatBox("* Aby dodać stacje radiowe wpisz /radio.", plr) outputChatBox("* Aby wybrać stacje radiowe użyj scrolla.", plr) setElementData(veh,"ostatni:kierowca",getPlayerName(plr)) end) --[[addEventHandler ( "onVehicleStartEnter", root, function(plr,lel,...) if getElementData(plr,"player:license:pjB") ~= 1 then outputChatBox("* Nie posiadasz prawa jazdy zdaj je w urzędzie!", plr, 255, 0, 0) cancelEvent() return end end)--]]
----------------- local radius = 20 Interface:create_slider('houses', 0, 100, 1, 22) Interface:create_slider('people', 10, 1000, 1, 25) -- In tick 0, all the agents are in the center of the grid, so we only have to divide 360º by -- the number of agents to obtain the degrees of separation between agents (step). -- Once this value is obtained, we iterate over the agents. Each agent turns a number of degrees -- equals to "degrees" variable and increment the value of "degrees" with "step". local function layout_circle(collection, radius) local step = 2*math.pi / collection.count local angle = 0 for _,ag in pairs(collection.agents) do ag:lt(angle) ag:fd(radius) angle = angle + step end end SETUP = function() -- clear('all') Simulation:reset() declare_FamilyMobile('Houses') for i=1,Interface:get_value("houses") do local tree_or_house = one_of {"house", "tree"} Houses:new({ ['pos'] = {0,0} , ['shape'] = tree_or_house , ['color'] = tree_or_house == "house" and {0,0,1,1} or {0,1,0,1} , ['scale'] = 3 }) end layout_circle(Houses, radius) declare_FamilyMobile('People') for i=1,Interface:get_value("people") do People:new({ ['pos'] = {math.random(-radius,radius),math.random(-radius,radius)} , ['shape'] = "person" , ['speed'] = math.random() }) end for _, pers in pairs(People.agents) do local house = one_of(Houses) pers:face(house) pers.next_house = house end end STEP = function() for _, pers in pairs(People.agents) do if pers:dist_euc_to(pers.next_house) <= pers.speed then pers.current_house = pers.next_house pers.next_house = one_of(Houses:others(pers.current_house)) pers:face(pers.next_house) end pers:fd(pers.speed) end end
return require "snownet.profile"
-- Remove file res = file.open("test.lua", "w"); while true do if(res == false) then print("Open file failed"); break; end file.close(); file.remove("test.lua"); -- remove file break; end
--[[ This file was extracted by 'EsoLuaGenerator' at '2021-09-04 16:42:27' using the latest game version. NOTE: This file should only be used as IDE support; it should NOT be distributed with addons! **************************************************************************** CONTENTS OF THIS FILE IS COPYRIGHT ZENIMAX MEDIA INC. **************************************************************************** ]] -- respec shrine interaction info ZO_SKILL_RESPEC_INTERACT_INFO = { type = "Skill Respec Shrine", OnInteractSwitch = function() internalassert(false, "OnInteractSwitch is being called.") SCENE_MANAGER:ShowBaseScene() end, interactTypes = { INTERACTION_SKILL_RESPEC }, } ZO_SceneManager_Leader.AddBypassHideSceneConfirmationReason("SKILLS_PLAYER_DEACTIVATED") -- Skill XP bars do local function OnXpBarLevelChanged(xpBar, level) xpBar:GetControl():GetParent().rank:SetText(level) end function ZO_Skills_SkillLineInfo_Shared_OnInitialized(control) control.name = control:GetNamedChild("Name") control.rank = control:GetNamedChild("Rank") control.xpBar = ZO_WrappingStatusBar:New(control:GetNamedChild("XPBar"), OnXpBarLevelChanged) local statusBarControl = control.xpBar:GetControl() ZO_StatusBar_SetGradientColor(statusBarControl, ZO_SKILL_XP_BAR_GRADIENT_COLORS) control.glowContainer = statusBarControl:GetNamedChild("GlowContainer") end end function ZO_SkillInfoXPBar_SetValue(xpBar, level, lastRankXP, nextRankXP, currentXP, noWrap) local maxed = nextRankXP == 0 or nextRankXP == lastRankXP if maxed then xpBar:SetValue(level, 1, 1, noWrap) else xpBar:SetValue(level, currentXP - lastRankXP, nextRankXP - lastRankXP, noWrap) end end function ZO_Skills_TieSkillInfoHeaderToCraftingSkill(skillInfoHeaderControl, craftingSkillType) local name = skillInfoHeaderControl.name local xpBar = skillInfoHeaderControl.xpBar local rank = skillInfoHeaderControl.rank local glowContainer = skillInfoHeaderControl.glowContainer skillInfoHeaderControl.increaseAnimation = skillInfoHeaderControl.increaseAnimation or ANIMATION_MANAGER:CreateTimelineFromVirtual("SkillIncreasedBarAnimation", glowContainer) local hadUpdateWhileCrafting = false skillInfoHeaderControl.updateSkillInfoHeaderCallback = function(skillLineData) local craftingSkillLineData = SKILLS_DATA_MANAGER:GetCraftingSkillLineData(craftingSkillType) if not skillLineData or skillLineData == craftingSkillLineData then if ZO_CraftingUtils_IsPerformingCraftProcess() then hadUpdateWhileCrafting = true else if craftingSkillLineData == nil then local isSettingTemplate = IsSettingTemplate() and "true" or "false" local numTradeSkillLinesInC = GetNumSkillLines(SKILL_TYPE_TRADESKILL) local message = string.format("CraftingType yielded no skill line data. Is Setting Template - %s; Num Trade Skill Lines in C - %d", isSettingTemplate, numTradeSkillLinesInC) internalassert(false, message) end local lineRank = craftingSkillLineData:GetCurrentRank() local lastXP, nextXP, currentXP = craftingSkillLineData:GetRankXPValues() name:SetText(craftingSkillLineData:GetFormattedName()) local lastRank = rank.lineRank rank.lineRank = lineRank xpBar:GetControl().skillLineData = craftingSkillLineData if skillLineData or hadUpdateWhileCrafting then skillInfoHeaderControl.increaseAnimation:PlayFromStart() end ZO_SkillInfoXPBar_SetValue(xpBar, lineRank, lastXP, nextXP, currentXP, skillLineData == nil and not hadUpdateWhileCrafting) end if SkillTooltip:GetOwner() == xpBar:GetControl() then ZO_SkillInfoXPBar_OnMouseEnter(xpBar:GetControl()) end end SKILLS_DATA_MANAGER:UnregisterCallback("FullSystemUpdated", skillInfoHeaderControl.updateSkillInfoHeaderCallback) end SKILLS_DATA_MANAGER:RegisterCallback("SkillLineUpdated", skillInfoHeaderControl.updateSkillInfoHeaderCallback) skillInfoHeaderControl.craftingAnimationsStoppedCallback = function() if hadUpdateWhileCrafting then skillInfoHeaderControl.updateSkillInfoHeaderCallback() hadUpdateWhileCrafting = false end end CALLBACK_MANAGER:RegisterCallback("CraftingAnimationsStopped", skillInfoHeaderControl.craftingAnimationsStoppedCallback) if SKILLS_DATA_MANAGER:IsDataReady() then skillInfoHeaderControl.updateSkillInfoHeaderCallback() else SKILLS_DATA_MANAGER:RegisterCallback("FullSystemUpdated", skillInfoHeaderControl.updateSkillInfoHeaderCallback) end end function ZO_Skills_UntieSkillInfoHeaderToCraftingSkill(skillInfoHeaderControl) SKILLS_DATA_MANAGER:UnregisterCallback("SkillLineUpdated", skillInfoHeaderControl.updateSkillInfoHeaderCallback) SKILLS_DATA_MANAGER:UnregisterCallback("FullSystemUpdated", skillInfoHeaderControl.updateSkillInfoHeaderCallback) CALLBACK_MANAGER:UnregisterCallback("CraftingAnimationsStopped", skillInfoHeaderControl.craftingAnimationsStoppedCallback) skillInfoHeaderControl.craftingAnimationsStoppedCallback = nil end
AddCSLuaFile() SWEP.PrintName = "Имперский стальной двуручный меч" SWEP.Slot = 2 SWEP.SlotPos = 1 SWEP.DrawAmmo = false SWEP.DrawCrosshair = false SWEP.Category = "WitcherRP" SWEP.Author = "" SWEP.Base = "nut_claymore_base" SWEP.Instructions = "" SWEP.Contact = "" SWEP.Purpose = "" SWEP.ViewModelFOV = 72 SWEP.ViewModelFlip = false SWEP.Spawnable = true SWEP.AdminSpawnable = true SWEP.ViewModel = "models/morrowind/steel/claymore/v_steel_claymore.mdl" SWEP.WorldModel = "models/morrowind/steel/claymore/w_steel_claymore.mdl" SWEP.Primary.NumShots = 0 SWEP.Primary.Delay = 1.5 SWEP.Primary.ClipSize = -1 // Size of a clip SWEP.Primary.DefaultClip = -1 // Default number of bullets in a clip SWEP.Primary.Automatic = false // Automatic/Semi Auto SWEP.Primary.Ammo = "none" SWEP.Secondary.ClipSize = -1 // Size of a clip SWEP.Secondary.DefaultClip = -1 // Default number of bullets in a clip SWEP.Secondary.Automatic = false // Automatic/Semi Auto SWEP.Secondary.Ammo = "none" function SWEP:PrimaryAttack() local trace = self.Owner:GetEyeTrace() local value = self.Owner:getLocalVar("stm", 0) - 45 if (value <= 0) then return end if (SERVER) then self.Owner:setLocalVar("stm", value) self.Owner:getChar():updateAttrib("str", 0.001) end self:SetNextPrimaryFire(CurTime() + self.Primary.Delay) self:SetNextSecondaryFire(CurTime() + self.Primary.Delay) if !self.Owner then return end self.Owner:SetAnimation( PLAYER_ATTACK1 ) self.Weapon:SendWeaponAnim( ACT_VM_HITCENTER ) local trace = self.Owner:GetEyeTrace() if trace.HitPos:Distance(self.Owner:GetShootPos()) <= 100 then if( trace.Entity:IsPlayer() or trace.Entity:IsNPC() or trace.Entity:GetClass()=="prop_ragdoll" ) then self.Owner:EmitSound( self.FleshHit[math.random(1,#self.FleshHit)] ) else self.Owner:EmitSound( self.Hit[math.random(1,#self.Hit)] ) end local skill = self.Owner:getChar():getAttrib("str") bullet = {} bullet.Num = 1 bullet.Src = self.Owner:GetShootPos() bullet.Dir = self.Owner:GetAimVector() bullet.Spread = Vector(0, 0, 0) bullet.Tracer = 0 bullet.Force = 1 bullet.Damage = math.random(30, 40) self.Owner:FireBullets(bullet) self.Owner:ViewPunch(Angle(7, 0, 0)) else self.Weapon:EmitSound("weapons/claymore/morrowind_claymore_slash.wav") end end
return require("null-ls.builtins").code_actions.eslint.with({ name = "eslint_d", command = "eslint_d", meta = { url = "https://github.com/mantoni/eslint_d.js", description = "Injects actions to fix ESLint issues or ignore broken rules. Like ESLint, but faster.", }, })
--|> SIMPLEX | Easy-to-use interaction system <|-- -- ShutoExpressway -- Registers global variables for the server. -- Side note: _G IS NOT BAD IN MOST CASES WeirdChamp local ReplicatedStorage = game:GetService("ReplicatedStorage") local ServerStorage = game:GetService("ServerStorage") local SIMPLEX_FOLDERS = { shared = ReplicatedStorage:WaitForChild("Simplex"), server = ServerStorage:WaitForChild("Simplex") } local DEBUG_ENABLED = true local HOOK_NAME = "Hook" local Simplex = { Shared = {}, Server = {}, } _G.Simplex = Simplex local function parseDebugString(...) return ("$Simplex:%s -> %s"):format(getfenv(3).script.Name, tostring(...)) end function Simplex.Debug(_, msgType, ...) if not DEBUG_ENABLED then return end local parsed = parseDebugString(...) if msgType then if msgType:lower() == "error" then error(parsed) return elseif msgType:lower() == "warn" then warn(parsed) return end end print(parsed) end function Simplex.GetHook(self, name) local callback = self.Callbacks:FindFirstChild(name) if callback then local hook = callback:FindFirstChild(HOOK_NAME) if hook then return require(hook) end end end local function initializeEnvironment(name) local _, err = pcall(function() for _, resource in ipairs(SIMPLEX_FOLDERS[name:lower()]:GetChildren()) do coroutine.wrap(function() if resource:IsA("ModuleScript") then local requiredResource = require(resource) Simplex[name][resource.Name] = requiredResource end end)() end end) if not err then Simplex:Debug(nil, "Successfully registered resources: args[1]:"..name) else Simplex:Debug("warn", ("An error occurred while registering resources:\n%s"):format(err)) end end local function initializeAll() local function init(obj) for str, object in pairs(obj) do if type(object) == "table" and str ~= "Server" and str ~= "Shared" then if type(object.Init) == "function" then object:Init(Simplex) end else init(object) end end end init(Simplex.Server) init(Simplex.Shared) end local interactives = {} local function registerInteractives() local folder = SIMPLEX_FOLDERS.shared.Interactives for _, module in ipairs(folder:GetChildren()) do if module:IsA("ModuleScript") then local required = require(module) interactives[module.Name] = required end end Simplex:Debug(nil, "Registered shared interactives") end initializeEnvironment("Shared") initializeEnvironment("Server") registerInteractives() _G.Simplex.Core = Simplex.Server.SimplexCore _G.Simplex.Callbacks = SIMPLEX_FOLDERS.server.ServerCallbacks _G.Simplex.Interactives = interactives initializeAll()
object_tangible_npe_npe_sign_hangar_1 = object_tangible_npe_shared_npe_sign_hangar_1:new { } ObjectTemplates:addTemplate(object_tangible_npe_npe_sign_hangar_1, "object/tangible/npe/npe_sign_hangar_1.iff")
--[[ © 2021 Tony Ferguson, do not share, re-distribute or modify without permission of its author ( devultj@gmail.com - Tony Ferguson, http://www.tferguson.co.uk/ ) ]] dHeists.cctv = dHeists.cctv or {} util.AddNetworkString( "dHeists_ViewCCTV" ) function dHeists.cctv.viewCCTV( player, entity ) if player:GetPos():Distance( entity:GetPos() ) > 256 then return end net.Start( "dHeists_ViewCCTV" ) net.WriteEntity( entity ) net.Send( player ) player.ViewingCCTV = true end net.Receive( "dHeists_ViewCCTV", function( _, player ) player.ViewingCCTV = nil end ) hook.Add( "SetupPlayerVisibility", "dHeists_RenderCCTV", function( player ) -- Adds any view entity if player.ViewingCCTV then for _, zone in pairs( dHeists.zones.zones ) do AddOriginToPVS( zone.origin ) end end end )
local function matrix_multiply(a, b) if a.matrix_width ~= b.matrix_height then error("invalid matrix sizes", 2) end local m = {} m.matrix_height = a.matrix_height m.matrix_width = b.matrix_width for y=0,a.matrix_height-1 do for x=0,b.matrix_width-1 do local sum = 0 for i=0,a.matrix_width-1 do sum = sum + a[y*a.matrix_width+i+1]*b[i*b.matrix_width+x+1] end m[y*b.matrix_width+x+1] = sum end end return m end local function attacher(self,matrice) return setmetatable(matrix_multiply(self,matrice),{ __mul=attacher, }) end local function matrix(N, M, ...) local m = { ... } m.matrix_width = N m.matrix_height = M return setmetatable(m,{__mul = attacher}) end local function vector(...) local m = { ... } return matrix(#m, 1, ...) end return { create=matrix, matrix_multiply, }
-- Copyright (c) 2021 Trevor Redfern -- -- This software is released under the MIT License. -- https://opensource.org/licenses/MIT return function(set, func) if func == nil then return #set end local c = 0 for _, v in ipairs(set) do if func(v) then c = c + 1 end end return c end
--鬼屠夫 local m=14010028 local cm=_G["c"..m] function cm.initial_effect(c) --SpecialSummon local e1=Effect.CreateEffect(c) e1:SetDescription(aux.Stringid(m,0)) e1:SetCategory(CATEGORY_TOHAND+CATEGORY_SPECIAL_SUMMON) e1:SetType(EFFECT_TYPE_IGNITION) e1:SetProperty(EFFECT_FLAG_CARD_TARGET) e1:SetRange(LOCATION_HAND) e1:SetCountLimit(1,m) e1:SetTarget(cm.sptg) e1:SetOperation(cm.spop) c:RegisterEffect(e1) end function cm.thfilter(c) return c:IsFaceup() and c:IsAbleToHand() end function cm.sptg(e,tp,eg,ep,ev,re,r,rp,chk,chkc) if chkc then return chkc:IsLocation(LOCATION_MZONE) and chkc:IsControler(1-tp) and chkc:IsAbleToHand() end if chk==0 then return Duel.IsExistingTarget(cm.thfilter,tp,0,LOCATION_MZONE,1,nil) and e:GetHandler():IsCanBeSpecialSummoned(e,0,tp,false,false) and Duel.GetLocationCount(tp,LOCATION_MZONE)>0 end Duel.Hint(HINT_SELECTMSG,tp,HINTMSG_RTOHAND) local g=Duel.SelectTarget(tp,cm.thfilter,tp,0,LOCATION_MZONE,1,1,nil) Duel.SetOperationInfo(0,CATEGORY_TOHAND,g,1,0,0) Duel.SetOperationInfo(0,CATEGORY_SPECIAL_SUMMON,e:GetHandler(),1,0,0) end function cm.spop(e,tp,eg,ep,ev,re,r,rp) local c=e:GetHandler() if not c:IsRelateToEffect(e) then return end local tc=Duel.GetFirstTarget() if Duel.IsChainDisablable(0) then if tc:IsRelateToEffect(e) and tc:IsAbleToHand() and Duel.SelectYesNo(1-tp,aux.Stringid(m,1)) then Duel.SendtoHand(tc,nil,REASON_EFFECT) Duel.NegateEffect(0) return end end Duel.SpecialSummon(c,0,tp,tp,false,false,POS_FACEUP) end
local Position = {} Position.new = function() local self = Position return self end Position.init = function(self, bin, display) self.bin = bin self.display = display end Position.movePosition = function(self, parameter) local resultMovePosition = self.bin.window:movePosition(parameter) if not self.bin.window.position.base:isAfterMovingPosition(resultMovePosition, parameter) then return resultMovePosition end return resultMovePosition, self.display:moveDisplay({direction = self.bin.window.position.base:findMoveDisplayDirection(parameter)}) end return Position
--[[ TheNexusAvenger Tests for VRSurfaceGui. --]] local NexusUnitTesting = require("NexusUnitTesting") local NexusVRCore = require(game:GetService("ReplicatedStorage"):WaitForChild("NexusVRCore")) local NexusWrappedInstance = NexusVRCore:GetResource("NexusWrappedInstance") local VRSurfaceGui = NexusVRCore:GetResource("Container.VRSurfaceGui") local VRSurfaceGuiTest = NexusUnitTesting.UnitTest:Extend() --[[ Sets up the test. --]] function VRSurfaceGuiTest:Setup() self.CuT = VRSurfaceGui.new() self.CuT.CanvasSize = Vector2.new(800,600) end --[[ Tears down the test. --]] function VRSurfaceGuiTest:Teardown() if self.CuT then self.CuT:Destroy() end end --[[ Tests the GetVisibleFrames method. --]] NexusUnitTesting:RegisterUnitTest(VRSurfaceGuiTest.new("GetVisibleFrames"):SetRun(function(self) --Add several visible frames. local Frame1 = NexusWrappedInstance.new("Frame") Frame1.Parent = self.CuT local Frame2 = NexusWrappedInstance.new("Frame") Frame2.Parent = Frame1 local Frame3 = NexusWrappedInstance.new("Frame") Frame3.Parent = Frame2 local Frame4 = NexusWrappedInstance.new("Frame") Frame4.Parent = Frame1 local Frame5 = NexusWrappedInstance.new("Frame") Frame5.Parent = self.CuT --Assert the total returned frames are correct. self:AssertEquals(#self.CuT:GetVisibleFrames(),5,"Total hidden frames is incorrect.") Frame1.Visible = false self:AssertEquals(#self.CuT:GetVisibleFrames(),1,"Total hidden frames is incorrect.") Frame1.Visible = true Frame2.Visible = false self:AssertEquals(#self.CuT:GetVisibleFrames(),3,"Total hidden frames is incorrect.") Frame2.Visible = true Frame3.Visible = false self:AssertEquals(#self.CuT:GetVisibleFrames(),4,"Total hidden frames is incorrect.") Frame3.Visible = true Frame4.Visible = false self:AssertEquals(#self.CuT:GetVisibleFrames(),4,"Total hidden frames is incorrect.") Frame4.Visible = true Frame5.Visible = false self:AssertEquals(#self.CuT:GetVisibleFrames(),4,"Total hidden frames is incorrect.") Frame1.Visible = false Frame2.Visible = false Frame3.Visible = false Frame4.Visible = false self:AssertEquals(#self.CuT:GetVisibleFrames(),0,"Total hidden frames is incorrect.") end)) --[[ Tests the UpdateEvents method. --]] NexusUnitTesting:RegisterUnitTest(VRSurfaceGuiTest.new("UpdateEvents"):SetRun(function(self) --Add a frame and button. local Frame = NexusWrappedInstance.new("Frame") Frame.Size = UDim2.new(0,400,0,300) Frame.Position = UDim2.new(0,100,0,100) Frame.Parent = self.CuT local TextButton = NexusWrappedInstance.new("TextButton") TextButton.Size = UDim2.new(0,300,0,200) TextButton.Position = UDim2.new(0,400,0,300) TextButton.Parent = self.CuT --Connect the inputs. local FrameMouseEnterEvents,FrameMouseMovedEvents,FrameMouseLeaveEvents,FrameInputBeganEvents,FrameInputChangedEvents,FrameInputEndedEvents = {},{},{},{},{},{} local MouseButton1DownEvents,MouseButton1UpEvents,MouseButton1ClickEvents = {},{},{} Frame.MouseEnter:Connect(function(...) table.insert(FrameMouseEnterEvents,{...}) end) Frame.MouseMoved:Connect(function(...) table.insert(FrameMouseMovedEvents,{...}) end) Frame.MouseLeave:Connect(function(...) table.insert(FrameMouseLeaveEvents,{...}) end) Frame.InputBegan:Connect(function(Input) table.insert(FrameInputBeganEvents,Input.UserInputType) end) Frame.InputChanged:Connect(function(Input) table.insert(FrameInputChangedEvents,Input.UserInputType) end) Frame.InputEnded:Connect(function(Input) table.insert(FrameInputEndedEvents,Input.UserInputType) end) TextButton.MouseButton1Down:Connect(function(...) table.insert(MouseButton1DownEvents,{...}) end) TextButton.MouseButton1Up:Connect(function(...) table.insert(MouseButton1UpEvents,{...}) end) TextButton.MouseButton1Click:Connect(function(...) table.insert(MouseButton1ClickEvents,{...}) end) --Update the inputs only over the frame and assert they are correct. self.CuT:UpdateEvents({Vector3.new(0.25,0.25,0)}) wait() self:AssertEquals(FrameMouseEnterEvents,{{200,150}},"Frame MouseEnter events incorrect.") self:AssertEquals(FrameMouseMovedEvents,{{200,150}},"Frame MouseMoved events incorrect.") self:AssertEquals(FrameMouseLeaveEvents,{},"Frame MouseLeave events incorrect.") self:AssertEquals(FrameInputBeganEvents,{},"Frame InputBegan events incorrect.") self:AssertEquals(FrameInputChangedEvents,{Enum.UserInputType.MouseMovement},"Frame InputChanged events incorrect.") self:AssertEquals(FrameInputEndedEvents,{},"Frame InputEnded events incorrect.") self.CuT:UpdateEvents({Vector3.new(0.25,0.5,0.6)}) wait() self:AssertEquals(FrameMouseEnterEvents,{{200,150}},"Frame MouseEnter events incorrect.") self:AssertEquals(FrameMouseMovedEvents,{{200,150},{200,300}},"Frame MouseMoved events incorrect.") self:AssertEquals(FrameMouseLeaveEvents,{},"Frame MouseLeave events incorrect.") self:AssertEquals(FrameInputBeganEvents,{},"Frame InputBegan events incorrect.") self:AssertEquals(FrameInputChangedEvents,{Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement},"Frame InputChanged events incorrect.") self:AssertEquals(FrameInputEndedEvents,{},"Frame InputEnded events incorrect.") self.CuT:UpdateEvents({Vector3.new(0.25,0.5,0.9)}) wait() self:AssertEquals(FrameMouseEnterEvents,{{200,150}},"Frame MouseEnter events incorrect.") self:AssertEquals(FrameMouseMovedEvents,{{200,150},{200,300},{200,300}},"Frame MouseMoved events incorrect.") self:AssertEquals(FrameMouseLeaveEvents,{},"Frame MouseLeave events incorrect.") self:AssertEquals(FrameInputBeganEvents,{Enum.UserInputType.MouseButton1},"Frame InputBegan events incorrect.") self:AssertEquals(FrameInputChangedEvents,{Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement},"Frame InputChanged events incorrect.") self:AssertEquals(FrameInputEndedEvents,{},"Frame InputEnded events incorrect.") self.CuT:UpdateEvents({Vector3.new(0.25,0.5,0.95)}) wait() self:AssertEquals(FrameMouseEnterEvents,{{200,150}},"Frame MouseEnter events incorrect.") self:AssertEquals(FrameMouseMovedEvents,{{200,150},{200,300},{200,300},{200,300}},"Frame MouseMoved events incorrect.") self:AssertEquals(FrameMouseLeaveEvents,{},"Frame MouseLeave events incorrect.") self:AssertEquals(FrameInputBeganEvents,{Enum.UserInputType.MouseButton1},"Frame InputBegan events incorrect.") self:AssertEquals(FrameInputChangedEvents,{Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement},"Frame InputChanged events incorrect.") self:AssertEquals(FrameInputEndedEvents,{},"Frame InputEnded events incorrect.") self.CuT:UpdateEvents({Vector3.new(0.25,0.5,0.4)}) wait() self:AssertEquals(FrameMouseEnterEvents,{{200,150}},"Frame MouseEnter events incorrect.") self:AssertEquals(FrameMouseMovedEvents,{{200,150},{200,300},{200,300},{200,300},{200,300}},"Frame MouseMoved events incorrect.") self:AssertEquals(FrameMouseLeaveEvents,{},"Frame MouseLeave events incorrect.") self:AssertEquals(FrameInputBeganEvents,{Enum.UserInputType.MouseButton1},"Frame InputBegan events incorrect.") self:AssertEquals(FrameInputChangedEvents,{Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement},"Frame InputChanged events incorrect.") self:AssertEquals(FrameInputEndedEvents,{Enum.UserInputType.MouseButton1},"Frame InputEnded events incorrect.") self.CuT:UpdateEvents({Vector3.new(0.05,0.5,0)}) wait() self:AssertEquals(FrameMouseEnterEvents,{{200,150}},"Frame MouseEnter events incorrect.") self:AssertEquals(FrameMouseMovedEvents,{{200,150},{200,300},{200,300},{200,300},{200,300}},"Frame MouseMoved events incorrect.") self:AssertEquals(FrameMouseLeaveEvents,{{}},"Frame MouseLeave events incorrect.") self:AssertEquals(FrameInputBeganEvents,{Enum.UserInputType.MouseButton1},"Frame InputBegan events incorrect.") self:AssertEquals(FrameInputChangedEvents,{Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement},"Frame InputChanged events incorrect.") self:AssertEquals(FrameInputEndedEvents,{Enum.UserInputType.MouseButton1},"Frame InputEnded events incorrect.") --Update the inputs only over the button and assert they are correct. self.CuT:UpdateEvents({Vector3.new(0.75,0.75,0)}) wait() self:AssertEquals(MouseButton1DownEvents,{},"Button MouseButton1Down events incorrect.") self:AssertEquals(MouseButton1UpEvents,{},"Button MouseButton1Up events incorrect.") self:AssertEquals(MouseButton1ClickEvents,{},"Button MouseButton1Click events incorrect.") self.CuT:UpdateEvents({Vector3.new(0.75,0.75,0.4)}) wait() self:AssertEquals(MouseButton1DownEvents,{},"Button MouseButton1Down events incorrect.") self:AssertEquals(MouseButton1UpEvents,{},"Button MouseButton1Up events incorrect.") self:AssertEquals(MouseButton1ClickEvents,{},"Button MouseButton1Click events incorrect.") self.CuT:UpdateEvents({Vector3.new(0.75,0.75,0.9)}) wait() self:AssertEquals(MouseButton1DownEvents,{{600,450}},"Button MouseButton1Down events incorrect.") self:AssertEquals(MouseButton1UpEvents,{},"Button MouseButton1Up events incorrect.") self:AssertEquals(MouseButton1ClickEvents,{},"Button MouseButton1Click events incorrect.") self.CuT:UpdateEvents({Vector3.new(0.75,0.75,0.95)}) wait() self:AssertEquals(MouseButton1DownEvents,{{600,450}},"Button MouseButton1Down events incorrect.") self:AssertEquals(MouseButton1UpEvents,{},"Button MouseButton1Up events incorrect.") self:AssertEquals(MouseButton1ClickEvents,{},"Button MouseButton1Click events incorrect.") self.CuT:UpdateEvents({Vector3.new(0.75,0.5,0.2)}) wait() self:AssertEquals(MouseButton1DownEvents,{{600,450}},"Button MouseButton1Down events incorrect.") self:AssertEquals(MouseButton1UpEvents,{{600,300}},"Button MouseButton1Up events incorrect.") self:AssertEquals(MouseButton1ClickEvents,{{}},"Button MouseButton1Click events incorrect.") self.CuT:UpdateEvents({Vector3.new(0.75,0.5,0.95)}) wait() self:AssertEquals(MouseButton1DownEvents,{{600,450},{600,300}},"Button MouseButton1Down events incorrect.") self:AssertEquals(MouseButton1UpEvents,{{600,300}},"Button MouseButton1Up events incorrect.") self:AssertEquals(MouseButton1ClickEvents,{{}},"Button MouseButton1Click events incorrect.") self.CuT:UpdateEvents({Vector3.new(0.9,0.9,0.4)}) wait() self:AssertEquals(MouseButton1DownEvents,{{600,450},{600,300}},"Button MouseButton1Down events incorrect.") self:AssertEquals(MouseButton1UpEvents,{{600,300}},"Button MouseButton1Up events incorrect.") self:AssertEquals(MouseButton1ClickEvents,{{}},"Button MouseButton1Click events incorrect.") --Assert the frame inputs didn't change. self:AssertEquals(FrameMouseEnterEvents,{{200,150}},"Frame MouseEnter events incorrect.") self:AssertEquals(FrameMouseMovedEvents,{{200,150},{200,300},{200,300},{200,300},{200,300}},"Frame MouseMoved events incorrect.") self:AssertEquals(FrameMouseLeaveEvents,{{}},"Frame MouseLeave events incorrect.") self:AssertEquals(FrameInputBeganEvents,{Enum.UserInputType.MouseButton1},"Frame InputBegan events incorrect.") self:AssertEquals(FrameInputChangedEvents,{Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement},"Frame InputChanged events incorrect.") self:AssertEquals(FrameInputEndedEvents,{Enum.UserInputType.MouseButton1},"Frame InputEnded events incorrect.") --Assert overlapping inputs are correct on both objects. self.CuT:UpdateEvents({Vector3.new(0.5,0.5,0.2),Vector3.new(0.5,0.5,0.9)}) wait() self:AssertEquals(FrameMouseEnterEvents,{{200,150},{400,300}},"Frame MouseEnter events incorrect.") self:AssertEquals(FrameMouseMovedEvents,{{200,150},{200,300},{200,300},{200,300},{200,300},{400,300}},"Frame MouseMoved events incorrect.") self:AssertEquals(FrameMouseLeaveEvents,{{}},"Frame MouseLeave events incorrect.") self:AssertEquals(FrameInputBeganEvents,{Enum.UserInputType.MouseButton1,Enum.UserInputType.MouseButton1},"Frame InputBegan events incorrect.") self:AssertEquals(FrameInputChangedEvents,{Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement},"Frame InputChanged events incorrect.") self:AssertEquals(FrameInputEndedEvents,{Enum.UserInputType.MouseButton1},"Frame InputEnded events incorrect.") self:AssertEquals(MouseButton1DownEvents,{{600,450},{600,300},{400,300}},"Button MouseButton1Down events incorrect.") self:AssertEquals(MouseButton1UpEvents,{{600,300}},"Button MouseButton1Up events incorrect.") self:AssertEquals(MouseButton1ClickEvents,{{}},"Button MouseButton1Click events incorrect.") self.CuT:UpdateEvents({Vector3.new(0.25,0.25,0.9),Vector3.new(0.5,0.5,0.5)}) wait() self:AssertEquals(FrameMouseEnterEvents,{{200,150},{400,300}},"Frame MouseEnter events incorrect.") self:AssertEquals(FrameMouseMovedEvents,{{200,150},{200,300},{200,300},{200,300},{200,300},{400,300},{200,150}},"Frame MouseMoved events incorrect.") self:AssertEquals(FrameMouseLeaveEvents,{{}},"Frame MouseLeave events incorrect.") self:AssertEquals(FrameInputBeganEvents,{Enum.UserInputType.MouseButton1,Enum.UserInputType.MouseButton1},"Frame InputBegan events incorrect.") self:AssertEquals(FrameInputChangedEvents,{Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement},"Frame InputChanged events incorrect.") self:AssertEquals(FrameInputEndedEvents,{Enum.UserInputType.MouseButton1},"Frame InputEnded events incorrect.") self:AssertEquals(MouseButton1DownEvents,{{600,450},{600,300},{400,300}},"Button MouseButton1Down events incorrect.") self:AssertEquals(MouseButton1UpEvents,{{600,300},{400,300}},"Button MouseButton1Up events incorrect.") self:AssertEquals(MouseButton1ClickEvents,{{},{}},"Button MouseButton1Click events incorrect.") self.CuT:UpdateEvents({Vector3.new(0.25,0.25,0.3),Vector3.new(0.5,0.5,0.3)}) wait() self:AssertEquals(FrameMouseEnterEvents,{{200,150},{400,300}},"Frame MouseEnter events incorrect.") self:AssertEquals(FrameMouseMovedEvents,{{200,150},{200,300},{200,300},{200,300},{200,300},{400,300},{200,150},{200,150}},"Frame MouseMoved events incorrect.") self:AssertEquals(FrameMouseLeaveEvents,{{}},"Frame MouseLeave events incorrect.") self:AssertEquals(FrameInputBeganEvents,{Enum.UserInputType.MouseButton1,Enum.UserInputType.MouseButton1},"Frame InputBegan events incorrect.") self:AssertEquals(FrameInputChangedEvents,{Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement},"Frame InputChanged events incorrect.") self:AssertEquals(FrameInputEndedEvents,{Enum.UserInputType.MouseButton1,Enum.UserInputType.MouseButton1},"Frame InputEnded events incorrect.") self:AssertEquals(MouseButton1DownEvents,{{600,450},{600,300},{400,300}},"Button MouseButton1Down events incorrect.") self:AssertEquals(MouseButton1UpEvents,{{600,300},{400,300}},"Button MouseButton1Up events incorrect.") self:AssertEquals(MouseButton1ClickEvents,{{},{}},"Button MouseButton1Click events incorrect.") self:AssertEquals(MouseButton1ClickEvents,{{},{}},"Button MouseButton1Click events incorrect.") self.CuT:UpdateEvents({Vector3.new(0,0,0.3),Vector3.new(1,1,0.3)}) wait() self:AssertEquals(FrameMouseEnterEvents,{{200,150},{400,300}},"Frame MouseEnter events incorrect.") self:AssertEquals(FrameMouseMovedEvents,{{200,150},{200,300},{200,300},{200,300},{200,300},{400,300},{200,150},{200,150}},"Frame MouseMoved events incorrect.") self:AssertEquals(FrameMouseLeaveEvents,{{},{}},"Frame MouseLeave events incorrect.") self:AssertEquals(FrameInputBeganEvents,{Enum.UserInputType.MouseButton1,Enum.UserInputType.MouseButton1},"Frame InputBegan events incorrect.") self:AssertEquals(FrameInputChangedEvents,{Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement},"Frame InputChanged events incorrect.") self:AssertEquals(FrameInputEndedEvents,{Enum.UserInputType.MouseButton1,Enum.UserInputType.MouseButton1},"Frame InputEnded events incorrect.") self:AssertEquals(MouseButton1DownEvents,{{600,450},{600,300},{400,300}},"Button MouseButton1Down events incorrect.") self:AssertEquals(MouseButton1UpEvents,{{600,300},{400,300}},"Button MouseButton1Up events incorrect.") self:AssertEquals(MouseButton1ClickEvents,{{},{}},"Button MouseButton1Click events incorrect.") end)) --[[ Tests the UpdateEvents method with a ScrollingFrame. --]] NexusUnitTesting:RegisterUnitTest(VRSurfaceGuiTest.new("UpdateEventsScrollingFrame"):SetRun(function(self) --Add a scrolling frame. local ScrollingFrame = NexusWrappedInstance.new("ScrollingFrame") ScrollingFrame.Size = UDim2.new(0,400,0,300) ScrollingFrame.Position = UDim2.new(0,100,0,100) ScrollingFrame.CanvasSize = UDim2.new(0,600,0,400) ScrollingFrame.Parent = self.CuT --Assert moving but not "clicking" doesn't change the canvas position. self.CuT:UpdateEvents({Vector3.new(0.4,0.5,0.3)}) self:AssertEquals(ScrollingFrame.CanvasPosition,Vector2.new(0,0),"Canvas position is incorrect.") self.CuT:UpdateEvents({Vector3.new(0.3,0.4,0.3)}) self:AssertEquals(ScrollingFrame.CanvasPosition,Vector2.new(0,0),"Canvas position is incorrect.") --Assert moving vertically is correct. self.CuT:UpdateEvents({Vector3.new(0.4,0.5,0.9)}) self:AssertEquals(ScrollingFrame.CanvasPosition,Vector2.new(0,0),"Canvas position is incorrect.") self.CuT:UpdateEvents({Vector3.new(0.4,0.5 - (50/600),0.9)}) self:AssertEquals(ScrollingFrame.CanvasPosition,Vector2.new(0,50),"Canvas position is incorrect.") self.CuT:UpdateEvents({Vector3.new(0.4,0.5 - (100/600),0.9)}) self:AssertEquals(ScrollingFrame.CanvasPosition,Vector2.new(0,100),"Canvas position is incorrect.") self.CuT:UpdateEvents({Vector3.new(0.4,0.5 - (150/600),0.9)}) self:AssertEquals(ScrollingFrame.CanvasPosition,Vector2.new(0,100),"Canvas position is incorrect.") self.CuT:UpdateEvents({Vector3.new(0.4,0.5 - (100/600),0.9)}) self:AssertEquals(ScrollingFrame.CanvasPosition,Vector2.new(0,50),"Canvas position is incorrect.") self.CuT:UpdateEvents({Vector3.new(0.4,0.5 - (50/600),0.9)}) self:AssertEquals(ScrollingFrame.CanvasPosition,Vector2.new(0,0),"Canvas position is incorrect.") --Assert moving horizontally is correct. self.CuT:UpdateEvents({Vector3.new(0.4,0.5,0.9)}) self:AssertEquals(ScrollingFrame.CanvasPosition,Vector2.new(0,0),"Canvas position is incorrect.") self.CuT:UpdateEvents({Vector3.new(0.4 - (50/800),0.5,0.9)}) self:AssertEquals(ScrollingFrame.CanvasPosition,Vector2.new(50,0),"Canvas position is incorrect.") self.CuT:UpdateEvents({Vector3.new(0.4 - (100/800),0.5,0.9)}) self:AssertEquals(ScrollingFrame.CanvasPosition,Vector2.new(100,0),"Canvas position is incorrect.") self.CuT:UpdateEvents({Vector3.new(0.4 - (50/800),0.5,0.9)}) self:AssertEquals(ScrollingFrame.CanvasPosition,Vector2.new(50,0),"Canvas position is incorrect.") self.CuT:UpdateEvents({Vector3.new(0.4,0.5,0.9)}) self:AssertEquals(ScrollingFrame.CanvasPosition,Vector2.new(0,0),"Canvas position is incorrect.") --Assert moving horizontally and vertically is correct. self.CuT:UpdateEvents({Vector3.new(0.4,0.5,0.9)}) self:AssertEquals(ScrollingFrame.CanvasPosition,Vector2.new(0,0),"Canvas position is incorrect.") self.CuT:UpdateEvents({Vector3.new(0.4 - (50/800),0.5 - (50/600),0.9)}) self:AssertEquals(ScrollingFrame.CanvasPosition,Vector2.new(50,50),"Canvas position is incorrect.") self.CuT:UpdateEvents({Vector3.new(0.4 - (100/800),0.5 - (100/600),0.9)}) self:AssertEquals(ScrollingFrame.CanvasPosition,Vector2.new(100,100),"Canvas position is incorrect.") self.CuT:UpdateEvents({Vector3.new(0.4 - (50/800),0.5 - (50/600),0.9)}) self:AssertEquals(ScrollingFrame.CanvasPosition,Vector2.new(50,50),"Canvas position is incorrect.") self.CuT:UpdateEvents({Vector3.new(0.4,0.5,0.9)}) self:AssertEquals(ScrollingFrame.CanvasPosition,Vector2.new(0,0),"Canvas position is incorrect.") end)) --[[ Tests the UpdateEvents method starting from outside the frame while pressed. --]] NexusUnitTesting:RegisterUnitTest(VRSurfaceGuiTest.new("UpdateEventsEnterWhilePressed"):SetRun(function(self) --Add a frame. local Frame = NexusWrappedInstance.new("Frame") Frame.Size = UDim2.new(0,400,0,300) Frame.Position = UDim2.new(0,100,0,100) Frame.Parent = self.CuT --Connect the inputs. local FrameMouseEnterEvents,FrameMouseMovedEvents,FrameMouseLeaveEvents,FrameInputBeganEvents,FrameInputChangedEvents,FrameInputEndedEvents = {},{},{},{},{},{} Frame.MouseEnter:Connect(function(...) table.insert(FrameMouseEnterEvents,{...}) end) Frame.MouseMoved:Connect(function(...) table.insert(FrameMouseMovedEvents,{...}) end) Frame.MouseLeave:Connect(function(...) table.insert(FrameMouseLeaveEvents,{...}) end) Frame.InputBegan:Connect(function(Input) table.insert(FrameInputBeganEvents,Input.UserInputType) end) Frame.InputChanged:Connect(function(Input) table.insert(FrameInputChangedEvents,Input.UserInputType) end) Frame.InputEnded:Connect(function(Input) table.insert(FrameInputEndedEvents,Input.UserInputType) end) --Update the inputs only over the frame and assert they are correct. self.CuT:UpdateEvents({Vector3.new(0,0,0.9)}) wait() self:AssertEquals(FrameMouseEnterEvents,{},"Frame MouseEnter events incorrect.") self:AssertEquals(FrameMouseMovedEvents,{},"Frame MouseMoved events incorrect.") self:AssertEquals(FrameMouseLeaveEvents,{},"Frame MouseLeave events incorrect.") self:AssertEquals(FrameInputBeganEvents,{},"Frame InputBegan events incorrect.") self:AssertEquals(FrameInputChangedEvents,{},"Frame InputChanged events incorrect.") self:AssertEquals(FrameInputEndedEvents,{},"Frame InputEnded events incorrect.") self.CuT:UpdateEvents({Vector3.new(0.25,0.25,0.9)}) wait() self:AssertEquals(FrameMouseEnterEvents,{{200,150}},"Frame MouseEnter events incorrect.") self:AssertEquals(FrameMouseMovedEvents,{{200,150}},"Frame MouseMoved events incorrect.") self:AssertEquals(FrameMouseLeaveEvents,{},"Frame MouseLeave events incorrect.") self:AssertEquals(FrameInputBeganEvents,{},"Frame InputBegan events incorrect.") self:AssertEquals(FrameInputChangedEvents,{Enum.UserInputType.MouseMovement},"Frame InputChanged events incorrect.") self:AssertEquals(FrameInputEndedEvents,{},"Frame InputEnded events incorrect.") self.CuT:UpdateEvents({Vector3.new(0.25,0.25,0.4)}) wait() self:AssertEquals(FrameMouseEnterEvents,{{200,150}},"Frame MouseEnter events incorrect.") self:AssertEquals(FrameMouseMovedEvents,{{200,150},{200,150}},"Frame MouseMoved events incorrect.") self:AssertEquals(FrameMouseLeaveEvents,{},"Frame MouseLeave events incorrect.") self:AssertEquals(FrameInputBeganEvents,{},"Frame InputBegan events incorrect.") self:AssertEquals(FrameInputChangedEvents,{Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement},"Frame InputChanged events incorrect.") self:AssertEquals(FrameInputEndedEvents,{},"Frame InputEnded events incorrect.") self.CuT:UpdateEvents({Vector3.new(0.25,0.25,0.9)}) wait() self:AssertEquals(FrameMouseEnterEvents,{{200,150}},"Frame MouseEnter events incorrect.") self:AssertEquals(FrameMouseMovedEvents,{{200,150},{200,150},{200,150}},"Frame MouseMoved events incorrect.") self:AssertEquals(FrameMouseLeaveEvents,{},"Frame MouseLeave events incorrect.") self:AssertEquals(FrameInputBeganEvents,{Enum.UserInputType.MouseButton1},"Frame InputBegan events incorrect.") self:AssertEquals(FrameInputChangedEvents,{Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement},"Frame InputChanged events incorrect.") self:AssertEquals(FrameInputEndedEvents,{},"Frame InputEnded events incorrect.") self.CuT:UpdateEvents({Vector3.new(0.25,0.25,0.4)}) wait() self:AssertEquals(FrameMouseEnterEvents,{{200,150}},"Frame MouseEnter events incorrect.") self:AssertEquals(FrameMouseMovedEvents,{{200,150},{200,150},{200,150},{200,150}},"Frame MouseMoved events incorrect.") self:AssertEquals(FrameMouseLeaveEvents,{},"Frame MouseLeave events incorrect.") self:AssertEquals(FrameInputBeganEvents,{Enum.UserInputType.MouseButton1},"Frame InputBegan events incorrect.") self:AssertEquals(FrameInputChangedEvents,{Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement},"Frame InputChanged events incorrect.") self:AssertEquals(FrameInputEndedEvents,{Enum.UserInputType.MouseButton1},"Frame InputEnded events incorrect.") self.CuT:UpdateEvents({Vector3.new(0,0,0.9)}) wait() self:AssertEquals(FrameMouseEnterEvents,{{200,150}},"Frame MouseEnter events incorrect.") self:AssertEquals(FrameMouseMovedEvents,{{200,150},{200,150},{200,150},{200,150}},"Frame MouseMoved events incorrect.") self:AssertEquals(FrameMouseLeaveEvents,{{}},"Frame MouseLeave events incorrect.") self:AssertEquals(FrameInputBeganEvents,{Enum.UserInputType.MouseButton1},"Frame InputBegan events incorrect.") self:AssertEquals(FrameInputChangedEvents,{Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement},"Frame InputChanged events incorrect.") self:AssertEquals(FrameInputEndedEvents,{Enum.UserInputType.MouseButton1},"Frame InputEnded events incorrect.") self.CuT:UpdateEvents({Vector3.new(0.25,0.25,0.9)}) wait() self:AssertEquals(FrameMouseEnterEvents,{{200,150},{200,150}},"Frame MouseEnter events incorrect.") self:AssertEquals(FrameMouseMovedEvents,{{200,150},{200,150},{200,150},{200,150},{200,150}},"Frame MouseMoved events incorrect.") self:AssertEquals(FrameMouseLeaveEvents,{{}},"Frame MouseLeave events incorrect.") self:AssertEquals(FrameInputBeganEvents,{Enum.UserInputType.MouseButton1},"Frame InputBegan events incorrect.") self:AssertEquals(FrameInputChangedEvents,{Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement},"Frame InputChanged events incorrect.") self:AssertEquals(FrameInputEndedEvents,{Enum.UserInputType.MouseButton1},"Frame InputEnded events incorrect.") self.CuT:UpdateEvents({Vector3.new(0.25,0.25,0.9),Vector3.new(0.25,0.25,0.95)}) wait() self:AssertEquals(FrameMouseEnterEvents,{{200,150},{200,150}},"Frame MouseEnter events incorrect.") self:AssertEquals(FrameMouseMovedEvents,{{200,150},{200,150},{200,150},{200,150},{200,150},{200,150}},"Frame MouseMoved events incorrect.") self:AssertEquals(FrameMouseLeaveEvents,{{}},"Frame MouseLeave events incorrect.") self:AssertEquals(FrameInputBeganEvents,{Enum.UserInputType.MouseButton1,Enum.UserInputType.MouseButton1},"Frame InputBegan events incorrect.") self:AssertEquals(FrameInputChangedEvents,{Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement,Enum.UserInputType.MouseMovement},"Frame InputChanged events incorrect.") self:AssertEquals(FrameInputEndedEvents,{Enum.UserInputType.MouseButton1},"Frame InputEnded events incorrect.") end)) --[[ Tests setting the Adornee and Parent values. --]] NexusUnitTesting:RegisterUnitTest(VRSurfaceGuiTest.new("Adornee"):SetRun(function(self) self.CuT.Adornee = Instance.new("Part") self.CuT.Parent = Instance.new("Part") self:AssertTrue(self.CuT.Adornee:IsA("VRPart"),"Part wasn't converted to a VRPart.") self:AssertTrue(self.CuT.Parent:IsA("VRPart"),"Part wasn't converted to a VRPart.") end)) return true
----------------------------------- -- Area: Apollyon NE -- Mob: Apollyon Cleaner ----------------------------------- local ID = require("scripts/zones/Apollyon/IDs") function onMobDeath(mob, player, isKiller, noKiller) if isKiller or noKiller then local mobID = mob:getID() local battlefield = mob:getBattlefield() local itemF3 = battlefield:getLocalVar("itemF3") if itemF3 == mobID then local mobX = mob:getXPos() local mobY = mob:getYPos() local mobZ = mob:getZPos() GetNPCByID(ID.npc.APOLLYON_NE_CRATE[3][1]):setPos(mobX, mobY, mobZ) GetNPCByID(ID.npc.APOLLYON_NE_CRATE[3][1]):setStatus(tpz.status.NORMAL) end end end
---------------------------------------- -- Sassilization -- http://sassilization.com -- By Sassafrass / Spacetech / LuaPineapple -- Models By Jaanus ---------------------------------------- EFFECT.RenderGroup = RENDERGROUP_BOTH function EFFECT:Init() if(GHOST_WALL_EFFECT) then self:SetModel( "models/mrgiggles/sassilization/brick_small.mdl" ) self:SetSolid( SOLID_NONE ) self:SetCollisionGroup( COLLISION_GROUP_WEAPON ) self.Alive = true GHOST_WALL_EFFECT = self else return end end function EFFECT:Think() return self.Alive end local function addPoint( strip, i, pos, norm, tang, v ) local scale = 20 local u = pos:Dot( tang ) strip[ i ] = Vertex( pos, u / scale, v, norm ) end --WALL SHAPE local verts = {} local width, height = 4, 5 table.insert( verts, VECTOR_RIGHT * width ) table.insert( verts, VECTOR_RIGHT * width * 0.9 + VECTOR_UP * height ) table.insert( verts, VECTOR_RIGHT * width * 0.7 + VECTOR_UP * height ) table.insert( verts, VECTOR_RIGHT * width * 0.6 + VECTOR_UP * height * 3 ) table.insert( verts, VECTOR_RIGHT * width * 0.4 + VECTOR_UP * height * 3 ) table.insert( verts, VECTOR_RIGHT * width * 0.4 + VECTOR_UP * height * 2.8 ) table.insert( verts, -VECTOR_RIGHT * width * 0.4 + VECTOR_UP * height * 2.8 ) table.insert( verts, -VECTOR_RIGHT * width * 0.4 + VECTOR_UP * height * 3 ) table.insert( verts, -VECTOR_RIGHT * width * 0.6 + VECTOR_UP * height * 3 ) table.insert( verts, -VECTOR_RIGHT * width * 0.7 + VECTOR_UP * height ) table.insert( verts, -VECTOR_RIGHT * width * 0.9 + VECTOR_UP * height ) table.insert( verts, -VECTOR_RIGHT * width ) --END WALL SHAPE function EFFECT:AddStrip( Positions, v, v1, v2 ) local strip = self.TriangleStrips[ v ] or {} local j = 1; local norm, tang; for i = 1, #Positions do local pos = self:WorldToLocal( Positions[ i ] ) tang = (verts[ v+1 ] - verts[ v ]):GetNormal() norm = -VECTOR_FORWARD:Cross( tang ) tang = VECTOR_FORWARD addPoint( strip, j, pos + verts[ v+1 ], norm, tang, v2 ) j = j + 1; addPoint( strip, j, pos + verts[ v ], norm, tang, v1 ) j = j + 1; end self.TriangleStrips[ v ] = strip end function EFFECT:CreateWallMesh( Positions ) self.TriangleStrips = self.TriangleStrips or {} local num = #Positions self.StripCount = num --Get rid of extra baggage (Instead of creating a new table, we're going to reuse the old one) if( num < #self.TriangleStrips ) then for i=num + 1, #self.TriangleStrips do self.TriangleStrips[ i ] = nil end end --Wall Direction Normal local pos1 = Positions[ 1 ] local pos2 = Positions[ num ] self:SetPos( pos1:MidPoint( pos2 ) ) self:SetAngles( Angle( 0, math.atan2( (pos2.y - pos1.y), (pos2.x - pos1.x) ) * 180 / math.pi, 0 ) ) --Build Strips self:AddStrip( Positions, 01, 1.0000000, 0.6250000 ) self:AddStrip( Positions, 02, 0.6640625, 0.6250000 ) self:AddStrip( Positions, 03, 0.5468750, 0.1640625 ) self:AddStrip( Positions, 04, 0.2109375, 0.1640625 ) self:AddStrip( Positions, 05, 0.2617187, 0.2109375 ) self:AddStrip( Positions, 06, 0.1562500, 0.0000000 ) self:AddStrip( Positions, 07, 0.2617187, 0.2109375 ) self:AddStrip( Positions, 08, 0.2109375, 0.1640625 ) self:AddStrip( Positions, 09, 0.5468750, 0.1640625 ) self:AddStrip( Positions, 10, 0.6640625, 0.6250000 ) self:AddStrip( Positions, 11, 1.0000000, 0.6250000 ) --Update Bounds local mins, maxs = self:GetMeshOBB() self:SetRenderBounds( mins, maxs ) end function EFFECT:GetMeshOBB() local min = Vector(999999, 999999, 999999) local max = Vector() for i, strip in ipairs( self.TriangleStrips ) do for j, vert in ipairs( strip ) do min.x = math.min( vert.pos.x, min.x ) min.y = math.min( vert.pos.y, min.y ) min.z = math.min( vert.pos.z, min.z ) max.x = math.max( vert.pos.x, max.x ) max.y = math.max( vert.pos.y, max.y ) max.z = math.max( vert.pos.z, max.z ) end end return min, max end local WallMaterial = Material( "sassilization/wall" ) function EFFECT:Render() if( self.TriangleStrips ) then local matrix = Matrix() local r, g, b, a; matrix:SetTranslation(self:GetPos()) matrix:Rotate(self:GetAngles()) render.SetMaterial( WallMaterial ); local sun = util.GetSunInfo() if( not sun ) then return end cam.PushModelMatrix(matrix) for i, strip in ipairs( self.TriangleStrips ) do mesh.Begin( MATERIAL_TRIANGLE_STRIP, (self.StripCount - 1) * 2 ) for j, vert in ipairs( strip ) do local lightc = render.GetLightColor( self:LocalToWorld(vert.pos) + VECTOR_UP * 6 ) * 2 lightc = lightc * ((self:LocalToWorld(vert.normal) - self:GetPos()):Dot( sun.direction ) * 0.25 + 0.75) * 255 mesh.Color( math.Clamp( lightc.x, 0, 255 ), math.Clamp( lightc.y, 0, 255 ), math.Clamp( lightc.z, 0, 255 ), 150 ) mesh.Position( vert.pos ) mesh.Normal( vert.normal ) mesh.TexCoord( 0, vert.u, vert.v ) mesh.AdvanceVertex() if( j == self.StripCount * 2 ) then break end end mesh.End() end cam.PopModelMatrix() end end
function AllWords () local line = io.read() local pos = 1 return function () while line do local s, e = string.find(line, "%w+", pos) if s then pos = e + 1 return line:sub(s, e) else line = io.read() pos = 1 end end return nil end end
local xpnn_logic = {} --牌的花色掩码 MASK_VALUE = 0x0F MASK_COLOR = 0xF0 CARD_TYPE = { no_niu = 0x0000, --无牛 niu1 = 0x0001, --牛一 niu2 = 0x0002, --牛二 niu3 = 0x0003, --牛三 niu4 = 0x0004, --牛四 niu5 = 0x0005, --牛五 niu6 = 0x0006, --牛六 niu7 = 0x0007, --牛七 niu8 = 0x0008, --牛八 niu9 = 0x0009, --牛九 niu_niu = 0x000a, --牛牛 king4_niu = 0x000b, --四花牛 king5_niu = 0x000c, --五花牛 } CARD_POOL = { 0x01, 0x02, 0x03, 0x04, 0x05, 0x06, 0x07, 0x08, 0x09, 0x0a, 0x0b, 0x0c, 0x0d, --方块A-10JQK 0x11, 0x12, 0x13, 0x14, 0x15, 0x16, 0x17, 0x18, 0x19, 0x1a, 0x1b, 0x1c, 0x1d, --梅花A-10JQK 0x21, 0x22, 0x23, 0x24, 0x25, 0x26, 0x27, 0x28, 0x29, 0x2a, 0x2b, 0x2c, 0x2d, --红桃A-10JQK 0x31, 0x32, 0x33, 0x34, 0x35, 0x36, 0x37, 0x38, 0x39, 0x3a, 0x3b, 0x3c, 0x3d, --黑桃A-10JQK } --分组类型 local GROUP_TYPE = { {1,2,3,4,5},{1,2,4,3,5},{1,2,5,3,4}, {1,3,4,2,5},{1,3,5,2,4},{1,4,5,2,3}, {2,3,4,1,5},{2,3,5,1,4},{2,4,5,1,3}, {3,4,5,1,2}, } --洗牌 function xpnn_logic.shuffle_card_pool() end function xpnn_logic.get_card_color(card) return MASK_COLOR & card end function xpnn_logic.get_card_value(card) return MASK_VALUE & card end function xpnn_logic.get_card_logic_value(card) local card_value = xpnn_logic.get_card_value(card) return (card_value > 10) and 10 or card_value end function xpnn_logic.get_card_type(cards) assert(#cards == 5) local tmp_cards = { cards[1], cards[2], cards[3], cards[4], cards[5] } local sum_logic_value = 0 --总计数 local pai_king_count = 0 --JQK的张数 local pai_10_count = 0 --牌10的张数 local max_card = 0x00 --最大的那张牌 table.sort(tmp_cards, function(a, b) local valuea = xpnn_logic.get_card_value(a) local valueb = xpnn_logic.get_card_value(b) if valuea < valueb then return true end if valuea == valueb then if xpnn_logic.get_card_color(a) < xpnn_logic.get_card_color(b) then return true end return false end end) max_card = tmp_cards[5] for _, v in ipairs(tmp_cards) do local card_value = xpnn_logic.get_card_value(v) local logic_value = xpnn_logic.get_card_logic_value(v) if card_value > 10 then pai_king_count = pai_king_count + 1 elseif card_value == 10 then pai_10_count = pai_10_count + 1 end sum_logic_value = sum_logic_value + logic_value end if pai_king_count == 5 then return CARD_TYPE.king5_niu, max_card, {tmp_cards[3], tmp_cards[4], tmp_cards[5], tmp_cards[1], tmp_cards[ 2]} end if pai_king_count == 4 and pai_10_count == 1 then return CARD_TYPE.king4_niu, max_card, {tmp_cards[3], tmp_cards[4], tmp_cards[5], tmp_cards[1], tmp_cards[ 2]} end local result_group = nil local result_cards = {} local result_type = CARD_TYPE.no_niu for _, group in ipairs(GROUP_TYPE) do local tmp_sum_value = 0 for i, v in ipairs(group) do if i < 4 then tmp_sum_value = tmp_sum_value + xpnn_logic.get_card_logic_value(tmp_cards[v]) end end if tmp_sum_value % 10 == 0 then local left_value = sum_logic_value - tmp_sum_value left_value = (left_value > 10) and (left_value - 10) or left_value if left_value > result_type then result_type = left_value result_group = group end end end if result_type ~= CARD_TYPE.no_niu then for k, v in ipairs(result_group) do result_cards[k] = tmp_cards[v] end end return result_type, max_card, result_cards end --如果a>b return true, 否则return false function xpnn_logic.compare(card_type1, card_type2, card1, card2) if card_type1 ~= card_type2 then return card_type1 > card_type2 end local value1 = xpnn_logic.get_card_value(card1) local value2 = xpnn_logic.get_card_value(card2) if value1 > value2 then return true end if value1 == value2 then if xpnn_logic.get_card_color(card1) > xpnn_logic.get_card_color(card2) then return true end end return false end function xpnn_logic.get_times(card_type) if card_type == CARD_TYPE.king5_niu then return 5 end if card_type == CARD_TYPE.king4_niu then return 4 end if card_type == CARD_TYPE.niu_niu then return 3 end if card_type > CARD_TYPE.niu6 then return 2 end return 1 end return xpnn_logic
#!/usr/bin/env lua dofile('Penlight/penlight-scm-1.rockspec') local out = io.open('lua-penlight.lua', 'w') for name, file in pairs(build.modules) do out:write(string.format("package.preload['%s'] = function()\n", name)) if name == 'pl.path' then out:write([[ local os = {} for k, v in pairs(_G.os) do os[k] = v end function os.getenv(varname) local is_windows = package.config:sub(1, 1) == "\\" if is_windows and varname == 'HOME' then return nil else return _G.os.getenv(varname) end end ]]) end if name == 'pl.compat' then out:write([[ local os = {} for k, v in pairs(_G.os) do os[k] = v end function os.execute(cmd) local lua51 = _VERSION == 'Lua 5.1' local is_windows = package.config:sub(1, 1) == "\\" local res = _G.os.execute(cmd) if lua51 then return res else local success = res == 0 local signal = is_windows and 0 or res % 128 local exit = is_windows and res or math.floor(res / 256) if signal ~= 0 then return res == 0, 'signal', signal else return res == 0, 'exit', exit end end end ]]) end local f = io.open('Penlight/'..file) out:write(f:read("*all")) f:close() out:write("end\n") end out:close()
--[[ © 2015 CloudSixteen.com do not share, re-distribute or modify without permission of its author (kurozael@gmail.com). Clockwork was created by Conna Wiles (also known as kurozael.) http://cloudsixteen.com/license/clockwork.html --]] CW_SPANISH = Clockwork.lang:GetTable("Spanish"); CW_SPANISH["AreaDisplayRemoved"] = "Has eliminado un total de #1 área(s)."; CW_SPANISH["AreaDisplayAdded"] = "Has creado el área '#1'."; CW_SPANISH["AreaDisplayMinimum"] = "Has añadido el punto mínimo, ahora añade el punto máximo."; CW_SPANISH["AreaDisplayMaximum"] = "Has añadido el punto máximo, ahora apunta a donde quieres que el texto sea mostrado."; CW_SPANISH["AreaDisplayNoneNearPosition"] = "No hay áreas configuradas cerca de esta posición."; CW_SPANISH["EnableAreaDisplay"] = "Activar notificación áreas"; CW_SPANISH["EnableAreaDisplayDesc"] = "Mostrar o no mostrar áreas cuando se entra en ellas.";
local MinigameController = require("scenes.minigame.MinigameController") local Controller = class("Controller", MinigameController) -- Call self:onSuccess() when player wins local SPEED = { 1.5, 2.5, 3.5, 4.5, 5.5 } local THRESHOLD = 0.2 function Controller:initialize(level) MinigameController.initialize(self, "LIGHT UP YOUR FACE") self.face_lit = Resources.getImage("minigame/flashlight/face_lit.png") self.face = Resources.getImage("minigame/flashlight/face.png") self.flashlight = Resources.getImage("minigame/flashlight/flashlight.png") self.light = Resources.getImage("minigame/flashlight/light2.png") self.pos = 0 self.level = level end function Controller:update(dt) MinigameController.update(self, dt) if self:isCompleted() then return end if Keyboard.wasPressed(Config.KEY_ACTION) then if math.abs(math.cos(self.pos)) < THRESHOLD then self:onSuccess() else self:onFail() end end self.pos = self.pos + dt*SPEED[self.level] end function Controller:draw() love.graphics.setColor(5, 5, 5) love.graphics.rectangle("fill", 0, 0, WIDTH, HEIGHT) love.graphics.setColor(255, 255, 255) if self:isSuccess() then love.graphics.draw(self.face_lit, 0, 0) else love.graphics.draw(self.face, 0, 0) end local rot = math.cos(self.pos) if self:isCompleted() then love.graphics.draw(self.light, WIDTH/2, HEIGHT, rot, 1, 1, 100, 140) end love.graphics.draw(self.flashlight, WIDTH/2, HEIGHT, rot, 1, 1, 15, 41) end return Controller
function Gluth_OnCombat(pUnit, Event) pUnit:SendChatMessage(14, 0, "Rawr!") pUnit:RegisterEvent("Gluth_MortalWound", 30000, 0) pUnit:RegisterEvent("Gluth_Decimate", 105000, 0) pUnit:RegisterEvent("Gluth_TerrifyingRoar", 20000, 0) end function Gluth_OnLeaveCombat(pUnit, Event) pUnit:RemoveEvents() end function Gluth_OnKillTarget(pUnit, Event) end function Gluth_OnDeath(pUnit, Event) pUnit:RemoveEvents() end RegisterUnitEvent(15932, 1, "Gluth_OnCombat") RegisterUnitEvent(15932, 2, "Gluth_OnLeaveCombat") RegisterUnitEvent(15932, 3, "Gluth_OnKillTarget") RegisterUnitEvent(15932, 4, "Gluth_OnDeath") function Gluth_MortalWound(pUnit, Event) pUnit:FullCastSpellOnTarget(28467, pUnit:GetMainTank()) end function Gluth_Decimate(pUnit, Event) pUnit:FullCastSpellOnTarget(28374, pUnit:GetMainTank()) end function Gluth_TerrifyingRoar(pUnit, Event) pUnit:CastSpell(29685) end
local level = 635041 local first_recipe = { score = 3, prev = nil, next = nil } local second_recipe = { score = 7, prev = first_recipe, next = first_recipe } first_recipe.prev = second_recipe first_recipe.next = second_recipe local first_elf = first_recipe local second_elf = second_recipe local last = second_recipe local count = 2 while count < level + 10 do local new_score = first_elf.score + second_elf.score local new_score_as_string = tostring( new_score ) for i = 1, string.len( new_score_as_string ) do local char = string.sub( new_score_as_string, i, i ) local recipe = { score = tonumber( char ), prev = last, next = last.next } last.next = recipe last = recipe count = count + 1 end for i = 1, first_elf.score + 1 do first_elf = first_elf.next end for i = 1, second_elf.score + 1 do second_elf = second_elf.next end end local ptr = last local last_ten = "" for i = 1, 10 do last_ten = tostring( ptr.score ) .. last_ten ptr = ptr.prev end print(last_ten)
--[[ Name: AceHook-2.1 Revision: $Rev: 17638 $ Developed by: The Ace Development Team (http://www.wowace.com/index.php/The_Ace_Development_Team) Inspired By: Ace 1.x by Turan (turan@gryphon.com) Website: http://www.wowace.com/ Documentation: http://www.wowace.com/index.php/AceHook-2.1 SVN: http://svn.wowace.com/root/trunk/Ace2/AceHook-2.1 Description: Mixin to allow for safe hooking of functions, methods, and scripts. Dependencies: AceLibrary, AceOO-2.0 ]] local MAJOR_VERSION = "AceHook-2.1" local MINOR_VERSION = "$Revision: 17638 $" -- This ensures the code is only executed if the libary doesn't already exist, or is a newer version if not AceLibrary then error(MAJOR_VERSION .. " requires AceLibrary.") end if not AceLibrary:IsNewVersion(MAJOR_VERSION, MINOR_VERSION) then return end if loadstring("return function(...) return ... end") and AceLibrary:HasInstance(MAJOR_VERSION) then return end -- lua51 check if not AceLibrary:HasInstance("AceOO-2.0") then error(MAJOR_VERSION .. " requires AceOO-2.0") end --[[--------------------------------------------------------------------------------- Create the library object ----------------------------------------------------------------------------------]] local AceOO = AceLibrary:GetInstance("AceOO-2.0") local AceHook = AceOO.Mixin { "Hook", "HookScript", "SecureHook", "Unhook", "UnhookAll", "HookReport", "IsHooked", } --[[--------------------------------------------------------------------------------- Library Definitions ----------------------------------------------------------------------------------]] local protFuncs = { CameraOrSelectOrMoveStart = true, CameraOrSelectOrMoveStop = true, TurnOrActionStart = true, TurnOrActionStop = true, PitchUpStart = true, PitchUpStop = true, PitchDownStart = true, PitchDownStop = true, MoveBackwardStart = true, MoveBackwardStop = true, MoveForwardStart = true, MoveForwardStop = true, Jump = true, StrafeLeftStart = true, StrafeLeftStop = true, StrafeRightStart = true, StrafeRightStop = true, ToggleMouseMove = true, ToggleRun = true, TurnLeftStart = true, TurnLeftStop = true, TurnRightStart = true, TurnRightStop = true, } local function issecurevariable(x) if protFuncs[x] then return 1 else return nil end end local _G = getfenv(0) local function hooksecurefunc(arg1, arg2, arg3) if type(arg1) == "string" then arg1, arg2, arg3 = _G, arg1, arg2 end local orig = arg1[arg2] arg1[arg2] = function(a1,a2,a3,a4,a5,a6,a7,a8,a9,a10,a11,a12,a13,a14,a15,a16,a17,a18,a19,a20) local x1,x2,x3,x4,x5,x6,x7,x8,x9,x10,x11,x12,x13,x14,x15,x16,x17,x18,x19,x20 = orig(a1,a2,a3,a4,a5,a6,a7,a8,a9,a10,a11,a12,a13,a14,a15,a16,a17,a18,a19,a20) arg3(a1,a2,a3,a4,a5,a6,a7,a8,a9,a10,a11,a12,a13,a14,a15,a16,a17,a18,a19,a20) return x1,x2,x3,x4,x5,x6,x7,x8,x9,x10,x11,x12,x13,x14,x15,x16,x17,x18,x19,x20 end end local protectedScripts = { OnClick = true, } local handlers, scripts, actives, registry --[[--------------------------------------------------------------------------------- Private definitions (Not exposed) ----------------------------------------------------------------------------------]] local new, del do local list = setmetatable({}, {__mode = "k"}) function new() local t = next(list) if not t then return {} end list[t] = nil return t end function del(t) setmetatable(t, nil) for k in pairs(t) do t[k] = nil end list[t] = true end end local function createFunctionHook(self, func, handler, orig, secure) if not secure then if type(handler) == "string" then -- The handler is a method, need to self it local uid uid = function(a1,a2,a3,a4,a5,a6,a7,a8,a9,a10,a11,a12,a13,a14,a15,a16,a17,a18,a19,a20) if actives[uid] then return self[handler](self, a1,a2,a3,a4,a5,a6,a7,a8,a9,a10,a11,a12,a13,a14,a15,a16,a17,a18,a19,a20) else return orig(a1,a2,a3,a4,a5,a6,a7,a8,a9,a10,a11,a12,a13,a14,a15,a16,a17,a18,a19,a20) end end return uid else -- The handler is a function, just call it local uid uid = function(a1,a2,a3,a4,a5,a6,a7,a8,a9,a10,a11,a12,a13,a14,a15,a16,a17,a18,a19,a20) if actives[uid] then return handler(a1,a2,a3,a4,a5,a6,a7,a8,a9,a10,a11,a12,a13,a14,a15,a16,a17,a18,a19,a20) else return orig(a1,a2,a3,a4,a5,a6,a7,a8,a9,a10,a11,a12,a13,a14,a15,a16,a17,a18,a19,a20) end end return uid end else -- secure hooks don't call the original method if type(handler) == "string" then -- The handler is a method, need to self it local uid uid = function(a1,a2,a3,a4,a5,a6,a7,a8,a9,a10,a11,a12,a13,a14,a15,a16,a17,a18,a19,a20) if actives[uid] then return self[handler](self, a1,a2,a3,a4,a5,a6,a7,a8,a9,a10,a11,a12,a13,a14,a15,a16,a17,a18,a19,a20) end end return uid else -- The handler is a function, just call it local uid uid = function(a1,a2,a3,a4,a5,a6,a7,a8,a9,a10,a11,a12,a13,a14,a15,a16,a17,a18,a19,a20) if actives[uid] then return handler(a1,a2,a3,a4,a5,a6,a7,a8,a9,a10,a11,a12,a13,a14,a15,a16,a17,a18,a19,a20) end end return uid end end end local function createMethodHook(self, object, method, handler, orig, secure, script) if script then if type(handler) == "string" then local uid uid = function() if actives[uid] then return self[handler](self, object) else return orig() end end return uid else -- The handler is a function, just call it local uid uid = function() if actives[uid] then return handler(object) else return orig() end end return uid end elseif not secure then if type(handler) == "string" then local uid uid = function(a1,a2,a3,a4,a5,a6,a7,a8,a9,a10,a11,a12,a13,a14,a15,a16,a17,a18,a19,a20) if actives[uid] then return self[handler](self, a1,a2,a3,a4,a5,a6,a7,a8,a9,a10,a11,a12,a13,a14,a15,a16,a17,a18,a19,a20) else return orig(a1,a2,a3,a4,a5,a6,a7,a8,a9,a10,a11,a12,a13,a14,a15,a16,a17,a18,a19,a20) end end return uid else -- The handler is a function, just call it local uid uid = function(a1,a2,a3,a4,a5,a6,a7,a8,a9,a10,a11,a12,a13,a14,a15,a16,a17,a18,a19,a20) if actives[uid] then return handler(a1,a2,a3,a4,a5,a6,a7,a8,a9,a10,a11,a12,a13,a14,a15,a16,a17,a18,a19,a20) else return orig(a1,a2,a3,a4,a5,a6,a7,a8,a9,a10,a11,a12,a13,a14,a15,a16,a17,a18,a19,a20) end end return uid end else -- secure hooks don't call the original method if type(handler) == "string" then local uid uid = function(a1,a2,a3,a4,a5,a6,a7,a8,a9,a10,a11,a12,a13,a14,a15,a16,a17,a18,a19,a20) if actives[uid] then return self[handler](self, a1,a2,a3,a4,a5,a6,a7,a8,a9,a10,a11,a12,a13,a14,a15,a16,a17,a18,a19,a20) end end return uid else -- The handler is a function, just call it local uid uid = function(a1,a2,a3,a4,a5,a6,a7,a8,a9,a10,a11,a12,a13,a14,a15,a16,a17,a18,a19,a20) if actives[uid] then return handler(a1,a2,a3,a4,a5,a6,a7,a8,a9,a10,a11,a12,a13,a14,a15,a16,a17,a18,a19,a20) end end return uid end end end local function hookFunction(self, func, handler, secure) local orig = _G[func] if not orig or type(orig) ~= "function" then AceHook:error("Attempt to hook a non-existant function %q", func) end if not handler then handler = func end if registry[self][func] then local uid = registry[self][func] if actives[uid] then -- We have an active hook from this source. Don't multi-hook AceHook:error("%q already has an active hook from this source.", func) end if handlers[uid] == handler then -- The hook is inactive, so reactivate it actives[uid] = true return else AceHook:error("There is a stale hook for %q can't hook or reactivate.", func) end end if type(handler) == "string" then if type(self[handler]) ~= "function" then AceHook:error("Could not find the the handler %q when hooking function %q", handler, func) end elseif type(handler) ~= "function" then AceHook:error("Could not find the handler you supplied when hooking %q", func) end local uid = createFunctionHook(self, func, handler, orig, secure) registry[self][func] = uid actives[uid] = true handlers[uid] = handler if not secure then _G[func] = uid self.hooks[func] = orig else hooksecurefunc(func, uid) end end local function unhookFunction(self, func) if not registry[self][func] then AceHook:error("Tried to unhook %q which is not currently hooked.", func) end local uid = registry[self][func] if actives[uid] then -- See if we own the global function if self.hooks[func] and _G[func] == uid then _G[func] = self.hooks[func] self.hooks[func] = nil registry[self][func] = nil handlers[uid] = nil scripts[uid] = nil actives[uid] = nil -- Magically all-done else actives[uid] = nil end end end local function hookMethod(self, obj, method, handler, script, secure) if not handler then handler = method end if not obj or type(obj) ~= "table" then AceHook:error("The object you supplied could not be found, or isn't a table.") end local uid = registry[self][obj] and registry[self][obj][method] if uid then if actives[uid] then -- We have an active hook from this source. Don't multi-hook AceHook:error("%q already has an active hook from this source.", method) end if handlers[uid] == handler then -- The hook is inactive, reactivate it. actives[uid] = true return else AceHook:error("There is a stale hook for %q can't hook or reactivate.", method) end end if type(handler) == "string" then if type(self[handler]) ~= "function" then AceHook:error("Could not find the handler %q you supplied when hooking method %q", handler, method) end elseif type(handler) ~= "function" then AceHook:error("Could not find the handler you supplied when hooking method %q", method) end local orig if script then if not obj.GetScript then AceHook:error("The object you supplied does not have a GetScript method.") end if not obj:HasScript(method) then AceHook:error("The object you supplied doesn't allow the %q method.", method) end orig = obj:GetScript(method) if type(orig) ~= "function" then -- Sometimes there is not a original function for a script. orig = function() end end else orig = obj[method] end if not orig then AceHook:error("Could not find the method or script %q you are trying to hook.", method) end if not registry[self][obj] then registry[self][obj] = new() end if not self.hooks[obj] then self.hooks[obj] = new() end local uid = createMethodHook(self, obj, method, handler, orig, secure, script) registry[self][obj][method] = uid actives[uid] = true handlers[uid] = handler scripts[uid] = script and true or nil if script then obj:SetScript(method, uid) self.hooks[obj][method] = orig elseif not secure then obj[method] = uid self.hooks[obj][method] = orig else hooksecurefunc(obj, method, uid) end end local function unhookMethod(self, obj, method) if not registry[self][obj] or not registry[self][obj][method] then AceHook:error("Attempt to unhook a method %q that is not currently hooked.", method) return end local uid = registry[self][obj][method] if actives[uid] then if scripts[uid] then -- If this is a script if obj:GetScript(method) == uid then -- We own the script. Revert to normal. obj:SetScript(method, self.hooks[obj][method]) self.hooks[obj][method] = nil registry[self][obj][method] = nil handlers[uid] = nil scripts[uid] = nil actives[uid] = nil else actives[uid] = nil end else if self.hooks[obj] and self.hooks[obj][method] and obj[method] == uid then -- We own the method. Revert to normal. obj[method] = self.hooks[obj][method] self.hooks[obj][method] = nil registry[self][obj][method] = nil handlers[uid] = nil actives[uid] = nil else actives[uid] = nil end end end if self.hooks[obj] and not next(self.hooks[obj]) then self.hooks[obj] = del(self.hooks[obj]) end if not next(registry[self][obj]) then registry[self][obj] = del(registry[self][obj]) end end -- ("function" [, handler] [, hookSecure]) or (object, "method" [, handler] [, hookSecure]) function AceHook:Hook(object, method, handler, hookSecure) if type(object) == "string" then method, handler, hookSecure = object, method, handler if handler == true then handler, hookSecure = nil, true end if not hookSecure and issecurevariable(method) then AceHook:error("Attempt to hook secure function %q. Use `SecureHook' or add `true' to the argument list to override.", method) end AceHook:argCheck(handler, 3, "function", "string", "nil") AceHook:argCheck(hookSecure, 4, "boolean", "nil") hookFunction(self, method, handler, false) else if handler == true then handler, hookSecure = nil, true end if not hookSecure and issecurevariable(object, method) then AceHook:error("Attempt to hook secure method %q. Use `SecureHook' or add `true' to the argument list to override.", method) end AceHook:argCheck(object, 2, "table") AceHook:argCheck(method, 3, "string") AceHook:argCheck(handler, 4, "function", "string", "nil") AceHook:argCheck(hookSecure, 5, "boolean", "nil") hookMethod(self, object, method, handler, false, false) end end -- ("function", handler) or (object, "method", handler) function AceHook:SecureHook(object, method, handler) if type(object) == "string" then method, handler = object, method AceHook:argCheck(handler, 3, "function", "string", "nil") hookFunction(self, method, handler, true) else AceHook:argCheck(object, 2, "table") AceHook:argCheck(method, 3, "string") AceHook:argCheck(handler, 4, "function", "string", "nil") hookMethod(self, object, method, handler, false, true) end end function AceHook:HookScript(frame, script, handler) AceHook:argCheck(frame, 2, "table") if not frame[0] or type(frame.IsFrameType) ~= "function" then AceHook:error("Bad argument #2 to `HookScript'. Expected frame.") end AceHook:argCheck(script, 3, "string") AceHook:argCheck(handler, 4, "function", "string", "nil") hookMethod(self, frame, script, handler, true, false) end -- ("function") or (object, "method") function AceHook:IsHooked(obj, method) if type(obj) == "string" then if registry[self][obj] and actives[registry[self][obj]] then return true, handlers[registry[self][obj]] end else AceHook:argCheck(obj, 2, "string", "table") AceHook:argCheck(method, 3, "string") if registry[self][obj] and registry[self][obj][method] and actives[registry[self][obj][method]] then return true, handlers[registry[self][obj][method]] end end return false, nil end -- ("function") or (object, "method") function AceHook:Unhook(obj, method) if type(obj) == "string" then unhookFunction(self, obj) else AceHook:argCheck(obj, 2, "string", "table") AceHook:argCheck(method, 3, "string") unhookMethod(self, obj, method) end end function AceHook:UnhookAll() for key, value in pairs(registry[self]) do if type(key) == "table" then for method in pairs(value) do self:Unhook(key, method) end else self:Unhook(key) end end end function AceHook:HookReport() DEFAULT_CHAT_FRAME:AddMessage("This is a list of all active hooks for this object:") if not next(registry[self]) then DEFAULT_CHAT_FRAME:AddMessage("No hooks") end for key, value in pairs(registry[self]) do if type(value) == "table" then for method, uid in pairs(value) do DEFAULT_CHAT_FRAME:AddMessage(string.format("object: %s method: %q |cff%s|r%s", tostring(key), method, actives[uid] and "00ff00Active" or "ffff00Inactive", not self.hooks[key][method] and " |cff7f7fff-Secure-|r" or "")) end else DEFAULT_CHAT_FRAME:AddMessage(string.format("function: %q |cff%s|r%s", tostring(key), actives[value] and "00ff00Active" or "ffff00Inactive", not self.hooks[key] and " |cff7f7fff-Secure-|r" or "")) end end end function AceHook:OnInstanceInit(object) if not object.hooks then object.hooks = new() end if not registry[object] then registry[object] = new() end end AceHook.OnManualEmbed = AceHook.OnInstanceInit function AceHook:OnEmbedDisable(target) self.UnhookAll(target) end local function activate(self, oldLib, oldDeactivate) AceHook = self self.handlers = oldLib and oldLib.handlers or {} self.registry = oldLib and oldLib.registry or {} self.scripts = oldLib and oldLib.scripts or {} self.actives = oldLib and oldLib.actives or {} handlers = self.handlers registry = self.registry scripts = self.scripts actives = self.actives AceHook.super.activate(self, oldLib, oldDeactivate) if oldDeactivate then oldDeactivate(oldLib) end end AceLibrary:Register(AceHook, MAJOR_VERSION, MINOR_VERSION, activate)
-- from https://raw.githubusercontent.com/Stellarium/stellarium/master/skycultures/western_rey/constellationship.fab { --chart = "1", {name="UMi", 7, 11767, 85822, 85822, 82080, 82080, 77055, 77055, 79822, 79822, 75097, 75097, 72607, 72607, 77055}, {name=".UMig", 1, 72607, 75097}, {name="Dra", 15, 87585, 87833, 87833, 85670, 85670, 85829, 85829, 87585, 87585, 94376, 94376, 97433, 94376, 89908, 89937, 89908, 89908, 83895, 83895, 80331, 80331, 78527, 78527, 75458, 75458, 68756, 68756, 61281, 61281, 56211}, {name=".Draf", 3, 89937, 89908, 89908, 94376, 94376, 97433}, {name=".Drah", 4, 87585, 87833, 87833, 85670, 85670, 85829, 85829, 87585}, {name=".Drat1", 3, 89908, 83895, 83895, 80331, 80331, 78527}, {name=".Drat2", 4, 78527, 75458, 75458, 68756, 68756, 61281, 61281, 56211}, --chart = "2", {name="Cas", 5, 9598, 8886, 8886, 6686, 6686, 4427, 4427, 3179, 3179, 746, }, {name="Cep", 12, 110991, 112724, 112724, 106032, 106032, 105199, 105199, 102422, 102422, 101093, 105199, 107259, 107259, 109857, 109857, 109492, 109492, 110991, 109492, 107418, 112724, 116727, 116727, 106032}, {name="Cam", 8, 23040, 23522, 23522, 17884, 17884, 16228, 17884, 17959, 17959, 22783, 22783, 23522, 22783, 33694, 33694, 29997}, --chart = "3", {name="UMa", 19, 67301, 65378, 65378, 62956, 62956, 59774, 59774, 54061, 54061, 53910, 53910, 58001, 58001, 59774, 54061, 46733, 46733, 41704, 41704, 44127, 44127, 44471, 44471, 50801, 50372, 46853, 46853, 48319, 48319, 46733, 50801, 55203, 55219, 54539, 54539, 57399, 57399, 67301}, {name=".UMap", 1, 53910, 54061}, {name=".UMah", 1, 64468, 64468}, {name=".UMap1", 1, 55203, 50801}, {name=".UMap2", 1, 50801, 44471}, {name=".UMar", 4, 46853, 48319, 48319, 46733, 46733, 41704, 41704, 44127}, {name="Leo", 18, 57632, 54872, 54872, 54879, 54879, 55642, 55642, 55434, 54879, 51624, 54879, 49583, 49583, 49669, 49583, 47508, 49583, 50583, 50583, 53954, 53954, 54872, 50583, 50335, 50335, 48455, 48455, 46146, 46146, 46750, 46750, 47908, 47908, 48455, 47908, 49583}, {name=".Leoh", 4, 48455, 46146, 46146, 46750, 46750, 47908, 47908, 48455}, {name=".Leot", 1, 57632, 54872}, {name="CVn", 1, 61317, 63125}, {name="LMi", 5, 53229, 51233, 51233, 49593, 49593, 46952, 49593, 51056, 51056, 53229}, --chart = "4", {name="Boo", 18, 67275, 67459, 67459, 67927, 67927, 69673, 69673, 71795, 71795, 72105, 72105, 69673, 72105, 74666, 74666, 75411, 75411, 73555, 73555, 74666, 73555, 71075, 71075, 71053, 71053, 71284, 71284, 72105, 71075, 69732, 69732, 70497, 70497, 69483, 69483, 69732}, {name=".Boob", 3, 69673, 71795, 71795, 72105, 72105, 69673}, {name=".Booh", 6, 72105, 74666, 74666, 73555, 73555, 71075, 71075, 71053, 71053, 71284, 71284, 72105}, {name=".Boop", 4, 71075, 69732, 69732, 70497, 70497, 69483, 69483, 69732}, {name="CrB", 5, 76127, 75695, 75695, 76267, 76267, 76952, 76952, 77512, 77512, 78159}, {name="Com", 5, 64241, 64394, 64394, 60742, 64394, 60697, 64394, 60746, 64394, 60904}, --chart = "5", {name="Lyr", 10, 91262, 91926, 91926, 92862, 92862, 94481, 94481, 94713, 94713, 93194, 93194, 92420, 92420, 89826, 89826, 91262, 93194, 92791, 92420, 91971}, {name="Cyg", 16, 94779, 97165, 97165, 100453, 100453, 102098, 102098, 104060, 102098, 99848, 99848, 95853, 95853, 94779, 100453, 102488, 102488, 104732, 104732, 103413, 103413, 102098, 103413, 105102, 105102, 104887, 100453, 98110, 98110, 96683, 96683, 95947}, {name=".Cygw1", 5, 100453, 97165, 97165, 94779, 94779, 95853, 95853, 99848, 99848, 102098}, {name=".Cygw2", 4, 100453, 102488, 102488, 104732, 104732, 103413, 103413, 102098}, {name=".Cygf", 4, 104060, 102098, 102098, 103413, 103413, 105102, 105102, 104887}, {name=".Cygn", 3, 100453, 98110, 98110, 96683, 96683, 95947}, {name="Her", 25, 84345, 84379, 84379, 85693, 85693, 86974, 86974, 88794, 88794, 88267, 88267, 88886, 88886, 90139, 90139, 92043, 92043, 92161, 88794, 87933, 87933, 84380, 84380, 85112, 85112, 87808, 87808, 86414, 86414, 81126, 81126, 79101, 79101, 79992, 79992, 86414, 86974, 83207, 83207, 81693, 81693, 81833, 81833, 84380, 84380, 83207, 83207, 80816, 80816, 80170}, {name=".Herk", 4, 84380, 81833, 81833, 81693, 81693, 83207, 83207, 84380}, {name=".Herc", 4, 86414, 79992, 79992, 79101, 79101, 81126, 81126, 86414}, {name="Vul", 1, 95771, 98543}, --chart = "6", {name="And", 18, 677, 3092, 3092, 2912, 2912, 5447, 5447, 3092, 3092, 3031, 3031, 3693, 3693, 4463, 5447, 7513, 7513, 9640, 5447, 4436, 4436, 3881, 3881, 5434, 5434, 7607, 2912, 1411, 1411, 116631, 116584, 116805, 116805, 116631, 116631, 113726}, {name=".Andc", 3, 116584, 116805, 116805, 116631, 116631, 113726}, {name="Peg", 18, 113963, 113881, 113881, 1067, 1067, 113963, 113963, 112440, 112440, 112748, 112748, 112158, 112158, 109410, 114520, 113963, 113963, 114144, 113963, 112447, 112447, 112029, 112029, 109427, 112029, 107315, 112447, 109176, 109176, 107348, 112440, 109176, 109176, 107354, 107354, 105502}, {name=".Pegh", 3, 112440, 112748, 112748, 112158, 112158, 109410}, {name=".Pegt", 2, 114144, 113963, 113963, 114520}, {name=".Pegw", 3, 113963, 113881, 113881, 1067, 1067, 113963}, {name="Tri", 3, 10670, 10064, 10064, 8796, 8796, 10670}, {name="Lac", 10, 109937, 109754, 109754, 111104, 111104, 111944, 111944, 111022, 111022, 110351, 110351, 111104, 111022, 110609, 110609, 110538, 110538, 111169, 111169, 111022}, --chart = "7", {name="Per", 25, 17448, 18246, 18246, 18614, 18614, 18532, 18532, 14576, 14576, 14354, 14354, 13254, 18532, 17529, 17529, 16335, 16335, 15863, 15863, 16826, 16826, 17358, 17358, 19343, 19343, 19812, 19812, 20070, 20070, 19167, 14576, 14668, 14668, 14632, 14632, 13531, 13531, 13268, 13268, 14328, 14328, 13531, 14328, 15863, 15863, 14632, 14632, 12777, 12777, 8068}, {name="Tau", 20, 25428, 21881, 21881, 20711, 20711, 17702, 21881, 26451, 26451, 21421, 21421, 20894, 20894, 20205, 20205, 20455, 20455, 20648, 20648, 20889, 20889, 20711, 20205, 21589, 21589, 21402, 20205, 19860, 20205, 18724, 18724, 16083, 16083, 16369, 16083, 15900, 15900, 16852, 15900, 18907}, {name=".Tauh", 9, 20205, 20894, 20894, 21421, 21421, 26451, 26451, 21881, 21881, 20711, 20711, 20889, 20889, 20648, 20648, 20455, 20455, 20205, }, {name=".Tauc1", 1, 25428, 21881}, {name=".Tauc2", 1, 17702, 20711}, {name=".Taut", 1, 16083, 16369}, {name="Ari", 12, 14838, 13914, 13914, 10306, 10306, 8832, 13914, 13209, 13209, 13061, 13061, 12719, 12719, 13209, 12719, 9884, 9884, 9153, 9153, 8903, 8903, 9884, 9884, 10306}, {name=".Arih", 3, 9884, 8903, 8903, 9153, 9153, 9884}, {name=".Arit", 3, 13209, 13061, 13061, 12719, 12719, 13209}, --chart = "8", {name="Gem", 17, 31681, 34088, 34088, 35550, 35550, 35350, 35350, 32362, 35550, 36962, 36962, 37740, 36962, 37826, 36962, 36046, 36046, 34693, 34693, 36366, 36366, 36850, 34693, 33018, 34693, 32246, 32246, 30883, 32246, 30343, 30343, 29655, 29655, 28734}, {name="Aur", 10, 23015, 28380, 28380, 28360, 28360, 28358, 28358, 24608, 24608, 28360, 23015, 23767, 23767, 24608, 24608, 23416, 23416, 23453, 23453, 23767}, {name="CMi", 1, 37279, 36188}, {name="Cnc", 6, 43103, 42806, 42806, 40167, 40167, 40526, 40526, 42911, 42911, 42806, 42911, 44066}, {name="Lyn", 6, 45860, 45688, 45688, 44248, 44248, 41075, 41075, 36145, 36145, 33449, 33449, 30060}, --chart = "9", {name="Ori", 23, 26727, 26311, 26311, 25930, 28716, 29426, 29426, 29038, 29038, 27913, 27913, 28716, 29239, 28614, 28614, 27989, 27989, 26727, 26727, 27366, 24436, 25281, 25281, 25930, 25930, 25336, 25336, 25813, 25813, 26207, 25813, 27989, 25336, 22449, 22449, 22549, 22549, 22797, 22797, 23123, 22449, 22509, 22509, 22845, 22845, 22957}, {name=".Orib", 2, 26727, 26311, 26311, 25930}, {name=".Oric", 4, 29426, 28716, 28716, 27913, 27913, 29038, 29038, 29426}, {name=".Oris", 6, 22957, 22845, 22845, 22509, 22509, 22449, 22449, 22549, 22549, 22797, 22797, 23123}, {name="CMa", 17, 33160, 34045, 34045, 33347, 33347, 32349, 32349, 33977, 33977, 34444, 34444, 35037, 35037, 35904, 33579, 33856, 33856, 34444, 33579, 33152, 33152, 31592, 31592, 31125, 31592, 30324, 31592, 32349, 33579, 32759, 30122, 33579, 33347, 33160}, {name="Lep", 12, 28910, 28103, 28103, 27288, 27288, 25985, 25985, 24305, 28910, 27654, 27654, 27072, 27072, 25606, 25606, 23685, 25985, 25606, 24305, 24845, 24305, 24327, 23685, 24305, }, {name="Mon", 10, 41307, 39863, 29651, 30867, 30867, 34769, 34769, 32578, 32578, 30419, 34769, 39863, 39863, 37447, 32578, 31216, 30419, 31216, 31216, 31978}, {name="Eri", 27, 7588, 9007, 9007, 10602, 10602, 11407, 11407, 12486, 12486, 13847, 13847, 15510, 15510, 17874, 17874, 20042, 20042, 20535, 20535, 21393, 21393, 18673, 18673, 18216, 18216, 17717, 17717, 17651, 17651, 16611, 16611, 15474, 15474, 14146, 14146, 13701, 13701, 16537, 16537, 17378, 17378, 18543, 18543, 19849, 19849, 19587, 19587, 21444, 21444, 22109, 22109, 23875, 23875, 21594}, --chart = "10", {name="Hya", 17, 42799, 42402, 42402, 42313, 42313, 43109, 43109, 43813, 43813, 42799, 43813, 45336, 45336, 47431, 47431, 46390, 46390, 49841, 49841, 51069, 51069, 52943, 52943, 53740, 53740, 54682, 54682, 56343, 56343, 57936, 57936, 64962, 64962, 68895}, {name=".Hyah", 5, 43813, 43109, 43109, 42313, 42313, 42402, 42402, 42799, 42799, 43813}, {name=".Hyat", 3, 56343, 57936, 57936, 64962, 64962, 68895}, {name="Crt", 9, 53740, 54682, 54682, 55705, 55705, 55282, 55282, 53740, 55282, 55687, 55687, 56633, 56633, 58188, 58188, 57283, 57283, 55705}, {name="Ant", 1, 51172, 51172}, --chart = "11", {name="Vir", 17, 57380, 57757, 57757, 60129, 60129, 61941, 61941, 58948, 58948, 57380, 61941, 64238, 64238, 65474, 65474, 69427, 69427, 69701, 69701, 71957, 65474, 66249, 66249, 68520, 68520, 72220, 66249, 63090, 63090, 63608, 63090, 61941, 69701, 68520}, {name=".Virh", 5, 61941, 58948, 58948, 57380, 57380, 57757, 57757, 60129, 60129, 61941}, {name=".Virf", 3, 72220, 68520, 68520, 69701, 69701, 71957}, {name="Lib", 6, 73714, 72622, 72622, 74785, 74785, 76333, 76333, 72622, 76333, 76470, 76470, 76600}, {name="Crv", 7, 61174, 60965, 60965, 59803, 59803, 59316, 59316, 59199, 59316, 60189, 60189, 61359, 60189, 60965}, {name=".Crvb", 1, 60965, 61174}, {name=".Crvf", 1, 60189, 61359}, {name=".Crvt", 1, 59316, 59199}, --chart = "12", {name="Oph", 21, 85423, 84405, 84405, 84970, 84970, 85340, 85340, 84893, 84893, 84012, 84012, 85365, 85365, 86742, 86742, 87108, 87108, 88601, 86742, 86032, 86032, 83000, 83000, 86742, 83000, 82673, 82673, 80883, 80883, 79593, 83000, 81377, 81377, 80894, 80894, 80569, 80569, 80343, 80343, 80975, 81377, 84012}, {name=".Ophb", 5, 86742, 83000, 83000, 81377, 81377, 84012, 84012, 85365, 85365, 86742}, {name=".Ophh", 3, 86742, 86032, 86032, 83000, 83000, 86742}, {name=".Opha1", 2, 86742, 87108, 87108, 88601}, {name=".Opha2", 3, 83000, 82673, 82673, 80883, 80883, 79593}, {name=".Ophf1", 5, 84012, 84893, 84893, 85340, 85340, 84970, 84970, 84405, 84405, 85423}, {name=".Ophf2", 4, 81377, 80894, 80894, 80569, 80569, 80343, 80343, 80975}, {name="Ser", 19, 92946, 88771, 88771, 88601, 88601, 89962, 89962, 88048, 88048, 86565, 86565, 86263, 86263, 84880, 80628, 79882, 79882, 79593, 79593, 77516, 77516, 77622, 77622, 77070, 77070, 77257, 77257, 76276, 76276, 77233, 77233, 78072, 78072, 77450, 77450, 76852, 76852, 77233}, {name=".Serh", 4, 77233, 78072, 78072, 77450, 77450, 76852, 76852, 77233}, {name="Sco", 19, 87261, 85927, 85927, 85696, 85696, 86170, 86170, 86670, 86670, 87073, 87073, 86228, 86228, 84143, 84143, 82729, 82729, 82514, 82514, 82396, 82396, 81266, 81266, 80763, 80763, 80112, 80112, 79404, 79404, 78104, 78104, 78265, 80112, 79374, 79374, 78820, 78820, 78401}, {name=".Scoe", 1, 85696, 85927}, {name=".Scoc", 6, 78401, 78820, 78820, 79374, 79374, 80112, 80112, 79404, 79404, 78104, 78104, 78265}, {name=".Scot", 5, 82729, 84143, 84143, 86228, 86228, 87073, 87073, 86670, 86670, 86170}, --chart = "13", {name="Aql", 10, 98036, 97649, 97649, 97278, 97278, 96229, 96229, 95501, 95501, 97804, 99473, 97804, 95501, 93747, 93747, 93244, 95501, 93805, 93805, 93429}, {name=".Aqlh", 3, 96229, 97278, 97278, 97649, 97649, 98036}, {name=".Aqlw1", 2, 95501, 93747, 93747, 93244}, {name=".Aqlw2", 2, 95501, 97804, 97804, 99473}, {name=".Aqlt", 2, 95501, 93805, 93805, 93429}, {name="Sgr", 22, 88635, 89931, 89931, 90185, 90185, 89642, 89642, 88635, 88635, 89341, 89341, 90496, 90496, 89931, 89931, 92041, 92041, 92855, 92855, 94141, 94141, 95168, 95168, 95176, 94141, 93085, 93085, 92855, 92855, 93864, 93864, 93506, 93506, 92041, 93864, 98412, 98412, 98032, 95241, 95347, 95347, 98412, 95347, 93506}, {name=".Sgrh", 3, 92855, 94141, 94141, 93085, 93085, 92855}, {name=".Sgrb", 4, 92855, 92041, 92041, 93506, 93506, 93864, 93864, 92855}, {name=".Sgrs", 4, 93506, 95347, 95347, 98412, 98412, 93864, 93864, 93506}, {name=".Sgrt", 6, 89931, 90496, 90496, 89341, 89341, 88635, 88635, 89642, 89642, 90185, 90185, 89931}, {name="Sge", 3, 98337, 97365, 97365, 96837, 97365, 96757}, {name="Del", 10, 101421, 101916, 101421, 101800, 101916, 101800, 101800, 101882, 101882, 102281, 102281, 102532, 102532, 101958, 101958, 101769, 101769, 101483, 101483, 101800}, {name="CrA", 7, 92989, 93174, 93174, 93825, 93825, 94114, 94114, 94160, 94160, 94005, 94005, 93542, 93542, 92953}, {name="Sct", 4, 92175, 91726, 91726, 90595, 90595, 91117, 91117, 92175}, --chart = "14", {name="Cap", 14, 100064, 100345, 100345, 104139, 104139, 105515, 105515, 106985, 106985, 107556, 105515, 106039, 106039, 105881, 105881, 104139, 104139, 104019, 104019, 104234, 104019, 101027, 100345, 101027, 101027, 102485, 102485, 102978}, {name="Aqr", 23, 102618, 103045, 103045, 104459, 104459, 106278, 106278, 109139, 106278, 109074, 109074, 110395, 110395, 111497, 111497, 110672, 110672, 109074, 109074, 110003, 110003, 112961, 112961, 114855, 114855, 114724, 114724, 112961, 112961, 112716, 112716, 113136, 113136, 114855, 114855, 114341, 114341, 114375, 114375, 114119, 114855, 115438, 115438, 115669, 115669, 116247}, {name=".Aqrh", 4, 109074, 110395, 110395, 111497, 111497, 110672, 110672, 109074}, {name=".Aqra", 2, 109074, 110003, 110003, 112961}, {name=".Aqrv", 6, 114855, 114724, 114724, 112961, 112961, 112716, 112716, 113136, 113136, 114855, 114855, 112961}, {name="Equ", 2, 104987, 104858, 104858, 104521}, {name="PsA", 9, 113368, 111954, 111954, 109285, 109285, 107380, 107380, 107608, 107608, 109285, 109285, 111188, 111188, 112948, 112948, 113246, 113246, 113368}, {name="Gru", 9, 114131, 110997, 110997, 109268, 109268, 112122, 112122, 114421, 114421, 114131, 112122, 113638, 112122, 112623, 109268, 109111, 109111, 108085}, {name="Phe", 12, 5348, 5165, 5165, 3245, 3245, 2072, 3245, 5348, 5165, 7083, 7083, 8837, 8837, 5165, 5165, 6867, 6867, 3245, 2072, 2081, 2081, 765, 765, 2072}, --chart = "15", {name="Psc", 20, 5586, 5742, 5586, 6193, 6193, 5742, 5742, 6706, 6706, 7097, 7097, 8198, 8198, 9487, 9487, 7884, 7884, 7007, 7007, 5737, 5737, 4906, 4906, 3786, 3786, 118268, 118268, 116771, 116771, 116928, 116928, 115738, 115738, 114971, 114971, 115227, 115227, 115830, 115830, 116771}, {name=".Psck", 1, 9487, 9487}, {name=".Pscn", 3, 5742, 6193, 6193, 5586, 5586, 5742}, {name=".Pscw", 6, 116771, 115830, 115830, 115227, 115227, 114971, 114971, 115738, 115738, 116928, 116928, 116771}, {name="Cet", 14, 12706, 11484, 11484, 12828, 12828, 13954, 13954, 14135, 14135, 12706, 12706, 12387, 12387, 10826, 10826, 8645, 8645, 6537, 6537, 1562, 1562, 3419, 3419, 8102, 3419, 9347, 9347, 12387}, {name=".Cett", 5, 12706, 14135, 14135, 13954, 13954, 12828, 12828, 11484, 11484, 12706}, {name="Scl", 1, 4577, 4577}, --chart = "16", {name="Car", 14, 39953, 38827, 38827, 41037, 41037, 45556, 45556, 50371, 50371, 51232, 51232, 51849, 51849, 53253, 53253, 54463, 53253, 52468, 52468, 51576, 51576, 52419, 52419, 50099, 50099, 45238, 45238, 30438, }, {name=".Carh", 6, 51576, 52468, 52468, 53253, 53253, 54463, 53253, 51849, 51849, 51232, 51232, 50371}, {name="Pup", 12, 30438, 31685, 31685, 35264, 35264, 36917, 36917, 37229, 37229, 37173, 37173, 38170, 38170, 38070, 38070, 37677, 37677, 36917, 38170, 39757, 39757, 39429, 39429, 39953}, {name=".Pupt", 6, 38170, 37173, 37173, 37229, 37229, 36917, 36917, 37677, 37677, 38070, 38070, 38170}, {name="Vel", 9, 39953, 42913, 42913, 45941, 45941, 48774, 48774, 52727, 52727, 51986, 51986, 50191, 50191, 46651, 46651, 44816, 44816, 39953}, {name="Pyx", 3, 39429, 42515, 42515, 42828, 42828, 43409}, {name="Vol", 8, 37504, 34481, 34481, 39794, 39794, 37504, 39794, 35228, 39794, 41312, 41312, 44382, 44382, 39794, 40817, 39794}, {name=".Volw1", 1, 39794, 40817}, {name=".Volw2", 1, 39794, 35228}, {name="Dor", 7, 27100, 27890, 27890, 26069, 26069, 27100, 26069, 21281, 21281, 19893, 26069, 23693, 23693, 21281}, {name="Col", 8, 28328, 28199, 28199, 30277, 30277, 29807, 29807, 28199, 28199, 27628, 27628, 28328, 27628, 26634, 26634, 25859}, {name=".Colh", 2, 27628, 26634, 26634, 25859}, {name=".Colt", 3, 28199, 29807, 29807, 30277, 30277, 28199}, {name=".Colw", 3, 28199, 27628, 27628, 28328, 28328, 28199}, {name="Hyi", 5, 2021, 17678, 17678, 12394, 12394, 11001, 11001, 8928, 8928, 9236}, {name="Pic", 3, 32607, 27530, 27530, 27321, 32607, 27321}, {name="Ret", 4, 19780, 19921, 19921, 18597, 18597, 17440, 17440, 19780}, {name="Hor", 1, 19747, 19747}, {name="For", 1, 14879, 14879}, --chart = "17", {name="Cen", 31, 72010, 71865, 71865, 73334, 73334, 71352, 71352, 68245, 68245, 68862, 68862, 70300, 70300, 70090, 70090, 68933, 68933, 67464, 67464, 68245, 67153, 67457, 67153, 67669, 67153, 67786, 67153, 65109, 65109, 65936, 65936, 67464, 67464, 67472, 67472, 68002, 68002, 68523, 68523, 68282, 68282, 68245, 68002, 66657, 66657, 71683, 66657, 68702, 66657, 61932, 61932, 68002, 61932, 60823, 60823, 59449, 59449, 56561, 60823, 59196, 59196, 55425}, {name=".Cenh", 6, 68245, 68862, 68862, 70300, 70300, 70090, 70090, 68933, 68933, 67464, 67464, 68245}, {name=".Cena1", 4, 68245, 71352, 71352, 73334, 73334, 71865, 71865, 72010}, {name=".Cena2", 6, 67464, 65936, 65936, 65109, 65109, 67153, 67153, 67457, 67153, 67669, 67153, 67786}, {name=".Cenb", 3, 68002, 61932, 61932, 66657, 66657, 68002}, {name=".Cenl1", 2, 66657, 71683, 66657, 68702}, {name=".Cenl2", 4, 60823, 59449, 59449, 56561, 60823, 59196, 59196, 55425}, {name="Cru", 2, 61084, 60718, 62434, 59747}, {name="Pav", 13, 100751, 105858, 105858, 102395, 102395, 99240, 99240, 100751, 99240, 98495, 98495, 91792, 91792, 93015, 93015, 99240, 93015, 92609, 92609, 90098, 90098, 88866, 88866, 92609, 88866, 86929}, {name="TrA", 4, 82273, 74946, 74946, 76440, 76440, 77952, 77952, 82273}, {name="Lup", 24, 78918, 77634, 77634, 76705, 76705, 75177, 75177, 78384, 75177, 75304, 75304, 75501, 75501, 76297, 76297, 76552, 76552, 76829, 75501, 75141, 75141, 74117, 74117, 74911, 74911, 75264, 74117, 73807, 73807, 74376, 74376, 74395, 73807, 71536, 71536, 71121, 71536, 71860, 71860, 69996, 71860, 70576, 71860, 72683, 72683, 73273, 73273, 75177}, {name=".Lupt", 3, 75177, 76705, 76705, 77634, 77634, 78918}, {name=".Lupe", 2, 71860, 70576, 71860, 69996}, {name="Mus", 6, 62322, 61585, 61585, 63613, 63613, 61199, 61199, 61585, 61585, 59929, 59929, 57363}, {name="Oct", 3, 107089, 112405, 112405, 70638, 70638, 107089}, {name="Cir", 2, 71908, 75323, 71908, 74824}, {name="Nor", 4, 80000, 80582, 80582, 78914, 78914, 78639, 78639, 80000}, {name="Aps", 4, 80047, 81065, 81065, 81852, 81852, 80047, 80047, 72370}, {name="Cha", 5, 40702, 51839, 51839, 52595, 52595, 60000, 60000, 58484, 58484, 51839}, {name=".Chae", 1, 40702, 40888}, {name="Tuc", 5, 110130, 114996, 114996, 118322, 118322, 1599, 1599, 2484, 2484, 114996}, {name="Ind", 5, 101772, 102333, 102333, 103227, 103227, 108870, 108870, 108431, 108431, 103227}, {name="Tel", 1, 90568, 90422}, {name="Ara", 6, 88714, 85792, 85792, 83153, 83153, 83081, 83081, 82363, 82363, 85727, 85727, 88714}, --chart = "uncharted", {name="Mic", 1, 102831, 102831}, {name="Cae", 1, 21770, 21770}, {name="Men", 1, 29271, 29271}, {name="Sex", 1, 49641, 49641}, }
--モーターシェル --Sctipt By JSY1728 function c100200203.initial_effect(c) --"Motor Token" Summon local e1=Effect.CreateEffect(c) e1:SetCategory(CATEGORY_SPECIAL_SUMMON+CATEGORY_TOKEN) e1:SetType(EFFECT_TYPE_SINGLE+EFFECT_TYPE_TRIGGER_O) e1:SetProperty(EFFECT_FLAG_DELAY) e1:SetCode(EVENT_TO_GRAVE) e1:SetCountLimit(1,100200203+EFFECT_COUNT_CODE_OATH) e1:SetCondition(c100200203.tkcon) e1:SetTarget(c100200203.tktg) e1:SetOperation(c100200203.tkop) c:RegisterEffect(e1) end function c100200203.tkcon(e,tp,eg,ep,ev,re,r,rp) return e:GetHandler():IsPreviousLocation(LOCATION_ONFIELD) end function c100200203.tktg(e,tp,eg,ep,ev,re,r,rp,chk,chkc) if chk==0 then return Duel.GetLocationCount(tp,LOCATION_MZONE)>0 and Duel.IsPlayerCanSpecialSummonMonster(tp,100200303,0,TYPES_TOKEN_MONSTER,200,200,1,RACE_MACHINE,ATTRIBUTE_EARTH) end Duel.SetOperationInfo(0,CATEGORY_TOKEN,nil,1,0,0) Duel.SetOperationInfo(0,CATEGORY_SPECIAL_SUMMON,nil,1,0,0) end function c100200203.tkop(e,tp,eg,ep,ev,re,r,rp) if Duel.GetLocationCount(tp,LOCATION_MZONE)<=0 then return end if Duel.IsPlayerCanSpecialSummonMonster(tp,100200303,0,TYPES_TOKEN_MONSTER,200,200,1,RACE_MACHINE,ATTRIBUTE_EARTH) then local token=Duel.CreateToken(tp,100200303) Duel.SpecialSummon(token,0,tp,tp,false,false,POS_FACEUP_ATTACK) end end
----------------------------------------- -- ID: 16472 -- Item: Poison Knife -- Additional Effect: Poison ----------------------------------------- require("scripts/globals/status") require("scripts/globals/magic") require("scripts/globals/msg") ----------------------------------- function onAdditionalEffect(player,target,damage) local chance = 10 if (math.random(0,99) >= chance or applyResistanceAddEffect(player,target,tpz.magic.ele.WATER,0) <= 0.5) then return 0,0,0 else if (not target:hasStatusEffect(tpz.effect.POISON)) then target:addStatusEffect(tpz.effect.POISON, 4, 3, 30) end return tpz.subEffect.POISON, tpz.msg.basic.ADD_EFFECT_STATUS, tpz.effect.POISON end end
-- func1 comment function myfunc1(arg1, arg2) return 1 + cfunc1(-10, cfunc1(arg1, arg2)) end
----------------------------------- -- Area: Southern SandOria [S] -- NPC: Ulla -- !pos -65 2 -50 80 ----------------------------------- function onTrade(player,npc,trade) end; function onTrigger(player,npc) player:startEvent(508); end; function onEventUpdate(player,csid,option) end; function onEventFinish(player,csid,option) end;
local GUID_LAEZEL = "58a69333-40bf-8358-1d17-fff240d7fb12" function TestComponentGeneric(componentName, expect) local ch = Ext.GetCharacter(GUID_LAEZEL) local component = ch[componentName] -- FIXME - add ==, ~= operator for entities, component handles -- expect.Entity = ch AssertEqualsProperties(expect, component) end function TestCharacterComponentDump() local c = Ext.GetCharacter(GUID_LAEZEL) Ext.Json.Stringify(c:GetAllComponents(), true, true) end function TestAnubisComponent() local expect = { field_18 = "ORI_Laezel" } TestComponentGeneric("Anubis", expect) end function TestAddedSpellsComponent() -- TODO - test with a real spell list local expect = { Spells = {} } TestComponentGeneric("AddedSpells", expect) end function TestAvailableLevelComponent() local expect = { Level = 1 } TestComponentGeneric("AvailableLevel", expect) end function TestBaseHpComponent() local expect = { Vitality = 1, VitalityBoost = 0 } TestComponentGeneric("BaseHp", expect) end function TestCanBeLootedComponent() local expect = { Flags = 0 } TestComponentGeneric("CanBeLooted", expect) end function TestCanDeflectProjectilesComponent() local expect = { Flags = 0 } TestComponentGeneric("CanDeflectProjectiles", expect) end function TestCanDoActionsComponent() local expect = { Flags = 0xffff } TestComponentGeneric("CanDoActions", expect) end function TestCanInteractComponent() local expect = { Flags = 0xffff } TestComponentGeneric("CanInteract", expect) end function TestCanModifyHealthComponent() local expect = { Flags = 0xffff } TestComponentGeneric("CanModifyHealth", expect) end function TestCanMoveComponent() local expect = { Flags = 0xffff } TestComponentGeneric("CanMove", expect) end function TestCanSenseComponent() local expect = { Flags = 65527 } TestComponentGeneric("CanSense", expect) end function TestCanSpeakComponent() local expect = { Flags = 0xffff } TestComponentGeneric("CanSpeak", expect) end function TestCanTravelComponent() local expect = { field_18 = 0, field_1A = 1, field_1C = 224 } TestComponentGeneric("CanTravel", expect) end function TestCombatParticipantComponent() -- FIXME - also test when in combat! local expect = { AiHint = "00000000-0000-0000-0000-000000000000", Archetype = "melee", CombatGroupChangedFlag_M = false, CombatGroupId = "", CombatHandle = null, Flags = 3 } TestComponentGeneric("CombatParticipant", expect) end function TestConcentrationComponent() -- FIXME - also test when concentrating local expect = { SpellId = { ProgressionSource = "00000000-0000-0000-0000-000000000000", OriginatorPrototype = "", Prototype = "", SourceType = "Sentinel" } } TestComponentGeneric("Concentration", expect) end function TestDarknessComponent() local expect = { field_18 = 0, field_19 = 1, field_1A = 0, field_1B = 0, field_1C = 0, -- Always changing depending on lighting? -- field_1D = 97, field_20 = 0 } TestComponentGeneric("Darkness", expect) end function TestDataComponent() local expect = { Flags = 524288, StatsId = "POC_Player_Fighter", StepsType = 0, Weight_M = 45.0 } TestComponentGeneric("Data", expect) end function TestDisplayNameComponent() local expect = { Name = "", NameKey = "h4a8991d6g1618g41ecga5b8g9f59b82c2237", UnknownKey = "ls::TranslatedStringRepository::s_HandleUnknown" } TestComponentGeneric("DisplayName", expect) end function TestDualWieldingComponent() -- FIXME - check when dual wielding? local expect = { field_18 = 0, field_1A = 0, field_1B = 0, field_1D = 0, field_1E = 0 } TestComponentGeneric("DualWielding", expect) end function TestFleeCapabilityComponent() local expect = { field_18 = 0, field_1C = 0.0, field_20 = 0.0 } TestComponentGeneric("FleeCapability", expect) end function TestGameObjectVisualComponent() local expect = { Icon = "1088f4ee-579b-b49e-72cc-7ecc5fc5be79-EQ_Laezel_(Icon_Githyanki_Female)", RootTemplateId = "58a69333-40bf-8358-1d17-fff240d7fb12", RootTemplateType = 1, field_24 = 1.0, field_28 = 0 } TestComponentGeneric("GameObjectVisual", expect) end function TestGenderComponent() local expect = { Gender1 = "Female", Gender2 = "Female" } TestComponentGeneric("Gender", expect) end function TestHealthComponent() -- TODO: PerDamageTypeHealthThresholds, PerDamageTypeModifiers local expect = { CannotDamage_M = false, CurrentHealth = 12, CurrentHealth_M = -1, MaxHealth = 12, MaxHealth_M = 0 } TestComponentGeneric("Health", expect) end function TestHotbarContainerComponent() -- Only test one slot local expect = { Item = null, Passive = "", SpellId = { OriginatorPrototype = "Target_Dip", ProgressionSource= "00000000-0000-0000-0000-000000000000", Prototype = "Target_Dip", SourceType = "SpellSet" } } local component = Ext.GetCharacter(GUID_LAEZEL).HotbarContainer local hotbarElement = component.Containers.DefaultBarContainer[1].Elements[2] AssertEqualsProperties(expect, hotbarElement) end function TestIconComponent() local expect = { Icon = "1088f4ee-579b-b49e-72cc-7ecc5fc5be79-EQ_Laezel_(Icon_Githyanki_Female)" } TestComponentGeneric("Icon", expect) end function TestLevelComponent() local expect = { LevelName = "TUT_Avernus_C" } TestComponentGeneric("Level", expect) end function TestLootComponent() local expect = { Flags = 1, InventoryType = 11 } TestComponentGeneric("Loot", expect) end function TestMovementComponent() local expect = { field_18 = -0.0, field_1C = -0.0, field_20 = -1.0, field_24 = 12.0, field_28 = 0, field_2C = 0, } TestComponentGeneric("Movement", expect) end function TestNetComponent() local expect = { field_18 = "" } TestComponentGeneric("Net", expect) end function TestPathingComponent() -- FIXME - map more fields local expect = { CurveUUID = "1df9c9ee-8dd8-ebeb-3b1a-83d31f141f0a" } TestComponentGeneric("Pathing", expect) end function TestRaceComponent() local expect = { Race = "bdf9b779-002c-4077-b377-8ea7c1faa795" } TestComponentGeneric("Race", expect) end function TestRelationComponent() local expect = { field_18 = "bee8449b-d682-93c8-e7da-9e4bad369476", field_28 = "bee8449b-d682-93c8-e7da-9e4bad369476", field_38 = null } TestComponentGeneric("Relation", expect) end function TestHearingComponent() local expect = { FOV = 90.0, Hearing = 18.0, Sight = 18.0 } TestComponentGeneric("Hearing", expect) end function TestServerDisplayNameListComponent() local expect = { Names = { { Name = "", NameKey = "h4a8991d6g1618g41ecga5b8g9f59b82c2237" -- TODO - 2 Unknowns } } } TestComponentGeneric("ServerDisplayNameList", expect) end function TestServerExperienceGaveOutComponent() local expect = { Experience = 0 } TestComponentGeneric("ServerExperienceGaveOut", expect) end function TestServerIconListComponent() local expect = { Icons = { { Icon = "1088f4ee-579b-b49e-72cc-7ecc5fc5be79-EQ_Laezel_(Icon_Githyanki_Female)", -- field_4 = 2185232388 ??? } }, field_30 = 1 } TestComponentGeneric("ServerIconList", expect) end function TestServerOsirisTagComponent() local expect = { Tags = { "b5682d1d-c395-489c-9675-1f9b0c328ea5", "bad00ba2-8a49-450c-8387-af47681717f1", "d2f86ec3-c41f-47e1-8acd-984872a4d7d5" } } TestComponentGeneric("ServerOsirisTag", expect) end function TestServerRaceTagComponent() local expect = { Tags = { "677ffa76-2562-4217-873e-2253d4720ba4", "7fbed0d4-cabc-4a9d-804e-12ca6088a0a8" } } TestComponentGeneric("ServerRaceTag", expect) end function TestServerSafePositionComponent() local expect = { Position = { 0.0, 0.0, 0.0 }, field_24 = false } TestComponentGeneric("ServerSafePosition", expect) end function TestServerToggledPassivesComponent() local expect = { Passives = { AttackOfOpportunity = true } } TestComponentGeneric("ServerToggledPassives", expect) end function TestServerTriggerStateComponent() local expect = { Triggers = { "d6136d6a-38b4-43f0-ac12-7b24b4599f0f", "7e474b28-8ff0-4c7b-800d-e43eee0e7e2e" } } TestComponentGeneric("ServerTriggerState", expect) end function TestSightComponent() local expect = { Sight = 2.0 } TestComponentGeneric("Sight", expect) end function TestSpellBookComponent() -- Only test one slot local expect = { CooldownType = "OncePerTurnNoRealtime", Id = { OriginatorPrototype = "Projectile_Jump", ProgressionSource = "00000000-0000-0000-0000-000000000000", Prototype = "Projectile_Jump", SourceType = "SpellSet" }, SpellCastingAbility = "Intelligence", SpellUUID = "d136c5d9-0ff0-43da-acce-a74a07f8d6bf", field_38 = -1, field_41 = 1, field_42 = 0 } local component = Ext.GetCharacter(GUID_LAEZEL).SpellBook local spell = component.Spells[1] AssertEqualsProperties(expect, spell) end function TestSpellBookPreparesComponent() -- Only test one slot local expect = { OriginatorPrototype = "Projectile_Jump", ProgressionSource = "00000000-0000-0000-0000-000000000000", SourceType = "SpellSet" } local component = Ext.GetCharacter(GUID_LAEZEL).SpellBookPrepares local spell = component.PreparedSpells[1] AssertEqualsProperties(expect, spell) end function TestSpellContainerComponent() -- Only test one slot local expect = { CooldownType = "Default", ItemHandle = null, SelectionType = "Singular", SpellCastingAbility = "Intelligence", SpellId = { OriginatorPrototype = "Target_Dip", ProgressionSource = "00000000-0000-0000-0000-000000000000", SourceType = "SpellSet" }, SpellUUID = "d136c5d9-0ff0-43da-acce-a74a07f8d6bf", field_29 = 0, field_44 = "", field_48 = 0 } local component = Ext.GetCharacter(GUID_LAEZEL).SpellContainer local spell = component.Spells[2] AssertEqualsProperties(expect, spell) end function TestStatsComponent() local expect = { Abilities = { 0, 17, 13, 14, 11, 12, 8 }, AbilityModifiers = { 0, 3, 1, 2, 0, 1, -1 }, ArmorType = 0, ArmorType_Breast = 9, Classes = { { Class = "721dfac3-92d4-41f5-b773-b7072a86232f", SubClass = "00000000-0000-0000-0000-000000000000", Priority = 1, } }, Equipment = { Boots = { -- ItemHandle = "Entity (03000001000000af)", Slot = "Boots", field_10 = 1, -- field_11 = 230 }, Breast = { -- ItemHandle = "Entity (03000001000000ac)", Slot = "Breast", field_10 = 1, -- field_11 = 230 }, MeleeMainWeapon = { -- ItemHandle = "Entity (03000001000000b1)", Slot = "MeleeMainWeapon", field_10 = 1, -- field_11 = 230 }, RangedMainWeapon = { -- ItemHandle = "Entity (03000001000000b0)", Slot = "RangedMainWeapon", field_10 = 1, -- field_11 = 230 } }, Flanked = false, Level = 1, ProficiencyBonus = 2, RangedAttackAbility = "Dexterity", Skills = { -1, -1, -1, -1, 1, 1, 1, 0, 0, 0, 0, 0, 3, 1, 1, 1, 1, 1 }, SpellCastingAbility = "Intelligence", SpellDC = 10, UnarmedAttackAbility = "Strength", WeaponActionDC = 3, field_10 = 1, field_AC = 0 } TestComponentGeneric("Stats", expect) -- Check item handle validity local stats = Ext.GetCharacter(GUID_LAEZEL).Stats local wpn = stats.Equipment.MeleeMainWeapon.ItemHandle.Data AssertEquals(wpn.StatsId, "WPN_Longsword") end function TestStatusImmunitiesComponent() -- FIXME - test with non-empty list local expect = { PersonalStatusImmunities = {} } TestComponentGeneric("StatusImmunities", expect) end function TestSurfacePathInfluencesComponent() -- Only test one slot local expect = { Influence = 100, IsCloud = false, SurfaceType = "BloodElectrified" } local component = Ext.GetCharacter(GUID_LAEZEL).SurfacePathInfluences local influence = component.PathInfluences[1] AssertEqualsProperties(expect, influence) end function TestTransformComponent() local expect = { Transform = { Scale = { 1.0, 1.0, 1.0 }, Translate = { -82.25, 8.9506282806396484, -408.75 } } } TestComponentGeneric("Transform", expect) end -- FIXME - ActionResources -- BoostsContainer -- LearnedSpells -- ObjectInteraction -- Physics -- ProgressionContainer -- ServerPickpocket -- ServerReplicationDependencyOwner -- ServerTemplateTag -- SpellAiConditions -- SpellBookCooldowns -- Tag -- TurnBased -- UnsheathInfo
if ( SERVER ) then AddCSLuaFile( "shared.lua" ) end if (CLIENT) then SWEP.Slot = 5; SWEP.SlotPos = 5; SWEP.DrawAmmo = false; SWEP.PrintName = "Heal Ability"; SWEP.DrawCrosshair = true; end SWEP.Author = "JohnyReaper" SWEP.Instructions = "Primary Fire: Heal"; SWEP.Purpose = "To healing people."; SWEP.Contact = "" SWEP.Category = "Vort Swep" SWEP.Slot = 5 SWEP.SlotPos = 5 SWEP.Weight = 5 SWEP.Spawnable = true SWEP.AdminSpawnable = false; -- SWEP.ViewModel = "models/weapons/v_vortbeamvm.mdl" SWEP.WorldModel = "" SWEP.HoldType = "heal" SWEP.Primary.ClipSize = -1 SWEP.Primary.DefaultClip = -1 SWEP.Primary.Automatic = false SWEP.Primary.Ammo = "none" SWEP.Secondary.ClipSize = 1 SWEP.Secondary.DefaultClip = 1 SWEP.Secondary.Automatic = false SWEP.Secondary.Ammo = "none" function SWEP:Initialize() self:SetWeaponHoldType(self.HoldType) end function SWEP:Deploy() if (SERVER) then self.Owner:DrawViewModel(false) if (!self.HealSound) then self.HealSound = CreateSound( self.Weapon, "npc/vort/health_charge.wav" ); end end end function SWEP:Holster() if (SERVER) then self.Owner:DrawViewModel(true) end return true end function SWEP:OnRemove() if (SERVER) then self.Owner:DrawViewModel(true) end return true end function SWEP:DispatchEffect(EFFECTSTR) local pPlayer=self.Owner; if !pPlayer then return end local view; if CLIENT then view=GetViewEntity() else view=pPlayer:GetViewEntity() end if ( !pPlayer:IsNPC() && view:IsPlayer() ) then ParticleEffectAttach( EFFECTSTR, PATTACH_POINT_FOLLOW, pPlayer, pPlayer:LookupAttachment( "leftclaw" ) ); else ParticleEffectAttach( EFFECTSTR, PATTACH_POINT_FOLLOW, pPlayer, pPlayer:LookupAttachment( "leftclaw" ) ); end end function SWEP:PrimaryAttack() if (!self.Owner:Alive()) then return false end if (!self.Owner:GetCharacter():IsVortigaunt()) then return false end -- self.Owner:SetAnimation( PLAYER_ATTACK1 ) local eye = self.Owner:GetEyeTrace() if (!eye.Entity:IsPlayer()) then return end if self.Owner:Health() <= 50 then if (SERVER) then self.Owner:NotifyLocalized("You are too weak to heal someone!") end return end local target = eye.Entity if target:GetPos():Distance(self.Owner:GetShootPos()) > 105 then return end if target:Health() >= target:GetMaxHealth() then if (SERVER) then self.Owner:NotifyLocalized("The target is perfectly healthy!") end return end self:DispatchEffect("vortigaunt_charge_token") if (SERVER) then self.Owner:ForceSequence("heal_cycle") self.Owner:EmitSound( "npc/vort/health_charge.wav", 100, 150, 1, CHAN_AUTO ) self.Owner:Freeze(true) end timer.Simple(2,function() self.Owner:StopParticles() if (!self.Owner:Alive()) then return end if (SERVER) then print(target:GetPos():Distance(self.Owner:GetShootPos())) if target:GetPos():Distance(self.Owner:GetShootPos()) <= 105 then local randomNum = math.random(ix.config.Get("VortHealMin", 5),ix.config.Get("VortHealMax", 20)) target:SetHealth(math.Clamp(target:Health()+randomNum, 0, target:GetMaxHealth())) self.Owner:StopSound("npc/vort/health_charge.wav") self.Owner:Freeze(false) print("dziala") else self.Owner:StopSound("npc/vort/health_charge.wav") self.Owner:Freeze(false) end end end) self:SetNextPrimaryFire( CurTime() + 3 ) end; function SWEP:SecondaryAttack() return false end
--- --- Generated by EmmyLua(https://github.com/EmmyLua) --- Created by apple. --- DateTime: 2018/9/20 下午11:15 --- --- @class PreAttackEffect : NewGameObject PreAttackEffect = NewGameObject:extend() function PreAttackEffect:new(area,x,y,opts) PreAttackEffect.super.new(self,area,x,y,opts) self.duration = opts.duration or 1 self.timer:every(0.02,function () self.area:addObject("TargetParticle", self.x + random(-20,20),self.y + random(-20,20), {target_x = self.x,target_y = self.y,color = self.color}) end) self.timer:after(self.duration - self.duration/4,function () self.dead = true end) end function PreAttackEffect:update(dt) PreAttackEffect.super.update(self,dt) if self.shooter and not self.shooter.dead then self.x = self.shooter.x + 1.4 * self.shooter.w * math.cos(self.shooter.collider:getAngle()) self.y = self.shooter.y + 1.4 * self.shooter.w * math.sin(self.shooter.collider:getAngle()) end end
------------------------------------------------------------------------------ -- Require -- ------------------------------------------------------------------------------ local mysql = require("resty.mysql") require('orm.class.global') require("orm.tools.func") local Table = require('orm.class.table') ------------------------------------------------------------------------------ -- Constants -- ------------------------------------------------------------------------------ -- Global ID = "id" AGGREGATOR = "aggregator" QUERY_LIST = "query_list" ------------------------------------------------------------------------------ -- Model Settings -- ------------------------------------------------------------------------------ if not DB then print("[SQL:Startup] Can't find global database settings variable 'DB'. Creating empty one.") DB = {} end DB = { -- ORM settings new = (DB.new == true), DEBUG = (DB.DEBUG == true), backtrace = (DB.backtrace == true), -- database settings name = DB.name or "app", host = DB.host or nil, port = DB.port or nil, username = DB.username or nil, password = DB.password or nil } local _conn = mysql:new() local ok, err, errcode, sqlstate = _conn:connect(DB.name, DB.username, DB.password, DB.host, DB.port) if not ok then BACKTRACE(ERROR, "Connect problem!") BACKTRACE(ERROR, err) BACKTRACE(ERROR, errcode) BACKTRACE(ERROR, table.concat({DB.host, DB.port, DB.name, DB.user}, ",")) end ------------------------------------------------------------------------------ -- Database -- ------------------------------------------------------------------------------ -- Database settings db = { -- Database connect instance connect = _conn, -- Execute SQL query execute = function (self, query) BACKTRACE(DEBUG, query) local result = self.connect:query(query) if result then return result else BACKTRACE(WARNING, "Wrong SQL query") end end, -- Return insert query id insert = function (self, query) local _cursor = self:execute(query) return 1 end, -- get parced data rows = function (self, query, own_table) local _cursor = self:execute(query) local data = {} local current_row = {} local current_table local row if _cursor then row = _cursor:fetch({}, "a") while row do for colname, value in pairs(row) do current_table, colname = string.divided_into(colname, "_") if current_table == own_table.__tablename__ then current_row[colname] = value else if not current_row[current_table] then current_row[current_table] = {} end current_row[current_table][colname] = value end end table.insert(data, current_row) current_row = {} row = _cursor:fetch({}, "a") end end return data end } return Table
--[[ -x = 1 -z = 2 +x = 3 +z = 4 ]] nilfunc = function() return end TT1 = require("fuelCheck") -- if you don't want or need this then just remove this if not TT1 then refuelItself = nilfunc end --- config --- blacklist = { "chest", "turtle" } veinMiningEnabled = true -------------- -- Turn functions turn = {} function turn.left() facing = facing - 1 if facing < 1 then facing = 4 end turtle.turnLeft() end function turn.right() facing = facing + 1 if facing > 4 then facing = 1 end turtle.turnRight() end function turn.leftTwice() turn.left() turn.left() end function turn.rightTwice() turn.right() turn.right() end directionList = { [0] = nilfunc, -- there is nothing to do |if the robot is facing the same target direction then it always gets zero and there is nothing to do [1] = turn.right, -- direction is one to the left or right [-1] = turn.left, [2] = turn.rightTwice, -- direction is behind the turtle [-2] = turn.leftTwice, [3] = turn.left, -- direction is one to the left or right but not mathematicly [-3] = turn.right } function turn.to(direction) local turnnum = direction - facing print(turnnum) directionList[turnnum]() end -- Dig functions dig = {} function dig.main(Tinspect,Tdig) local isblock, block = Tinspect() if isblock then -- if the block isn't air then local ore = false local blacklisted = false for i,name in pairs(blacklist) do -- check for every blacklisted word and if there is one then don't dig, else otherwise if string.find(block["name"],name) then blacklisted = true break end end if blacklisted == false then Tdig() -- turtle.digDIRECTION() end end end function dig.forward() dig.main(turtle.inspect, turtle.dig) end function dig.up() dig.main(turtle.inspectUp, turtle.digUp) end function dig.down() dig.main(turtle.inspectDown, turtle.digDown) end -- Movement functions move = {} function move.main(Tmove,digFunc) while true do -- while the turtle isn't moving try to make the way clear by digging moved,error = Tmove() if moved then return end if error == "Movement obstructed" then digFunc() elseif error == "Out of fuel" then refuelItself() end end end function move.forward() move.main(turtle.forward, dig.forward) end function move.up() move.main(turtle.up, dig.up) end function move.down() move.main(turtle.down, dig.down) end function move.tunnel() move.main(turtle.forward, dig.forward) dig.up() end function move.line(moveFunc,number) -- one move function like move.forward or even move.tunnel,how many times to walk it |repeating a process to walk a line for i=1,number do moveFunc() end end
--- -- JSON-RPC module. -- -- @module lupidary.jsonrpc -- @author t-kenji <protect.2501@gmail.com> -- @license MIT -- @copyright 2021 t-kenji local _M = {_VERSION = '0.1.0'} _M.__index = _M local json = require('json') local encode, decode = json.encode, json.decode local sub, byte = string.sub, string.byte local mt = {} mt.__index = mt local req_mt = {} req_mt.__index = req_mt function req_mt:response(data) data = data or {} local o = { jsonrpc = '2.0', id = (self.data_ or {}).id, } local e = data['error'] if e then o['error'] = { code = e.code or -32000, message = e.message, data = e.data, } elseif data.result then o.result = data.result else error('Response must have result or error field') end self.parent_.so_:send(encode(o)) end function req_mt:parse_error(e) e = e or {} self:response{ error = { code = -32700, message = e.message or 'Parse error', data = e.data, } } end function req_mt:invalid_request(e) e = e or {} self:response{ error = { code = -32600, message = e.message or 'Invalid Request', data = e.data, } } end function req_mt:method_not_found(e) e = e or {} self:response{ error = { code = -32601, message = e.message or 'Method not found', data = e.data, } } end function req_mt:invalid_params(e) e = e or {} self:response{ error = { code = -32602, message = e.message or 'Invalid params', data = e.data, } } end function req_mt:internal_error(e) e = e or {} self:response{ error = { code = -32603, message = e.message or 'Internal error', data = e.data, } } end function req_mt:server_error(e) e = e or {} self:response{ error = { code = e.code, message = e.message or 'Server error', data = e.data, } } end function mt:receive() local o = { parent_ = self, } setmetatable(o, {__index = req_mt}) local data = nil local buffer = (self.carry_over_ or '') while true do local nest = 0 for i = 1, #buffer do local c = byte(buffer, i) if c == 123 then -- '{' nest = nest + 1 elseif c == 125 then -- '}' if nest == 0 then o:parse_error() error('Parse error') end nest = nest - 1 if nest == 0 then self.carry_over_ = sub(buffer, i + 1) local ok, err = pcall(function () data = decode(sub(buffer, 1, i)) end) if not ok then o:parse_error() error(err) end break end end end if data then break end local err, chunk = select(2, self.so_:receive('*a')) if err ~= 'timeout' then o:parse_error() error(err) end buffer = buffer .. chunk end if data.jsonrpc ~= '2.0' then o:invalid_request() error('Version not supported (expected 2.0 but got ' .. data.jsonrpc ..')') end o.method = data.method o.params = data.params o.id = data.id o.data_ = data return o end function mt:send(data) self.so_:send(encode({ jsonrpc = '2.0', method = data.method or error('Request must have method field'), params = data.params, id = data.id, })) end function _M.wrap(so) local o = { so_ = so, } setmetatable(o, {__mode = 'v', __index = mt}) return o end return _M
ITEM.name = "Refrigerator" ITEM.description = "containerRefrigeratorDesc" ITEM.ContainerModel = "models/props_c17/furniturefridge001a.mdl" ITEM.price = 120
-- Modified by Alberto Pettarin -- Date: 2017-01-16 -- ALPE API docs https://awesome.naquadah.org/doc/api/ -- ALPE see also https://awesome.naquadah.org/wiki/FAQ -- ALPE see also https://wiki.archlinux.org/index.php/Awesome -- Standard awesome library local gears = require("gears") local awful = require("awful") awful.rules = require("awful.rules") require("awful.autofocus") -- Widget and layout library local wibox = require("wibox") -- Theme handling library local beautiful = require("beautiful") -- Notification library local naughty = require("naughty") -- ALPE I do not like the menubar -- ALPE to restore it, uncomment the lines with MENU -- MENU local menubar = require("menubar") -- Load Debian menu entries -- MENU require("debian.menu") -- revelation -- see https://github.com/guotsuan/awesome-revelation local revelation = require("revelation") -- Error handling {{{ -- Check if awesome encountered an error during startup and fell back to -- another config (This code will only ever execute for the fallback config) if awesome.startup_errors then naughty.notify({ preset = naughty.config.presets.critical, title = "Error during startup!", text = awesome.startup_errors }) end -- Handle runtime errors after startup do local in_error = false awesome.connect_signal("debug::error", function (err) -- Make sure we don't go into an endless error loop if in_error then return end in_error = true naughty.notify({ preset = naughty.config.presets.critical, title = "Error after startup!", text = err }) in_error = false end ) end -- }}} -- Variable definitions {{{ -- Themes define colours, icons, font and wallpapers. beautiful.init(".config/awesome/themes/niceandclean/theme.lua") -- Initialize revelation (MUST be AFTER beautiful.init) revelation.init() -- This is used later as the default terminal and editor to run. terminal = "lxterminal" editor = os.getenv("EDITOR") or "editor" editor_cmd = terminal .. " -e " .. editor -- Default modkey. -- Usually, Mod4 is the key with a logo between Control and Alt. -- If you do not like this or do not have such a key, -- I suggest you to remap Mod4 to another key using xmodmap or other tools. -- However, you can use another modifier like Mod1, but it may interact with others. modkey = "Mod4" -- Table of layouts to cover with awful.layout.inc, order matters. local layouts = { awful.layout.suit.floating, -- DEFAULT awful.layout.suit.tile, awful.layout.suit.tile.left, -- DEFAULT awful.layout.suit.tile.bottom, awful.layout.suit.tile.top, -- DEFAULT awful.layout.suit.fair, -- DEFAULT awful.layout.suit.fair.horizontal, awful.layout.suit.spiral, -- DEFAULT awful.layout.suit.spiral.dwindle, awful.layout.suit.max, -- DEFAULT awful.layout.suit.max.fullscreen, awful.layout.suit.magnifier } -- }}} -- Wallpaper {{{ if beautiful.wallpaper then for s = 1, screen.count() do gears.wallpaper.maximized(beautiful.wallpaper, s, true) end end -- }}} -- Tags {{{ -- Define a tag table which hold all screen tags. tags = {} for s = 1, screen.count() do -- Each screen has the eight tags. tags[s] = awful.tag({ 1, 2, 3, 4, 5, 6, 7, 8 }, s, awful.layout.suit.max) end -- }}} -- {{{ Menu -- Create a laucher widget and a main menu mymainmenu = awful.menu({ items = { { "pc&manfm", "pcmanfm" }, { " --------- ", "" }, { "&gnome-terminal", "gnome-terminal" }, { "&lxterminal", "lxterminal" }, { "&xterm", "xterm" }, { " --------- ", "" }, { "thun&derbird", "thunderbird" }, { " --------- ", "" }, { "&iceweasel", "iceweasel" }, { "&chrome", "google-chrome" }, { " --------- ", "" }, { "&skype", "skypeforlinux" }, { "d&ropbox", "dropbox start" }, { " --------- ", "" }, { "synergy server", ".bin/startSynergyServer" }, { "synergy client", ".bin/startSynergyClient" }, { " --------- ", "" }, { "set cpu &freq", "sudo /usr/sbin/setcpufreq" }, { "s&uspend", "sudo /usr/sbin/pm-suspend" }, { " --------- ", "" }, { "&quit", awesome.quit } } }) mylauncher = awful.widget.launcher({ image = beautiful.awesome_icon, menu = mymainmenu }) -- Menubar configuration -- MENU menubar.utils.terminal = terminal -- Set the terminal for applications that require it -- }}} -- Wibox {{{ -- Create a textclock widget mytextclock = awful.widget.textclock() -- Create a wibox for each screen and add it mywibox = {} mypromptbox = {} mylayoutbox = {} mytaglist = {} mytaglist.buttons = awful.util.table.join( awful.button({ }, 1, awful.tag.viewonly), awful.button({ modkey }, 1, awful.client.movetotag), awful.button({ }, 3, awful.tag.viewtoggle), awful.button({ modkey }, 3, awful.client.toggletag), awful.button({ }, 4, function(t) awful.tag.viewnext(awful.tag.getscreen(t)) end), awful.button({ }, 5, function(t) awful.tag.viewprev(awful.tag.getscreen(t)) end) ) mytasklist = {} mytasklist.buttons = awful.util.table.join( awful.button({ }, 1, function (c) if c == client.focus then c.minimized = true else -- Without this, the following -- :isvisible() makes no sense c.minimized = false if not c:isvisible() then awful.tag.viewonly(c:tags()[1]) end -- This will also un-minimize -- the client, if needed client.focus = c c:raise() end end), awful.button({ }, 3, function () if instance then instance:hide() instance = nil else instance = awful.menu.clients({ theme = { width = 250 } }) end end), awful.button({ }, 4, function () awful.client.focus.byidx(1) if client.focus then client.focus:raise() end end), awful.button({ }, 5, function () awful.client.focus.byidx(-1) if client.focus then client.focus:raise() end end) ) -- ALPE end of mytasklist.buttons = awful.util.table.join( for s = 1, screen.count() do -- Create a promptbox for each screen mypromptbox[s] = awful.widget.prompt() -- Create an imagebox widget which will contains an icon indicating which layout we're using. -- We need one layoutbox per screen. mylayoutbox[s] = awful.widget.layoutbox(s) mylayoutbox[s]:buttons(awful.util.table.join( awful.button({ }, 1, function () awful.layout.inc(layouts, 1) end), awful.button({ }, 3, function () awful.layout.inc(layouts, -1) end), awful.button({ }, 4, function () awful.layout.inc(layouts, 1) end), awful.button({ }, 5, function () awful.layout.inc(layouts, -1) end) )) -- Create a taglist widget mytaglist[s] = awful.widget.taglist(s, awful.widget.taglist.filter.all, mytaglist.buttons) -- Create a tasklist widget mytasklist[s] = awful.widget.tasklist(s, awful.widget.tasklist.filter.currenttags, mytasklist.buttons) -- Create the wibox mywibox[s] = awful.wibox({ position = "top", screen = s }) -- Widgets that are aligned to the left local left_layout = wibox.layout.fixed.horizontal() left_layout:add(mylauncher) left_layout:add(mytaglist[s]) left_layout:add(mypromptbox[s]) -- Widgets that are aligned to the right local right_layout = wibox.layout.fixed.horizontal() if s == 1 then right_layout:add(wibox.widget.systray()) end right_layout:add(mytextclock) right_layout:add(mylayoutbox[s]) -- Now bring it all together (with the tasklist in the middle) local layout = wibox.layout.align.horizontal() layout:set_left(left_layout) layout:set_middle(mytasklist[s]) layout:set_right(right_layout) mywibox[s]:set_widget(layout) end -- }}} -- Mouse bindings {{{ root.buttons(awful.util.table.join( awful.button({ }, 3, function () mymainmenu:toggle() end), awful.button({ }, 4, awful.tag.viewnext), awful.button({ }, 5, awful.tag.viewprev) )) -- }}} -- {{{ Key bindings globalkeys = awful.util.table.join( awful.key({ modkey, }, "Left", awful.tag.viewprev), awful.key({ modkey, }, "Right", awful.tag.viewnext), awful.key({ modkey, }, "Escape", awful.tag.history.restore), awful.key({ modkey, }, "j", function () awful.client.focus.byidx(1) if client.focus then client.focus:raise() end end), awful.key({ modkey, }, "k", function () awful.client.focus.byidx(-1) if client.focus then client.focus:raise() end end), awful.key({ modkey, }, "z", function () mymainmenu:show({ keygrabber=true }) end), awful.key({ "Control", "Mod1" }, "Left", awful.tag.viewprev), awful.key({ "Control", "Mod1" }, "Right", awful.tag.viewnext), awful.key({ modkey }, "e", revelation), awful.key({ modkey, }, "Up", function () awful.client.focus.byidx(1) if client.focus then client.focus:raise() end end), awful.key({ modkey, }, "Down", function () awful.client.focus.byidx(-1) if client.focus then client.focus:raise() end end), awful.key({ modkey, "Shift" }, "Up", function () awful.client.swap.byidx( 1) end), awful.key({ modkey, "Shift" }, "Down", function () awful.client.swap.byidx(-1) end), -- ALPE advancedOSD bindings awful.key({ "Control", }, "F1", function () awful.util.spawn(".bin/advancedOSD toggleVolume") end), awful.key({ "Control", }, "F2", function () awful.util.spawn(".bin/advancedOSD lowerVolume") end), awful.key({ "Control", }, "F3", function () awful.util.spawn(".bin/advancedOSD raiseVolume") end), awful.key({ "Control", }, "F4", function () awful.util.spawn(".bin/advancedOSD toggleCapture") end), awful.key({ "Control", }, "F5", function () awful.util.spawn(".bin/advancedOSD lowerBrightness") end), awful.key({ "Control", }, "F6", function () awful.util.spawn(".bin/advancedOSD raiseBrightness") end), awful.key({ "Control", }, "F7", function () awful.util.spawn("lxrandr") end), awful.key({ "Control", }, "F8", function () awful.util.spawn(".bin/advancedOSD toggleRadio") end), awful.key({ "Control", }, "F9", function () awful.util.spawn(".bin/advancedOSD toggleTouchpad") end), awful.key({ "Control", }, "F10", function () awful.util.spawn(".bin/advancedOSD screenshot") end), awful.key({ "Control", }, "Print", function () awful.util.spawn(".bin/advancedOSD screenshot") end), awful.key({ modkey, "Mod1" }, "", function () awful.util.spawn(".bin/advancedOSD time") end), -- Layout manipulation awful.key({ modkey, "Shift" }, "j", function () awful.client.swap.byidx( 1) end), awful.key({ modkey, "Shift" }, "k", function () awful.client.swap.byidx(-1) end), awful.key({ modkey, "Control" }, "j", function () awful.screen.focus_relative( 1) end), awful.key({ modkey, "Control" }, "k", function () awful.screen.focus_relative(-1) end), awful.key({ modkey, }, "u", awful.client.urgent.jumpto), awful.key({ modkey, }, "Tab", function () awful.client.focus.history.previous() if client.focus then client.focus:raise() end end), -- Standard program awful.key({ modkey, }, "Return", function () awful.util.spawn(terminal) end), awful.key({ modkey, "Shift" }, "r", awesome.restart ), awful.key({ modkey, "Control" }, "r", awesome.restart ), awful.key({ modkey, "Shift" }, "q", awesome.quit), awful.key({ modkey, }, "l", function () awful.tag.incmwfact( 0.05) end), awful.key({ modkey, }, "h", function () awful.tag.incmwfact(-0.05) end), awful.key({ modkey, "Shift" }, "h", function () awful.tag.incnmaster( 1) end), awful.key({ modkey, "Shift" }, "l", function () awful.tag.incnmaster(-1) end), awful.key({ modkey, "Control" }, "h", function () awful.tag.incncol( 1) end), awful.key({ modkey, "Control" }, "l", function () awful.tag.incncol(-1) end), awful.key({ modkey, }, "space", function () awful.layout.inc(layouts, 1) end), awful.key({ modkey, "Shift" }, "space", function () awful.layout.inc(layouts, -1) end), awful.key({ modkey, "Control" }, "n", awful.client.restore), -- Prompt awful.key({ modkey }, "r", function () mypromptbox[mouse.screen]:run() end), awful.key({ modkey }, "x", function () mypromptbox[mouse.screen]:run() end) -- Menubar -- MENU awful.key({ modkey }, "p", function() menubar.show() end) ) clientkeys = awful.util.table.join( awful.key({ modkey, }, "f", function (c) c.fullscreen = not c.fullscreen end), awful.key({ }, "F11", function (c) c.fullscreen = not c.fullscreen end), awful.key({ modkey, "Shift" }, "c", function (c) c:kill() end), awful.key({ modkey, }, "w", function (c) c:kill() end), awful.key({ modkey, "Control" }, "space", awful.client.floating.toggle ), awful.key({ modkey, "Control" }, "Return", function (c) c:swap(awful.client.getmaster()) end), awful.key({ modkey, }, "o", awful.client.movetoscreen ), awful.key({ modkey, }, "a", function (c) c.ontop = not c.ontop end), awful.key({ modkey, }, "t", function (c) c.ontop = not c.ontop end), awful.key({ modkey, }, "n", function (c) -- The client currently has the input focus, so it cannot be -- minimized, since minimized clients can't have the focus c.minimized = true end), awful.key({ modkey, }, "m", function (c) c.maximized_horizontal = not c.maximized_horizontal c.maximized_vertical = not c.maximized_vertical end) ) -- Compute the maximum number of digit we need, limited to 9 -- DEFAULT keynumber = 0 -- DEFAULT for s = 1, screen.count() do -- DEFAULT keynumber = math.min(9, math.max(#tags[s], keynumber)); -- DEFAULT end keynumber = 8 -- Bind all key numbers to tags -- Be careful: we use keycodes to make it works on any keyboard layout -- This should map on the top row of your keyboard, usually 1 to 9 for i = 1, keynumber do globalkeys = awful.util.table.join(globalkeys, -- View tag only awful.key( { modkey }, "#" .. i + 9, function () local screen = mouse.screen local tag = awful.tag.gettags(screen)[i] if tag then awful.tag.viewonly(tag) end end ), -- Toggle tag awful.key( { modkey, "Control" }, "#" .. i + 9, function () local screen = mouse.screen local tag = awful.tag.gettags(screen)[i] if tag then awful.tag.viewtoggle(tag) end end ), -- Move client to tag awful.key( { modkey, "Shift" }, "#" .. i + 9, function () if client.focus then local tag = awful.tag.gettags(client.focus.screen)[i] if tag then awful.client.movetotag(tag) end end end ), -- Toggle tag awful.key( { modkey, "Control", "Shift" }, "#" .. i + 9, function () if client.focus then local tag = awful.tag.gettags(client.focus.screen)[i] if tag then awful.client.toggletag(tag) end end end ) ) end clientbuttons = awful.util.table.join( awful.button({ }, 1, function (c) client.focus = c; c:raise() end), awful.button({ modkey }, 1, awful.mouse.client.move), awful.button({ modkey }, 3, awful.mouse.client.resize) ) -- Set keys root.keys(globalkeys) -- }}} -- Rules {{{ -- Rules to apply to new clients through the "manage" signal awful.rules.rules = { -- All clients will match this rule. { rule = { }, properties = { border_width = beautiful.border_width, border_color = beautiful.border_normal, focus = awful.client.focus.filter, raise = true, -- ALPE focus = true, keys = clientkeys, buttons = clientbuttons } }, { -- Thunderbird always on desktop #1 rule = { class = "Thunderbird" }, properties = { tag = tags[1][1] } }, { -- Iceweasel (Firefox) always on desktop #2 rule = { -- ALPE it seems now Iceweasel exposes Firefox as its class... -- ALPE class = "Iceweasel" class = "Firefox" }, properties = { tag = tags[1][2] } }, { -- Google Chrome always on desktop #3 rule = { class = "Google-chrome" }, properties = { tag = tags[1][3] } }, { -- Skype always floating rule = { class = "Skype" }, properties = { tag = tags[1][8], switchtotag = true, floating = true } } } -- }}} -- Signals {{{ -- Signal function to execute when a new client appears. client.connect_signal("manage", function (c, startup) -- Enable sloppy focus c:connect_signal("mouse::enter", function(c) if awful.layout.get(c.screen) ~= awful.layout.suit.magnifier and awful.client.focus.filter(c) then client.focus = c end end ) if not startup then -- Set the windows at the slave, -- i.e. put it at the end of others instead of setting it master. -- awful.client.setslave(c) -- Put windows in a smart way, only if they does not set an initial position. if not c.size_hints.user_position and not c.size_hints.program_position then awful.placement.no_overlap(c) awful.placement.no_offscreen(c) end elseif not c.size_hints.user_position and not c.size_hints.program_position then -- Prevent clients from being unreachable after screen count change awful.placement.no_offscreen(c) end local titlebars_enabled = false if titlebars_enabled and (c.type == "normal" or c.type == "dialog") then -- buttons for the titlebar local buttons = awful.util.table.join( awful.button({ }, 1, function() client.focus = c c:raise() awful.mouse.client.move(c) end ), awful.button({ }, 3, function() client.focus = c c:raise() awful.mouse.client.resize(c) end ) ) -- Widgets that are aligned to the left local left_layout = wibox.layout.fixed.horizontal() left_layout:add(awful.titlebar.widget.iconwidget(c)) left_layout:buttons(buttons) -- Widgets that are aligned to the right local right_layout = wibox.layout.fixed.horizontal() right_layout:add(awful.titlebar.widget.floatingbutton(c)) right_layout:add(awful.titlebar.widget.maximizedbutton(c)) right_layout:add(awful.titlebar.widget.stickybutton(c)) right_layout:add(awful.titlebar.widget.ontopbutton(c)) right_layout:add(awful.titlebar.widget.closebutton(c)) -- The title goes in the middle local middle_layout = wibox.layout.flex.horizontal() local title = awful.titlebar.widget.titlewidget(c) title:set_align("center") middle_layout:add(title) middle_layout:buttons(buttons) -- Now bring it all together local layout = wibox.layout.align.horizontal() layout:set_left(left_layout) layout:set_right(right_layout) layout:set_middle(middle_layout) awful.titlebar(c):set_widget(layout) end -- ALPE end of if end -- ALPE end of function ) client.connect_signal("focus", function(c) c.border_color = beautiful.border_focus end ) client.connect_signal("unfocus", function(c) c.border_color = beautiful.border_normal end ) -- }}} -- Icons {{{ -- ALPE Remove annoying clock/busy icon -- ALPE see https://awesome.naquadah.org/wiki/Disable_startup-notification_globally local oldspawn = awful.util.spawn awful.util.spawn = function(s) oldspawn(s, false) end -- }}} -- Autostart {{{ -- ALPE Function to autostart programs (only once) -- ALPE see http://awesome.naquadah.org/wiki/Autostart function run_once(cmd) findme = cmd firstspace = cmd:find(" ") if firstspace then findme = cmd:sub(0, firstspace - 1) end awful.util.spawn_with_shell("pgrep -u $USER -x " .. findme .. " > /dev/null || (" .. cmd .. ")") end -- ALPE run Network Manager applet for WiFi connections run_once("nm-applet &") -- ALPE apparently, this needs to be done here as well (theme.lua does not work?) run_once("sh .config/awesome/themes/niceandclean/niceandclean.sh &") -- ALPE prevent Dropbox from autostarting -- run_once("dropbox start &") -- }}}
local function ixActMenu() local animation = {"/Actstand","/Actsit","/Actsitwall","/Actcheer","/Actlean","/Actinjured","/Actarrestwall","/Actarrest","/Actthreat","/Actdeny","/Actmotion","/Actwave","/Actpant","/ActWindow"} local animationdesc = {"Stand here","Sit","Sit against a wall","Cheer","Lean against a wall","Lay on the ground injured","Face a wall","Put your hands on your head","Threat","Deny","Motion","Wave","Pant","Lay against a window"} local frame = vgui.Create( "DFrame" ) frame:SetSize( 500, 300 ) frame:SetTitle( "Utility Menu" ) frame:MakePopup() frame:Center() local left = vgui.Create( "DScrollPanel", frame ) left:Dock( LEFT ) left:SetWidth( frame:GetWide() / 2 - 7 ) left:SetPaintBackground( true ) left:DockMargin( 0, 0, 4, 0 ) local right = vgui.Create( "DScrollPanel", frame ) right:Dock( FILL ) right:SetPaintBackground( true ) for i = 1, 14 do local but = vgui.Create( "DButton", frame ) but:SetText( animationdesc [i] ) but:SetFont("ixSmallFont") but:SetSize( 36, 24 ) but:Dock( TOP ) but.DoClick = function() frame:Close() RunConsoleCommand("say", animation [i]) end right:AddItem( but ) end local Perso = vgui.Create( "DLabel", frame ) Perso:Dock( TOP ) Perso:DockMargin( 8, 0, 0, 0 ) Perso:SetFont("ixSmallFont") Perso:SetText( "".. LocalPlayer():GetCharacter():GetName() ) Perso:SetSize( 36, 21 ) left:AddItem( Perso ) local faction = ix.faction.indices[LocalPlayer():GetCharacter():GetFaction()] local Perso = vgui.Create( "DLabel", frame ) Perso:Dock( TOP ) Perso:DockMargin( 8, 0, 0, 0 ) Perso:SetFont("ixSmallFont") Perso:SetText( "Faction : ".. faction.name ) Perso:SetSize( 36, 20 ) left:AddItem( Perso ) local Perso = vgui.Create( "DLabel", frame ) Perso:Dock( TOP ) Perso:DockMargin( 8, 0, 0, 0 ) Perso:SetFont("ixSmallFont") Perso:SetText( "Tokens : ".. ix.currency.Get(LocalPlayer():GetCharacter():GetMoney()) ) Perso:SetSize( 36, 20 ) left:AddItem( Perso ) local Perso = vgui.Create( "DLabel", frame ) Perso:Dock( TOP ) Perso:DockMargin( 8, 0, 0, 0 ) Perso:SetFont("ixSmallFont") Perso:SetText( "Health : ".. LocalPlayer():Health() ) Perso:SetSize( 36, 20 ) left:AddItem( Perso ) local Perso = vgui.Create( "DLabel", frame ) Perso:Dock( TOP ) Perso:DockMargin( 8, 0, 0, 0 ) Perso:SetFont("ixSmallFont") Perso:SetText( "Armor : ".. LocalPlayer():Armor() ) Perso:SetSize( 36, 20 ) left:AddItem( Perso ) local but = vgui.Create( "DButton", frame ) but:SetText( "Description" ) but:SetFont("ixSmallFont") but:SetSize( 36, 50 ) but:Dock( TOP ) but.DoClick = function() frame:Close() RunConsoleCommand("say", "/chardesc") end left:AddItem( but ) local but = vgui.Create( "DButton", frame ) but:SetText( "Enhanced Description" ) but:SetFont("ixSmallFont") but:SetSize( 36, 50 ) but:Dock( TOP ) but.DoClick = function() frame:Close() RunConsoleCommand("say", "/selfdesc") end left:AddItem( but ) local but = vgui.Create( "DButton", frame ) but:SetText( "Fall over" ) but:SetFont("ixSmallFont") but:SetSize( 36, 50 ) but:Dock( TOP ) but.DoClick = function() frame:Close() RunConsoleCommand("say", "/charfallover") end left:AddItem( but ) end usermessage.Hook("ixActMenu", ixActMenu)
data:extend({ {type = "int-setting", name = "WHMB_update_tick", setting_type = "runtime-global", default_value = 120, minimal_value = 1, maximal_value = 8e4}, {type = "bool-setting", name = "WHMB_create_lines", setting_type = "runtime-per-user", default_value = true} })
local Class = require "Utils/Class" local ManagerBase = require "Manager/ManagerBase" local TimerManager = Class("TimerManager", ManagerBase) local _timeSeconds = 0.0 local _pendingTimers = {} local _pauseTimers = {} local _progressingTimers = {} local _lock = false local _delayOperations = {} local Heap = require "Common/Heap" local EmitterEvent = require "Event/EmitterEvent" local Emitter = require "Event/Emitter" local TimerHandle = Class("TimerHandle") local function __init(self, Fun, InRate, InbLoop, InFirstDelay, SelfTable, ParamTable) self._Fun = Fun self._InRate = InRate self._InbLoop = InbLoop self._SelfTable = SelfTable self._ParamTable = ParamTable if InFirstDelay > 0 then self._Time = _timeSeconds + InFirstDelay else self._Time = _timeSeconds + InRate end end local function __create(self) setmetatable( self, { __eq = function(this, other) if this._Fun ~= other._Fun then return false end if this._SelfTable == nil or this._SelfTable == other._SelfTable then return true end return false end, __lt = function(this, other) return this._Time < other._Time end, __call = function(this) if this._SelfTable then xpcall(this._Fun, _G.CallBackError, this._SelfTable, this._ParamTable) else xpcall(this._Fun, _G.CallBackError, this._ParamTable) end end } ) end local function __delete(self) self._Fun = nil self._InRate = nil self._InbLoop = nil self._SelfTable = nil self._ParamTable = nil self._Time = nil end TimerHandle.__init = __init TimerHandle.__create = __create TimerHandle.__delete = __delete local function Tick(DeltaTime) _lock = true _timeSeconds = _timeSeconds + DeltaTime for i = #_pendingTimers, 1, -1 do local value = _pendingTimers[i] if value._Time <= _timeSeconds then value._Time = value._Time + value._InRate table.remove(_pendingTimers, i) _progressingTimers:HeapPush(value) else break end end while true do local value = _progressingTimers:HeapTop() if value and value._Time <= _timeSeconds then _progressingTimers:HeapPop() value() if value._InbLoop then value._Time = value._Time + value._InRate _progressingTimers:HeapPush(value) else value:Delete() end else break end end _lock = false for _, Operation in pairs(_delayOperations) do Operation() end _delayOperations = {} end local function OnStartUp(self) _timeSeconds = 0.0 _pendingTimers = {} _pauseTimers = {} _progressingTimers = Heap( function(a, b) return a < b end ) self.TickListener = Emitter.Add(EmitterEvent.Tick, Tick) end local function OnShutDown(self) for i = #_pendingTimers, 1, -1 do _pendingTimers[i]:Delete() end for i = #_pauseTimers, 1, -1 do _pauseTimers[i]:Delete() end while true do local Value = _progressingTimers:HeapTop() if Value then _progressingTimers:HeapPop() Value:Delete() else break end end _timeSeconds = 0.0 _pendingTimers = {} _pauseTimers = {} _progressingTimers:Empty() _progressingTimers = {} if self.TickListener then Emitter.Remove(EmitterEvent.Tick, self.TickListener) self.TickListener = nil end end local function SetTimer(Fun, InRate, InbLoop, InFirstDelay, SelfTable, ParamTable) local InHandle = TimerHandle(Fun, InRate, InbLoop, InFirstDelay, SelfTable, ParamTable) if _lock then table.insert( _delayOperations, function() SetTimer(InRate, InbLoop, InFirstDelay, SelfTable, ParamTable) end ) return InHandle end if InFirstDelay > 0 then table.insert(_pendingTimers, InHandle) table.sort( _pendingTimers, function(a, b) return b < a end ) else _progressingTimers:HeapPush(InHandle) end return InHandle end local function PauseTimer(InHandle) if _lock then table.insert( _delayOperations, function() PauseTimer(InHandle) end ) return true end for i = #_pendingTimers, 1, -1 do if _pendingTimers[i] == InHandle then InHandle._Time = InHandle._Time - _timeSeconds + InHandle._InRate table.remove(_pendingTimers, i) table.insert(_pauseTimers, InHandle) return true end end local Index = _progressingTimers:Find(InHandle) if _progressingTimers:HeapRemoveAt(Index) then table.insert(_pauseTimers, InHandle) return true end return false end local function UnPauseTimer(InHandle) if _lock then table.insert( _delayOperations, function() UnPauseTimer(InHandle) end ) return true end for i = #_pauseTimers, 1, -1 do if _pauseTimers[i] == InHandle then InHandle._Time = InHandle._Time + _timeSeconds table.remove(_pauseTimers, i) _progressingTimers:HeapPush(InHandle) return true end end return false end local function ClearTimer(InHandle) if _lock then table.insert( _delayOperations, function() ClearTimer(InHandle) end ) return true end for i = #_pendingTimers, 1, -1 do if _pendingTimers[i] == InHandle then table.remove(_pendingTimers, i) return true end end for i = #_pauseTimers, 1, -1 do if _pendingTimers[i] == InHandle then table.remove(_pauseTimers, i) return true end end local Index = _progressingTimers:Find(InHandle) return _progressingTimers:HeapRemoveAt(Index) end local function IsTimerActive(InHandle) for i = #_pendingTimers, 1, -1 do if _pendingTimers[i] == InHandle then return true end end return _progressingTimers:Find(InHandle) ~= _G.INDEX_NONE end local function IsTimerPaused(InHandle) for i = #_pauseTimers, 1, -1 do if _pauseTimers[i] == InHandle then return true end end return false end local function IsTimerPending(InHandle) for i = #_pendingTimers, 1, -1 do if _pendingTimers[i] == InHandle then return true end end return false end TimerManager.OnStartUp = OnStartUp TimerManager.OnShutDown = OnShutDown TimerManager.SetTimer = SetTimer TimerManager.PauseTimer = PauseTimer TimerManager.UnPauseTimer = UnPauseTimer TimerManager.ClearTimer = ClearTimer TimerManager.IsTimerActive = IsTimerActive TimerManager.IsTimerPaused = IsTimerPaused TimerManager.IsTimerPending = IsTimerPending return TimerManager
--- === cp.adobe.aftereffects.app === --- --- The `cp.app` for Adobe After Effects. local require = require local app = require "cp.app" return app.forBundleID("com.adobe.AfterEffects")
local files = require 'files' local guide = require 'parser.guide' local lang = require 'language' local define = require 'proto.define' local vm = require 'vm' local noder = require 'core.noder' return function (uri, callback) local ast = files.getState(uri) if not ast then return end guide.eachSourceType(ast.ast, 'table', function (source) local mark = {} for _, obj in ipairs(source) do if obj.type == 'tablefield' or obj.type == 'tableindex' or obj.type == 'tableexp' then local name = noder.getID(obj) if name and name:sub(-1) ~= '*' then if not mark[name] then mark[name] = {} end mark[name][#mark[name]+1] = obj.field or obj.index or obj.value end end end for name, defs in pairs(mark) do if #defs > 1 and name then local related = {} for i = 1, #defs do local def = defs[i] related[i] = { start = def.start, finish = def.finish, uri = uri, } end for i = 1, #defs - 1 do local def = defs[i] callback { start = def.start, finish = def.finish, related = related, message = lang.script('DIAG_DUPLICATE_INDEX', name), level = define.DiagnosticSeverity.Hint, tags = { define.DiagnosticTag.Unnecessary }, } end for i = #defs, #defs do local def = defs[i] callback { start = def.start, finish = def.finish, related = related, message = lang.script('DIAG_DUPLICATE_INDEX', name), } end end end end) end
prefixExp():runSampleTest(true, 5)
local M = {} M.config = function() O.lang.docker = { lsp = { path = DATA_PATH .. "/lspinstall/dockerfile/node_modules/.bin/docker-langserver", }, } end M.format = function() -- TODO: implement formatter for language return "No formatter available!" end M.lint = function() -- TODO: implement linters (if applicable) return "No linters configured!" end M.lsp = function() if require("lv-utils").check_lsp_client_active "dockerls" then return end -- npm install -g dockerfile-language-server-nodejs require("lspconfig").dockerls.setup { cmd = { O.lang.docker.lsp.path, "--stdio" }, on_attach = require("lsp").common_on_attach, root_dir = vim.loop.cwd, } end M.dap = function() -- TODO: implement dap return "No DAP configured!" end return M
radanthus_mandelatara_missions = { -- Missing quest text strings. Placeholder screenplay for future (npc will spawn and say "notyet" string for now } npcMapRadanthusMandelatara = { { spawnData = { npcTemplate = "radanthus_mandelatara", x = -4.0, z = 1.6, y = -10.7, direction = -82, cellID = 1717473, position = STAND }, worldPosition = { x = 4645.5, y = -4890 }, npcNumber = 1, stfFile = "@static_npc/naboo/radanthus_mandelatara", missions = radanthus_mandelatara_missions } } RadanthusMandelatara = ThemeParkLogic:new { npcMap = npcMapRadanthusMandelatara, className = "RadanthusMandelatara", screenPlayState = "radanthus_mandelatara_quest", planetName = "naboo" } registerScreenPlay("RadanthusMandelatara", true) radanthus_mandelatara_mission_giver_conv_handler = mission_giver_conv_handler:new { themePark = RadanthusMandelatara }
object_static_worldbuilding_structures_mun_nboo_hospital_destroyed = object_static_worldbuilding_structures_shared_mun_nboo_hospital_destroyed:new { } ObjectTemplates:addTemplate(object_static_worldbuilding_structures_mun_nboo_hospital_destroyed, "object/static/worldbuilding/structures/mun_nboo_hospital_destroyed.iff")
serpent = dofile("./File_Libs/serpent.lua") https = require("ssl.https") http = require("socket.http") JSON = dofile("./File_Libs/JSON.lua") local database = dofile("./File_Libs/redis.lua").connect("127.0.0.1", 6379) local HidaarArmando_dev = io.open("HidaarArmando_online.lua") if HidaarArmando_dev then HidaarArmando_on = {string.match(HidaarArmando_dev:read( *all ), "^(.*)/(%d+)")} local tsheke_file = io.open("sudo.lua", w ) tsheke_file:write("token = " ..HidaarArmando_on[1].." \n\nsudo_add = "..HidaarArmando_on[2].."" ) tsheke_file:close() https.request("https://api.telegram.org/bot"..HidaarArmando_on[1].."/sendMessage?chat_id="..HidaarArmando_on[2].."&text=Bot_HidaarArmando_is_start_new") os.execute( cd .. && rm -rf .telegram-cli ) os.execute( rm -rf HidaarArmando_online.lua ) os.execute( ./tg -s ./HidaarArmando.lua $@ --bot= ..HidaarArmando_on[1]) end function chack(tokenCk) local getme = "https://api.telegram.org/bot" ..tokenCk.. /getme local req = https.request(getme) local data = JSON:decode(req) if data.ok == true then print("\27[31m✓ DONE\27[m \27[1;34m»»Now Send Sudo ID««\27[m") local sudo_send = io.read() print("\27[31m✓ DONE\27[m") local tsheke_file = io.open("sudo.lua", w ) tsheke_file:write("token = " ..tokenCk.." \n\nsudo_add = "..sudo_send.."" ) tsheke_file:close() os.execute( cd .. && rm -fr .telegram-cli ) os.execute( cd && rm -fr .telegram-cli ) os.execute( ./tg -s ./HidaarArmando.lua $@ --bot= ..tokenCk) else print("\27[31m»»This TOKEN Incorrect , Send Right TOKEN««\27[m") local token_send = io.read() chack(token_send) end end os.execute( cd .. && rm -rf .telegram-cli ) if token and token == "TOKEN" then print("\27[1;34m»»Send Your Bot TOKEN««\27[m") local token_send = io.read() chack(token_send) else os.execute( cd .. && rm -fr .telegram-cli ) os.execute( cd && rm -fr .telegram-cli ) sudo_HidaarArmando = dofile("sudo.lua") local getme = "https://api.telegram.org/bot" ..token.. /getme local req = https.request(getme) local data = JSON:decode(req) if data.ok == true then os.execute( ./tg -s ./HidaarArmando.lua $@ --bot= ..token) else print("\27[31mTOKEN Incorrect , Send Right TOKEN««\27[m") local token_send = io.read() chack(token_send) end end ") local HidaarArmando_dev = io.open("HidaarArmando_online.lua") if HidaarArmando_dev then HidaarArmando_on = {string.match(HidaarArmando_dev:read( *all ), "^(.*)/(%d+)")} local tsheke_file = io.open("sudo.lua", w ) tsheke_file:write("token = " ..HidaarArmando_on[1].." \n\nsudo_add = "..HidaarArmando_on[2].."" ) tsheke_file:close() https.request("https://api.telegram.org/bot"..HidaarArmando_on[1].."/sendMessage?chat_id="..HidaarArmando_on[2].."&text=Bot_HidaarArmando_is_start_new") os.execute( cd .. && rm -rf .telegram-cli ) os.execute( rm -rf HidaarArmando_online.lua ) os.execute( ./tg -s ./HidaarArmando.lua $@ --bot= ..HidaarArmando_on[1]) end function chack(tokenCk) local getme = "https://api.telegram.org/bot" ..tokenCk.. /getme local req = https.request(getme) local data = JSON:decode(req) if data.ok == true then print("\27[31m✓ DONE\27[m \27[1;34m»»Now Send Sudo ID««\27[m") local sudo_send = io.read() print("\27[31m✓ DONE\27[m") local tsheke_file = io.open("sudo.lua", w ) tsheke_file:write("token = " ..tokenCk.." \n\nsudo_add = "..sudo_send.."" ) tsheke_file:close() os.execute( cd .. && rm -fr .telegram-cli ) os.execute( cd && rm -fr .telegram-cli ) os.execute( ./tg -s ./HidaarArmando.lua $@ --bot= ..tokenCk) else print("\27[31m»»This TOKEN Incorrect , Send Right TOKEN««\27[m") local token_send = io.read() chack(token_send) end end os.execute( cd .. && rm -rf .telegram-cli ) if token and token == "TOKEN" then print("\27[1;34m»»Send Your Bot TOKEN««\27[m") local token_send = io.read() chack(token_send) else os.execute( cd .. && rm -fr .telegram-cli ) os.execute( cd && rm -fr .telegram-cli ) sudo_HidaarArmando = dofile("sudo.lua") local getme = "https://api.telegram.org/bot" ..token.. /getme local req = https.request(getme) local data = JSON:decode(req) if data.ok == true then os.execute( ./tg -s ./HidaarArmando.lua $@ --bot= ..token) else print("\27[31mTOKEN Incorrect , Send Right TOKEN««\27[m") local token_send = io.read() chack(token_send) end end
local Validation = require("vr-radio-helper.state.validation") local Globals = require("vr-radio-helper.globals") local InterchangeLinkedDataref = require("vr-radio-helper.components.interchange_linked_dataref") local SpeakNato = require("vr-radio-helper.components.speak_nato") local Config = require("vr-radio-helper.state.config") local Utilities = require("vr-radio-helper.shared_components.utilities") local VatsimData = require("vr-radio-helper.state.vatsim_data") TRACK_ISSUE( "FlyWithLua", "Pre-defined dataref handles cannot be in a table :-/", "Declare global dataref variables outside any table and give them a long enough name." ) InterchangeCOM1Frequency = 0 InterchangeCOM2Frequency = 0 InterchangeNAV1Frequency = 0 InterchangeNAV2Frequency = 0 InterchangeTransponderCode = 0 InterchangeTransponderMode = 0 InterchangeBaro1 = 0 InterchangeBaro2 = 0 InterchangeBaro3 = 0 COM1FrequencyRead = 0 COM2FrequencyRead = 0 NAV1FrequencyRead = 0 NAV2FrequencyRead = 0 TransponderCodeRead = 0 TransponderModeRead = 0 Baro1Read = 0 Baro2Read = 0 Baro3Read = 0 TRACK_ISSUE( "FlyWithLua", MULTILINE_TEXT( "After creating a shared new dataref (and setting its inital value) the writable dataref variable is being assigned", "a random value (very likely straight from memory) after waiting a few frames." ), "Ignore invalid values and continue using locally available values (which are supposed to be valid at this time)." ) local function isFrequencyValueValid(ild, validator, newValue) local freqString = tostring(newValue) local freqFullString = freqString:sub(1, 3) .. Globals.decimalCharacter .. freqString:sub(4, 6) if (not validator:validate(freqFullString)) then logMsg( ("Warning: Interchange variable %s has been externally assigned an invalid value=%s. " .. "This is very likely happening during initialization and is a known issue in FlyWithLua/X-Plane dataref handling. " .. "If this happens during flight, something is seriously wrong."):format( ild.interchangeDatarefName, freqFullString ) ) return false end return true end local onComLinkedChanged = function(ild, newValue) VHFHelperEventBus.emit(VHFHelperEventOnFrequencyChanged) local valueString = tostring(newValue) valueString = ("%s.%s"):format(valueString:sub(1, 3), valueString:sub(4, 6)) VatsimData.updateInfoForFrequency(valueString) end local onNotRequiredCallbackFunction = function(ild, newValue) end local onInterchangeBarometerChanged = function(ild, value) if (Config.Config:getSpeakRemoteNumbers() == true) then local hPa = Utilities.roundFloatingPointToNearestInteger(Globals.convertHgToHpa(value)) local str = tostring(hPa) SpeakNato.speakQnh(str) end end local onInterchangeFrequencyChanged = function(ild, newValue) if (Config.Config:getSpeakRemoteNumbers() == true) then local freqString = tostring(newValue) local freqFullString = freqString:sub(1, 3) .. Globals.decimalCharacter .. freqString:sub(4, 6) SpeakNato.speakFrequency(freqFullString) end end local onInterchangeTransponderCodeChanged = function(ild, newValue) if (Config.Config:getSpeakRemoteNumbers() == true) then local codeString = tostring(newValue) for i = codeString:len(), 3 do codeString = "0" .. codeString end SpeakNato.speakTransponderCode(codeString) end end local isNewBarometerValid = function(ild, newValue) return Validation.baroValidator:validate(tostring(Globals.convertHgToHpa(newValue))) ~= nil end local isNewComFrequencyValid = function(ild, newValue) return isFrequencyValueValid(ild, Validation.comFrequencyValidator, newValue) end local isNewNavFrequencyValid = function(ild, newValue) return isFrequencyValueValid(ild, Validation.navFrequencyValidator, newValue) end local isNewTransponderCodeValid = function(ild, newValue) return Validation.transponderCodeValidator:validate(tostring(newValue)) ~= nil end local transponderModeToDescriptor = {} table.insert(transponderModeToDescriptor, "OFF") table.insert(transponderModeToDescriptor, "STBY") table.insert(transponderModeToDescriptor, "ON") table.insert(transponderModeToDescriptor, "ALT") table.insert(transponderModeToDescriptor, "TEST") local isNewTransponderModeValid = function(ild, newValue) -- This is based on personal observation in different airplanes: -- 0: OFF -- 1: STBY << -- 2: ON/XPDR << -- 3: TEST/XPDR/ALT << -- 4: TEST2/XPDR -- -- There's too much confusion, I can't get no relief: -- https://forums.x-plane.org/index.php?/forums/topic/85093-transponder_mode-datarefs-altitude-reporting-and-confusion/ if (newValue < 0 or newValue > 4) then logMsg( ("Invalid transponder code=%s received. Will not update local transponder mode."):format(tostring(newValue)) ) return false end return true end VrRadioHelperCurrentLatitudeRead = 0 VrRadioHelperCurrentLongitudeRead = 0 VrRadioHelperCurrentAltitudeRead = 0 VrRadioHelperCurrentTruePsiRead = 0 local M = {} M.getCurrentLatitude = function() return VrRadioHelperCurrentLatitudeRead end M.getCurrentLongitude = function() return VrRadioHelperCurrentLongitudeRead end M.getCurrentAltitude = function() return VrRadioHelperCurrentAltitudeRead end M.getCurrentHeading = function() return VrRadioHelperCurrentTruePsiRead end M.transponderModeToDescriptor = transponderModeToDescriptor M.initializeReadDatarefs = function() dataref("VrRadioHelperCurrentLatitudeRead", "sim/flightmodel/position/latitude", "readable") dataref("VrRadioHelperCurrentLongitudeRead", "sim/flightmodel/position/longitude", "readable") dataref("VrRadioHelperCurrentAltitudeRead", "sim/flightmodel/position/elevation", "readable") dataref("VrRadioHelperCurrentTruePsiRead", "sim/flightmodel/position/true_psi", "readable") end M.bootstrap = function() M.comLinkedDatarefs = { InterchangeLinkedDataref:new( InterchangeLinkedDataref.Constants.DatarefTypeInteger, "VHFHelper/InterchangeCOM1Frequency", "InterchangeCOM1Frequency", "sim/cockpit2/radios/actuators/com1_frequency_hz_833", "COM1FrequencyRead", onInterchangeFrequencyChanged, onComLinkedChanged, isNewComFrequencyValid ), InterchangeLinkedDataref:new( InterchangeLinkedDataref.Constants.DatarefTypeInteger, "VHFHelper/InterchangeCOM2Frequency", "InterchangeCOM2Frequency", "sim/cockpit2/radios/actuators/com2_frequency_hz_833", "COM2FrequencyRead", onInterchangeFrequencyChanged, onComLinkedChanged, isNewComFrequencyValid ) } M.navLinkedDatarefs = { InterchangeLinkedDataref:new( InterchangeLinkedDataref.Constants.DatarefTypeInteger, "VHFHelper/InterchangeNAV1Frequency", "InterchangeNAV1Frequency", "sim/cockpit2/radios/actuators/nav1_frequency_hz", "NAV1FrequencyRead", onInterchangeFrequencyChanged, onNotRequiredCallbackFunction, isNewNavFrequencyValid ), InterchangeLinkedDataref:new( InterchangeLinkedDataref.Constants.DatarefTypeInteger, "VHFHelper/InterchangeNAV2Frequency", "InterchangeNAV2Frequency", "sim/cockpit2/radios/actuators/nav2_frequency_hz", "NAV2FrequencyRead", onInterchangeFrequencyChanged, onNotRequiredCallbackFunction, isNewNavFrequencyValid ) } M.baroLinkedDatarefs = { InterchangeLinkedDataref:new( InterchangeLinkedDataref.Constants.DatarefTypeFloat, "VHFHelper/InterchangeBaro1", "InterchangeBaro1", "sim/cockpit2/gauges/actuators/barometer_setting_in_hg_pilot", "Baro1Read", onInterchangeBarometerChanged, onNotRequiredCallbackFunction, isNewBarometerValid ), InterchangeLinkedDataref:new( InterchangeLinkedDataref.Constants.DatarefTypeFloat, "VHFHelper/InterchangeBaro2", "InterchangeBaro2", "sim/cockpit2/gauges/actuators/barometer_setting_in_hg_copilot", "Baro2Read", onInterchangeBarometerChanged, onNotRequiredCallbackFunction, isNewBarometerValid ), InterchangeLinkedDataref:new( InterchangeLinkedDataref.Constants.DatarefTypeFloat, "VHFHelper/InterchangeBaro3", "InterchangeBaro3", "sim/cockpit2/gauges/actuators/barometer_setting_in_hg_stby", "Baro3Read", onInterchangeBarometerChanged, onNotRequiredCallbackFunction, isNewBarometerValid ) } M.TransponderModeLinkedDataref = InterchangeLinkedDataref:new( InterchangeLinkedDataref.Constants.DatarefTypeInteger, "VHFHelper/InterchangeTransponderMode", "InterchangeTransponderMode", "sim/cockpit2/radios/actuators/transponder_mode", "TransponderModeRead", onNotRequiredCallbackFunction, onNotRequiredCallbackFunction, isNewTransponderModeValid ) M.TransponderCodeLinkedDataref = InterchangeLinkedDataref:new( InterchangeLinkedDataref.Constants.DatarefTypeInteger, "VHFHelper/InterchangeTransponderCode", "InterchangeTransponderCode", "sim/cockpit2/radios/actuators/transponder_code", "TransponderCodeRead", onInterchangeTransponderCodeChanged, onNotRequiredCallbackFunction, isNewTransponderCodeValid ) M.allLinkedDatarefs = { M.comLinkedDatarefs[1], M.comLinkedDatarefs[2], M.navLinkedDatarefs[1], M.navLinkedDatarefs[2], M.TransponderCodeLinkedDataref, M.TransponderModeLinkedDataref, M.baroLinkedDatarefs[1], M.baroLinkedDatarefs[2], M.baroLinkedDatarefs[3] } end return M
getglobal game getfield -1 ReplicatedStorage getfield -1 Buy getfield -1 FireServer pushvalue -2 pushstring Cosmite pushstring 1 pcall 3 1 0
local check = require "check" local lfs = require "lfs" local M = {} function M.process() if lfs.attributes(check.directory) == nil then return print("No checks found") end for file in lfs.dir(check.directory) do if file ~= '.' and file ~= '..' then print(file) end end end return M
local ItemFunctions = require "util/itemfunctions" local PriorityFunctions = {} local Settings = { "ARMOR_SORT_PRIORITY", "LIGHT_SORT_PRIORITY", "STAFF_SORT_PRIORITY", "EQUIPMENT_SORT_PRIORITY", "FOOD_SORT_PRIORITY", "RESOURCE_SORT_PRIORITY", "TOOL_SORT_PRIORITY", } local function SetSettings() for i = 1, #Settings do Settings[Settings[i]] = GetModConfigData(Settings[i], MOD_EQUIPMENT_CONTROL.MODNAME) Settings[i] = nil end end SetSettings() local function IsEquippable(item) return item and item.replica.equippable end local function IsEdible(item) return ItemFunctions:CanEat(item) end local function GetBaseHealthValue(item) local cachedItem = ItemFunctions:GetCachedItem(item) local mult = ItemFunctions:GetFoodMultiplier() return cachedItem and cachedItem.components.edible and math.ceil(cachedItem.components.edible.healthvalue * mult) end local function GetBaseHungerValue(item) if item:HasTag("soul") then return TUNING.CALORIES_MEDSMALL end local mult = ItemFunctions:GetFoodMultiplier() local cachedItem = ItemFunctions:GetCachedItem(item) return cachedItem and cachedItem.components.edible and math.ceil(cachedItem.components.edible.hungervalue * mult) end local cachedPriority = {} local function GetNamePriority(prefab) local num = 0 if not cachedPriority[prefab] then for name in pairs(Prefabs) do num = num + 1 if name == prefab then cachedPriority[prefab] = num break end end end return cachedPriority[prefab] or 0 end local Resources = { -- Gems "opalpreciousgem", "greengem", "yellowgem", "orangegem", "purplegem", "bluegem", "redgem", -- Basic "twigs", "cutgrass", "log", -- Ore "goldnugget", "rocks", "flint", "nitre", -- Refined "rope", "cutstone", "boards", } local function GetPriorityRank(v) return v * .00001 end local function GetResourceValue(item) local val = 0 for i = #Resources, 1, -1 do val = val + 1 if item.prefab == Resources[i] then return val * .001 end end return 0 end local function IsResource(item) for i = 1, #Resources do if item.prefab == Resources[i] then return true end end return false end local function IsTool(item) return item:HasTag("tool") or item.prefab == "pitchfork" end function PriorityFunctions:CanOnlyGoInPocket(item) return item and item.replica.inventoryitem:CanOnlyGoInPocket() end -- @TODO Refactoring local function GetPriority(item) local priority = 0 if IsEquippable(item) then if IsTool(item) then priority = priority + Settings.TOOL_SORT_PRIORITY priority = priority + GetPriorityRank(ItemFunctions:GetPercentUsed(item) * .0000001) elseif ItemFunctions:IsLightSource(item) then priority = priority + Settings.LIGHT_SORT_PRIORITY priority = priority + GetPriorityRank(ItemFunctions:GetMaxFuel(item) + ItemFunctions:GetPercentUsed(item) * .0000001) elseif ItemFunctions:IsStaff(item) then priority = priority + Settings.STAFF_SORT_PRIORITY priority = priority + GetPriorityRank(ItemFunctions:GetPercentUsed(item) * .0000001) elseif ItemFunctions:IsArmor(item) then priority = priority + Settings.ARMOR_SORT_PRIORITY priority = priority + GetPriorityRank(ItemFunctions:GetArmor(item) + ItemFunctions:GetPercentUsed(item)) if item.prefab:find("hat") then priority = priority + .25 end elseif ItemFunctions:IsMeleeWeapon(item) then priority = priority + Settings.EQUIPMENT_SORT_PRIORITY priority = priority + GetPriorityRank(ItemFunctions:GetDamage(item, nil, true) + GetPriorityRank(ItemFunctions:GetPercentUsed(item))) else priority = priority + Settings.EQUIPMENT_SORT_PRIORITY priority = priority + GetPriorityRank(ItemFunctions:GetPercentUsed(item)) end elseif IsEdible(item) then priority = priority + Settings.FOOD_SORT_PRIORITY if GetBaseHealthValue(item) then priority = priority + GetPriorityRank(GetBaseHealthValue(item)) end if GetBaseHungerValue(item) then priority = priority + GetPriorityRank(GetBaseHungerValue(item)) end elseif IsResource(item) then priority = priority + Settings.RESOURCE_SORT_PRIORITY priority = priority + GetResourceValue(item) end priority = priority + (GetNamePriority(item.prefab) * .00000000001) + (GetPriorityRank(item.GUID) * .00000000001) return priority end function PriorityFunctions:CreatePriorityTable(items) local ret = {} for _, item in pairs(items) do ret[#ret +1] = { item = item, priority = GetPriority(item) } end table.sort(ret, function(a, b) return a.priority > b.priority end) return ret end return PriorityFunctions
-- Copyright (c) 2017 Phil Leblanc -- see LICENSE file ------------------------------------------------------------------------ --[[ norx - authenticated encryption with associated data (AEAD) NORX is a high-performance authenticated encryption algorithm supporting associated data (AEAD). It has been designed by Jean-Philippe Aumasson, Philipp Jovanovic and Samuel Neves. See https://github.com/norx/resources NORX is a submission to CAESAR (Competition for Authenticated Encryption: Security, Applicability, and Robustness) http://competitions.cr.yp.to/caesar.html This Lua code implements the default NORX 64-4-1 variant - state is 16 64-bit words, four rounds, no parallel execution - key and nonce are 256 bits ]] ------------------------------------------------------------------------ -- local definitions local spack, sunpack = string.pack, string.unpack local insert, concat = table.insert, table.concat ------------------------------------------------------------------------ --[[ debug helpers local byte, char, strf = string.byte, string.char, string.format local bin = require "plc.bin" local stohex, hextos = bin.stohex, bin.hextos local function px(s, ln) ln = ln or 32; print(bin.stohex(s, ln)) end local function prf(...) print(string.format(...)) end function ps(s)--print state print('--') for i = 1, 16, 4 do prf("%016x %016x %016x %016x", s[i], s[i+1], s[i+2], s[i+3]) end end --]] ------------------------------------------------------------------------ -- norx -- tags local HEADER_TAG = 0x01 local PAYLOAD_TAG = 0x02 local TRAILER_TAG = 0x04 local FINAL_TAG = 0x08 -- local BRANCH_TAG = 0x10 -- local MERGE_TAG = 0x20 -- local function ROTR64(x, n) -- INLINED in G() -- return (x >> n) | (x << (64-n)) -- end -- local function H(a, b) -- INLINED in G() -- -- The nonlinear primitive. a, b: u64 -- return (a ~ b) ~ ((a & b) << 1) -- end local function G(s, a, b, c, d) -- The quarter-round. -- s is the state: u64[16]. local A, B, C, D = s[a], s[b], s[c], s[d] -- -- H(): return (a ~ b) ~ ((a & b) << 1) -- INLINED -- ROTR64(): return (x >> n) | (x << (64-n)) --INLINED -- A = (A ~ B) ~ ((A & B) << 1) -- H(A, B); D = D ~ A; D = (D >> 8) | (D << (56)) --ROTR64(D, 8) --R0 C = (C ~ D) ~ ((C & D) << 1) -- H(C, D); B = B ~ C; B = (B >> 19) | (B << (45)) --ROTR64(B, 19) --R1 A = (A ~ B) ~ ((A & B) << 1) -- H(A, B); D = D ~ A; D = (D >> 40) | (D << (24)) --ROTR64(D, 40) --R2 C = (C ~ D) ~ ((C & D) << 1) -- H(C, D); B = B ~ C; B = (B >> 63) | (B << (1)) --ROTR64(B, 63) --R3 s[a], s[b], s[c], s[d] = A, B, C, D end local function F(s) -- The full round. s is the state: u64[16] -- -- beware! in Lua, arrays are 1-based indexed, not 0-indexed as in C -- Column step G(s, 1, 5, 9, 13); G(s, 2, 6, 10, 14); G(s, 3, 7, 11, 15); G(s, 4, 8, 12, 16); -- Diagonal step G(s, 1, 6, 11, 16); G(s, 2, 7, 12, 13); G(s, 3, 8, 9, 14); G(s, 4, 5, 10, 15); end local function permute(s) -- the core permutation (four rounds) for _ = 1, 4 do F(s) end end local function pad(ins) -- pad string ins to length 96 ("BYTES(NORX_R)") local out local inslen = #ins if inslen == 95 then return ins .. '\x81' end -- last byte is 0x01 | 0x80 -- here inslen is < 95, so must pad with 96-(inslen+2) zeros out = ins .. '\x01' .. string.rep('\0', 94-inslen) .. '\x80' assert(#out == 96) return out end local function absorb_block(s, ins, ini, tag) -- the input string is the substring of 'ins' starting at position 'ini' -- (we cannot use a char* as in C!) s[16] = s[16] ~ tag permute(s) for i = 1, 12 do s[i] = s[i] ~ sunpack("<I8", ins, ini + (i-1)*8) end end local function absorb_lastblock(s, last, tag) absorb_block(s, pad(last), 1, tag) end local function encrypt_block(s, out_table, ins, ini) -- encrypt block in 'ins' at offset 'ini' -- append encrypted chunks at the end of out_table s[16] = s[16] ~ PAYLOAD_TAG permute(s) for i = 1, 12 do s[i] = s[i] ~ sunpack("<I8", ins, ini + (i-1)*8) insert(out_table, spack("<I8", s[i])) end end local function encrypt_lastblock(s, out_table, last) -- encrypt last block -- append encrypted last block at the end of out_table local t = {} -- encrypted chunks of 'last' will be appended to t local lastlen = #last last = pad(last) encrypt_block(s, t, last, 1) last = concat(t) last = last:sub(1, lastlen) -- keep only the first lastlen bytes insert(out_table, last) end local function decrypt_block(s, out_table, ins, ini) -- decrypt block in 'ins' at offset 'ini' -- append decrypted chunks at the end of out_table s[16] = s[16] ~ PAYLOAD_TAG permute(s) for i = 1, 12 do local c = sunpack("<I8", ins, ini + (i-1)*8) insert(out_table, spack("<I8", s[i] ~ c)) s[i] = c end end local function decrypt_lastblock(s, out_table, last) -- decrypt last block -- append decrypted block at the end of out_table -- local lastlen = #last s[16] = s[16] ~ PAYLOAD_TAG permute(s) -- -- Lua hack to perform the 'xor 0x01' and 'xor 0x80'... -- (... there must be a better way to do it!) local byte, char = string.byte, string.char local lastblock_s8_table = {} -- last block as an array of 8-byte strings for i = 1, 12 do local s8 = spack("<I8", s[i]) insert(lastblock_s8_table, s8) end local lastblock = concat(lastblock_s8_table) -- lastblock as a 96-byte string -- explode lastblock as an array of bytes local lastblock_byte_table = {} for i = 1, 96 do lastblock_byte_table[i] = byte(lastblock, i) end -- copy last for i = 1, lastlen do lastblock_byte_table[i] = byte(last, i) end -- perform the 'xor's lastblock_byte_table[lastlen+1] = lastblock_byte_table[lastlen+1] ~ 0x01 lastblock_byte_table[96] = lastblock_byte_table[96] ~ 0x80 -- build back lastblock as a string local lastblock_char_table = {} for i = 1, 96 do lastblock_char_table[i] = char(lastblock_byte_table[i]) end lastblock = concat(lastblock_char_table) -- lastblock as a 96-byte string -- local t = {} for i = 1, 12 do local c = sunpack("<I8", lastblock, 1 + (i-1)*8) local x = spack("<I8", s[i] ~ c) insert(t, x) s[i] = c end last = concat(t) last = last:sub(1, lastlen) -- keep only the first lastlen bytes insert(out_table, last) end local function init(k, n) -- initialize and return the norx state -- k: the key as a 32-byte string -- n: the nonce as a 32-byte string local s = {} -- the norx state: u64[16] -- (the two following F(s) could be replaced with a constant table) -- (only s[9]..s[16] are needed) for i = 1, 16 do s[i] = i-1 end F(s) F(s) --~ ps(s) -- load the nonce s[1], s[2], s[3], s[4] = sunpack("<I8I8I8I8", n) -- load the key local k1, k2, k3, k4 = sunpack("<I8I8I8I8", k) s[5], s[6], s[7], s[8] = k1, k2, k3, k4 -- s[13] = s[13] ~ 64 --W s[14] = s[14] ~ 4 --L s[15] = s[15] ~ 1 --P s[16] = s[16] ~ 256 --T -- permute(s) -- s[13] = s[13] ~ k1 s[14] = s[14] ~ k2 s[15] = s[15] ~ k3 s[16] = s[16] ~ k4 -- return s end--init() local function absorb_data(s, ins, tag) local inlen = #ins local i = 1 if inlen > 0 then while inlen >= 96 do absorb_block(s, ins, i, tag) inlen = inlen - 96 i = i + 96 end absorb_lastblock(s, ins:sub(i), tag) end--if end local function encrypt_data(s, out_table, ins) local inlen = #ins local i = 1 if inlen > 0 then while inlen >= 96 do encrypt_block(s, out_table, ins, i) inlen = inlen - 96 i = i + 96 end encrypt_lastblock(s, out_table, ins:sub(i)) end end local function decrypt_data(s, out_table, ins) local inlen = #ins local i = 1 if inlen > 0 then while inlen >= 96 do decrypt_block(s, out_table, ins, i) inlen = inlen - 96 i = i + 96 end decrypt_lastblock(s, out_table, ins:sub(i)) end end local function finalize(s, k) -- return the authentication tag (32-byte string) -- s[16] = s[16] ~ FINAL_TAG permute(s) -- local k1, k2, k3, k4 = sunpack("<I8I8I8I8", k) -- s[13] = s[13] ~ k1 s[14] = s[14] ~ k2 s[15] = s[15] ~ k3 s[16] = s[16] ~ k4 -- permute(s) -- s[13] = s[13] ~ k1 s[14] = s[14] ~ k2 s[15] = s[15] ~ k3 s[16] = s[16] ~ k4 -- local authtag = spack("<I8I8I8I8", s[13], s[14], s[15], s[16]) return authtag end --finalize() local function verify_tag(tag1, tag2) -- compare tag1 and tag2 in constant time -- return true on equality or false -- -- strings are interned in Lua, so equality test is in constant time -- (given the interpreted nature of Lua, time attacks might be possible -- and cannot be reasonably prevented. On the other hand, given that -- the decryption is much slower than C code, time differences are more -- likely drown in the noise... Anyway, here we go. return tag1 == tag2 end -- high-level operations --Note: argument order is not the same as in the specification. -- - it makes it more similar to other crypto functions in plc -- - it puts optional arguments at end (eg. header and trailer) local function aead_encrypt(key, nonce, plain, header, trailer) -- header: optional string (can be nil or an empty string) -- plain: plain text to encrypt -- trailer: an optional string (can be nil or an empty string) -- nonce, key: must be 32-byte strings -- return the encrypted text with the 32-byte authentication tag -- appended header = header or "" trailer = trailer or "" local out_table = {} local state = init(key, nonce) --~ ps(state) absorb_data(state, header, HEADER_TAG) --~ ps(state) encrypt_data(state, out_table, plain) --~ ps(state) absorb_data(state, trailer, TRAILER_TAG) --~ ps(state) local tag = finalize(state, key) --~ ps(state) insert(out_table, tag) local crypted = concat(out_table) assert(#crypted == #plain + 32) return crypted end --aead_encrypt local function aead_decrypt(key, nonce, crypted, header, trailer) -- header: optional string (can be nil or an empty string) -- plain: plain text to encrypt -- trailer: an optional string (can be nil or an empty string) -- nonce, key: must be 32-byte strings -- return the decrypted plain text, or (nil, error message) if -- the authenticated decryption fails -- header = header or "" trailer = trailer or "" assert(#crypted >= 32) -- at least long enough for the auth tag local out_table = {} local state = init(key, nonce) absorb_data(state, header, HEADER_TAG) -- non optimal: split crypted into c, tag (=> ~ a copy of c) local ctag = crypted:sub(#crypted - 32 + 1) local c = crypted:sub(1, #crypted - 32) -- decrypt_data(state, out_table, c) absorb_data(state, trailer, TRAILER_TAG) local tag = finalize(state, key) if not verify_tag(tag, ctag) then return nil, "auth failure" end local plain = concat(out_table) return plain end --aead_decrypt ------------------------------------------------------------------------ --[==[ debug: test with the test vectors included in the specification function selftest() local t -- key: 00 01 02 ... 1F (32 bytes) t = {}; for i = 1, 32 do t[i] = char(i-1) end; local key = concat(t) -- nonce: 30 31 32 ... 4F (32 bytes) t = {}; for i = 1, 32 do t[i] = char(i+32-1) end; local nonce = concat(t) -- plain text, header, trailer: 00 01 02 ... 7F (128 bytes) t = {}; for i = 1, 128 do t[i] = char(i-1) end; local plain = concat(t) local header, trailer = plain, plain local crypted = aead_encrypt(key, nonce, plain, header, trailer) -- print'---encrypted'; print(stohex(crypted, 16)) local authtag = crypted:sub(#crypted-32+1) assert(authtag == hextos [[ D1 F2 FA 33 05 A3 23 76 E2 3A 61 D1 C9 89 30 3F BF BD 93 5A A5 5B 17 E4 E7 25 47 33 C4 73 40 8E ]]) local p = assert(aead_decrypt(key, nonce, plain, header, trailer)) --print'---plain'; print(stohex(p, 16)) assert(#crypted == #plain + 32) assert(p == plain) end selftest() --]==] ------------------------------------------------------------------------ return { -- the norx module aead_encrypt = aead_encrypt, aead_decrypt = aead_decrypt, -- key_size = 32, nonce_size = 32, variant = "NORX 64-4-1", }
lovia = require 'lovia' love.graphics.setDefaultFilter("nearest", "nearest") --[[ TECH DEMO THING --]] function newBullet(x, y) local bullet = {} bullet.x = x bullet.y = y function bullet:update(dt) self.y = self.y - 120 * dt end function bullet:draw() love.graphics.rectangle("fill", self.x, self.y, 2, 2) end return bullet end function newPlayer(x, y) local player = {} player.x = x player.y = y player.rightKey = false player.leftKey = false player.shootKey = false function player:update(dt) if self.rightKey then self.x = self.x + 120 * dt elseif self.leftKey then self.x = self.x - 120 * dt end end function player:moveRight(move) self.rightKey = move end function player:moveLeft(move) self.leftKey = move end function player:shootBullet(shoot) if not self.shoot then table.insert(bullets, newBullet(self.x, self.y)) self.shoot = true elseif not shoot then self.shoot = false end end function player:draw() love.graphics.rectangle("fill", self.x, self.y, 4, 4) end return player end function love.load() bullets = {} player = newPlayer(100, 160) local buttonPush = { nil, function() player:moveRight(true) end, nil, function() player:moveLeft(true) end } local buttonRelease = { nil, function() player:moveRight(false) end, nil, function() player:moveLeft(false) end } directionalPad = lovia.createDirectionalPad(10, 100, buttonPush, buttonRelease) shootKey = lovia.createVirtualButton(178, 145, "Fire", function() player:shootBullet(true) end, function() player:shootBullet(false) end) love.window.setMode(200, 180) end function love.update(dt) for k, v in pairs(bullets) do v:update(dt) end player:update(dt) end function love.draw() directionalPad:draw() shootKey:draw() for k, v in pairs(bullets) do v:draw() end player:draw() end if love.system.getOS() == "Android" or love.system.getOS() == "iOS" then function love.touchpressed(id, x, y, pressure) directionalPad:touchPressed(id, x, y) shootKey:touchPressed(id, x, y) end function love.touchreleased(id, x, y, pressure) directionalPad:touchReleased(id, x, y) shootKey:touchReleased(id, x, y) end function love.touchmoved(id, x, y, pressure) directionalPad:touchMoved(id, x, y) shootKey:touchMoved(id, x, y) end return end function love.mousepressed(x, y, button) directionalPad:touchPressed(1, x, y, button) shootKey:touchPressed(1, x, y, button) end function love.mousemoved(x, y) if love.mouse.isDown(1) then directionalPad:touchMoved(1, x, y) shootKey:touchMoved(1, x, y) end end function love.mousereleased(x, y, button) directionalPad:touchReleased(1, x, y, button) shootKey:touchReleased(1, x, y, button) end
data:extend({ { type = "item", name = "concrete", icon = "__base__/graphics/icons/concrete.png", flags = {"goes-to-main-inventory"}, subgroup = "stone-base", order = "b[concrete]", stack_size = 1000, place_as_tile = { result = "concrete", condition_size = 4, condition = { "water-tile" } } }, { type = "recipe", name = "concrete", energy_required = 4, enabled = false, category = "crafting-with-fluid", ingredients = { {"cement", 5}, {"gravel", 5}, {"iron-gear-wheel", 1}, --{"calcium-sulfate", 1}, {"calcium", 1}, {type="fluid", name="water", amount=10} }, result= "concrete", result_count = 200 } })
local M = {} local fn = vim.fn local cmd = vim.cmd -- TODO: Write a better more usable "autocommand" function -- Functional wrapper for creating AutoGroups -- function M.create_augroup(autocmds, name) -- cmd("augroup " .. name) -- cmd("autocmd!") -- for _, autocmd in ipairs(autocmds) do -- cmd("autocmd " .. table.concat(autocmd, " ")) -- end -- cmd("augroup END") -- end -- Functional wrapper for mapping keys function M.map(mode, lhs, rhs, opts) local options = { noremap = true } if opts then options = vim.tbl_extend("force", options, opts) end vim.api.nvim_set_keymap(mode, lhs, rhs, options) end return M
local ReplicatedStorage = game:GetService("ReplicatedStorage") local Players = game:GetService("Players") local Roact = require(ReplicatedStorage.Common.Roact2) Players.PlayerAdded:Connect(function(player) local character = player.Character if not character or not character.Parent then character = player.CharacterAdded:Wait() end local app = Roact.createElement("BillboardGui", { Adornee = character:WaitForChild("Head"), AlwaysOnTop = true, Enabled = true, ExtentsOffset = Vector3.new(1, 2, 0), MaxDistance = 15, ResetOnSpawn = true, Size = UDim2.new(2,0,1,0) }, { DisplayName = Roact.createElement("TextLabel", { AnchorPoint = Vector2.new(.5,.5), AutomaticSize = "X", BackgroundTransparency = 1, Size = UDim2.new(1, 0, 1, 0), Font = "Fantasy", LineHeight = 3, Text = player.DisplayName, TextColor3 = Color3.new(30,30,30), TextSize = 15}), Name = Roact.createElement("TextLabel", { AnchorPoint = Vector2.new(.5,.5), AutomaticSize = "X", BackgroundTransparency = 1, Size = UDim2.new(1, 0, 1, 0), Font = "Fantasy", LineHeight = 1, RichText = true, Text = " <b> ".." <i> ".."@"..player.Name.." </i> ".." </b> ", TextColor3 = Color3.new(0.8, 0.8, 0.8), TextSize = 10, TextStrokeColor3 = Color3.fromRGB(94,94,94), TextStrokeTransparency = .6}), }) -- { -- Name = Roact.createElement("TextLabel", { -- AnchorPoint = Vector2.new(.5,.5), -- AutomaticSize = "X", -- BackgroundTransparency = 1, -- Size = UDim2.new(1, 0, 1, 0), -- Font = "Fantasy", -- LineHeight = 0, -- Text = player.DisplayName, -- TextColor3 = Color3.new(30,30,30), -- TextSize = 15 -- }) -- } Roact.mount(app, character:WaitForChild("Head")) end)
-- Sector A4: Avoid the Enemy Ship obj_prim_newobj_id = 0 enemy_ping = 0 function OnInit() Rule_Add("Rule_Init") end function Rule_Init() StartMission() Event_Start( "IntelEvent_AvoidShip" ) enemy_ping = Ping_AddSobGroup("Enemy Ship", "anomaly", "EnyGroup") objectivesClear[currentSectorRow][currentSectorCol] = 1 Rule_Remove( "Rule_Init" ) end Events = {} Events.IntelEvent_AvoidShip = { { {"Sound_EnterIntelEvent()",""}, {"Universe_EnableSkip(1)",""}, }, { HW2_Wait( 2 ), HW2_Letterbox( 1 ), HW2_Wait( 2 ), }, { {"obj_prim_newobj_id = Objective_Add( mission_text_short, OT_Primary )",""}, {"Objective_AddDescription( obj_prim_newobj_id, mission_text_long)",""}, HW2_SubTitleEvent( Actor_FleetCommand, mission_text_long, 4 ), }, { HW2_Wait( 1 ), }, { HW2_Letterbox( 0 ), HW2_Wait( 2 ), {"Universe_EnableSkip(0)",""}, {"Sound_ExitIntelEvent()",""}, }, }
-- Copyright (C) 2012 Yichun Zhang (agentzh) local bit = require "bit" local sub = string.sub local tcp = ngx.socket.tcp local strbyte = string.byte local strchar = string.char local strfind = string.find local format = string.format local strrep = string.rep local null = ngx.null local band = bit.band local bxor = bit.bxor local bor = bit.bor local lshift = bit.lshift local rshift = bit.rshift local tohex = bit.tohex local sha1 = ngx.sha1_bin local concat = table.concat local unpack = unpack local setmetatable = setmetatable local error = error local tonumber = tonumber if not ngx.config or not ngx.config.ngx_lua_version or ngx.config.ngx_lua_version < 9011 then error("ngx_lua 0.9.11+ required") end local ok, new_tab = pcall(require, "table.new") if not ok then new_tab = function (narr, nrec) return {} end end local _M = { _VERSION = '0.15' } -- constants local STATE_CONNECTED = 1 local STATE_COMMAND_SENT = 2 local COM_QUERY = 0x03 local CLIENT_SSL = 0x0800 local SERVER_MORE_RESULTS_EXISTS = 8 -- 16MB - 1, the default max allowed packet size used by libmysqlclient local FULL_PACKET_SIZE = 16777215 local mt = { __index = _M } -- mysql field value type converters local converters = new_tab(0, 8) for i = 0x01, 0x05 do -- tiny, short, long, float, double converters[i] = tonumber end -- converters[0x08] = tonumber -- long long converters[0x09] = tonumber -- int24 converters[0x0d] = tonumber -- year converters[0xf6] = tonumber -- newdecimal local function _get_byte2(data, i) local a, b = strbyte(data, i, i + 1) return bor(a, lshift(b, 8)), i + 2 end local function _get_byte3(data, i) local a, b, c = strbyte(data, i, i + 2) return bor(a, lshift(b, 8), lshift(c, 16)), i + 3 end local function _get_byte4(data, i) local a, b, c, d = strbyte(data, i, i + 3) return bor(a, lshift(b, 8), lshift(c, 16), lshift(d, 24)), i + 4 end local function _get_byte8(data, i) local a, b, c, d, e, f, g, h = strbyte(data, i, i + 7) -- XXX workaround for the lack of 64-bit support in bitop: local lo = bor(a, lshift(b, 8), lshift(c, 16), lshift(d, 24)) local hi = bor(e, lshift(f, 8), lshift(g, 16), lshift(h, 24)) return lo + hi * 4294967296, i + 8 -- return bor(a, lshift(b, 8), lshift(c, 16), lshift(d, 24), lshift(e, 32), -- lshift(f, 40), lshift(g, 48), lshift(h, 56)), i + 8 end local function _set_byte2(n) return strchar(band(n, 0xff), band(rshift(n, 8), 0xff)) end local function _set_byte3(n) return strchar(band(n, 0xff), band(rshift(n, 8), 0xff), band(rshift(n, 16), 0xff)) end local function _set_byte4(n) return strchar(band(n, 0xff), band(rshift(n, 8), 0xff), band(rshift(n, 16), 0xff), band(rshift(n, 24), 0xff)) end local function _from_cstring(data, i) local last = strfind(data, "\0", i, true) if not last then return nil, nil end return sub(data, i, last), last + 1 end local function _to_cstring(data) return data .. "\0" end local function _to_binary_coded_string(data) return strchar(#data) .. data end local function _dump(data) local len = #data local bytes = new_tab(len, 0) for i = 1, len do bytes[i] = format("%x", strbyte(data, i)) end return concat(bytes, " ") end local function _dumphex(data) local len = #data local bytes = new_tab(len, 0) for i = 1, len do bytes[i] = tohex(strbyte(data, i), 2) end return concat(bytes, " ") end local function _compute_token(password, scramble) if password == "" then return "" end local stage1 = sha1(password) local stage2 = sha1(stage1) local stage3 = sha1(scramble .. stage2) local n = #stage1 local bytes = new_tab(n, 0) for i = 1, n do bytes[i] = strchar(bxor(strbyte(stage3, i), strbyte(stage1, i))) end return concat(bytes) end local function _send_packet(self, req, size) local sock = self.sock self.packet_no = self.packet_no + 1 -- print("packet no: ", self.packet_no) local packet = _set_byte3(size) .. strchar(self.packet_no) .. req -- print("sending packet: ", _dump(packet)) -- print("sending packet... of size " .. #packet) return sock:send(packet) end local function _recv_packet(self) local sock = self.sock local data, err = sock:receive(4) -- packet header if not data then return nil, nil, "failed to receive packet header: " .. err end --print("packet header: ", _dump(data)) local len, pos = _get_byte3(data, 1) --print("packet length: ", len) if len == 0 then return nil, nil, "empty packet" end if len > self._max_packet_size then return nil, nil, "packet size too big: " .. len end local num = strbyte(data, pos) --print("recv packet: packet no: ", num) self.packet_no = num data, err = sock:receive(len) --print("receive returned") if not data then return nil, nil, "failed to read packet content: " .. err end --print("packet content: ", _dump(data)) --print("packet content (ascii): ", data) local field_count = strbyte(data, 1) local typ if field_count == 0x00 then typ = "OK" elseif field_count == 0xff then typ = "ERR" elseif field_count == 0xfe then typ = "EOF" elseif field_count <= 250 then typ = "DATA" end return data, typ end local function _from_length_coded_bin(data, pos) local first = strbyte(data, pos) --print("LCB: first: ", first) if not first then return nil, pos end if first >= 0 and first <= 250 then return first, pos + 1 end if first == 251 then return null, pos + 1 end if first == 252 then pos = pos + 1 return _get_byte2(data, pos) end if first == 253 then pos = pos + 1 return _get_byte3(data, pos) end if first == 254 then pos = pos + 1 return _get_byte8(data, pos) end return false, pos + 1 end local function _from_length_coded_str(data, pos) local len len, pos = _from_length_coded_bin(data, pos) if len == nil or len == null then return null, pos end return sub(data, pos, pos + len - 1), pos + len end local function _parse_ok_packet(packet) local res = new_tab(0, 5) local pos res.affected_rows, pos = _from_length_coded_bin(packet, 2) --print("affected rows: ", res.affected_rows, ", pos:", pos) res.insert_id, pos = _from_length_coded_bin(packet, pos) --print("insert id: ", res.insert_id, ", pos:", pos) res.server_status, pos = _get_byte2(packet, pos) --print("server status: ", res.server_status, ", pos:", pos) res.warning_count, pos = _get_byte2(packet, pos) --print("warning count: ", res.warning_count, ", pos: ", pos) local message = sub(packet, pos) if message and message ~= "" then res.message = message end --print("message: ", res.message, ", pos:", pos) return res end local function _parse_eof_packet(packet) local pos = 2 local warning_count, pos = _get_byte2(packet, pos) local status_flags = _get_byte2(packet, pos) return warning_count, status_flags end local function _parse_err_packet(packet) local errno, pos = _get_byte2(packet, 2) local marker = sub(packet, pos, pos) local sqlstate if marker == '#' then -- with sqlstate pos = pos + 1 sqlstate = sub(packet, pos, pos + 5 - 1) pos = pos + 5 end local message = sub(packet, pos) return errno, message, sqlstate end local function _parse_result_set_header_packet(packet) local field_count, pos = _from_length_coded_bin(packet, 1) local extra extra = _from_length_coded_bin(packet, pos) return field_count, extra end local function _parse_field_packet(data) local col = new_tab(0, 2) local catalog, db, table, orig_table, orig_name, charsetnr, length local pos catalog, pos = _from_length_coded_str(data, 1) --print("catalog: ", col.catalog, ", pos:", pos) db, pos = _from_length_coded_str(data, pos) table, pos = _from_length_coded_str(data, pos) orig_table, pos = _from_length_coded_str(data, pos) col.name, pos = _from_length_coded_str(data, pos) orig_name, pos = _from_length_coded_str(data, pos) pos = pos + 1 -- ignore the filler charsetnr, pos = _get_byte2(data, pos) length, pos = _get_byte4(data, pos) col.type = strbyte(data, pos) --[[ pos = pos + 1 col.flags, pos = _get_byte2(data, pos) col.decimals = strbyte(data, pos) pos = pos + 1 local default = sub(data, pos + 2) if default and default ~= "" then col.default = default end --]] return col end local function _parse_row_data_packet(data, cols, compact) local pos = 1 local ncols = #cols local row if compact then row = new_tab(ncols, 0) else row = new_tab(0, ncols) end for i = 1, ncols do local value value, pos = _from_length_coded_str(data, pos) local col = cols[i] local typ = col.type local name = col.name --print("row field value: ", value, ", type: ", typ) if value ~= null then local conv = converters[typ] if conv then value = conv(value) end end ---------------------------------- -- convert null userdata to nil -- -- convert bool data to boolean -- ---------------------------------- --ngx.log(ngx.ERR, typ) --ngx.log(ngx.ERR, value) if type(value) == "userdata" and tostring(value) == "userdata: NULL" then value = nil elseif typ == 1 then -- 1 == true -- 0 == false if value == 1 then value = true else value = false end end ---------------------------------- if compact then row[i] = value else row[name] = value end end return row end local function _recv_field_packet(self) local packet, typ, err = _recv_packet(self) if not packet then return nil, err end if typ == "ERR" then local errno, msg, sqlstate = _parse_err_packet(packet) return nil, msg, errno, sqlstate end if typ ~= 'DATA' then return nil, "bad field packet type: " .. typ end -- typ == 'DATA' return _parse_field_packet(packet) end function _M.new(self) local sock, err = tcp() if not sock then return nil, err end return setmetatable({ sock = sock }, mt) end function _M.set_timeout(self, timeout) local sock = self.sock if not sock then return nil, "not initialized" end return sock:settimeout(timeout) end function _M.connect(self, opts) local sock = self.sock if not sock then return nil, "not initialized" end local max_packet_size = opts.max_packet_size if not max_packet_size then max_packet_size = 1024 * 1024 -- default 1 MB end self._max_packet_size = max_packet_size local ok, err self.compact = opts.compact_arrays local database = opts.database or "" local user = opts.user or "" local pool = opts.pool local host = opts.host if host then local port = opts.port or 3306 if not pool then pool = user .. ":" .. database .. ":" .. host .. ":" .. port end ok, err = sock:connect(host, port, { pool = pool }) else local path = opts.path if not path then return nil, 'neither "host" nor "path" options are specified' end if not pool then pool = user .. ":" .. database .. ":" .. path end ok, err = sock:connect("unix:" .. path, { pool = pool }) end if not ok then return nil, 'failed to connect: ' .. err end local reused = sock:getreusedtimes() if reused and reused > 0 then self.state = STATE_CONNECTED return 1 end local packet, typ, err = _recv_packet(self) if not packet then return nil, err end if typ == "ERR" then local errno, msg, sqlstate = _parse_err_packet(packet) return nil, msg, errno, sqlstate end self.protocol_ver = strbyte(packet) --print("protocol version: ", self.protocol_ver) local server_ver, pos = _from_cstring(packet, 2) if not server_ver then return nil, "bad handshake initialization packet: bad server version" end --print("server version: ", server_ver) self._server_ver = server_ver local thread_id, pos = _get_byte4(packet, pos) --print("thread id: ", thread_id) local scramble = sub(packet, pos, pos + 8 - 1) if not scramble then return nil, "1st part of scramble not found" end pos = pos + 9 -- skip filler -- two lower bytes local capabilities -- server capabilities capabilities, pos = _get_byte2(packet, pos) -- print(format("server capabilities: %#x", capabilities)) self._server_lang = strbyte(packet, pos) pos = pos + 1 --print("server lang: ", self._server_lang) self._server_status, pos = _get_byte2(packet, pos) --print("server status: ", self._server_status) local more_capabilities more_capabilities, pos = _get_byte2(packet, pos) capabilities = bor(capabilities, lshift(more_capabilities, 16)) --print("server capabilities: ", capabilities) -- local len = strbyte(packet, pos) local len = 21 - 8 - 1 --print("scramble len: ", len) pos = pos + 1 + 10 local scramble_part2 = sub(packet, pos, pos + len - 1) if not scramble_part2 then return nil, "2nd part of scramble not found" end scramble = scramble .. scramble_part2 --print("scramble: ", _dump(scramble)) local client_flags = 0x3f7cf; local ssl_verify = opts.ssl_verify local use_ssl = opts.ssl or ssl_verify if use_ssl then if band(capabilities, CLIENT_SSL) == 0 then return nil, "ssl disabled on server" end -- send a SSL Request Packet local req = _set_byte4(bor(client_flags, CLIENT_SSL)) .. _set_byte4(self._max_packet_size) .. "\0" -- TODO: add support for charset encoding .. strrep("\0", 23) local packet_len = 4 + 4 + 1 + 23 local bytes, err = _send_packet(self, req, packet_len) if not bytes then return nil, "failed to send client authentication packet: " .. err end local ok, err = sock:sslhandshake(false, nil, ssl_verify) if not ok then return nil, "failed to do ssl handshake: " .. (err or "") end end local password = opts.password or "" local token = _compute_token(password, scramble) --print("token: ", _dump(token)) local req = _set_byte4(client_flags) .. _set_byte4(self._max_packet_size) .. "\0" -- TODO: add support for charset encoding .. strrep("\0", 23) .. _to_cstring(user) .. _to_binary_coded_string(token) .. _to_cstring(database) local packet_len = 4 + 4 + 1 + 23 + #user + 1 + #token + 1 + #database + 1 -- print("packet content length: ", packet_len) -- print("packet content: ", _dump(concat(req, ""))) local bytes, err = _send_packet(self, req, packet_len) if not bytes then return nil, "failed to send client authentication packet: " .. err end --print("packet sent ", bytes, " bytes") local packet, typ, err = _recv_packet(self) if not packet then return nil, "failed to receive the result packet: " .. err end if typ == 'ERR' then local errno, msg, sqlstate = _parse_err_packet(packet) return nil, msg, errno, sqlstate end if typ == 'EOF' then return nil, "old pre-4.1 authentication protocol not supported" end if typ ~= 'OK' then return nil, "bad packet type: " .. typ end self.state = STATE_CONNECTED return 1 end function _M.set_keepalive(self, ...) local sock = self.sock if not sock then return nil, "not initialized" end if self.state ~= STATE_CONNECTED then return nil, "cannot be reused in the current connection state: " .. (self.state or "nil") end self.state = nil return sock:setkeepalive(...) end function _M.get_reused_times(self) local sock = self.sock if not sock then return nil, "not initialized" end return sock:getreusedtimes() end function _M.close(self) local sock = self.sock if not sock then return nil, "not initialized" end self.state = nil return sock:close() end function _M.server_ver(self) return self._server_ver end local function send_query(self, query) if self.state ~= STATE_CONNECTED then return nil, "cannot send query in the current context: " .. (self.state or "nil") end local sock = self.sock if not sock then return nil, "not initialized" end self.packet_no = -1 local cmd_packet = strchar(COM_QUERY) .. query local packet_len = 1 + #query local bytes, err = _send_packet(self, cmd_packet, packet_len) if not bytes then return nil, err end self.state = STATE_COMMAND_SENT --print("packet sent ", bytes, " bytes") return bytes end _M.send_query = send_query local function read_result(self, est_nrows) if self.state ~= STATE_COMMAND_SENT then return nil, "cannot read result in the current context: " .. self.state end local sock = self.sock if not sock then return nil, "not initialized" end local packet, typ, err = _recv_packet(self) if not packet then return nil, err end if typ == "ERR" then self.state = STATE_CONNECTED local errno, msg, sqlstate = _parse_err_packet(packet) return nil, msg, errno, sqlstate end if typ == 'OK' then local res = _parse_ok_packet(packet) if res and band(res.server_status, SERVER_MORE_RESULTS_EXISTS) ~= 0 then return res, "again" end self.state = STATE_CONNECTED return res end if typ ~= 'DATA' then self.state = STATE_CONNECTED return nil, "packet type " .. typ .. " not supported" end -- typ == 'DATA' --print("read the result set header packet") local field_count, extra = _parse_result_set_header_packet(packet) --print("field count: ", field_count) local cols = new_tab(field_count, 0) for i = 1, field_count do local col, err, errno, sqlstate = _recv_field_packet(self) if not col then return nil, err, errno, sqlstate end cols[i] = col end local packet, typ, err = _recv_packet(self) if not packet then return nil, err end if typ ~= 'EOF' then return nil, "unexpected packet type " .. typ .. " while eof packet is " .. "expected" end -- typ == 'EOF' local compact = self.compact local rows = new_tab(est_nrows or 4, 0) local i = 0 while true do --print("reading a row") packet, typ, err = _recv_packet(self) if not packet then return nil, err end if typ == 'EOF' then local warning_count, status_flags = _parse_eof_packet(packet) --print("status flags: ", status_flags) if band(status_flags, SERVER_MORE_RESULTS_EXISTS) ~= 0 then return rows, "again" end break end -- if typ ~= 'DATA' then -- return nil, 'bad row packet type: ' .. typ -- end -- typ == 'DATA' local row = _parse_row_data_packet(packet, cols, compact) i = i + 1 rows[i] = row end self.state = STATE_CONNECTED return rows end _M.read_result = read_result function _M.query(self, query, est_nrows) local bytes, err = send_query(self, query) if not bytes then return nil, "failed to send query: " .. err end return read_result(self, est_nrows) end function _M.set_compact_arrays(self, value) self.compact = value end return _M
local cg = require 'CGraph' local rand = require 'RandomWeight' local Dense = require 'Dense' local _ = require 'underscore' local crossEntropy = cg.crossEntropyLoss local function softmax(Z) return cg.exp(Z) / cg.sum(cg.exp(Z), 1) end function buildConfusionMatrix(nb_classes) local mat = {} for i=1,nb_classes do mat[i] = {} for j=1,nb_classes do mat[i][j] = 0 end end return mat end --[[ default unchangable parameters: - optimizer: SGD - Batch size: 1 ]] function fit(name, NN, X_train, Y_train, X_test, Y_test, num_classes, alpha) local X = cg.variable 'X' local y = cg.variable 'y' -- we only support cross entropy loss ATM print("Constructing graph") local node = NN[1].eval(X) for i=2,#NN do local v = NN[i] node = v.eval(node) end local cost = crossEntropy(node, y, num_classes) local eval = cg.argmax(softmax(node)) local g = cg.graph(name, cost) print("Initializing random weights") for i, v in ipairs(NN) do if v.type == 'dense' then g:setVar(v.params[1].name, cg.matrix(v.size[1], v.size[2], rand.randomWeight(v.size[1]*v.size[2]))) g:setVar(v.params[2].name, cg.vector(v.size[2], rand.randomWeight(v.size[2]))) end end local points = {} local loss = {} local loss2 = {} local progress = cg.Progress:create("Training..", 1000) for k=1,1000 do local err = 0 local X, y = shuffle(X_train, Y_train) for i=1,#X,1 do local x_i = _.flatten({X[i]}) local y_i = _.flatten({y[i]}) g:setVar('X', cg.matrix(1, #x_i, x_i)) g:setVar('y', cg.vector(#y_i, y_i)) local output = g:eval() err = err + output.value g:backProp() for i, v in ipairs(NN) do if v.type == 'dense' then updateWeights(v.params[1].name, g, alpha) updateWeights(v.params[2].name, g, alpha) end end end table.insert(loss, {k, err/#X}) table.insert(loss2, err/#X) table.insert(points, k) progress:inc() end progress:stop() cg.plotLines(cg.array(points), cg.array(loss2), name..".png") print("training complete, Testting") local confMat = buildConfusionMatrix(num_classes) for i=1,#X_test,1 do local x_i = _.flatten({X_test[i]}) local y_i = _.flatten({Y_test[i]}) g:setVar('X', cg.matrix(1, #x_i, x_i)) g:setVar('y', cg.vector(#y_i, y_i)) local idx = g:evalNode(eval).value --local max, idx = argmax(output.value) confMat[idx+1][Y_test[i]+1] = confMat[idx+1][Y_test[i]+1] + 1 end print("Confusion Matrix:") for i=1,num_classes do for j = 1,num_classes do io.write('\t') io.write(confMat[i][j]) end io.write('\n') end g:plot() end function updateWeights(name, g, alpha) local t_1 = g:getVar(name) local dxt_1 = g:getVarDiff(name) --print(name, t_1, dxt_1) local size = t_1.len or t_1.cols*t_1.rows local t_1_newval = {} for k=1,size do table.insert(t_1_newval, t_1.value[k] - alpha*dxt_1.value[k]) end if t_1.len then g:setVar(name, cg.vector(size, t_1_newval)) else g:setVar(name, cg.matrix(t_1.rows, t_1.cols, t_1_newval)) end end return fit
#!/usr/bin/env gt --[[ Author: Sascha Steinbiss <ss34@sanger.ac.uk> Copyright (c) 2014-2015 Genome Research Ltd Permission to use, copy, modify, and distribute this software for any purpose with or without fee is hereby granted, provided that the above copyright notice and this permission notice appear in all copies. THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. ]] package.path = gt.script_dir .. "/?.lua;" .. package.path require("lib") require("SimpleChainer") require("optparse") op = OptionParser:new({usage="%prog <options> < merged.gff3", oneliner="Selects the 'best' gene models " .. "from a pooled set of GFF3 annotations.", version="0.1"}) op:option{"-w", action='store', dest='weight_func', help="Lua script defining the weight function 'get_weight()'"} op:option{"-s", action='store', dest='sequence', help="sequence file for the given annotation"} options,args = op:parse({weight_func=nil, sequence=nil}) function usage() op:help() os.exit(1) end if not options.sequence then usage() end regmap = gt.region_mapping_new_seqfile_matchdescstart(options.sequence) -- default weight function: gene length -- this should most of the time be overridden by a more specific, -- evidence aware function function _get_weight(gene) return gene:get_range():length() end -- load weight function, if given if not options.weight_func then get_weight = _get_weight else dofile(options.weight_func) end if not get_weight then error("no weight function ('get_weight()') found in file " .. options.weight_func) os.exit(1) end stream = gt.custom_stream_new_unsorted() stream.outqueue = {} stream.curr_gene_set = {} stream.curr_rng = nil stream.last_seqid = nil function stream:process_current_cluster() local bestset = nil local max = 0 -- keep only non-overlapping chain with highest weight bestset = SimpleChainer.new(self.curr_gene_set, get_weight, regmap):chain() for _,v in ipairs(bestset) do table.insert(self.outqueue, v) end end function stream:next_tree() local complete_cluster = false local mygn = nil if #self.outqueue > 0 then return table.remove(self.outqueue, 1) else complete_cluster = false end while not complete_cluster do mygn = self.instream:next_tree() if mygn then rval, err = pcall(GenomeTools_genome_node.get_type, mygn) if rval then local fn = mygn local new_rng = mygn:get_range() if fn:get_type() == "gene" then if #self.curr_gene_set == 0 then table.insert(self.curr_gene_set, fn) self.curr_rng = new_rng else if self.last_seqid == fn:get_seqid() and self.curr_rng:overlap(new_rng) then table.insert(self.curr_gene_set, fn) self.curr_rng = self.curr_rng:join(new_rng) else -- no more overlap self:process_current_cluster() self.curr_gene_set = {} table.insert(self.curr_gene_set, fn) self.curr_rng = new_rng if #self.outqueue > 0 then outgn = table.remove(self.outqueue, 1) complete_cluster = true end end end self.last_seqid = mygn:get_seqid() end else -- no feature node self:process_current_cluster() self.curr_gene_set = {} table.insert(self.outqueue, fn) if #self.outqueue > 0 then outgn = table.remove(self.outqueue, 1) complete_cluster = true end end else -- end of annotation outgn = mygn break end end return outgn end stream.instream = gt.gff3_in_stream_new_sorted() stream.idx = feature_index out_stream = gt.gff3_out_stream_new(stream) local gn = out_stream:next_tree() while (gn) do gn = out_stream:next_tree() end
local discordia = require('discordia') discordia.extensions() local config = require('./config.lua') local commands = require('commands.lua') local client = discordia.Client(config.discordia) local correction_timeout = discordia.Stopwatch() correction_timeout:start() local correction_autoresponse = [[> "Lua" (pronounced LOO-ah) means "Moon" in Portuguese. As such, it is neither an acronym nor an abbreviation, but a noun. More specifically, "Lua" is a name, the name of the Earth's moon and the name of the language. Like most names, it should be written in lower case with an initial capital, that is, "Lua". **Please do not write it as "LUA"**, which is both ugly and confusing, because then it becomes an acronym with different meanings for different people. So, please, write "Lua" right! - https://www.lua.org/about.html]] client:on('messageCreate', function(message) if not message.guild or message.author.bot then return -- ignore dms, self and other bots end if message.content:startswith(config.prefix) then local content = message.content:sub(#config.prefix + 1) local cmd = content:match('^%S+') if cmd then local arg = content:sub(#cmd + 1):trim() commands.process(message, cmd, arg) end elseif message.content:find('%WLUA%W', 1) or message.content:startswith('LUA') or message.content:endswith('LUA') then if correction_timeout:getTime():toMinutes() > 15 then local previous_messages = message.channel:getMessages(40) local has_correction = previous_messages:find(function(m) return m.author == client.user and m.content == correction_autoresponse end) if not has_correction then correction_timeout:reset() message:reply(correction_autoresponse) end end end end) client:run('Bot ' .. config.token)
giant_fynock = Creature:new { objectName = "@mob/creature_names:giant_fynock", socialGroup = "fynock", faction = "", level = 42, chanceHit = 0.44, damageMin = 345, damageMax = 400, baseXp = 4188, baseHAM = 10000, baseHAMmax = 12000, armor = 0, resists = {30,30,30,30,30,30,30,30,-1}, meatType = "meat_avian", meatAmount = 70, hideType = "hide_leathery", hideAmount = 50, boneType = "bone_avian", boneAmount = 55, milk = 0, tamingChance = 0.25, ferocity = 9, pvpBitmask = AGGRESSIVE + ATTACKABLE + ENEMY, creatureBitmask = PACK + KILLER, optionsBitmask = AIENABLED, diet = CARNIVORE, templates = {"object/mobile/fynock_hue.iff"}, hues = { 8, 9, 10, 11, 12, 13, 14, 15 }, scale = 4, lootGroups = {}, weapons = {"creature_spit_small_red"}, conversationTemplate = "", attacks = { {"intimidationattack",""}, {"creatureareaknockdown",""} } } CreatureTemplates:addCreatureTemplate(giant_fynock, "giant_fynock")
local ReplicatedStorage = game:GetService("ReplicatedStorage") local LootPlan = require(ReplicatedStorage.Scripts.Modules.LootPlan) ---- local materialPlan = LootPlan.new("single") materialPlan:AddLoot("Wrinkled Leather", 20) materialPlan:AddLoot("Plastic Sheet", 20) materialPlan:AddLoot("Dented Metal", 10) materialPlan:AddLoot("Nothing", 30) ---- local gemPlan = LootPlan.new("single") gemPlan:AddLoot("0", 50) gemPlan:AddLoot("Nothing", 50) ---- return { MissionName = "Riukaya-Hara: A Journey's Start", MapName = "Riukaya-Hara", MissionImage = "rbxassetid://3517219261", Type = "Story", Available = true, Replayable = true, TypeProperties = { Type = "Wave", Wave = 5, StartingEnemies = 5, Objectives = { }, SummonableNPCS = {} }, MaxPlayers = 6, MinLevel = 1, MaxLevel = 10, MinLevelHero = 25, MaxLevelHero = 30, ReleaseDate = 0, RequiredMapCompletions = { "1" }, MaterialDrops = materialPlan, GemDrops = gemPlan, Description = "A once-prosperous city located on the outskirts of the InCrypt region, it became desolate after the sudden disappearance of all its citizens. Security bots roam the metropolis, defending what is left of the nation.", Hints = { {"Potion", "Potions can help mitigate damage and regen some lost HP."}, {"StaminaPotion", "Stamina Potions regenerates lost energy over 1 minute."}, } }
--[[ Conditions.lua @Author : DengSir (tdaddon@163.com) @Link : https://dengsir.github.io ]] local ns = select(2, ...) local Addon = ns.Addon local Util = ns.Util local Round = ns.BattleCacheManager:GetModule('Round') local Played = ns.BattleCacheManager:GetModule('Played') local function getOpponent(owner) return owner == LE_BATTLE_PET_ALLY and LE_BATTLE_PET_ENEMY or LE_BATTLE_PET_ALLY end local function getOpponentActivePet(owner) local opponent = getOpponent(owner) return opponent, C_PetBattles.GetActivePet(opponent) end local function GetAbilityAttackModifier(owner, pet, ability) if not pet or not ability then return end local abilityType, noStrongWeakHints = select(7, C_PetBattles.GetAbilityInfo(owner, pet, ability)) if noStrongWeakHints then return end local opponentType = C_PetBattles.GetPetType(getOpponentActivePet(owner)) return C_PetBattles.GetAttackModifier(abilityType, opponentType) end local infinite = tonumber('inf') local function logical_max_health(owner, pet) return pet and C_PetBattles.GetMaxHealth(owner, pet) or infinite end Addon:RegisterCondition('dead', { type = 'boolean', arg = false }, function(owner, pet) return C_PetBattles.GetHealth(owner, pet) == 0 end) Addon:RegisterCondition('hp', { type = 'compare', arg = false }, function(owner, pet) return C_PetBattles.GetHealth(owner, pet) end) Addon:RegisterCondition('hp.full', { type = 'boolean', arg = false }, function(owner, pet) return C_PetBattles.GetHealth(owner, pet) == logical_max_health(owner, pet) end) Addon:RegisterCondition('hp.can_explode', { type = 'boolean', arg = false }, function(owner, pet) return pet and C_PetBattles.GetHealth(owner, pet) < floor(logical_max_health(getOpponentActivePet(owner)) * 0.4) end) Addon:RegisterCondition('hp.low', { type = 'boolean', pet = false, arg = false }, function(owner, pet) return C_PetBattles.GetHealth(owner, pet) < C_PetBattles.GetHealth(getOpponentActivePet(owner)) end) Addon:RegisterCondition('hp.high', { type = 'boolean', pet = false, arg = false }, function(owner, pet) return C_PetBattles.GetHealth(owner, pet) > C_PetBattles.GetHealth(getOpponentActivePet(owner)) end) Addon:RegisterCondition('hpp', { type = 'compare', arg = false }, function(owner, pet) return C_PetBattles.GetHealth(owner, pet) / logical_max_health(owner, pet) * 100 end) Addon:RegisterCondition('aura.exists', { type = 'boolean' }, function(owner, pet, aura) return aura and Util.FindAura(owner, pet, aura) end) Addon:RegisterCondition('aura.duration', { type = 'compare' }, function(owner, pet, aura) local owner, pet, index = Util.FindAura(owner, pet, aura) if aura and index then return (select(3, C_PetBattles.GetAuraInfo(owner, pet, index))) end return 0 end) Addon:RegisterCondition('weather', { type = 'boolean', owner = false, pet = false }, function(_, _, weather) local id, name = 0, '' local aura = C_PetBattles.GetAuraInfo(LE_BATTLE_PET_WEATHER, PET_BATTLE_PAD_INDEX, 1) if aura then id, name = C_PetBattles.GetAbilityInfoByID(aura) end return weather and (id == weather or name == weather) end) Addon:RegisterCondition('weather.duration', { type = 'compare', owner = false, pet = false }, function(_, _, weather) local id, _, duration = C_PetBattles.GetAuraInfo(LE_BATTLE_PET_WEATHER, PET_BATTLE_PAD_INDEX, 1) if weather and id and (id == weather or select(2, C_PetBattles.GetAbilityInfoByID(id)) == weather) then return duration end return 0 end) Addon:RegisterCondition('active', { type = 'boolean', arg = false }, function(owner, pet) return C_PetBattles.GetActivePet(owner) == pet end) Addon:RegisterCondition('ability.usable', { type = 'boolean', argParse = Util.ParseAbility }, function(owner, pet, ability) local isUsable, currentCooldown, currentLockdown = C_PetBattles.GetAbilityState(owner, pet, ability) return ability and isUsable end) Addon:RegisterCondition('ability.duration', { type = 'compare', argParse = Util.ParseAbility }, function(owner, pet, ability) local isUsable, currentCooldown, currentLockdown = C_PetBattles.GetAbilityState(owner, pet, ability) return ability and currentCooldown or infinite end) Addon:RegisterCondition('ability.strong', { type = 'boolean', argParse = Util.ParseAbility }, function(owner, pet, ability) local modifier = GetAbilityAttackModifier(owner, pet, ability) return modifier and modifier > 1 end) Addon:RegisterCondition('ability.weak', { type = 'boolean', argParse = Util.ParseAbility }, function(owner, pet, ability) local modifier = GetAbilityAttackModifier(owner, pet, ability) return modifier and modifier < 1 end) Addon:RegisterCondition('ability.type', { type = 'equality', argParse = Util.ParseAbility, valueParse = Util.ParsePetType }, function(owner, pet, ability) return (select(7, C_PetBattles.GetAbilityInfo(owner, pet, ability))) end) Addon:RegisterCondition('round', { type = 'compare', pet = false, arg = false }, function(owner) if owner then return Round:GetRoundByOwner(owner) else return Round:GetRound() end end) Addon:RegisterCondition('played', { type = 'boolean', arg = false }, function(owner, pet) return pet and Played:IsPetPlayed(owner, pet) end) Addon:RegisterCondition('speed', { type = 'compare', arg = false }, C_PetBattles.GetSpeed) Addon:RegisterCondition('power', { type = 'compare', arg = false }, C_PetBattles.GetPower) Addon:RegisterCondition('level', { type = 'compare', arg = false }, C_PetBattles.GetLevel) Addon:RegisterCondition('level.max', { type = 'boolean', arg = false }, function(owner, pet) return pet and C_PetBattles.GetLevel(owner, pet) == 25 end) Addon:RegisterCondition('speed.fast', { type = 'boolean', pet = false, arg = false }, function(owner) return C_PetBattles.GetSpeed(owner, C_PetBattles.GetActivePet(owner)) > C_PetBattles.GetSpeed(getOpponentActivePet(owner)) end) Addon:RegisterCondition('speed.slow', { type = 'boolean', pet = false, arg = false }, function(owner) return C_PetBattles.GetSpeed(owner, C_PetBattles.GetActivePet(owner)) < C_PetBattles.GetSpeed(getOpponentActivePet(owner)) end) Addon:RegisterCondition('type', { type = 'equality', arg = false, valueParse = Util.ParsePetType }, function(owner, pet) return C_PetBattles.GetPetType(owner, pet) end) Addon:RegisterCondition('quality', { type = 'compare', arg = false, valueParse = Util.ParseQuality }, function(owner, pet) return pet and C_PetBattles.GetBreedQuality(owner, pet) end) Addon:RegisterCondition('exists', { type = 'boolean', pet = 1, arg = false }, function(owner, pet) return not not pet end) Addon:RegisterCondition('is', { type = 'boolean', pet = 1 }, function(owner, pet, other) return pet and Util.ComparePet(owner, pet, Util.ParseID(other) or other) end) Addon:RegisterCondition('id', { type = 'equality', pet = 1, arg = false }, function(owner, pet) return pet and C_PetBattles.GetPetSpeciesID(owner, pet) or 0 end)
local id = KEYS[1] local data = ARGV[1] local retJson = redis.call('get', id) local dataSource = cjson.decode(data) if retJson == false then retJson = {} else retJson = cjson.decode(retJson) end for k,v in pairs(dataSource) do retJson[k] = v end redis.call('set', id, cjson.encode(retJson)) return redis.call('get',id)
Vote = {} Vote.__mt = {__index = Vote} Vote.elMap = {} addEvent("onVoteFinish") addEvent("vote_onPlayerVote", true) function Vote:onPlayerVote(player, optIdx) local prevOptIdx = self.players[player] local prevOpt = prevOptIdx and self.opts[prevOptIdx] self.players[player] = optIdx local opt = self.opts[optIdx] opt.votes = opt.votes + 1 self:triggerClientEvent("vote_onOptVotesUpdate", self.el, prevOptIdx, optIdx) if(prevOpt) then prevOpt.votes = prevOpt.votes - 1 else self.votesCount = self.votesCount + 1 end local attendance = self.votesCount / self.playersCount * 100 if(self.info.minAttendance and attendance >= self.info.minAttendance) then local opts = self:findBestOptions() local percentage = opts[1].votes/self.votesCount*100 if(#opts == 1 and (not self.info.minPercentage or percentage >= self.info.minPercentage)) then self:finishVote(opts[1]) end end end function Vote:onPlayerQuit(player) local optIdx = self.players[player] if(optIdx == nil) then return end if(optIdx) then self.votesCount = self.votesCount - 1 local opt = self.opts[optIdx] opt.votes = opt.votes - 1 self:triggerClientEvent("vote_onOptVotesUpdate", self.el, optIdx, false) end self.playersCount = self.playersCount - 1 self.players[player] = nil end function Vote:onTimeout() local opts = self:findBestOptions() if(#opts == 1 or self.votesCount == 0 or self.votesCount == #self.opts or (self.info.maxNominations and self.nominations >= self.info.maxNominations)) then local opt = opts[math.random(1, #opts)] self:finishVote(opt) -- FIXME: chck if we can remove any option else -- draw self:nextNomination(opts) end end function Vote:finishVote(opt) if(self.info.minPercentage and opt.votes / self.votesCount * 100 < self.info.minPercentage) then opt = false end if(opt) then outputChatBox("Vote finished! ["..((opt and opt[1]) or "-").."]", self.info.visibleTo) triggerEvent("onVoteFinish", self.el, unpack(opt)) else outputChatBox("vote failed!") end self:destroy() end function Vote:resetVotes() self.votesCount = 0 for i, opt in ipairs(self.opts) do opt.votes = 0 end for player, optIdx in pairs(self.players) do self.players[player] = false end end function Vote:triggerClientEvent(...) for player, optIdx in pairs(self.players) do triggerClientEvent(player, ...) end end function Vote:nextNomination(opts) self.nomination = self.nomination + 1 for i, opt in ipairs(self.opts) do if(opt.votes < opts[1].votes) then table.remove(self.opts, i) end end self:resetVotes() self:triggerClientEvent("vote_nextNomination", self.el, self.opts) end function Vote:findBestOptions() local bestOpts = {} local minVotes = 0 local draw = false for i, opt in ipairs(self.opts) do if(opt.votes > minVotes) then minVotes = opt.votes bestOpts = {opt} elseif(opt.votes == minVotes) then table.insert(bestOpts, opt) end end assert(#bestOpts > 0) return bestOpts end function Vote:destroy(ignoreEl) if(self.timer) then killTimer(self.timer) self.timer = false end Vote.elMap[self.el] = nil if(not ignoreEl) then if isElement(self.el) then destroyElement(self.el) end end --outputChatBox("Vote:destroy "..tostring(ignoreEl)) end function Vote.create(info, opts) assert(info.title and isElement(info.visibleTo) and #opts >= 2) info.timeout = tonumber(info.timeout) or 15 info.minPercentage = tonumber(info.minPercentage) info.allowChange = (info.allowChange == nil) or info.allowChange info.maxNominations = tonumber(info.maxNominations) info.minAttendance = tonumber(info.minAttendance) or 100 local self = setmetatable({}, Vote.__mt) self.info = info self.opts = opts self.el = createElement("vote") self.nomination = 1 self.players = {} self.playersCount = 0 self:resetVotes() local players = getElementsByType("player", info.visibleTo) for i, player in ipairs(players) do self.players[player] = false self.playersCount = self.playersCount + 1 end self:triggerClientEvent("vote_onStart", self.el, self.info, self.opts) self.timer = setTimer(function() self.timer = false self:onTimeout() end, self.info.timeout * 1000, 1) Vote.elMap[self.el] = self return self end addEventHandler("onElementDestroy", g_Root, function() local vote = Vote.elMap[source] if(not vote) then return end vote:destroy(true) end) addEventHandler("vote_onPlayerVote", g_Root, function(optIdx) local vote = Vote.elMap[source] if(not vote) then return end vote:onPlayerVote(client, optIdx) end) addEventHandler("vote_onPlayerQuit", g_Root, function(optIdx) for el, vote in pairs(Vote.elMap) do vote:onPlayerQuit(source) end end)
__nowaiting = true db = "127.0.0.1:2528" db2 = "127.0.0.1:2529" db3 = "127.0.0.1:2530" db4 = "127.0.0.1:2531" db5 = "127.0.0.1:2532"
--https://github.com/Nyapaw/lionstore local Lionstore = {} Lionstore.__index = Lionstore local DATA_BUDGET = 3999000; local Promise = require(script.Promise) local Queue = require(script.Queue) local spawn = require(script.spawn) local inspect = require(script.inspect) local TableUtil = require(script.TableUtil) local DataStoreService = game:GetService("DataStoreService") local HttpService = game:GetService("HttpService") local Players = game:GetService("Players") local MessagingService = game:GetService("MessagingService") local RunService = game:GetService("RunService") local IsStudio = RunService:IsStudio() Lionstore.Profiles = {} local Profiles = Lionstore.Profiles local concat = function(...) local str = "" for _, item in pairs({...}) do str = str .. (type(item) == 'table' and inspect(item) or item) .. " " end return str end local print = function(...) print("Lionstore; " .. concat(...)) end; local warn = function(...) warn("Lionstore; " .. concat(...)) end; local function wait(n) Promise.delay(n):await() end; local Shutdown = false Lionstore.Info = { Partitions = 1; Default = {}, HandleLocked = function(Player) Player:Kick() end, --BeforeSave --BeforeInitialGet --Retries } Lionstore.Modifiers = {} function Lionstore.SetInfo(Info) Lionstore.Info = Info; local Partitions = Info.Partitions Info.Chunk = math.floor(DATA_BUDGET/Partitions) end function Lionstore.GetProfile(Player) return Lionstore.Profiles[Player] end function Lionstore.new(Key, Player) if Shutdown then return end; print("init", Player.Name) local Profile = setmetatable({}, Lionstore) Profiles[Player] = Profile Profile.Player = Player Profile.Datastore = DataStoreService:GetDataStore(Key) Profile.DatastoreKey = Key Profile.Key = tostring(Player.UserId) Profile.Loaded = Profile:getDS() Profile.CurrentData = Queue.new(Lionstore.Info.Partitions) --Profile.MainData spawn(function() Profile.Loaded:await() if Player.Parent then while true do wait(240) if Shutdown or not Player.Parent then break end if (Profile:isLocked()) then Profile:Lock() end; end end; end) Profile.Release = Instance.new("BindableEvent") return Profile end game:BindToClose(function() Shutdown = true for _, Profile in pairs(Profiles) do if not Profile.Success then continue end; if (Profile.Saving) then Profile.Saving:await() else Profile:SaveAsync() end; end end) Players.PlayerRemoving:Connect(function(Player) local Profile = Profiles[Player] if Profile then if Profile.Success then Profile.Saving = Profile:Save() if (Profile.Saving) then Profile.Saving:await() end; end; Profile.Release:Destroy() if (Profile.OnUpdate) then Profile.OnUpdate:Disconnect() end; Profiles[Player] = nil end end) function Lionstore:isLocked() return self.MainData.Locked > os.time() end function Lionstore:loaded() return self.Loaded:getStatus() ~= "Started" end function Lionstore:check() if not self:loaded() then self.Loaded:await() end assert(self.Success, "corrupt " .. self.Player.Name) end function Lionstore:get() self:check() return self.CurrentData:peek() end function Lionstore:update(Callback) self:check() local Data = Callback(self:get()) assert(Data, "no return") if (not Lionstore.Info.DisregardLimitCheck) then local Len = #HttpService:JSONEncode(Data) assert(Len <= Lionstore.Info.Chunk, ("data exceed %d char"):format(Len)) end; self.CurrentData.list[1] = Data end function Lionstore:habitat(Callback, ErrHandle, ...) local Success, Result = pcall(Callback, self:get()) if (not Success) then self.MainData.Corrupted = true warn("habitat err;", debug.traceback()) if (ErrHandle) then ErrHandle(Result, ...) end; end end function Lionstore:GetChannel() return Promise.defer(function(resolve) resolve(MessagingService:SubscribeAsync(self.Key, function(data) data = HttpService:JSONDecode(data.Data) if data.code == 'release' then self.Release:Fire() else self.MainData.list[1] = Lionstore.Modifiers[data.code](self.Key, self:get(), data.args) end end)) end):andThen(function(Con) self.OnUpdate = Con end):catch(function(err) warn(err) wait(5) return self:GetChannel() end) end function Lionstore:SendRelease() return Promise.new(function(resolve) resolve(MessagingService:PublishAsync(self.Key, HttpService:JSONEncode{code = 'release'})) end):catch(function(err) warn(err) wait(5) return self:SendRelease() end) end function Lionstore.read(Key, PlayerId, i) local Retries = Lionstore.Info.Retries or 5 if not i then i = 0 end i += 1 local Datastore = DataStoreService:GetDataStore(Key) PlayerId = tostring(PlayerId) local this = Promise.defer(function(resolve, reject) local Success, Result = pcall(Datastore.GetAsync, Datastore, PlayerId) if Success then if not Result then reject({error = ("Player with id %s doesn't exist"):format(PlayerId)}) end resolve(Result) else reject(Result) end end):andThen(function(Result) Result = HttpService:JSONDecode(Result) local Info = { Locked = Result.Locked, Data = Result.Data[1] } return true, Info end):catch(function(Result) warn(Result) if i >= Retries then return false, Result.error end print("read fail", PlayerId, "retry", i) wait(5) return Lionstore.read(Key, PlayerId, i) end) return this:await() end function Lionstore.modify(Key, PlayerId, Id, Args, i) assert(Lionstore.Modifiers[Id], ('Modifier %s doesn\'t exist'):format(Id)) local Retries = Lionstore.Info.Retries or 5 if not i then i = 0 end i += 1 local Datastore = DataStoreService:GetDataStore(Key) PlayerId = tostring(PlayerId) local this = Promise.defer(function(resolve, reject) local Success, Result = Lionstore.read(Key, PlayerId) if Success then resolve(Result) else reject(Result) end end):andThen(function(Result) return Promise.defer(function(resolve) if Result.Locked then resolve(MessagingService:PublishAsync(PlayerId, HttpService:JSONEncode{code = Id, args = Args})) else resolve(Datastore:UpdateAsync(PlayerId, function(Data) Data = HttpService:JSONDecode(Data) Data.Data[1] = Lionstore.Modifiers[Id](PlayerId, Data.Data[1], Args) return HttpService:JSONEncode(Data) end)) end end) end) :andThenReturn(true) :catch(function(Result) warn(Result) if i >= Retries then return false, Result end print("modify fail", PlayerId, "retry", i) wait(5) return Lionstore.modify(Key, PlayerId, Id, Args, i) end) return this:await() end function Lionstore.SetModifier(Id, Callback) Lionstore.Modifiers[Id] = Callback end function Lionstore:getDS() local Player = self.Player local Info = Lionstore.Info local this = Promise.defer(function(resolve, reject) local Success, Result = pcall(self.Datastore.GetAsync, self.Datastore, self.Key) if not Player.Parent then return end if Success then resolve(Result) else reject(Result) end end):andThen(function(Result) if (Result) then Result = HttpService:JSONDecode(Result) if (Result.Corrupted) then local Type if (Info.HandleCorruption) then Type = Info.HandleCorruption(Player, Result) end; if (not Type) then return end; end if (Result.Locked > os.time()) then local Type if (Info.HandleLocked) then self:GetChannel() Type = Info.HandleLocked(Player, Result) end; if (not Type) then return end; end self.MainData = Result self.CurrentData.list = Result.Data self.CurrentData:push(TableUtil.clone(self.CurrentData:peek())) local File1 = self.CurrentData:peek() for field, value in pairs(Info.Default) do if File1[field] == nil then --falsible local isTable = type(value) == 'table' if (isTable) then File1[field] = TableUtil.clone(value) else File1[field] = value end; end end if Info.BeforeInitialGet then self.CurrentData.list[1] = Info.BeforeInitialGet(Player, File1) end else self.MainData = { VERSION = 0; Locked = 0; Data = {}; Corrupted = false, } self.CurrentData:push( TableUtil.clone(Info.Default)) print("new", Player.Name) end; print("load", Player.Name) self.Success = true self:Lock() end):catch(function(Result) warn(Result) print("get fail", Player.Name, "retrying") wait(5) if not Player.Parent then return end return self:getDS() end) return this end function Lionstore:Lock() print("Lock", self.Player.Name) local P = self:setDS(function(Data) Data = self:applyBS(Data) Data.Locked = os.time() + 600 return Data end, true) if not P then return end P:await() end function Lionstore:applyBS(DataTable) DataTable.Data = self.CurrentData.list local Info = Lionstore.Info if Info.BeforeSave then DataTable.Data[1] = Info.BeforeSave(self.Player, DataTable.Data[1]) end return DataTable end function Lionstore:Save() return self:setDS(function(DataTable) DataTable.Locked = 0 DataTable.VERSION += 1 DataTable = self:applyBS(DataTable) return DataTable end) end function Lionstore:SaveAsync() local P = self:Save() if not P then return end P:await() end function Lionstore:setDS(Callback, isLock) local Player = self.Player if not self.MainData then return end if not game:GetService("ServerStorage"):FindFirstChild("lionstoreSave") and IsStudio then warn("data won't save due to no 'lionstoreSave' object in ServerStorage") return end print("saving", self.Player.Name, isLock and "lock") local Data = Callback(self.MainData) local this = Promise.defer(function(resolve) resolve(self.Datastore:SetAsync(self.Key, HttpService:JSONEncode(Data))) end):andThen(function() if (not isLock) then self:SendRelease():await() end; print("saved", Player.Name, isLock and "lock") end):catch(function(Result) warn(Result) print("set fail", Player.Name, "retrying") wait(5) if not Player.Parent then return end return self:setDS() end) return this end return Lionstore
vim.opt.completeopt = { "menu", "menuone", "noselect" } local cmp = require "cmp" local lspkind = require "lspkind" local luasnip = require "luasnip" local utils = require "util" local t = utils.t local fn = vim.fn local api = vim.api lspkind.init() cmp.setup { completion = { completeopt = "menu,menuone,noinsert", }, snippet = { expand = function(args) -- For `luasnip` user. require("luasnip").lsp_expand(args.body) end, }, formatting = { format = lspkind.cmp_format { with_text = true, menu = { buffer = "[buf]", nvim_lsp = "[LSP]", path = "[path]", luasnip = "[snip]", }, }, }, mapping = { ["<C-Space>"] = cmp.mapping.complete(), ["<C-p>"] = cmp.mapping.select_prev_item(), ["<C-n>"] = cmp.mapping.select_next_item(), ["<C-d>"] = cmp.mapping.scroll_docs(-4), ["<C-f>"] = cmp.mapping.scroll_docs(4), ["<C-e>"] = cmp.mapping.close(), ["<CR>"] = cmp.mapping.confirm { behavior = cmp.ConfirmBehavior.Replace, select = true, }, ["<Tab>"] = function(fallback) if luasnip.expand_or_jumpable() then fn.feedkeys(t "<Plug>luasnip-expand-or-jump", "") elseif fn.pumvisible() == 1 then fn.feedkeys(t "<C-n>", "n") else fallback() end end, ["<S-Tab>"] = function(fallback) if luasnip.jumpable(-1) then fn.feedkeys(t "<Plug>luasnip-jump-prev", "") elseif fn.pumvisible() == 1 then fn.feedkeys(t "<C-p>", "n") else fallback() end end, }, sources = { { name = "nvim_lsp" }, { name = "path" }, { name = "luasnip" }, { name = "buffer", keyword_length = 5 }, }, experimental = { -- I like the new menu better! Nice work hrsh7th native_menu = false, -- Let's play with this for a day or two ghost_text = true, }, }
--heal unit from all wounds and damage function healunit(unit) if unit==nil then unit=dfhack.gui.getSelectedUnit() end if unit==nil then error("Failed to Heal unit. Unit not selected/valid") end for i=#unit.body.wounds-1,0,-1 do unit.body.wounds[i]:delete() end unit.body.wounds:resize(0) unit.body.blood_count=unit.body.blood_max --set flags for standing and grasping... unit.status2.limbs_stand_max=4 unit.status2.limbs_stand_count=4 unit.status2.limbs_grasp_max=4 unit.status2.limbs_grasp_count=4 --should also set temperatures, and flags for breath etc... unit.flags1.dead=false unit.flags2.calculated_bodyparts=false unit.flags2.calculated_nerves=false unit.flags2.circulatory_spray=false unit.flags2.vision_good=true unit.flags2.vision_damaged=false unit.flags2.vision_missing=false unit.counters.winded=0 unit.counters.unconscious=0 for k,v in pairs(unit.body.components) do for kk,vv in pairs(v) do if k == 'body_part_status' or k=='layer_status' then v[kk].whole = 0 else v[kk] = 0 end end end end healunit(df.unit.find(...))
return { load="battle/load.lua", doInitSDL=true, }
-- Live User Interface loader -- Part of Live Simulator: 2 -- See copyright notice in main.lua local love = require("love") local Util = require("util") local Luaoop = require("libs.Luaoop") local log = require("logging") local uibase = require("game.live.uibase") local ui = {list = {}} function ui.newLiveUI(name, autoplay, mineff) -- MUST RUN IN ASYNC! if not(ui.list[name]) then error("live ui '"..name.."' not found", 2) end return ui.list[name](autoplay, mineff) end function ui.enum() local name = {} for k, _ in pairs(ui.list) do if k == "sif" then table.insert(name, 1, k) -- sif must be at highest else name[#name + 1] = k end end return name end for _, dirs in ipairs(love.filesystem.getDirectoryItems("game/live/ui")) do local name = "game/live/ui/"..dirs if Util.fileExists(name) and dirs:sub(-4) == ".lua" then log.debug("live.ui", "loading ui "..dirs) local s, msg = love.filesystem.load(name) if s then local v = s() if Luaoop.class.is(v, uibase) then ui.list[dirs:sub(1, -5)] = v else log.error("live.ui", "cannot load file "..dirs.." (not uibase class)") end else log.error("live.ui", "cannot load file "..dirs.." ("..msg..")") end end end return ui
Tracks = { [1] = { Type = 1, Nodes = { vector3(1084.48, 3231.45, 39.2565), vector3(1078.58, 3230.36, 39.2948), vector3(1072.68, 3229.27, 39.3333), vector3(1063.83, 3227.65, 39.3894), vector3(1054.97, 3226.04, 39.4273), vector3(1043.17, 3223.9, 39.4553), vector3(1031.36, 3221.78, 39.4911), vector3(1019.54, 3219.67, 39.5625), vector3(1007.73, 3217.58, 39.6399), vector3(995.906, 3215.52, 39.717), vector3(987.039, 3213.98, 39.7745), vector3(978.169, 3212.45, 39.8316), vector3(969.297, 3210.93, 39.8885), vector3(963.382, 3209.93, 39.9261), vector3(954.507, 3208.44, 39.9823), vector3(942.67, 3206.46, 40.0564), vector3(933.79, 3205.0, 40.1114), vector3(924.907, 3203.56, 40.1659), vector3(916.022, 3202.13, 40.2197), vector3(907.134, 3200.71, 40.2729), vector3(898.243, 3199.31, 40.3254), vector3(889.35, 3197.93, 40.3772), vector3(883.419, 3197.03, 40.4112), vector3(879.374, 3196.41, 40.434), vector3(871.554, 3195.23, 40.4782), vector3(862.651, 3193.91, 40.5273), vector3(856.714, 3193.05, 40.5595), vector3(850.775, 3192.19, 40.5913), vector3(841.865, 3190.93, 40.638), vector3(832.95, 3189.69, 40.6835), vector3(824.032, 3188.48, 40.7277), vector3(815.11, 3187.3, 40.7706), vector3(806.183, 3186.16, 40.8119), vector3(800.23, 3185.41, 40.8385), vector3(791.296, 3184.32, 40.877), vector3(782.357, 3183.28, 40.9136), vector3(770.431, 3181.95, 40.959), vector3(761.479, 3181.01, 40.9903), vector3(749.536, 3179.85, 41.0277), vector3(740.571, 3179.06, 41.0522), vector3(731.6, 3178.34, 41.0729), vector3(722.622, 3177.71, 41.0895), vector3(713.638, 3177.17, 41.1012), vector3(704.648, 3176.76, 41.107), vector3(698.651, 3176.55, 41.1077), vector3(689.654, 3176.33, 41.1113), vector3(683.655, 3176.23, 41.1162), vector3(677.655, 3176.17, 41.1229), vector3(668.655, 3176.15, 41.1366), vector3(659.656, 3176.23, 41.1546), vector3(653.657, 3176.34, 41.1689), vector3(644.66, 3176.57, 41.1938), vector3(635.666, 3176.9, 41.2227), vector3(626.676, 3177.33, 41.2556), vector3(620.686, 3177.66, 41.2797), vector3(614.698, 3178.05, 41.3055), vector3(608.713, 3178.47, 41.3329), vector3(602.731, 3178.94, 41.3619), vector3(593.765, 3179.72, 41.4083), vector3(587.793, 3180.29, 41.4411), vector3(581.825, 3180.91, 41.4752), vector3(575.862, 3181.57, 41.5108), vector3(569.903, 3182.27, 41.5477), vector3(563.95, 3183.02, 41.5858), vector3(558.001, 3183.8, 41.6251), vector3(552.059, 3184.63, 41.6656), vector3(546.123, 3185.5, 41.7071), vector3(540.192, 3186.41, 41.7496), vector3(534.268, 3187.36, 41.793), vector3(528.35, 3188.35, 41.8373), vector3(522.439, 3189.38, 41.8823), vector3(516.535, 3190.45, 41.9281), vector3(510.638, 3191.55, 41.9744), vector3(504.748, 3192.69, 42.0213), vector3(498.865, 3193.87, 42.0687), vector3(492.989, 3195.08, 42.1165), vector3(484.188, 3196.97, 42.1886), vector3(475.404, 3198.93, 42.2613), vector3(466.636, 3200.96, 42.334), vector3(457.885, 3203.05, 42.4067), vector3(449.149, 3205.22, 42.479), vector3(440.428, 3207.44, 42.5507), vector3(428.833, 3210.53, 42.6488), vector3(417.307, 3213.87, 42.7662), vector3(408.717, 3216.55, 42.8679), vector3(403.017, 3218.42, 42.9423), vector3(397.339, 3220.36, 43.0216), vector3(391.684, 3222.36, 43.106), vector3(386.053, 3224.43, 43.1952), vector3(377.652, 3227.66, 43.3377), vector3(372.083, 3229.88, 43.4384), vector3(366.538, 3232.18, 43.5433), vector3(361.02, 3234.53, 43.6524), vector3(355.527, 3236.94, 43.7654), vector3(350.059, 3239.41, 43.8819), vector3(344.618, 3241.93, 44.0019), vector3(339.202, 3244.51, 44.125), vector3(333.812, 3247.14, 44.2509), vector3(328.445, 3249.82, 44.3792), vector3(323.103, 3252.55, 44.5097), vector3(317.783, 3255.32, 44.6418), vector3(312.527, 3258.11, 44.7739), vector3(307.208, 3260.99, 44.9095), vector3(301.949, 3263.87, 45.0441), vector3(296.707, 3266.79, 45.1784), vector3(291.48, 3269.73, 45.312), vector3(283.662, 3274.19, 45.5094), vector3(275.861, 3278.67, 45.7011), vector3(270.666, 3281.67, 45.8245), vector3(265.47, 3284.67, 45.9432), vector3(260.269, 3287.66, 46.0564), vector3(252.448, 3292.11, 46.2131), vector3(246.424, 3295.48, 46.3208), vector3(238.56, 3299.86, 46.4538), vector3(230.702, 3304.24, 46.5842), vector3(222.855, 3308.65, 46.7103), vector3(217.633, 3311.6, 46.79), vector3(212.428, 3314.58, 46.8624), vector3(207.261, 3317.63, 46.919), vector3(202.134, 3320.75, 46.9586), vector3(194.383, 3325.32, 47.0426), vector3(186.603, 3329.85, 47.139), vector3(178.825, 3334.37, 47.2346), vector3(168.457, 3340.41, 47.3609), vector3(155.502, 3347.97, 47.5171), vector3(145.14, 3354.02, 47.641), vector3(137.372, 3358.57, 47.7333), vector3(129.605, 3363.11, 47.8252), vector3(124.428, 3366.15, 47.8863), vector3(116.663, 3370.7, 47.9778), vector3(108.901, 3375.25, 48.0691), vector3(101.14, 3379.81, 48.1604), vector3(93.3817, 3384.37, 48.2517), vector3(80.4539, 3391.97, 48.3797), vector3(59.7813, 3404.16, 48.652), vector3(49.451, 3410.27, 48.7788), vector3(31.3839, 3420.97, 49.0097), vector3(18.491, 3428.63, 49.188), vector3(-4.65271, 3442.53, 49.5882), vector3(-17.3887, 3450.45, 49.929), vector3(-22.4512, 3453.67, 50.0373), vector3(-37.5314, 3463.49, 50.4876), vector3(-45.012, 3468.48, 50.7173), vector3(-54.924, 3475.24, 51.043), vector3(-69.6619, 3485.56, 51.5776), vector3(-76.9728, 3490.8, 51.8671), vector3(-81.8249, 3494.32, 52.0688), vector3(-89.0715, 3499.65, 52.3848), vector3(-96.2794, 3505.03, 52.693), vector3(-110.58, 3515.94, 53.4361), vector3(-115.313, 3519.62, 53.667), vector3(-124.727, 3527.04, 54.2281), vector3(-134.073, 3534.54, 54.799), vector3(-141.038, 3540.23, 55.2504), vector3(-150.265, 3547.87, 55.884), vector3(-159.424, 3555.6, 56.5549), vector3(-168.514, 3563.4, 57.2639), vector3(-175.286, 3569.3, 57.8164), vector3(-179.777, 3573.26, 58.1755), vector3(-184.249, 3577.25, 58.5239), vector3(-188.702, 3581.26, 58.8619), vector3(-193.137, 3585.28, 59.1904), vector3(-197.554, 3589.33, 59.51), vector3(-201.952, 3593.4, 59.8212), vector3(-206.333, 3597.49, 60.1244), vector3(-210.696, 3601.6, 60.4204), vector3(-215.041, 3605.73, 60.7094), vector3(-219.367, 3609.87, 60.9919), vector3(-223.676, 3614.04, 61.2685), vector3(-227.966, 3618.22, 61.5395), vector3(-232.237, 3622.43, 61.8053), vector3(-234.366, 3624.54, 61.9118), vector3(-238.608, 3628.78, 62.1952), vector3(-242.83, 3633.03, 62.4498), vector3(-247.032, 3637.31, 62.7008), vector3(-249.124, 3639.45, 62.8003), vector3(-253.293, 3643.76, 63.0711), vector3(-257.44, 3648.09, 63.3146), vector3(-261.562, 3652.44, 63.5559), vector3(-265.658, 3656.82, 63.7956), vector3(-269.728, 3661.22, 64.0342), vector3(-273.768, 3665.65, 64.2723), vector3(-277.777, 3670.11, 64.5105), vector3(-281.751, 3674.6, 64.7498), vector3(-293.425, 3688.28, 65.4838), vector3(-299.085, 3695.27, 65.8686), vector3(-304.582, 3702.38, 66.2753), vector3(-309.852, 3709.66, 66.7166), vector3(-313.198, 3714.63, 67.0217), vector3(-316.431, 3719.68, 67.3251), vector3(-321.12, 3727.35, 67.7774), vector3(-325.661, 3735.1, 68.2267), vector3(-330.08, 3742.93, 68.6733), vector3(-332.968, 3748.18, 68.9695), vector3(-335.814, 3753.46, 69.2647), vector3(-340.011, 3761.41, 69.7053), vector3(-342.764, 3766.73, 69.9977), vector3(-345.482, 3772.07, 70.289), vector3(-348.166, 3777.43, 70.5792), vector3(-350.818, 3782.8, 70.8683), vector3(-353.437, 3788.19, 71.1562), vector3(-356.024, 3793.6, 71.4429), vector3(-358.578, 3799.02, 71.7284), vector3(-361.099, 3804.46, 72.0126), vector3(-363.587, 3809.91, 72.2954), vector3(-366.04, 3815.38, 72.5768), vector3(-368.459, 3820.86, 72.8567), vector3(-370.841, 3826.36, 73.1351), vector3(-373.184, 3831.88, 73.4117), vector3(-374.341, 3834.64, 73.5247), vector3(-376.623, 3840.19, 73.8232), vector3(-378.86, 3845.75, 74.095), vector3(-381.051, 3851.33, 74.3645), vector3(-383.191, 3856.93, 74.6316), vector3(-385.275, 3862.55, 74.8959), vector3(-387.296, 3868.19, 75.1572), vector3(-389.249, 3873.86, 75.415), vector3(-391.125, 3879.55, 75.6688), vector3(-392.911, 3885.27, 75.9179), vector3(-394.608, 3891.02, 76.1616), vector3(-396.292, 3896.78, 76.4003), vector3(-397.979, 3902.53, 76.6337), vector3(-400.51, 3911.16, 76.9744), vector3(-402.198, 3916.91, 77.1955), vector3(-403.042, 3919.79, 77.3043), vector3(-405.569, 3928.42, 77.6248), vector3(-407.25, 3934.18, 77.8342), vector3(-408.924, 3939.93, 78.0411), vector3(-410.592, 3945.69, 78.2464), vector3(-412.252, 3951.46, 78.4512), vector3(-413.901, 3957.22, 78.6565), vector3(-415.539, 3962.99, 78.8633), vector3(-417.165, 3968.76, 79.0726), vector3(-419.581, 3977.43, 79.393), vector3(-421.968, 3986.1, 79.7232), vector3(-423.543, 3991.88, 79.9495), vector3(-425.106, 3997.67, 80.1811), vector3(-426.658, 4003.46, 80.418), vector3(-428.198, 4009.26, 80.6603), vector3(-429.729, 4015.05, 80.9079), vector3(-431.249, 4020.85, 81.1607), vector3(-432.761, 4026.65, 81.4186), vector3(-434.264, 4032.45, 81.6813), vector3(-435.76, 4038.26, 81.9486), vector3(-437.248, 4044.06, 82.2188), vector3(-438.733, 4049.87, 82.4807), vector3(-440.213, 4055.68, 82.7321), vector3(-441.689, 4061.49, 82.9737), vector3(-443.161, 4067.3, 83.2061), vector3(-444.629, 4073.12, 83.4296), vector3(-446.823, 4081.84, 83.7497), vector3(-449.008, 4090.57, 84.0528), vector3(-451.906, 4102.2, 84.4331), vector3(-454.788, 4113.85, 84.7889), vector3(-457.653, 4125.5, 85.1227), vector3(-459.791, 4134.24, 85.3601), vector3(-461.92, 4142.98, 85.5874), vector3(-464.039, 4151.72, 85.8055), vector3(-465.448, 4157.55, 85.9461), vector3(-466.852, 4163.38, 86.0831), vector3(-468.252, 4169.22, 86.2168), vector3(-469.648, 4175.05, 86.3473), vector3(-471.041, 4180.88, 86.4748), vector3(-473.813, 4192.56, 86.7215), vector3(-475.883, 4201.31, 86.8999), vector3(-477.258, 4207.15, 87.0159), vector3(-479.314, 4215.91, 87.1859), vector3(-481.36, 4224.68, 87.3471), vector3(-483.391, 4233.44, 87.4849), vector3(-485.403, 4242.22, 87.6023), vector3(-487.392, 4250.99, 87.6778), vector3(-488.703, 4256.85, 87.7608), vector3(-490.0, 4262.7, 87.8132), vector3(-491.281, 4268.57, 87.86), vector3(-492.544, 4274.43, 87.9014), vector3(-494.395, 4283.24, 87.9542), vector3(-496.183, 4292.06, 87.996), vector3(-497.326, 4297.95, 88.0179), vector3(-498.417, 4303.85, 88.0348), vector3(-498.936, 4306.8, 88.0412), vector3(-499.905, 4312.73, 88.0497), vector3(-500.747, 4318.67, 88.0518), vector3(-501.563, 4324.61, 88.0521), vector3(-502.789, 4333.53, 88.0524), vector3(-503.607, 4339.47, 88.0526), vector3(-504.424, 4345.41, 88.0526), vector3(-505.242, 4351.36, 88.0527), vector3(-506.06, 4357.3, 88.0528), vector3(-507.288, 4366.22, 88.0528), vector3(-508.515, 4375.13, 88.0528), vector3(-509.332, 4381.08, 88.0528), vector3(-510.15, 4387.02, 88.0528), vector3(-511.377, 4395.94, 88.0528), vector3(-512.195, 4401.88, 88.0527), vector3(-513.012, 4407.83, 88.0527), vector3(-513.83, 4413.77, 88.0527), vector3(-514.648, 4419.71, 88.028), vector3(-515.465, 4425.66, 88.0526), vector3(-516.691, 4434.57, 88.0525), vector3(-517.508, 4440.52, 88.0525), vector3(-518.325, 4446.46, 88.0524), vector3(-519.142, 4452.41, 88.0523), vector3(-519.958, 4458.35, 88.0523), vector3(-520.774, 4464.29, 88.0522), vector3(-521.59, 4470.24, 88.0521), vector3(-522.406, 4476.18, 88.0521), vector3(-523.221, 4482.13, 88.052), vector3(-524.037, 4488.07, 88.0519), vector3(-524.851, 4494.02, 88.0519), vector3(-525.665, 4499.96, 88.0518), vector3(-526.478, 4505.91, 88.0517), vector3(-527.29, 4511.85, 88.0517), vector3(-528.101, 4517.8, 88.0516), vector3(-529.314, 4526.71, 88.0515), vector3(-530.119, 4532.66, 88.0515), vector3(-530.903, 4538.61, 88.0537), vector3(-531.606, 4544.57, 88.0713), vector3(-532.237, 4550.53, 88.1015), vector3(-532.813, 4556.51, 88.1405), vector3(-533.344, 4562.48, 88.1609), vector3(-533.837, 4568.46, 88.2347), vector3(-534.298, 4574.44, 88.2866), vector3(-534.73, 4580.43, 88.3401), vector3(-535.138, 4586.41, 88.3942), vector3(-535.522, 4592.4, 88.448), vector3(-535.885, 4598.39, 88.5009), vector3(-536.229, 4604.38, 88.552), vector3(-536.554, 4610.37, 88.6007), vector3(-536.862, 4616.36, 88.6464), vector3(-537.153, 4622.35, 88.6883), vector3(-537.427, 4628.35, 88.7258), vector3(-537.686, 4634.34, 88.758), vector3(-537.929, 4640.34, 88.7842), vector3(-538.157, 4646.33, 88.8033), vector3(-538.368, 4652.33, 88.8144), vector3(-538.564, 4658.33, 88.8166), vector3(-538.754, 4664.32, 88.8158), vector3(-538.94, 4670.32, 88.8141), vector3(-539.123, 4676.32, 88.8116), vector3(-539.302, 4682.32, 88.8083), vector3(-539.479, 4688.31, 88.8043), vector3(-539.652, 4694.31, 88.7996), vector3(-539.823, 4700.31, 88.7943), vector3(-539.99, 4706.31, 88.7885), vector3(-540.155, 4712.3, 88.7822), vector3(-540.318, 4718.3, 88.7755), vector3(-540.557, 4727.3, 88.765), vector3(-540.868, 4739.29, 88.7503), vector3(-541.096, 4748.29, 88.7393), vector3(-541.246, 4754.29, 88.7321), vector3(-541.394, 4760.29, 88.7251), vector3(-541.542, 4766.29, 88.7184), vector3(-541.688, 4772.28, 88.7121), vector3(-541.833, 4778.28, 88.7062), vector3(-541.978, 4784.28, 88.7009), vector3(-542.122, 4790.28, 88.6963), vector3(-542.338, 4799.27, 88.6906), vector3(-542.482, 4805.27, 88.6879), vector3(-542.626, 4811.27, 88.686), vector3(-542.77, 4817.27, 88.685), vector3(-542.915, 4823.27, 88.6851), vector3(-543.06, 4829.27, 88.6862), vector3(-543.206, 4835.26, 88.6884), vector3(-543.353, 4841.26, 88.667), vector3(-543.501, 4847.26, 88.6962), vector3(-543.65, 4853.26, 88.7019), vector3(-543.801, 4859.26, 88.7088), vector3(-543.953, 4865.26, 88.717), vector3(-544.106, 4871.25, 88.7265), vector3(-544.261, 4877.25, 88.7373), vector3(-544.418, 4883.25, 88.7494), vector3(-544.656, 4892.25, 88.77), vector3(-544.817, 4898.24, 88.7855), vector3(-544.978, 4904.24, 88.8043), vector3(-545.135, 4910.24, 88.8306), vector3(-545.287, 4916.24, 88.8642), vector3(-545.432, 4922.24, 88.9049), vector3(-545.567, 4928.23, 88.952), vector3(-545.69, 4934.23, 89.0051), vector3(-545.801, 4940.23, 89.0638), vector3(-545.895, 4946.23, 89.1277), vector3(-546.004, 4955.23, 89.2319), vector3(-546.065, 4964.23, 89.3446), vector3(-546.075, 4970.23, 89.4236), vector3(-546.04, 4979.23, 89.5463), vector3(-545.935, 4988.22, 89.6723), vector3(-545.753, 4997.22, 89.7993), vector3(-545.581, 5003.22, 89.8834), vector3(-545.37, 5009.21, 89.9662), vector3(-544.966, 5018.21, 90.0864), vector3(-544.636, 5024.2, 90.1627), vector3(-544.253, 5030.18, 90.2349), vector3(-543.317, 5042.15, 90.364), vector3(-541.436, 5060.05, 90.5059), vector3(-540.669, 5066.0, 90.5357), vector3(-539.826, 5071.94, 90.5552), vector3(-538.903, 5077.87, 90.5633), vector3(-537.901, 5083.78, 90.5595), vector3(-536.809, 5089.68, 90.5419), vector3(-535.631, 5095.56, 90.4859), vector3(-534.36, 5101.43, 90.4636), vector3(-532.995, 5107.27, 90.4007), vector3(-531.533, 5113.09, 90.3207), vector3(-529.97, 5118.88, 90.2224), vector3(-528.307, 5124.64, 90.1057), vector3(-526.537, 5130.38, 89.9686), vector3(-524.663, 5136.07, 89.8113), vector3(-522.682, 5141.73, 89.6326), vector3(-521.651, 5144.55, 89.5354), vector3(-520.604, 5147.36, 89.4369), vector3(-519.549, 5150.16, 89.3407), vector3(-517.419, 5155.77, 89.1544), vector3(-515.262, 5161.37, 88.9756), vector3(-513.082, 5166.95, 88.8038), vector3(-510.883, 5172.53, 88.6377), vector3(-508.667, 5178.11, 88.4764), vector3(-506.437, 5183.68, 88.3192), vector3(-504.198, 5189.24, 88.1649), vector3(-501.952, 5194.8, 88.0126), vector3(-499.702, 5200.36, 87.8613), vector3(-497.452, 5205.92, 87.71), vector3(-495.206, 5211.48, 87.5577), vector3(-492.967, 5217.05, 87.4034), vector3(-491.85, 5219.83, 87.3006), vector3(-490.738, 5222.62, 87.2461), vector3(-488.521, 5228.19, 87.0849), vector3(-487.42, 5230.98, 87.0024), vector3(-486.322, 5233.77, 86.9187), vector3(-485.229, 5236.56, 86.8336), vector3(-484.143, 5239.36, 86.7467), vector3(-483.061, 5242.15, 86.6583), vector3(-481.986, 5244.95, 86.5681), vector3(-479.855, 5250.56, 86.3817), vector3(-478.8, 5253.37, 86.2854), vector3(-476.714, 5258.99, 86.0861), vector3(-474.661, 5264.62, 85.8771), vector3(-473.647, 5267.44, 85.7688), vector3(-472.644, 5270.27, 85.6576), vector3(-471.649, 5273.1, 85.5438), vector3(-469.69, 5278.76, 85.3075), vector3(-468.726, 5281.6, 85.1849), vector3(-465.901, 5290.14, 84.798), vector3(-463.18, 5298.71, 84.3813), vector3(-461.426, 5304.44, 84.0862), vector3(-460.568, 5307.31, 83.9333), vector3(-458.892, 5313.06, 83.6166), vector3(-457.268, 5318.83, 83.2862), vector3(-455.697, 5324.61, 82.9497), vector3(-454.181, 5330.4, 82.6088), vector3(-452.007, 5339.12, 82.0896), vector3(-450.627, 5344.95, 81.7387), vector3(-449.303, 5350.79, 81.3841), vector3(-448.034, 5356.64, 81.0263), vector3(-446.82, 5362.51, 80.6654), vector3(-445.662, 5368.38, 80.3019), vector3(-444.56, 5374.27, 79.9361), vector3(-443.009, 5383.12, 79.3837), vector3(-442.043, 5389.03, 79.0134), vector3(-441.131, 5394.95, 78.6422), vector3(-440.272, 5400.87, 78.2702), vector3(-439.464, 5406.81, 77.8979), vector3(-438.706, 5412.75, 77.5257), vector3(-437.662, 5421.67, 76.9684), vector3(-437.025, 5427.62, 76.5981), vector3(-436.433, 5433.58, 76.2292), vector3(-435.885, 5439.55, 75.8622), vector3(-435.378, 5445.52, 75.4974), vector3(-434.912, 5451.49, 75.1352), vector3(-434.484, 5457.46, 74.7758), vector3(-434.284, 5460.45, 74.5974), vector3(-433.91, 5466.43, 74.243), vector3(-433.568, 5472.41, 73.8924), vector3(-433.257, 5478.39, 73.5458), vector3(-432.975, 5484.37, 73.2035), vector3(-432.72, 5490.36, 72.8657), vector3(-432.49, 5496.34, 72.5327), vector3(-432.283, 5502.33, 72.2047), vector3(-432.187, 5505.32, 72.0428), vector3(-432.01, 5511.31, 71.7227), vector3(-431.851, 5517.3, 71.4081), vector3(-431.723, 5523.29, 71.099), vector3(-431.689, 5526.29, 70.9461), vector3(-431.679, 5532.28, 70.6433), vector3(-431.747, 5538.27, 70.3444), vector3(-431.887, 5544.26, 70.0489), vector3(-432.094, 5550.25, 69.7563), vector3(-432.864, 5565.22, 69.0339), vector3(-433.254, 5571.2, 68.7468), vector3(-433.679, 5577.17, 68.4599), vector3(-434.13, 5583.15, 68.1724), vector3(-434.599, 5589.13, 67.8834), vector3(-435.316, 5598.09, 67.4458), vector3(-435.789, 5604.06, 67.1501), vector3(-436.471, 5613.02, 66.699), vector3(-437.092, 5621.99, 66.2368), vector3(-437.625, 5630.96, 65.7615), vector3(-438.046, 5639.94, 65.2714), vector3(-438.254, 5645.92, 64.9359), vector3(-438.396, 5651.91, 64.5929), vector3(-438.469, 5657.9, 64.2423), vector3(-438.469, 5663.89, 63.8839), vector3(-438.392, 5669.88, 63.5176), vector3(-438.234, 5675.87, 63.1434), vector3(-437.996, 5681.85, 62.7614), vector3(-437.845, 5684.84, 62.5675), vector3(-437.482, 5690.81, 62.1737), vector3(-437.035, 5696.78, 61.7725), vector3(-435.501, 5714.68, 60.5668), vector3(-435.0, 5720.64, 60.175), vector3(-434.497, 5726.61, 59.7877), vector3(-433.725, 5735.56, 59.2139), vector3(-433.188, 5741.52, 58.8352), vector3(-432.626, 5747.48, 58.4588), vector3(-432.031, 5753.44, 58.0842), vector3(-431.718, 5756.42, 57.8973), vector3(-431.059, 5762.37, 57.5238), vector3(-430.346, 5768.32, 57.1503), vector3(-429.571, 5774.26, 56.7758), vector3(-428.724, 5780.18, 56.3997), vector3(-428.271, 5783.14, 56.2108), vector3(-427.299, 5789.05, 55.8307), vector3(-426.229, 5794.94, 55.4467), vector3(-425.655, 5797.88, 55.2531), vector3(-424.419, 5803.74, 54.8619), vector3(-423.059, 5809.57, 54.4649), vector3(-422.328, 5812.47, 54.2638), vector3(-420.758, 5818.25, 53.8561), vector3(-419.036, 5823.98, 53.4405), vector3(-418.111, 5826.83, 53.2293), vector3(-416.137, 5832.48, 52.8001), vector3(-415.08, 5835.28, 52.5818), vector3(-413.978, 5838.06, 52.361), vector3(-412.83, 5840.82, 52.1376), vector3(-411.631, 5843.56, 51.9115), vector3(-410.382, 5846.28, 51.6826), vector3(-409.084, 5848.97, 51.4511), vector3(-407.735, 5851.64, 51.2169), vector3(-406.331, 5854.28, 50.9797), vector3(-404.878, 5856.9, 50.7398), vector3(-403.372, 5859.48, 50.4972), vector3(-401.81, 5862.03, 50.2517), vector3(-398.534, 5867.03, 49.7528), vector3(-396.815, 5869.48, 49.4992), vector3(-395.045, 5871.88, 49.2431), vector3(-393.226, 5874.26, 48.9846), vector3(-389.432, 5878.87, 48.4601), vector3(-385.505, 5883.38, 47.9302), vector3(-381.566, 5887.87, 47.4018), vector3(-379.593, 5890.12, 47.1138), vector3(-375.643, 5894.6, 46.6135), vector3(-371.686, 5899.08, 46.0912), vector3(-367.721, 5903.56, 45.572), vector3(-365.735, 5905.79, 45.3136), vector3(-363.748, 5908.02, 45.0561), vector3(-361.759, 5910.26, 44.7995), vector3(-339.767, 5934.7, 42.025), vector3(-331.718, 5943.55, 41.0797), vector3(-327.684, 5947.97, 40.6088), vector3(-323.643, 5952.38, 40.1445), vector3(-317.569, 5958.99, 39.461), vector3(-311.481, 5965.58, 38.7942), vector3(-305.379, 5972.16, 38.1451), vector3(-299.262, 5978.74, 37.5147), vector3(-295.177, 5983.11, 37.1055), vector3(-293.132, 5985.3, 36.9137), vector3(-289.038, 5989.67, 36.5089), vector3(-282.884, 5996.21, 35.9343), vector3(-278.775, 6000.56, 35.5638), vector3(-272.599, 6007.09, 35.0277), vector3(-266.41, 6013.6, 34.5162), vector3(-262.277, 6017.94, 34.1895), vector3(-258.138, 6022.27, 33.8745), vector3(-253.993, 6026.6, 33.5716), vector3(-251.919, 6028.76, 33.4342), vector3(-247.766, 6033.08, 33.1406), vector3(-241.526, 6039.56, 32.7389), vector3(-235.274, 6046.02, 32.3678), vector3(-229.01, 6052.47, 32.0281), vector3(-222.734, 6058.92, 31.7211), vector3(-216.445, 6065.35, 31.4573), vector3(-208.044, 6073.91, 31.1382), vector3(-201.729, 6080.32, 30.9486), vector3(-195.404, 6086.72, 30.7969), vector3(-186.953, 6095.24, 30.6564), vector3(-180.602, 6101.62, 30.6082), vector3(-174.242, 6107.99, 30.5815), vector3(-167.88, 6114.35, 30.5783), vector3(-163.64, 6118.6, 30.5767), vector3(-159.4, 6122.84, 30.5849), vector3(-155.162, 6127.09, 30.5748), vector3(-150.924, 6131.34, 30.5745), vector3(-146.688, 6135.59, 30.5747), vector3(-142.452, 6139.83, 30.5752), vector3(-138.217, 6144.09, 30.5762), vector3(-133.982, 6148.34, 30.5623), vector3(-129.749, 6152.59, 30.5792), vector3(-125.515, 6156.84, 30.581), vector3(-121.282, 6161.09, 30.583), vector3(-117.049, 6165.34, 30.5851), vector3(-112.816, 6169.6, 30.5873), vector3(-99.9775, 6182.21, 30.5788), vector3(-95.5684, 6186.28, 30.5963), vector3(-91.0911, 6190.27, 30.5987), vector3(-86.5527, 6194.2, 30.601), vector3(-81.9547, 6198.05, 30.6032), vector3(-79.6351, 6199.96, 30.6138), vector3(-74.9554, 6203.71, 30.6065), vector3(-70.2263, 6207.4, 30.6086), vector3(-65.4485, 6211.03, 30.6106), vector3(-60.6276, 6214.6, 30.6124), vector3(-55.7651, 6218.12, 30.6141), vector3(-48.3996, 6223.29, 30.6163), vector3(-43.4454, 6226.68, 30.6175), vector3(-40.9562, 6228.35, 30.6027), vector3(-35.9542, 6231.66, 30.6187), vector3(-30.9239, 6234.93, 30.6192), vector3(-25.8664, 6238.16, 30.6288), vector3(-20.7851, 6241.35, 30.6286), vector3(-15.6818, 6244.51, 30.628), vector3(-10.5583, 6247.63, 30.627), vector3(-5.4173, 6250.73, 30.6254), vector3(-0.260681, 6253.79, 30.6234), vector3(4.90848, 6256.84, 30.6208), vector3(10.0894, 6259.87, 30.6175), vector3(15.278, 6262.88, 30.6135), vector3(20.4723, 6265.88, 30.6087), vector3(25.6695, 6268.88, 30.6031), vector3(30.8742, 6271.86, 30.6002), vector3(36.0875, 6274.83, 30.6017), vector3(41.3049, 6277.8, 30.605), vector3(46.5252, 6280.76, 30.6094), vector3(54.3579, 6285.19, 30.6172), vector3(59.5815, 6288.14, 30.6229), vector3(64.8058, 6291.09, 30.629), vector3(70.0309, 6294.04, 30.6352), vector3(75.2564, 6296.99, 30.6416), vector3(80.483, 6299.94, 30.6481), vector3(85.7097, 6302.88, 30.6546), vector3(90.9369, 6305.83, 30.6612), vector3(96.1646, 6308.77, 30.6678), vector3(101.393, 6311.72, 30.6743), vector3(106.621, 6314.66, 30.6808), vector3(111.849, 6317.6, 30.6872), vector3(114.464, 6319.07, 30.6904), vector3(117.079, 6320.54, 30.6936), vector3(119.693, 6322.02, 30.6967), vector3(122.308, 6323.49, 30.6998), vector3(127.537, 6326.43, 30.7058), vector3(135.382, 6330.84, 30.7146), vector3(137.998, 6332.31, 30.7174), vector3(143.228, 6335.25, 30.7228), vector3(148.459, 6338.19, 30.7279), vector3(153.69, 6341.13, 30.7327), vector3(158.921, 6344.06, 30.7372), vector3(164.153, 6347.0, 30.7411), vector3(169.385, 6349.94, 30.7446), vector3(174.618, 6352.88, 30.7473), vector3(179.851, 6355.81, 30.7493), vector3(185.084, 6358.74, 30.7503), vector3(190.318, 6361.68, 30.7499), vector3(195.554, 6364.61, 30.7477), vector3(200.79, 6367.54, 30.7427), vector3(206.028, 6370.46, 30.7328), vector3(211.277, 6373.37, 30.7161), vector3(216.553, 6376.23, 30.6979), vector3(221.856, 6379.04, 30.6791), vector3(227.186, 6381.79, 30.6599), vector3(232.543, 6384.49, 30.6406), vector3(237.926, 6387.14, 30.6215), vector3(243.335, 6389.74, 30.6027), vector3(248.77, 6392.28, 30.5844), vector3(254.231, 6394.77, 30.5666), vector3(259.717, 6397.2, 30.5496), vector3(262.469, 6398.39, 30.5414), vector3(276.323, 6404.14, 30.5037), vector3(287.514, 6408.47, 30.4781), vector3(298.799, 6412.55, 30.4573), vector3(301.635, 6413.53, 30.4529), vector3(307.323, 6415.44, 30.4451), vector3(310.175, 6416.37, 30.4417), vector3(321.638, 6419.92, 30.4317), vector3(333.183, 6423.19, 30.4031), vector3(341.894, 6425.45, 30.429), vector3(353.575, 6428.2, 30.4366), vector3(365.323, 6430.64, 30.4514), vector3(380.098, 6433.23, 30.4805), vector3(386.032, 6434.11, 30.4956), vector3(397.935, 6435.62, 30.532), vector3(406.89, 6436.52, 30.5648), vector3(415.863, 6437.21, 30.6025), vector3(421.854, 6437.55, 30.6305), vector3(427.848, 6437.8, 30.6607), vector3(433.847, 6437.95, 30.6932), vector3(439.846, 6437.99, 30.7281), vector3(445.846, 6437.99, 30.7369), vector3(511.846, 6437.95, 30.9737), vector3(553.846, 6437.91, 31.0447), vector3(613.846, 6437.84, 31.1081), vector3(619.845, 6437.83, 31.1128), vector3(628.846, 6437.82, 31.1191), vector3(637.846, 6437.8, 31.125), vector3(646.846, 6437.79, 31.1303), vector3(655.846, 6437.77, 31.1351), vector3(664.846, 6437.75, 31.1394), vector3(670.846, 6437.74, 31.1421), vector3(676.845, 6437.73, 31.1445), vector3(682.846, 6437.72, 31.1467), vector3(688.846, 6437.7, 31.1488), vector3(697.846, 6437.68, 31.127), vector3(700.846, 6437.67, 31.1524), vector3(706.845, 6437.66, 31.154), vector3(712.846, 6437.64, 31.1553), vector3(718.845, 6437.63, 31.1566), vector3(724.845, 6437.61, 31.1576), vector3(730.845, 6437.6, 31.1586), vector3(736.845, 6437.58, 31.1593), vector3(742.845, 6437.56, 31.1599), vector3(748.845, 6437.54, 31.1604), vector3(754.845, 6437.52, 31.1607), vector3(760.845, 6437.5, 31.1609), vector3(766.845, 6437.48, 31.161), vector3(772.845, 6437.46, 31.1609), vector3(778.845, 6437.44, 31.1607), vector3(784.845, 6437.42, 31.1603), vector3(790.845, 6437.4, 31.1599), vector3(796.845, 6437.38, 31.1593), vector3(802.845, 6437.36, 31.1586), vector3(808.845, 6437.33, 31.1578), vector3(814.845, 6437.31, 31.1568), vector3(820.845, 6437.28, 31.1558), vector3(826.845, 6437.26, 31.1546), vector3(832.845, 6437.23, 31.1533), vector3(838.845, 6437.21, 31.1519), vector3(844.844, 6437.18, 31.1504), vector3(850.844, 6437.15, 31.1488), vector3(856.844, 6437.12, 31.1471), vector3(862.844, 6437.09, 31.1452), vector3(868.844, 6437.06, 31.1433), vector3(874.844, 6437.03, 31.1413), vector3(880.844, 6437.0, 31.1391), vector3(886.844, 6436.97, 31.1369), vector3(892.844, 6436.93, 31.1345), vector3(898.844, 6436.9, 31.1321), vector3(904.844, 6436.87, 31.1295), vector3(910.844, 6436.83, 31.1269), vector3(916.844, 6436.79, 31.1241), vector3(922.843, 6436.76, 31.1213), vector3(928.843, 6436.72, 31.1183), vector3(934.843, 6436.68, 31.1152), vector3(940.843, 6436.64, 31.1122), vector3(946.843, 6436.6, 31.1089), vector3(952.843, 6436.56, 31.1056), vector3(958.843, 6436.51, 31.1021), vector3(964.843, 6436.47, 31.0986), vector3(970.843, 6436.42, 31.0949), vector3(976.842, 6436.38, 31.0912), vector3(982.842, 6436.33, 31.0874), vector3(988.842, 6436.28, 31.0834), vector3(994.842, 6436.23, 31.0547), vector3(1000.84, 6436.18, 31.0753), vector3(1006.84, 6436.13, 31.071), vector3(1012.84, 6436.08, 31.0667), vector3(1018.84, 6436.02, 31.0623), vector3(1024.84, 6435.97, 31.0577), vector3(1030.84, 6435.91, 31.0531), vector3(1036.84, 6435.85, 31.0483), vector3(1042.84, 6435.79, 31.0435), vector3(1048.84, 6435.72, 31.0385), vector3(1054.84, 6435.66, 31.0335), vector3(1060.84, 6435.6, 31.0283), vector3(1066.84, 6435.53, 31.023), vector3(1072.84, 6435.46, 31.0176), vector3(1081.84, 6435.35, 31.0093), vector3(1087.84, 6435.27, 31.0036), vector3(1093.84, 6435.2, 30.9978), vector3(1099.84, 6435.12, 30.9918), vector3(1105.84, 6435.04, 30.9858), vector3(1111.83, 6434.95, 30.9796), vector3(1117.83, 6434.86, 30.9732), vector3(1123.83, 6434.77, 30.9668), vector3(1129.83, 6434.68, 30.9601), vector3(1135.83, 6434.59, 30.9533), vector3(1144.83, 6434.44, 30.9429), vector3(1153.83, 6434.28, 30.932), vector3(1159.83, 6434.16, 30.9246), vector3(1165.83, 6434.05, 30.917), vector3(1171.83, 6433.93, 30.9091), vector3(1177.82, 6433.8, 30.901), vector3(1183.82, 6433.67, 30.8928), vector3(1189.82, 6433.53, 30.8842), vector3(1195.82, 6433.39, 30.8754), vector3(1204.82, 6433.16, 30.8617), vector3(1213.81, 6432.91, 30.8472), vector3(1222.81, 6432.64, 30.8319), vector3(1231.8, 6432.33, 30.7908), vector3(1240.8, 6431.99, 30.7977), vector3(1246.79, 6431.73, 30.7849), vector3(1252.78, 6431.44, 30.7711), vector3(1258.78, 6431.12, 30.756), vector3(1261.77, 6430.94, 30.7232), vector3(1267.76, 6430.51, 30.7296), vector3(1275.11, 6429.91, 30.7115), vector3(1281.09, 6429.39, 30.7063), vector3(1287.06, 6428.84, 30.7084), vector3(1293.04, 6428.27, 30.7174), vector3(1299.01, 6427.68, 30.7335), vector3(1304.98, 6427.06, 30.7589), vector3(1310.94, 6426.41, 30.7914), vector3(1316.9, 6425.74, 30.8305), vector3(1322.86, 6425.05, 30.8761), vector3(1328.82, 6424.33, 30.9295), vector3(1334.77, 6423.59, 30.9904), vector3(1340.72, 6422.82, 31.0575), vector3(1346.67, 6422.03, 31.1306), vector3(1355.59, 6420.8, 31.2536), vector3(1361.53, 6419.95, 31.3426), vector3(1367.46, 6419.08, 31.4388), vector3(1370.43, 6418.63, 31.4894), vector3(1376.36, 6417.73, 31.5936), vector3(1382.28, 6416.79, 31.7055), vector3(1388.2, 6415.83, 31.8226), vector3(1394.12, 6414.86, 31.9449), vector3(1400.04, 6413.86, 32.0723), vector3(1405.95, 6412.83, 32.2065), vector3(1411.85, 6411.78, 32.3458), vector3(1417.76, 6410.71, 32.4899), vector3(1423.65, 6409.62, 32.6386), vector3(1429.55, 6408.51, 32.7932), vector3(1435.44, 6407.37, 32.9529), vector3(1441.32, 6406.21, 33.1169), vector3(1447.2, 6405.03, 33.2851), vector3(1453.08, 6403.83, 33.4586), vector3(1458.95, 6402.6, 33.6368), vector3(1464.81, 6401.35, 33.819), vector3(1470.68, 6400.09, 34.0049), vector3(1473.6, 6399.44, 34.1002), vector3(1479.46, 6398.15, 34.2925), vector3(1482.38, 6397.49, 34.3905), vector3(1488.23, 6396.15, 34.589), vector3(1494.07, 6394.8, 34.791), vector3(1499.91, 6393.43, 34.9971), vector3(1502.83, 6392.73, 35.1017), vector3(1508.66, 6391.33, 35.3126), vector3(1514.48, 6389.9, 35.5281), vector3(1520.3, 6388.45, 35.7465), vector3(1526.11, 6386.99, 35.9679), vector3(1531.92, 6385.5, 36.1921), vector3(1537.72, 6383.99, 36.4203), vector3(1543.52, 6382.46, 36.6511), vector3(1549.31, 6380.91, 36.8844), vector3(1555.1, 6379.35, 37.1204), vector3(1560.88, 6377.75, 37.3598), vector3(1566.65, 6376.14, 37.6013), vector3(1572.42, 6374.52, 37.845), vector3(1578.19, 6372.87, 38.0911), vector3(1583.95, 6371.2, 38.34), vector3(1589.7, 6369.51, 38.5907), vector3(1595.45, 6367.81, 38.8432), vector3(1601.19, 6366.08, 39.0979), vector3(1606.92, 6364.34, 39.3547), vector3(1612.65, 6362.57, 39.6131), vector3(1618.37, 6360.79, 39.8729), vector3(1624.09, 6358.99, 40.1346), vector3(1629.8, 6357.17, 40.3979), vector3(1635.51, 6355.33, 40.6624), vector3(1641.21, 6353.47, 40.928), vector3(1646.9, 6351.59, 41.1952), vector3(1652.58, 6349.69, 41.4634), vector3(1658.26, 6347.78, 41.7326), vector3(1663.94, 6345.85, 42.0026), vector3(1669.61, 6343.9, 42.2737), vector3(1675.27, 6341.93, 42.5455), vector3(1680.92, 6339.95, 42.8179), vector3(1686.57, 6337.94, 43.0909), vector3(1692.21, 6335.92, 43.3644), vector3(1697.85, 6333.88, 43.6383), vector3(1703.48, 6331.82, 43.9125), vector3(1709.1, 6329.74, 44.187), vector3(1714.72, 6327.65, 44.4615), vector3(1720.33, 6325.54, 44.7362), vector3(1725.93, 6323.41, 45.0108), vector3(1731.53, 6321.26, 45.2853), vector3(1737.12, 6319.1, 45.5595), vector3(1742.7, 6316.92, 45.8335), vector3(1748.28, 6314.73, 46.1072), vector3(1756.63, 6311.4, 46.5167), vector3(1764.96, 6308.03, 46.9249), vector3(1773.29, 6304.63, 47.3314), vector3(1781.59, 6301.18, 47.7361), vector3(1789.88, 6297.7, 48.1386), vector3(1798.16, 6294.19, 48.5386), vector3(1806.42, 6290.63, 48.9359), vector3(1816.51, 6286.23, 49.4184), vector3(1828.36, 6280.98, 49.98), vector3(1833.83, 6278.52, 50.2373), vector3(1839.29, 6276.05, 50.4925), vector3(1847.47, 6272.32, 50.8722), vector3(1852.92, 6269.8, 51.1225), vector3(1863.78, 6264.74, 51.618), vector3(1874.62, 6259.6, 52.1039), vector3(1879.7, 6257.18, 52.3294), vector3(1888.12, 6253.1, 52.6986), vector3(1901.58, 6246.51, 53.2778), vector3(1912.31, 6241.16, 53.7281), vector3(1920.34, 6237.11, 54.0586), vector3(1928.36, 6233.02, 54.3824), vector3(1933.69, 6230.28, 54.5944), vector3(1939.02, 6227.53, 54.8037), vector3(1944.33, 6224.75, 55.0088), vector3(1946.99, 6223.36, 55.1104), vector3(1952.29, 6220.57, 55.3108), vector3(1957.59, 6217.76, 55.5073), vector3(1962.88, 6214.93, 55.7009), vector3(1968.17, 6212.1, 55.8913), vector3(1973.44, 6209.24, 56.0766), vector3(1978.71, 6206.37, 56.2588), vector3(1983.97, 6203.49, 56.4377), vector3(1989.22, 6200.6, 56.6121), vector3(1994.46, 6197.68, 56.7821), vector3(1999.7, 6194.76, 56.9487), vector3(2004.93, 6191.82, 57.1116), vector3(2010.14, 6188.86, 57.2688), vector3(2015.36, 6185.89, 57.4224), vector3(2020.56, 6182.91, 57.5724), vector3(2025.76, 6179.91, 57.7168), vector3(2034.61, 6174.76, 57.954), vector3(2041.3, 6170.85, 58.1242), vector3(2046.48, 6167.83, 58.25), vector3(2051.66, 6164.8, 58.371), vector3(2056.84, 6161.77, 58.4872), vector3(2062.02, 6158.74, 58.5987), vector3(2067.19, 6155.7, 58.7055), vector3(2072.36, 6152.66, 58.8077), vector3(2077.53, 6149.61, 58.9054), vector3(2082.69, 6146.55, 58.9987), vector3(2087.84, 6143.48, 59.0875), vector3(2092.4, 6140.76, 59.1622), vector3(2100.71, 6135.77, 59.2911), vector3(2105.84, 6132.66, 59.3652), vector3(2113.52, 6127.97, 59.469), vector3(2121.18, 6123.25, 59.564), vector3(2128.81, 6118.48, 59.6507), vector3(2136.42, 6113.68, 59.7292), vector3(2146.49, 6107.14, 59.8219), vector3(2153.99, 6102.18, 59.8828), vector3(2158.99, 6098.85, 59.9195), vector3(2166.47, 6093.85, 59.9689), vector3(2173.93, 6088.81, 60.0119), vector3(2178.89, 6085.44, 60.037), vector3(2183.84, 6082.05, 60.0596), vector3(2188.74, 6078.58, 60.0796), vector3(2193.62, 6075.09, 60.0972), vector3(2198.48, 6071.57, 60.1125), vector3(2203.32, 6068.03, 60.1256), vector3(2208.13, 6064.45, 60.1365), vector3(2212.93, 6060.84, 60.1453), vector3(2217.7, 6057.21, 60.1523), vector3(2222.45, 6053.54, 60.1573), vector3(2227.18, 6049.84, 60.1606), vector3(2231.88, 6046.12, 60.1622), vector3(2236.56, 6042.36, 60.1622), vector3(2241.21, 6038.57, 60.1608), vector3(2248.14, 6032.84, 60.1559), vector3(2255.02, 6027.03, 60.1482), vector3(2261.84, 6021.15, 60.1379), vector3(2268.6, 6015.21, 60.1251), vector3(2273.05, 6011.19, 60.1129), vector3(2277.48, 6007.14, 60.0985), vector3(2281.91, 6003.1, 60.0837), vector3(2286.33, 5999.04, 60.0687), vector3(2290.76, 5994.99, 60.0534), vector3(2295.18, 5990.93, 60.038), vector3(2297.39, 5988.91, 60.0302), vector3(2301.81, 5984.85, 60.0144), vector3(2306.22, 5980.78, 59.9984), vector3(2310.64, 5976.72, 59.9821), vector3(2315.05, 5972.65, 59.9655), vector3(2319.45, 5968.58, 59.9486), vector3(2323.85, 5964.5, 59.9312), vector3(2328.25, 5960.42, 59.9132), vector3(2332.64, 5956.32, 59.8944), vector3(2339.19, 5950.15, 59.8637), vector3(2343.51, 5945.99, 59.8423), vector3(2347.79, 5941.78, 59.8208), vector3(2352.02, 5937.53, 59.7993), vector3(2356.21, 5933.23, 59.7778), vector3(2360.35, 5928.89, 59.7565), vector3(2364.44, 5924.51, 59.7355), vector3(2368.49, 5920.07, 59.7148), vector3(2372.48, 5915.6, 59.6947), vector3(2376.43, 5911.08, 59.6752), vector3(2380.32, 5906.51, 59.6564), vector3(2386.05, 5899.57, 59.63), vector3(2389.81, 5894.9, 59.6136), vector3(2393.52, 5890.18, 59.5984), vector3(2397.17, 5885.42, 59.5844), vector3(2400.76, 5880.61, 59.5718), vector3(2404.31, 5875.77, 59.5607), vector3(2407.8, 5870.89, 59.5511), vector3(2411.23, 5865.97, 59.5432), vector3(2414.62, 5861.02, 59.5371), vector3(2417.96, 5856.04, 59.5328), vector3(2421.3, 5851.05, 59.5303), vector3(2424.64, 5846.07, 59.5299), vector3(2427.97, 5841.08, 59.5316), vector3(2431.3, 5836.08, 59.5355), vector3(2434.62, 5831.09, 59.5416), vector3(2437.93, 5826.08, 59.5498), vector3(2439.58, 5823.6, 59.5545), vector3(2442.89, 5818.57, 59.5664), vector3(2446.18, 5813.55, 59.58), vector3(2449.44, 5808.52, 59.5951), vector3(2452.66, 5803.46, 59.611), vector3(2455.84, 5798.37, 59.6276), vector3(2458.98, 5793.25, 59.6449), vector3(2462.08, 5788.12, 59.6629), vector3(2465.16, 5782.97, 59.6814), vector3(2468.21, 5777.8, 59.7005), vector3(2471.24, 5772.62, 59.72), vector3(2474.24, 5767.42, 59.7401), vector3(2477.22, 5762.22, 59.7606), vector3(2480.19, 5757.0, 59.7815), vector3(2483.13, 5751.78, 59.8027), vector3(2486.07, 5746.54, 59.8244), vector3(2488.99, 5741.3, 59.8464), vector3(2491.9, 5736.06, 59.8687), vector3(2494.8, 5730.8, 59.8913), vector3(2497.69, 5725.55, 59.9142), vector3(2500.58, 5720.29, 59.9374), vector3(2503.46, 5715.02, 59.9608), vector3(2506.33, 5709.76, 59.9844), vector3(2509.21, 5704.49, 60.0083), vector3(2512.08, 5699.22, 60.0324), vector3(2514.95, 5693.95, 60.0567), vector3(2517.82, 5688.68, 60.0812), vector3(2520.69, 5683.42, 60.1059), vector3(2525.01, 5675.52, 60.1432), vector3(2527.89, 5670.26, 60.1682), vector3(2530.78, 5665.0, 60.1935), vector3(2533.68, 5659.74, 60.2188), vector3(2536.58, 5654.49, 60.2443), vector3(2539.49, 5649.25, 60.2698), vector3(2542.41, 5644.01, 60.2955), vector3(2545.35, 5638.77, 60.3213), vector3(2548.29, 5633.54, 60.3471), vector3(2551.24, 5628.32, 60.3731), vector3(2554.16, 5623.08, 60.3995), vector3(2557.04, 5617.82, 60.4262), vector3(2559.9, 5612.54, 60.4532), vector3(2561.96, 5608.68, 60.4726), vector3(2564.13, 5604.59, 60.4939), vector3(2566.93, 5599.29, 60.521), vector3(2569.72, 5593.98, 60.548), vector3(2572.51, 5588.66, 60.5748), vector3(2575.3, 5583.35, 60.6012), vector3(2578.1, 5578.05, 60.6272), vector3(2580.92, 5572.75, 60.6527), vector3(2583.76, 5567.47, 60.6776), vector3(2586.61, 5562.19, 60.7013), vector3(2589.29, 5556.82, 60.7187), vector3(2591.85, 5551.39, 60.7337), vector3(2594.3, 5545.92, 60.749), vector3(2596.59, 5540.37, 60.7684), vector3(2598.75, 5534.77, 60.7909), vector3(2600.9, 5529.17, 60.8132), vector3(2603.05, 5523.57, 60.8355), vector3(2605.19, 5517.97, 60.8576), vector3(2607.34, 5512.36, 60.8795), vector3(2609.48, 5506.76, 60.9013), vector3(2611.63, 5501.16, 60.923), vector3(2613.77, 5495.55, 60.9444), vector3(2615.92, 5489.95, 60.9655), vector3(2618.06, 5484.35, 60.9862), vector3(2620.21, 5478.74, 61.0065), vector3(2622.36, 5473.14, 61.0259), vector3(2624.51, 5467.54, 61.0437), vector3(2626.61, 5461.92, 61.0603), vector3(2628.67, 5456.28, 61.0763), vector3(2630.68, 5450.63, 61.0917), vector3(2632.67, 5444.97, 61.1064), vector3(2634.64, 5439.3, 61.1206), vector3(2636.62, 5433.64, 61.1342), vector3(2638.61, 5427.98, 61.1471), vector3(2640.62, 5422.33, 61.1595), vector3(2642.67, 5416.69, 61.1713), vector3(2644.72, 5411.05, 61.1825), vector3(2646.77, 5405.41, 61.1929), vector3(2648.81, 5399.76, 61.2026), vector3(2650.84, 5394.12, 61.2115), vector3(2652.87, 5388.47, 61.2196), vector3(2654.89, 5382.83, 61.2269), vector3(2656.91, 5377.17, 61.2333), vector3(2658.92, 5371.52, 61.2387), vector3(2660.92, 5365.86, 61.2433), vector3(2663.91, 5357.38, 61.2483), vector3(2665.9, 5351.71, 61.2504), vector3(2667.87, 5346.05, 61.2514), vector3(2669.85, 5340.38, 61.2515), vector3(2671.82, 5334.72, 61.2505), vector3(2673.79, 5329.05, 61.2483), vector3(2675.77, 5323.38, 61.245), vector3(2677.74, 5317.72, 61.2406), vector3(2679.72, 5312.05, 61.2349), vector3(2681.69, 5306.39, 61.228), vector3(2683.67, 5300.72, 61.2198), vector3(2685.65, 5295.06, 61.2102), vector3(2687.64, 5289.4, 61.1993), vector3(2689.62, 5283.74, 61.1869), vector3(2691.61, 5278.07, 61.173), vector3(2693.61, 5272.42, 61.1575), vector3(2695.61, 5266.76, 61.1405), vector3(2697.61, 5261.1, 61.1218), vector3(2699.62, 5255.45, 61.1013), vector3(2701.63, 5249.8, 61.0791), vector3(2702.64, 5246.97, 61.0673), vector3(2704.67, 5241.33, 61.0422), vector3(2706.7, 5235.68, 61.0151), vector3(2708.75, 5230.04, 60.986), vector3(2710.79, 5224.4, 60.9558), vector3(2712.84, 5218.76, 60.9334), vector3(2714.88, 5213.12, 60.9202), vector3(2716.92, 5207.47, 60.9157), vector3(2718.96, 5201.83, 60.9194), vector3(2721.0, 5196.19, 60.9308), vector3(2723.06, 5190.55, 60.9493), vector3(2725.12, 5184.92, 60.9744), vector3(2727.2, 5179.29, 61.0054), vector3(2729.3, 5173.67, 61.042), vector3(2731.42, 5168.06, 61.0835), vector3(2733.56, 5162.45, 61.1294), vector3(2736.83, 5154.07, 61.2051), vector3(2739.84, 5147.03, 61.2703), vector3(2742.45, 5140.16, 61.3451), vector3(2744.77, 5134.63, 61.4042), vector3(2747.13, 5129.11, 61.4641), vector3(2748.33, 5126.36, 61.4941), vector3(2750.77, 5120.88, 61.5542), vector3(2754.53, 5112.71, 61.6427), vector3(2758.42, 5104.59, 61.7275), vector3(2759.75, 5101.9, 61.7545), vector3(2762.43, 5096.53, 61.8063), vector3(2765.12, 5091.17, 61.8544), vector3(2769.17, 5083.13, 61.9181), vector3(2773.23, 5075.1, 61.9699), vector3(2777.31, 5067.08, 62.0077), vector3(2789.61, 5043.04, 62.0146), vector3(2795.08, 5032.36, 61.9621), vector3(2816.87, 4989.6, 62.2421), vector3(2823.64, 4976.21, 62.3829), vector3(2837.13, 4949.41, 62.5074), vector3(2842.51, 4938.69, 62.4742), vector3(2846.61, 4930.68, 62.4378), vector3(2849.39, 4925.36, 62.4141), vector3(2853.62, 4917.42, 62.3791), vector3(2856.48, 4912.14, 62.3561), vector3(2859.37, 4906.88, 62.3336), vector3(2862.29, 4901.64, 62.3113), vector3(2865.24, 4896.42, 62.2894), vector3(2868.22, 4891.21, 62.2678), vector3(2871.22, 4886.01, 62.2465), vector3(2874.25, 4880.83, 62.2255), vector3(2877.3, 4875.67, 62.2049), vector3(2880.38, 4870.52, 62.1845), vector3(2883.48, 4865.38, 62.1644), vector3(2886.59, 4860.25, 62.1446), vector3(2889.73, 4855.14, 62.1251), vector3(2892.89, 4850.04, 62.1059), vector3(2896.06, 4844.95, 62.087), vector3(2899.25, 4839.86, 62.0683), vector3(2902.46, 4834.79, 62.0499), vector3(2905.68, 4829.73, 62.0318), vector3(2908.91, 4824.67, 62.0139), vector3(2912.15, 4819.62, 61.9963), vector3(2913.77, 4817.1, 61.9876), vector3(2917.03, 4812.06, 61.9703), vector3(2920.29, 4807.02, 61.9533), vector3(2923.56, 4801.99, 61.9366), vector3(2926.83, 4796.96, 61.9201), vector3(2930.1, 4791.93, 61.9038), vector3(2933.37, 4786.9, 61.8877), vector3(2936.63, 4781.87, 61.8719), vector3(2939.89, 4776.83, 61.8563), vector3(2943.14, 4771.78, 61.8409), vector3(2946.37, 4766.73, 61.8257), vector3(2949.61, 4761.68, 61.8115), vector3(2952.89, 4756.65, 61.799), vector3(2970.99, 4729.27, 61.7373), vector3(2990.66, 4698.91, 61.6863), vector3(2992.27, 4696.38, 61.6831), vector3(2993.87, 4693.84, 61.6804), vector3(2995.45, 4691.29, 61.6784), vector3(2997.0, 4688.73, 61.6774), vector3(2998.52, 4686.14, 61.6772), vector3(2999.99, 4683.52, 61.6772), vector3(3001.43, 4680.89, 61.6774), vector3(3002.83, 4678.23, 61.6779), vector3(3004.19, 4675.56, 61.6785), vector3(3005.51, 4672.87, 61.6793), vector3(3006.8, 4670.16, 61.6803), vector3(3008.05, 4667.43, 61.6814), vector3(3009.27, 4664.69, 61.6827), vector3(3011.6, 4659.16, 61.6857), vector3(3013.8, 4653.58, 61.689), vector3(3015.87, 4647.95, 61.6927), vector3(3017.81, 4642.27, 61.6965), vector3(3019.64, 4636.56, 61.7005), vector3(3021.35, 4630.81, 61.7046), vector3(3022.95, 4625.02, 61.7085), vector3(3024.44, 4619.21, 61.7123), vector3(3025.82, 4613.37, 61.7159), vector3(3027.11, 4607.51, 61.719), vector3(3027.74, 4604.58, 61.7203), vector3(3028.36, 4601.64, 61.7214), vector3(3029.58, 4595.77, 61.7233), vector3(3030.79, 4589.89, 61.7247), vector3(3031.99, 4584.02, 61.7258), vector3(3032.59, 4581.08, 61.7262), vector3(3033.79, 4575.2, 61.7266), vector3(3034.39, 4572.26, 61.7267), vector3(3035.0, 4569.32, 61.7266), vector3(3035.6, 4566.38, 61.7263), vector3(3036.21, 4563.44, 61.7258), vector3(3037.43, 4557.57, 61.7244), vector3(3038.56, 4551.68, 61.7244), vector3(3039.09, 4548.72, 61.7249), vector3(3039.58, 4545.76, 61.7257), vector3(3040.06, 4542.8, 61.7268), vector3(3040.5, 4539.83, 61.7283), vector3(3040.92, 4536.86, 61.7299), vector3(3041.31, 4533.89, 61.7319), vector3(3041.68, 4530.91, 61.734), vector3(3042.02, 4527.93, 61.7363), vector3(3042.34, 4524.95, 61.7388), vector3(3042.63, 4521.96, 61.7415), vector3(3042.89, 4518.97, 61.7443), vector3(3043.13, 4515.98, 61.7471), vector3(3043.34, 4512.99, 61.7501), vector3(3043.52, 4510.0, 61.7531), vector3(3043.68, 4507.0, 61.7561), vector3(3043.81, 4504.0, 61.7591), vector3(3043.92, 4501.01, 61.7621), vector3(3044.0, 4498.01, 61.7651), vector3(3044.05, 4495.01, 61.768), vector3(3044.08, 4492.01, 61.7708), vector3(3044.08, 4489.01, 61.7735), vector3(3044.06, 4486.01, 61.776), vector3(3044.01, 4483.01, 61.7783), vector3(3043.93, 4480.01, 61.7805), vector3(3043.82, 4477.01, 61.7824), vector3(3043.7, 4474.01, 61.7841), vector3(3043.56, 4471.02, 61.7854), vector3(3043.23, 4465.03, 61.7872), vector3(3042.86, 4459.04, 61.7874), vector3(3042.48, 4453.05, 61.7858), vector3(3042.11, 4447.06, 61.7822), vector3(3041.76, 4441.07, 61.7763), vector3(3041.61, 4438.07, 61.7725), vector3(3041.48, 4435.08, 61.768), vector3(3041.36, 4432.08, 61.7628), vector3(3041.21, 4429.08, 61.7571), vector3(3040.85, 4423.09, 61.7436), vector3(3040.42, 4417.11, 61.7263), vector3(3039.91, 4411.13, 61.7042), vector3(3039.35, 4405.16, 61.6765), vector3(3038.75, 4399.19, 61.6423), vector3(3038.12, 4393.22, 61.5995), vector3(3037.49, 4387.26, 61.5435), vector3(3036.84, 4381.29, 61.4761), vector3(3036.2, 4375.33, 61.3995), vector3(3035.54, 4369.36, 61.315), vector3(3034.89, 4363.4, 61.2241), vector3(3034.23, 4357.44, 61.1278), vector3(3033.57, 4351.47, 61.027), vector3(3032.9, 4345.51, 60.9223), vector3(3032.24, 4339.55, 60.8144), vector3(3031.58, 4333.59, 60.7038), vector3(3030.91, 4327.62, 60.5911), vector3(3030.25, 4321.66, 60.4767), vector3(3029.92, 4318.68, 60.4189), vector3(3029.59, 4315.7, 60.3608), vector3(3028.92, 4309.74, 60.2439), vector3(3028.26, 4303.78, 60.1263), vector3(3027.6, 4297.81, 60.0082), vector3(3026.95, 4291.85, 59.8899), vector3(3026.29, 4285.89, 59.7716), vector3(3025.64, 4279.92, 59.6536), vector3(3024.98, 4273.96, 59.536), vector3(3024.33, 4268.0, 59.4191), vector3(3023.69, 4262.03, 59.3031), vector3(3023.04, 4256.07, 59.188), vector3(3022.4, 4250.11, 59.0741), vector3(3021.76, 4244.14, 58.9616), vector3(3021.13, 4238.18, 58.8506), vector3(3020.49, 4232.21, 58.7412), vector3(3019.87, 4226.24, 58.6337), vector3(3019.24, 4220.28, 58.5282), vector3(3018.62, 4214.31, 58.4246), vector3(3018.31, 4211.33, 58.3737), vector3(3017.69, 4205.36, 58.2737), vector3(3017.08, 4199.39, 58.1761), vector3(3016.48, 4193.42, 58.0811), vector3(3015.87, 4187.45, 57.9888), vector3(3015.28, 4181.48, 57.8995), vector3(3014.68, 4175.51, 57.8132), vector3(3014.09, 4169.54, 57.7296), vector3(3013.5, 4163.57, 57.6458), vector3(3012.9, 4157.6, 57.5605), vector3(3012.28, 4151.64, 57.4738), vector3(3011.67, 4145.67, 57.3856), vector3(3011.04, 4139.7, 57.2958), vector3(3010.4, 4133.74, 57.2046), vector3(3009.76, 4127.77, 57.1117), vector3(3009.11, 4121.81, 57.0173), vector3(3008.1, 4112.84, 56.8724), vector3(3007.45, 4106.9, 56.7746), vector3(3006.78, 4100.94, 56.6748), vector3(3006.1, 4094.98, 56.5735), vector3(3005.42, 4089.02, 56.4708), vector3(3004.74, 4083.06, 56.3667), vector3(3004.05, 4077.1, 56.2613), vector3(3003.36, 4071.14, 56.1546), vector3(3002.67, 4065.18, 56.0468), vector3(3001.98, 4059.22, 55.938), vector3(3001.64, 4056.24, 55.8833), vector3(3000.95, 4050.28, 55.7732), vector3(3000.27, 4044.32, 55.6624), vector3(2999.6, 4038.36, 55.5511), vector3(2999.27, 4035.38, 55.4954), vector3(2998.6, 4029.42, 55.3837), vector3(2998.28, 4026.44, 55.3278), vector3(2997.95, 4023.46, 55.2719), vector3(2997.31, 4017.49, 55.1603), vector3(2997.0, 4014.51, 55.1047), vector3(2996.69, 4011.52, 55.0491), vector3(2996.38, 4008.54, 54.9936), vector3(2996.07, 4005.56, 54.9384), vector3(2995.48, 3999.59, 54.8283), vector3(2994.61, 3990.63, 54.665), vector3(2994.06, 3984.66, 54.5575), vector3(2993.53, 3978.68, 54.4513), vector3(2993.01, 3972.7, 54.3464), vector3(2992.76, 3969.72, 54.2946), vector3(2992.52, 3966.73, 54.2431), vector3(2992.28, 3963.74, 54.192), vector3(2991.56, 3954.76, 54.1851), vector3(2990.54, 3942.81, 54.1752), vector3(2990.01, 3936.83, 54.1452), vector3(2989.45, 3930.86, 54.1643), vector3(2988.88, 3924.88, 54.1586), vector3(2988.3, 3918.91, 54.128), vector3(2987.69, 3912.94, 54.1465), vector3(2986.76, 3903.99, 54.1124), vector3(2986.12, 3898.03, 54.1305), vector3(2985.12, 3889.08, 54.1204), vector3(2984.09, 3880.14, 54.11), vector3(2980.4, 3850.37, 54.0736), vector3(2977.59, 3829.56, 54.0224), vector3(2975.05, 3811.74, 53.9993), vector3(2971.45, 3788.01, 53.9688), vector3(2968.13, 3767.27, 53.9676), vector3(2966.16, 3755.44, 53.9535), vector3(2962.57, 3734.75, 53.906), vector3(2959.91, 3719.98, 53.8916), vector3(2957.73, 3708.18, 53.8815), vector3(2954.35, 3690.5, 53.894), vector3(2946.01, 3649.34, 53.8871), vector3(2942.24, 3631.74, 53.8733), vector3(2939.65, 3620.02, 53.912), vector3(2934.99, 3599.55, 53.9554), vector3(2930.15, 3579.11, 54.0364), vector3(2925.09, 3558.73, 54.1951), vector3(2921.3, 3544.22, 54.3377), vector3(2917.32, 3529.76, 54.4408), vector3(2914.84, 3521.11, 54.4594), vector3(2911.43, 3509.6, 54.5206), vector3(2909.68, 3503.86, 54.5302), vector3(2907.9, 3498.13, 54.5342), vector3(2906.08, 3492.41, 54.5329), vector3(2904.29, 3486.86, 54.5299), vector3(2900.63, 3475.8, 54.4835), vector3(2898.72, 3470.18, 54.4489), vector3(2894.77, 3458.85, 54.3566), vector3(2891.74, 3450.38, 54.2673), vector3(2889.68, 3444.74, 54.1982), vector3(2887.6, 3439.11, 54.1215), vector3(2885.5, 3433.49, 54.0373), vector3(2883.37, 3427.88, 53.9457), vector3(2881.22, 3422.28, 53.8469), vector3(2879.05, 3416.69, 53.741), vector3(2876.87, 3411.1, 53.6282), vector3(2874.66, 3405.52, 53.5112), vector3(2872.45, 3399.95, 53.3919), vector3(2869.1, 3391.6, 53.209), vector3(2865.74, 3383.25, 53.0218), vector3(2863.48, 3377.69, 52.8948), vector3(2861.21, 3372.14, 52.7661), vector3(2858.94, 3366.59, 52.6358), vector3(2856.66, 3361.04, 52.5041), vector3(2854.36, 3355.5, 52.3708), vector3(2852.06, 3349.96, 52.2362), vector3(2849.76, 3344.42, 52.1003), vector3(2847.44, 3338.89, 51.963), vector3(2845.12, 3333.36, 51.8245), vector3(2842.79, 3327.83, 51.6848), vector3(2827.45, 3291.99, 50.7481), vector3(2823.86, 3283.74, 50.5251), vector3(2819.04, 3272.75, 50.2237), vector3(2814.18, 3261.78, 49.9173), vector3(2811.73, 3256.31, 49.7621), vector3(2809.26, 3250.84, 49.6048), vector3(2806.77, 3245.39, 49.445), vector3(2804.25, 3239.94, 49.2825), vector3(2801.72, 3234.51, 49.1171), vector3(2799.15, 3229.08, 48.9486), vector3(2796.56, 3223.67, 48.7768), vector3(2793.94, 3218.28, 48.6016), vector3(2791.29, 3212.9, 48.4229), vector3(2788.62, 3207.53, 48.2406), vector3(2785.91, 3202.18, 48.0548), vector3(2783.18, 3196.84, 47.8657), vector3(2780.42, 3191.52, 47.6734), vector3(2773.45, 3178.24, 47.1816), vector3(2767.84, 3167.65, 46.7811), vector3(2762.2, 3157.06, 46.3716), vector3(2756.51, 3146.5, 45.9378), vector3(2753.64, 3141.24, 45.7115), vector3(2749.28, 3133.37, 45.3614), vector3(2738.77, 3115.01, 44.4974), vector3(2735.72, 3109.85, 44.2463), vector3(2732.63, 3104.71, 43.994), vector3(2729.52, 3099.59, 43.7413), vector3(2726.37, 3094.48, 43.489), vector3(2719.99, 3084.33, 42.997), vector3(2716.75, 3079.29, 42.7676), vector3(2713.47, 3074.27, 42.5484), vector3(2710.17, 3069.26, 42.3382), vector3(2706.85, 3064.27, 42.136), vector3(2702.15, 3056.82, 41.6856), vector3(2698.45, 3051.85, 41.6603), vector3(2695.06, 3046.9, 41.4805), vector3(2691.66, 3041.96, 41.3058), vector3(2688.25, 3037.03, 41.1359), vector3(2684.83, 3032.1, 40.9704), vector3(2681.4, 3027.18, 40.809), vector3(2677.96, 3022.27, 40.6514), vector3(2674.51, 3017.36, 40.4973), vector3(2671.06, 3012.45, 40.3466), vector3(2667.61, 3007.55, 40.1989), vector3(2664.14, 3002.65, 40.0674), vector3(2660.66, 2997.77, 39.963), vector3(2657.16, 2992.89, 39.8683), vector3(2653.67, 2988.02, 39.7788), vector3(2650.17, 2983.15, 39.6927), vector3(2646.66, 2978.27, 39.609), vector3(2643.16, 2973.4, 39.527), vector3(2639.66, 2968.53, 39.4465), vector3(2636.15, 2963.67, 39.3672), vector3(2632.64, 2958.8, 39.2887), vector3(2629.14, 2953.93, 39.211), vector3(2625.63, 2949.06, 39.134), vector3(2622.12, 2944.2, 39.0575), vector3(2618.61, 2939.33, 38.9815), vector3(2615.1, 2934.46, 38.9058), vector3(2611.59, 2929.6, 38.8305), vector3(2608.08, 2924.73, 38.7554), vector3(2602.81, 2917.44, 38.6433), vector3(2599.3, 2912.57, 38.5686), vector3(2595.79, 2907.71, 38.4941), vector3(2592.28, 2902.84, 38.4197), vector3(2588.77, 2897.98, 38.3452), vector3(2585.25, 2893.12, 38.2707), vector3(2581.74, 2888.25, 38.196), vector3(2578.22, 2883.39, 38.1212), vector3(2574.71, 2878.53, 38.046), vector3(2571.19, 2873.67, 37.9705), vector3(2567.68, 2868.81, 37.8945), vector3(2564.16, 2863.95, 37.8178), vector3(2560.64, 2859.09, 37.7401), vector3(2557.12, 2854.23, 37.6609), vector3(2553.6, 2849.37, 37.5797), vector3(2551.84, 2846.94, 37.5378), vector3(2548.31, 2842.09, 37.4495), vector3(2545.5, 2838.21, 37.3967), vector3(2542.0, 2833.33, 37.3835), vector3(2538.51, 2828.45, 37.3701), vector3(2535.01, 2823.58, 37.3564), vector3(2531.52, 2818.7, 37.3427), vector3(2528.03, 2813.82, 37.3289), vector3(2524.55, 2808.93, 37.3152), vector3(2521.07, 2804.04, 37.3016), vector3(2517.6, 2799.15, 37.2884), vector3(2514.14, 2794.24, 37.2755), vector3(2510.69, 2789.33, 37.2633), vector3(2507.26, 2784.41, 37.252), vector3(2503.85, 2779.48, 37.2418), vector3(2500.45, 2774.53, 37.233), vector3(2497.08, 2769.57, 37.226), vector3(2493.75, 2764.58, 37.2212), vector3(2490.44, 2759.57, 37.2191), vector3(2487.19, 2754.53, 37.2204), vector3(2483.98, 2749.46, 37.2256), vector3(2480.83, 2744.35, 37.2357), vector3(2477.75, 2739.2, 37.2515), vector3(2474.76, 2734.01, 37.274), vector3(2471.85, 2728.76, 37.3042), vector3(2469.06, 2723.45, 37.3433), vector3(2467.7, 2720.77, 37.3664), vector3(2465.08, 2715.37, 37.4206), vector3(2462.6, 2709.91, 37.486), vector3(2460.26, 2704.39, 37.5633), vector3(2458.06, 2698.81, 37.6526), vector3(2456.0, 2693.17, 37.7541), vector3(2454.09, 2687.49, 37.8673), vector3(2452.31, 2681.76, 37.9916), vector3(2450.64, 2675.99, 38.1262), vector3(2449.1, 2670.2, 38.274), vector3(2447.72, 2664.36, 38.4613), vector3(2446.51, 2658.49, 38.6693), vector3(2445.46, 2652.59, 38.8832), vector3(2444.54, 2646.66, 39.0952), vector3(2443.75, 2640.72, 39.3013), vector3(2443.07, 2634.76, 39.4992), vector3(2442.49, 2628.79, 39.6873), vector3(2442.02, 2622.81, 39.8647), vector3(2441.64, 2616.83, 40.0314), vector3(2441.35, 2610.83, 40.1866), vector3(2441.15, 2604.84, 40.3306), vector3(2441.02, 2598.84, 40.4634), vector3(2440.97, 2592.84, 40.5849), vector3(2440.99, 2586.85, 40.6955), vector3(2441.07, 2580.85, 40.7952), vector3(2441.22, 2574.85, 40.8844), vector3(2441.44, 2568.85, 40.9629), vector3(2441.71, 2562.86, 41.0315), vector3(2442.04, 2556.87, 41.0898), vector3(2442.43, 2550.88, 41.1387), vector3(2442.87, 2544.9, 41.1778), vector3(2443.36, 2538.92, 41.2076), vector3(2443.9, 2532.94, 41.2284), vector3(2444.49, 2526.97, 41.2404), vector3(2445.12, 2521.01, 41.2437), vector3(2445.8, 2515.04, 41.2385), vector3(2446.9, 2506.11, 41.2152), vector3(2447.68, 2500.16, 41.1895), vector3(2448.51, 2494.22, 41.1561), vector3(2449.37, 2488.28, 41.115), vector3(2450.27, 2482.35, 41.0655), vector3(2451.25, 2476.43, 40.9834), vector3(2452.32, 2470.53, 40.8647), vector3(2453.45, 2464.64, 40.716), vector3(2454.65, 2458.76, 40.5419), vector3(2455.91, 2452.9, 40.346), vector3(2457.22, 2447.05, 40.1317), vector3(2458.58, 2441.21, 39.9014), vector3(2459.98, 2435.38, 39.6573), vector3(2461.43, 2429.56, 39.4011), vector3(2462.91, 2423.76, 39.1344), vector3(2464.44, 2417.96, 38.8588), vector3(2466.0, 2412.17, 38.5754), vector3(2467.59, 2406.4, 38.2852), vector3(2469.22, 2400.63, 37.9896), vector3(2470.89, 2394.87, 37.6892), vector3(2472.59, 2389.13, 37.3851), vector3(2474.32, 2383.39, 37.0781), vector3(2476.09, 2377.66, 36.7691), vector3(2477.89, 2371.95, 36.459), vector3(2479.72, 2366.25, 36.1485), vector3(2481.59, 2360.55, 35.8385), vector3(2483.5, 2354.87, 35.5299), vector3(2485.45, 2349.21, 35.2237), vector3(2487.43, 2343.55, 34.9207), vector3(2489.45, 2337.91, 34.6221), vector3(2491.52, 2332.29, 34.329), vector3(2493.65, 2326.68, 34.0412), vector3(2495.83, 2321.1, 33.7588), vector3(2498.08, 2315.54, 33.4821), vector3(2499.22, 2312.77, 33.3461), vector3(2500.38, 2310.01, 33.2117), vector3(2501.55, 2307.25, 33.079), vector3(2502.74, 2304.5, 32.9481), vector3(2505.15, 2299.01, 32.6922), vector3(2507.61, 2293.54, 32.4449), vector3(2510.13, 2288.1, 32.2077), vector3(2512.7, 2282.69, 31.9826), vector3(2515.32, 2277.29, 31.7725), vector3(2517.99, 2271.93, 31.5817), vector3(2520.73, 2266.59, 31.4184), vector3(2523.53, 2261.28, 31.2988), vector3(2527.87, 2253.4, 31.2633), vector3(2532.29, 2245.56, 31.2631), vector3(2536.75, 2237.74, 31.2629), vector3(2541.24, 2229.94, 31.2625), vector3(2545.76, 2222.16, 31.2621), vector3(2548.79, 2216.98, 31.2618), vector3(2551.82, 2211.81, 31.2616), vector3(2554.87, 2206.63, 31.2613), vector3(2557.91, 2201.46, 31.2611), vector3(2560.96, 2196.3, 31.261), vector3(2565.54, 2188.55, 31.2609), vector3(2568.58, 2183.38, 31.2609), vector3(2571.63, 2178.21, 31.261), vector3(2576.19, 2170.45, 31.2614), vector3(2580.73, 2162.68, 31.262), vector3(2583.75, 2157.49, 31.2626), vector3(2588.25, 2149.7, 31.2638), vector3(2589.73, 2147.09, 31.2642), vector3(2592.55, 2141.79, 31.2649), vector3(2593.89, 2139.11, 31.2652), vector3(2595.19, 2136.41, 31.2654), vector3(2597.64, 2130.93, 31.2657), vector3(2599.88, 2125.36, 31.2659), vector3(2601.89, 2119.71, 31.2659), vector3(2603.68, 2113.99, 31.2657), vector3(2605.24, 2108.19, 31.2655), vector3(2605.94, 2105.27, 31.2653), vector3(2606.58, 2102.34, 31.2652), vector3(2607.7, 2096.45, 31.2648), vector3(2608.62, 2090.52, 31.2644), vector3(2609.36, 2084.57, 31.2641), vector3(2609.94, 2078.6, 31.2637), vector3(2610.38, 2072.61, 31.2635), vector3(2610.7, 2066.62, 31.2633), vector3(2610.91, 2060.62, 31.2633), vector3(2611.05, 2054.63, 31.2633), vector3(2611.13, 2048.63, 31.239), vector3(2611.21, 2042.63, 31.1766), vector3(2611.27, 2036.63, 31.0854), vector3(2611.31, 2030.63, 30.972), vector3(2611.35, 2024.63, 30.842), vector3(2611.39, 2018.63, 30.698), vector3(2611.41, 2012.63, 30.5436), vector3(2611.43, 2006.64, 30.3809), vector3(2611.45, 2000.64, 30.2116), vector3(2611.46, 1994.64, 30.0371), vector3(2611.47, 1988.64, 29.8587), vector3(2611.48, 1982.65, 29.6776), vector3(2611.48, 1976.65, 29.4945), vector3(2611.49, 1973.65, 29.4026), vector3(2611.49, 1967.65, 29.2181), vector3(2611.48, 1961.66, 29.0336), vector3(2611.48, 1955.66, 28.8496), vector3(2611.48, 1949.66, 28.6666), vector3(2611.47, 1943.67, 28.485), vector3(2611.46, 1937.67, 28.3055), vector3(2611.45, 1931.67, 28.1282), vector3(2611.44, 1925.67, 27.9535), vector3(2611.43, 1919.68, 27.782), vector3(2611.42, 1913.68, 27.6138), vector3(2611.41, 1907.68, 27.449), vector3(2611.4, 1901.68, 27.2884), vector3(2611.38, 1895.68, 27.1319), vector3(2611.37, 1889.69, 26.9798), vector3(2611.36, 1883.69, 26.8326), vector3(2611.34, 1877.69, 26.69), vector3(2611.33, 1871.69, 26.553), vector3(2611.31, 1865.69, 26.421), vector3(2611.3, 1859.69, 26.295), vector3(2611.28, 1853.7, 26.1744), vector3(2611.27, 1847.7, 26.0605), vector3(2611.26, 1841.7, 25.9523), vector3(2611.24, 1835.7, 25.851), vector3(2611.23, 1829.7, 25.7561), vector3(2611.21, 1823.7, 25.6683), vector3(2611.2, 1817.7, 25.5876), vector3(2611.19, 1811.7, 25.514), vector3(2611.17, 1805.7, 25.4484), vector3(2611.16, 1799.7, 25.3898), vector3(2611.15, 1793.7, 25.3401), vector3(2611.14, 1787.7, 25.298), vector3(2611.12, 1781.7, 25.2646), vector3(2611.11, 1775.7, 25.2398), vector3(2611.1, 1769.7, 25.2234), vector3(2611.09, 1763.7, 25.2169), vector3(2611.09, 1757.7, 25.219), vector3(2611.08, 1751.7, 25.2312), vector3(2611.07, 1748.7, 25.2405), vector3(2611.07, 1745.7, 25.2531), vector3(2611.06, 1739.7, 25.2845), vector3(2611.06, 1733.7, 25.3274), vector3(2611.05, 1727.7, 25.38), vector3(2611.05, 1721.7, 25.4437), vector3(2611.05, 1715.7, 25.5189), vector3(2611.05, 1709.7, 25.6047), vector3(2611.05, 1703.7, 25.7023), vector3(2611.04, 1697.71, 25.8032), vector3(2611.04, 1691.71, 25.9039), vector3(2611.04, 1685.71, 26.0045), vector3(2611.03, 1679.71, 26.1052), vector3(2611.03, 1673.71, 26.2062), vector3(2611.02, 1667.71, 26.3075), vector3(2611.01, 1661.71, 26.4093), vector3(2611.0, 1655.71, 26.5119), vector3(2610.99, 1649.71, 26.6153), vector3(2610.98, 1643.71, 26.7196), vector3(2610.97, 1637.71, 26.8251), vector3(2610.96, 1631.72, 26.9318), vector3(2610.94, 1625.72, 27.04), vector3(2610.93, 1619.72, 27.1498), vector3(2610.92, 1613.72, 27.2613), vector3(2610.91, 1607.72, 27.3746), vector3(2610.89, 1601.72, 27.49), vector3(2610.88, 1595.72, 27.6074), vector3(2610.87, 1589.72, 27.7272), vector3(2610.85, 1583.72, 27.8495), vector3(2610.84, 1577.73, 27.9743), vector3(2610.83, 1571.73, 28.1019), vector3(2610.81, 1565.73, 28.2323), vector3(2610.8, 1559.73, 28.3657), vector3(2610.79, 1553.73, 28.5022), vector3(2610.78, 1547.73, 28.642), vector3(2610.77, 1541.74, 28.7854), vector3(2610.76, 1535.74, 28.9323), vector3(2610.75, 1529.74, 29.0829), vector3(2610.75, 1523.74, 29.2374), vector3(2610.74, 1517.74, 29.3958), vector3(2610.73, 1511.74, 29.5583), vector3(2610.73, 1505.75, 29.7252), vector3(2610.73, 1499.75, 29.8965), vector3(2610.73, 1493.75, 30.0724), vector3(2610.73, 1487.76, 30.253), vector3(2610.73, 1481.76, 30.4384), vector3(2610.73, 1475.76, 30.6287), vector3(2610.73, 1469.76, 30.8241), vector3(2610.74, 1463.77, 31.025), vector3(2610.75, 1457.77, 31.2312), vector3(2610.76, 1451.77, 31.4429), vector3(2610.77, 1445.78, 31.6603), vector3(2610.79, 1439.78, 31.8834), vector3(2610.8, 1433.79, 32.1125), vector3(2610.82, 1427.79, 32.3479), vector3(2610.84, 1421.8, 32.5896), vector3(2610.86, 1415.8, 32.8375), vector3(2610.89, 1409.81, 33.092), vector3(2610.92, 1403.81, 33.3531), vector3(2610.95, 1397.82, 33.6209), vector3(2610.98, 1391.83, 33.8959), vector3(2611.02, 1385.83, 34.178), vector3(2611.06, 1379.84, 34.4679), vector3(2611.1, 1373.85, 34.7655), vector3(2611.14, 1367.85, 35.0713), vector3(2611.18, 1361.86, 35.3852), vector3(2611.23, 1355.87, 35.7071), vector3(2611.27, 1349.88, 36.037), vector3(2611.32, 1343.89, 36.3752), vector3(2611.37, 1337.9, 36.721), vector3(2611.42, 1331.91, 37.0741), vector3(2611.47, 1325.92, 37.4345), vector3(2611.53, 1319.93, 37.802), vector3(2611.59, 1313.95, 38.1765), vector3(2611.65, 1307.96, 38.5584), vector3(2611.71, 1301.97, 38.9474), vector3(2611.78, 1295.99, 39.3431), vector3(2611.85, 1290.0, 39.7452), vector3(2611.93, 1284.01, 40.1538), vector3(2612.01, 1278.03, 40.5686), vector3(2612.09, 1272.04, 40.9899), vector3(2612.18, 1266.06, 41.4178), vector3(2612.27, 1260.08, 41.8516), vector3(2612.37, 1254.09, 42.2912), vector3(2612.47, 1248.11, 42.7365), vector3(2612.58, 1242.13, 43.1875), vector3(2612.69, 1236.15, 43.6444), vector3(2612.81, 1230.17, 44.107), vector3(2612.94, 1224.19, 44.5748), vector3(2613.07, 1218.21, 45.0478), vector3(2613.21, 1212.23, 45.5258), vector3(2613.35, 1206.25, 46.0093), vector3(2613.51, 1200.27, 46.4978), vector3(2613.67, 1194.29, 46.9911), vector3(2613.84, 1188.32, 47.4889), vector3(2614.01, 1182.34, 47.9914), vector3(2614.2, 1176.36, 48.4988), vector3(2614.4, 1170.39, 49.0105), vector3(2614.6, 1164.41, 49.5264), vector3(2614.82, 1158.44, 50.0463), vector3(2615.04, 1152.47, 50.5708), vector3(2615.28, 1146.5, 51.099), vector3(2615.52, 1140.52, 51.631), vector3(2615.78, 1134.55, 52.1667), vector3(2616.06, 1128.58, 52.7062), vector3(2616.34, 1122.62, 53.2491), vector3(2616.64, 1116.65, 53.7951), vector3(2616.95, 1110.68, 54.3447), vector3(2617.28, 1104.72, 54.8971), vector3(2617.62, 1098.75, 55.4523), vector3(2617.98, 1092.79, 56.0106), vector3(2618.35, 1086.83, 56.5713), vector3(2618.74, 1080.87, 57.1344), vector3(2619.16, 1074.91, 57.7), vector3(2619.59, 1068.95, 58.2674), vector3(2620.04, 1062.99, 58.8368), vector3(2620.51, 1057.04, 59.4079), vector3(2621.0, 1051.09, 59.9805), vector3(2621.52, 1045.14, 60.5543), vector3(2622.06, 1039.19, 61.129), vector3(2622.63, 1033.24, 61.7046), vector3(2623.23, 1027.3, 62.2806), vector3(2623.86, 1021.36, 62.8567), vector3(2624.51, 1015.43, 63.4326), vector3(2625.2, 1009.49, 64.008), vector3(2626.3, 1000.6, 64.8692), vector3(2627.09, 994.682, 65.4414), vector3(2627.91, 988.766, 66.0115), vector3(2628.78, 982.857, 66.5791), vector3(2629.69, 976.954, 67.1432), vector3(2630.66, 971.059, 67.7034), vector3(2631.68, 965.172, 68.2589), vector3(2632.76, 959.296, 68.8088), vector3(2633.9, 953.431, 69.3521), vector3(2635.12, 947.58, 69.8873), vector3(2636.41, 941.745, 70.4134), vector3(2637.77, 935.922, 70.9278), vector3(2639.04, 930.081, 71.4233), vector3(2640.23, 924.22, 71.9044), vector3(2641.37, 918.347, 72.3748), vector3(2642.46, 912.466, 72.8368), vector3(2643.52, 906.576, 73.2919), vector3(2644.54, 900.682, 73.7411), vector3(2645.54, 894.783, 74.1851), vector3(2646.52, 888.879, 74.6245), vector3(2647.48, 882.972, 75.0596), vector3(2648.42, 877.062, 75.4909), vector3(2649.34, 871.149, 75.9185), vector3(2650.25, 865.234, 76.3427), vector3(2651.15, 859.316, 76.7636), vector3(2652.04, 853.397, 77.1814), vector3(2652.91, 847.475, 77.5962), vector3(2653.77, 841.552, 78.008), vector3(2654.63, 835.627, 78.417), vector3(2655.47, 829.7, 78.8231), vector3(2656.3, 823.772, 79.2264), vector3(2657.13, 817.843, 79.6269), vector3(2657.94, 811.911, 80.0246), vector3(2658.75, 805.979, 80.4195), vector3(2659.54, 800.045, 80.8116), vector3(2660.33, 794.11, 81.2009), vector3(2661.11, 788.174, 81.5873), vector3(2661.89, 782.236, 81.9707), vector3(2662.65, 776.297, 82.3512), vector3(2663.41, 770.357, 82.7286), vector3(2664.16, 764.416, 83.1027), vector3(2664.9, 758.473, 83.4737), vector3(2665.26, 755.501, 83.6579), vector3(2665.99, 749.557, 84.0237), vector3(2666.71, 743.611, 84.3859), vector3(2667.42, 737.664, 84.7444), vector3(2668.12, 731.715, 85.0989), vector3(2668.81, 725.766, 85.4492), vector3(2669.49, 719.815, 85.795), vector3(2670.11, 713.855, 86.125), vector3(2670.64, 707.887, 86.4377), vector3(2671.12, 701.914, 86.7384), vector3(2671.57, 695.938, 87.0296), vector3(2671.98, 689.959, 87.3133), vector3(2672.37, 683.978, 87.5904), vector3(2672.74, 677.995, 87.8617), vector3(2673.09, 672.012, 88.1277), vector3(2673.42, 666.027, 88.389), vector3(2673.74, 660.041, 88.6456), vector3(2674.05, 654.054, 88.898), vector3(2674.34, 648.066, 89.146), vector3(2674.62, 642.077, 89.3899), vector3(2674.89, 636.088, 89.6299), vector3(2675.15, 630.099, 89.8656), vector3(2675.4, 624.108, 90.0974), vector3(2675.64, 618.117, 90.3251), vector3(2675.87, 612.126, 90.5486), vector3(2676.09, 606.134, 90.7677), vector3(2676.3, 600.142, 90.9825), vector3(2676.5, 594.149, 91.1927), vector3(2676.69, 588.155, 91.3982), vector3(2676.87, 582.161, 91.5985), vector3(2677.04, 576.167, 91.7936), vector3(2677.2, 570.172, 91.9831), vector3(2677.35, 564.177, 92.1664), vector3(2677.49, 558.181, 92.3432), vector3(2677.61, 552.185, 92.513), vector3(2677.73, 546.188, 92.6747), vector3(2677.82, 540.19, 92.828), vector3(2677.9, 534.193, 92.9713), vector3(2677.97, 528.194, 93.1038), vector3(2678.01, 522.196, 93.2234), vector3(2678.03, 516.197, 93.3277), vector3(2678.02, 510.197, 93.4141), vector3(2677.97, 504.198, 93.478), vector3(2677.88, 498.199, 93.5122), vector3(2677.74, 492.2, 93.5157), vector3(2677.57, 486.203, 93.5185), vector3(2677.38, 480.206, 93.5236), vector3(2677.17, 474.209, 93.5301), vector3(2676.96, 468.213, 93.5375), vector3(2676.74, 462.217, 93.5455), vector3(2676.51, 456.222, 93.554), vector3(2676.28, 450.226, 93.5628), vector3(2676.04, 444.231, 93.5719), vector3(2675.79, 438.236, 93.5811), vector3(2675.54, 432.241, 93.5903), vector3(2675.28, 426.247, 93.5996), vector3(2675.02, 420.253, 93.6089), vector3(2674.76, 414.258, 93.6182), vector3(2674.48, 408.265, 93.6274), vector3(2674.21, 402.271, 93.6365), vector3(2673.93, 396.278, 93.6455), vector3(2673.64, 390.284, 93.6543), vector3(2673.35, 384.291, 93.6629), vector3(2673.06, 378.299, 93.6714), vector3(2672.76, 372.306, 93.6796), vector3(2672.45, 366.314, 93.6876), vector3(2672.14, 360.322, 93.6953), vector3(2671.82, 354.33, 93.7027), vector3(2671.5, 348.339, 93.7098), vector3(2671.17, 342.348, 93.7163), vector3(2670.85, 336.352, 93.7098), vector3(2670.52, 330.356, 93.702), vector3(2670.17, 324.361, 93.6929), vector3(2669.8, 318.366, 93.6825), vector3(2669.42, 312.372, 93.6709), vector3(2669.02, 306.378, 93.6581), vector3(2668.61, 300.386, 93.6441), vector3(2668.18, 294.394, 93.6289), vector3(2667.73, 288.403, 93.6125), vector3(2667.26, 282.413, 93.5951), vector3(2666.77, 276.425, 93.5766), vector3(2666.26, 270.439, 93.5571), vector3(2665.73, 264.453, 93.5366), vector3(2665.17, 258.47, 93.5151), vector3(2664.59, 252.488, 93.4928), vector3(2663.99, 246.509, 93.4696), vector3(2663.36, 240.527, 93.4457), vector3(2662.71, 234.552, 93.4211), vector3(2662.02, 228.58, 93.3958), vector3(2661.31, 222.611, 93.3699), vector3(2660.57, 216.645, 93.3435), vector3(2659.8, 210.682, 93.3166), vector3(2659.0, 204.723, 93.2894), vector3(2658.16, 198.768, 93.262), vector3(2657.29, 192.818, 93.2343), vector3(2656.38, 186.872, 93.2065), vector3(2655.44, 180.932, 93.1787), vector3(2654.46, 174.997, 93.151), vector3(2653.45, 169.068, 93.1235), vector3(2652.39, 163.146, 93.0963), vector3(2651.3, 157.23, 93.0694), vector3(2650.16, 151.322, 93.0431), vector3(2648.98, 145.421, 93.0174), vector3(2647.75, 139.529, 92.9924), vector3(2646.49, 133.646, 92.9683), vector3(2645.18, 127.772, 92.9451), vector3(2643.82, 121.909, 92.9231), vector3(2642.41, 116.056, 92.9022), vector3(2640.96, 110.214, 92.8827), vector3(2639.46, 104.384, 92.8647), vector3(2637.91, 98.5669, 92.8483), vector3(2636.32, 92.7625, 92.8335), vector3(2634.67, 86.9714, 92.8206), vector3(2632.97, 81.1951, 92.8098), vector3(2631.4, 75.9972, 92.7983), vector3(2629.61, 70.2493, 92.7925), vector3(2627.76, 64.5173, 92.7892), vector3(2625.87, 58.8062, 92.7882), vector3(2623.97, 53.1146, 92.7872), vector3(2622.06, 47.4247, 92.7849), vector3(2620.15, 41.7349, 92.7813), vector3(2618.24, 36.0455, 92.7766), vector3(2616.33, 30.3572, 92.7706), vector3(2614.41, 24.6698, 92.7635), vector3(2612.49, 18.984, 92.7555), vector3(2610.56, 13.2998, 92.7464), vector3(2608.62, 7.61768, 92.7364), vector3(2606.68, 1.93469, 92.7255), vector3(2604.72, -3.7428, 92.7139), vector3(2602.76, -9.41675, 92.7015), vector3(2600.79, -15.0879, 92.6884), vector3(2598.8, -20.7552, 92.6747), vector3(2596.81, -26.4186, 92.6604), vector3(2594.8, -32.0781, 92.6457), vector3(2592.77, -37.7324, 92.6305), vector3(2590.73, -43.3826, 92.6149), vector3(2588.68, -49.0269, 92.599), vector3(2586.61, -54.6661, 92.5828), vector3(2584.52, -60.2992, 92.5664), vector3(2582.42, -65.9254, 92.5499), vector3(2580.29, -71.5459, 92.5333), vector3(2578.15, -77.1583, 92.5166), vector3(2575.98, -82.7643, 92.5001), vector3(2573.8, -88.3619, 92.4836), vector3(2571.59, -93.9509, 92.4672), vector3(2569.36, -99.5316, 92.4511), vector3(2567.1, -105.102, 92.4353), vector3(2564.82, -110.664, 92.4198), vector3(2562.52, -116.216, 92.4047), vector3(2560.19, -121.757, 92.3901), vector3(2557.83, -127.287, 92.3759), vector3(2555.44, -132.805, 92.3624), vector3(2553.03, -138.312, 92.3496), vector3(2550.58, -143.805, 92.3374), vector3(2548.11, -149.286, 92.326), vector3(2545.61, -154.753, 92.3154), vector3(2543.07, -160.206, 92.3057), vector3(2540.5, -165.645, 92.2969), vector3(2537.9, -171.067, 92.2893), vector3(2535.27, -176.475, 92.2826), vector3(2532.6, -181.864, 92.277), vector3(2529.89, -187.238, 92.2727), vector3(2527.15, -192.594, 92.2695), vector3(2524.37, -197.931, 92.2677), vector3(2521.56, -203.25, 92.2672), vector3(2518.71, -208.548, 92.2682), vector3(2515.82, -213.83, 92.2707), vector3(2512.89, -219.088, 92.2746), vector3(2509.93, -224.323, 92.2802), vector3(2506.92, -229.538, 92.2873), vector3(2503.87, -234.726, 92.2963), vector3(2500.79, -239.895, 92.3069), vector3(2497.66, -245.036, 92.3193), vector3(2494.49, -250.154, 92.3336), vector3(2491.28, -255.247, 92.3497), vector3(2488.02, -260.309, 92.368), vector3(2484.73, -265.349, 92.3881), vector3(2481.39, -270.358, 92.4103), vector3(2478.01, -275.34, 92.4346), vector3(2474.59, -280.292, 92.4609), vector3(2471.12, -285.212, 92.4896), vector3(2467.6, -290.104, 92.5203), vector3(2464.05, -294.964, 92.5533), vector3(2460.45, -299.791, 92.5888), vector3(2456.81, -304.587, 92.6264), vector3(2453.12, -309.346, 92.6665), vector3(2449.39, -314.074, 92.7089), vector3(2445.62, -318.768, 92.7536), vector3(2441.8, -323.42, 92.8009), vector3(2437.99, -328.053, 92.8487), vector3(2434.17, -332.683, 92.8963), vector3(2430.36, -337.314, 92.9438), vector3(2426.54, -341.944, 92.9911), vector3(2422.72, -346.573, 93.0383), vector3(2418.9, -351.202, 93.0854), vector3(2415.08, -355.829, 93.1322), vector3(2411.26, -360.455, 93.1789), vector3(2407.44, -365.079, 93.2254), vector3(2403.61, -369.702, 93.2718), vector3(2399.78, -374.323, 93.318), vector3(2395.95, -378.942, 93.364), vector3(2392.12, -383.559, 93.4098), vector3(2388.28, -388.173, 93.4555), vector3(2384.44, -392.785, 93.5009), vector3(2380.59, -397.393, 93.5462), vector3(2376.75, -401.999, 93.5913), vector3(2372.89, -406.601, 93.6362), vector3(2369.03, -411.204, 93.6809), vector3(2365.17, -415.799, 93.7254), vector3(2361.31, -420.39, 93.7697), vector3(2357.44, -424.977, 93.8138), vector3(2353.56, -429.56, 93.8577), vector3(2349.68, -434.138, 93.9013), vector3(2345.79, -438.712, 93.9448), vector3(2341.89, -443.281, 93.988), vector3(2337.99, -447.844, 94.0311), vector3(2334.09, -452.402, 94.0739), vector3(2330.17, -456.954, 94.1165), vector3(2326.25, -461.499, 94.1588), vector3(2322.32, -466.039, 94.2009), vector3(2318.38, -470.572, 94.2427), vector3(2314.44, -475.099, 94.2843), vector3(2310.49, -479.619, 94.3257), vector3(2306.52, -484.131, 94.3668), vector3(2302.55, -488.636, 94.4077), vector3(2298.58, -493.132, 94.4483), vector3(2294.59, -497.62, 94.4886), vector3(2290.59, -502.099, 94.5286), vector3(2286.58, -506.57, 94.5684), vector3(2282.56, -511.032, 94.6078), vector3(2278.53, -515.485, 94.647), vector3(2274.49, -519.928, 94.686), vector3(2270.43, -524.361, 94.7246), vector3(2266.37, -528.783, 94.7629), vector3(2262.29, -533.194, 94.8009), vector3(2258.2, -537.593, 94.8385), vector3(2254.1, -541.981, 94.8758), vector3(2249.99, -546.357, 94.9129), vector3(2245.86, -550.721, 94.9495), vector3(2241.71, -555.072, 94.9859), vector3(2237.56, -559.41, 95.0219), vector3(2233.39, -563.734, 95.0575), vector3(2229.2, -568.044, 95.0928), vector3(2225.0, -572.339, 95.1277), vector3(2220.78, -576.619, 95.1622), vector3(2216.55, -580.883, 95.1963), vector3(2212.29, -585.133, 95.23), vector3(2208.03, -589.363, 95.2633), vector3(2203.74, -593.576, 95.2962), vector3(2199.44, -597.771, 95.3287), vector3(2195.11, -601.948, 95.3607), vector3(2190.77, -606.105, 95.3922), vector3(2186.41, -610.243, 95.4234), vector3(2182.03, -614.36, 95.454), vector3(2177.63, -618.456, 95.4842), vector3(2173.21, -622.53, 95.5138), vector3(2168.77, -626.581, 95.543), vector3(2164.3, -630.609, 95.5717), vector3(2159.81, -634.612, 95.5998), vector3(2155.3, -638.59, 95.6274), vector3(2150.77, -642.541, 95.6544), vector3(2146.21, -646.466, 95.6808), vector3(2141.63, -650.362, 95.7067), vector3(2137.02, -654.229, 95.732), vector3(2132.39, -658.067, 95.7566), vector3(2127.73, -661.872, 95.7806), vector3(2123.04, -665.646, 95.804), vector3(2118.33, -669.385, 95.8266), vector3(2113.59, -673.09, 95.8486), vector3(2108.82, -676.759, 95.8699), vector3(2104.02, -680.389, 95.8905), vector3(2099.19, -683.982, 95.9103), vector3(2094.33, -687.535, 95.9293), vector3(2089.43, -691.045, 95.9475), vector3(2084.51, -694.513, 95.9649), vector3(2079.55, -697.935, 95.9815), vector3(2074.57, -701.312, 95.9973), vector3(2069.55, -704.639, 96.0121), vector3(2064.49, -707.913, 96.026), vector3(2059.4, -711.134, 96.0389), vector3(2054.27, -714.301, 96.0508), vector3(2049.11, -717.411, 96.0618), vector3(2043.91, -720.462, 96.0717), vector3(2038.67, -723.454, 96.0806), vector3(2033.4, -726.382, 96.0884), vector3(2028.1, -729.246, 96.0951), vector3(2022.75, -732.039, 96.1006), vector3(2017.36, -734.757, 96.1048), vector3(2011.94, -737.401, 96.1078), vector3(2006.48, -739.968, 96.1096), vector3(2000.98, -742.458, 96.1101), vector3(1995.44, -744.866, 96.1093), vector3(1989.87, -747.185, 96.1071), vector3(1984.23, -749.417, 96.1036), vector3(1978.43, -751.411, 96.1007), vector3(1972.56, -753.105, 96.0991), vector3(1966.64, -754.542, 96.0985), vector3(1960.68, -755.76, 96.0986), vector3(1954.71, -756.792, 96.0994), vector3(1948.71, -757.667, 96.1006), vector3(1942.71, -758.411, 96.102), vector3(1936.7, -759.045, 96.1035), vector3(1930.7, -759.59, 96.105), vector3(1924.69, -760.062, 96.1064), vector3(1918.69, -760.477, 96.1075), vector3(1912.68, -760.851, 96.1083), vector3(1906.69, -761.197, 96.1086), vector3(1900.69, -761.53, 96.1083), vector3(1894.7, -761.862, 96.1074), vector3(1888.72, -762.206, 96.1056), vector3(1885.73, -762.386, 96.1033), vector3(1879.74, -762.746, 96.0529), vector3(1873.77, -763.126, 95.934), vector3(1867.82, -763.567, 95.7523), vector3(1861.91, -764.112, 95.5134), vector3(1856.03, -764.806, 95.2228), vector3(1850.2, -765.698, 94.8865), vector3(1847.3, -766.233, 94.7033), vector3(1841.59, -767.513, 94.3116), vector3(1835.98, -769.117, 93.893), vector3(1830.52, -771.092, 93.4574), vector3(1825.25, -773.476, 93.0162), vector3(1820.22, -776.271, 92.5792), vector3(1815.34, -779.57, 92.1628), vector3(1810.42, -782.976, 91.745), vector3(1805.5, -786.383, 91.3241), vector3(1800.58, -789.789, 90.9001), vector3(1795.66, -793.197, 90.4734), vector3(1790.74, -796.606, 90.0438), vector3(1785.82, -800.013, 89.6114), vector3(1780.9, -803.42, 89.1765), vector3(1775.98, -806.827, 88.7391), vector3(1771.06, -810.233, 88.2991), vector3(1766.14, -813.638, 87.8566), vector3(1761.22, -817.042, 87.4118), vector3(1756.3, -820.445, 86.9648), vector3(1751.37, -823.847, 86.5154), vector3(1746.45, -827.247, 86.0639), vector3(1741.52, -830.645, 85.6105), vector3(1736.6, -834.042, 85.1547), vector3(1731.67, -837.436, 84.6972), vector3(1726.74, -840.827, 84.2378), vector3(1721.81, -844.216, 83.7765), vector3(1716.87, -847.602, 83.3135), vector3(1711.94, -850.985, 82.8488), vector3(1707.0, -854.364, 82.3825), vector3(1702.06, -857.74, 81.9148), vector3(1697.12, -861.111, 81.4455), vector3(1692.17, -864.478, 80.975), vector3(1687.22, -867.84, 80.5031), vector3(1682.27, -871.197, 80.03), vector3(1677.31, -874.549, 79.5559), vector3(1672.35, -877.894, 79.0807), vector3(1667.38, -881.233, 78.6046), vector3(1662.41, -884.566, 78.1277), vector3(1657.43, -887.891, 77.6501), vector3(1652.45, -891.208, 77.1719), vector3(1647.47, -894.517, 76.6933), vector3(1642.47, -897.816, 76.2143), vector3(1637.47, -901.106, 75.7351), vector3(1632.46, -904.385, 75.2559), vector3(1627.45, -907.653, 74.7768), vector3(1622.42, -910.909, 74.298), vector3(1617.39, -914.15, 73.8197), vector3(1612.34, -917.378, 73.3421), vector3(1607.29, -920.589, 72.8654), vector3(1602.22, -923.784, 72.39), vector3(1594.59, -928.541, 71.6797), vector3(1586.94, -933.248, 70.9742), vector3(1579.24, -937.898, 70.2748), vector3(1574.08, -940.961, 69.813), vector3(1568.9, -943.991, 69.3554), vector3(1563.7, -946.982, 68.9028), vector3(1558.47, -949.93, 68.4563), vector3(1553.2, -952.83, 68.017), vector3(1547.9, -955.668, 67.5868), vector3(1542.56, -958.438, 67.1674), vector3(1537.16, -961.123, 66.7619), vector3(1531.69, -963.704, 66.3737), vector3(1526.15, -966.151, 66.0084), vector3(1520.51, -968.421, 65.6744), vector3(1514.67, -970.422, 65.3772), vector3(1508.66, -971.895, 65.0612), vector3(1502.64, -972.956, 64.7241), vector3(1496.6, -973.737, 64.3744), vector3(1490.56, -974.301, 64.0163), vector3(1484.52, -974.683, 63.6523), vector3(1478.48, -974.908, 63.2842), vector3(1472.43, -974.992, 62.9131), vector3(1466.39, -974.942, 62.5399), vector3(1460.36, -974.768, 62.1652), vector3(1454.33, -974.472, 61.7898), vector3(1445.3, -973.802, 61.2262), vector3(1436.3, -972.863, 60.6635), vector3(1427.32, -971.641, 60.1032), vector3(1418.39, -970.126, 59.5471), vector3(1409.5, -968.294, 58.9969), vector3(1403.61, -966.878, 58.6346), vector3(1397.77, -965.298, 58.2766), vector3(1391.96, -963.537, 57.924), vector3(1386.21, -961.576, 57.5779), vector3(1380.53, -959.397, 57.2398), vector3(1374.93, -956.977, 56.9113), vector3(1369.44, -954.281, 56.5928), vector3(1364.1, -951.286, 56.2687), vector3(1358.94, -948.016, 55.9351), vector3(1355.35, -945.167, 55.7624), vector3(1347.58, -938.563, 55.0859), vector3(1340.11, -931.641, 54.5223), vector3(1332.89, -924.794, 53.9178), vector3(1325.76, -917.554, 53.2667), vector3(1318.95, -910.054, 52.5194), vector3(1312.34, -902.478, 51.7395), vector3(1306.0, -894.593, 51.0464), vector3(1299.97, -886.544, 50.3544), vector3(1294.25, -878.209, 49.7539), vector3(1288.79, -869.8, 49.0795), vector3(1278.51, -852.489, 47.8365), vector3(1273.63, -843.764, 47.3158), vector3(1268.96, -834.856, 46.8224), vector3(1264.43, -825.984, 46.3191), vector3(1260.19, -816.888, 45.8527), vector3(1256.61, -807.255, 45.3027), vector3(1253.68, -797.576, 44.803), vector3(1252.41, -793.03, 44.5396), vector3(1250.07, -783.051, 44.047), vector3(1248.0, -773.244, 43.5457), vector3(1246.24, -763.226, 43.0824), vector3(1244.66, -753.296, 42.6295), vector3(1243.12, -743.415, 42.1359), vector3(1241.69, -733.514, 41.6231), vector3(1240.28, -723.561, 41.0914), vector3(1238.91, -713.878, 40.6129), vector3(1237.5, -704.018, 40.1618), vector3(1236.01, -694.203, 39.7271), vector3(1234.48, -684.292, 39.232), vector3(1233.65, -679.21, 39.0222), vector3(1232.92, -674.729, 38.8372), vector3(1231.22, -664.895, 38.3511), vector3(1229.25, -655.124, 37.9297), vector3(1227.17, -645.142, 37.5154), vector3(1224.94, -635.795, 37.1398), vector3(1222.34, -625.969, 36.7918), vector3(1219.46, -616.456, 36.3524), vector3(1216.07, -607.046, 35.9499), vector3(1212.26, -597.446, 35.5627), vector3(1208.2, -588.433, 35.2309), vector3(1203.67, -579.82, 35.0467), vector3(1198.42, -571.34, 34.7791), vector3(1192.8, -563.295, 34.6175), vector3(1186.41, -555.942, 34.353), vector3(1179.11, -548.768, 34.1002), vector3(1171.51, -542.732, 33.8952), vector3(1163.14, -537.253, 33.6848), vector3(1154.61, -532.239, 33.5873), vector3(1145.9, -527.521, 33.4905), vector3(1127.9, -519.208, 33.3134), vector3(1118.78, -515.784, 33.1954), vector3(1109.33, -512.518, 33.0456), vector3(1099.78, -509.721, 32.9351), vector3(1090.19, -507.291, 32.8061), vector3(1080.38, -505.192, 32.7146), vector3(1070.71, -503.518, 32.6001), vector3(1060.82, -502.034, 32.5215), vector3(1051.5, -501.011, 32.401), vector3(1041.59, -500.057, 32.2969), vector3(1031.62, -499.322, 32.175), vector3(1021.64, -498.784, 32.0375), vector3(1011.7, -498.358, 31.893), vector3(1001.71, -498.033, 31.7169), vector3(991.713, -497.605, 31.506), vector3(971.688, -496.564, 30.9921), vector3(961.663, -495.773, 30.7183), vector3(951.652, -494.734, 30.4579), vector3(941.692, -493.563, 30.2638), vector3(931.74, -491.983, 30.022), vector3(921.769, -490.014, 29.7945), vector3(912.002, -487.818, 29.5685), vector3(902.257, -485.607, 29.3951), vector3(892.501, -483.363, 29.2647), vector3(882.712, -481.074, 29.2008), vector3(872.933, -478.611, 29.1407), vector3(864.186, -476.301, 28.9665), vector3(859.061, -475.333, 29.0087), vector3(851.34, -474.334, 29.0039), vector3(843.467, -473.802, 28.9997), vector3(835.579, -473.704, 28.9953), vector3(827.698, -474.046, 28.9902), vector3(819.855, -474.827, 28.8053), vector3(812.191, -476.096, 28.5949), vector3(804.509, -477.825, 28.3844), vector3(796.941, -479.991, 28.1732), vector3(789.538, -482.616, 27.9614), vector3(782.426, -485.691, 27.7497), vector3(775.412, -489.233, 27.5377), vector3(768.623, -493.181, 27.3255), vector3(762.08, -497.52, 27.1132), vector3(756.032, -502.245, 26.9033), vector3(747.424, -509.484, 26.5944), vector3(742.081, -515.289, 26.3885), vector3(737.066, -521.376, 26.1826), vector3(732.319, -527.721, 26.0018), vector3(727.725, -534.219, 25.8408), vector3(723.298, -540.784, 25.6797), vector3(718.995, -547.479, 25.5187), vector3(714.83, -554.261, 25.3576), vector3(710.806, -561.127, 25.1966), vector3(706.924, -568.074, 25.0356), vector3(703.224, -575.074, 24.8745), vector3(699.652, -582.186, 24.7135), vector3(696.227, -589.37, 24.5524), vector3(692.977, -596.625, 24.5025), vector3(689.977, -603.909, 24.5025), vector3(687.207, -611.35, 24.5025), vector3(684.668, -618.872, 24.5025), vector3(682.362, -626.47, 24.5025), vector3(680.292, -634.135, 24.5025), vector3(678.495, -641.806, 24.5025), vector3(676.937, -649.591, 24.5025), vector3(675.62, -657.42, 24.5025), vector3(674.571, -665.267, 24.197), vector3(673.686, -673.154, 24.197), vector3(672.865, -680.933, 24.197), vector3(672.186, -688.902, 24.0309), vector3(671.568, -697.003, 23.8657), vector3(671.06, -704.859, 23.6911), vector3(670.635, -712.837, 23.5233), vector3(670.301, -720.8, 23.359), vector3(670.047, -728.788, 23.2005), vector3(669.83, -736.892, 23.0417), vector3(669.538, -748.786, 22.8109), vector3(669.273, -760.786, 22.6155), vector3(669.273, -764.787, 22.5833), vector3(669.273, -768.787, 22.5622), vector3(669.273, -776.788, 22.5286), vector3(669.273, -784.789, 22.4963), vector3(669.273, -792.79, 22.4643), vector3(669.273, -800.791, 22.4323), vector3(669.273, -808.792, 22.4102), vector3(669.273, -816.793, 22.3881), vector3(669.273, -824.794, 22.3656), vector3(669.273, -832.795, 22.2998), vector3(669.273, -840.795, 22.1974), vector3(669.273, -848.795, 22.0704), vector3(669.273, -856.795, 21.9294), vector3(669.273, -864.794, 21.7854), vector3(669.273, -872.795, 21.683), vector3(669.273, -880.795, 21.556), vector3(669.273, -888.794, 21.4151), vector3(669.273, -896.794, 21.2711), vector3(669.273, -904.794, 21.1372), vector3(669.273, -912.794, 21.0241), vector3(669.273, -920.794, 20.9425), vector3(669.273, -928.795, 20.9031), vector3(669.273, -936.877, 20.9484), vector3(669.296, -944.924, 21.0193), vector3(669.26, -952.953, 21.0588), vector3(669.256, -960.954, 21.0055), vector3(669.279, -968.994, 21.0608), vector3(669.273, -976.8, 21.0848), vector3(669.273, -984.8, 21.1844), vector3(669.273, -992.801, 21.2439), vector3(669.273, -1000.8, 21.2684), vector3(669.273, -1008.8, 21.2807), vector3(669.273, -1016.8, 21.2807), vector3(669.273, -1024.8, 21.2806), vector3(669.273, -1032.81, 21.2806), vector3(669.273, -1040.81, 21.2806), vector3(669.273, -1048.81, 21.2584), vector3(669.273, -1056.81, 21.3578), vector3(669.273, -1064.81, 21.4921), vector3(669.273, -1072.81, 21.6411), vector3(669.273, -1080.8, 21.8696), vector3(669.273, -1088.8, 22.1868), vector3(669.273, -1096.79, 22.4689), vector3(669.273, -1104.79, 22.7443), vector3(669.273, -1112.79, 23.0083), vector3(669.273, -1120.78, 23.2731), vector3(669.268, -1131.34, 23.4454), vector3(671.025, -1137.91, 23.4423), vector3(672.398, -1144.49, 23.4393), vector3(673.375, -1151.08, 23.4362), vector3(673.954, -1157.67, 23.4331), vector3(673.934, -1164.25, 23.43), vector3(673.897, -1170.84, 23.4269), vector3(673.974, -1177.35, 23.4238), vector3(674.222, -1183.87, 23.4206), vector3(674.623, -1190.39, 23.4174), vector3(675.157, -1196.9, 23.4141), vector3(676.54, -1209.93, 23.4072), vector3(678.161, -1222.98, 23.3998), vector3(679.707, -1236.11, 23.3917), vector3(680.299, -1242.73, 23.3873), vector3(680.637, -1249.42, 23.3826), vector3(680.666, -1256.06, 23.3775), vector3(680.661, -1269.22, 23.3655), vector3(680.66, -1282.39, 23.3496), vector3(680.664, -1295.55, 23.3267), vector3(680.775, -1308.72, 23.228), vector3(680.909, -1321.82, 23.284), vector3(681.472, -1334.88, 23.3005), vector3(681.967, -1341.38, 23.2762), vector3(682.562, -1347.94, 23.2288), vector3(683.157, -1354.48, 23.1691), vector3(684.703, -1367.42, 23.0001), vector3(687.128, -1380.17, 22.7633), vector3(690.441, -1392.78, 22.4797), vector3(694.159, -1405.36, 22.1853), vector3(698.109, -1417.87, 21.8789), vector3(702.331, -1430.27, 21.5507), vector3(706.939, -1442.49, 21.1855), vector3(712.245, -1454.28, 20.7448), vector3(715.461, -1459.68, 20.4696), vector3(719.33, -1464.71, 20.2317), vector3(723.651, -1469.48, 20.0444), vector3(728.221, -1474.14, 19.898), vector3(732.884, -1478.79, 19.7834), vector3(737.526, -1483.51, 19.6929), vector3(742.062, -1488.39, 19.6203), vector3(746.426, -1493.44, 19.5611), vector3(750.563, -1498.7, 19.5124), vector3(754.432, -1504.12, 19.4717), vector3(758.189, -1509.53, 19.4448), vector3(761.941, -1514.94, 19.4319), vector3(765.688, -1520.35, 19.4306), vector3(773.167, -1531.19, 19.4553), vector3(780.627, -1542.05, 19.5065), vector3(788.069, -1552.92, 19.575), vector3(795.491, -1563.8, 19.654), vector3(801.618, -1572.77, 19.605), vector3(809.041, -1583.68, 19.5977), vector3(816.397, -1594.62, 19.6067), vector3(823.394, -1605.95, 19.5868), vector3(826.645, -1611.85, 19.5767), vector3(829.365, -1617.94, 19.5376), vector3(831.799, -1624.28, 19.4958), vector3(833.642, -1630.66, 19.4544), vector3(835.047, -1637.28, 19.4124), vector3(836.029, -1643.95, 19.3699), vector3(836.562, -1650.63, 19.3364), vector3(836.714, -1657.3, 19.3167), vector3(836.443, -1664.06, 19.289), vector3(835.294, -1677.18, 19.164), vector3(834.152, -1690.29, 19.1018), vector3(833.009, -1703.4, 19.0577), vector3(832.437, -1709.96, 19.0647), vector3(831.866, -1716.52, 19.1107), vector3(831.295, -1723.07, 19.1566), vector3(830.152, -1736.19, 19.3281), vector3(829.581, -1742.74, 19.43), vector3(828.438, -1755.86, 19.5461), vector3(827.431, -1767.41, 19.7512), vector3(826.085, -1780.58, 19.7177), vector3(824.566, -1793.66, 19.737), vector3(822.825, -1806.73, 19.7171), vector3(820.919, -1819.79, 19.6939), vector3(818.856, -1832.81, 19.6707), vector3(816.639, -1845.81, 19.6476), vector3(814.276, -1858.79, 19.6246), vector3(811.683, -1871.75, 19.6015), vector3(808.809, -1884.63, 19.5833), vector3(805.77, -1897.45, 19.5821), vector3(802.677, -1910.25, 19.5821), vector3(799.619, -1923.04, 19.5821), vector3(796.694, -1935.84, 19.5821), vector3(793.988, -1948.68, 19.5821), vector3(791.571, -1961.58, 19.5821), vector3(789.309, -1974.53, 19.5821), vector3(787.196, -1987.5, 19.5821), vector3(785.242, -2000.5, 19.5821), vector3(783.477, -2013.5, 19.5821), vector3(781.864, -2026.54, 19.5821), vector3(780.282, -2039.6, 19.626), vector3(778.887, -2052.65, 19.7289), vector3(777.635, -2065.77, 19.7821), vector3(776.521, -2078.88, 19.7303), vector3(775.577, -2091.99, 19.7291), vector3(774.49, -2105.11, 19.7229), vector3(773.367, -2118.22, 19.7229), vector3(772.246, -2131.34, 19.7229), vector3(771.687, -2137.89, 19.7229), vector3(771.129, -2144.45, 19.7229), vector3(770.014, -2157.56, 19.7229), vector3(769.442, -2164.12, 19.7229), vector3(768.296, -2177.23, 19.7229), vector3(767.722, -2183.79, 19.7229), vector3(766.574, -2196.9, 19.7229), vector3(765.425, -2210.02, 19.7229), vector3(764.275, -2223.13, 19.7229), vector3(763.124, -2236.25, 19.7229), vector3(761.971, -2249.36, 19.7229), vector3(761.395, -2255.92, 19.7191), vector3(760.241, -2269.03, 19.5743), vector3(759.086, -2282.14, 19.1711), vector3(757.354, -2301.78, 18.1707), vector3(756.198, -2314.87, 17.307), vector3(755.042, -2327.95, 16.3428), vector3(753.886, -2341.02, 15.3228), vector3(752.728, -2354.1, 14.2915), vector3(751.575, -2367.17, 13.2942), vector3(750.428, -2380.25, 12.3793), vector3(749.28, -2393.34, 11.5905), vector3(748.131, -2406.44, 10.9722), vector3(745.891, -2432.59, 10.4486), vector3(745.325, -2439.54, 10.3029), vector3(744.667, -2445.45, 10.2331), vector3(743.552, -2453.03, 10.1569), vector3(742.442, -2459.23, 10.1076), vector3(740.571, -2467.08, 10.0744), vector3(738.785, -2473.74, 10.0439), vector3(737.203, -2478.37, 10.0304), vector3(735.206, -2483.79, 10.027), vector3(732.529, -2491.09, 10.0592), vector3(729.73, -2498.34, 10.1042), vector3(726.993, -2504.61, 10.1662), vector3(724.248, -2510.7, 10.2516), vector3(721.342, -2516.59, 10.339), vector3(717.782, -2523.52, 10.3957), vector3(715.266, -2528.17, 10.4289), vector3(712.519, -2533.13, 10.506), vector3(709.414, -2538.37, 10.5803), vector3(705.954, -2544.02, 10.5886), vector3(702.409, -2549.61, 10.597), vector3(698.784, -2555.26, 10.6049), vector3(694.43, -2561.95, 10.9451), vector3(690.294, -2568.48, 11.1425), vector3(688.616, -2570.74, 11.2272), vector3(685.872, -2574.39, 11.3595), vector3(684.391, -2576.24, 11.4464), vector3(680.755, -2580.35, 11.6437), vector3(677.842, -2583.27, 11.797), vector3(675.267, -2585.56, 11.9278), vector3(669.111, -2590.21, 12.2179), vector3(660.024, -2595.52, 12.5831), vector3(653.668, -2598.36, 12.7936), vector3(648.487, -2600.31, 12.9391), vector3(645.113, -2601.44, 13.0236), vector3(642.99, -2602.13, 13.069), vector3(641.443, -2602.62, 13.1041), vector3(638.059, -2603.63, 13.1671), vector3(636.201, -2604.17, 13.2018), vector3(632.003, -2605.32, 13.2579), vector3(628.0, -2606.37, 13.3048), vector3(624.865, -2607.12, 13.3234), vector3(620.18, -2608.19, 13.3444), vector3(614.591, -2609.36, 13.3551), vector3(610.159, -2610.25, 13.359), vector3(605.932, -2611.03, 13.3551), vector3(602.633, -2611.59, 13.3473), vector3(599.361, -2612.14, 13.3356), vector3(595.654, -2612.75, 13.3199), vector3(594.029, -2613.01, 13.3087), vector3(590.035, -2613.61, 13.2604), vector3(584.005, -2614.48, 13.2272), vector3(577.974, -2615.26, 13.1569), vector3(571.269, -2616.02, 13.0509), vector3(564.91, -2616.65, 12.8886), vector3(555.873, -2617.36, 12.5253), vector3(550.171, -2617.54, 12.323), vector3(543.496, -2617.64, 11.9692), vector3(540.491, -2617.63, 11.9152), vector3(537.444, -2617.66, 11.924), vector3(528.458, -2617.62, 11.7592), vector3(515.217, -2617.62, 11.5624), vector3(501.976, -2617.61, 11.4892), vector3(488.736, -2617.63, 11.4849), vector3(475.495, -2617.64, 11.5055), vector3(466.874, -2617.64, 11.5321), vector3(435.772, -2617.69, 11.6497), vector3(409.291, -2617.72, 11.7542), vector3(396.05, -2617.74, 11.7729), vector3(382.806, -2617.64, 11.7753), vector3(377.217, -2617.58, 11.4587), vector3(366.312, -2617.62, 10.839), vector3(352.346, -2617.58, 10.0461), vector3(332.706, -2617.45, 8.9323), vector3(319.571, -2617.46, 8.18719), vector3(309.964, -2617.42, 7.64178), vector3(298.885, -2617.41, 7.01251), vector3(292.401, -2617.47, 6.56306), vector3(285.525, -2617.04, 6.18498), vector3(278.873, -2616.06, 5.92588), vector3(275.581, -2615.34, 5.73918), vector3(272.388, -2614.38, 5.59534), vector3(268.903, -2613.04, 5.48538), vector3(265.404, -2611.47, 5.37542), vector3(259.25, -2608.66, 5.32858), vector3(253.174, -2605.92, 5.17499), vector3(249.533, -2604.02, 5.03), vector3(244.756, -2601.47, 5.03), vector3(240.286, -2598.33, 5.03), vector3(236.006, -2594.56, 5.03), vector3(233.704, -2592.39, 5.03), vector3(230.458, -2589.15, 5.03), vector3(227.544, -2585.94, 4.93), vector3(223.916, -2580.66, 5.03), vector3(221.697, -2576.72, 5.03), vector3(219.831, -2572.23, 5.03), vector3(218.734, -2569.19, 5.03), vector3(217.901, -2564.72, 5.03), vector3(217.505, -2558.12, 5.03), vector3(217.485, -2554.57, 5.03), vector3(217.425, -2551.09, 5.03), vector3(217.435, -2548.46, 5.03), vector3(217.532, -2538.25, 5.02964), vector3(217.552, -2535.95, 5.03), vector3(217.531, -2526.45, 5.407), vector3(217.489, -2519.41, 5.432), vector3(217.465, -2506.37, 5.429), vector3(217.493, -2491.99, 5.374), vector3(217.442, -2482.29, 5.328), vector3(217.448, -2476.44, 5.327), vector3(217.479, -2467.94, 5.543), vector3(217.463, -2459.52, 5.756), vector3(217.463, -2452.0, 5.946), vector3(217.429, -2441.6, 6.209), vector3(217.427, -2436.63, 6.209), vector3(217.435, -2429.63, 6.214), vector3(217.436, -2415.94, 6.606), vector3(217.453, -2405.1, 6.943), vector3(217.405, -2399.07, 6.93), vector3(217.464, -2393.31, 6.82), vector3(217.451, -2385.96, 6.92), vector3(217.418, -2380.89, 7.261), vector3(217.383, -2375.74, 7.343), vector3(217.441, -2339.54, 7.379), vector3(217.385, -2311.72, 7.2), vector3(217.345, -2294.98, 7.381), vector3(217.326, -2250.52, 9.90082), vector3(217.356, -2233.28, 10.8486), vector3(217.383, -2220.34, 11.4955), vector3(217.355, -2208.41, 11.9877), vector3(217.374, -2196.44, 12.433), vector3(217.348, -2184.43, 12.7753), vector3(217.335, -2178.37, 12.9721), vector3(217.083, -2172.67, 13.0117), vector3(216.207, -2166.96, 13.0532), vector3(214.823, -2161.24, 13.0232), vector3(212.793, -2155.95, 12.8962), vector3(210.278, -2150.77, 12.7707), vector3(207.256, -2145.87, 12.6405), vector3(203.757, -2141.29, 12.5566), vector3(199.814, -2137.07, 12.5169), vector3(195.472, -2133.28, 12.4569), vector3(190.773, -2129.93, 12.5396), vector3(183.997, -2125.7, 12.9085), vector3(178.937, -2122.46, 13.377), vector3(173.877, -2119.23, 13.8522), vector3(168.796, -2115.6, 14.3043), vector3(164.122, -2111.46, 14.7185), vector3(159.905, -2106.85, 15.0861), vector3(156.194, -2101.83, 15.4093), vector3(153.026, -2096.44, 15.6575), vector3(150.438, -2090.76, 15.9014), vector3(148.458, -2084.84, 16.1218), vector3(147.107, -2078.74, 16.3633), vector3(146.246, -2072.53, 16.78), vector3(146.209, -2066.6, 17.2773), vector3(146.211, -2066.23, 17.3214), vector3(147.97, -2024.9, 17.3214), vector3(148.543, -2018.49, 17.2097), vector3(149.905, -2012.33, 17.0766), vector3(152.008, -2006.38, 17.0979), vector3(154.814, -2000.74, 17.1882), vector3(158.313, -1995.47, 17.1859), vector3(162.177, -1990.7, 17.2033), vector3(169.892, -1981.53, 17.427), vector3(177.603, -1972.34, 17.8988), vector3(185.307, -1963.16, 18.567), vector3(193.119, -1953.84, 19.3785), vector3(200.954, -1944.49, 20.1996), vector3(206.12, -1938.37, 20.9669), vector3(213.514, -1929.62, 21.9121), vector3(221.204, -1920.43, 22.8066), vector3(231.4, -1908.22, 23.7071), vector3(235.49, -1903.35, 24.0987), vector3(243.545, -1893.75, 24.8773), vector3(251.753, -1883.97, 25.4434), vector3(255.609, -1879.37, 25.5809), vector3(259.825, -1874.46, 25.8042), vector3(267.525, -1865.21, 25.8584), vector3(275.246, -1856.01, 25.8584), vector3(282.955, -1846.86, 25.8591), vector3(290.308, -1838.02, 25.7717), vector3(294.167, -1833.44, 25.6995), vector3(301.821, -1824.3, 25.9653), vector3(309.533, -1815.11, 26.3298), vector3(313.389, -1810.51, 26.5197), vector3(317.244, -1805.92, 26.7197), vector3(321.099, -1801.33, 26.9244), vector3(324.954, -1796.73, 27.1285), vector3(328.861, -1792.07, 27.2809), vector3(332.716, -1787.48, 27.4523), vector3(336.572, -1782.89, 27.6467), vector3(340.428, -1778.29, 27.7849), vector3(344.283, -1773.7, 27.921), vector3(348.131, -1769.11, 28.0081), vector3(355.667, -1760.07, 28.1819), vector3(363.283, -1751.01, 28.167), vector3(370.441, -1742.54, 28.2216), vector3(378.712, -1732.63, 28.1819), vector3(386.444, -1723.46, 28.0863), vector3(394.158, -1714.26, 28.1445), vector3(401.873, -1705.07, 28.1445), vector3(405.73, -1700.47, 28.1445), vector3(409.587, -1695.88, 28.1445), vector3(413.444, -1691.28, 28.1445), vector3(417.302, -1686.68, 28.1445), vector3(421.159, -1682.09, 28.1445), vector3(425.016, -1677.49, 28.1445), vector3(432.73, -1668.29, 28.1445), vector3(440.445, -1659.1, 28.1445), vector3(448.22, -1649.88, 28.1819), vector3(455.903, -1640.73, 28.2916), vector3(463.579, -1631.5, 28.2916), vector3(471.291, -1622.29, 28.2916), vector3(475.14, -1617.71, 28.2794), vector3(478.235, -1614.08, 28.2713), vector3(482.021, -1609.52, 28.2055), vector3(485.576, -1605.26, 28.2685), vector3(488.668, -1601.53, 28.3181), vector3(490.612, -1599.16, 28.3477), vector3(494.566, -1594.4, 28.2862), vector3(498.518, -1589.66, 28.1296), vector3(502.385, -1584.99, 27.8417), vector3(506.233, -1580.31, 27.451), vector3(510.073, -1575.64, 26.9), vector3(513.911, -1570.96, 26.2172), vector3(517.754, -1566.29, 25.4659), vector3(521.6, -1561.63, 24.682), vector3(525.526, -1556.88, 23.8598), vector3(529.293, -1552.3, 23.0557), vector3(533.375, -1547.88, 22.2734), vector3(537.358, -1543.47, 21.5462), vector3(541.093, -1538.9, 20.8658), vector3(543.303, -1536.04, 20.5066), vector3(547.572, -1529.47, 20.4695), vector3(551.152, -1522.76, 20.468), vector3(552.58, -1519.59, 20.4783), vector3(553.618, -1515.87, 20.4827), vector3(554.548, -1512.01, 20.4478), vector3(555.23, -1508.54, 20.4448), vector3(555.648, -1504.62, 20.469), vector3(556.086, -1500.92, 20.4668), vector3(556.063, -1496.98, 20.4832), vector3(556.106, -1485.2, 20.4929), vector3(556.165, -1473.43, 20.4758), vector3(556.151, -1465.54, 20.5042), vector3(556.272, -1453.8, 20.4885), vector3(556.292, -1442.01, 20.5029), vector3(556.352, -1430.29, 20.4734), vector3(556.45, -1418.74, 20.4428), vector3(556.59, -1414.2, 20.5391), vector3(556.713, -1410.08, 20.569), vector3(557.172, -1402.08, 20.554), vector3(557.652, -1397.55, 20.5906), vector3(558.392, -1393.45, 20.6264), vector3(559.615, -1388.91, 20.6429), vector3(561.217, -1385.17, 20.6422), vector3(563.392, -1381.14, 20.6489), vector3(565.835, -1377.97, 20.6423), vector3(568.484, -1374.75, 20.6423), vector3(573.892, -1368.86, 20.6423), vector3(579.3, -1362.96, 20.6423), vector3(584.708, -1357.07, 20.6423), vector3(590.116, -1351.17, 20.6423), vector3(595.524, -1345.28, 20.6423), vector3(600.932, -1339.38, 20.6423), vector3(606.34, -1333.49, 20.6423), vector3(611.748, -1327.59, 20.6423), vector3(614.452, -1324.64, 20.6423), vector3(617.156, -1321.69, 20.6423), vector3(619.86, -1318.75, 20.6423), vector3(622.564, -1315.8, 20.6423), vector3(627.971, -1309.9, 20.6423), vector3(630.675, -1306.96, 20.6423), vector3(633.379, -1304.01, 20.6423), vector3(636.083, -1301.06, 20.6423), vector3(638.787, -1298.11, 20.6423), vector3(641.491, -1295.17, 20.6423), vector3(643.946, -1292.35, 20.8354), vector3(646.238, -1289.26, 21.0007), vector3(648.634, -1286.01, 21.1021), vector3(650.834, -1282.55, 21.2891), vector3(652.635, -1279.2, 21.4272), vector3(654.35, -1275.22, 21.649), vector3(655.658, -1271.62, 21.7901), vector3(656.861, -1267.97, 21.906), vector3(657.931, -1264.29, 21.9934), vector3(658.832, -1260.68, 22.0497), vector3(659.635, -1256.83, 22.051), vector3(660.101, -1253.11, 22.0793), vector3(660.295, -1248.73, 22.1579), vector3(660.295, -1244.72, 22.2161), vector3(660.177, -1236.8, 22.3968), vector3(660.093, -1228.8, 22.5645), vector3(659.994, -1220.8, 22.7187), vector3(659.995, -1208.8, 22.9248), vector3(659.995, -1192.8, 23.1538), vector3(659.995, -1180.8, 23.2918), vector3(659.995, -1168.8, 23.4008), vector3(659.96, -1156.79, 23.4963), vector3(660.081, -1149.84, 23.5037), vector3(661.498, -1142.58, 23.4369), vector3(663.435, -1129.41, 23.4542), vector3(664.586, -1122.53, 23.3414), vector3(664.616, -1116.79, 23.1354), vector3(664.616, -1108.79, 22.8821), vector3(664.616, -1100.79, 22.6066), vector3(664.616, -1092.8, 22.3312), vector3(664.616, -1084.8, 22.017), vector3(664.616, -1076.81, 21.7398), vector3(664.616, -1068.81, 21.5544), vector3(664.616, -1060.81, 21.426), vector3(664.616, -1052.81, 21.2584), vector3(664.616, -1044.81, 21.2683), vector3(664.616, -1036.81, 21.2806), vector3(664.616, -1028.81, 21.2806), vector3(664.616, -1020.8, 21.2807), vector3(664.616, -1012.8, 21.2807), vector3(664.616, -1004.8, 21.275), vector3(664.616, -996.802, 21.2617), vector3(664.616, -988.801, 21.2178), vector3(664.616, -980.8, 21.137), vector3(664.616, -972.8, 21.0303), vector3(664.616, -964.8, 20.9214), vector3(664.616, -956.799, 20.9002), vector3(664.616, -948.798, 20.9002), vector3(664.616, -940.797, 20.9002), vector3(664.616, -932.796, 20.9004), vector3(664.616, -924.795, 20.9177), vector3(664.616, -916.794, 20.9765), vector3(664.616, -908.794, 21.0762), vector3(664.616, -900.794, 21.2025), vector3(664.616, -892.794, 21.343), vector3(664.616, -884.795, 21.4869), vector3(664.616, -876.795, 21.6236), vector3(664.616, -868.794, 21.7381), vector3(664.616, -860.794, 21.8213), vector3(664.616, -852.795, 22.0013), vector3(664.616, -844.795, 22.1379), vector3(664.616, -836.795, 22.2524), vector3(664.616, -828.794, 22.3357), vector3(664.616, -820.794, 22.3769), vector3(664.616, -812.793, 22.3991), vector3(664.616, -804.792, 22.4212), vector3(664.617, -796.791, 22.4483), vector3(664.617, -788.79, 22.4803), vector3(664.617, -780.789, 22.5123), vector3(664.617, -772.788, 22.545), vector3(664.617, -764.787, 22.5833), vector3(664.702, -756.786, 22.6684), vector3(664.882, -748.786, 22.8109), vector3(665.075, -740.787, 22.966), vector3(665.281, -732.786, 23.1218), vector3(665.511, -724.776, 23.2795), vector3(665.807, -716.759, 23.4407), vector3(666.188, -708.742, 23.6073), vector3(666.645, -700.682, 23.7835), vector3(667.234, -692.685, 23.9482), vector3(667.906, -684.678, 24.1138), vector3(668.651, -676.696, 24.2805), vector3(669.468, -668.721, 24.4482), vector3(670.431, -660.73, 24.5024), vector3(671.643, -652.699, 24.5024), vector3(673.122, -644.775, 24.5024), vector3(674.844, -636.899, 24.5025), vector3(676.808, -629.08, 24.5025), vector3(679.011, -621.326, 24.5025), vector3(681.492, -613.592, 24.5025), vector3(684.205, -606.001, 24.5024), vector3(687.151, -598.497, 24.5024), vector3(690.326, -591.088, 24.5024), vector3(693.698, -583.778, 24.6329), vector3(697.259, -576.524, 24.794), vector3(700.952, -569.514, 24.955), vector3(704.791, -562.505, 25.1161), vector3(708.773, -555.577, 25.2771), vector3(712.927, -548.701, 25.4381), vector3(717.215, -541.957, 25.5992), vector3(721.641, -535.304, 25.7602), vector3(726.204, -528.741, 25.9213), vector3(730.903, -522.274, 26.0823), vector3(735.943, -515.891, 26.2855), vector3(741.292, -509.862, 26.4914), vector3(746.965, -504.135, 26.6974), vector3(752.946, -498.728, 26.9033), vector3(759.442, -493.659, 27.1131), vector3(766.174, -489.199, 27.3255), vector3(773.16, -485.14, 27.5377), vector3(780.374, -481.495, 27.7497), vector3(787.903, -478.244, 27.9614), vector3(795.543, -475.541, 28.1732), vector3(803.324, -473.315, 28.3844), vector3(811.226, -471.536, 28.5949), vector3(819.329, -470.198, 28.8053), vector3(827.395, -469.398, 28.9902), vector3(835.494, -469.049, 28.9953), vector3(843.602, -469.148, 28.9997), vector3(851.694, -469.692, 29.0039), vector3(859.844, -470.744, 29.0087), vector3(864.998, -471.698, 28.9624), vector3(874.122, -474.107, 29.1387), vector3(883.823, -476.551, 29.1988), vector3(893.523, -478.819, 29.3066), vector3(903.279, -481.063, 29.3931), vector3(913.025, -483.274, 29.5665), vector3(922.792, -485.47, 29.7925), vector3(932.382, -487.37, 30.02), vector3(952.136, -490.101, 30.4559), vector3(962.03, -491.129, 30.7163), vector3(971.956, -491.914, 30.9901), vector3(981.939, -492.487, 31.2525), vector3(991.864, -492.95, 31.504), vector3(1001.86, -493.378, 31.715), vector3(1011.85, -493.703, 31.891), vector3(1021.9, -494.134, 32.0356), vector3(1031.96, -494.677, 32.1731), vector3(1041.93, -495.412, 32.2949), vector3(1051.97, -496.375, 32.3991), vector3(1061.51, -497.428, 32.5195), vector3(1071.4, -498.912, 32.598), vector3(1081.42, -500.652, 32.7126), vector3(1091.15, -502.732, 32.8041), vector3(1101.05, -505.239, 32.9331), vector3(1110.85, -508.115, 33.0436), vector3(1120.31, -511.381, 33.1934), vector3(1129.86, -514.984, 33.3114), vector3(1139.05, -519.038, 33.3919), vector3(1148.12, -523.427, 33.4885), vector3(1156.98, -528.226, 33.5854), vector3(1165.69, -533.357, 33.6829), vector3(1174.06, -538.836, 33.8932), vector3(1182.39, -545.461, 34.0982), vector3(1189.69, -552.634, 34.351), vector3(1196.55, -560.539, 34.6155), vector3(1202.37, -568.875, 34.7771), vector3(1207.66, -577.423, 35.0448), vector3(1212.37, -586.357, 35.2289), vector3(1216.49, -595.479, 35.5608), vector3(1220.46, -605.469, 35.9479), vector3(1223.84, -614.879, 36.3504), vector3(1226.75, -624.482, 36.6986), vector3(1229.49, -634.802, 37.1378), vector3(1231.72, -644.15, 37.5134), vector3(1233.8, -654.132, 37.9277), vector3(1235.77, -663.902, 38.3491), vector3(1237.51, -673.931, 38.8353), vector3(1239.08, -683.581, 39.23), vector3(1240.6, -693.433, 39.7252), vector3(1242.1, -703.339, 40.1598), vector3(1243.5, -713.126, 40.6109), vector3(1244.9, -722.961, 41.0895), vector3(1246.29, -732.799, 41.6211), vector3(1249.26, -752.581, 42.6275), vector3(1252.56, -772.284, 43.5438), vector3(1254.62, -782.056, 44.045), vector3(1256.91, -791.816, 44.5376), vector3(1258.17, -796.354, 44.801), vector3(1260.96, -805.591, 45.3007), vector3(1264.51, -815.149, 45.8507), vector3(1268.6, -823.917, 46.3171), vector3(1273.15, -832.809, 46.8204), vector3(1277.69, -841.488, 47.3138), vector3(1282.58, -850.213, 47.8345), vector3(1285.18, -854.732, 48.0097), vector3(1287.52, -858.74, 48.4408), vector3(1292.69, -867.262, 49.0775), vector3(1298.13, -875.619, 49.7519), vector3(1303.7, -883.752, 50.3525), vector3(1309.67, -891.722, 51.0444), vector3(1315.88, -899.455, 51.7375), vector3(1322.41, -906.943, 52.5174), vector3(1329.11, -914.315, 53.2647), vector3(1336.06, -921.382, 53.9145), vector3(1343.36, -928.306, 54.5203), vector3(1350.71, -935.114, 55.0874), vector3(1358.24, -941.513, 55.7612), vector3(1361.52, -944.137, 55.9347), vector3(1366.48, -947.28, 56.2683), vector3(1371.6, -950.15, 56.5924), vector3(1376.87, -952.739, 56.9109), vector3(1382.28, -955.077, 57.2393), vector3(1387.79, -957.19, 57.5775), vector3(1393.38, -959.097, 57.9235), vector3(1399.04, -960.814, 58.2762), vector3(1404.76, -962.359, 58.6341), vector3(1410.52, -963.745, 58.9965), vector3(1416.32, -964.979, 59.3625), vector3(1422.16, -966.073, 59.7315), vector3(1428.02, -967.032, 60.1028), vector3(1433.9, -967.864, 60.4759), vector3(1439.8, -968.571, 60.8504), vector3(1445.71, -969.159, 61.2257), vector3(1451.63, -969.628, 61.6014), vector3(1457.57, -969.979, 61.9771), vector3(1463.5, -970.211, 62.3522), vector3(1469.44, -970.322, 62.7262), vector3(1475.38, -970.306, 63.0985), vector3(1481.32, -970.156, 63.4683), vector3(1487.24, -969.861, 63.8345), vector3(1493.14, -969.403, 64.1958), vector3(1499.02, -968.756, 64.5501), vector3(1504.83, -967.877, 64.8942), vector3(1510.56, -966.696, 65.2223), vector3(1516.1, -965.063, 65.5229), vector3(1518.86, -964.062, 65.674), vector3(1524.33, -961.861, 66.008), vector3(1527.05, -960.687, 66.1871), vector3(1529.75, -959.469, 66.3732), vector3(1532.44, -958.219, 66.5646), vector3(1535.11, -956.933, 66.7614), vector3(1540.44, -954.286, 67.1669), vector3(1545.72, -951.548, 67.5863), vector3(1550.97, -948.737, 68.0164), vector3(1556.19, -945.862, 68.4557), vector3(1561.39, -942.935, 68.9022), vector3(1566.56, -939.962, 69.3548), vector3(1571.71, -936.949, 69.8124), vector3(1576.84, -933.901, 70.2743), vector3(1584.5, -929.271, 70.9736), vector3(1592.13, -924.582, 71.6791), vector3(1599.74, -919.84, 72.3894), vector3(1604.79, -916.655, 72.8649), vector3(1609.83, -913.451, 73.3415), vector3(1614.86, -910.231, 73.8191), vector3(1619.89, -906.997, 74.2974), vector3(1624.9, -903.748, 74.7762), vector3(1629.91, -900.486, 75.2553), vector3(1634.91, -897.213, 75.7345), vector3(1639.9, -893.928, 76.2137), vector3(1644.89, -890.634, 76.6927), vector3(1649.87, -887.33, 77.1713), vector3(1654.84, -884.017, 77.6495), vector3(1659.81, -880.696, 78.1271), vector3(1664.78, -877.367, 78.604), vector3(1669.74, -874.031, 79.0801), vector3(1674.69, -870.69, 79.5553), vector3(1679.65, -867.341, 80.0294), vector3(1684.6, -863.986, 80.5025), vector3(1689.54, -860.627, 80.9744), vector3(1694.49, -857.263, 81.4449), vector3(1699.43, -853.893, 81.9142), vector3(1704.36, -850.52, 82.382), vector3(1709.3, -847.143, 82.8483), vector3(1714.23, -843.762, 83.3129), vector3(1719.16, -840.378, 83.7759), vector3(1724.09, -836.99, 84.2372), vector3(1729.02, -833.6, 84.6966), vector3(1733.95, -830.207, 85.1542), vector3(1738.87, -826.812, 85.6099), vector3(1743.79, -823.415, 86.0634), vector3(1748.72, -820.016, 86.5148), vector3(1753.64, -816.615, 86.9642), vector3(1758.56, -813.212, 87.4113), vector3(1763.48, -809.809, 87.856), vector3(1768.4, -806.404, 88.2985), vector3(1773.32, -802.998, 88.7385), vector3(1778.24, -799.592, 89.1759), vector3(1783.16, -796.185, 89.6108), vector3(1788.08, -792.778, 90.0433), vector3(1793.0, -789.371, 90.4726), vector3(1797.92, -785.961, 90.8996), vector3(1802.84, -782.554, 91.3235), vector3(1807.76, -779.147, 91.7445), vector3(1812.69, -775.741, 92.1623), vector3(1817.72, -772.34, 92.5787), vector3(1823.14, -769.317, 93.0157), vector3(1828.76, -766.774, 93.4569), vector3(1834.54, -764.682, 93.8925), vector3(1840.44, -762.996, 94.3111), vector3(1846.39, -761.661, 94.7029), vector3(1852.39, -760.617, 95.0595), vector3(1858.41, -759.809, 95.3738), vector3(1864.43, -759.182, 95.6394), vector3(1870.44, -758.688, 95.8504), vector3(1876.45, -758.279, 96.0015), vector3(1882.45, -757.913, 96.0869), vector3(1888.44, -757.553, 96.1056), vector3(1894.44, -757.208, 96.1074), vector3(1900.43, -756.876, 96.1083), vector3(1906.42, -756.544, 96.1086), vector3(1912.4, -756.198, 96.1083), vector3(1918.37, -755.826, 96.1075), vector3(1924.34, -755.413, 96.1064), vector3(1930.3, -754.945, 96.105), vector3(1936.24, -754.406, 96.1035), vector3(1942.17, -753.781, 96.102), vector3(1948.08, -753.048, 96.1006), vector3(1953.97, -752.189, 96.0994), vector3(1959.82, -751.18, 96.0986), vector3(1965.62, -749.993, 96.0985), vector3(1971.36, -748.6, 96.0991), vector3(1977.03, -746.967, 96.1007), vector3(1982.58, -745.056, 96.1036), vector3(1988.1, -742.869, 96.1071), vector3(1993.61, -740.579, 96.1093), vector3(1999.08, -738.2, 96.1101), vector3(2004.52, -735.739, 96.1096), vector3(2009.92, -733.199, 96.1078), vector3(2015.28, -730.584, 96.1048), vector3(2020.61, -727.895, 96.1006), vector3(2025.9, -725.131, 96.0951), vector3(2031.16, -722.297, 96.0884), vector3(2036.38, -719.396, 96.0806), vector3(2041.56, -716.433, 96.0717), vector3(2046.72, -713.408, 96.0618), vector3(2051.83, -710.325, 96.0508), vector3(2056.92, -707.185, 96.0389), vector3(2061.97, -703.991, 96.026), vector3(2066.98, -700.743, 96.0121), vector3(2071.97, -697.442, 95.9973), vector3(2076.92, -694.091, 95.9815), vector3(2081.84, -690.694, 95.965), vector3(2086.73, -687.251, 95.9475), vector3(2091.58, -683.764, 95.9293), vector3(2096.41, -680.236, 95.9103), vector3(2101.21, -676.666, 95.8905), vector3(2105.98, -673.057, 95.8699), vector3(2110.72, -669.41, 95.8487), vector3(2115.44, -665.726, 95.8267), vector3(2120.13, -662.007, 95.804), vector3(2124.79, -658.255, 95.7806), vector3(2129.42, -654.469, 95.7566), vector3(2134.03, -650.652, 95.732), vector3(2138.62, -646.805, 95.7067), vector3(2143.18, -642.927, 95.6809), vector3(2147.71, -639.021, 95.6544), vector3(2152.23, -635.088, 95.6274), vector3(2156.72, -631.128, 95.5998), vector3(2161.18, -627.143, 95.5717), vector3(2165.63, -623.133, 95.543), vector3(2170.05, -619.098, 95.5139), vector3(2174.46, -615.041, 95.4842), vector3(2178.84, -610.961, 95.454), vector3(2183.2, -606.86, 95.4234), vector3(2187.55, -602.737, 95.3923), vector3(2191.88, -598.595, 95.3607), vector3(2196.18, -594.432, 95.3287), vector3(2200.47, -590.251, 95.2962), vector3(2204.74, -586.051, 95.2633), vector3(2209.0, -581.832, 95.2301), vector3(2213.24, -577.598, 95.1964), vector3(2217.46, -573.346, 95.1622), vector3(2221.67, -569.078, 95.1277), vector3(2225.86, -564.794, 95.0928), vector3(2230.03, -560.496, 95.0575), vector3(2234.19, -556.183, 95.0219), vector3(2238.34, -551.857, 94.9859), vector3(2242.47, -547.518, 94.9496), vector3(2246.59, -543.165, 94.9129), vector3(2250.69, -538.799, 94.8759), vector3(2254.79, -534.421, 94.8386), vector3(2258.87, -530.031, 94.8009), vector3(2262.94, -525.629, 94.7629), vector3(2266.99, -521.216, 94.7246), vector3(2271.04, -516.791, 94.686), vector3(2275.07, -512.357, 94.6471), vector3(2279.09, -507.913, 94.6079), vector3(2283.1, -503.46, 94.5684), vector3(2287.11, -498.997, 94.5286), vector3(2291.1, -494.525, 94.4886), vector3(2295.08, -490.044, 94.4483), vector3(2299.06, -485.555, 94.4077), vector3(2303.02, -481.057, 94.3669), vector3(2306.98, -476.551, 94.3257), vector3(2310.92, -472.038, 94.2844), vector3(2314.86, -467.518, 94.2428), vector3(2318.79, -462.991, 94.2009), vector3(2322.72, -458.458, 94.1588), vector3(2326.63, -453.917, 94.1165), vector3(2330.54, -449.37, 94.0739), vector3(2334.45, -444.817, 94.0311), vector3(2338.34, -440.259, 93.9881), vector3(2342.23, -435.696, 93.9449), vector3(2346.12, -431.127, 93.9014), vector3(2350.0, -426.553, 93.8577), vector3(2353.87, -421.974, 93.8139), vector3(2357.74, -417.391, 93.7698), vector3(2361.6, -412.803, 93.7255), vector3(2365.46, -408.211, 93.6809), vector3(2369.31, -403.613, 93.6362), vector3(2373.16, -399.014, 93.5913), vector3(2377.01, -394.412, 93.5462), vector3(2380.85, -389.806, 93.501), vector3(2384.69, -385.197, 93.4555), vector3(2388.53, -380.585, 93.4099), vector3(2392.36, -375.97, 93.364), vector3(2396.19, -371.354, 93.318), vector3(2400.02, -366.735, 93.2719), vector3(2403.84, -362.114, 93.2255), vector3(2407.66, -357.491, 93.179), vector3(2411.49, -352.866, 93.1323), vector3(2415.3, -348.24, 93.0854), vector3(2419.12, -343.612, 93.0384), vector3(2422.94, -338.984, 92.9912), vector3(2426.76, -334.355, 92.9439), vector3(2430.57, -329.725, 92.8964), vector3(2434.39, -325.094, 92.8487), vector3(2438.2, -320.465, 92.8009), vector3(2441.99, -315.835, 92.7537), vector3(2445.74, -311.174, 92.709), vector3(2449.44, -306.482, 92.6665), vector3(2453.1, -301.755, 92.6264), vector3(2456.72, -296.993, 92.5888), vector3(2460.3, -292.201, 92.5534), vector3(2463.83, -287.374, 92.5204), vector3(2467.31, -282.517, 92.4896), vector3(2470.76, -277.63, 92.4609), vector3(2474.16, -272.709, 92.4346), vector3(2477.52, -267.763, 92.4103), vector3(2480.84, -262.786, 92.3881), vector3(2484.11, -257.781, 92.368), vector3(2487.34, -252.75, 92.3498), vector3(2490.53, -247.689, 92.3337), vector3(2493.68, -242.605, 92.3194), vector3(2496.79, -237.493, 92.3069), vector3(2499.86, -232.359, 92.2963), vector3(2502.89, -227.2, 92.2873), vector3(2505.88, -222.016, 92.2802), vector3(2508.83, -216.812, 92.2746), vector3(2511.74, -211.583, 92.2707), vector3(2514.61, -206.332, 92.2682), vector3(2517.45, -201.063, 92.2672), vector3(2520.24, -195.772, 92.2677), vector3(2523.01, -190.464, 92.2695), vector3(2525.73, -185.135, 92.2727), vector3(2528.42, -179.79, 92.277), vector3(2531.08, -174.425, 92.2825), vector3(2533.7, -169.045, 92.2892), vector3(2536.29, -163.648, 92.2969), vector3(2538.85, -158.234, 92.3057), vector3(2541.37, -152.807, 92.3154), vector3(2543.86, -147.363, 92.326), vector3(2546.33, -141.906, 92.3374), vector3(2548.76, -136.435, 92.3495), vector3(2551.17, -130.951, 92.3624), vector3(2553.54, -125.455, 92.3759), vector3(2555.89, -119.945, 92.3901), vector3(2558.21, -114.426, 92.4047), vector3(2560.51, -108.893, 92.4198), vector3(2562.78, -103.351, 92.4353), vector3(2565.03, -97.7988, 92.4511), vector3(2567.25, -92.236, 92.4672), vector3(2569.46, -86.6648, 92.4835), vector3(2571.63, -81.0833, 92.5), vector3(2573.79, -75.4946, 92.5166), vector3(2575.93, -69.8969, 92.5332), vector3(2578.05, -64.292, 92.5499), vector3(2580.15, -58.6796, 92.5664), vector3(2582.23, -53.0596, 92.5828), vector3(2584.3, -47.4338, 92.599), vector3(2586.35, -41.8014, 92.6149), vector3(2588.38, -36.1635, 92.6304), vector3(2590.4, -30.5195, 92.6457), vector3(2592.41, -24.8706, 92.6604), vector3(2594.4, -19.2169, 92.6747), vector3(2596.38, -13.5582, 92.6884), vector3(2598.35, -7.89587, 92.7015), vector3(2600.31, -2.22925, 92.7139), vector3(2602.26, 3.44067, 92.7255), vector3(2604.21, 9.11731, 92.7364), vector3(2606.14, 14.7939, 92.7464), vector3(2608.07, 20.4729, 92.7554), vector3(2609.99, 26.1544, 92.7635), vector3(2611.91, 31.8379, 92.7706), vector3(2613.82, 37.5233, 92.7766), vector3(2615.73, 43.2102, 92.7813), vector3(2617.45, 48.3406, 92.7958), vector3(2619.36, 54.0294, 92.79), vector3(2621.26, 59.7184, 92.7883), vector3(2623.15, 65.4004, 92.7899), vector3(2624.98, 71.0911, 92.7942), vector3(2626.77, 76.7982, 92.8009), vector3(2628.5, 82.5211, 92.8098), vector3(2630.19, 88.2589, 92.8206), vector3(2631.82, 94.011, 92.8335), vector3(2633.41, 99.7775, 92.8483), vector3(2634.95, 105.557, 92.8647), vector3(2636.44, 111.349, 92.8827), vector3(2637.88, 117.155, 92.9022), vector3(2639.28, 122.971, 92.923), vector3(2640.63, 128.799, 92.9451), vector3(2641.93, 134.637, 92.9682), vector3(2643.19, 140.486, 92.9924), vector3(2644.41, 146.345, 93.0173), vector3(2645.58, 152.212, 93.043), vector3(2646.71, 158.088, 93.0694), vector3(2647.8, 163.972, 93.0962), vector3(2648.85, 169.864, 93.1234), vector3(2649.87, 175.763, 93.151), vector3(2650.84, 181.668, 93.1787), vector3(2651.78, 187.581, 93.2065), vector3(2652.68, 193.499, 93.2343), vector3(2653.54, 199.423, 93.2619), vector3(2654.38, 205.352, 93.2894), vector3(2655.18, 211.286, 93.3166), vector3(2655.95, 217.224, 93.3434), vector3(2656.68, 223.167, 93.3698), vector3(2657.39, 229.114, 93.3957), vector3(2658.07, 235.064, 93.421), vector3(2658.73, 241.018, 93.4457), vector3(2659.35, 246.979, 93.4696), vector3(2659.95, 252.939, 93.4928), vector3(2660.53, 258.902, 93.5151), vector3(2661.08, 264.867, 93.5365), vector3(2661.62, 270.835, 93.557), vector3(2662.12, 276.806, 93.5766), vector3(2662.61, 282.778, 93.5951), vector3(2663.08, 288.752, 93.6125), vector3(2663.53, 294.728, 93.6289), vector3(2663.96, 300.706, 93.6441), vector3(2664.37, 306.685, 93.6581), vector3(2664.77, 312.665, 93.6709), vector3(2665.15, 318.648, 93.6825), vector3(2665.51, 324.631, 93.6929), vector3(2665.86, 330.615, 93.702), vector3(2666.2, 336.6, 93.7098), vector3(2666.52, 342.587, 93.7163), vector3(2666.83, 348.579, 93.7214), vector3(2667.15, 354.571, 93.7249), vector3(2667.46, 360.563, 93.727), vector3(2667.78, 366.555, 93.728), vector3(2668.09, 372.547, 93.7279), vector3(2668.4, 378.539, 93.7269), vector3(2668.7, 384.531, 93.7249), vector3(2669.0, 390.523, 93.7222), vector3(2669.3, 396.516, 93.7188), vector3(2669.59, 402.509, 93.7149), vector3(2669.87, 408.502, 93.7104), vector3(2670.15, 414.496, 93.7054), vector3(2670.42, 420.49, 93.7002), vector3(2670.67, 426.484, 93.6947), vector3(2670.92, 432.479, 93.689), vector3(2671.16, 438.475, 93.6832), vector3(2671.39, 444.47, 93.6774), vector3(2671.6, 450.466, 93.6717), vector3(2671.8, 456.463, 93.6662), vector3(2671.99, 462.46, 93.6608), vector3(2672.17, 468.457, 93.6558), vector3(2672.33, 474.455, 93.6512), vector3(2672.47, 480.454, 93.647), vector3(2672.6, 486.452, 93.6434), vector3(2672.71, 492.451, 93.6405), vector3(2672.8, 498.451, 93.6382), vector3(2672.87, 504.45, 93.6367), vector3(2672.92, 510.45, 93.6361), vector3(2672.95, 516.45, 93.6364), vector3(2672.96, 522.45, 93.6378), vector3(2672.93, 528.45, 93.6365), vector3(2672.82, 534.449, 93.6265), vector3(2672.63, 540.446, 93.6065), vector3(2672.37, 546.44, 93.578), vector3(2672.04, 552.43, 93.5411), vector3(2671.64, 558.417, 93.4958), vector3(2671.17, 564.398, 93.4432), vector3(2670.63, 570.374, 93.3828), vector3(2670.04, 576.344, 93.3156), vector3(2669.38, 582.307, 93.2415), vector3(2668.66, 588.264, 93.161), vector3(2667.89, 594.213, 93.0743), vector3(2667.06, 600.155, 92.9816), vector3(2666.18, 606.089, 92.8833), vector3(2665.25, 612.015, 92.7794), vector3(2664.26, 617.932, 92.6704), vector3(2663.22, 623.841, 92.5562), vector3(2662.14, 629.741, 92.4373), vector3(2661.01, 635.632, 92.3136), vector3(2659.83, 641.513, 92.1854), vector3(2658.6, 647.386, 92.0531), vector3(2657.33, 653.248, 91.9164), vector3(2656.02, 659.101, 91.776), vector3(2654.67, 664.944, 91.6314), vector3(2653.27, 670.777, 91.4833), vector3(2651.83, 676.6, 91.3316), vector3(2650.35, 682.413, 91.1764), vector3(2648.83, 688.216, 91.0182), vector3(2647.27, 694.007, 90.8564), vector3(2645.68, 699.789, 90.6918), vector3(2644.04, 705.559, 90.5241), vector3(2642.37, 711.319, 90.3536), vector3(2640.66, 717.068, 90.1805), vector3(2638.92, 722.805, 90.0044), vector3(2637.13, 728.532, 89.826), vector3(2635.32, 734.248, 89.6452), vector3(2633.47, 739.951, 89.4619), vector3(2631.58, 745.644, 89.2764), vector3(2629.66, 751.325, 89.0888), vector3(2627.7, 756.994, 88.8989), vector3(2625.71, 762.652, 88.7072), vector3(2623.69, 768.297, 88.5135), vector3(2621.63, 773.93, 88.3178), vector3(2619.55, 779.552, 88.1205), vector3(2617.42, 785.16, 87.9214), vector3(2615.27, 790.756, 87.7207), vector3(2613.08, 796.34, 87.5185), vector3(2610.86, 801.911, 87.3147), vector3(2608.61, 807.469, 87.1095), vector3(2606.33, 813.014, 86.903), vector3(2604.02, 818.546, 86.6951), vector3(2601.67, 824.064, 86.486), vector3(2599.29, 829.568, 86.2759), vector3(2596.88, 835.059, 86.0646), vector3(2594.44, 840.536, 85.8522), vector3(2591.97, 845.999, 85.6389), vector3(2589.46, 851.447, 85.4247), vector3(2586.93, 856.88, 85.2097), vector3(2584.36, 862.299, 84.9938), vector3(2581.76, 867.704, 84.7773), vector3(2579.13, 873.092, 84.5601), vector3(2576.47, 878.465, 84.3423), vector3(2573.78, 883.823, 84.124), vector3(2571.05, 889.163, 83.9051), vector3(2568.3, 894.488, 83.6859), vector3(2565.51, 899.797, 83.4664), vector3(2562.69, 905.087, 83.2465), vector3(2559.84, 910.361, 83.0264), vector3(2556.95, 915.618, 82.8061), vector3(2554.03, 920.856, 82.5858), vector3(2551.08, 926.076, 82.3654), vector3(2548.07, 931.263, 82.1485), vector3(2544.96, 936.388, 81.941), vector3(2541.76, 941.46, 81.7421), vector3(2538.49, 946.483, 81.5512), vector3(2535.15, 951.465, 81.3676), vector3(2531.76, 956.41, 81.1907), vector3(2528.31, 961.32, 81.0202), vector3(2524.82, 966.2, 80.8559), vector3(2521.3, 971.051, 80.6975), vector3(2517.74, 975.877, 80.5446), vector3(2514.14, 980.68, 80.3972), vector3(2510.52, 985.462, 80.2552), vector3(2506.87, 990.224, 80.1183), vector3(2503.2, 994.969, 79.9867), vector3(2499.51, 999.698, 79.8601), vector3(2495.8, 1004.41, 79.7385), vector3(2492.08, 1009.11, 79.6221), vector3(2488.33, 1013.8, 79.5108), vector3(2484.57, 1018.48, 79.4046), vector3(2480.8, 1023.14, 79.3036), vector3(2477.02, 1027.8, 79.2079), vector3(2473.23, 1032.45, 79.1177), vector3(2469.43, 1037.09, 79.033), vector3(2465.62, 1041.73, 78.954), vector3(2461.81, 1046.36, 78.8808), vector3(2457.99, 1050.99, 78.8139), vector3(2454.16, 1055.61, 78.7533), vector3(2450.34, 1060.23, 78.6993), vector3(2446.51, 1064.85, 78.6523), vector3(2442.68, 1069.47, 78.6127), vector3(2438.85, 1074.09, 78.5809), vector3(2435.03, 1078.71, 78.5575), vector3(2431.2, 1083.33, 78.5431), vector3(2427.39, 1087.96, 78.5383), vector3(2423.57, 1092.59, 78.5383), vector3(2419.73, 1097.21, 78.5383), vector3(2415.9, 1101.82, 78.5383), vector3(2412.06, 1106.43, 78.5382), vector3(2408.21, 1111.03, 78.5382), vector3(2404.36, 1115.64, 78.5382), vector3(2400.51, 1120.24, 78.5382), vector3(2396.66, 1124.84, 78.5382), vector3(2392.81, 1129.44, 78.5381), vector3(2388.96, 1134.04, 78.5381), vector3(2385.11, 1138.64, 78.5381), vector3(2381.25, 1143.24, 78.5381), vector3(2377.4, 1147.84, 78.538), vector3(2373.55, 1152.44, 78.538), vector3(2369.69, 1157.04, 78.538), vector3(2365.84, 1161.64, 78.538), vector3(2361.98, 1166.24, 78.538), vector3(2358.13, 1170.83, 78.538), vector3(2354.28, 1175.43, 78.5379), vector3(2350.42, 1180.03, 78.5379), vector3(2346.57, 1184.63, 78.5379), vector3(2342.71, 1189.23, 78.5379), vector3(2338.86, 1193.83, 78.5379), vector3(2335.01, 1198.43, 78.5379), vector3(2331.15, 1203.02, 78.5378), vector3(2327.3, 1207.62, 78.5378), vector3(2321.52, 1214.52, 78.5378), vector3(2317.67, 1219.13, 78.5378), vector3(2313.82, 1223.73, 78.5378), vector3(2309.97, 1228.33, 78.5378), vector3(2306.12, 1232.93, 78.5378), vector3(2302.27, 1237.54, 78.5378), vector3(2298.43, 1242.14, 78.5378), vector3(2294.58, 1246.74, 78.5378), vector3(2290.73, 1251.35, 78.5378), vector3(2286.89, 1255.96, 78.5378), vector3(2283.05, 1260.56, 78.5378), vector3(2279.21, 1265.17, 78.5378), vector3(2275.36, 1269.78, 78.5378), vector3(2271.53, 1274.39, 78.5378), vector3(2267.69, 1279.01, 78.5378), vector3(2263.85, 1283.62, 78.5378), vector3(2260.02, 1288.24, 78.5378), vector3(2256.19, 1292.86, 78.5378), vector3(2252.36, 1297.48, 78.5378), vector3(2248.54, 1302.1, 78.5379), vector3(2244.72, 1306.72, 78.5379), vector3(2240.9, 1311.35, 78.5379), vector3(2237.09, 1315.99, 78.538), vector3(2233.28, 1320.62, 78.538), vector3(2229.48, 1325.27, 78.5381), vector3(2225.69, 1329.92, 78.5381), vector3(2221.91, 1334.58, 78.5382), vector3(2218.15, 1339.25, 78.5383), vector3(2214.41, 1343.94, 78.5384), vector3(2210.7, 1348.66, 78.5393), vector3(2207.0, 1353.38, 78.5431), vector3(2203.31, 1358.11, 78.55), vector3(2199.62, 1362.85, 78.5597), vector3(2195.94, 1367.59, 78.572), vector3(2192.27, 1372.34, 78.5867), vector3(2188.62, 1377.09, 78.6035), vector3(2184.97, 1381.85, 78.6221), vector3(2181.33, 1386.63, 78.6423), vector3(2177.71, 1391.41, 78.6637), vector3(2174.1, 1396.2, 78.6859), vector3(2170.5, 1401.01, 78.7087), vector3(2166.92, 1405.82, 78.7316), vector3(2163.36, 1410.65, 78.7541), vector3(2159.82, 1415.5, 78.7758), vector3(2156.31, 1420.36, 78.7961), vector3(2152.81, 1425.23, 78.8143), vector3(2149.35, 1430.13, 78.8298), vector3(2145.91, 1435.05, 78.8418), vector3(2142.51, 1439.99, 78.8492), vector3(2139.14, 1444.96, 78.8512), vector3(2135.82, 1449.95, 78.8464), vector3(2132.54, 1454.98, 78.8333), vector3(2129.32, 1460.04, 78.8103), vector3(2126.16, 1465.14, 78.7751), vector3(2123.07, 1470.29, 78.7252), vector3(2120.06, 1475.47, 78.6578), vector3(2117.1, 1480.69, 78.5753), vector3(2114.19, 1485.94, 78.4808), vector3(2111.32, 1491.21, 78.3767), vector3(2108.48, 1496.49, 78.2644), vector3(2105.67, 1501.79, 78.1453), vector3(2102.9, 1507.11, 78.0201), vector3(2100.14, 1512.44, 77.8899), vector3(2097.41, 1517.78, 77.7552), vector3(2094.71, 1523.13, 77.6163), vector3(2092.02, 1528.5, 77.4737), vector3(2089.35, 1533.87, 77.3278), vector3(2086.7, 1539.25, 77.1789), vector3(2084.07, 1544.64, 77.0273), vector3(2081.46, 1550.04, 76.8731), vector3(2078.86, 1555.45, 76.7166), vector3(2076.28, 1560.86, 76.5579), vector3(2073.72, 1566.28, 76.3972), vector3(2071.17, 1571.71, 76.2346), vector3(2068.63, 1577.15, 76.0703), vector3(2066.11, 1582.59, 75.9044), vector3(2063.61, 1588.04, 75.737), vector3(2061.12, 1593.5, 75.568), vector3(2058.64, 1598.96, 75.3977), vector3(2056.18, 1604.43, 75.2262), vector3(2053.73, 1609.9, 75.0534), vector3(2051.29, 1615.38, 74.8795), vector3(2048.87, 1620.87, 74.7046), vector3(2046.47, 1626.36, 74.5285), vector3(2044.07, 1631.86, 74.3515), vector3(2041.69, 1637.37, 74.1736), vector3(2039.33, 1642.88, 73.9948), vector3(2036.98, 1648.4, 73.8152), vector3(2034.64, 1653.92, 73.6347), vector3(2032.32, 1659.45, 73.4536), vector3(2030.01, 1664.98, 73.2717), vector3(2027.71, 1670.52, 73.0891), vector3(2025.43, 1676.07, 72.9058), vector3(2023.17, 1681.62, 72.7219), vector3(2020.91, 1687.18, 72.5375), vector3(2018.68, 1692.75, 72.3525), vector3(2016.45, 1698.32, 72.1669), vector3(2014.25, 1703.89, 71.9808), vector3(2012.06, 1709.47, 71.7943), vector3(2009.88, 1715.06, 71.6073), vector3(2007.72, 1720.66, 71.4198), vector3(2005.58, 1726.26, 71.2319), vector3(2003.45, 1731.87, 71.0437), vector3(2001.34, 1737.48, 70.8551), vector3(1999.25, 1743.1, 70.6661), vector3(1997.17, 1748.72, 70.4769), vector3(1995.11, 1754.36, 70.2873), vector3(1993.07, 1760.0, 70.0974), vector3(1991.05, 1765.64, 69.9073), vector3(1989.05, 1771.3, 69.7179), vector3(1987.07, 1776.96, 69.5346), vector3(1985.12, 1782.63, 69.3581), vector3(1983.2, 1788.31, 69.1881), vector3(1981.3, 1794.0, 69.0245), vector3(1979.43, 1799.7, 68.8667), vector3(1977.6, 1805.41, 68.7147), vector3(1975.79, 1811.13, 68.568), vector3(1974.01, 1816.86, 68.4263), vector3(1972.26, 1822.59, 68.2894), vector3(1970.54, 1828.34, 68.1569), vector3(1968.85, 1834.1, 68.0285), vector3(1967.19, 1839.86, 67.9037), vector3(1965.56, 1845.63, 67.7824), vector3(1963.96, 1851.42, 67.6641), vector3(1962.39, 1857.21, 67.5486), vector3(1960.85, 1863.0, 67.4354), vector3(1959.34, 1868.81, 67.3244), vector3(1957.87, 1874.62, 67.2151), vector3(1956.42, 1880.45, 67.1073), vector3(1954.99, 1886.27, 67.0007), vector3(1953.6, 1892.11, 66.895), vector3(1952.24, 1897.95, 66.7899), vector3(1950.9, 1903.8, 66.6852), vector3(1949.59, 1909.65, 66.5806), vector3(1948.31, 1915.51, 66.4759), vector3(1947.05, 1921.38, 66.3709), vector3(1945.82, 1927.25, 66.2654), vector3(1944.61, 1933.13, 66.1591), vector3(1943.43, 1939.01, 66.0519), vector3(1942.27, 1944.89, 65.9436), vector3(1941.14, 1950.79, 65.834), vector3(1940.02, 1956.68, 65.723), vector3(1938.93, 1962.58, 65.6104), vector3(1937.87, 1968.48, 65.4962), vector3(1936.82, 1974.39, 65.3801), vector3(1935.79, 1980.3, 65.2621), vector3(1934.79, 1986.21, 65.1421), vector3(1933.8, 1992.13, 65.02), vector3(1932.83, 1998.05, 64.8956), vector3(1931.88, 2003.97, 64.769), vector3(1930.95, 2009.9, 64.64), vector3(1930.03, 2015.83, 64.5086), vector3(1929.13, 2021.76, 64.3748), vector3(1928.25, 2027.69, 64.2383), vector3(1927.38, 2033.63, 64.0995), vector3(1926.53, 2039.56, 63.9578), vector3(1925.69, 2045.5, 63.8137), vector3(1924.87, 2051.45, 63.6668), vector3(1924.06, 2057.39, 63.5173), vector3(1923.26, 2063.33, 63.365), vector3(1922.48, 2069.28, 63.2102), vector3(1921.71, 2075.23, 63.0523), vector3(1920.95, 2081.18, 62.8919), vector3(1920.21, 2087.13, 62.7287), vector3(1919.47, 2093.08, 62.5638), vector3(1918.78, 2099.04, 62.4022), vector3(1918.13, 2105.0, 62.245), vector3(1917.51, 2110.97, 62.0922), vector3(1916.95, 2116.94, 61.944), vector3(1916.42, 2122.92, 61.8006), vector3(1915.95, 2128.9, 61.6617), vector3(1915.51, 2134.88, 61.5275), vector3(1915.13, 2140.86, 61.3981), vector3(1914.79, 2146.85, 61.2734), vector3(1914.5, 2152.84, 61.1536), vector3(1914.26, 2158.84, 61.0386), vector3(1914.07, 2164.83, 60.9284), vector3(1913.94, 2170.83, 60.8232), vector3(1913.85, 2176.83, 60.7229), vector3(1913.82, 2182.83, 60.6275), vector3(1913.85, 2188.83, 60.537), vector3(1913.93, 2194.83, 60.4515), vector3(1914.06, 2200.83, 60.3708), vector3(1914.26, 2206.82, 60.295), vector3(1914.51, 2212.82, 60.2241), vector3(1914.82, 2218.81, 60.1578), vector3(1915.19, 2224.8, 60.0965), vector3(1915.61, 2230.78, 60.0398), vector3(1916.11, 2236.76, 59.9877), vector3(1916.66, 2242.73, 59.9401), vector3(1917.27, 2248.7, 59.897), vector3(1917.95, 2254.67, 59.8582), vector3(1918.68, 2260.62, 59.8234), vector3(1919.49, 2266.56, 59.7928), vector3(1920.35, 2272.5, 59.766), vector3(1921.28, 2278.43, 59.7428), vector3(1922.27, 2284.35, 59.7232), vector3(1923.33, 2290.25, 59.7067), vector3(1924.44, 2296.15, 59.6932), vector3(1925.62, 2302.03, 59.6825), vector3(1926.87, 2307.9, 59.6742), vector3(1928.17, 2313.76, 59.6681), vector3(1929.53, 2319.6, 59.6638), vector3(1930.96, 2325.43, 59.661), vector3(1932.44, 2331.24, 59.6593), vector3(1933.98, 2337.04, 59.6584), vector3(1935.58, 2342.83, 59.6578), vector3(1937.23, 2348.6, 59.6572), vector3(1938.93, 2354.35, 59.656), vector3(1940.69, 2360.08, 59.6532), vector3(1942.54, 2365.79, 59.6458), vector3(1944.47, 2371.47, 59.6332), vector3(1946.48, 2377.12, 59.6157), vector3(1948.59, 2382.74, 59.5927), vector3(1950.78, 2388.33, 59.5648), vector3(1953.05, 2393.88, 59.5314), vector3(1955.41, 2399.4, 59.4932), vector3(1957.86, 2404.87, 59.4495), vector3(1960.39, 2410.32, 59.401), vector3(1963.0, 2415.72, 59.347), vector3(1965.7, 2421.08, 59.2882), vector3(1968.48, 2426.39, 59.2241), vector3(1971.34, 2431.67, 59.1551), vector3(1974.28, 2436.89, 59.0809), vector3(1977.3, 2442.08, 59.0018), vector3(1980.4, 2447.21, 58.9178), vector3(1983.58, 2452.3, 58.8287), vector3(1986.84, 2457.34, 58.735), vector3(1990.17, 2462.33, 58.6361), vector3(1993.58, 2467.27, 58.5326), vector3(1997.06, 2472.15, 58.4243), vector3(2000.61, 2476.98, 58.3113), vector3(2004.24, 2481.76, 58.1938), vector3(2007.94, 2486.49, 58.0714), vector3(2011.7, 2491.16, 57.9447), vector3(2015.54, 2495.77, 57.8134), vector3(2019.44, 2500.32, 57.6776), vector3(2023.41, 2504.82, 57.5377), vector3(2027.45, 2509.26, 57.3932), vector3(2031.54, 2513.64, 57.2445), vector3(2035.7, 2517.96, 57.0918), vector3(2039.93, 2522.22, 56.9347), vector3(2044.21, 2526.41, 56.7736), vector3(2048.55, 2530.55, 56.6086), vector3(2052.96, 2534.63, 56.4395), vector3(2057.42, 2538.64, 56.2665), vector3(2061.93, 2542.58, 56.0898), vector3(2066.5, 2546.47, 55.9092), vector3(2071.12, 2550.29, 55.7249), vector3(2075.8, 2554.04, 55.5369), vector3(2080.52, 2557.73, 55.3455), vector3(2085.31, 2561.35, 55.1503), vector3(2090.13, 2564.91, 54.9517), vector3(2095.01, 2568.4, 54.7497), vector3(2099.94, 2571.82, 54.5444), vector3(2104.91, 2575.17, 54.3356), vector3(2109.93, 2578.45, 54.1235), vector3(2114.99, 2581.67, 53.9083), vector3(2120.1, 2584.81, 53.69), vector3(2125.24, 2587.88, 53.4685), vector3(2130.44, 2590.88, 53.244), vector3(2135.67, 2593.8, 53.0163), vector3(2140.95, 2596.65, 52.7857), vector3(2146.26, 2599.43, 52.5522), vector3(2151.61, 2602.13, 52.3159), vector3(2157.01, 2604.75, 52.0767), vector3(2162.43, 2607.29, 51.8347), vector3(2167.9, 2609.75, 51.5899), vector3(2173.4, 2612.13, 51.3425), vector3(2178.94, 2614.44, 51.0925), vector3(2184.48, 2616.72, 50.8402), vector3(2190.04, 2618.97, 50.5858), vector3(2195.6, 2621.2, 50.3294), vector3(2201.17, 2623.41, 50.0711), vector3(2206.75, 2625.61, 49.811), vector3(2212.33, 2627.79, 49.5491), vector3(2217.92, 2629.95, 49.2856), vector3(2223.52, 2632.1, 49.0205), vector3(2229.12, 2634.24, 48.7539), vector3(2234.72, 2636.37, 48.486), vector3(2240.33, 2638.5, 48.2166), vector3(2245.93, 2640.62, 47.946), vector3(2251.54, 2642.73, 47.6741), vector3(2257.15, 2644.84, 47.4012), vector3(2262.76, 2646.96, 47.1271), vector3(2268.37, 2649.07, 46.852), vector3(2273.97, 2651.19, 46.576), vector3(2279.58, 2653.31, 46.2991), vector3(2285.18, 2655.44, 46.0214), vector3(2290.78, 2657.57, 45.7428), vector3(2296.38, 2659.72, 45.4637), vector3(2301.97, 2661.88, 45.1838), vector3(2307.55, 2664.06, 44.9035), vector3(2313.13, 2666.25, 44.6226), vector3(2318.7, 2668.46, 44.3414), vector3(2324.27, 2670.69, 44.0598), vector3(2329.82, 2672.95, 43.778), vector3(2335.36, 2675.23, 43.496), vector3(2340.89, 2677.54, 43.2139), vector3(2346.41, 2679.89, 42.9318), vector3(2351.91, 2682.26, 42.6499), vector3(2357.39, 2684.68, 42.3682), vector3(2362.86, 2687.14, 42.0868), vector3(2368.3, 2689.65, 41.806), vector3(2373.72, 2692.2, 41.5258), vector3(2379.12, 2694.81, 41.2463), vector3(2384.49, 2697.47, 40.9679), vector3(2389.82, 2700.2, 40.6906), vector3(2395.13, 2703.0, 40.4148), vector3(2400.39, 2705.87, 40.1406), vector3(2405.6, 2708.82, 39.8684), vector3(2410.77, 2711.86, 39.5985), vector3(2415.88, 2714.99, 39.3311), vector3(2420.93, 2718.23, 39.067), vector3(2425.9, 2721.57, 38.8064), vector3(2430.79, 2725.03, 38.5499), vector3(2435.59, 2728.63, 38.2985), vector3(2440.28, 2732.36, 38.0525), vector3(2444.85, 2736.25, 37.8133), vector3(2447.08, 2738.25, 37.6964), vector3(2449.14, 2740.16, 37.5887), vector3(2453.61, 2744.15, 37.3359), vector3(2458.04, 2748.19, 37.1554), vector3(2462.43, 2752.28, 37.0369), vector3(2466.79, 2756.4, 36.9702), vector3(2471.1, 2760.57, 36.9454), vector3(2475.38, 2764.78, 36.9528), vector3(2479.62, 2769.03, 36.9827), vector3(2483.81, 2773.32, 37.0261), vector3(2487.97, 2777.64, 37.0736), vector3(2492.09, 2782.0, 37.1166), vector3(2496.18, 2786.4, 37.1463), vector3(2500.21, 2790.84, 37.1595), vector3(2504.18, 2795.34, 37.1725), vector3(2508.07, 2799.9, 37.1897), vector3(2511.89, 2804.54, 37.2138), vector3(2515.63, 2809.23, 37.2472), vector3(2519.31, 2813.96, 37.2917), vector3(2522.96, 2818.73, 37.3477), vector3(2526.58, 2823.51, 37.4151), vector3(2530.19, 2828.3, 37.493), vector3(2533.79, 2833.1, 37.5803), vector3(2537.4, 2837.89, 37.6757), vector3(2541.02, 2842.67, 37.7781), vector3(2544.63, 2847.47, 37.873), vector3(2548.2, 2852.29, 37.9514), vector3(2551.76, 2857.12, 38.023), vector3(2555.31, 2861.96, 38.0908), vector3(2558.85, 2866.8, 38.1561), vector3(2562.39, 2871.64, 38.2197), vector3(2565.92, 2876.49, 38.282), vector3(2569.45, 2881.34, 38.3432), vector3(2572.98, 2886.2, 38.4037), vector3(2576.5, 2891.05, 38.4636), vector3(2580.03, 2895.91, 38.523), vector3(2583.54, 2900.77, 38.5821), vector3(2587.06, 2905.63, 38.6408), vector3(2590.57, 2910.5, 38.6993), vector3(2594.08, 2915.36, 38.7577), vector3(2597.58, 2920.23, 38.816), vector3(2601.09, 2925.1, 38.8743), vector3(2604.59, 2929.98, 38.9326), vector3(2608.08, 2934.85, 38.991), vector3(2611.58, 2939.73, 39.0496), vector3(2615.07, 2944.61, 39.1084), vector3(2618.55, 2949.49, 39.1675), vector3(2622.03, 2954.38, 39.227), vector3(2625.51, 2959.27, 39.287), vector3(2628.98, 2964.16, 39.3475), vector3(2632.45, 2969.06, 39.4087), vector3(2635.91, 2973.96, 39.4708), vector3(2639.36, 2978.87, 39.534), vector3(2642.8, 2983.79, 39.5986), vector3(2646.22, 2988.71, 39.665), vector3(2649.63, 2993.65, 39.7339), vector3(2653.02, 2998.6, 39.8064), vector3(2656.37, 3003.58, 39.8848), vector3(2659.64, 3008.6, 39.9753), vector3(2662.78, 3013.72, 40.0888), vector3(2665.9, 3018.84, 40.2106), vector3(2668.99, 3023.98, 40.3382), vector3(2672.06, 3029.13, 40.4703), vector3(2675.11, 3034.3, 40.6056), vector3(2678.14, 3039.48, 40.7429), vector3(2681.14, 3044.67, 40.881), vector3(2684.11, 3049.89, 41.0188), vector3(2687.05, 3055.11, 41.1552), vector3(2689.96, 3060.36, 41.2893), vector3(2692.84, 3065.62, 41.4202), vector3(2695.69, 3070.9, 41.5471), vector3(2698.51, 3076.2, 41.6694), vector3(2701.29, 3081.51, 41.7864), vector3(2704.05, 3086.84, 41.8977), vector3(2706.77, 3092.18, 42.0028), vector3(2709.46, 3097.54, 42.1014), vector3(2712.15, 3102.91, 42.1997), vector3(2714.83, 3108.27, 42.3018), vector3(2717.52, 3113.64, 42.4072), vector3(2720.21, 3119.0, 42.5152), vector3(2722.91, 3124.36, 42.6252), vector3(2725.64, 3129.68, 42.7354), vector3(2728.24, 3135.0, 42.8481), vector3(2730.92, 3140.36, 42.962), vector3(2733.6, 3145.73, 43.0764), vector3(2736.27, 3151.1, 43.1912), vector3(2738.94, 3156.47, 43.306), vector3(2741.59, 3161.85, 43.4204), vector3(2744.24, 3167.24, 43.5343), vector3(2746.88, 3172.62, 43.6473), vector3(2749.5, 3178.02, 43.7591), vector3(2752.12, 3183.42, 43.8694), vector3(2754.71, 3188.83, 43.9778), vector3(2757.29, 3194.24, 44.0841), vector3(2759.85, 3199.67, 44.1876), vector3(2762.39, 3205.1, 44.2881), vector3(2764.9, 3210.55, 44.3849), vector3(2767.39, 3216.01, 44.4758), vector3(2769.87, 3221.48, 44.5551), vector3(2772.33, 3226.95, 44.6232), vector3(2774.77, 3232.43, 44.6813), vector3(2777.21, 3237.91, 44.7303), vector3(2779.63, 3243.4, 44.7714), vector3(2782.04, 3248.9, 44.8057), vector3(2784.43, 3254.4, 44.8342), vector3(2786.82, 3259.9, 44.858), vector3(2789.19, 3265.41, 44.8783), vector3(2791.55, 3270.93, 44.8963), vector3(2793.9, 3276.45, 44.9132), vector3(2796.24, 3281.98, 44.9303), vector3(2798.57, 3287.5, 44.949), vector3(2800.88, 3293.04, 44.9707), vector3(2803.19, 3298.58, 44.9971), vector3(2805.49, 3304.12, 45.0298), vector3(2807.78, 3309.67, 45.0708), vector3(2810.06, 3315.22, 45.1221), vector3(2812.33, 3320.77, 45.1847), vector3(2814.59, 3326.33, 45.247), vector3(2816.85, 3331.89, 45.3059), vector3(2819.1, 3337.45, 45.3611), vector3(2821.34, 3343.01, 45.4125), vector3(2823.62, 3348.67, 45.4609), vector3(2825.86, 3354.24, 45.5044), vector3(2828.09, 3359.8, 45.5438), vector3(2830.31, 3365.38, 45.5791), vector3(2832.54, 3370.95, 45.6101), vector3(2834.76, 3376.52, 45.6369), vector3(2836.97, 3382.1, 45.6595), vector3(2839.19, 3387.68, 45.6779), vector3(2841.4, 3393.25, 45.6923), vector3(2843.61, 3398.83, 45.7027), vector3(2845.82, 3404.41, 45.7094), vector3(2848.0, 3410.0, 45.7172), vector3(2850.16, 3415.6, 45.728), vector3(2852.29, 3421.21, 45.74), vector3(2854.39, 3426.83, 45.7519), vector3(2856.46, 3432.46, 45.7621), vector3(2858.52, 3438.09, 45.769), vector3(2860.55, 3443.74, 45.7713), vector3(2862.57, 3449.39, 45.7673), vector3(2864.58, 3455.04, 45.7556), vector3(2866.57, 3460.7, 45.7346), vector3(2868.56, 3466.36, 45.703), vector3(2870.54, 3472.03, 45.6592), vector3(2872.51, 3477.69, 45.6019), vector3(2874.49, 3483.36, 45.5294), vector3(2876.47, 3489.02, 45.4404), vector3(2878.45, 3494.68, 45.3337), vector3(2880.43, 3500.34, 45.2075), vector3(2882.39, 3505.91, 45.0704), vector3(2884.35, 3511.68, 44.9389), vector3(2886.21, 3517.39, 44.8165), vector3(2888.0, 3523.11, 44.699), vector3(2889.71, 3528.86, 44.5858), vector3(2891.35, 3534.63, 44.4765), vector3(2892.9, 3540.33, 44.3724), vector3(2894.42, 3546.23, 44.2685), vector3(2895.82, 3551.96, 44.1713), vector3(2897.19, 3557.91, 44.0743), vector3(2898.45, 3563.77, 43.9824), vector3(2899.64, 3569.65, 43.8939), vector3(2900.75, 3575.55, 43.809), vector3(2901.75, 3581.37, 43.7289), vector3(2902.69, 3587.3, 43.6512), vector3(2903.53, 3593.24, 43.5773), vector3(2904.28, 3599.19, 43.5074), vector3(2904.93, 3605.16, 43.4415), vector3(2905.48, 3611.13, 43.38), vector3(2905.93, 3617.11, 43.3227), vector3(2906.26, 3623.1, 43.2701), vector3(2906.48, 3629.1, 43.2222), vector3(2906.58, 3635.1, 43.1794), vector3(2906.56, 3641.1, 43.1417), vector3(2906.4, 3647.1, 43.1096), vector3(2906.1, 3653.09, 43.0831), vector3(2905.66, 3659.07, 43.0627), vector3(2905.07, 3665.04, 43.0486), vector3(2904.33, 3670.99, 43.041), vector3(2903.41, 3676.93, 43.0404), vector3(2902.33, 3682.83, 43.047), vector3(2901.07, 3688.69, 43.0612), vector3(2899.35, 3695.41, 43.0973), vector3(2897.73, 3701.19, 43.1203), vector3(2896.03, 3706.94, 43.1404), vector3(2894.25, 3712.67, 43.1576), vector3(2892.37, 3718.46, 43.1719), vector3(2890.46, 3724.06, 43.1837), vector3(2888.44, 3729.71, 43.1929), vector3(2886.35, 3735.33, 43.1997), vector3(2883.03, 3743.7, 43.2056), vector3(2879.53, 3751.99, 43.2068), vector3(2877.08, 3757.46, 43.2053), vector3(2874.54, 3762.9, 43.2021), vector3(2871.9, 3768.29, 43.1975), vector3(2867.76, 3776.28, 43.1883), vector3(2863.41, 3784.16, 43.1771), vector3(2860.38, 3789.34, 43.1689), vector3(2857.24, 3794.45, 43.1606), vector3(2852.34, 3802.0, 43.1483), vector3(2847.2, 3809.39, 43.1374), vector3(2843.63, 3814.21, 43.1315), vector3(2839.95, 3818.95, 43.1272), vector3(2836.15, 3823.59, 43.125), vector3(2832.24, 3828.14, 43.1252), vector3(2828.21, 3832.58, 43.1285), vector3(2824.06, 3836.91, 43.1354), vector3(2819.79, 3841.13, 43.1464), vector3(2815.39, 3845.22, 43.1623), vector3(2810.88, 3849.17, 43.1836), vector3(2806.25, 3852.99, 43.2098), vector3(2801.53, 3856.7, 43.2315), vector3(2796.74, 3860.31, 43.2461), vector3(2791.88, 3863.82, 43.2535), vector3(2786.94, 3867.23, 43.2538), vector3(2781.93, 3870.53, 43.2471), vector3(2776.86, 3873.73, 43.2335), vector3(2771.71, 3876.81, 43.213), vector3(2766.5, 3879.79, 43.1859), vector3(2761.23, 3882.65, 43.1523), vector3(2755.89, 3885.39, 43.1123), vector3(2750.5, 3888.02, 43.0661), vector3(2745.04, 3890.52, 43.0139), vector3(2736.77, 3894.06, 42.9249), vector3(2728.38, 3897.32, 42.8238), vector3(2719.89, 3900.31, 42.7115), vector3(2711.31, 3903.01, 42.5891), vector3(2702.65, 3905.45, 42.4578), vector3(2693.91, 3907.6, 42.3186), vector3(2685.11, 3909.48, 42.1728), vector3(2679.22, 3910.58, 42.0727), vector3(2670.33, 3912.01, 41.919), vector3(2664.39, 3912.82, 41.8149), vector3(2658.43, 3913.51, 41.71), vector3(2652.46, 3914.08, 41.6048), vector3(2646.47, 3914.54, 41.4997), vector3(2640.49, 3914.88, 41.395), vector3(2634.49, 3915.05, 41.2906), vector3(2625.49, 3914.95, 41.134), vector3(2619.5, 3914.68, 41.0298), vector3(2613.51, 3914.26, 40.926), vector3(2607.54, 3913.7, 40.8225), vector3(2601.58, 3913.01, 40.7195), vector3(2595.64, 3912.19, 40.617), vector3(2588.67, 3911.09, 40.4967), vector3(2583.8, 3910.23, 40.4136), vector3(2577.91, 3909.1, 40.3128), vector3(2572.04, 3907.88, 40.2126), vector3(2566.18, 3906.57, 40.113), vector3(2560.35, 3905.17, 40.0142), vector3(2554.53, 3903.7, 39.916), vector3(2548.74, 3902.16, 39.8186), vector3(2540.08, 3899.71, 39.6737), vector3(2531.46, 3897.13, 39.5306), vector3(2525.73, 3895.33, 39.4362), vector3(2520.03, 3893.47, 39.3426), vector3(2514.34, 3891.56, 39.2498), vector3(2508.67, 3889.6, 39.1578), vector3(2503.02, 3887.59, 39.0667), vector3(2497.39, 3885.53, 38.9765), vector3(2491.77, 3883.43, 38.8873), vector3(2483.37, 3880.19, 38.7552), vector3(2469.45, 3874.59, 38.5402), vector3(2450.13, 3866.37, 38.2512), vector3(2430.99, 3857.74, 37.9786), vector3(2409.32, 3847.43, 37.6928), vector3(2390.53, 3838.05, 37.474), vector3(2369.25, 3826.96, 37.2833), vector3(2350.77, 3816.99, 37.235), vector3(2329.72, 3805.46, 37.2946), vector3(2316.58, 3798.23, 37.3255), vector3(2269.39, 3771.98, 37.4084), vector3(2230.14, 3749.96, 37.4541), vector3(2219.69, 3744.07, 37.4638), vector3(2209.24, 3738.17, 37.4727), vector3(2198.79, 3732.27, 37.4809), vector3(2190.96, 3727.84, 37.4866), vector3(2180.52, 3721.92, 37.4936), vector3(2172.69, 3717.48, 37.4986), vector3(2159.64, 3710.08, 37.5063), vector3(2149.21, 3704.15, 37.512), vector3(2141.38, 3699.7, 37.516), vector3(2130.96, 3693.77, 37.5212), vector3(2120.53, 3687.83, 37.5261), vector3(2112.71, 3683.37, 37.5296), vector3(2104.89, 3678.91, 37.5331), vector3(2091.86, 3671.48, 37.5387), vector3(2078.84, 3664.04, 37.5441), vector3(2065.82, 3656.59, 37.5496), vector3(2055.4, 3650.64, 37.5539), vector3(2044.98, 3644.68, 37.5583), vector3(2037.17, 3640.2, 37.5617), vector3(2029.36, 3635.73, 37.5651), vector3(2021.55, 3631.26, 37.5686), vector3(2013.75, 3626.78, 37.5722), vector3(2005.94, 3622.31, 37.5759), vector3(2000.73, 3619.32, 37.5784), vector3(1992.93, 3614.84, 37.5823), vector3(1985.12, 3610.36, 37.5863), vector3(1977.31, 3605.88, 37.5905), vector3(1966.91, 3599.91, 37.5963), vector3(1959.1, 3595.43, 37.6009), vector3(1948.7, 3589.45, 37.6072), vector3(1935.69, 3581.98, 37.6157), vector3(1927.89, 3577.49, 37.6211), vector3(1917.48, 3571.51, 37.6286), vector3(1909.68, 3567.03, 37.6345), vector3(1901.88, 3562.54, 37.6407), vector3(1891.48, 3556.56, 37.6494), vector3(1881.07, 3550.58, 37.6585), vector3(1870.67, 3544.59, 37.6682), vector3(1860.27, 3538.61, 37.6785), vector3(1852.47, 3534.12, 37.6866), vector3(1842.07, 3528.13, 37.6979), vector3(1829.07, 3520.65, 37.7129), vector3(1818.67, 3514.67, 37.7256), vector3(1808.27, 3508.68, 37.7391), vector3(1800.47, 3504.19, 37.7497), vector3(1790.07, 3498.2, 37.7644), vector3(1779.67, 3492.22, 37.78), vector3(1769.27, 3486.23, 37.7963), vector3(1758.87, 3480.24, 37.8136), vector3(1743.27, 3471.27, 37.841), vector3(1725.07, 3460.79, 37.874), vector3(1706.84, 3450.35, 37.9162), vector3(1696.39, 3444.46, 37.9378), vector3(1678.02, 3434.29, 37.9632), vector3(1662.19, 3425.72, 37.9727), vector3(1648.93, 3418.7, 37.9724), vector3(1638.28, 3413.17, 37.9671), vector3(1630.27, 3409.06, 37.9603), vector3(1624.92, 3406.35, 37.9545), vector3(1616.87, 3402.32, 37.9442), vector3(1608.8, 3398.34, 37.9319), vector3(1600.71, 3394.4, 37.918), vector3(1592.59, 3390.51, 37.9027), vector3(1584.46, 3386.67, 37.8862), vector3(1573.57, 3381.63, 37.863), vector3(1565.38, 3377.9, 37.8451), vector3(1559.9, 3375.44, 37.8331), vector3(1551.67, 3371.8, 37.8154), vector3(1540.67, 3367.01, 37.7928), vector3(1529.63, 3362.32, 37.7725), vector3(1518.55, 3357.7, 37.7553), vector3(1510.22, 3354.29, 37.7452), vector3(1499.08, 3349.82, 37.7363), vector3(1485.13, 3344.33, 37.7342), vector3(1476.73, 3341.08, 37.7385), vector3(1468.32, 3337.87, 37.7474), vector3(1459.91, 3334.69, 37.7614), vector3(1451.47, 3331.54, 37.7807), vector3(1445.85, 3329.45, 37.7968), vector3(1437.4, 3326.34, 37.8259), vector3(1426.13, 3322.22, 37.8744), vector3(1414.85, 3318.14, 37.9345), vector3(1403.56, 3314.07, 38.0062), vector3(1392.25, 3310.06, 38.0791), vector3(1380.91, 3306.13, 38.1446), vector3(1372.39, 3303.23, 38.1892), vector3(1363.86, 3300.38, 38.2301), vector3(1355.3, 3297.57, 38.2676), vector3(1346.74, 3294.81, 38.3017), vector3(1338.16, 3292.1, 38.3328), vector3(1329.56, 3289.43, 38.3612), vector3(1320.95, 3286.81, 38.387), vector3(1312.33, 3284.23, 38.4106), vector3(1300.81, 3280.87, 38.4389), vector3(1289.27, 3277.58, 38.4643), vector3(1277.71, 3274.37, 38.4874), vector3(1269.02, 3272.02, 38.5036), vector3(1257.42, 3268.95, 38.5243), vector3(1245.8, 3265.96, 38.5447), vector3(1237.07, 3263.76, 38.5602), vector3(1225.42, 3260.9, 38.5815), vector3(1210.83, 3257.42, 38.6185), vector3(1196.21, 3254.05, 38.7078), vector3(1181.57, 3250.78, 38.7958), vector3(1172.77, 3248.87, 38.8266), vector3(1161.04, 3246.37, 38.8646), vector3(1149.29, 3243.94, 38.9078), vector3(1137.53, 3241.56, 38.9567), vector3(1128.7, 3239.81, 38.9975), vector3(1113.97, 3236.95, 39.0739), vector3(1102.18, 3234.73, 39.1431), vector3(1093.33, 3233.08, 39.1994), vector3(1084.48, 3231.45, 39.2565), }, }, [3] = { Type = 1, Nodes = { vector3(290.534, -1845.34, 25.776), vector3(298.248, -1836.14, 25.8624), vector3(305.961, -1826.95, 26.0934), vector3(313.675, -1817.76, 26.4263), vector3(321.388, -1808.57, 26.8184), vector3(329.102, -1799.37, 27.2273), vector3(336.815, -1790.18, 27.6102), vector3(344.529, -1780.99, 27.9246), vector3(352.033, -1772.38, 28.0129), vector3(359.55, -1763.36, 28.1819), vector3(367.881, -1753.38, 28.167), vector3(375.865, -1743.85, 28.1755), vector3(386.517, -1731.25, 28.1819), vector3(394.203, -1722.13, 28.1446), vector3(401.917, -1712.94, 28.1446), vector3(409.631, -1703.75, 28.1446), vector3(417.346, -1694.55, 28.1446), vector3(425.06, -1685.36, 28.1446), vector3(432.775, -1676.17, 28.1446), vector3(440.489, -1666.97, 28.1446), vector3(448.203, -1657.78, 28.1446), vector3(451.994, -1653.17, 28.1819), vector3(462.473, -1640.68, 28.1819), vector3(472.189, -1629.06, 28.1819), vector3(479.61, -1620.25, 28.1861), vector3(486.753, -1611.76, 28.1835), vector3(490.642, -1607.1, 28.1906), vector3(494.56, -1602.41, 28.2636), vector3(498.484, -1597.69, 28.2204), vector3(502.435, -1592.92, 28.1259), vector3(506.321, -1588.22, 27.849), vector3(510.168, -1583.54, 27.4585), vector3(514.007, -1578.87, 26.9077), vector3(517.844, -1574.2, 26.225), vector3(521.686, -1569.53, 25.4826), vector3(525.532, -1564.87, 24.6901), vector3(529.457, -1560.12, 23.8681), vector3(533.223, -1555.54, 23.0642), vector3(544.992, -1541.51, 20.8951), vector3(552.075, -1531.4, 20.443), vector3(556.22, -1523.61, 20.443), vector3(558.418, -1517.26, 20.443), vector3(559.922, -1510.86, 20.443), vector3(560.612, -1504.25, 20.443), vector3(560.964, -1497.29, 20.443), vector3(561.021, -1483.94, 20.443), vector3(561.049, -1464.19, 20.443), vector3(561.086, -1447.44, 20.443), vector3(561.089, -1428.72, 20.443), vector3(560.944, -1418.79, 20.4428), vector3(561.139, -1414.61, 20.5391), vector3(561.585, -1407.11, 20.5803), vector3(562.194, -1399.09, 20.5906), vector3(562.681, -1395.33, 20.6264), vector3(563.695, -1391.08, 20.6429), vector3(565.245, -1387.6, 20.6422), vector3(569.578, -1380.74, 20.6423), vector3(574.619, -1374.95, 20.6423), vector3(580.027, -1369.06, 20.6423), vector3(585.435, -1363.16, 20.6423), vector3(590.843, -1357.27, 20.6423), vector3(596.25, -1351.37, 20.6423), vector3(601.658, -1345.48, 20.6423), vector3(607.066, -1339.58, 20.6423), vector3(612.474, -1333.69, 20.6423), vector3(617.882, -1327.79, 20.6423), vector3(623.29, -1321.9, 20.6423), vector3(628.698, -1316.0, 20.6423), vector3(634.106, -1310.1, 20.6423), vector3(639.514, -1304.21, 20.6423), vector3(644.922, -1298.31, 20.6423), vector3(650.041, -1292.3, 21.0007), vector3(654.611, -1285.32, 21.2891), vector3(658.352, -1277.5, 21.649), vector3(661.157, -1269.67, 21.906), vector3(663.319, -1261.86, 22.0497), vector3(664.724, -1253.67, 22.0793), vector3(664.949, -1244.87, 22.2161), vector3(664.65, -1220.8, 22.7187), vector3(664.651, -1200.8, 23.0458), vector3(664.651, -1164.8, 23.4306), vector3(664.617, -1156.79, 23.4963), }, }, [4] = { Type = 2, Direction = true, Nodes = { vector3(193.196, -603.836, 16.7565), vector3(198.621, -603.068, 16.7568), vector3(206.386, -601.174, 16.7568), vector3(211.34, -599.369, 16.7568), vector3(216.264, -597.179, 16.7568), vector3(222.739, -593.657, 16.7568), vector3(227.006, -591.886, 16.7568), vector3(231.457, -590.47, 16.7568), vector3(235.958, -589.536, 16.7568), vector3(240.527, -588.915, 16.7568), vector3(246.168, -588.762, 16.7568), vector3(263.189, -588.682, 16.7568), vector3(273.188, -588.715, 16.7568), vector3(300.213, -588.653, 16.7568), vector3(317.262, -588.685, 16.7568), vector3(340.173, -588.709, 16.7568), vector3(351.176, -588.759, 16.7568), vector3(360.197, -588.681, 16.7568), vector3(386.19, -588.72, 16.7568), vector3(406.297, -588.723, 16.5253), vector3(418.14, -588.781, 15.5151), vector3(429.421, -588.716, 14.5614), vector3(434.95, -588.733, 14.4154), vector3(440.333, -588.484, 14.3949), vector3(445.58, -587.8, 14.3949), vector3(450.847, -586.563, 14.3954), vector3(455.973, -584.972, 14.3945), vector3(460.952, -582.898, 14.3945), vector3(463.432, -581.644, 14.3945), vector3(465.745, -580.437, 14.3952), vector3(469.748, -578.305, 14.3961), vector3(474.107, -576.57, 14.3952), vector3(478.483, -575.156, 14.3952), vector3(483.009, -574.17, 14.3952), vector3(487.606, -573.554, 14.3952), vector3(492.265, -573.336, 14.3952), vector3(496.838, -573.516, 14.3952), vector3(501.469, -574.159, 14.3952), vector3(508.16, -575.79, 14.3952), vector3(510.362, -576.541, 14.3952), vector3(512.574, -577.477, 14.3952), vector3(516.787, -579.39, 14.3952), vector3(520.566, -581.557, 14.3952), vector3(524.506, -584.317, 14.3952), vector3(527.995, -587.188, 14.3962), vector3(531.35, -590.58, 14.3952), vector3(534.365, -594.164, 14.3952), vector3(537.098, -598.078, 14.3952), vector3(539.252, -601.844, 14.3952), vector3(541.249, -606.118, 14.3952), vector3(542.793, -610.4, 14.3943), vector3(544.022, -614.985, 14.3952), vector3(544.852, -619.6, 14.3952), vector3(545.239, -624.32, 14.3952), vector3(545.205, -628.616, 14.3943), vector3(544.824, -633.274, 14.3972), vector3(544.026, -637.797, 14.3953), vector3(542.784, -642.357, 14.3953), vector3(541.227, -646.799, 14.3953), vector3(539.177, -651.055, 14.3953), vector3(536.937, -655.208, 14.3389), vector3(534.711, -660.214, 14.2442), vector3(533.022, -665.195, 14.2022), vector3(531.894, -669.266, 14.4271), vector3(531.029, -676.884, 14.4222), vector3(529.693, -688.516, 14.4183), vector3(528.831, -696.193, 14.4159), vector3(528.06, -703.982, 14.4334), vector3(527.353, -711.72, 14.4119), vector3(526.611, -719.5, 14.431), vector3(525.905, -727.265, 14.409), vector3(525.251, -735.022, 14.4276), vector3(524.863, -739.122, 14.408), vector3(524.151, -746.921, 14.4271), vector3(523.394, -754.683, 14.4071), vector3(522.623, -762.447, 14.4276), vector3(521.926, -770.246, 14.4076), vector3(521.071, -781.854, 14.4281), vector3(520.545, -789.76, 14.4076), vector3(519.865, -797.983, 14.4276), vector3(519.181, -806.477, 14.4071), vector3(518.564, -814.912, 14.4261), vector3(518.025, -822.557, 14.4271), vector3(517.491, -829.303, 14.4076), vector3(516.844, -837.15, 14.4083), vector3(516.538, -845.12, 14.4222), vector3(516.577, -849.04, 14.4217), vector3(516.614, -856.875, 14.4102), vector3(516.598, -864.768, 14.4096), vector3(516.555, -868.66, 14.4215), vector3(516.581, -875.642, 14.423), vector3(516.695, -886.552, 14.6469), vector3(516.967, -894.406, 14.9167), vector3(517.327, -902.503, 15.3317), vector3(517.712, -910.642, 15.8253), vector3(517.818, -914.899, 16.1249), vector3(518.248, -923.057, 16.7108), vector3(518.135, -927.185, 17.0081), vector3(517.978, -931.188, 17.3188), vector3(517.925, -935.131, 17.6237), vector3(517.779, -939.057, 17.9376), vector3(517.845, -942.975, 18.2477), vector3(517.737, -953.222, 19.0892), vector3(517.821, -972.178, 20.6472), vector3(517.849, -1003.35, 23.0883), vector3(517.856, -1021.44, 24.3937), vector3(517.861, -1029.36, 24.9081), vector3(517.916, -1039.83, 25.5119), vector3(517.824, -1050.72, 26.1388), vector3(518.021, -1062.44, 26.869), vector3(518.419, -1074.37, 27.5243), vector3(519.177, -1090.05, 28.016), vector3(519.332, -1097.94, 28.0751), vector3(519.215, -1109.66, 28.11), vector3(519.238, -1115.3, 28.2061), vector3(519.238, -1127.4, 28.2162), vector3(519.308, -1138.7, 28.3517), vector3(519.301, -1151.03, 28.3925), vector3(519.389, -1159.36, 28.3922), vector3(519.408, -1168.11, 28.3722), vector3(519.1, -1172.15, 28.3724), vector3(518.483, -1176.4, 28.3265), vector3(517.813, -1179.56, 28.3731), vector3(516.65, -1182.93, 28.3231), vector3(515.642, -1185.48, 28.3942), vector3(513.444, -1188.37, 28.318), vector3(511.193, -1191.42, 28.3153), vector3(508.796, -1194.15, 28.3151), vector3(506.483, -1196.3, 28.3148), vector3(503.433, -1198.57, 28.3124), vector3(500.707, -1199.68, 28.309), vector3(496.834, -1200.72, 28.3041), vector3(494.482, -1201.13, 28.3007), vector3(492.205, -1201.46, 28.2977), vector3(489.456, -1201.69, 28.2924), vector3(480.81, -1202.21, 28.2765), vector3(472.229, -1202.34, 28.2636), vector3(460.655, -1202.28, 28.2642), vector3(449.48, -1202.09, 28.3271), vector3(446.682, -1201.97, 28.323), vector3(437.479, -1201.73, 28.293), vector3(428.335, -1201.51, 28.4766), vector3(425.176, -1201.44, 28.5952), vector3(419.201, -1201.33, 28.9336), vector3(416.704, -1201.25, 29.1238), vector3(409.805, -1201.01, 29.6943), vector3(404.286, -1200.86, 30.2231), vector3(392.247, -1200.59, 31.5444), vector3(389.34, -1200.48, 31.8906), vector3(383.349, -1200.34, 32.6045), vector3(377.315, -1200.13, 33.3145), vector3(371.12, -1199.85, 34.0459), vector3(365.412, -1199.53, 34.6973), vector3(359.517, -1199.25, 35.3047), vector3(353.369, -1198.93, 35.8699), vector3(347.885, -1198.76, 36.292), vector3(341.723, -1198.64, 36.6768), vector3(339.111, -1198.64, 36.7908), vector3(335.376, -1198.65, 36.9404), vector3(329.304, -1198.62, 37.0439), vector3(323.302, -1198.63, 37.0469), vector3(318.113, -1198.64, 37.0483), vector3(314.965, -1198.55, 37.0472), vector3(311.241, -1198.63, 37.0482), vector3(302.906, -1198.66, 37.0472), vector3(300.234, -1198.67, 37.0472), vector3(296.562, -1198.67, 37.0482), vector3(293.378, -1198.65, 37.0482), vector3(288.145, -1198.64, 37.0482), vector3(285.628, -1198.67, 37.0482), vector3(282.431, -1198.65, 37.0482), vector3(278.372, -1198.64, 37.0472), vector3(273.376, -1198.58, 37.0482), vector3(268.122, -1198.64, 37.0479), vector3(263.381, -1198.61, 37.0472), vector3(257.881, -1198.59, 37.0482), vector3(252.643, -1198.59, 37.0482), vector3(247.06, -1198.64, 37.0482), vector3(243.68, -1198.62, 37.0482), vector3(241.986, -1198.6, 37.0482), vector3(240.584, -1198.65, 37.0482), vector3(238.404, -1198.63, 37.0472), vector3(234.365, -1198.65, 37.0472), vector3(231.554, -1198.64, 37.0472), vector3(229.636, -1198.65, 37.0472), vector3(222.972, -1198.58, 37.0477), vector3(209.301, -1198.58, 37.0454), vector3(203.322, -1198.6, 37.0459), vector3(197.316, -1198.58, 37.0454), vector3(191.31, -1198.56, 37.0459), vector3(185.356, -1198.72, 37.0459), vector3(179.27, -1198.81, 37.0449), vector3(173.263, -1199.18, 36.956), vector3(167.244, -1199.57, 36.8125), vector3(161.35, -1200.08, 36.8115), vector3(149.267, -1201.08, 36.8105), vector3(137.337, -1202.01, 36.7094), vector3(119.223, -1203.49, 36.687), vector3(107.302, -1204.57, 36.5488), vector3(95.2699, -1205.76, 36.5488), vector3(77.1155, -1207.53, 36.5489), vector3(68.7337, -1208.29, 36.5489), vector3(59.3909, -1209.07, 36.5489), vector3(47.1751, -1209.98, 36.5479), vector3(38.1399, -1210.55, 36.5494), vector3(29.0364, -1210.97, 36.5499), vector3(23.1067, -1211.18, 36.5489), vector3(17.3968, -1211.31, 36.5494), vector3(11.1331, -1211.35, 36.5494), vector3(-1.00168, -1211.34, 36.5533), vector3(-30.9575, -1211.32, 36.5524), vector3(-66.8071, -1211.32, 36.5505), vector3(-90.8103, -1211.3, 36.5506), vector3(-114.743, -1211.34, 36.5491), vector3(-133.04, -1211.41, 36.5491), vector3(-150.732, -1211.78, 36.5496), vector3(-162.88, -1212.18, 36.5501), vector3(-174.982, -1212.46, 36.5503), vector3(-192.82, -1212.58, 36.5507), vector3(-224.586, -1212.66, 36.5503), vector3(-246.819, -1212.75, 36.5498), vector3(-258.788, -1212.73, 36.5503), vector3(-270.784, -1212.61, 36.5509), vector3(-282.855, -1212.68, 36.4816), vector3(-294.795, -1212.58, 35.9386), vector3(-306.812, -1212.64, 34.9738), vector3(-318.816, -1212.7, 33.7394), vector3(-330.803, -1212.65, 32.3898), vector3(-339.962, -1212.64, 31.2204), vector3(-348.831, -1212.66, 29.9186), vector3(-360.714, -1212.72, 28.3122), vector3(-366.824, -1212.71, 27.7384), vector3(-372.853, -1212.77, 27.4415), vector3(-378.788, -1212.76, 27.3649), vector3(-384.808, -1212.78, 27.3644), vector3(-396.904, -1212.73, 27.2448), vector3(-402.767, -1212.75, 27.1857), vector3(-409.072, -1212.74, 27.1045), vector3(-414.595, -1212.79, 27.0331), vector3(-420.743, -1212.83, 26.956), vector3(-426.485, -1212.88, 26.938), vector3(-432.679, -1212.89, 26.9152), vector3(-438.88, -1212.89, 26.8564), vector3(-444.636, -1212.95, 26.9673), vector3(-447.644, -1212.86, 27.1259), vector3(-456.162, -1212.86, 27.6494), vector3(-461.995, -1212.86, 28.0117), vector3(-467.813, -1212.84, 28.28), vector3(-473.621, -1212.86, 28.3457), vector3(-479.601, -1213.05, 28.2241), vector3(-485.549, -1213.71, 27.9536), vector3(-488.61, -1214.26, 27.7524), vector3(-491.575, -1215.09, 27.5551), vector3(-494.119, -1215.8, 27.3842), vector3(-499.459, -1217.76, 27.0571), vector3(-502.308, -1219.23, 26.8862), vector3(-507.293, -1222.25, 26.6201), vector3(-512.352, -1225.94, 26.2553), vector3(-515.971, -1229.46, 25.9526), vector3(-520.539, -1234.07, 25.602), vector3(-524.356, -1238.53, 25.3413), vector3(-527.859, -1243.63, 25.186), vector3(-529.735, -1247.01, 25.0805), vector3(-532.18, -1252.47, 24.9321), vector3(-534.632, -1257.98, 24.9057), vector3(-537.068, -1263.43, 24.9057), vector3(-539.579, -1268.92, 24.9057), vector3(-542.041, -1274.38, 24.9057), vector3(-544.478, -1279.86, 24.9057), vector3(-546.928, -1285.26, 24.9057), vector3(-549.434, -1290.78, 24.9062), vector3(-551.865, -1296.3, 24.9072), vector3(-554.308, -1301.74, 24.9052), vector3(-556.789, -1307.18, 24.9043), vector3(-559.3, -1312.67, 24.8965), vector3(-561.781, -1318.11, 24.7368), vector3(-564.132, -1323.65, 24.4101), vector3(-566.66, -1329.03, 23.9756), vector3(-569.161, -1334.47, 23.4746), vector3(-571.779, -1339.88, 22.9721), vector3(-572.779, -1342.12, 22.8092), vector3(-580.312, -1358.48, 21.7643), vector3(-585.162, -1369.44, 21.2828), vector3(-595.119, -1391.31, 20.1271), vector3(-602.485, -1407.74, 19.3356), vector3(-607.465, -1418.67, 18.8151), vector3(-612.228, -1429.67, 18.2682), vector3(-616.782, -1440.88, 17.674), vector3(-618.804, -1446.56, 17.3351), vector3(-620.606, -1452.51, 16.9269), vector3(-621.843, -1458.54, 16.5402), vector3(-622.918, -1464.61, 16.2467), vector3(-623.424, -1470.73, 16.0123), vector3(-623.486, -1477.08, 15.8405), vector3(-623.345, -1482.99, 15.6115), vector3(-622.944, -1501.03, 14.8741), vector3(-622.745, -1513.07, 14.3488), vector3(-622.369, -1531.0, 13.5221), vector3(-621.763, -1549.01, 12.8864), vector3(-621.221, -1565.87, 12.2263), vector3(-621.828, -1572.97, 12.2263), vector3(-622.92, -1583.0, 12.2258), vector3(-623.168, -1591.06, 12.2258), vector3(-623.889, -1600.15, 12.2258), vector3(-624.781, -1604.08, 12.2258), vector3(-626.337, -1609.16, 12.2268), vector3(-630.29, -1617.64, 12.2185), vector3(-640.001, -1634.47, 10.7116), vector3(-658.936, -1667.3, 7.39588), vector3(-673.971, -1693.32, 5.28942), vector3(-688.77, -1718.88, 3.07697), vector3(-699.695, -1737.94, 1.15429), vector3(-708.679, -1753.48, -0.416525), vector3(-717.261, -1768.22, -1.64895), vector3(-721.025, -1774.92, -1.64798), vector3(-723.505, -1780.32, -1.64798), vector3(-725.794, -1787.35, -1.64798), vector3(-727.075, -1792.67, -1.64896), vector3(-727.955, -1801.18, -1.64896), vector3(-728.037, -1815.27, -1.64799), vector3(-728.002, -1843.11, -2.31347), vector3(-728.005, -1863.22, -4.07205), vector3(-727.979, -1887.96, -6.23221), vector3(-728.034, -1907.78, -7.54798), vector3(-728.056, -1922.82, -8.86419), vector3(-728.018, -1937.61, -10.1581), vector3(-727.96, -1947.58, -11.0292), vector3(-728.116, -1957.41, -11.2503), vector3(-728.564, -1962.16, -11.2484), vector3(-729.26, -1966.8, -11.2494), vector3(-730.218, -1971.47, -11.2484), vector3(-731.398, -1976.14, -11.2494), vector3(-733.257, -1981.57, -11.2494), vector3(-737.984, -1994.7, -11.2484), vector3(-743.169, -2008.83, -11.2484), vector3(-748.326, -2022.98, -11.2484), vector3(-753.428, -2036.96, -11.2484), vector3(-756.901, -2046.49, -11.2484), vector3(-760.245, -2055.83, -11.2484), vector3(-762.027, -2060.57, -11.2474), vector3(-765.461, -2069.86, -11.2484), vector3(-767.896, -2076.91, -11.2484), vector3(-769.326, -2082.07, -11.2484), vector3(-770.28, -2087.47, -11.2484), vector3(-770.8, -2093.04, -11.2474), vector3(-770.834, -2098.26, -11.2484), vector3(-770.309, -2103.59, -11.2493), vector3(-769.564, -2108.53, -11.2474), vector3(-769.123, -2113.22, -11.2493), vector3(-769.09, -2115.51, -11.2474), vector3(-769.125, -2117.75, -11.2484), vector3(-769.241, -2120.13, -11.2484), vector3(-769.528, -2122.54, -11.2484), vector3(-769.872, -2124.73, -11.2484), vector3(-770.302, -2127.12, -11.2484), vector3(-770.857, -2129.31, -11.2493), vector3(-771.576, -2131.7, -11.2474), vector3(-773.986, -2138.33, -10.8131), vector3(-775.679, -2143.03, -10.3776), vector3(-777.409, -2147.73, -9.93814), vector3(-779.11, -2152.39, -9.50552), vector3(-780.79, -2157.08, -9.06899), vector3(-784.162, -2166.24, -8.84785), vector3(-785.867, -2170.94, -8.84785), vector3(-787.55, -2175.68, -8.84785), vector3(-789.221, -2180.4, -8.84785), vector3(-790.997, -2185.08, -8.84785), vector3(-793.372, -2191.47, -8.84688), vector3(-795.399, -2196.05, -8.84786), vector3(-797.534, -2199.74, -8.84786), vector3(-800.373, -2203.87, -8.84883), vector3(-804.937, -2209.13, -8.84786), vector3(-812.068, -2215.29, -9.06899), vector3(-819.721, -2221.73, -9.94204), vector3(-827.276, -2228.14, -10.8092), vector3(-838.833, -2237.69, -12.1201), vector3(-846.509, -2244.11, -12.996), vector3(-856.246, -2252.25, -13.6478), vector3(-860.46, -2255.86, -13.6473), vector3(-864.578, -2259.62, -13.6473), vector3(-868.174, -2263.68, -13.6473), vector3(-871.543, -2268.15, -13.6473), vector3(-874.363, -2273.11, -13.6454), vector3(-877.169, -2280.3, -13.6448), vector3(-880.576, -2289.61, -13.6458), vector3(-885.784, -2303.74, -13.6458), vector3(-896.104, -2331.91, -13.6468), vector3(-900.237, -2343.76, -13.6458), vector3(-904.563, -2355.4, -13.6468), vector3(-907.458, -2365.29, -13.6473), vector3(-908.182, -2373.89, -13.6473), vector3(-907.858, -2382.17, -13.6473), vector3(-907.005, -2387.64, -13.6463), vector3(-904.832, -2398.18, -13.6478), vector3(-899.793, -2411.24, -13.6488), vector3(-895.796, -2417.66, -13.6488), vector3(-889.744, -2425.55, -13.6478), vector3(-886.323, -2431.03, -13.6478), vector3(-883.425, -2437.73, -13.6478), vector3(-881.284, -2444.56, -13.6478), vector3(-880.144, -2453.63, -13.6478), vector3(-880.276, -2460.64, -13.6488), vector3(-881.972, -2469.79, -13.6468), vector3(-885.069, -2478.77, -13.6487), vector3(-895.291, -2506.99, -11.2797), vector3(-905.411, -2534.82, -9.32604), vector3(-910.627, -2548.94, -9.32506), vector3(-914.652, -2560.09, -9.32506), vector3(-916.298, -2563.77, -9.32506), vector3(-917.933, -2566.71, -9.32604), vector3(-920.427, -2570.69, -9.32408), vector3(-923.138, -2574.41, -9.32604), vector3(-926.237, -2577.76, -9.32408), vector3(-931.218, -2582.2, -9.32604), vector3(-941.222, -2590.57, -9.32507), vector3(-960.453, -2606.66, -9.32508), vector3(-968.056, -2613.13, -9.32411), vector3(-979.567, -2622.66, -9.32509), vector3(-992.581, -2633.63, -9.32412), vector3(-1006.32, -2645.18, -9.32559), vector3(-1017.99, -2653.34, -9.32462), vector3(-1024.57, -2656.76, -9.32462), vector3(-1031.02, -2659.3, -9.32462), vector3(-1036.1, -2661.19, -9.32462), vector3(-1043.73, -2664.24, -9.3256), vector3(-1047.23, -2666.0, -9.32462), vector3(-1051.05, -2668.47, -9.32462), vector3(-1055.73, -2671.93, -9.32462), vector3(-1059.28, -2675.37, -9.3256), vector3(-1065.93, -2683.25, -9.32315), vector3(-1073.48, -2692.15, -9.32315), vector3(-1081.95, -2702.24, -9.3251), vector3(-1091.71, -2713.86, -9.32413), vector3(-1104.42, -2728.99, -9.32413), vector3(-1110.92, -2736.79, -9.32413), vector3(-1117.45, -2744.5, -9.32324), vector3(-1120.69, -2748.28, -9.32324), vector3(-1124.03, -2751.9, -9.32324), vector3(-1126.93, -2754.59, -9.32373), vector3(-1129.86, -2756.92, -9.32324), vector3(-1133.15, -2759.28, -9.32373), vector3(-1135.75, -2761.69, -9.32324), vector3(-1138.13, -2764.24, -9.32422), vector3(-1140.86, -2767.36, -9.32346), vector3(-1144.76, -2771.26, -9.32346), vector3(-1147.79, -2773.84, -9.32346), vector3(-1150.88, -2776.27, -9.32443), vector3(-1158.1, -2780.58, -9.32346), vector3(-1162.95, -2782.71, -9.32346), vector3(-1170.39, -2785.23, -9.32343), vector3(-1174.39, -2786.16, -9.32294), vector3(-1178.3, -2786.81, -9.32343), vector3(-1182.34, -2787.14, -9.32294), vector3(-1186.26, -2787.32, -9.32343), vector3(-1191.63, -2787.03, -9.32392), vector3(-1197.47, -2786.31, -9.3244), vector3(-1201.67, -2785.79, -9.3244), vector3(-1206.18, -2785.58, -9.32294), vector3(-1210.82, -2785.84, -9.32343), vector3(-1214.3, -2786.13, -9.32294), vector3(-1217.69, -2786.84, -9.32343), vector3(-1222.29, -2788.0, -9.32343), vector3(-1226.19, -2789.48, -9.32345), vector3(-1232.72, -2792.66, -9.32345), vector3(-1236.61, -2795.19, -9.32345), vector3(-1242.04, -2799.54, -9.32443), vector3(-1245.33, -2802.81, -9.32297), vector3(-1248.09, -2806.19, -9.32348), vector3(-1252.05, -2812.09, -9.32348), vector3(-1255.96, -2820.49, -9.32348), vector3(-1257.95, -2827.22, -9.32348), vector3(-1259.17, -2836.19, -9.32351), vector3(-1258.99, -2843.18, -9.32351), vector3(-1257.98, -2850.09, -9.32351), vector3(-1256.09, -2856.3, -9.32449), vector3(-1254.14, -2860.97, -9.32354), vector3(-1251.93, -2865.08, -9.32403), vector3(-1249.47, -2869.01, -9.32403), vector3(-1246.76, -2872.6, -9.32354), vector3(-1243.63, -2876.04, -9.32305), vector3(-1240.22, -2879.21, -9.32354), vector3(-1232.47, -2885.58, -9.32403), vector3(-1221.1, -2895.32, -9.32354), vector3(-1215.59, -2899.82, -9.32356), vector3(-1211.75, -2902.58, -9.32307), vector3(-1207.74, -2904.9, -9.32405), vector3(-1201.24, -2907.72, -9.32356), vector3(-1194.57, -2909.62, -9.32307), vector3(-1187.85, -2910.74, -9.32408), vector3(-1183.23, -2910.91, -9.32359), vector3(-1178.65, -2910.71, -9.32359), vector3(-1173.99, -2910.15, -9.32408), vector3(-1171.58, -2909.68, -9.32359), vector3(-1167.13, -2908.4, -9.32359), vector3(-1160.81, -2906.0, -9.32361), vector3(-1156.68, -2903.82, -9.32313), vector3(-1152.78, -2901.33, -9.32361), vector3(-1147.33, -2897.03, -9.32361), vector3(-1144.04, -2893.72, -9.32361), vector3(-1139.73, -2888.36, -9.32364), vector3(-1137.25, -2884.4, -9.32364), vector3(-1135.12, -2880.38, -9.32364), vector3(-1133.25, -2876.07, -9.32364), vector3(-1131.3, -2869.26, -9.32315), vector3(-1130.31, -2862.53, -9.32318), vector3(-1130.09, -2857.82, -9.32367), vector3(-1130.35, -2853.27, -9.32367), vector3(-1130.91, -2848.68, -9.32416), vector3(-1132.52, -2841.85, -9.32367), vector3(-1134.95, -2834.6, -9.32416), vector3(-1136.15, -2829.41, -9.32367), vector3(-1136.68, -2825.6, -9.32416), vector3(-1136.92, -2821.3, -9.32367), vector3(-1137.01, -2817.47, -9.32367), vector3(-1136.83, -2813.22, -9.32367), vector3(-1136.09, -2807.78, -9.32413), vector3(-1135.03, -2802.76, -9.32364), vector3(-1133.46, -2797.68, -9.32364), vector3(-1131.93, -2793.96, -9.32364), vector3(-1130.07, -2790.19, -9.32413), vector3(-1127.4, -2785.43, -9.32364), vector3(-1122.92, -2779.47, -9.32364), vector3(-1119.58, -2775.21, -9.32373), vector3(-1116.97, -2770.73, -9.32422), vector3(-1114.88, -2766.15, -9.32422), vector3(-1112.09, -2761.91, -9.32422), vector3(-1106.16, -2754.43, -9.32373), vector3(-1099.37, -2746.34, -9.32413), vector3(-1083.37, -2727.26, -9.32364), vector3(-1067.23, -2708.14, -9.32413), vector3(-1054.38, -2692.88, -9.32413), vector3(-1045.03, -2681.6, -9.32462), vector3(-1042.37, -2677.94, -9.32413), vector3(-1039.57, -2674.63, -9.32462), vector3(-1036.19, -2671.47, -9.32462), vector3(-1032.24, -2669.09, -9.32364), vector3(-1027.88, -2667.22, -9.32511), vector3(-1023.13, -2665.43, -9.32364), vector3(-1018.32, -2663.17, -9.32559), vector3(-1013.73, -2660.76, -9.32462), vector3(-1009.22, -2657.98, -9.32462), vector3(-1002.87, -2653.46, -9.32462), vector3(-928.026, -2590.51, -9.32458), vector3(-920.292, -2583.85, -9.32457), vector3(-916.637, -2579.77, -9.32457), vector3(-912.441, -2574.2, -9.32457), vector3(-909.132, -2568.63, -9.32457), vector3(-906.737, -2563.33, -9.32408), vector3(-904.286, -2556.6, -9.32457), vector3(-899.138, -2542.43, -9.32457), vector3(-894.149, -2528.58, -9.53896), vector3(-882.886, -2497.75, -12.4105), vector3(-879.43, -2488.38, -13.2845), vector3(-875.942, -2478.8, -13.6473), vector3(-873.646, -2471.9, -13.6473), vector3(-872.114, -2464.05, -13.6473), vector3(-871.593, -2458.03, -13.6473), vector3(-871.713, -2453.24, -13.6473), vector3(-872.262, -2447.36, -13.6473), vector3(-873.201, -2441.86, -13.6478), vector3(-874.623, -2436.98, -13.6468), vector3(-876.272, -2432.5, -13.6473), vector3(-878.264, -2428.21, -13.6473), vector3(-881.202, -2422.89, -13.6468), vector3(-884.613, -2418.2, -13.6473), vector3(-888.769, -2412.72, -13.6478), vector3(-892.122, -2407.1, -13.6473), vector3(-895.094, -2400.6, -13.6473), vector3(-897.197, -2394.03, -13.6473), vector3(-898.284, -2387.01, -13.6473), vector3(-898.129, -2382.37, -13.6473), vector3(-897.139, -2377.89, -13.6473), vector3(-895.585, -2373.88, -13.6468), vector3(-893.027, -2367.61, -13.6468), vector3(-890.384, -2360.55, -13.6458), vector3(-888.611, -2355.86, -13.6468), vector3(-880.172, -2332.37, -13.6463), vector3(-866.522, -2294.89, -13.6312), vector3(-859.907, -2276.36, -13.6468), vector3(-858.488, -2272.11, -13.6473), vector3(-857.113, -2267.98, -13.6473), vector3(-856.029, -2265.58, -13.6468), vector3(-854.393, -2263.07, -13.6473), vector3(-852.251, -2260.25, -13.6473), vector3(-841.066, -2250.65, -12.999), vector3(-818.083, -2231.36, -10.3737), vector3(-806.721, -2221.76, -9.07387), vector3(-801.084, -2217.12, -8.84737), vector3(-795.419, -2211.29, -8.84786), vector3(-792.152, -2206.94, -8.84737), vector3(-789.179, -2202.45, -8.84688), vector3(-786.737, -2197.63, -8.84737), vector3(-779.577, -2178.57, -8.84688), vector3(-776.13, -2169.16, -8.84736), vector3(-772.832, -2160.04, -9.06509), vector3(-769.345, -2150.76, -9.93032), vector3(-767.6, -2145.98, -10.3756), vector3(-763.502, -2134.34, -11.2484), vector3(-762.064, -2129.08, -11.2484), vector3(-761.271, -2124.93, -11.2484), vector3(-760.744, -2120.87, -11.2484), vector3(-760.593, -2115.54, -11.2484), vector3(-760.778, -2110.12, -11.2484), vector3(-761.536, -2104.66, -11.2489), vector3(-762.128, -2100.44, -11.2479), vector3(-762.296, -2095.88, -11.2484), vector3(-762.079, -2090.95, -11.2484), vector3(-761.591, -2086.47, -11.2484), vector3(-760.49, -2081.99, -11.2484), vector3(-753.981, -2063.32, -11.2484), vector3(-743.805, -2035.3, -11.2479), vector3(-735.202, -2011.66, -11.2479), vector3(-730.091, -1997.65, -11.2479), vector3(-726.27, -1987.42, -11.2474), vector3(-723.275, -1978.48, -11.2484), vector3(-721.589, -1972.22, -11.2474), vector3(-720.42, -1965.85, -11.2479), vector3(-719.882, -1961.93, -11.2484), vector3(-719.628, -1957.94, -11.2484), vector3(-719.39, -1947.54, -11.0268), vector3(-719.47, -1927.51, -9.27386), vector3(-719.424, -1907.67, -7.53968), vector3(-719.489, -1877.88, -5.35428), vector3(-719.495, -1853.04, -3.18065), vector3(-719.433, -1838.1, -1.87353), vector3(-719.51, -1818.38, -1.64896), vector3(-719.445, -1805.32, -1.64847), vector3(-719.36, -1800.15, -1.64896), vector3(-719.051, -1796.49, -1.64798), vector3(-718.572, -1793.34, -1.64896), vector3(-717.756, -1789.5, -1.64847), vector3(-717.085, -1787.37, -1.64896), vector3(-716.296, -1785.11, -1.64847), vector3(-714.545, -1780.92, -1.64896), vector3(-712.378, -1776.69, -1.64846), vector3(-707.389, -1768.07, -1.46145), vector3(-689.976, -1737.66, 1.60229), vector3(-679.908, -1720.51, 3.34064), vector3(-667.607, -1699.09, 5.28942), vector3(-660.145, -1686.12, 5.91784), vector3(-646.773, -1662.91, 8.26204), vector3(-637.691, -1647.3, 9.84101), vector3(-635.195, -1643.14, 10.2648), vector3(-631.816, -1637.11, 10.8698), vector3(-624.262, -1624.16, 12.1003), vector3(-621.622, -1619.47, 12.2263), vector3(-619.174, -1614.04, 12.2263), vector3(-617.362, -1609.54, 12.2258), vector3(-616.005, -1603.71, 12.2258), vector3(-615.136, -1598.87, 12.2268), vector3(-614.802, -1596.28, 12.2263), vector3(-614.604, -1593.2, 12.2263), vector3(-614.639, -1591.06, 12.2268), vector3(-614.555, -1588.22, 12.2263), vector3(-614.829, -1582.99, 12.2261), vector3(-615.31, -1578.64, 12.2263), vector3(-615.564, -1575.8, 12.2266), vector3(-616.049, -1570.93, 12.2273), vector3(-616.294, -1560.58, 12.428), vector3(-616.698, -1548.77, 12.8951), vector3(-617.105, -1536.8, 13.3204), vector3(-617.421, -1524.78, 13.8131), vector3(-617.623, -1512.85, 14.358), vector3(-617.905, -1500.86, 14.8805), vector3(-618.143, -1488.8, 15.379), vector3(-618.418, -1476.92, 15.8448), vector3(-618.312, -1471.02, 16.0114), vector3(-617.755, -1465.3, 16.2448), vector3(-616.856, -1459.48, 16.5397), vector3(-615.688, -1453.8, 16.9244), vector3(-613.974, -1448.25, 17.3136), vector3(-611.998, -1442.66, 17.6764), vector3(-609.82, -1437.14, 17.9801), vector3(-607.547, -1431.78, 18.2623), vector3(-605.217, -1426.19, 18.5218), vector3(-600.34, -1415.3, 19.056), vector3(-595.372, -1404.33, 19.553), vector3(-592.809, -1398.71, 19.85), vector3(-583.05, -1377.03, 21.0133), vector3(-570.777, -1349.73, 22.359), vector3(-569.404, -1346.82, 22.5774), vector3(-567.129, -1342.06, 23.0123), vector3(-564.027, -1336.85, 23.4917), vector3(-560.622, -1331.74, 23.9956), vector3(-555.523, -1324.24, 24.6025), vector3(-552.423, -1318.92, 24.8484), vector3(-548.318, -1310.97, 24.905), vector3(-536.021, -1283.65, 24.9006), vector3(-528.638, -1267.25, 24.9035), vector3(-526.174, -1261.74, 24.9057), vector3(-525.04, -1258.99, 24.9057), vector3(-523.978, -1256.25, 24.9304), vector3(-522.977, -1253.41, 25.0166), vector3(-521.985, -1250.64, 25.1079), vector3(-520.799, -1247.37, 25.1875), vector3(-519.494, -1244.17, 25.2539), vector3(-518.586, -1242.12, 25.3364), vector3(-516.79, -1238.39, 25.5537), vector3(-515.463, -1236.08, 25.688), vector3(-513.888, -1233.87, 25.8379), vector3(-512.852, -1232.54, 25.9472), vector3(-511.196, -1230.86, 26.1098), vector3(-509.395, -1229.14, 26.269), vector3(-507.168, -1227.38, 26.435), vector3(-505.88, -1226.42, 26.5483), vector3(-503.836, -1225.05, 26.685), vector3(-500.203, -1223.01, 26.8911), vector3(-496.192, -1221.11, 27.1479), vector3(-492.771, -1219.91, 27.3833), vector3(-487.678, -1218.52, 27.7553), vector3(-482.126, -1217.6, 28.0903), vector3(-479.277, -1217.33, 28.226), vector3(-473.644, -1217.18, 28.3481), vector3(-467.878, -1217.17, 28.2827), vector3(-462.005, -1217.14, 28.0132), vector3(-456.196, -1217.16, 27.6543), vector3(-450.43, -1217.18, 27.2758), vector3(-444.589, -1217.19, 26.9673), vector3(-438.695, -1217.21, 26.8508), vector3(-432.726, -1217.21, 26.9162), vector3(-426.532, -1217.17, 26.9377), vector3(-420.737, -1217.22, 26.9592), vector3(-414.745, -1217.29, 27.0304), vector3(-408.718, -1217.4, 27.1086), vector3(-402.741, -1217.5, 27.1867), vector3(-396.806, -1217.6, 27.2463), vector3(-390.571, -1217.59, 27.3078), vector3(-384.682, -1217.62, 27.3644), vector3(-378.656, -1217.58, 27.3664), vector3(-372.765, -1217.56, 27.443), vector3(-366.845, -1217.58, 27.735), vector3(-360.684, -1217.53, 28.3144), vector3(-354.754, -1217.53, 29.0587), vector3(-348.763, -1217.52, 29.9249), vector3(-340.836, -1217.52, 31.0958), vector3(-332.242, -1217.52, 32.2179), vector3(-324.665, -1217.52, 33.0866), vector3(-318.784, -1217.52, 33.7433), vector3(-312.905, -1217.52, 34.3717), vector3(-306.676, -1217.52, 34.9867), vector3(-300.747, -1217.52, 35.5045), vector3(-294.746, -1217.52, 35.9435), vector3(-288.863, -1217.52, 36.2746), vector3(-282.882, -1217.51, 36.4811), vector3(-276.31, -1217.51, 36.5502), vector3(-264.76, -1217.55, 36.5503), vector3(-246.767, -1217.44, 36.5505), vector3(-192.537, -1217.4, 36.5507), vector3(-174.689, -1217.67, 36.551), vector3(-162.569, -1217.85, 36.5501), vector3(-150.724, -1218.28, 36.551), vector3(-141.578, -1218.44, 36.5496), vector3(-132.713, -1218.68, 36.5491), vector3(-124.911, -1218.8, 36.5496), vector3(-114.697, -1218.82, 36.5491), vector3(-104.67, -1218.81, 36.5501), vector3(-90.5955, -1218.72, 36.5498), vector3(-72.7314, -1218.83, 36.55), vector3(-60.6293, -1218.76, 36.551), vector3(-36.5278, -1218.76, 36.5522), vector3(-6.73386, -1218.76, 36.5534), vector3(9.91336, -1218.8, 36.5504), vector3(23.2561, -1218.63, 36.5484), vector3(35.303, -1218.21, 36.5494), vector3(47.2991, -1217.47, 36.5489), vector3(59.2893, -1216.6, 36.3658), vector3(77.1663, -1215.07, 36.5484), vector3(101.389, -1212.65, 36.5498), vector3(119.444, -1210.95, 36.6889), vector3(131.261, -1209.93, 36.6631), vector3(137.278, -1209.47, 36.7104), vector3(149.332, -1208.86, 36.8122), vector3(167.421, -1209.14, 36.8137), vector3(185.571, -1209.89, 37.0461), vector3(197.37, -1209.96, 37.0449), vector3(209.457, -1209.95, 37.0464), vector3(222.8, -1209.93, 37.0462), vector3(237.248, -1209.97, 37.0467), vector3(244.75, -1209.94, 37.0467), vector3(252.554, -1209.89, 37.0467), vector3(264.937, -1209.91, 37.0467), vector3(284.758, -1209.94, 37.1173), vector3(306.169, -1210.01, 37.0467), vector3(312.955, -1209.97, 37.0462), vector3(317.905, -1209.96, 37.0467), vector3(320.624, -1210.0, 37.0469), vector3(326.326, -1209.94, 37.0449), vector3(331.801, -1209.92, 37.0015), vector3(335.783, -1209.96, 36.9224), vector3(341.304, -1210.0, 36.7012), vector3(347.251, -1209.92, 36.3428), vector3(353.263, -1209.73, 35.8774), vector3(359.26, -1209.42, 35.3271), vector3(365.259, -1209.08, 34.707), vector3(371.341, -1208.74, 34.0264), vector3(377.342, -1208.38, 33.3213), vector3(383.307, -1208.14, 32.605), vector3(389.343, -1207.98, 31.8818), vector3(395.37, -1207.82, 31.1787), vector3(401.401, -1207.67, 30.5127), vector3(407.257, -1207.57, 29.9189), vector3(413.116, -1207.41, 29.3923), vector3(419.353, -1207.22, 28.9238), vector3(425.439, -1207.14, 28.7226), vector3(431.43, -1207.03, 28.3662), vector3(437.682, -1207.12, 28.292), vector3(443.215, -1207.07, 28.3147), vector3(449.394, -1207.17, 28.4297), vector3(455.594, -1207.27, 28.3515), vector3(460.689, -1207.35, 28.2871), vector3(467.288, -1207.49, 28.2636), vector3(475.158, -1207.42, 28.2656), vector3(483.978, -1207.21, 28.2826), vector3(488.275, -1206.95, 28.29), vector3(491.842, -1206.7, 28.2963), vector3(494.8, -1206.2, 28.3017), vector3(497.824, -1205.69, 28.3056), vector3(501.745, -1204.65, 28.311), vector3(504.823, -1203.4, 28.3144), vector3(507.726, -1201.8, 28.3183), vector3(510.22, -1199.84, 28.3193), vector3(512.383, -1197.74, 28.3193), vector3(515.33, -1194.33, 28.3188), vector3(519.818, -1188.12, 28.3172), vector3(521.256, -1184.87, 28.327), vector3(522.274, -1181.12, 28.3412), vector3(522.984, -1177.38, 28.3534), vector3(523.446, -1172.72, 28.3709), vector3(523.743, -1168.16, 28.3719), vector3(523.662, -1151.13, 28.3714), vector3(523.54, -1145.05, 28.3641), vector3(523.651, -1127.53, 28.2166), vector3(523.618, -1115.38, 28.2069), vector3(523.674, -1097.89, 28.0555), vector3(523.594, -1094.0, 28.0409), vector3(522.834, -1078.23, 27.6844), vector3(522.321, -1062.51, 26.8553), vector3(522.296, -1048.89, 26.02), vector3(522.301, -1025.35, 24.6323), vector3(522.272, -1017.54, 24.1079), vector3(522.3, -1005.78, 23.269), vector3(522.249, -997.887, 22.6762), vector3(522.276, -982.154, 21.4497), vector3(522.258, -974.34, 20.8256), vector3(522.177, -962.557, 19.8569), vector3(522.018, -954.698, 19.213), vector3(522.098, -946.778, 18.5647), vector3(522.191, -935.067, 17.6215), vector3(522.422, -927.093, 17.0136), vector3(523.315, -918.802, 16.4207), vector3(524.682, -910.382, 15.8338), vector3(526.367, -902.151, 15.3228), vector3(528.042, -893.942, 14.9122), vector3(529.811, -886.166, 14.6354), vector3(531.244, -878.754, 14.465), vector3(532.289, -872.191, 14.4105), vector3(532.43, -864.701, 14.4104), vector3(532.51, -849.17, 14.4106), vector3(532.382, -841.164, 14.4104), vector3(531.215, -824.509, 14.4461), vector3(530.81, -803.849, 14.4476), vector3(531.618, -774.687, 14.4515), vector3(532.74, -751.173, 14.4539), vector3(534.561, -727.936, 14.4593), vector3(535.929, -712.46, 14.4652), vector3(537.068, -700.786, 14.4691), vector3(537.875, -693.002, 14.473), vector3(538.758, -685.323, 14.4769), vector3(540.542, -669.73, 14.21), vector3(541.927, -665.248, 14.2202), vector3(543.484, -661.199, 14.2842), vector3(545.554, -657.093, 14.3955), vector3(547.577, -653.147, 14.3953), vector3(548.939, -650.266, 14.3953), vector3(550.092, -647.427, 14.3953), vector3(550.878, -644.981, 14.3955), vector3(551.652, -642.307, 14.3955), vector3(552.368, -639.545, 14.3953), vector3(552.839, -637.105, 14.3953), vector3(553.28, -634.458, 14.395), vector3(553.513, -631.734, 14.3953), vector3(553.711, -629.037, 14.3948), vector3(553.782, -626.3, 14.3952), vector3(553.724, -623.935, 14.3947), vector3(553.521, -621.054, 14.3952), vector3(553.284, -618.566, 14.3947), vector3(552.899, -615.788, 14.3952), vector3(552.347, -613.107, 14.3952), vector3(551.714, -610.427, 14.3947), vector3(550.923, -607.747, 14.3952), vector3(550.14, -605.341, 14.3952), vector3(549.217, -602.887, 14.3962), vector3(548.093, -600.404, 14.3952), vector3(546.845, -598.028, 14.3952), vector3(545.418, -595.447, 14.3952), vector3(544.271, -593.501, 14.3942), vector3(542.608, -591.07, 14.3952), vector3(541.239, -589.104, 14.3952), vector3(539.413, -586.851, 14.3962), vector3(537.651, -584.888, 14.3962), vector3(535.743, -582.936, 14.3952), vector3(533.787, -580.946, 14.3952), vector3(531.766, -579.264, 14.3962), vector3(529.756, -577.573, 14.3952), vector3(527.52, -575.945, 14.3962), vector3(525.322, -574.483, 14.3962), vector3(522.866, -572.988, 14.3952), vector3(520.885, -571.881, 14.3952), vector3(518.273, -570.607, 14.3962), vector3(515.969, -569.567, 14.3952), vector3(513.254, -568.552, 14.3942), vector3(510.816, -567.678, 14.3952), vector3(508.186, -566.917, 14.3952), vector3(505.276, -566.312, 14.3952), vector3(502.989, -565.754, 14.3962), vector3(500.268, -565.357, 14.3952), vector3(497.6, -565.028, 14.3952), vector3(495.128, -564.903, 14.3962), vector3(492.081, -564.815, 14.3961), vector3(489.846, -564.873, 14.3952), vector3(486.8, -565.029, 14.3942), vector3(484.414, -565.246, 14.3947), vector3(481.533, -565.738, 14.3947), vector3(478.965, -566.239, 14.3961), vector3(476.307, -566.951, 14.3952), vector3(473.589, -567.691, 14.3952), vector3(471.223, -568.519, 14.3952), vector3(468.713, -569.463, 14.3952), vector3(466.254, -570.584, 14.3947), vector3(463.963, -571.773, 14.3952), vector3(461.48, -573.126, 14.3956), vector3(459.492, -574.145, 14.3949), vector3(457.428, -575.252, 14.3949), vector3(455.364, -576.107, 14.3949), vector3(453.162, -576.916, 14.3949), vector3(451.134, -577.645, 14.3949), vector3(448.658, -578.407, 14.3949), vector3(445.399, -579.123, 14.3954), vector3(442.014, -579.704, 14.3969), vector3(439.671, -580.065, 14.3949), vector3(437.345, -580.128, 14.3979), vector3(433.43, -580.157, 14.4447), vector3(429.501, -580.153, 14.559), vector3(423.795, -580.187, 14.9775), vector3(418.09, -580.133, 15.5204), vector3(412.302, -580.179, 16.0697), vector3(406.319, -580.184, 16.5258), vector3(394.336, -580.208, 16.7567), vector3(385.145, -580.171, 16.7568), vector3(375.164, -580.184, 16.757), vector3(360.221, -580.227, 16.7568), vector3(349.394, -580.202, 16.7568), vector3(335.117, -580.183, 16.7568), vector3(325.173, -580.202, 16.7563), vector3(305.12, -580.183, 16.7572), vector3(295.13, -580.183, 16.7553), vector3(283.118, -580.153, 16.7568), vector3(270.172, -580.203, 16.7568), vector3(249.097, -580.189, 16.7568), vector3(242.694, -580.251, 16.7568), vector3(239.805, -580.418, 16.7568), vector3(237.293, -580.661, 16.7568), vector3(234.487, -581.079, 16.7568), vector3(232.098, -581.544, 16.7568), vector3(229.23, -582.261, 16.7568), vector3(226.663, -583.027, 16.7568), vector3(224.113, -583.907, 16.7568), vector3(221.706, -584.833, 16.7558), vector3(219.174, -585.974, 16.7563), vector3(216.793, -587.095, 16.7568), vector3(214.361, -588.472, 16.7568), vector3(212.281, -589.605, 16.7568), vector3(210.295, -590.535, 16.7568), vector3(208.116, -591.548, 16.7568), vector3(206.062, -592.392, 16.7558), vector3(203.835, -593.156, 16.7568), vector3(201.624, -593.808, 16.7558), vector3(199.262, -594.323, 16.7568), vector3(197.09, -594.731, 16.7568), vector3(194.692, -595.147, 16.7568), vector3(192.544, -595.359, 16.7568), vector3(190.083, -595.531, 16.7568), vector3(187.937, -595.586, 16.7568), vector3(179.588, -595.593, 16.7848), vector3(174.127, -595.58, 16.7849), vector3(164.574, -595.598, 16.785), vector3(159.459, -595.595, 16.7849), vector3(155.236, -595.602, 16.7849), vector3(144.713, -595.447, 16.799), vector3(138.091, -594.408, 16.839), vector3(135.949, -594.078, 16.839), vector3(132.706, -592.961, 16.798), vector3(130.118, -592.05, 16.799), vector3(126.72, -590.647, 16.839), vector3(122.256, -588.366, 16.8248), vector3(118.135, -586.15, 16.7849), vector3(113.732, -583.768, 16.7914), vector3(106.141, -580.561, 16.7916), vector3(99.7311, -577.679, 16.7853), vector3(95.3958, -575.378, 16.7537), vector3(88.1321, -571.193, 16.7519), vector3(82.4069, -567.852, 16.7517), vector3(73.7175, -562.816, 16.7517), vector3(68.0172, -559.536, 16.7517), vector3(65.7898, -558.25, 16.7519), vector3(60.7334, -555.323, 16.7512), vector3(56.4598, -552.843, 16.7511), vector3(52.069, -550.307, 16.7517), vector3(44.3911, -545.885, 16.7521), vector3(41.7053, -544.29, 16.7517), vector3(39.2673, -542.664, 16.7517), vector3(35.061, -539.75, 16.7512), vector3(31.1398, -536.825, 16.7517), vector3(26.9924, -533.814, 16.7517), vector3(22.8823, -531.024, 16.7517), vector3(18.7822, -528.527, 16.7517), vector3(16.2241, -527.148, 16.7517), vector3(13.8334, -525.894, 16.7517), vector3(10.8843, -524.714, 16.7517), vector3(8.86423, -523.88, 16.7517), vector3(6.37335, -522.963, 16.7522), vector3(3.6452, -522.22, 16.7517), vector3(0.565948, -521.538, 16.7522), vector3(-4.19052, -520.79, 16.7517), vector3(-6.85828, -520.404, 16.7517), vector3(-10.0832, -520.235, 16.7517), vector3(-17.1812, -520.129, 16.7517), vector3(-27.2595, -520.227, 16.7517), vector3(-34.1783, -520.177, 16.7517), vector3(-44.2341, -520.204, 16.7517), vector3(-57.238, -520.209, 16.7517), vector3(-67.1522, -520.163, 16.7517), vector3(-72.2492, -520.18, 16.7521), vector3(-77.3644, -520.061, 16.7511), vector3(-82.3957, -519.688, 16.7521), vector3(-87.2126, -518.93, 16.7521), vector3(-90.1906, -518.336, 16.7526), vector3(-94.1068, -517.427, 16.7521), vector3(-96.5422, -516.554, 16.7516), vector3(-99.1641, -515.472, 16.8287), vector3(-105.128, -512.09, 16.5472), vector3(-114.821, -506.527, 15.5696), vector3(-125.363, -500.421, 14.5043), vector3(-139.585, -492.187, 13.6746), vector3(-155.824, -482.861, 12.8683), vector3(-161.997, -479.28, 12.2743), vector3(-167.609, -476.022, 11.7064), vector3(-174.055, -472.281, 11.0543), vector3(-191.344, -462.361, 9.31085), vector3(-199.903, -457.431, 8.44659), vector3(-204.448, -454.826, 8.14881), vector3(-206.814, -453.369, 8.14857), vector3(-208.59, -452.141, 8.14857), vector3(-212.679, -449.232, 8.14808), vector3(-215.973, -446.827, 8.14857), vector3(-220.703, -443.341, 8.14808), vector3(-224.875, -440.45, 8.14857), vector3(-227.023, -439.184, 8.14808), vector3(-237.991, -432.908, 8.14806), vector3(-250.964, -425.408, 8.14709), vector3(-263.9, -417.935, 8.14855), vector3(-267.784, -415.413, 8.14855), vector3(-271.395, -412.586, 8.14855), vector3(-274.883, -409.513, 8.14855), vector3(-278.038, -406.066, 8.14855), vector3(-282.222, -400.323, 8.14953), vector3(-285.485, -394.452, 8.1476), vector3(-286.903, -390.049, 8.14857), vector3(-287.387, -387.835, 8.14857), vector3(-287.558, -383.316, 8.14955), vector3(-287.335, -376.622, 8.14955), vector3(-287.156, -370.718, 8.14959), vector3(-287.17, -356.981, 8.15008), vector3(-287.143, -343.677, 8.14959), vector3(-287.172, -326.458, 8.14813), vector3(-287.11, -322.007, 8.14959), vector3(-287.131, -311.936, 8.14984), vector3(-287.121, -301.918, 8.1491), vector3(-287.113, -289.949, 8.15008), vector3(-287.15, -281.89, 8.15007), vector3(-287.334, -279.247, 8.14861), vector3(-287.669, -276.726, 8.14861), vector3(-288.401, -273.78, 8.14861), vector3(-289.114, -271.094, 8.14861), vector3(-291.009, -265.922, 8.14861), vector3(-293.209, -260.766, 8.14861), vector3(-295.997, -255.857, 8.14861), vector3(-301.61, -246.623, 8.14811), vector3(-304.754, -242.412, 8.1486), vector3(-308.438, -238.503, 8.14811), vector3(-312.405, -234.805, 8.14909), vector3(-316.532, -231.622, 8.14909), vector3(-319.765, -229.541, 8.14909), vector3(-323.417, -227.371, 8.1486), vector3(-327.319, -225.309, 8.14811), vector3(-329.973, -224.002, 8.14811), vector3(-339.242, -219.985, 8.1486), vector3(-343.81, -217.937, 8.14811), vector3(-348.352, -215.558, 8.14804), vector3(-356.934, -210.565, 8.14951), vector3(-369.883, -203.089, 8.14854), vector3(-374.258, -200.5, 8.16608), vector3(-378.232, -198.359, 8.14853), vector3(-383.577, -196.038, 8.14853), vector3(-388.573, -194.576, 8.14756), vector3(-393.69, -193.479, 8.14853), vector3(-397.985, -192.878, 8.14853), vector3(-401.146, -192.74, 8.14951), vector3(-418.931, -192.669, 8.14853), vector3(-422.289, -192.63, 8.1485), vector3(-427.23, -192.615, 8.1485), vector3(-432.71, -192.616, 8.1485), vector3(-438.652, -192.598, 8.41899), vector3(-443.983, -192.627, 8.87727), vector3(-458.91, -192.659, 10.1829), vector3(-478.758, -192.559, 11.9195), vector3(-486.724, -192.55, 12.6146), vector3(-493.633, -192.656, 13.0927), vector3(-498.424, -192.35, 13.0926), vector3(-503.186, -191.793, 13.0936), vector3(-507.927, -190.717, 13.0917), vector3(-512.6, -189.366, 13.0927), vector3(-516.973, -187.445, 13.0936), vector3(-520.734, -185.533, 13.0922), vector3(-525.537, -182.693, 13.0926), vector3(-530.357, -179.916, 13.0926), vector3(-534.225, -177.676, 13.0926), vector3(-538.537, -175.129, 13.0926), vector3(-547.159, -170.162, 13.0931), vector3(-555.865, -165.116, 13.816), vector3(-564.483, -160.162, 14.6862), vector3(-573.157, -155.209, 15.5644), vector3(-590.382, -145.272, 17.3041), vector3(-598.877, -140.356, 18.0341), vector3(-600.644, -139.323, 18.0368), vector3(-603.067, -137.647, 18.0369), vector3(-611.177, -131.753, 18.0364), vector3(-618.226, -126.848, 18.0364), vector3(-628.133, -120.931, 18.0368), vector3(-653.943, -105.928, 18.0368), vector3(-677.651, -92.3243, 18.0368), vector3(-683.266, -89.7899, 18.0363), vector3(-690.686, -87.3121, 18.0363), vector3(-695.94, -86.1479, 18.0363), vector3(-701.107, -85.4775, 18.0368), vector3(-707.625, -85.2424, 18.0369), vector3(-716.363, -85.2926, 18.0369), vector3(-721.996, -85.4795, 18.0374), vector3(-727.286, -86.1982, 18.0374), vector3(-729.655, -86.5687, 18.0369), vector3(-735.093, -88.1648, 18.0374), vector3(-740.008, -90.0226, 18.0374), vector3(-744.836, -92.089, 18.0369), vector3(-760.331, -100.871, 18.0368), vector3(-764.989, -102.929, 18.0368), vector3(-769.88, -104.484, 18.0368), vector3(-774.627, -106.377, 18.0368), vector3(-781.423, -109.467, 18.0368), vector3(-790.452, -114.667, 18.0363), vector3(-796.712, -118.267, 18.0363), vector3(-816.099, -129.428, 18.0368), vector3(-848.519, -148.127, 18.0372), vector3(-865.817, -158.454, 18.0372), vector3(-871.543, -162.694, 18.0372), vector3(-875.773, -166.301, 18.0372), vector3(-879.537, -169.569, 18.0382), vector3(-883.812, -172.392, 18.0372), vector3(-898.854, -181.001, 18.0368), vector3(-911.792, -188.429, 18.0368), vector3(-928.987, -198.289, 18.0368), vector3(-943.877, -207.014, 18.0368), vector3(-948.284, -209.127, 18.0368), vector3(-952.281, -210.494, 18.0368), vector3(-957.166, -211.749, 18.0353), vector3(-960.285, -212.483, 18.0368), vector3(-964.043, -212.889, 18.0368), vector3(-973.695, -213.126, 18.0368), vector3(-988.666, -213.134, 18.0368), vector3(-999.717, -213.086, 18.0368), vector3(-1004.89, -213.417, 18.0368), vector3(-1010.28, -214.177, 18.0368), vector3(-1015.91, -215.577, 18.0368), vector3(-1022.23, -217.849, 18.0368), vector3(-1027.64, -220.283, 18.0363), vector3(-1033.57, -223.656, 18.0373), vector3(-1051.08, -233.912, 18.0368), vector3(-1064.05, -241.252, 18.0368), vector3(-1077.12, -248.81, 18.0363), vector3(-1085.63, -253.821, 18.0373), vector3(-1094.48, -258.884, 18.0368), vector3(-1106.72, -265.857, 18.0368), vector3(-1116.03, -271.41, 18.0368), vector3(-1129.02, -278.932, 18.0358), vector3(-1137.7, -283.859, 18.0358), vector3(-1150.69, -291.459, 18.0306), vector3(-1161.36, -297.64, 17.0267), vector3(-1167.88, -301.205, 16.3773), vector3(-1189.28, -313.546, 14.2162), vector3(-1197.93, -318.686, 13.3353), vector3(-1211.36, -326.478, 13.1316), vector3(-1217.41, -329.538, 13.1316), vector3(-1221.7, -331.0, 13.1326), vector3(-1223.91, -331.616, 13.1316), vector3(-1228.59, -332.648, 13.1316), vector3(-1233.14, -333.238, 13.1316), vector3(-1237.67, -333.41, 13.1326), vector3(-1267.83, -333.444, 13.1317), vector3(-1292.81, -333.377, 13.1317), vector3(-1307.78, -333.469, 13.1317), vector3(-1325.28, -333.546, 13.1321), vector3(-1333.48, -334.474, 13.1297), vector3(-1338.73, -335.546, 13.1316), vector3(-1343.84, -337.322, 13.1321), vector3(-1351.11, -340.501, 13.1311), vector3(-1355.63, -342.964, 13.1321), vector3(-1360.1, -345.932, 13.1316), vector3(-1364.31, -349.532, 13.1306), vector3(-1368.17, -353.381, 13.1316), vector3(-1371.63, -357.492, 13.1316), vector3(-1374.66, -361.873, 13.1316), vector3(-1377.25, -366.364, 13.1316), vector3(-1379.56, -371.225, 13.1316), vector3(-1381.39, -376.486, 13.1316), vector3(-1382.92, -381.671, 13.1316), vector3(-1383.88, -386.86, 13.1316), vector3(-1384.2, -390.479, 13.1326), vector3(-1384.49, -399.093, 13.1298), vector3(-1384.23, -411.052, 13.1308), vector3(-1383.82, -416.609, 13.1303), vector3(-1382.76, -421.936, 13.1308), vector3(-1381.13, -427.482, 13.1308), vector3(-1379.26, -431.962, 13.1313), vector3(-1342.68, -495.257, 13.1313), vector3(-1336.47, -505.989, 13.1323), vector3(-1331.14, -514.597, 13.1322), vector3(-1328.37, -518.61, 13.1322), vector3(-1325.19, -522.701, 13.1322), vector3(-1321.73, -526.359, 13.1322), vector3(-1318.73, -530.474, 13.1332), vector3(-1317.26, -532.668, 13.1332), vector3(-1313.5, -538.927, 13.132), vector3(-1310.7, -542.82, 13.132), vector3(-1308.23, -545.565, 13.132), vector3(-1304.49, -548.674, 13.132), vector3(-1298.57, -552.527, 13.131), vector3(-1293.75, -554.423, 13.132), vector3(-1291.84, -554.862, 13.131), vector3(-1287.51, -555.569, 13.131), vector3(-1279.89, -555.543, 13.1301), vector3(-1272.81, -554.907, 13.131), vector3(-1267.99, -554.767, 13.132), vector3(-1253.06, -554.634, 11.9691), vector3(-1243.08, -554.643, 11.096), vector3(-1226.23, -554.604, 9.62114), vector3(-1197.04, -554.56, 7.06825), vector3(-1153.58, -554.674, 3.26487), vector3(-1148.79, -554.489, 2.98557), vector3(-1141.99, -555.006, 2.95799), vector3(-1137.14, -555.703, 2.95799), vector3(-1132.22, -557.023, 2.95897), vector3(-1127.59, -558.708, 2.95799), vector3(-1123.05, -560.715, 2.95799), vector3(-1118.87, -563.142, 2.95898), vector3(-1115.06, -565.791, 2.95898), vector3(-1111.15, -569.044, 2.95801), vector3(-1106.0, -574.327, 2.95703), vector3(-1103.15, -578.105, 2.95801), vector3(-1099.29, -584.283, 2.95801), vector3(-1095.56, -590.835, 2.95801), vector3(-1091.69, -597.396, 2.95801), vector3(-1085.49, -608.074, 2.95801), vector3(-1042.87, -682.024, 2.95802), vector3(-1039.28, -688.151, 2.95801), vector3(-1035.77, -693.142, 2.95899), vector3(-1031.22, -698.341, 2.95801), vector3(-1025.05, -703.726, 2.95703), vector3(-1020.3, -707.084, 2.95899), vector3(-1014.09, -710.468, 2.95802), vector3(-1007.07, -713.165, 2.95802), vector3(-999.227, -715.12, 2.95753), vector3(-992.971, -715.671, 2.95899), vector3(-984.111, -715.731, 2.95752), vector3(-969.629, -715.8, 2.95801), vector3(-957.022, -715.862, 2.95808), vector3(-949.081, -716.532, 2.95808), vector3(-939.094, -717.591, 2.95808), vector3(-932.153, -718.123, 2.95808), vector3(-918.883, -717.904, 3.15588), vector3(-909.198, -717.977, 4.00256), vector3(-893.8, -718.16, 5.3502), vector3(-874.211, -718.046, 7.06448), vector3(-859.253, -718.041, 8.373), vector3(-847.331, -717.878, 9.41597), vector3(-839.477, -717.992, 9.89403), vector3(-829.577, -718.093, 9.89501), vector3(-814.592, -718.032, 9.89599), vector3(-808.18, -718.044, 9.89501), vector3(-801.05, -717.418, 9.89598), vector3(-793.732, -715.93, 9.89598), vector3(-788.574, -714.412, 9.89598), vector3(-783.59, -712.263, 9.8955), vector3(-777.173, -708.911, 9.89598), vector3(-770.466, -705.967, 9.895), vector3(-766.002, -704.544, 9.895), vector3(-759.615, -703.186, 9.89598), vector3(-754.6, -702.744, 9.89598), vector3(-747.328, -702.709, 9.89597), vector3(-722.191, -702.711, 9.895), vector3(-702.276, -702.724, 9.895), vector3(-690.021, -702.624, 9.89548), vector3(-681.677, -701.812, 9.89548), vector3(-671.208, -698.953, 9.89548), vector3(-666.158, -696.995, 9.89597), vector3(-658.217, -692.491, 9.89552), vector3(-649.525, -687.418, 9.89552), vector3(-642.111, -683.177, 9.89552), vector3(-637.744, -681.212, 9.89552), vector3(-632.364, -679.361, 9.89454), vector3(-628.918, -678.481, 9.89454), vector3(-624.173, -677.685, 9.8965), vector3(-619.935, -677.286, 9.89552), vector3(-602.673, -677.277, 9.89552), vector3(-587.782, -677.221, 9.89552), vector3(-573.64, -677.394, 9.89548), vector3(-565.219, -677.616, 9.89586), vector3(-560.265, -678.47, 9.89488), vector3(-554.947, -679.485, 9.89586), vector3(-547.54, -680.429, 9.89683), vector3(-534.709, -680.577, 9.89595), vector3(-492.581, -680.674, 9.89595), vector3(-472.715, -680.614, 9.89546), vector3(-457.649, -680.643, 9.89546), vector3(-450.24, -680.546, 9.8954), vector3(-442.74, -679.853, 9.89589), vector3(-432.636, -678.025, 9.8954), vector3(-427.662, -677.39, 9.8954), vector3(-421.586, -677.181, 9.89551), vector3(-402.661, -677.283, 9.89552), vector3(-392.929, -677.482, 9.89552), vector3(-382.76, -677.215, 9.89601), vector3(-372.909, -677.423, 9.89601), vector3(-365.8, -678.126, 9.89552), vector3(-361.027, -678.983, 9.89503), vector3(-354.238, -680.757, 9.91017), vector3(-348.729, -682.514, 9.89551), vector3(-340.192, -685.715, 9.90129), vector3(-330.848, -689.082, 10.5507), vector3(-288.806, -704.517, 14.468), vector3(-283.328, -706.406, 14.6959), vector3(-272.595, -710.326, 14.6955), vector3(-269.503, -711.77, 14.6959), vector3(-266.483, -713.394, 14.6959), vector3(-260.563, -717.307, 14.6955), vector3(-256.994, -720.297, 14.695), vector3(-253.762, -723.537, 14.695), vector3(-250.727, -727.202, 14.6959), vector3(-248.696, -730.027, 14.6959), vector3(-247.053, -732.83, 14.6954), vector3(-244.927, -736.926, 14.6954), vector3(-243.117, -741.208, 14.6954), vector3(-241.71, -745.606, 14.6954), vector3(-240.251, -752.684, 14.6954), vector3(-239.071, -757.997, 14.6954), vector3(-237.175, -764.76, 14.6954), vector3(-235.028, -771.993, 14.6954), vector3(-233.643, -777.276, 14.6949), vector3(-232.259, -784.345, 14.6954), vector3(-230.668, -789.282, 14.6949), vector3(-228.738, -793.975, 14.6954), vector3(-226.312, -798.628, 14.6954), vector3(-223.51, -803.003, 14.6963), vector3(-217.086, -810.978, 14.9876), vector3(-207.531, -822.431, 16.2937), vector3(-194.767, -837.668, 18.0386), vector3(-188.305, -845.331, 18.9092), vector3(-182.177, -852.738, 19.6285), vector3(-179.163, -856.734, 19.639), vector3(-176.542, -860.738, 19.6395), vector3(-174.296, -865.01, 19.639), vector3(-173.188, -867.345, 19.6395), vector3(-170.95, -874.037, 19.6385), vector3(-169.963, -878.727, 19.6395), vector3(-169.327, -883.555, 19.6297), vector3(-169.101, -888.373, 19.658), vector3(-169.286, -893.078, 19.6682), vector3(-169.53, -895.613, 19.7352), vector3(-170.368, -900.324, 19.8357), vector3(-171.646, -904.974, 19.9578), vector3(-172.402, -907.131, 20.0178), vector3(-186.879, -946.514, 23.7825), vector3(-196.329, -972.93, 26.7485), vector3(-200.305, -983.71, 27.5671), vector3(-203.302, -991.869, 27.988), vector3(-208.498, -1006.0, 28.3247), vector3(-213.516, -1020.04, 28.3246), vector3(-218.562, -1033.76, 28.3244), vector3(-222.641, -1044.9, 28.3251), vector3(-225.921, -1053.81, 28.1665), vector3(-230.025, -1065.08, 28.1665), vector3(-234.104, -1076.46, 28.1644), vector3(-240.286, -1093.27, 28.1665), vector3(-244.3, -1104.38, 28.1665), vector3(-250.173, -1120.69, 28.1663), vector3(-251.46, -1124.71, 28.1665), vector3(-252.446, -1128.73, 28.1665), vector3(-253.142, -1132.8, 28.1665), vector3(-253.521, -1136.8, 28.1663), vector3(-254.664, -1154.84, 28.1665), vector3(-256.16, -1178.73, 28.1665), vector3(-256.47, -1184.68, 28.1405), vector3(-256.99, -1193.46, 28.1395), vector3(-256.975, -1203.36, 28.1415), vector3(-256.759, -1214.68, 28.0966), vector3(-256.443, -1228.61, 28.1425), vector3(-256.582, -1240.64, 28.1425), vector3(-256.563, -1254.35, 28.368), vector3(-256.544, -1276.24, 29.5372), vector3(-256.486, -1282.03, 29.8243), vector3(-256.477, -1287.72, 30.0518), vector3(-256.508, -1293.5, 30.2335), vector3(-256.463, -1299.36, 30.2886), vector3(-256.477, -1304.99, 30.294), vector3(-256.491, -1310.92, 30.294), vector3(-256.486, -1316.57, 30.2945), vector3(-256.504, -1322.51, 30.296), vector3(-256.482, -1328.15, 30.295), vector3(-256.497, -1334.9, 30.2969), vector3(-256.491, -1339.76, 30.2952), vector3(-256.515, -1345.53, 30.295), vector3(-256.54, -1351.34, 30.2952), vector3(-256.389, -1357.07, 30.295), vector3(-256.268, -1362.94, 30.295), vector3(-256.234, -1368.66, 30.295), vector3(-256.106, -1374.48, 30.2948), vector3(-256.062, -1380.19, 30.295), vector3(-255.759, -1386.08, 30.295), vector3(-255.548, -1389.58, 30.295), vector3(-255.312, -1392.64, 30.294), vector3(-255.037, -1395.61, 30.2916), vector3(-254.561, -1398.67, 30.2892), vector3(-253.594, -1403.02, 30.2973), vector3(-253.214, -1404.61, 30.2836), vector3(-252.38, -1407.44, 30.2062), vector3(-251.372, -1410.32, 30.1254), vector3(-250.217, -1413.15, 30.1173), vector3(-248.98, -1415.78, 30.1088), vector3(-247.5, -1418.6, 30.1994), vector3(-246.122, -1421.17, 30.2767), vector3(-244.453, -1423.67, 30.3065), vector3(-242.724, -1426.12, 30.3432), vector3(-238.938, -1430.84, 30.3559), vector3(-236.965, -1433.01, 30.372), vector3(-234.687, -1435.22, 30.3627), vector3(-229.937, -1439.47, 30.35), vector3(-225.718, -1442.83, 30.372), vector3(-221.268, -1446.62, 30.4027), vector3(-215.995, -1451.02, 30.4061), vector3(-210.605, -1455.59, 30.473), vector3(-203.396, -1461.55, 30.5438), vector3(-199.197, -1465.28, 30.5457), vector3(-194.555, -1469.04, 30.5868), vector3(-190.022, -1472.86, 30.6927), vector3(-185.627, -1476.51, 30.848), vector3(-181.164, -1480.26, 31.0462), vector3(-172.297, -1487.78, 31.5267), vector3(-167.807, -1491.45, 31.7884), vector3(-163.319, -1495.22, 32.0497), vector3(-158.871, -1499.05, 32.3011), vector3(-145.958, -1509.84, 33.0101), vector3(-137.204, -1517.25, 33.2513), vector3(-132.591, -1521.17, 33.1761), vector3(-127.57, -1525.39, 33.1122), vector3(-123.452, -1528.84, 33.0602), vector3(-119.251, -1532.38, 33.0064), vector3(-114.212, -1536.61, 32.9417), vector3(-109.657, -1540.49, 32.8853), vector3(-105.169, -1544.21, 32.8177), vector3(-101.052, -1547.56, 32.579), vector3(-92.0313, -1555.05, 31.8763), vector3(-83.0577, -1562.52, 31.0287), vector3(-78.7039, -1566.25, 30.565), vector3(-74.2614, -1569.98, 30.1036), vector3(-69.6954, -1573.75, 29.6993), vector3(-65.3916, -1577.47, 29.3116), vector3(-60.9078, -1581.18, 28.9731), vector3(-56.4636, -1585.0, 28.5903), vector3(-51.278, -1589.15, 28.3521), vector3(-46.5827, -1593.23, 28.2466), vector3(-42.0485, -1596.98, 28.2729), vector3(-39.4836, -1599.19, 28.271), vector3(-32.873, -1604.81, 28.2959), vector3(-28.8131, -1608.13, 28.3026), vector3(-24.6473, -1611.63, 28.2695), vector3(-16.318, -1618.64, 28.2664), vector3(-11.3298, -1622.77, 28.2798), vector3(-6.74606, -1626.64, 28.2886), vector3(-2.1452, -1630.47, 28.3042), vector3(2.55499, -1634.46, 28.2983), vector3(7.26886, -1638.37, 28.2988), vector3(11.8841, -1642.32, 28.2988), vector3(16.64, -1646.27, 28.2983), vector3(21.347, -1650.19, 28.2988), vector3(25.9944, -1654.1, 28.2983), vector3(30.6898, -1658.04, 28.2983), vector3(35.3377, -1661.93, 28.2983), vector3(40.0726, -1665.86, 28.2983), vector3(44.7738, -1669.89, 28.3377), vector3(49.429, -1673.81, 28.2983), vector3(54.0946, -1677.66, 28.3074), vector3(63.4451, -1685.54, 28.2983), vector3(69.9003, -1691.03, 28.2676), vector3(74.6375, -1695.23, 28.1089), vector3(79.0652, -1699.47, 28.064), vector3(83.3786, -1703.9, 28.0584), vector3(87.947, -1708.03, 28.0545), vector3(92.5388, -1712.06, 28.0555), vector3(97.3415, -1716.11, 28.0545), vector3(102.061, -1720.08, 28.0526), vector3(106.841, -1724.1, 28.0545), vector3(111.554, -1728.01, 28.0555), vector3(116.172, -1731.9, 28.0526), vector3(121.025, -1735.97, 28.0516), vector3(125.784, -1740.03, 28.0545), vector3(130.462, -1743.9, 28.0614), vector3(135.272, -1747.94, 28.0614), vector3(140.018, -1751.89, 28.0589), vector3(144.923, -1755.69, 28.0584), vector3(149.978, -1759.41, 28.0623), vector3(154.882, -1763.02, 28.0623), vector3(159.811, -1766.76, 28.0726), vector3(164.731, -1770.67, 28.0667), vector3(169.559, -1774.59, 28.0824), vector3(174.261, -1778.59, 28.0672), vector3(179.016, -1782.5, 28.0804), vector3(183.74, -1786.4, 28.0698), vector3(186.844, -1789.14, 28.025), vector3(191.348, -1792.89, 27.9674), vector3(195.995, -1796.72, 27.6842), vector3(200.568, -1800.55, 27.2394), vector3(205.095, -1804.44, 26.5958), vector3(209.642, -1808.24, 25.8341), vector3(214.235, -1812.07, 24.8663), vector3(218.762, -1815.87, 23.9747), vector3(223.297, -1819.68, 23.0441), vector3(227.826, -1823.5, 22.11), vector3(232.378, -1827.32, 21.2115), vector3(236.852, -1831.04, 20.3663), vector3(241.451, -1834.89, 19.5528), vector3(246.078, -1838.8, 18.8234), vector3(250.559, -1842.4, 18.255), vector3(255.121, -1846.34, 17.963), vector3(296.465, -1881.04, 17.1127), vector3(333.407, -1912.02, 16.0981), vector3(360.719, -1935.16, 15.726), vector3(374.313, -1947.03, 15.7807), vector3(387.628, -1958.78, 15.7163), vector3(391.886, -1963.05, 15.6196), vector3(396.091, -1967.46, 15.5317), vector3(404.136, -1976.39, 15.3979), vector3(416.024, -1989.54, 15.27), vector3(424.142, -1998.4, 15.227), vector3(432.251, -2007.28, 15.2241), vector3(436.605, -2011.45, 15.2378), vector3(441.157, -2015.11, 15.2602), vector3(446.137, -2018.24, 15.3022), vector3(451.571, -2020.92, 15.3608), vector3(457.171, -2022.9, 15.4409), vector3(462.997, -2024.33, 15.5425), vector3(468.944, -2025.06, 15.6665), vector3(474.867, -2025.26, 15.8101), vector3(480.962, -2024.75, 15.977), vector3(486.762, -2023.6, 16.1558), vector3(492.527, -2021.81, 16.3525), vector3(497.967, -2019.46, 16.5542), vector3(503.169, -2016.62, 16.7651), vector3(512.707, -2010.46, 16.7745), vector3(522.771, -2003.91, 16.7745), vector3(553.081, -1984.64, 16.7745), vector3(566.243, -1976.02, 16.7745), vector3(571.641, -1970.88, 16.7745), vector3(575.937, -1964.71, 16.7745), vector3(579.051, -1957.92, 16.7745), vector3(580.661, -1950.64, 16.7745), vector3(580.919, -1947.03, 16.775), vector3(580.864, -1943.3, 16.7745), vector3(580.433, -1939.65, 16.7745), vector3(579.64, -1935.98, 16.7745), vector3(578.491, -1932.45, 16.7745), vector3(577.005, -1929.04, 16.7745), vector3(575.308, -1925.76, 16.7745), vector3(573.215, -1922.56, 16.7745), vector3(568.102, -1917.22, 16.7745), vector3(562.13, -1912.84, 16.7745), vector3(558.807, -1911.07, 16.775), vector3(555.421, -1909.71, 16.7745), vector3(550.786, -1908.26, 16.7887), vector3(544.916, -1906.9, 16.8079), vector3(538.885, -1905.63, 16.823), vector3(533.01, -1905.1, 16.8352), vector3(526.93, -1905.19, 16.9148), vector3(521.043, -1906.21, 16.99), vector3(515.398, -1907.86, 17.0589), vector3(509.726, -1909.96, 17.0955), vector3(498.828, -1914.98, 17.0423), vector3(482.833, -1922.67, 16.9016), vector3(471.967, -1927.88, 16.7879), vector3(450.38, -1938.24, 16.5208), vector3(434.23, -1946.06, 16.3875), vector3(423.055, -1950.0, 16.3167), vector3(417.209, -1951.44, 16.2722), vector3(405.298, -1951.71, 16.0818), vector3(393.489, -1949.58, 15.9456), vector3(387.927, -1947.27, 15.8017), vector3(383.596, -1944.85, 15.8554), vector3(378.5, -1942.07, 15.7406), vector3(373.476, -1938.65, 15.6889), vector3(368.639, -1935.01, 15.726), vector3(258.38, -1842.35, 17.9669), vector3(253.907, -1838.68, 18.2433), vector3(249.383, -1834.86, 18.8224), vector3(244.697, -1831.01, 19.5529), vector3(240.188, -1827.19, 20.3546), vector3(231.109, -1819.56, 22.1134), vector3(222.063, -1811.93, 23.9747), vector3(217.559, -1808.14, 24.8634), vector3(212.975, -1804.34, 25.8263), vector3(208.425, -1800.51, 26.5919), vector3(203.803, -1796.68, 27.2403), vector3(199.245, -1792.85, 27.6827), vector3(194.708, -1788.95, 27.9659), vector3(190.104, -1785.18, 28.0255), vector3(187.019, -1782.59, 28.1222), vector3(182.289, -1778.62, 28.1239), vector3(177.536, -1774.67, 28.1117), vector3(172.816, -1770.7, 28.1258), vector3(168.093, -1766.57, 28.1131), vector3(163.44, -1762.45, 28.1219), vector3(158.944, -1758.27, 28.116), vector3(154.44, -1754.06, 28.1229), vector3(149.945, -1749.66, 28.1268), vector3(145.458, -1745.55, 28.1327), vector3(140.612, -1741.51, 28.1336), vector3(135.912, -1737.58, 28.1336), vector3(131.161, -1733.53, 28.1317), vector3(126.479, -1729.62, 28.1268), vector3(121.727, -1725.6, 28.1268), vector3(116.878, -1721.53, 28.1283), vector3(112.208, -1717.66, 28.1278), vector3(107.436, -1713.7, 28.1268), vector3(102.72, -1709.74, 28.1268), vector3(99.8981, -1707.32, 28.1268), vector3(93.2014, -1701.88, 28.1258), vector3(88.1716, -1698.15, 28.1229), vector3(83.1082, -1694.49, 28.1196), vector3(78.8836, -1691.45, 28.1304), vector3(73.2464, -1687.13, 28.311), vector3(66.7845, -1681.68, 28.2983), vector3(57.3841, -1673.8, 28.2983), vector3(52.7454, -1669.9, 28.3013), vector3(48.0257, -1665.92, 28.313), vector3(43.368, -1662.03, 28.3192), vector3(38.6463, -1658.06, 28.2983), vector3(33.9819, -1654.16, 28.2988), vector3(29.1907, -1650.15, 28.2983), vector3(24.6146, -1646.29, 28.2983), vector3(19.8758, -1642.35, 28.2983), vector3(15.1824, -1638.4, 28.2983), vector3(10.5291, -1634.45, 28.2983), vector3(5.85187, -1630.53, 28.2993), vector3(1.12872, -1626.6, 28.312), vector3(-3.43964, -1622.75, 28.2876), vector3(-8.0451, -1618.91, 28.27), vector3(-13.0968, -1614.64, 28.2515), vector3(-17.2821, -1611.16, 28.2373), vector3(-25.4642, -1604.29, 28.2983), vector3(-33.8361, -1597.37, 28.2967), vector3(-40.5837, -1591.63, 28.2544), vector3(-43.2057, -1589.44, 28.2456), vector3(-48.1511, -1585.23, 28.354), vector3(-53.2868, -1580.94, 28.6006), vector3(-62.1041, -1573.61, 29.3089), vector3(-66.5587, -1569.79, 29.7093), vector3(-70.9824, -1566.09, 30.1058), vector3(-75.4558, -1562.37, 30.5716), vector3(-79.8143, -1558.66, 31.0287), vector3(-84.4904, -1554.78, 31.4808), vector3(-88.8536, -1551.13, 31.8817), vector3(-93.2648, -1547.44, 32.2562), vector3(-97.6613, -1543.67, 32.5731), vector3(-101.974, -1540.16, 32.7909), vector3(-106.293, -1536.57, 32.8202), vector3(-110.934, -1532.71, 32.8822), vector3(-116.057, -1528.47, 32.9833), vector3(-120.182, -1524.94, 33.0536), vector3(-124.231, -1521.5, 33.1323), vector3(-129.35, -1517.3, 33.1234), vector3(-133.95, -1513.37, 33.183), vector3(-138.487, -1509.57, 33.2098), vector3(-142.554, -1506.04, 33.0156), vector3(-146.945, -1502.36, 32.7879), vector3(-150.976, -1498.94, 32.5365), vector3(-155.694, -1495.03, 32.2948), vector3(-160.052, -1491.37, 32.0508), vector3(-164.542, -1487.58, 31.7884), vector3(-169.35, -1483.53, 31.5267), vector3(-173.413, -1480.14, 31.2787), vector3(-182.313, -1472.69, 30.8499), vector3(-186.863, -1468.84, 30.6888), vector3(-191.22, -1465.24, 30.5873), vector3(-195.684, -1461.42, 30.5467), vector3(-200.015, -1457.76, 30.5438), vector3(-204.613, -1453.93, 30.5453), vector3(-209.011, -1450.28, 30.4086), vector3(-213.578, -1446.42, 30.4066), vector3(-218.043, -1442.7, 30.4017), vector3(-222.453, -1438.96, 30.3763), vector3(-226.999, -1435.23, 30.3432), vector3(-231.244, -1431.59, 30.3666), vector3(-233.064, -1429.64, 30.3588), vector3(-235.081, -1427.57, 30.349), vector3(-238.592, -1423.22, 30.3295), vector3(-241.773, -1418.54, 30.1947), vector3(-243.053, -1416.13, 30.16), vector3(-244.371, -1413.69, 30.1156), vector3(-245.53, -1411.04, 30.1166), vector3(-246.617, -1408.53, 30.121), vector3(-247.547, -1405.85, 30.1976), vector3(-248.415, -1403.22, 30.2748), vector3(-249.015, -1400.55, 30.2758), vector3(-249.62, -1397.81, 30.2767), vector3(-249.985, -1395.03, 30.2847), vector3(-250.347, -1392.22, 30.296), vector3(-250.48, -1389.66, 30.295), vector3(-250.706, -1385.85, 30.2955), vector3(-250.904, -1380.07, 30.295), vector3(-251.042, -1374.4, 30.296), vector3(-251.117, -1368.58, 30.296), vector3(-251.216, -1362.78, 30.2965), vector3(-251.297, -1356.99, 30.296), vector3(-251.379, -1351.26, 30.2955), vector3(-251.388, -1345.52, 30.296), vector3(-251.423, -1339.74, 30.296), vector3(-251.405, -1334.21, 30.3062), vector3(-251.404, -1328.18, 30.2955), vector3(-251.399, -1322.46, 30.296), vector3(-251.406, -1316.36, 30.3052), vector3(-251.391, -1311.04, 30.2945), vector3(-251.404, -1304.86, 30.2779), vector3(-251.392, -1299.25, 30.2896), vector3(-251.409, -1293.58, 30.2354), vector3(-251.423, -1287.77, 30.0552), vector3(-251.409, -1281.91, 29.8194), vector3(-251.409, -1276.13, 29.5338), vector3(-251.423, -1270.35, 29.2296), vector3(-251.437, -1264.76, 28.918), vector3(-251.444, -1259.58, 28.6444), vector3(-251.462, -1254.42, 28.3719), vector3(-251.453, -1250.57, 28.2235), vector3(-251.427, -1246.62, 28.1425), vector3(-251.45, -1240.65, 28.1425), vector3(-251.41, -1234.68, 28.1425), vector3(-251.413, -1228.67, 28.1425), vector3(-251.589, -1222.64, 28.1508), vector3(-251.859, -1216.58, 28.0809), vector3(-252.234, -1209.88, 28.1429), vector3(-252.611, -1203.59, 28.1425), vector3(-252.727, -1197.13, 28.1429), vector3(-252.538, -1190.9, 28.1439), vector3(-251.403, -1172.79, 28.16), vector3(-249.391, -1140.78, 28.1653), vector3(-249.175, -1137.18, 28.1665), vector3(-248.805, -1133.38, 28.1665), vector3(-248.162, -1129.62, 28.1665), vector3(-247.251, -1125.91, 28.1665), vector3(-245.985, -1122.25, 28.1634), vector3(-244.107, -1116.94, 28.1668), vector3(-240.041, -1105.92, 28.1668), vector3(-238.006, -1100.49, 28.1653), vector3(-235.461, -1095.07, 28.1619), vector3(-232.891, -1089.58, 28.1663), vector3(-229.827, -1084.3, 28.1437), vector3(-226.706, -1079.04, 28.1437), vector3(-224.195, -1074.4, 28.1658), vector3(-222.528, -1071.04, 28.1441), vector3(-221.127, -1067.66, 28.1644), vector3(-219.087, -1062.68, 28.3249), vector3(-217.05, -1057.09, 28.3244), vector3(-214.969, -1051.32, 28.3222), vector3(-210.924, -1040.14, 28.3215), vector3(-206.78, -1028.9, 28.3254), vector3(-204.467, -1022.59, 28.3222), vector3(-200.822, -1012.36, 28.3245), vector3(-198.659, -1005.76, 28.1629), vector3(-197.079, -999.509, 28.1179), vector3(-196.017, -993.186, 27.9627), vector3(-195.322, -988.311, 27.7191), vector3(-194.271, -982.295, 27.3875), vector3(-192.983, -976.695, 26.9544), vector3(-191.143, -971.02, 26.428), vector3(-189.064, -965.235, 25.8148), vector3(-174.56, -925.673, 21.4891), vector3(-168.557, -908.934, 20.0276), vector3(-167.025, -903.747, 19.889), vector3(-165.88, -898.668, 19.7825), vector3(-165.176, -893.587, 19.6897), vector3(-164.954, -888.418, 19.6384), vector3(-165.296, -883.133, 19.6297), vector3(-165.857, -878.017, 19.639), vector3(-166.888, -873.062, 19.6395), vector3(-168.57, -868.075, 19.6395), vector3(-171.647, -860.952, 19.6395), vector3(-173.421, -857.835, 19.639), vector3(-175.663, -854.324, 19.6395), vector3(-178.802, -850.157, 19.6395), vector3(-181.988, -846.462, 19.3399), vector3(-186.81, -840.846, 18.6924), vector3(-193.441, -832.875, 17.7852), vector3(-210.728, -812.142, 15.4236), vector3(-217.095, -804.707, 14.7117), vector3(-221.37, -798.76, 14.6949), vector3(-224.987, -792.343, 14.6958), vector3(-228.32, -783.244, 14.6954), vector3(-229.982, -773.774, 14.6954), vector3(-230.714, -763.635, 14.6954), vector3(-231.488, -753.723, 14.6954), vector3(-232.338, -748.709, 14.6954), vector3(-233.521, -743.411, 14.6949), vector3(-235.21, -738.079, 14.6949), vector3(-238.459, -730.788, 14.6959), vector3(-240.783, -726.708, 14.6944), vector3(-242.532, -724.037, 14.6949), vector3(-245.794, -719.629, 14.695), vector3(-249.44, -715.771, 14.6959), vector3(-253.388, -712.184, 14.6955), vector3(-257.691, -708.912, 14.695), vector3(-262.174, -706.05, 14.6955), vector3(-266.911, -703.518, 14.6955), vector3(-269.333, -702.397, 14.6955), vector3(-275.567, -700.112, 14.6955), vector3(-281.167, -698.161, 14.6954), vector3(-285.712, -696.477, 14.4777), vector3(-290.422, -694.681, 14.0422), vector3(-299.779, -691.312, 13.1716), vector3(-308.735, -688.083, 12.3381), vector3(-323.108, -682.885, 11.0028), vector3(-332.54, -679.392, 10.1215), vector3(-341.987, -675.935, 9.89551), vector3(-351.771, -672.545, 9.89552), vector3(-359.301, -670.633, 9.89649), vector3(-364.535, -669.715, 9.89552), vector3(-368.126, -669.296, 9.89552), vector3(-372.373, -668.991, 9.89552), vector3(-387.619, -668.788, 9.89552), vector3(-397.663, -668.824, 9.89552), vector3(-407.503, -668.781, 9.89552), vector3(-424.947, -668.832, 9.89589), vector3(-428.623, -668.753, 9.89589), vector3(-432.774, -668.137, 9.8954), vector3(-437.619, -667.173, 9.89589), vector3(-442.623, -666.356, 9.89687), vector3(-447.631, -665.781, 9.89589), vector3(-457.494, -665.457, 9.89644), vector3(-468.859, -665.539, 9.89552), vector3(-479.714, -665.579, 9.89546), vector3(-490.875, -665.557, 9.89546), vector3(-500.021, -665.582, 9.89595), vector3(-508.603, -665.622, 9.89546), vector3(-515.083, -665.622, 9.89543), vector3(-523.353, -665.612, 9.89549), vector3(-532.6, -665.621, 9.89595), vector3(-545.262, -665.647, 9.89586), vector3(-552.663, -666.334, 9.89586), vector3(-556.377, -666.8, 9.89586), vector3(-560.209, -667.482, 9.89586), vector3(-563.55, -668.272, 9.89586), vector3(-567.698, -668.642, 9.89586), vector3(-573.658, -668.87, 9.8945), vector3(-582.668, -668.789, 9.89552), vector3(-607.556, -668.845, 9.89552), vector3(-617.611, -668.815, 9.89552), vector3(-625.512, -669.28, 9.89552), vector3(-633.585, -670.824, 9.8965), vector3(-638.836, -672.439, 9.89552), vector3(-641.817, -673.705, 9.89552), vector3(-646.113, -675.588, 9.89552), vector3(-660.724, -684.072, 9.89552), vector3(-669.814, -689.165, 9.89597), vector3(-676.241, -691.662, 9.895), vector3(-682.889, -693.441, 9.895), vector3(-690.465, -694.157, 9.89695), vector3(-707.211, -694.142, 9.895), vector3(-720.437, -694.088, 9.895), vector3(-737.261, -694.164, 9.89499), vector3(-747.265, -694.165, 9.89402), vector3(-757.671, -694.336, 9.895), vector3(-762.919, -695.093, 9.895), vector3(-771.286, -697.213, 9.895), vector3(-778.292, -699.917, 9.895), vector3(-787.221, -704.436, 9.8955), vector3(-790.284, -705.802, 9.89501), vector3(-795.756, -707.732, 9.89501), vector3(-800.252, -708.695, 9.89501), vector3(-804.895, -709.158, 9.8955), vector3(-807.276, -709.505, 9.89598), vector3(-814.519, -709.49, 9.89501), vector3(-839.647, -709.558, 9.89156), vector3(-844.38, -709.49, 9.6743), vector3(-848.015, -709.489, 9.35668), vector3(-854.257, -709.531, 8.8105), vector3(-884.052, -709.514, 6.20304), vector3(-897.156, -709.521, 5.05656), vector3(-924.15, -709.436, 2.95862), vector3(-931.587, -709.444, 2.95808), vector3(-939.167, -709.905, 2.95808), vector3(-951.443, -711.281, 2.95808), vector3(-956.888, -711.751, 2.95808), vector3(-964.33, -711.771, 2.95801), vector3(-983.982, -711.706, 2.95801), vector3(-991.382, -711.568, 2.95802), vector3(-998.415, -710.922, 2.95753), vector3(-1003.31, -709.957, 2.95802), vector3(-1007.85, -708.349, 2.95753), vector3(-1012.35, -706.601, 2.95802), vector3(-1015.7, -704.87, 2.95802), vector3(-1020.37, -701.884, 2.95801), vector3(-1026.39, -697.244, 2.95801), vector3(-1029.9, -693.708, 2.95801), vector3(-1033.09, -689.852, 2.95801), vector3(-1035.69, -686.092, 2.95801), vector3(-1046.73, -667.256, 2.95802), vector3(-1064.39, -636.583, 2.958), vector3(-1071.97, -623.536, 2.95801), vector3(-1077.6, -613.742, 2.95802), vector3(-1089.41, -593.209, 2.95826), vector3(-1094.12, -584.975, 2.95801), vector3(-1096.81, -580.352, 2.95801), vector3(-1099.66, -575.886, 2.95801), vector3(-1102.62, -571.918, 2.95801), vector3(-1106.26, -567.952, 2.95849), vector3(-1110.15, -564.444, 2.95801), vector3(-1114.1, -561.414, 2.95801), vector3(-1117.93, -558.909, 2.95801), vector3(-1123.09, -556.126, 2.95848), vector3(-1127.98, -554.036, 2.95799), vector3(-1132.89, -552.522, 2.95848), vector3(-1137.86, -551.335, 2.95799), vector3(-1143.22, -550.653, 2.95799), vector3(-1148.24, -550.465, 2.95776), vector3(-1158.06, -550.51, 3.65793), vector3(-1185.4, -550.529, 6.04963), vector3(-1202.92, -550.391, 7.58253), vector3(-1220.31, -550.516, 9.10383), vector3(-1253.01, -550.5, 11.9652), vector3(-1260.28, -550.46, 12.6008), vector3(-1267.76, -550.414, 13.1305), vector3(-1271.98, -550.317, 13.1313), vector3(-1275.32, -550.07, 13.132), vector3(-1279.75, -549.705, 13.1315), vector3(-1283.61, -549.051, 13.131), vector3(-1287.36, -548.139, 13.1315), vector3(-1290.94, -546.909, 13.132), vector3(-1294.29, -545.255, 13.1315), vector3(-1296.81, -543.718, 13.1315), vector3(-1300.42, -541.077, 13.1313), vector3(-1302.7, -539.132, 13.1315), vector3(-1305.82, -535.314, 13.1325), vector3(-1307.55, -532.68, 13.1315), vector3(-1309.94, -528.44, 13.1318), vector3(-1312.24, -523.926, 13.1318), vector3(-1313.13, -521.533, 13.1318), vector3(-1314.69, -516.651, 13.1318), vector3(-1318.45, -507.318, 13.1318), vector3(-1326.55, -493.058, 13.1318), vector3(-1339.34, -470.999, 13.1316), vector3(-1344.72, -461.821, 13.1318), vector3(-1349.8, -452.95, 13.1321), vector3(-1358.06, -438.633, 13.1318), vector3(-1363.25, -429.563, 13.1318), vector3(-1366.0, -424.823, 13.1328), vector3(-1368.41, -420.909, 13.1308), vector3(-1370.78, -417.178, 13.1308), vector3(-1372.97, -413.462, 13.1308), vector3(-1374.77, -409.215, 13.1308), vector3(-1375.64, -404.694, 13.1308), vector3(-1375.88, -400.207, 13.1308), vector3(-1375.88, -396.012, 13.1318), vector3(-1375.78, -392.76, 13.1306), vector3(-1375.54, -389.316, 13.1326), vector3(-1375.07, -385.763, 13.1316), vector3(-1374.57, -383.609, 13.1306), vector3(-1373.99, -381.291, 13.1316), vector3(-1372.56, -376.851, 13.1326), vector3(-1370.82, -372.554, 13.1326), vector3(-1367.66, -366.535, 13.1321), vector3(-1366.2, -364.515, 13.1321), vector3(-1363.43, -360.866, 13.1311), vector3(-1359.53, -356.705, 13.1316), vector3(-1356.9, -354.345, 13.1316), vector3(-1354.04, -352.192, 13.1318), vector3(-1350.98, -350.182, 13.1316), vector3(-1347.39, -347.951, 13.1311), vector3(-1343.17, -345.932, 13.1326), vector3(-1338.86, -344.35, 13.1316), vector3(-1334.23, -343.131, 13.1316), vector3(-1332.0, -342.681, 13.1316), vector3(-1327.42, -342.076, 13.1321), vector3(-1307.77, -341.951, 13.1317), vector3(-1292.96, -342.023, 13.1321), vector3(-1240.78, -341.99, 13.1316), vector3(-1235.24, -341.872, 13.1326), vector3(-1229.94, -341.408, 13.1316), vector3(-1224.61, -340.422, 13.1307), vector3(-1221.6, -339.711, 13.1316), vector3(-1219.1, -339.054, 13.1316), vector3(-1215.78, -337.969, 13.1316), vector3(-1212.47, -336.539, 13.1307), vector3(-1209.42, -335.06, 13.1316), vector3(-1206.14, -333.214, 13.1311), vector3(-1193.82, -326.078, 13.327), vector3(-1185.11, -321.046, 14.2044), vector3(-1180.65, -318.483, 14.6539), vector3(-1163.4, -308.574, 16.3944), vector3(-1154.93, -303.652, 17.2511), vector3(-1150.57, -301.103, 17.6927), vector3(-1146.47, -298.767, 18.0313), vector3(-1141.22, -295.714, 18.0368), vector3(-1124.02, -285.886, 17.9895), vector3(-1111.78, -278.671, 18.0368), vector3(-1094.17, -268.564, 17.6857), vector3(-1077.09, -258.72, 18.0363), vector3(-1038.3, -236.4, 18.0368), vector3(-1033.8, -233.731, 18.0363), vector3(-1029.41, -231.165, 18.0373), vector3(-1025.16, -228.698, 18.0363), vector3(-1021.01, -226.548, 18.0368), vector3(-1018.95, -225.645, 18.0368), vector3(-1016.83, -224.795, 18.0368), vector3(-1015.01, -224.166, 18.0368), vector3(-1011.76, -223.251, 18.0369), vector3(-1007.77, -222.412, 18.0369), vector3(-1003.22, -221.765, 18.0367), vector3(-998.628, -221.581, 18.0366), vector3(-993.367, -221.591, 18.0368), vector3(-980.492, -221.568, 18.0368), vector3(-970.566, -221.591, 18.0363), vector3(-965.596, -221.586, 18.0363), vector3(-960.047, -220.957, 18.0363), vector3(-956.502, -220.41, 18.0368), vector3(-952.581, -219.544, 18.0307), vector3(-949.816, -218.719, 18.0368), vector3(-947.576, -217.864, 18.0363), vector3(-945.154, -216.964, 18.0371), vector3(-942.599, -215.802, 18.0373), vector3(-939.737, -214.395, 18.0373), vector3(-936.617, -212.643, 18.0368), vector3(-933.533, -210.762, 18.0368), vector3(-907.486, -195.741, 18.0368), vector3(-890.176, -185.852, 18.0363), vector3(-877.228, -178.397, 18.0367), vector3(-872.646, -176.298, 18.0372), vector3(-867.563, -174.674, 18.0372), vector3(-862.894, -172.889, 18.0367), vector3(-856.203, -169.769, 18.0363), vector3(-849.624, -166.243, 18.0368), vector3(-808.375, -142.262, 18.0363), vector3(-788.995, -131.128, 18.0368), vector3(-771.731, -120.931, 18.0368), vector3(-763.751, -114.965, 18.0368), vector3(-760.078, -111.489, 18.0368), vector3(-756.044, -108.419, 18.0368), vector3(-750.883, -105.325, 18.0369), vector3(-744.629, -101.736, 18.0364), vector3(-739.016, -98.7158, 18.0369), vector3(-734.648, -96.9531, 18.0369), vector3(-728.849, -95.1686, 18.0369), vector3(-722.39, -94.0868, 18.0369), vector3(-715.63, -93.7238, 18.0369), vector3(-708.658, -93.6796, 18.0374), vector3(-701.883, -93.9851, 18.0373), vector3(-697.293, -94.5062, 18.0368), vector3(-694.063, -95.3319, 18.0368), vector3(-688.43, -96.9137, 18.0368), vector3(-682.572, -99.4576, 18.0368), vector3(-660.603, -112.119, 18.0368), vector3(-643.178, -122.251, 18.0368), vector3(-623.335, -133.374, 18.0369), vector3(-616.395, -136.806, 18.0364), vector3(-609.982, -139.528, 18.0369), vector3(-607.635, -140.528, 18.0364), vector3(-602.683, -142.988, 18.0374), vector3(-601.029, -143.968, 18.0368), vector3(-597.843, -145.736, 17.8163), vector3(-581.849, -155.009, 16.2318), vector3(-559.083, -168.137, 13.9327), vector3(-553.655, -171.241, 13.3815), vector3(-549.246, -173.75, 13.0926), vector3(-544.906, -176.271, 13.0922), vector3(-540.592, -178.756, 13.0926), vector3(-538.008, -180.267, 13.0927), vector3(-527.486, -186.377, 13.0927), vector3(-521.105, -190.092, 13.0936), vector3(-516.555, -192.16, 13.0927), vector3(-511.544, -194.016, 13.0927), vector3(-506.438, -195.354, 13.0927), vector3(-503.831, -195.882, 13.0926), vector3(-499.497, -196.41, 13.0927), vector3(-496.252, -196.663, 13.0926), vector3(-493.679, -196.721, 13.0924), vector3(-488.831, -196.742, 12.7994), vector3(-468.814, -196.749, 11.0504), vector3(-448.912, -196.736, 9.3094), vector3(-443.967, -196.734, 8.87309), vector3(-438.786, -196.63, 8.42681), vector3(-432.463, -196.727, 8.1485), vector3(-425.117, -196.816, 8.1485), vector3(-419.078, -196.745, 8.14853), vector3(-401.404, -196.816, 8.14853), vector3(-398.431, -196.982, 8.14853), vector3(-394.422, -197.538, 8.14853), vector3(-389.75, -198.523, 8.14853), vector3(-384.977, -200.019, 8.14853), vector3(-381.632, -201.444, 8.1485), vector3(-378.272, -203.017, 8.14853), vector3(-376.32, -204.104, 8.16608), vector3(-371.889, -206.635, 8.14902), vector3(-363.295, -211.744, 8.14854), vector3(-350.425, -219.102, 8.14804), vector3(-348.592, -220.214, 8.1486), vector3(-344.311, -223.115, 8.1486), vector3(-338.541, -227.434, 8.1486), vector3(-333.851, -230.812, 8.1486), vector3(-329.776, -233.508, 8.1486), vector3(-325.493, -236.032, 8.1486), vector3(-321.558, -238.52, 8.1486), vector3(-318.546, -240.853, 8.1486), vector3(-316.398, -242.639, 8.1486), vector3(-314.458, -244.491, 8.1486), vector3(-311.32, -247.916, 8.1486), vector3(-309.024, -250.875, 8.1486), vector3(-307.263, -253.492, 8.1486), vector3(-305.623, -256.183, 8.14836), vector3(-303.853, -259.562, 8.14861), vector3(-302.421, -264.17, 8.14861), vector3(-301.895, -267.34, 8.14861), vector3(-301.811, -270.621, 8.14861), vector3(-301.929, -274.982, 8.14861), vector3(-302.164, -281.874, 8.14958), vector3(-302.189, -288.182, 8.14959), vector3(-302.189, -296.998, 8.14959), vector3(-302.204, -312.024, 8.14971), vector3(-302.205, -322.391, 8.14959), vector3(-302.228, -334.301, 8.14959), vector3(-302.231, -344.879, 8.14959), vector3(-302.231, -357.042, 8.14959), vector3(-302.204, -366.945, 8.14959), vector3(-302.123, -371.947, 8.14955), vector3(-302.014, -374.608, 8.14857), vector3(-301.531, -377.343, 8.14857), vector3(-300.222, -382.805, 8.14857), vector3(-298.884, -386.719, 8.14857), vector3(-297.206, -390.69, 8.14857), vector3(-295.923, -393.651, 8.14857), vector3(-293.457, -398.28, 8.14808), vector3(-290.703, -402.864, 8.14857), vector3(-287.828, -407.308, 8.14904), vector3(-286.291, -409.52, 8.14856), vector3(-284.674, -411.515, 8.14856), vector3(-281.553, -414.85, 8.14831), vector3(-278.916, -417.49, 8.14856), vector3(-275.872, -420.11, 8.14831), vector3(-272.695, -422.428, 8.14904), vector3(-268.104, -425.409, 8.14854), vector3(-250.708, -435.393, 8.14855), vector3(-243.636, -439.49, 8.14843), vector3(-238.062, -442.647, 8.14855), vector3(-229.161, -447.77, 8.14905), vector3(-226.056, -449.359, 8.14857), vector3(-222.44, -450.965, 8.14857), vector3(-216.918, -453.354, 8.14857), vector3(-210.745, -456.153, 8.14857), vector3(-206.367, -458.411, 8.15094), vector3(-201.784, -461.114, 8.45636), vector3(-188.886, -468.514, 9.76593), vector3(-176.082, -475.969, 11.0616), vector3(-170.394, -479.263, 11.6372), vector3(-163.108, -483.454, 12.3746), vector3(-147.593, -492.463, 13.318), vector3(-140.366, -496.577, 13.7539), vector3(-132.88, -500.87, 14.2039), vector3(-124.392, -505.716, 14.8094), vector3(-111.093, -513.324, 16.1498), vector3(-98.5128, -520.699, 16.7526), vector3(-93.9177, -523.112, 16.7521), vector3(-91.9357, -524.071, 16.7516), vector3(-89.0461, -525.43, 16.7516), vector3(-86.3957, -526.419, 16.7521), vector3(-83.6552, -527.236, 16.7516), vector3(-81.2994, -527.793, 16.7516), vector3(-78.1165, -528.323, 16.7516), vector3(-72.2642, -528.698, 16.7516), vector3(-68.4807, -528.728, 16.7517), vector3(-64.1503, -528.736, 16.7522), vector3(-47.5175, -528.818, 16.7517), vector3(-36.2605, -528.79, 16.7515), vector3(-27.2061, -528.751, 16.7522), vector3(-14.2173, -528.661, 16.7522), vector3(-7.7507, -528.923, 16.7517), vector3(-4.03375, -529.379, 16.752), vector3(-1.27335, -529.824, 16.7517), vector3(2.53543, -530.891, 16.7517), vector3(5.83734, -531.925, 16.7512), vector3(9.1951, -533.234, 16.7517), vector3(12.1679, -534.653, 16.7517), vector3(14.3279, -535.871, 16.7517), vector3(18.6074, -538.288, 16.7517), vector3(21.4955, -539.752, 16.752), vector3(25.0851, -541.417, 16.7517), vector3(30.5298, -543.742, 16.7517), vector3(36.7897, -546.517, 16.7517), vector3(41.2591, -548.835, 16.7517), vector3(49.9128, -553.894, 16.7517), vector3(62.9285, -561.385, 16.7517), vector3(71.8043, -566.512, 16.7517), vector3(80.9598, -571.768, 16.7518), vector3(85.1172, -574.201, 16.7517), vector3(89.1477, -576.52, 16.7519), vector3(93.1083, -578.882, 16.7514), vector3(98.2072, -582.246, 16.8105), vector3(103.201, -585.737, 16.757), vector3(111.308, -591.703, 16.757), vector3(113.843, -593.312, 16.7567), vector3(118.508, -595.991, 16.7567), vector3(122.952, -598.34, 16.757), vector3(128.119, -600.38, 16.757), vector3(132.933, -602.001, 16.7697), vector3(136.381, -602.813, 16.7706), vector3(141.515, -603.545, 16.7706), vector3(147.043, -604.177, 16.7726), vector3(159.383, -604.249, 16.757), vector3(161.376, -604.25, 16.7568), vector3(164.226, -604.242, 16.7567), vector3(169.352, -604.219, 16.7568), vector3(174.042, -604.19, 16.7568), vector3(187.822, -604.086, 16.7314), vector3(193.196, -603.836, 16.7565), }, }, [8] = { Type = 2, Direction = true, Nodes = { vector3(-213.538, -1019.98, 28.1413), vector3(-223.772, -1048.12, 28.1433), vector3(-249.419, -1119.16, 28.1413), vector3(-252.253, -1128.79, 28.1413), vector3(-253.026, -1132.81, 28.1423), vector3(-253.391, -1137.03, 28.1413), vector3(-254.499, -1154.93, 28.1417), vector3(-255.226, -1166.99, 28.1414), vector3(-256.445, -1184.67, 28.1417), vector3(-256.997, -1196.89, 28.1408), vector3(-256.79, -1210.12, 28.1412), vector3(-256.626, -1222.74, 28.151), vector3(-256.529, -1228.66, 28.1427), vector3(-256.547, -1246.79, 28.1466), vector3(-256.518, -1270.42, 29.2323), vector3(-256.522, -1281.96, 29.8212), vector3(-256.574, -1287.71, 30.0507), vector3(-256.536, -1299.33, 30.2889), vector3(-256.52, -1316.64, 30.2948), vector3(-256.516, -1328.3, 30.2948), vector3(-256.523, -1345.6, 30.2938), vector3(-256.281, -1368.64, 30.2958), vector3(-255.413, -1392.7, 30.2938), vector3(-254.697, -1398.71, 30.2899), vector3(-253.305, -1404.77, 30.2811), vector3(-251.403, -1410.25, 30.1268), vector3(-248.983, -1415.88, 30.1073), vector3(-246.103, -1421.18, 30.2835), vector3(-242.773, -1426.28, 30.3489), vector3(-238.913, -1430.95, 30.3553), vector3(-234.761, -1435.28, 30.3817), vector3(-221.321, -1446.65, 30.4139), vector3(-210.482, -1455.74, 30.473), vector3(-203.418, -1461.61, 30.5438), vector3(-190.055, -1472.87, 30.6908), vector3(-176.659, -1484.11, 31.2811), vector3(-158.77, -1498.98, 32.3026), vector3(-145.958, -1509.84, 33.0096), vector3(-132.495, -1521.24, 33.1752), vector3(-120.603, -1531.24, 33.0238), vector3(-105.225, -1544.11, 32.8226), vector3(-91.9719, -1555.04, 31.8734), vector3(-78.7458, -1566.24, 30.5682), vector3(-60.9372, -1581.13, 28.9795), vector3(-51.3542, -1589.16, 28.3535), vector3(-41.6159, -1597.38, 28.2642), vector3(-16.2497, -1618.63, 28.2539), vector3(-2.00262, -1630.56, 28.3047), vector3(12.0882, -1642.35, 28.2988), vector3(25.9818, -1654.09, 28.2988), vector3(35.327, -1661.98, 28.2988), vector3(40.033, -1665.92, 28.2988), vector3(49.4999, -1673.8, 28.2988), vector3(63.5135, -1685.63, 28.2988), vector3(68.2834, -1689.57, 28.3013), vector3(76.5609, -1697.1, 28.0737), vector3(83.4468, -1703.81, 28.0608), vector3(91.114, -1710.88, 28.0633), vector3(102.061, -1720.06, 28.054), vector3(116.263, -1732.06, 28.0535), vector3(130.571, -1743.94, 28.0618), vector3(140.062, -1751.93, 28.0594), vector3(150.037, -1759.38, 28.0628), vector3(155.04, -1763.08, 28.0701), vector3(167.194, -1772.77, 28.0703), vector3(183.784, -1786.53, 28.0685), vector3(195.985, -1796.74, 27.6827), vector3(214.272, -1812.23, 24.8458), vector3(232.327, -1827.27, 21.2223), vector3(246.222, -1838.8, 18.8116), vector3(264.424, -1854.09, 17.7577), vector3(278.022, -1865.54, 17.4186), vector3(304.339, -1887.65, 16.9305), vector3(328.621, -1908.08, 16.243), vector3(383.332, -1954.95, 15.8222), vector3(391.929, -1963.05, 15.617), vector3(399.967, -1971.88, 15.464), vector3(408.067, -1980.72, 15.3472), vector3(419.256, -1993.17, 15.2512), }, }, [11] = { Type = 2, Nodes = { vector3(519.823, -1187.75, 28.3182), vector3(521.331, -1184.9, 28.327), vector3(522.353, -1181.26, 28.3407), vector3(523.067, -1177.32, 28.3543), vector3(523.8, -1168.22, 28.3719), vector3(523.702, -1151.13, 28.3729), vector3(523.632, -1145.12, 28.3641), vector3(523.622, -1127.56, 28.2157), vector3(523.607, -1115.38, 28.2059), vector3(523.61, -1103.85, 28.0604), vector3(523.725, -1097.85, 28.055), vector3(523.646, -1094.01, 28.0409), vector3(523.494, -1090.0, 27.9955), vector3(523.398, -1086.11, 27.9222), vector3(523.171, -1082.18, 27.8187), vector3(522.73, -1074.25, 27.5199), vector3(522.419, -1066.42, 27.1048), vector3(522.323, -1058.59, 26.5731), vector3(522.309, -1052.82, 26.254), vector3(522.359, -1044.98, 25.8022), vector3(522.272, -1037.13, 25.3786), vector3(522.282, -1029.29, 24.9035), vector3(522.331, -1021.45, 24.374), vector3(522.357, -1017.52, 24.1069), vector3(522.304, -1013.58, 23.8527), vector3(522.304, -1005.72, 23.2848), vector3(522.276, -997.88, 22.6757), vector3(522.282, -990.089, 22.0683), vector3(522.276, -986.134, 21.7672), vector3(522.203, -970.413, 20.525), vector3(522.193, -966.456, 20.1886), vector3(522.076, -962.561, 19.8681), vector3(522.069, -958.608, 19.5435), vector3(522.071, -954.71, 19.2123), vector3(522.095, -950.667, 18.8955), vector3(522.153, -946.646, 18.5674), vector3(522.145, -942.832, 18.2458), vector3(522.174, -938.921, 17.9289), vector3(522.25, -935.011, 17.6156), vector3(522.376, -931.091, 17.313), vector3(522.453, -927.054, 17.0199), vector3(522.832, -922.924, 16.711), vector3(523.362, -918.734, 16.4156), vector3(523.998, -914.56, 16.1286), vector3(524.71, -910.395, 15.8347), vector3(525.514, -906.255, 15.5774), vector3(526.34, -902.111, 15.3313), vector3(527.213, -898.018, 15.1029), vector3(528.1, -894.007, 14.9146), vector3(528.967, -890.044, 14.7603), vector3(530.556, -882.442, 14.5469), vector3(531.842, -875.338, 14.4245), vector3(532.265, -872.082, 14.4223), vector3(532.458, -864.646, 14.4106), vector3(532.47, -856.789, 14.4105), vector3(532.415, -848.962, 14.423), vector3(532.408, -841.171, 14.4102), vector3(532.113, -837.321, 14.4243), vector3(531.795, -833.416, 14.4242), vector3(531.514, -829.442, 14.4087), vector3(531.341, -827.153, 14.4652), vector3(531.198, -824.367, 14.4652), vector3(531.08, -821.021, 14.4657), vector3(531.016, -817.18, 14.4671), vector3(530.977, -812.792, 14.4671), vector3(530.889, -808.355, 14.4671), vector3(530.815, -803.836, 14.4681), vector3(530.845, -799.333, 14.4476), vector3(530.95, -790.792, 14.4681), vector3(531.424, -778.476, 14.4505), vector3(531.61, -774.583, 14.4705), vector3(531.83, -770.701, 14.4715), vector3(532.171, -762.87, 14.3831), vector3(532.544, -755.078, 14.4046), vector3(532.998, -747.339, 14.4544), vector3(533.584, -739.59, 14.4764), vector3(534.189, -731.793, 14.4588), vector3(535.192, -720.191, 14.4818), vector3(535.926, -712.465, 14.4852), vector3(536.628, -704.721, 14.4881), vector3(537.461, -697.0, 14.4715), vector3(538.696, -685.392, 14.4964), vector3(539.627, -677.707, 14.5013), vector3(540.687, -669.322, 14.208), vector3(541.759, -665.193, 14.2198), vector3(543.539, -660.966, 14.2901), vector3(545.591, -656.992, 14.3953), vector3(546.721, -655.073, 14.3962), vector3(548.025, -652.446, 14.3948), vector3(550.036, -647.477, 14.3948), vector3(550.948, -644.983, 14.3943), vector3(551.716, -642.358, 14.3953), vector3(552.421, -639.623, 14.3953), vector3(552.892, -637.123, 14.3953), vector3(553.283, -634.444, 14.3962), vector3(553.557, -631.749, 14.3953), vector3(553.737, -626.405, 14.3953), vector3(553.558, -621.045, 14.3952), vector3(553.323, -618.604, 14.3943), vector3(552.38, -613.1, 14.3952), vector3(550.894, -607.785, 14.3952), vector3(549.12, -602.756, 14.3962), vector3(545.646, -595.811, 14.3943), vector3(542.664, -591.05, 14.3952), vector3(539.361, -586.822, 14.3942), vector3(535.727, -582.861, 14.3962), vector3(531.783, -579.233, 14.3952), vector3(527.485, -575.958, 14.3942), vector3(522.969, -573.107, 14.3942), vector3(518.152, -570.593, 14.3952), vector3(513.221, -568.57, 14.3957), vector3(510.854, -567.729, 14.3952), vector3(508.136, -566.908, 14.3942), vector3(502.837, -565.8, 14.3952), vector3(497.529, -565.058, 14.3952), vector3(489.793, -564.963, 14.3952), vector3(484.403, -565.31, 14.3952), vector3(481.484, -565.74, 14.3952), vector3(478.996, -566.296, 14.3952), vector3(476.276, -566.958, 14.3942), vector3(471.17, -568.594, 14.3942), vector3(468.651, -569.43, 14.3952), vector3(466.207, -570.635, 14.3952), vector3(463.87, -571.716, 14.3952), vector3(459.441, -574.145, 14.3949), vector3(457.319, -575.203, 14.3949), vector3(455.295, -576.118, 14.3949), vector3(453.06, -576.986, 14.3949), vector3(451.094, -577.712, 14.3949), vector3(448.619, -578.33, 14.3949), vector3(446.49, -578.919, 14.3949), vector3(441.872, -579.75, 14.3959), vector3(434.918, -580.181, 14.4013), vector3(429.375, -580.197, 14.5649), vector3(406.312, -580.11, 16.5263), vector3(360.184, -580.161, 16.7568), vector3(330.228, -580.15, 16.7568), vector3(300.247, -580.168, 16.7563), vector3(260.335, -580.116, 16.757), vector3(246.151, -580.17, 16.7572), vector3(242.585, -580.241, 16.7572), vector3(239.835, -580.395, 16.7568), vector3(237.338, -580.688, 16.7568), vector3(234.486, -581.109, 16.7572), vector3(232.057, -581.592, 16.7563), vector3(229.207, -582.291, 16.7572), vector3(226.726, -583.051, 16.7565), vector3(219.186, -585.968, 16.7572), vector3(216.768, -587.113, 16.7568), vector3(214.654, -588.296, 16.7568), vector3(212.305, -589.668, 16.7563), vector3(208.072, -591.448, 16.7572), vector3(203.806, -593.159, 16.7568), vector3(199.257, -594.362, 16.7572), vector3(195.929, -594.955, 16.7568), vector3(192.458, -595.358, 16.7568), }, }, }
--[[------------------------------------------------ -- Love Frames - A GUI library for LOVE -- -- Copyright (c) 2013 Kenny Shields -- --]]------------------------------------------------ local path = ... -- central library table loveframes = {} -- library info loveframes.author = "Kenny Shields" loveframes.version = "0.9.6.3" loveframes.stage = "Alpha" -- library configurations loveframes.config = {} loveframes.config["DIRECTORY"] = nil loveframes.config["DEFAULTSKIN"] = "Blue" loveframes.config["ACTIVESKIN"] = "Blue" loveframes.config["INDEXSKINIMAGES"] = true loveframes.config["DEBUG"] = false -- misc library vars loveframes.state = "none" loveframes.drawcount = 0 loveframes.collisioncount = 0 loveframes.hoverobject = false loveframes.modalobject = false loveframes.inputobject = false loveframes.hover = false loveframes.basicfont = love.graphics.newFont(12) loveframes.basicfontsmall = love.graphics.newFont(10) loveframes.objects = {} --[[--------------------------------------------------------- - func: load() - desc: loads the library --]]--------------------------------------------------------- function loveframes.load() local loveversion = love._version if loveversion ~= "0.8.0" and loveversion ~= "0.9.0" then error("Love Frames is not compatible with your version of LOVE.") end -- install directory of the library local dir = loveframes.config["DIRECTORY"] or path -- require the internal base libraries loveframes.class = require(dir .. ".third-party.middleclass") require(dir .. ".util") require(dir .. ".skins") require(dir .. ".templates") require(dir .. ".debug") -- replace all "." with "/" in the directory setting dir = dir:gsub("%.", "/") loveframes.config["DIRECTORY"] = dir -- create a list of gui objects, skins and templates local objects = loveframes.util.GetDirectoryContents(dir .. "/objects") local skins = loveframes.util.GetDirectoryContents(dir .. "/skins") local templates = loveframes.util.GetDirectoryContents(dir .. "/templates") -- loop through a list of all gui objects and require them for k, v in ipairs(objects) do if v.extension == "lua" then require(v.requirepath) end end -- loop through a list of all gui templates and require them for k, v in ipairs(templates) do if v.extension == "lua" then require(v.requirepath) end end -- loop through a list of all gui skins and require them for k, v in ipairs(skins) do if v.extension == "lua" then require(v.requirepath) end end -- create the base gui object local base = loveframes.objects["base"] loveframes.base = base:new() end --[[--------------------------------------------------------- - func: update(deltatime) - desc: updates all library objects --]]--------------------------------------------------------- function loveframes.update(dt) local base = loveframes.base loveframes.collisioncount = 0 loveframes.hover = false base:update(dt) end --[[--------------------------------------------------------- - func: draw() - desc: draws all library objects --]]--------------------------------------------------------- function loveframes.draw() local base = loveframes.base local r, g, b, a = love.graphics.getColor() local font = love.graphics.getFont() base:draw() loveframes.drawcount = 0 loveframes.debug.draw() love.graphics.setColor(r, g, b, a) if font then love.graphics.setFont(font) end end --[[--------------------------------------------------------- - func: mousepressed(x, y, button) - desc: called when the player presses a mouse button --]]--------------------------------------------------------- function loveframes.mousepressed(x, y, button) local base = loveframes.base base:mousepressed(x, y, button) end --[[--------------------------------------------------------- - func: mousereleased(x, y, button) - desc: called when the player releases a mouse button --]]--------------------------------------------------------- function loveframes.mousereleased(x, y, button) local base = loveframes.base base:mousereleased(x, y, button) -- reset the hover object if button == "l" then loveframes.hoverobject = false loveframes.selectedobject = false end end --[[--------------------------------------------------------- - func: keypressed(key) - desc: called when the player presses a key --]]--------------------------------------------------------- function loveframes.keypressed(key, unicode) local base = loveframes.base base:keypressed(key, unicode) end --[[--------------------------------------------------------- - func: keyreleased(key) - desc: called when the player releases a key --]]--------------------------------------------------------- function loveframes.keyreleased(key) local base = loveframes.base base:keyreleased(key) end --[[--------------------------------------------------------- - func: Create(type, parent) - desc: creates a new object or multiple new objects (based on the method used) and returns said object or objects for further manipulation --]]--------------------------------------------------------- function loveframes.Create(data, parent) if type(data) == "string" then local objects = loveframes.objects local object = objects[data] if not object then loveframes.util.Error("Error creating object: Invalid object '" ..data.. "'.") end -- create the object local newobject = object:new() -- apply template properties to the object loveframes.templates.ApplyToObject(newobject) -- if the object is a tooltip, return it and go no further if data == "tooltip" then return newobject end -- remove the object if it is an internal if newobject.internal then newobject:Remove() return end -- parent the new object by default to the base gui object newobject.parent = loveframes.base table.insert(loveframes.base.children, newobject) -- if the parent argument is not nil, make that argument the object's new parent if parent then newobject:SetParent(parent) end -- return the object for further manipulation return newobject elseif type(data) == "table" then -- table for creation of multiple objects local objects = {} -- this function reads a table that contains a layout of object properties and then -- creates objects based on those properties local function CreateObjects(t, o, c) local child = c or false local validobjects = loveframes.objects for k, v in pairs(t) do -- current default object local object = validobjects[v.type]:new() -- indert the object into the table of objects being created table.insert(objects, object) -- parent the new object by default to the base gui object object.parent = loveframes.base table.insert(loveframes.base.children, object) if o then object:SetParent(o) end -- loop through the current layout table and assign the properties found -- to the current object for i, j in pairs(v) do if i ~= "children" and i ~= "func" then if child then if i == "x" then object["staticx"] = j elseif i == "y" then object["staticy"] = j else object[i] = j end else object[i] = j end elseif i == "children" then CreateObjects(j, object, true) end end if v.func then v.func(object) end end end -- create the objects CreateObjects(data) return objects end end --[[--------------------------------------------------------- - func: NewObject(id, name, inherit_from_base) - desc: creates a new object --]]--------------------------------------------------------- function loveframes.NewObject(id, name, inherit_from_base) local objects = loveframes.objects local object = false if inherit_from_base then local base = objects["base"] object = loveframes.class(name, base) objects[id] = object else object = loveframes.class(name) objects[id] = object end return object end --[[--------------------------------------------------------- - func: SetState(name) - desc: sets the current state --]]--------------------------------------------------------- function loveframes.SetState(name) loveframes.state = name loveframes.base.state = name end --[[--------------------------------------------------------- - func: GetState() - desc: gets the current state --]]--------------------------------------------------------- function loveframes.GetState() return loveframes.state end function loveframes.Clear() loveframes.base:Remove() end -- load the library loveframes.load()
--[[ © CloudSixteen.com do not share, re-distribute or modify without permission of its author (kurozael@gmail.com). Clockwork was created by Conna Wiles (also known as kurozael.) http://cloudsixteen.com/license/clockwork.html --]] -- Called when the command has been run. local COMMAND = Clockwork.command:New("AdvertAdd"); COMMAND.tip = "Add a dynamic advert."; COMMAND.text = "<string URL> <number Width> < number Height> [number Scale]"; COMMAND.flags = CMD_DEFAULT; COMMAND.access = "a"; COMMAND.arguments = 3; COMMAND.optionalArguments = 1; -- Called when the command has been run. function COMMAND:OnRun(player, arguments) local trace = player:GetEyeTraceNoCursor(); local scale = tonumber(arguments[4]); local width = tonumber(arguments[2]) or 256; local height = tonumber(arguments[3]) or 256; if (scale) then scale = scale * 0.25; end; local data = { url = arguments[1], scale = scale, width = width, height = height, angles = trace.HitNormal:Angle(), position = trace.HitPos + (trace.HitNormal * 1.25) }; data.angles:RotateAroundAxis(data.angles:Forward(), 90); data.angles:RotateAroundAxis(data.angles:Right(), 270); Clockwork.datastream:Start(nil, "DynamicAdvertAdd", data); cwDynamicAdverts.storedList[#cwDynamicAdverts.storedList + 1] = data; cwDynamicAdverts:SaveDynamicAdverts(); Clockwork.player:Notify(player, {"DynamicAdvertAdded"}); end; COMMAND:Register();
require("firecast.lua"); local __o_rrpgObjs = require("rrpgObjs.lua"); require("rrpgGUI.lua"); require("rrpgDialogs.lua"); require("rrpgLFM.lua"); require("ndb.lua"); require("locale.lua"); local __o_Utils = require("utils.lua"); local function constructNew_templateArmas() local obj = GUI.fromHandle(_obj_newObject("form")); local self = obj; local sheet = nil; rawset(obj, "_oldSetNodeObjectFunction", rawget(obj, "setNodeObject")); function obj:setNodeObject(nodeObject) sheet = nodeObject; self.sheet = nodeObject; self:_oldSetNodeObjectFunction(nodeObject); end; function obj:setNodeDatabase(nodeObject) self:setNodeObject(nodeObject); end; _gui_assignInitialParentForForm(obj.handle); obj:beginUpdate(); obj:setName("templateArmas"); obj:setHeight(90); obj:setMargins({top=5,bottom=5}); obj.label1 = GUI.fromHandle(_obj_newObject("label")); obj.label1:setParent(obj); obj.label1:setText("Nome:"); obj.label1:setLeft(10); obj.label1:setTop(5); obj.label1:setName("label1"); obj.edit1 = GUI.fromHandle(_obj_newObject("edit")); obj.edit1:setParent(obj); obj.edit1:setLeft(55); obj.edit1:setField("nomeArma"); obj.edit1:setHeight(25); obj.edit1:setWidth(115); obj.edit1:setMargins({right=2}); obj.edit1:setName("edit1"); obj.label2 = GUI.fromHandle(_obj_newObject("label")); obj.label2:setParent(obj); obj.label2:setText("Perícia:"); obj.label2:setLeft(175); obj.label2:setTop(5); obj.label2:setName("label2"); obj.edit2 = GUI.fromHandle(_obj_newObject("edit")); obj.edit2:setParent(obj); obj.edit2:setLeft(220); obj.edit2:setField("periArma"); obj.edit2:setHeight(25); obj.edit2:setWidth(95); obj.edit2:setMargins({right=2}); obj.edit2:setName("edit2"); obj.label3 = GUI.fromHandle(_obj_newObject("label")); obj.label3:setParent(obj); obj.label3:setText("Ataque:"); obj.label3:setLeft(5); obj.label3:setTop(33); obj.label3:setName("label3"); obj.edit3 = GUI.fromHandle(_obj_newObject("edit")); obj.edit3:setParent(obj); obj.edit3:setLeft(55); obj.edit3:setTop(30); obj.edit3:setField("atkArma"); obj.edit3:setHeight(25); obj.edit3:setWidth(80); obj.edit3:setMargins({right=2}); obj.edit3:setName("edit3"); obj.label4 = GUI.fromHandle(_obj_newObject("label")); obj.label4:setParent(obj); obj.label4:setText("Dano:"); obj.label4:setLeft(142); obj.label4:setTop(33); obj.label4:setName("label4"); obj.edit4 = GUI.fromHandle(_obj_newObject("edit")); obj.edit4:setParent(obj); obj.edit4:setLeft(182); obj.edit4:setTop(30); obj.edit4:setField("danoArma"); obj.edit4:setHeight(25); obj.edit4:setWidth(80); obj.edit4:setMargins({right=2}); obj.edit4:setName("edit4"); obj.label5 = GUI.fromHandle(_obj_newObject("label")); obj.label5:setParent(obj); obj.label5:setText("Quant.:"); obj.label5:setLeft(270); obj.label5:setTop(33); obj.label5:setName("label5"); obj.edit5 = GUI.fromHandle(_obj_newObject("edit")); obj.edit5:setParent(obj); obj.edit5:setLeft(315); obj.edit5:setTop(30); obj.edit5:setField("quantArma"); obj.edit5:setHeight(25); obj.edit5:setHorzTextAlign("center"); obj.edit5:setWidth(30); obj.edit5:setMargins({right=2}); obj.edit5:setName("edit5"); obj.button1 = GUI.fromHandle(_obj_newObject("button")); obj.button1:setParent(obj); obj.button1:setLeft(320); obj.button1:setText("-"); obj.button1:setWidth(25); obj.button1:setHeight(25); obj.button1:setName("button1"); obj.textEditor1 = GUI.fromHandle(_obj_newObject("textEditor")); obj.textEditor1:setParent(obj); obj.textEditor1:setTop(60); obj.textEditor1:setLeft(5); obj.textEditor1:setField("descriArma"); obj.textEditor1:setWidth(340); obj.textEditor1:setHeight(25); obj.textEditor1:setName("textEditor1"); obj._e_event0 = obj.button1:addEventListener("onClick", function (_) NDB.deleteNode(sheet); end, obj); function obj:_releaseEvents() __o_rrpgObjs.removeEventListenerById(self._e_event0); end; obj._oldLFMDestroy = obj.destroy; function obj:destroy() self:_releaseEvents(); if (self.handle ~= 0) and (self.setNodeDatabase ~= nil) then self:setNodeDatabase(nil); end; if self.edit3 ~= nil then self.edit3:destroy(); self.edit3 = nil; end; if self.label5 ~= nil then self.label5:destroy(); self.label5 = nil; end; if self.edit2 ~= nil then self.edit2:destroy(); self.edit2 = nil; end; if self.edit5 ~= nil then self.edit5:destroy(); self.edit5 = nil; end; if self.label1 ~= nil then self.label1:destroy(); self.label1 = nil; end; if self.edit4 ~= nil then self.edit4:destroy(); self.edit4 = nil; end; if self.button1 ~= nil then self.button1:destroy(); self.button1 = nil; end; if self.edit1 ~= nil then self.edit1:destroy(); self.edit1 = nil; end; if self.label3 ~= nil then self.label3:destroy(); self.label3 = nil; end; if self.label4 ~= nil then self.label4:destroy(); self.label4 = nil; end; if self.textEditor1 ~= nil then self.textEditor1:destroy(); self.textEditor1 = nil; end; if self.label2 ~= nil then self.label2:destroy(); self.label2 = nil; end; self:_oldLFMDestroy(); end; obj:endUpdate(); return obj; end; function newtemplateArmas() local retObj = nil; __o_rrpgObjs.beginObjectsLoading(); __o_Utils.tryFinally( function() retObj = constructNew_templateArmas(); end, function() __o_rrpgObjs.endObjectsLoading(); end); assert(retObj ~= nil); return retObj; end; local _templateArmas = { newEditor = newtemplateArmas, new = newtemplateArmas, name = "templateArmas", dataType = "", formType = "undefined", formComponentName = "form", title = "", description=""}; templateArmas = _templateArmas; Firecast.registrarForm(_templateArmas); return _templateArmas;
local ctlStateEnum = {} ctlStateEnum.ALL_BUTTONS = {"up", "down", "left", "right", "x", "circle", "triangle", "square", "start", "select"} ctlStateEnum.DIRECTIONS = {"up", "down", "left", "right"} ctlStateEnum.FACE_BUTTONS = {"x", "circle", "triangle", "square"} ctlStateEnum.START_SELECT = {"start", "select"} ctlStateEnum.isKeyFrame = 1 ctlStateEnum.up = 2 ctlStateEnum.down = 4 ctlStateEnum.left = 8 ctlStateEnum.right = 16 ctlStateEnum.confirm = 32 ctlStateEnum.deny = 64 ctlStateEnum.x = 128 ctlStateEnum.circle = 256 ctlStateEnum.triangle = 512 ctlStateEnum.square = 1024 ctlStateEnum.start = 2048 ctlStateEnum.select = 4096 ctlStateEnum.l1 = 8192 ctlStateEnum.l2 = 16384 ctlStateEnum.r1 = 32768 ctlStateEnum.r2 = 65536 function isButton(str) return isInList(str, ctlStateEnum.ALL_BUTTONS) end function isFaceButton(str) return isInList(str, ctlStateEnum.FACE_BUTTONS) end function isDirection(str) return isInList(str, ctlStateEnum.DIRECTIONS) end function isStartSelect(str) return isInList(str, ctlStateEnum.START_SELECT) end return ctlStateEnum
-- AUTO BUILD, DON'T MODIFY! dofile "autobuild/cocos2d-physics-types.lua" name = "cocos2d_physics" path = "../../frameworks/libxgame/src/lua-bindings" headers = [[ #include "lua-bindings/lua_conv.h" #include "lua-bindings/lua_conv_manual.h" #include "lua-bindings/LuaCocosAdapter.h" #include "cclua/xlua.h" #include "cocos2d.h" ]] chunk = nil luaopen = nil typeconv 'cocos2d::PhysicsMaterial' .var('density', 'float density') .var('restitution', 'float restitution') .var('friction', 'float friction') typeconf 'cocos2d::PhysicsRayCastCallbackFunc' .supercls(nil) .reg_luatype(true) .chunk(nil) .luaopen(nil) typeconf 'cocos2d::PhysicsQueryRectCallbackFunc' .supercls(nil) .reg_luatype(true) .chunk(nil) .luaopen(nil) typeconf 'cocos2d::PhysicsQueryPointCallbackFunc' .supercls(nil) .reg_luatype(true) .chunk(nil) .luaopen(nil) typeconf 'cocos2d::EventListenerPhysicsContact' .supercls('cocos2d::EventListenerCustom') .reg_luatype(true) .chunk(nil) .luaopen(nil) .func(nil, 'static cocos2d::EventListenerPhysicsContact *create()') .var('onContactBegin', '@nullable @localvar std::function<bool (cocos2d::PhysicsContact &)> onContactBegin') .var('onContactPreSolve', '@nullable @localvar std::function<bool (cocos2d::PhysicsContact &, cocos2d::PhysicsContactPreSolve &)> onContactPreSolve') .var('onContactPostSolve', '@nullable @localvar std::function<void (cocos2d::PhysicsContact &, const cocos2d::PhysicsContactPostSolve &)> onContactPostSolve') .var('onContactSeparate', '@nullable @localvar std::function<void (cocos2d::PhysicsContact &)> onContactSeparate') typeconf 'cocos2d::EventListenerPhysicsContactWithGroup' .supercls('cocos2d::EventListenerPhysicsContact') .reg_luatype(true) .chunk(nil) .luaopen(nil) .func(nil, 'static cocos2d::EventListenerPhysicsContactWithGroup *create(int group)') .func(nil, 'bool hitTest(cocos2d::PhysicsShape *shapeA, cocos2d::PhysicsShape *shapeB)') typeconf 'cocos2d::EventListenerPhysicsContactWithBodies' .supercls('cocos2d::EventListenerPhysicsContact') .reg_luatype(true) .chunk(nil) .luaopen(nil) .func(nil, 'static cocos2d::EventListenerPhysicsContactWithBodies *create(cocos2d::PhysicsBody *bodyA, cocos2d::PhysicsBody *bodyB)') .func(nil, 'bool hitTest(cocos2d::PhysicsShape *shapeA, cocos2d::PhysicsShape *shapeB)') typeconf 'cocos2d::EventListenerPhysicsContactWithShapes' .supercls('cocos2d::EventListenerPhysicsContact') .reg_luatype(true) .chunk(nil) .luaopen(nil) .func(nil, 'static cocos2d::EventListenerPhysicsContactWithShapes *create(cocos2d::PhysicsShape *shapeA, cocos2d::PhysicsShape *shapeB)') .func(nil, 'bool hitTest(cocos2d::PhysicsShape *shapeA, cocos2d::PhysicsShape *shapeB)') typeconf 'cocos2d::PhysicsBody' .supercls('cocos2d::Component') .reg_luatype(true) .chunk(nil) .luaopen(nil) .const('COMPONENT_NAME', 'cocos2d::PhysicsBody::COMPONENT_NAME', 'const std::string') .func(nil, 'static cocos2d::PhysicsBody *create()', 'static cocos2d::PhysicsBody *create(float mass)', 'static cocos2d::PhysicsBody *create(float mass, float moment)') .func(nil, 'static cocos2d::PhysicsBody *createCircle(float radius, @optional const cocos2d::PhysicsMaterial &material, @optional const cocos2d::Vec2 &offset)') .func(nil, 'static cocos2d::PhysicsBody *createBox(const cocos2d::Size &size, @optional const cocos2d::PhysicsMaterial &material, @optional const cocos2d::Vec2 &offset)') .func(nil, 'static cocos2d::PhysicsBody *createEdgeSegment(const cocos2d::Vec2 &a, const cocos2d::Vec2 &b, @optional const cocos2d::PhysicsMaterial &material, @optional float border)') .func(nil, 'static cocos2d::PhysicsBody *createEdgeBox(const cocos2d::Size &size, @optional const cocos2d::PhysicsMaterial &material, @optional float border, @optional const cocos2d::Vec2 &offset)') .func(nil, 'cocos2d::PhysicsShape *addShape(cocos2d::PhysicsShape *shape, @optional bool addMassAndMoment)') .func(nil, 'void removeShape(cocos2d::PhysicsShape *shape, @optional bool reduceMassAndMoment)', 'void removeShape(int tag, @optional bool reduceMassAndMoment)') .func(nil, 'void removeAllShapes(@optional bool reduceMassAndMoment)') .func(nil, 'const Vector<cocos2d::PhysicsShape *> &getShapes()') .func(nil, 'cocos2d::PhysicsShape *getFirstShape()') .func(nil, 'cocos2d::PhysicsShape *getShape(int tag)') .func(nil, 'void applyForce(const cocos2d::Vec2 &force, @optional const cocos2d::Vec2 &offset)') .func(nil, 'void resetForces()') .func(nil, 'void applyImpulse(const cocos2d::Vec2 &impulse, @optional const cocos2d::Vec2 &offset)') .func(nil, 'void applyTorque(float torque)') .func(nil, 'void setVelocity(const cocos2d::Vec2 &velocity)') .func(nil, 'cocos2d::Vec2 getVelocity()') .func(nil, 'void setAngularVelocity(float velocity)') .func(nil, 'cocos2d::Vec2 getVelocityAtLocalPoint(const cocos2d::Vec2 &point)') .func(nil, 'cocos2d::Vec2 getVelocityAtWorldPoint(const cocos2d::Vec2 &point)') .func(nil, 'float getAngularVelocity()') .func(nil, 'void setVelocityLimit(float limit)') .func(nil, 'float getVelocityLimit()') .func(nil, 'void setAngularVelocityLimit(float limit)') .func(nil, 'float getAngularVelocityLimit()') .func(nil, 'void removeFromWorld()') .func(nil, 'cocos2d::PhysicsWorld *getWorld()') .func(nil, 'const std::vector<PhysicsJoint *> &getJoints()') .func(nil, 'cocos2d::Node *getNode()') .func(nil, 'void setCategoryBitmask(int bitmask)') .func(nil, 'void setContactTestBitmask(int bitmask)') .func(nil, 'void setCollisionBitmask(int bitmask)') .func(nil, 'int getCategoryBitmask()') .func(nil, 'int getContactTestBitmask()') .func(nil, 'int getCollisionBitmask()') .func(nil, 'void setGroup(int group)') .func(nil, 'int getGroup()') .func(nil, 'cocos2d::Vec2 getPosition()') .func(nil, 'float getRotation()') .func(nil, 'void setPositionOffset(const cocos2d::Vec2 &position)') .func(nil, 'const cocos2d::Vec2 &getPositionOffset()') .func(nil, 'void setRotationOffset(float rotation)') .func(nil, 'float getRotationOffset()') .func(nil, 'bool isDynamic()') .func(nil, 'void setDynamic(bool dynamic)') .func(nil, 'void setMass(float mass)') .func(nil, 'float getMass()') .func(nil, 'void addMass(float mass)') .func(nil, 'void setMoment(float moment)') .func(nil, 'float getMoment()') .func(nil, 'void addMoment(float moment)') .func(nil, 'float getLinearDamping()') .func(nil, 'void setLinearDamping(float damping)') .func(nil, 'float getAngularDamping()') .func(nil, 'void setAngularDamping(float damping)') .func(nil, 'bool isResting()') .func(nil, 'void setResting(bool rest)') .func(nil, 'bool isRotationEnabled()') .func(nil, 'void setRotationEnable(bool enable)') .func(nil, 'bool isGravityEnabled()') .func(nil, 'void setGravityEnable(bool enable)') .func(nil, 'int getTag()') .func(nil, 'void setTag(int tag)') .func(nil, 'cocos2d::Vec2 world2Local(const cocos2d::Vec2 &point)') .func(nil, 'cocos2d::Vec2 local2World(const cocos2d::Vec2 &point)') .prop('shapes', nil, nil) .prop('firstShape', nil, nil) .prop('velocity', nil, nil) .prop('angularVelocity', nil, nil) .prop('velocityLimit', nil, nil) .prop('angularVelocityLimit', nil, nil) .prop('world', nil, nil) .prop('joints', nil, nil) .prop('node', nil, nil) .prop('categoryBitmask', nil, nil) .prop('contactTestBitmask', nil, nil) .prop('collisionBitmask', nil, nil) .prop('group', nil, nil) .prop('position', nil, nil) .prop('rotation', nil, nil) .prop('positionOffset', nil, nil) .prop('rotationOffset', nil, nil) .prop('dynamic', nil, nil) .prop('mass', nil, nil) .prop('moment', nil, nil) .prop('linearDamping', nil, nil) .prop('angularDamping', nil, nil) .prop('resting', nil, nil) .prop('rotationEnabled', nil, nil) .prop('gravityEnabled', nil, nil) .prop('tag', nil, nil) typeconf 'cocos2d::PhysicsContact::EventCode' .supercls(nil) .reg_luatype(true) .chunk(nil) .luaopen(nil) .enum('NONE', 'cocos2d::PhysicsContact::EventCode::NONE') .enum('BEGIN', 'cocos2d::PhysicsContact::EventCode::BEGIN') .enum('PRESOLVE', 'cocos2d::PhysicsContact::EventCode::PRESOLVE') .enum('POSTSOLVE', 'cocos2d::PhysicsContact::EventCode::POSTSOLVE') .enum('SEPARATE', 'cocos2d::PhysicsContact::EventCode::SEPARATE') typeconf 'cocos2d::PhysicsContact' .supercls('cocos2d::EventCustom') .reg_luatype(true) .chunk(nil) .luaopen(nil) .func(nil, 'cocos2d::PhysicsShape *getShapeA()') .func(nil, 'cocos2d::PhysicsShape *getShapeB()') .func(nil, 'void *getData()') .func(nil, 'void setData(void *data)') .func(nil, 'cocos2d::PhysicsContact::EventCode getEventCode()') .prop('shapeA', nil, nil) .prop('shapeB', nil, nil) .prop('data', nil, nil) .prop('eventCode', nil, nil) typeconf 'cocos2d::PhysicsContactPostSolve' .supercls(nil) .reg_luatype(true) .chunk(nil) .luaopen(nil) .func(nil, 'float getRestitution()') .func(nil, 'float getFriction()') .func(nil, 'cocos2d::Vec2 getSurfaceVelocity()') .prop('restitution', nil, nil) .prop('friction', nil, nil) .prop('surfaceVelocity', nil, nil) typeconf 'cocos2d::PhysicsContactPreSolve' .supercls(nil) .reg_luatype(true) .chunk(nil) .luaopen(nil) .func(nil, 'float getRestitution()') .func(nil, 'float getFriction()') .func(nil, 'cocos2d::Vec2 getSurfaceVelocity()') .func(nil, 'void setRestitution(float restitution)') .func(nil, 'void setFriction(float friction)') .func(nil, 'void setSurfaceVelocity(const cocos2d::Vec2 &velocity)') .func(nil, 'void ignore()') .prop('restitution', nil, nil) .prop('friction', nil, nil) .prop('surfaceVelocity', nil, nil) typeconf 'cocos2d::PhysicsJoint' .supercls(nil) .reg_luatype(true) .chunk(nil) .luaopen(nil) .func(nil, 'cocos2d::PhysicsBody *getBodyA()') .func(nil, 'cocos2d::PhysicsBody *getBodyB()') .func(nil, 'cocos2d::PhysicsWorld *getWorld()') .func(nil, 'int getTag()') .func(nil, 'void setTag(int tag)') .func(nil, 'bool isEnabled()') .func(nil, 'void setEnable(bool enable)') .func(nil, 'bool isCollisionEnabled()') .func(nil, 'void setCollisionEnable(bool enable)') .func(nil, 'void removeFormWorld()') .func(nil, 'void setMaxForce(float force)') .func(nil, 'float getMaxForce()') .prop('bodyA', nil, nil) .prop('bodyB', nil, nil) .prop('world', nil, nil) .prop('tag', nil, nil) .prop('enabled', nil, nil) .prop('collisionEnabled', nil, nil) .prop('maxForce', nil, nil) typeconf 'cocos2d::PhysicsJointDistance' .supercls('cocos2d::PhysicsJoint') .reg_luatype(true) .chunk(nil) .luaopen(nil) .func(nil, 'static cocos2d::PhysicsJointDistance *construct(cocos2d::PhysicsBody *a, cocos2d::PhysicsBody *b, const cocos2d::Vec2 &anchr1, const cocos2d::Vec2 &anchr2)') .func(nil, 'float getDistance()') .func(nil, 'void setDistance(float distance)') .func(nil, 'bool createConstraints()') .prop('distance', nil, nil) typeconf 'cocos2d::PhysicsJointFixed' .supercls('cocos2d::PhysicsJoint') .reg_luatype(true) .chunk(nil) .luaopen(nil) .func(nil, 'static cocos2d::PhysicsJointFixed *construct(cocos2d::PhysicsBody *a, cocos2d::PhysicsBody *b, const cocos2d::Vec2 &anchr)') .func(nil, 'bool createConstraints()') typeconf 'cocos2d::PhysicsJointGear' .supercls('cocos2d::PhysicsJoint') .reg_luatype(true) .chunk(nil) .luaopen(nil) .func(nil, 'static cocos2d::PhysicsJointGear *construct(cocos2d::PhysicsBody *a, cocos2d::PhysicsBody *b, float phase, float ratio)') .func(nil, 'float getPhase()') .func(nil, 'void setPhase(float phase)') .func(nil, 'float getRatio()') .func(nil, 'void setRatio(float ratchet)') .func(nil, 'bool createConstraints()') .prop('phase', nil, nil) .prop('ratio', nil, nil) typeconf 'cocos2d::PhysicsJointGroove' .supercls('cocos2d::PhysicsJoint') .reg_luatype(true) .chunk(nil) .luaopen(nil) .func(nil, 'static cocos2d::PhysicsJointGroove *construct(cocos2d::PhysicsBody *a, cocos2d::PhysicsBody *b, const cocos2d::Vec2 &grooveA, const cocos2d::Vec2 &grooveB, const cocos2d::Vec2 &anchr2)') .func(nil, 'cocos2d::Vec2 getGrooveA()') .func(nil, 'void setGrooveA(const cocos2d::Vec2 &grooveA)') .func(nil, 'cocos2d::Vec2 getGrooveB()') .func(nil, 'void setGrooveB(const cocos2d::Vec2 &grooveB)') .func(nil, 'cocos2d::Vec2 getAnchr2()') .func(nil, 'void setAnchr2(const cocos2d::Vec2 &anchr2)') .func(nil, 'bool createConstraints()') .prop('grooveA', nil, nil) .prop('grooveB', nil, nil) .prop('anchr2', nil, nil) typeconf 'cocos2d::PhysicsJointLimit' .supercls('cocos2d::PhysicsJoint') .reg_luatype(true) .chunk(nil) .luaopen(nil) .func(nil, 'static cocos2d::PhysicsJointLimit *construct(cocos2d::PhysicsBody *a, cocos2d::PhysicsBody *b, const cocos2d::Vec2 &anchr1, const cocos2d::Vec2 &anchr2)', 'static cocos2d::PhysicsJointLimit *construct(cocos2d::PhysicsBody *a, cocos2d::PhysicsBody *b, const cocos2d::Vec2 &anchr1, const cocos2d::Vec2 &anchr2, float min, float max)') .func(nil, 'cocos2d::Vec2 getAnchr1()') .func(nil, 'void setAnchr1(const cocos2d::Vec2 &anchr1)') .func(nil, 'cocos2d::Vec2 getAnchr2()') .func(nil, 'void setAnchr2(const cocos2d::Vec2 &anchr2)') .func(nil, 'float getMin()') .func(nil, 'void setMin(float min)') .func(nil, 'float getMax()') .func(nil, 'void setMax(float max)') .func(nil, 'bool createConstraints()') .prop('anchr1', nil, nil) .prop('anchr2', nil, nil) .prop('min', nil, nil) .prop('max', nil, nil) typeconf 'cocos2d::PhysicsJointMotor' .supercls('cocos2d::PhysicsJoint') .reg_luatype(true) .chunk(nil) .luaopen(nil) .func(nil, 'static cocos2d::PhysicsJointMotor *construct(cocos2d::PhysicsBody *a, cocos2d::PhysicsBody *b, float rate)') .func(nil, 'float getRate()') .func(nil, 'void setRate(float rate)') .func(nil, 'bool createConstraints()') .prop('rate', nil, nil) typeconf 'cocos2d::PhysicsJointPin' .supercls('cocos2d::PhysicsJoint') .reg_luatype(true) .chunk(nil) .luaopen(nil) .func(nil, 'static cocos2d::PhysicsJointPin *construct(cocos2d::PhysicsBody *a, cocos2d::PhysicsBody *b, const cocos2d::Vec2 &pivot)', 'static cocos2d::PhysicsJointPin *construct(cocos2d::PhysicsBody *a, cocos2d::PhysicsBody *b, const cocos2d::Vec2 &anchr1, const cocos2d::Vec2 &anchr2)') .func(nil, 'bool createConstraints()') typeconf 'cocos2d::PhysicsJointRatchet' .supercls('cocos2d::PhysicsJoint') .reg_luatype(true) .chunk(nil) .luaopen(nil) .func(nil, 'static cocos2d::PhysicsJointRatchet *construct(cocos2d::PhysicsBody *a, cocos2d::PhysicsBody *b, float phase, float ratchet)') .func(nil, 'float getAngle()') .func(nil, 'void setAngle(float angle)') .func(nil, 'float getPhase()') .func(nil, 'void setPhase(float phase)') .func(nil, 'float getRatchet()') .func(nil, 'void setRatchet(float ratchet)') .func(nil, 'bool createConstraints()') .prop('angle', nil, nil) .prop('phase', nil, nil) .prop('ratchet', nil, nil) typeconf 'cocos2d::PhysicsJointRotaryLimit' .supercls('cocos2d::PhysicsJoint') .reg_luatype(true) .chunk(nil) .luaopen(nil) .func(nil, 'static cocos2d::PhysicsJointRotaryLimit *construct(cocos2d::PhysicsBody *a, cocos2d::PhysicsBody *b, float min, float max)', 'static cocos2d::PhysicsJointRotaryLimit *construct(cocos2d::PhysicsBody *a, cocos2d::PhysicsBody *b)') .func(nil, 'float getMin()') .func(nil, 'void setMin(float min)') .func(nil, 'float getMax()') .func(nil, 'void setMax(float max)') .func(nil, 'bool createConstraints()') .prop('min', nil, nil) .prop('max', nil, nil) typeconf 'cocos2d::PhysicsJointRotarySpring' .supercls('cocos2d::PhysicsJoint') .reg_luatype(true) .chunk(nil) .luaopen(nil) .func(nil, 'static cocos2d::PhysicsJointRotarySpring *construct(cocos2d::PhysicsBody *a, cocos2d::PhysicsBody *b, float stiffness, float damping)') .func(nil, 'float getRestAngle()') .func(nil, 'void setRestAngle(float restAngle)') .func(nil, 'float getStiffness()') .func(nil, 'void setStiffness(float stiffness)') .func(nil, 'float getDamping()') .func(nil, 'void setDamping(float damping)') .func(nil, 'bool createConstraints()') .prop('restAngle', nil, nil) .prop('stiffness', nil, nil) .prop('damping', nil, nil) typeconf 'cocos2d::PhysicsJointSpring' .supercls('cocos2d::PhysicsJoint') .reg_luatype(true) .chunk(nil) .luaopen(nil) .func(nil, 'static cocos2d::PhysicsJointSpring *construct(cocos2d::PhysicsBody *a, cocos2d::PhysicsBody *b, const cocos2d::Vec2 &anchr1, const cocos2d::Vec2 &anchr2, float stiffness, float damping)') .func(nil, 'cocos2d::Vec2 getAnchr1()') .func(nil, 'void setAnchr1(const cocos2d::Vec2 &anchr1)') .func(nil, 'cocos2d::Vec2 getAnchr2()') .func(nil, 'void setAnchr2(const cocos2d::Vec2 &anchr2)') .func(nil, 'float getRestLength()') .func(nil, 'void setRestLength(float restLength)') .func(nil, 'float getStiffness()') .func(nil, 'void setStiffness(float stiffness)') .func(nil, 'float getDamping()') .func(nil, 'void setDamping(float damping)') .func(nil, 'bool createConstraints()') .prop('anchr1', nil, nil) .prop('anchr2', nil, nil) .prop('restLength', nil, nil) .prop('stiffness', nil, nil) .prop('damping', nil, nil) typeconf 'cocos2d::PhysicsShape::Type' .supercls(nil) .reg_luatype(true) .chunk(nil) .luaopen(nil) .enum('UNKNOWN', 'cocos2d::PhysicsShape::Type::UNKNOWN') .enum('CIRCLE', 'cocos2d::PhysicsShape::Type::CIRCLE') .enum('BOX', 'cocos2d::PhysicsShape::Type::BOX') .enum('POLYGON', 'cocos2d::PhysicsShape::Type::POLYGON') .enum('EDGESEGMENT', 'cocos2d::PhysicsShape::Type::EDGESEGMENT') .enum('EDGEBOX', 'cocos2d::PhysicsShape::Type::EDGEBOX') .enum('EDGEPOLYGON', 'cocos2d::PhysicsShape::Type::EDGEPOLYGON') .enum('EDGECHAIN', 'cocos2d::PhysicsShape::Type::EDGECHAIN') .enum('POLYGEN', 'cocos2d::PhysicsShape::Type::POLYGEN') .enum('EDGEPOLYGEN', 'cocos2d::PhysicsShape::Type::EDGEPOLYGEN') typeconf 'cocos2d::PhysicsShape' .supercls('cocos2d::Ref') .reg_luatype(true) .chunk(nil) .luaopen(nil) .func(nil, 'cocos2d::PhysicsBody *getBody()') .func(nil, 'cocos2d::PhysicsShape::Type getType()') .func(nil, 'float getArea()') .func(nil, 'float getMoment()') .func(nil, 'void setMoment(float moment)') .func(nil, 'void setTag(int tag)') .func(nil, 'int getTag()') .func(nil, 'float getMass()') .func(nil, 'void setMass(float mass)') .func(nil, 'float getDensity()') .func(nil, 'void setDensity(float density)') .func(nil, 'float getRestitution()') .func(nil, 'void setRestitution(float restitution)') .func(nil, 'float getFriction()') .func(nil, 'void setFriction(float friction)') .func(nil, 'const cocos2d::PhysicsMaterial &getMaterial()') .func(nil, 'void setMaterial(const cocos2d::PhysicsMaterial &material)') .func(nil, 'bool isSensor()') .func(nil, 'void setSensor(bool sensor)') .func(nil, 'float calculateDefaultMoment()') .func(nil, 'cocos2d::Vec2 getOffset()') .func(nil, 'cocos2d::Vec2 getCenter()') .func(nil, 'bool containsPoint(const cocos2d::Vec2 &point)') .func(nil, 'void setCategoryBitmask(int bitmask)') .func(nil, 'int getCategoryBitmask()') .func(nil, 'void setContactTestBitmask(int bitmask)') .func(nil, 'int getContactTestBitmask()') .func(nil, 'void setCollisionBitmask(int bitmask)') .func(nil, 'int getCollisionBitmask()') .func(nil, 'void setGroup(int group)') .func(nil, 'int getGroup()') .prop('body', nil, nil) .prop('type', nil, nil) .prop('area', nil, nil) .prop('moment', nil, nil) .prop('tag', nil, nil) .prop('mass', nil, nil) .prop('density', nil, nil) .prop('restitution', nil, nil) .prop('friction', nil, nil) .prop('material', nil, nil) .prop('sensor', nil, nil) .prop('offset', nil, nil) .prop('center', nil, nil) .prop('categoryBitmask', nil, nil) .prop('contactTestBitmask', nil, nil) .prop('collisionBitmask', nil, nil) .prop('group', nil, nil) typeconf 'cocos2d::PhysicsShapePolygon' .supercls('cocos2d::PhysicsShape') .reg_luatype(true) .chunk(nil) .luaopen(nil) .func(nil, 'cocos2d::Vec2 getPoint(int i)') .func(nil, 'int getPointsCount()') .prop('pointsCount', nil, nil) typeconf 'cocos2d::PhysicsShapeEdgePolygon' .supercls('cocos2d::PhysicsShape') .reg_luatype(true) .chunk(nil) .luaopen(nil) .func(nil, 'int getPointsCount()') .prop('pointsCount', nil, nil) typeconf 'cocos2d::PhysicsShapeBox' .supercls('cocos2d::PhysicsShapePolygon') .reg_luatype(true) .chunk(nil) .luaopen(nil) .func(nil, 'static cocos2d::PhysicsShapeBox *create(const cocos2d::Size &size, @optional const cocos2d::PhysicsMaterial &material, @optional const cocos2d::Vec2 &offset, @optional float radius)') .func(nil, 'cocos2d::Size getSize()') .prop('size', nil, nil) typeconf 'cocos2d::PhysicsShapeCircle' .supercls('cocos2d::PhysicsShape') .reg_luatype(true) .chunk(nil) .luaopen(nil) .func(nil, 'static cocos2d::PhysicsShapeCircle *create(float radius, @optional const cocos2d::PhysicsMaterial &material, @optional const cocos2d::Vec2 &offset)') .func(nil, 'static float calculateArea(float radius)') .func(nil, 'static float calculateMoment(float mass, float radius, @optional const cocos2d::Vec2 &offset)') .func(nil, 'float getRadius()') .prop('radius', nil, nil) typeconf 'cocos2d::PhysicsShapeEdgeBox' .supercls('cocos2d::PhysicsShapeEdgePolygon') .reg_luatype(true) .chunk(nil) .luaopen(nil) .func(nil, 'static cocos2d::PhysicsShapeEdgeBox *create(const cocos2d::Size &size, @optional const cocos2d::PhysicsMaterial &material, @optional float border, @optional const cocos2d::Vec2 &offset)') typeconf 'cocos2d::PhysicsShapeEdgeChain' .supercls('cocos2d::PhysicsShape') .reg_luatype(true) .chunk(nil) .luaopen(nil) .func(nil, 'int getPointsCount()') .prop('pointsCount', nil, nil) typeconf 'cocos2d::PhysicsShapeEdgeSegment' .supercls('cocos2d::PhysicsShape') .reg_luatype(true) .chunk(nil) .luaopen(nil) .func(nil, 'static cocos2d::PhysicsShapeEdgeSegment *create(const cocos2d::Vec2 &a, const cocos2d::Vec2 &b, @optional const cocos2d::PhysicsMaterial &material, @optional float border)') .func(nil, 'cocos2d::Vec2 getPointA()') .func(nil, 'cocos2d::Vec2 getPointB()') .prop('pointA', nil, nil) .prop('pointB', nil, nil) typeconf 'cocos2d::PhysicsRayCastInfo' .supercls(nil) .reg_luatype(true) .chunk(nil) .luaopen(nil) .var('shape', 'cocos2d::PhysicsShape *shape') .var('start', 'cocos2d::Vec2 start') .var('end', 'cocos2d::Vec2 end') .var('contact', 'cocos2d::Vec2 contact') .var('normal', 'cocos2d::Vec2 normal') .var('fraction', 'float fraction') .var('data', 'void *data') typeconf 'cocos2d::PhysicsWorld' .supercls(nil) .reg_luatype(true) .chunk(nil) .luaopen(nil) .const('DEBUGDRAW_NONE', 'cocos2d::PhysicsWorld::DEBUGDRAW_NONE', 'const int') .const('DEBUGDRAW_SHAPE', 'cocos2d::PhysicsWorld::DEBUGDRAW_SHAPE', 'const int') .const('DEBUGDRAW_JOINT', 'cocos2d::PhysicsWorld::DEBUGDRAW_JOINT', 'const int') .const('DEBUGDRAW_CONTACT', 'cocos2d::PhysicsWorld::DEBUGDRAW_CONTACT', 'const int') .const('DEBUGDRAW_ALL', 'cocos2d::PhysicsWorld::DEBUGDRAW_ALL', 'const int') .func(nil, 'void addJoint(cocos2d::PhysicsJoint *joint)') .func(nil, 'void removeJoint(cocos2d::PhysicsJoint *joint, @optional bool destroy)') .func(nil, 'void removeAllJoints(@optional bool destroy)') .func(nil, 'void removeBody(cocos2d::PhysicsBody *body)', 'void removeBody(int tag)') .func(nil, 'void removeAllBodies()') .func(nil, 'Vector<cocos2d::PhysicsShape *> getShapes(const cocos2d::Vec2 &point)') .func(nil, 'cocos2d::PhysicsShape *getShape(const cocos2d::Vec2 &point)') .func(nil, 'const Vector<cocos2d::PhysicsBody *> &getAllBodies()') .func(nil, 'cocos2d::PhysicsBody *getBody(int tag)') .func(nil, 'cocos2d::Scene &getScene()') .func(nil, 'cocos2d::Vec2 getGravity()') .func(nil, 'void setGravity(const cocos2d::Vec2 &gravity)') .func(nil, 'void setSpeed(float speed)') .func(nil, 'float getSpeed()') .func(nil, 'void setUpdateRate(int rate)') .func(nil, 'int getUpdateRate()') .func(nil, 'void setSubsteps(int steps)') .func(nil, 'int getSubsteps()') .func(nil, 'void setFixedUpdateRate(int updatesPerSecond)') .func(nil, 'int getFixedUpdateRate()') .func(nil, 'void setDebugDrawMask(int mask)') .func(nil, 'int getDebugDrawMask()') .func(nil, 'void setAutoStep(bool autoStep)') .func(nil, 'bool isAutoStep()') .func(nil, 'void step(float delta)') .callback { funcs = { 'void setPreUpdateCallback(@localvar @nullable const std::function<void ()> &callback)' }, tag_maker = 'PreUpdateCallback', tag_mode = 'replace', tag_store = 0, tag_scope = 'object', } .callback { funcs = { 'void setPostUpdateCallback(@localvar @nullable const std::function<void ()> &callback)' }, tag_maker = 'PostUpdateCallback', tag_mode = 'replace', tag_store = 0, tag_scope = 'object', } .callback { funcs = { 'void rayCast(@localvar cocos2d::PhysicsRayCastCallbackFunc func, const cocos2d::Vec2 &start, const cocos2d::Vec2 &end, void *data)' }, tag_maker = 'rayCast', tag_mode = 'replace', tag_store = 0, tag_scope = 'object', } .callback { funcs = { 'void queryRect(@localvar cocos2d::PhysicsQueryRectCallbackFunc func, const cocos2d::Rect &rect, void *data)' }, tag_maker = 'queryRect', tag_mode = 'replace', tag_store = 0, tag_scope = 'object', } .callback { funcs = { 'void queryPoint(@localvar cocos2d::PhysicsQueryPointCallbackFunc func, const cocos2d::Vec2 &point, void *data)' }, tag_maker = 'queryPoint', tag_mode = 'replace', tag_store = 0, tag_scope = 'object', } .prop('allBodies', nil, nil) .prop('scene', nil, nil) .prop('gravity', nil, nil) .prop('speed', nil, nil) .prop('updateRate', nil, nil) .prop('substeps', nil, nil) .prop('fixedUpdateRate', nil, nil) .prop('debugDrawMask', nil, nil) .prop('autoStep', nil, nil)
-------------------------------------------------------------------------------------- -- BigFootTooltip 1.02 -- 日期: 2008-1-21 -- 作者: 独孤傲雪 -- 描述: 插件配置 -- 版权所有: 艾泽拉斯国家地理 --------------------------------------------------------------------------------------- local BFTT_ANCHOR_MAP, BFTT_RANK_MAP, BFTT_SHOW_MAP, BFTT_YESNO_MAP; if (GetLocale() == "zhCN") then BFTT_ANCHOR_MAP = { [NONE] = 1, ["鼠标"] = 2, ["左上"] = 3, ["顶部"] = 4, ["右上"] = 5, ["左侧"] = 6, ["中心"] = 7, ["右侧"] = 8, ["左下"] = 9, ["底部"] = 10, ["右下"] = 11, }; BFTT_RANK_MAP = { ["文字"] = 1, ["图标"] = 2, }; BFTT_SHOW_MAP = { ["显示"] = 1, ["隐藏"] = 2, }; BFTT_YESNO_MAP = { ["是"] = 1, ["否"] = 2, }; elseif (GetLocale() == "zhTW") then BFTT_ANCHOR_MAP = { [NONE] = 1, ["鼠標"] = 2, ["左上"] = 3, ["頂部"] = 4, ["右上"] = 5, ["左側"] = 6, ["中心"] = 7, ["右側"] = 8, ["左下"] = 9, ["底部"] = 10, ["右下"] = 11, }; BFTT_RANK_MAP = { ["文字"] = 1, ["圖標"] = 2, }; BFTT_SHOW_MAP = { ["顯示"] = 1, ["隱藏"] = 2, }; BFTT_YESNO_MAP = { ["是"] = 1, ["否"] = 2, }; else BFTT_ANCHOR_MAP = { [NONE] = 1, ["Following Mouse"] = 2, ["Top Left"] = 3, ["Top"] = 4, ["Top Right"] = 5, ["Left"] = 6, ["Center"] = 7, ["Right"] = 8, ["Bottom Left"] = 9, ["Bottom"] = 10, ["Bottom Right"] = 11, }; BFTT_RANK_MAP = { ["Text"] = 1, ["Texture"] = 2, }; BFTT_SHOW_MAP = { ["Show"] = 1, ["Hide"] = 2, }; BFTT_YESNO_MAP = { ["Yes"] = 1, ["No"] = 2, }; end --------------------------------------------------------------------------------------- -- 配置部分 --------------------------------------------------------------------------------------- BFTT_OPTION_FUNC = { [1] = function (arg1) BFTT_Config["Anchor"] = BFTT_ANCHOR_MAP[arg1] or BFTT_Config["Anchor"]; end, [2] = function (arg1) BFTT_Config["PositionX"] = arg1 or BFTT_Config["PositionX"]; end, [3] = function (arg1) BFTT_Config["PositionY"] = arg1 or BFTT_Config["PositionY"]; end, [4] = function (arg1) BFTT_Config["Fade"] = BFTT_YESNO_MAP[arg1] or BFTT_Config["Fade"]; end, [5] = function (arg1) BFTT_Config["Talent"] = BFTT_SHOW_MAP[arg1] or BFTT_Config["Talent"]; end, [6] = function (arg1) BFTT_Config["ItemLevel"] = BFTT_SHOW_MAP[arg1] or BFTT_Config["ItemLevel"]; end, [7] = function (arg1) BFTT_Config["TOT"] = BFTT_SHOW_MAP[arg1] or BFTT_Config["TOT"]; end, [8] = function (arg1) BFTT_Config["Actor"] = BFTT_SHOW_MAP[arg1] or BFTT_Config["Actor"]; end, [9] = function (arg1) BFTT_Config["GuildRank"] = BFTT_SHOW_MAP[arg1] or BFTT_Config["GuildRank"]; end };
return { "const", "seq", "period", "rand" }
--Originally ripped from https://github.com/peterkos/LuaMIDIGraphics/blob/master/MidiParser.lua --but heavily edited local MIDI = require("MIDI") score = {} local removeNonNotes local getBpm local getDurationMultiplier function score.new(filename, track) track = track + 1 --Track 1 on the score is just BPM info -- Load score from file local midiFile = io.open(filename, 'rb') local rawScore = MIDI.midi2score(midiFile:read("*a")) midiFile:close() -- Sort by note start time rather than note end -- (midi2score() sorts by note end) table.sort(rawScore[track], function (e1, e2) return e1[2] < e2[2] end) score.ticksPerQuarterNote = rawScore[1] score.beatsPerMinute = getBpm(rawScore) score.framesPerBeat = 1 / (score.beatsPerMinute / 3600) --trust me score.scoreNotes = convertRawScoreToNotes(rawScore, track) score.transposeAmount = 0 end -- Print out info of notes function score.printNotes() console.log("Ticks per quarter note: " .. score.ticksPerQuarterNote) console.log("BPM: " .. score.beatsPerMinute) console.log("Frames per beat: " .. score.framesPerBeat) console.log("[type, start, duration, chan, note, velocity, durationMultiplier]\n") for k, event in ipairs(score.scoreNotes) do console.log(string.format("%d %5s, %5s, %5s, %4s, %5s, %6s, %5s\n", k, event["type"], event["start"], event["duration"], event["chan"], event["note"], event["velocity"], event["durationMultiplier"])) end end --Transposes notes to fix within the mix, max range. If the loaded MIDI file --can't fit in that range, this returns an error message instead. function score.autoTranspose(minNote, maxNote) local min = 128 local max = 0 for i=1, #score.scoreNotes do local currentNote = score.scoreNotes[i]["note"] if(currentNote < min) then min = currentNote end if(currentNote > max) then max = currentNote end end --TODO this really should be a separate function if (max - min > (maxNote - minNote)) then return "Cannot transpose. Range from " .. min .. " to " .. max .. " is too large. Difference must be less than " .. (maxNote - minNote) elseif (min > minNote and max < maxNote) then --no transposition necessary return end local midOfProvided = math.floor((min + max) / 2) local goalMid = math.floor((minNote + maxNote) / 2) local diff = goalMid - midOfProvided score.transposeAmount = diff; for i=1, #score.scoreNotes do local currentNote = score.scoreNotes[i]["note"] score.scoreNotes[i]["note"] = currentNote + diff end end -- Returns new score of only note events convertRawScoreToNotes = function(notesTable, track) local notesOnly = {} local numNotes = 1 for i=1, #notesTable[track] do local currentEvent = notesTable[track][i] if (currentEvent[1] == "note") then local note = { ["type"]=currentEvent[1], ["start"]=currentEvent[2], ["duration"]=currentEvent[3], ["chan"]=currentEvent[4], ["note"]=currentEvent[5], ["velocity"]=currentEvent[6], ["durationMultiplier"]=getDurationMultiplier(currentEvent, score.ticksPerQuarterNote) } notesOnly[numNotes] = note numNotes = numNotes + 1 end end return notesOnly end getBpm = function(score) local microsecondsPerTick for i=1, #score[2] do local currentEvent = score[2][i] if(currentEvent[1] == "set_tempo") then microsecondsPerTick = currentEvent[3] end end if(microsecondsPerTick) then return 1 / (microsecondsPerTick / 60000000) end end --Gets a multiplier for the duration of this note where 1x = quarter note getDurationMultiplier = function(noteEvent, ticksPerQuarterNote) return noteEvent[3] / ticksPerQuarterNote end return score
local entity = {} entity["arcana"] = [[Strength]] entity["spellDeck"] = {} entity["spellDeck"][1] = [[Zan-ei]] entity["spellDeck"][2] = [[Rebellion]] entity["spellDeck"][3] = [[Mudo]] entity["spellDeck"][4] = [[]] entity["spellDeck"][5] = [[]] entity["spellDeck"][6] = [[]] entity["desc"] = [[Sir Tristan of Lyonesse was sent to Ireland by his uncle the King of Cornwall, to bring back Isolde so that the king could marry her. However, Tristan and Isolde accidentally fall in love due to the meddling of various love potions that were in truth meant for others. As a Knight of the Round Table, Sir Tristan was a well-known archer and a close friend to King Arthur. ]] entity["heritage"] = {} entity["heritage"][1] = [[Slash]] entity["heritage"][2] = [[]] entity["spellLearn"] = {} entity["spellLearn"]["Dodge Slash"] = [[26]] entity["spellLearn"]["Swift Strike"] = [[29]] entity["spellLearn"]["Kill Rush"] = [[25]] entity["stats"] = {} entity["stats"][1] = [[23]] entity["stats"][2] = [[10]] entity["stats"][3] = [[18]] entity["stats"][4] = [[11]] entity["stats"][5] = [[14]] entity["level"] = [[23]] entity["resistance"] = {} entity["resistance"][1] = [[Strong]] entity["resistance"][2] = [[Normal]] entity["resistance"][3] = [[Normal]] entity["resistance"][4] = [[Weak]] entity["resistance"][5] = [[Normal]] entity["resistance"][6] = [[Normal]] entity["resistance"][7] = [[Normal]] entity["resistance"][8] = [[Normal]] entity["resistance"][9] = [[Strong]] entity["name"] = [[Tristan]] return entity
ESX = nil Citizen.CreateThread(function() while ESX == nil do TriggerEvent('esx:getSharedObject', function(obj) ESX = obj end) Citizen.Wait(0) end end) local text = true Citizen.CreateThread(function() while true do local sleep = 1250 local ped = PlayerPedId() local pCoords = GetEntityCoords(ped) for k,v in pairs (KVL.PickLocations) do local pickdst = GetDistanceBetweenCoords(pCoords.x, pCoords.y, pCoords.z, KVL.PickLocations[k].x, KVL.PickLocations[k].y, KVL.PickLocations[k].z, false) if text then if pickdst < 1 then DisplayHelpText('[E] - Taş kaz') end if pickdst < 2 then sleep = 3 DrawMarker(2, KVL.PickLocations[k].x, KVL.PickLocations[k].y, KVL.PickLocations[k].z - 0.2, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.4, 0.4, 0.2, 255, 255, 255, 255, 0, 0, 0, 1, 0, 0, 0) if IsControlJustPressed(0, 38) then text = false RequestAnimDict("melee@large_wpn@streamed_core") Citizen.Wait(100) -- TaskPlayAnim((ped), 'melee@large_wpn@streamed_core', 'ground_attack_on_spot', 8.0, 8.0, -1, 80, 0, 0, 0, 0) TaskPlayAnim(PlayerPedId(), "melee@large_wpn@streamed_core", "ground_attack_on_spot", 8.0, -8.0, -1, 1, 0, false, false, false) SetEntityHeading(ped, 270.0) TriggerServerEvent('InteractSound_SV:PlayOnSource', 'pickaxe', 0.5) pickaxe = CreateObject(GetHashKey("prop_tool_pickaxe"), 0, 0, 0, true, true, true) AttachEntityToEntity(pickaxe, PlayerPedId(), GetPedBoneIndex(PlayerPedId(), 57005), 0.18, -0.02, -0.02, 350.0, 100.00, 140.0, true, true, false, true, 1, true) TriggerEvent("mythic_progbar:client:progress", { name = "kvl-maden", duration = 15000, label = "Taş kazıyorsun", useWhileDead = false, canCancel = true, controlDisables = { disableMovement = true, disableCarMovement = true, disableMouse = false, disableCombat = true, }, animation = { animDict = "missheistdockssetup1clipboard", anim = "idle_a", } }, function(status) if not status then TriggerServerEvent("kvl-maden:collectstone", false) ClearPedTasks(ped) text = true DeleteObject(pickaxe) end end) end end end end if text then local mixdst = GetDistanceBetweenCoords(pCoords.x, pCoords.y, pCoords.z, KVL.MixingLocation.x, KVL.MixingLocation.y, KVL.MixingLocation.z, false) if mixdst < 1 then DisplayHelpText('[E] - Taş erit') end if mixdst < 5 then sleep = 3 DrawMarker(2, KVL.MixingLocation.x, KVL.MixingLocation.y, KVL.MixingLocation.z - 0.2, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.4, 0.4, 0.2, 255, 255, 255, 255, 0, 0, 0, 1, 0, 0, 0) if IsControlJustPressed(0, 38) then ESX.TriggerServerCallback('kvl-maden:checkItem', function(laotabicore) if laotabicore then text = false FreezeEntityPosition(ped, true) TriggerEvent("mythic_progbar:client:progress", { name = "kvl-maden", duration = 5000, label = "Taş eritiyorsun", useWhileDead = false, canCancel = true, controlDisables = { disableMovement = true, disableCarMovement = true, disableMouse = false, disableCombat = true, }, animation = { animDict = "mp_arresting", anim = "a_uncuff", flags = 49, }, }, function(status) if not status then TriggerServerEvent("kvl-maden:mixingstones") ClearPedTasks(ped) text = true FreezeEntityPosition(ped, false) end end) end end, "washedstones", 10) end end if text then local washdst = GetDistanceBetweenCoords(pCoords.x, pCoords.y, pCoords.z, KVL.WashLocation.x, KVL.WashLocation.y, KVL.WashLocation.z, false) if washdst < 1 then DisplayHelpText('[E] - Taş yıka') end if washdst < 5 then sleep = 3 DrawMarker(2, KVL.WashLocation.x, KVL.WashLocation.y, KVL.WashLocation.z - 0.2, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.4, 0.4, 0.2, 255, 255, 255, 255, 0, 0, 0, 1, 0, 0, 0) if IsControlJustPressed(0, 38) then ESX.TriggerServerCallback('kvl-maden:checkItem', function(itemkontrol) if itemkontrol then text = false FreezeEntityPosition(ped, true) ExecuteCommand('e mekanik') TriggerEvent("mythic_progbar:client:progress", { name = "kvl-maden", duration = 5000, label = 'Taşlar yıkanıyor', useWhileDead = false, canCancel = true, controlDisables = { disableMovement = true, disableCarMovement = true, disableMouse = false, disableCombat = true, }, }, function(status) if not status then TriggerServerEvent("kvl-maden:washstones") ClearPedTasks(ped) text = true ExecuteCommand('e c') FreezeEntityPosition(ped, false) end end) end end, "stones", 5) end end end end Citizen.Wait(sleep) end end) function DisplayHelpText(str) SetTextComponentFormat("STRING") AddTextComponentString(str) DisplayHelpTextFromStringLabel(0, 0, 1, -1) end Citizen.CreateThread(function() for k,v in pairs (KVL.Blips) do local blip = AddBlipForCoord(KVL.Blips[k].x, KVL.Blips[k].y, KVL.Blips[k].z) SetBlipSprite(blip, KVL.Blips[k].sprite) SetBlipScale(blip, KVL.Blips[k].scale) SetBlipAsShortRange(blip, true) SetBlipColour(blip, KVL.Blips[k].color) BeginTextCommandSetBlipName("STRING") AddTextComponentString(KVL.Blips[k].name) EndTextCommandSetBlipName(blip) end end)
-- This Lua script reads the code version of the requesting client -- from a cookie and routes the request based on code version. function code_vsn(txn) local hdr = txn.http:req_get_headers() if hdr["cookie"] == nil then return "version1" end local cookie = hdr["cookie"][0] txn.Info(txn, "Cookie: " .. cookie) local c_name, c_val = string.match(cookie, '([^=]+)=([^=]+)') if c_val == "2.0.0" then return "version2" elseif c_val == "3.0.0" then return "version3" else return "version1" end end core.register_fetches("code_vsn", code_vsn)
data:extend({ { -- Super loader type = "item", name = "loader_x100", icon_size = 32, icon = "__X100_assembler__/graphics/icon/super-loader.png", flags = {"goes-to-quickbar"}, subgroup = "belt", order = "h", place_result = "loader_x100", stack_size = 50 }, { type = "loader", name = "loader_x100", icon_size = 32, icon = "__X100_assembler__/graphics/icon/super-loader.png", flags = {"placeable-player", "player-creation", "fast-replaceable-no-build-while-moving"}, minable = {mining_time = 0.5, result = "loader_x100"}, max_health = 70, filter_count = 5, corpse = "small-remnants", resistances = { { type = "fire", percent = 60 } }, collision_box = {{-0.4, -0.9}, {0.4, 0.9}}, selection_box = {{-0.5, -1}, {0.5, 1}}, animation_speed_coefficient = 32, belt_horizontal = express_belt_horizontal, belt_vertical = express_belt_vertical, ending_top = express_belt_ending_top, ending_bottom = express_belt_ending_bottom, ending_side = express_belt_ending_side, starting_top = express_belt_starting_top, starting_bottom = express_belt_starting_bottom, starting_side = express_belt_starting_side, fast_replaceable_group = "loader", speed = 0.3, structure = { direction_in = { sheet = { filename = "__X100_assembler__/graphics/entity/super-loader-structure.png", priority = "extra-high", width = 64, height = 64 } }, direction_out = { sheet = { filename = "__X100_assembler__/graphics/entity/super-loader-structure.png", priority = "extra-high", width = 64, height = 64, y = 64 } } }, ending_patch = ending_patch_prototype } })
<li> <div><a class='dark topic_title' href="/topic/<%- topic.id %>" title="<%- topic.title %>"><%- topic.title %></a> </div> </li>
sti = require "Simple-Tiled-Implementation" shine = require "shine" love.filesystem.load("player.lua")() love.filesystem.load("input.lua")() love.filesystem.load("evilbox.lua")() -- Collision masks used by Box2d (1 is default ?) playerCollisionMask = 2 evilboxCollisionMask = 3 oneMeter = 70 debugInfo = false physicsDebug = false fpsCounter = false start = true -- Loaded from Tiled map tileWidth = 0 tileHeight = 0 debug_timer = 0 customLayers = {} layerHandlers = { evilbox = love.filesystem.load("evilboxInit.lua")(), checkpoint = love.filesystem.load("checkpointInit.lua")() } -- TODO rename ? npcs = { evilbox = {}, checkpoint = {}} local function loadCustomLayers(map, world) for k, layer in ipairs(map.layers) do local custom = map:getLayerProperties(k).custom if custom then assert(layerHandlers[custom], "Handler missing for layer: ", custom) customLayers[custom] = k npcs[custom] = layerHandlers[custom].initLayer(map, k, world, player) end end end local function reload(arg) if arg == "hard" then print("Thanks for playing!") player.checkpoint = npcs.checkpoint.start end density = 0 destroyingPlayer = true spawningPlayer = true spawnScale = 1 end function love.load() love.handlers.reload = reload input.load() -- Load Tiled map map = sti.new("map/map01.lua", { "box2d" }) tileWidth = map.tileWidth tileHeight = map.tileHeight -- Load Tiled maps for menus pause_map = sti.new("map/pause_menu.lua") start_map = sti.new("map/start_menu.lua") -- Load physics love.physics.setMeter(oneMeter) world = love.physics.newWorld(0, 9.81*oneMeter, true) collision = map:box2d_init(world) loadCustomLayers(map, world) player:load(world) if npcs.checkpoint and npcs.checkpoint.start then npcs.checkpoint.start.currentScale = 1 npcs.checkpoint.start.state = "active" npcs.checkpoint.start.activator = player player.checkpoint = npcs.checkpoint.start player:reload() spawningPlayer = true spawnScale = 0 density = 1 end love.graphics.setBackgroundColor(0x80,0x80,0x80) local gaussianblur = shine.gaussianblur{ sigma = 0.6 } local godsray = shine.godsray{ exposure = 0.1, decay = 1, density = 1 } post_effect = gaussianblur cp_post_effect = godsray:chain(gaussianblur) density = 1 end function love.quit() end function love.focus(inFocus) end function love.keypressed(key, isrepeat) keypressed = true end function love.joystickpressed(joystick, button) keypressed = true end function love.update(dt) input.update(dt) if input.getStartPressed() then paused = not paused end -- Pause with start until any key is pressed if start and keypressed then start, paused = false, false end if paused then return end if start then -- Run one update to init at start, then pause paused = true end if destroyingPlayer then cp_post_effect.density = density cp_post_effect.exposure = 0.055 + 0.1 * density density = density + dt spawnScale = spawnScale - dt if spawnScale <= 0 then spawnScale = 0 density = 1 destroyingPlayer = false for npcType, _ in pairs(npcs) do for _, npc in ipairs(npcs[npcType]) do npc:reload() end --map:setObjectCoordinates(map.layers[customLayers[npcType]]) end player:reload() end player.circle.body:setAngle(player.circle.body:getAngle() - 10 * dt) player.circle.radius = spawnScale * 20 return elseif spawningPlayer then cp_post_effect.density = density cp_post_effect.exposure = 0.055 + 0.1 * density density = density - dt spawnScale = spawnScale + dt if spawnScale >= 1 then spawnScale = 1 spawningPlayer = false end player.circle.body:setAngle(player.circle.body:getAngle() + 10 * dt) player.circle.radius = spawnScale * 20 for _, cp in ipairs(npcs["checkpoint"]) do cp:update(dt) end return end if input.getReset() then reload() end for npcType, _ in pairs(npcs) do for _, npc in ipairs(npcs[npcType]) do npc:update(dt) end --map:setObjectCoordinates(map.layers[customLayers[npcType]]) end player:update(dt) map:update(dt) world:update(dt) if debugInfo then printDebug() end end function draw() end function love.draw() local translateX = player:getX() - love.graphics:getWidth()/2 local translateY = player:getY() - love.graphics:getHeight()/2 if density > 0 then cp_post_effect:draw(function() love.graphics.push() -- Draw background (for PP) love.graphics.setColor(0x80,0x80,0x80,255) love.graphics.rectangle('fill', 0,0, love.graphics.getWidth(), love.graphics.getHeight()) love.graphics.setColor(255,255,255,255) love.graphics.translate(-translateX, -translateY) -- Draw Range culls unnecessary tiles map:setDrawRange(translateX, translateY, love.graphics:getWidth(), love.graphics:getHeight()) map:draw() for npcType, _ in pairs(npcs) do for _, npc in ipairs(npcs[npcType]) do npc:draw() end end player:draw() love.graphics.pop() end) else post_effect:draw(function() love.graphics.push() -- Draw background (for PP) love.graphics.setColor(0x80,0x80,0x80,255) love.graphics.rectangle('fill', 0,0, love.graphics.getWidth(), love.graphics.getHeight()) love.graphics.setColor(255,255,255,255) love.graphics.translate(-translateX, -translateY) -- Draw Range culls unnecessary tiles map:setDrawRange(translateX, translateY, love.graphics:getWidth(), love.graphics:getHeight()) map:draw() for npcType, _ in pairs(npcs) do for _, npc in ipairs(npcs[npcType]) do npc:draw() end end player:draw() love.graphics.pop() end) end if physicsDebug then love.graphics.push() love.graphics.translate(-translateX, -translateY) -- Draw Range culls unnecessary tiles map:setDrawRange(translateX, translateY, love.graphics:getWidth(), love.graphics:getHeight()) love.graphics.setColor(255, 0, 0, 255) map:box2d_draw(collision) love.graphics.setColor(255, 255, 255, 255) love.graphics.pop() end if start then drawMenu(start_map) elseif paused then drawMenu(pause_map) end if fpsCounter then love.graphics.print(love.timer.getFPS(), love.graphics:getWidth()+translateX-50, translateY+10) end end function drawMenu(map) love.graphics.push() local scale = love.graphics.getHeight() / (map.height * map.tileheight) love.graphics.translate((love.graphics.getWidth() - scale * map.width * map.tilewidth) / 2, 0) love.graphics.scale(scale) map:draw() love.graphics.pop() end function printDebug() time = love.timer.getTime() if (time - debug_timer > 1) then player:print() for npcType, _ in pairs(npcs) do for _, npc in ipairs(npcs[npcType]) do npc:print(dt) end end debug_timer = time end end
-- Copyright (C) 2008-2020 Christoph Kubisch. All rights reserved. --------------------------------------------------------- local binpath = ide.config.path.fxcbin or (os.getenv("DXSDK_DIR") and os.getenv("DXSDK_DIR").."/Utilities/bin/x86/") local dxprofile return binpath and { fninit = function(frame,menuBar) dxprofile = ide.config.fxcprofile or "dx_5" if (wx.wxFileName(binpath):IsRelative()) then local editorDir = string.gsub(ide.editorFilename:gsub("[^/\\]+$",""),"\\","/") binpath = editorDir..binpath end local myMenu = wx.wxMenu{ { ID "fxc.profile.dx_2x", "DX SM&2_x", "DirectX sm2_x profile", wx.wxITEM_CHECK }, { ID "fxc.profile.dx_3", "DX SM&3_0", "DirectX sm3_0 profile", wx.wxITEM_CHECK }, { ID "fxc.profile.dx_4", "DX SM&4_0", "DirectX sm4_0 profile", wx.wxITEM_CHECK }, { ID "fxc.profile.dx_5", "DX SM&5_0", "DirectX sm5_0 profile", wx.wxITEM_CHECK }, --{ ID "fxc.profile.dx_6", "DX SM&6_0", "DirectX sm6_0 profile", wx.wxITEM_CHECK }, { }, { ID "fxc.compile.input", "Custom &Args", "when set a popup for custom compiler args will be envoked", wx.wxITEM_CHECK }, { ID "fxc.compile.binary", "&Binary", "when set compiles binary output", wx.wxITEM_CHECK }, { ID "fxc.compile.legacy", "Legacy", "when set compiles in legacy mode", wx.wxITEM_CHECK }, { ID "fxc.compile.backwards", "Backwards Compatibility", "when set compiles in backwards compatibility mode", wx.wxITEM_CHECK }, { }, { ID "fxc.compile.any", "Compile from &Entry", "Compile Shader (select entry word, matches _?s or ?S suffix for type)" }, { ID "fxc.compile.last", "Compile &Last", "Compile Shader using last domain and entry word" }, { ID "fxc.compile.vertex", "Compile &Vertex", "Compile Vertex shader (select entry word)" }, { ID "fxc.compile.pixel", "Compile &Pixel", "Compile Pixel shader (select entry word)" }, { ID "fxc.compile.geometry", "Compile &Geometry", "Compile Geometry shader (select entry word)" }, { ID "fxc.compile.domain", "Compile &Domain", "Compile Domain shader (select entry word)" }, { ID "fxc.compile.hull", "Compile &Hull", "Compile Hull shader (select entry word)" }, { ID "fxc.compile.compute", "Compile &Compute", "Compile Compute shader (select entry word)" }, { ID "fxc.compile.effects", "Compile E&ffects", "Compile all effects in shader" }, { ID "fxc.compile.preprocess", "Preprocess file only", "preprocess the current file" }, } menuBar:Append(myMenu, "FX&C") local data = {} data.lastentry = nil data.lastdomain = nil data.customarg = false data.custom = "" data.legacy = false data.backwards = false data.binary = false data.preprocess = false data.profid = ID ("fxc.profile."..dxprofile) data.types = { ["vs"] = 1, ["ps"] = 2, ["gs"] = 3, ["ds"] = 4, ["hs"] = 5, ["cs"] = 6, } data.domains = { [ID "fxc.compile.vertex"] = 1, [ID "fxc.compile.pixel"] = 2, [ID "fxc.compile.geometry"] = 3, [ID "fxc.compile.domain"] = 4, [ID "fxc.compile.hull"] = 5, [ID "fxc.compile.compute"] = 6, [ID "fxc.compile.effects"] = 7, [ID "fxc.compile.last"] = "last", } data.profiles = { [ID "fxc.profile.dx_2x"] = {"vs_2_0","ps_2_x",false,false,false,false,"fx_2_x",ext=".fxc."}, [ID "fxc.profile.dx_3"] = {"vs_3_0","ps_3_0",false,false,false,false,"fx_3_0",ext=".fxc."}, [ID "fxc.profile.dx_4"] = {"vs_4_0","ps_4_0","gs_4_0",false,false,false,"fx_4_0",ext=".fxc."}, [ID "fxc.profile.dx_5"] = {"vs_5_0","ps_5_0","gs_5_0","ds_5_0","hs_5_0","cs_5_0","fx_5_0",ext=".fxc."}, [ID "fxc.profile.dx_6"] = {"vs_6_0","ps_6_0","gs_6_0","ds_6_0","hs_6_0","cs_6_0",false,ext=".fxc."}, } data.domaindefs = { " /D _VERTEX_SHADER_=1 /D _DX_=1 /D _IDE_=1 ", " /D _FRAGMENT_SHADER_=1 /D _PIXEL_SHADER_=1 /D _DX_=1 /D _IDE_=1 ", " /D _GEOMETRY_SHADER_=1 /D _DX_=1 /D _IDE_=1 ", " /D _TESS_CONTROL_SHADER_=1 /D _HULL_SHADER_=1 /D _DX_=1 /D _IDE_=1 ", " /D _TESS_EVALUATION_SHADER_=1 /D _DOMAIN_SHADER_=1 /D _DX_=1 /D _IDE_=1 ", " /D _COMPUTE_SHADER_=1 /D _DX_=1 /D _IDE_=1 ", " /D _EFFECTS_=1 /D _DX_=1 /D _IDE_=1 ", } -- Profile related menuBar:Check(data.profid, true) local function selectProfile (id) for id,profile in pairs(data.profiles) do menuBar:Check(id, false) end menuBar:Check(id, true) data.profid = id end local function evSelectProfile (event) local chose = event:GetId() selectProfile(chose) end for id,profile in pairs(data.profiles) do frame:Connect(id,wx.wxEVT_COMMAND_MENU_SELECTED,evSelectProfile) end -- Compile Arg frame:Connect(ID "fxc.compile.input",wx.wxEVT_COMMAND_MENU_SELECTED, function(event) data.customarg = event:IsChecked() end) frame:Connect(ID "fxc.compile.legacy",wx.wxEVT_COMMAND_MENU_SELECTED, function(event) data.legacy = event:IsChecked() end) frame:Connect(ID "fxc.compile.backwards",wx.wxEVT_COMMAND_MENU_SELECTED, function(event) data.backwards = event:IsChecked() end) frame:Connect(ID "fxc.compile.binary",wx.wxEVT_COMMAND_MENU_SELECTED, function(event) data.binary = event:IsChecked() end) local function getEditorFileAndCurInfo(nochecksave) local editor = ide:GetEditor() if (not (editor and (nochecksave or SaveIfModified(editor)))) then return end local id = editor:GetId() local filepath = ide.openDocuments[id].filePath if not filepath then return end local fn = wx.wxFileName(filepath) fn:Normalize() local info = {} info.pos = editor:GetCurrentPos() info.line = editor:GetCurrentLine() info.sel = editor:GetSelectedText() info.sel = info.sel and info.sel:len() > 0 and info.sel or nil info.selword = info.sel and info.sel:match("([^a-zA-Z_0-9]+)") or info.sel return fn,info end -- Compile local function evCompile(event) local filename,info = getEditorFileAndCurInfo() local editor = ide:GetEditor() local domain = data.domains[event:GetId()] local entry = info.selword if (domain == "last") then domain = data.lastdomain entry = data.lastentry end if (not domain and entry) then for typename,id in pairs(data.types) do if(entry:match("_"..typename) or entry:match("[a-z0-9_]"..string.upper(typename).."$") or entry:match("^"..string.lower(typename).."[A-Z]")) then domain = id end end end if (not (filename and binpath) or not (domain == 7 or entry )) then DisplayOutput("Error: Dx Compile: Insufficient parameters (nofile / no selected entry function!\n") return end data.lastdomain = domain data.lastentry = entry local profile = data.profiles[data.profid] if (not profile[domain]) then DisplayOutput("Error: Dx Compile: no profile\n") return end -- popup for custom input data.custom = data.customarg and wx.wxGetTextFromUser("Compiler Args","Dx",data.custom) or data.custom local args = data.custom:len() > 0 and data.custom or nil local fullname = filename:GetFullPath() local outname = fullname.."."..(entry or "").."^" outname = args and outname..args:gsub("%s*[%-%/]",";-")..";^" or outname outname = outname..profile[domain]..profile.ext..(data.binary and "fxo" or "txt") outname = '"'..outname..'"' local cmdline = " /T "..profile[domain].." " cmdline = cmdline..(args and args.." " or "") cmdline = cmdline..(data.legacy and "/LD " or "") cmdline = cmdline..(data.backwards and "/Gec " or "") cmdline = cmdline..(data.domaindefs[domain]) cmdline = cmdline..(data.binary and "/Fo " or "/Fc ")..outname.." " if (entry) then cmdline = cmdline.."/E "..entry.." " end cmdline = cmdline.."/nologo " cmdline = cmdline..' "'..fullname..'"' cmdline = '"'..binpath..'/fxc.exe"'..cmdline -- run compiler process CommandLineRun(cmdline,nil,true,nil,nil) end frame:Connect(ID "fxc.compile.preprocess",wx.wxEVT_COMMAND_MENU_SELECTED, function(event) local filename,info = getEditorFileAndCurInfo() data.custom = data.customarg and wx.wxGetTextFromUser("Compiler Args","Dx",data.custom) or data.custom local args = data.custom:len() > 0 and data.custom or nil local fullname = filename:GetFullPath() local outname = fullname outname = args and outname..".^"..args:gsub("%s*[%-%/]",";-")..";^" or outname outname = outname..".fx" outname = '"'..outname..'"' local cmdline = " /P "..outname.." " cmdline = cmdline..(args and args.." " or "") cmdline = cmdline.."/nologo " cmdline = cmdline..' "'..fullname..'"' cmdline = '"'..binpath..'/fxc.exe"'..cmdline CommandLineRun(cmdline,nil,true,nil,nil) end) frame:Connect(ID "fxc.compile.any",wx.wxEVT_COMMAND_MENU_SELECTED,evCompile) frame:Connect(ID "fxc.compile.last",wx.wxEVT_COMMAND_MENU_SELECTED,evCompile) frame:Connect(ID "fxc.compile.vertex",wx.wxEVT_COMMAND_MENU_SELECTED,evCompile) frame:Connect(ID "fxc.compile.pixel",wx.wxEVT_COMMAND_MENU_SELECTED,evCompile) frame:Connect(ID "fxc.compile.geometry",wx.wxEVT_COMMAND_MENU_SELECTED,evCompile) frame:Connect(ID "fxc.compile.domain",wx.wxEVT_COMMAND_MENU_SELECTED,evCompile) frame:Connect(ID "fxc.compile.hull",wx.wxEVT_COMMAND_MENU_SELECTED,evCompile) frame:Connect(ID "fxc.compile.compute",wx.wxEVT_COMMAND_MENU_SELECTED,evCompile) frame:Connect(ID "fxc.compile.effects",wx.wxEVT_COMMAND_MENU_SELECTED,evCompile) end, }
object_mobile_coa_aclo_soldier_geonosian = object_mobile_shared_coa_aclo_soldier_geonosian:new { } ObjectTemplates:addTemplate(object_mobile_coa_aclo_soldier_geonosian, "object/mobile/coa_aclo_soldier_geonosian.iff")
local prefix = 'KEPSREC' local names = {'C', 'Db', 'D', 'Eb', 'E', 'F', 'Gb', 'G', 'Ab', 'A', 'Bb', 'B'} for i = 21, 108 do local idx = (i % 12) + 1 local oct = math.floor(i / 12) - 1 local inp = string.format('%s%03d.wav', prefix, i) local out = string.format('%s%d.wav', names[idx], oct) os.execute(string.format('ffmpeg.exe -i %s -ss 0 -t 15 %s', inp, out)) end
struct = { name = "messageStruct", fields = { {name = "term", type = "int"}, {name = "from", type = "int"}, {name = "to", type = "int"}, {name = "type", type = "string"}, {name = "value", type = "string"} } } interface = { name = "Raft", methods = { receiveMessage = { resulttype = "string", args = { {direction = "in", type = "messageStruct"} } }, initializeNode = { resulttype = "void", args = { } }, stopNode ={ resulttype = "void", args = { {direction= "in", type="int"} -- tempo de pausa ( 0 para nao voltar?) tenho que rever o comportamento } }, appendEntry ={ --heartBeat resulttype = "string", args = { {direction= "in", type="int"} }, }, snapshot ={ resulttype = "void", args = { } }, } }
-- Natural Selection 2 'Classic Entities Mod' -- Adds some additional entities inspired by Half-Life 1 and the Extra Entities Mod by JimWest - https://github.com/JimWest/ExtraEntitesMod -- Designed to work with maps developed for Extra Entities Mod. -- Source located at - https://github.com/xToken/ClassicEnts -- lua\ClassicEnts\GameWorldMixin.lua -- Dragon GameWorldMixin = CreateMixin(GameWorldMixin) GameWorldMixin.type = "GameWorld" GameWorldMixin.networkVars = { } function GameWorldMixin:__initmixin() end -- This creates/deletes a physics model not attached to an entity, so it wont be filtered out of traces. function GameWorldMixin:AddAdditionalPhysicsModel() self:CleanupAdditionalPhysicsModel() if not self.additionalPhysicsModel then self.additionalPhysicsModel = Shared.CreatePhysicsModel(self.model, false, self:GetCoords(), nil) self.additionalPhysicsModel:SetPhysicsType(CollisionObject.Static) end end function GameWorldMixin:CleanupAdditionalPhysicsModel() if self.additionalPhysicsModel then Shared.DestroyCollisionObject(self.additionalPhysicsModel) self.additionalPhysicsModel = nil end end -- New PathingObstacleAdd function, uses model extents and scale function GameWorldMixin:UpdateScaledModelPathingMesh() if GetIsPathingMeshInitialized() then if self.obstacleId ~= -1 then Pathing.RemoveObstacle(self.obstacleId) gAllObstacles[self] = nil end -- This gets really hacky.. some models are setup much differently.. their origin is not center mass. -- Limit maximum amount of adjustment to try to correct ones that are messed up, but not break ones that are good. local extents = self:GetModelExtentsVector() local scale = self:GetModelScale() local radius = extents.x * scale.x local position = self:GetOrigin() + Vector(0, -100, 0) local yaw = self:GetAngles().yaw position.x = position.x + (math.cos(yaw) * radius / 2) position.z = position.z - (math.sin(yaw) * radius / 2) radius = math.min(radius, 2) local height = 1000.0 self.obstacleId = Pathing.AddObstacle(position, radius, height) if self.obstacleId ~= -1 then gAllObstacles[self] = true end end end function GameWorldMixin:OnDestroy() self:CleanupAdditionalPhysicsModel() self:RemoveFromMesh() end
return { mod_description = { en = "Shows class icon on pick ups in the order of those who need them the most" }, useCareerIcons_CB_Name = { en = "Use Career Icons" }, useCareerIcons_CB_TT = { en = "Uses a Heros career icons instead of the default career icon" }, countBots_CB_Name = { en = "Count Bots" }, countBots_CB_TT = { en = "If true bots will be shown as needful icons as well as players" }, --[[ some_other_text_id = { en = "Translation", -- English fr = "Translation", -- French de = "Translation", -- German es = "Translation", -- Spanish ru = "Translation", -- Russian it = "Translation", -- Italian pl = "Translation", -- Polish ["br-pt"] = "Translation", -- Portuguese-Brazil }, --]] }
local giveSwepOnSpawn = CreateConVar("magic_give_swep", "1") hook.Add("PlayerLoadout", "magic_GiveSwepOnSpawn", function(ply) if giveSwepOnSpawn:GetBool() then ply:Give("magic") end end) local notifySpellCasted = CreateConVar("magic_notify_spell_casted", "0") hook.Add("magic_PlayerCastSpell", "notify_spell_casted", function(spell, caster) if !notifySpellCasted:GetBool() then return end print("[Magic] " .. caster:GetName() .. "[" .. caster:SteamID() .. "]" .. " casted '" .. spell.Name .. "'") end)
local RunService = game:GetService("RunService") RunService.RenderStepped:Connect(function() -- check if the script is in the players character if script.Parent:IsA("Model") and script.Parent:FindFirstChild("Humanoid") then if not script.Parent:FindFirstChildWhichIsA("Shirt") then local shirt = Instance.new("Shirt", script.Parent) do shirt.Name = "oldShirt" shirt.ShirtTemplate = "rbxassetid://1110695025" end elseif not script.Parent:FindFirstChildWhichIsA("Pants") then local pants = Instance.new("Pants", script.Parent) do pants.Name = "oldPants" pants.PantsTemplate = "rbxassetid://1110695628" end elseif script.Parent:FindFirstChild("Shirt") and script.Parent:FindFirstChild("oldShirt") then script.Parent:FindFirstChild("oldShirt"):Destroy() elseif script.Parent:FindFirstChild("Pants") and script.Parent:FindFirstChild("oldPants") then script.Parent:FindFirstChild("oldPants"):Destroy() end end end)