content stringlengths 5 1.05M |
|---|
--!A cross-platform build utility based on Lua
--
-- Licensed to the Apache Software Foundation (ASF) under one
-- or more contributor license agreements. See the NOTICE file
-- distributed with this work for additional information
-- regarding copyright ownership. The ASF licenses this file
-- to you under the Apache License, Version 2.0 (the
-- "License"); you may not use this file except in compliance
-- with the License. You may obtain a copy of the License at
--
-- http://www.apache.org/licenses/LICENSE-2.0
--
-- Unless required by applicable law or agreed to in writing, software
-- distributed under the License is distributed on an "AS IS" BASIS,
-- WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-- See the License for the specific language governing permissions and
-- limitations under the License.
--
-- Copyright (C) 2015 - 2018, TBOOX Open Source Group.
--
-- @author ruki
-- @file xmake.lua
--
-- define rule: environment
rule("wdk.env")
-- on load
on_load(function (target)
import("detect.sdks.find_wdk")
if not target:data("wdk") then
target:data_set("wdk", assert(find_wdk(nil, {verbose = true}), "WDK not found!"))
end
end)
-- clean files
after_clean(function (target)
for _, file in ipairs(target:data("wdk.cleanfiles")) do
os.rm(file)
end
target:data_set("wdk.cleanfiles", nil)
end)
-- define rule: *.inf
rule("wdk.inf")
-- add rule: wdk environment
add_deps("wdk.env")
-- set extensions
set_extensions(".inf", ".inx")
-- on load
on_load(function (target)
-- imports
import("core.project.config")
-- get arch
local arch = assert(config.arch(), "arch not found!")
-- get stampinf
local stampinf = path.join(target:data("wdk").bindir, arch, is_host("windows") and "stampinf.exe" or "stampinf")
assert(stampinf and os.isexec(stampinf), "stampinf not found!")
-- save uic
target:data_set("wdk.stampinf", stampinf)
end)
-- on build file
on_build_file(function (target, sourcefile)
-- copy file to target directory
local targetfile = path.join(target:targetdir(), path.basename(sourcefile) .. ".inf")
os.cp(sourcefile, targetfile)
-- get stampinf
local stampinf = target:data("wdk.stampinf")
-- update the timestamp
os.vrunv(stampinf, {"-d", "*", "-a", is_arch("x64") and "arm64" or "x86", "-v", "*", "-f", targetfile}, {wildcards = false})
-- add clean files
target:data_add("wdk.cleanfiles", targetfile)
end)
-- define rule: tracewpp
rule("wdk.tracewpp")
-- add rule: wdk environment
add_deps("wdk.env")
-- on load
on_load(function (target)
-- imports
import("core.project.config")
-- get arch
local arch = assert(config.arch(), "arch not found!")
-- get tracewpp
local tracewpp = path.join(target:data("wdk").bindir, arch, is_host("windows") and "tracewpp.exe" or "tracewpp")
assert(tracewpp and os.isexec(tracewpp), "tracewpp not found!")
-- save uic
target:data_set("wdk.tracewpp", tracewpp)
end)
-- before build file
before_build_file(function (target, sourcefile)
-- get tracewpp
local tracewpp = target:data("wdk.tracewpp")
print(tracewpp, sourcefile)
-- update the timestamp
-- os.vrunv(tracewpp, {"-d", "*", "-a", is_arch("x64") and "arm64" or "x86", "-v", "*", "-f", targetfile}, {wildcards = false})
-- add clean files
-- target:data_add("wdk.cleanfiles", targetfile)
end)
-- define rule: umdf driver
rule("wdk.umdf.driver")
-- add rules
add_deps("wdk.inf")
-- on load
on_load(function (target)
import("load")(target, {kind = "shared", mode = "umdf"})
end)
-- define rule: umdf binary
rule("wdk.umdf.binary")
-- add rules
add_deps("wdk.inf")
-- on load
on_load(function (target)
import("load")(target, {kind = "binary", mode = "umdf"})
end)
-- define rule: kmdf driver
rule("wdk.kmdf.driver")
-- add rules
add_deps("wdk.inf")
-- on load
on_load(function (target)
import("load")(target, {kind = "shared", mode = "kmdf"})
end)
-- define rule: kmdf binary
rule("wdk.kmdf.binary")
-- add rules
add_deps("wdk.inf")
-- on load
on_load(function (target)
import("load")(target, {kind = "binary", mode = "kmdf"})
end)
|
local Types = require(script.Parent.Types)
--[=[
This is a class I took from something Rust related. You can read its documentation info [here](https://doc.rust-lang.org/stable/std/collections/struct.BinaryHeap.html).
@class BinaryHeap
]=]
local BinaryHeap = {}
BinaryHeap.ClassName = "BinaryHeap"
BinaryHeap.__index = BinaryHeap
type Array<Value> = Types.Array<Value>
type Comparable = Types.Comparable
type ComparisonFunction<T> = Types.ComparisonFunction<T>
type int = Types.int
type NonNil = Types.NonNil
--[=[
@within BinaryHeap
@prop ComparisonFunction ComparisonFunction<Comparable>?
The ComparisonFunction of the BinaryHeap.
]=]
--[=[
@within BinaryHeap
@prop Length int
The Length of the BinaryHeap.
]=]
--[=[
Creates a new BinaryHeap.
@param ComparisonFunction ComparisonFunction<Comparable>? -- The comparison function.
@return BinaryHeap<T>
]=]
function BinaryHeap.new(ComparisonFunction: ComparisonFunction<Comparable>?)
return setmetatable({
ComparisonFunction = ComparisonFunction;
Length = 0;
}, BinaryHeap)
end
function BinaryHeap.FromArray(Array: Array<any>): BinaryHeap
local Length = #Array
local self = table.move(Array, 1, Length, 1, table.create(Length))
self.Length = Length
return setmetatable(self, BinaryHeap)
end
function BinaryHeap.Is(Value)
return type(Value) == "table" and getmetatable(Value) == BinaryHeap
end
function BinaryHeap:Heapify(Index)
local Key = self[Index]
local Length = self.Length
local ComparisonFunction = self.ComparisonFunction
local Smallest = Index + Index
while Smallest <= Length do
local Value0 = self[Smallest]
local Index1 = Smallest + 1
local Value1 = self[Index1]
if
Value1
and (
ComparisonFunction and ComparisonFunction(Value1, Value0)
or not ComparisonFunction and Value1 < Value0
)
then
Value0 = Value1
Smallest = Index1
end
if ComparisonFunction and ComparisonFunction(Value0, Key) or not ComparisonFunction and Value0 < Key then
self[Index] = Value0
Index = Smallest
Smallest = Index + Index
else
self[Index] = Key
return
end
end
self[Index] = Key
end
--[=[
Pushes a new key to the heap.
@param Key Comparable -- The key you are pushing. Must be able to work with comparing methods like `<`.
@return int -- The index of the pushed key in the heap.
]=]
function BinaryHeap:Push(Key)
local Length = self.Length + 1
self.Length = Length
local ComparisonFunction = self.ComparisonFunction
local Index = math.floor(Length / 2)
local Value = self[Index]
while Value and (ComparisonFunction and ComparisonFunction(Key, Value) or not ComparisonFunction and Key < Value) do
self[Length] = Value
Length = Index
Index = math.floor(Length / 2)
Value = self[Index]
end
self[Length] = Key
return Length
end
function BinaryHeap:Set(Index, Key)
local ComparisonFunction = self.ComparisonFunction
if ComparisonFunction and ComparisonFunction(Key, self[Index]) or not ComparisonFunction and Key < self[Index] then
local Middle = math.floor(Index / 2)
local Value = self[Middle]
while
Value
and (ComparisonFunction and ComparisonFunction(Key, Value) or not ComparisonFunction and Key < Value)
do
self[Index] = Value
Index = Middle
Middle = math.floor(Index / 2)
Value = self[Middle]
end
self[Index] = Key
return Index
else
local Length = self.Length
local Smallest = Index + Index
while Smallest <= Length do
local Value0 = self[Smallest]
local Index1 = Smallest + 1
local Value1 = self[Index1]
if
Value1
and (
ComparisonFunction and ComparisonFunction(Value1, Value0)
or not ComparisonFunction and Value1 < Value0
)
then
Value0 = Value1
Smallest = Index1
end
if ComparisonFunction and ComparisonFunction(Value0, Key) or not ComparisonFunction and Value0 < Key then
self[Index] = Value0
Index = Smallest
Smallest = Index + Index
else
break
end
end
self[Index] = Key
return Index
end
end
--[=[
Removes the minimum element (the root) from the heap and returns it.
@return Comparable? -- The minimum element if it exists, otherwise nil.
]=]
function BinaryHeap:Pop(): Comparable?
local Length = self.Length
if Length == 0 then
return nil
elseif Length == 1 then
local RootElement = self[1]
self[1] = nil
self.Length = 0
return RootElement
end
local RootElement = self[1]
local Key = self[Length]
self[Length] = nil
Length -= 1
self.Length = Length
local ComparisonFunction = self.ComparisonFunction
local Index = 1
local Smallest = Index + Index
while Smallest <= Length do
local Value0 = self[Smallest]
local Index1 = Smallest + 1
local Value1 = self[Index1]
if
Value1
and (
ComparisonFunction and ComparisonFunction(Value1, Value0)
or not ComparisonFunction and Value1 < Value0
)
then
Value0 = Value1
Smallest = Index1
end
if ComparisonFunction and ComparisonFunction(Value0, Key) or not ComparisonFunction and Value0 < Key then
self[Index] = Value0
Index = Smallest
Smallest = Index + Index
else
self[Index] = Key
return RootElement
end
end
self[Index] = Key
return RootElement
end
--[=[
Deletes the key at Index by shifting it to root (treating it as -infinity) and then popping it.
@param Index int -- The index of the key you want to delete.
@return BinaryHeap<T> -- Returns the same heap.
]=]
function BinaryHeap:Delete(Index: int)
local Length = self.Length
if Length == 1 then
self[1] = nil
self.Length = 0
return self
end
while Index > 1 do
local Middle = math.floor(Index / 2)
self[Index] = self[Middle]
Index = Middle
end
local Key = self[Length]
self[Length] = nil
Length -= 1
self.Length = Length
local ComparisonFunction = self.ComparisonFunction
local Smallest = Index + Index
while Smallest <= Length do
local Value0 = self[Smallest]
local Index1 = Smallest + 1
local Value1 = self[Index1]
if
Value1
and (
ComparisonFunction and ComparisonFunction(Value1, Value0)
or not ComparisonFunction and Value1 < Value0
)
then
Value0 = Value1
Smallest = Index1
end
if ComparisonFunction and ComparisonFunction(Value0, Key) or not ComparisonFunction and Value0 < Key then
self[Index] = Value0
Index = Smallest
Smallest = Index + Index
else
self[Index] = Key
return self
end
end
self[Index] = Key
return self
end
--[=[
Returns the front value of the heap.
@return T -- The first value.
]=]
function BinaryHeap:GetFront(): any
return self[1]
end
BinaryHeap.Front = BinaryHeap.GetFront
--[=[
Determines if the heap is empty.
@return boolean - True iff the heap is empty.
]=]
function BinaryHeap:IsEmpty(): boolean
return self[1] == nil
end
function BinaryHeap:__tostring()
return "BinaryHeap"
end
export type BinaryHeap = typeof(BinaryHeap.new())
table.freeze(BinaryHeap)
return BinaryHeap
|
----------------------------------------------------------------------------
-- LuaJIT ARM disassembler module.
--
-- Copyright (C) 2005-2013 Mike Pall. All rights reserved.
-- Released under the MIT license. See Copyright Notice in luajit.h
----------------------------------------------------------------------------
-- This is a helper module used by the LuaJIT machine code dumper module.
--
-- It disassembles most user-mode ARMv7 instructions
-- NYI: Advanced SIMD and VFP instructions.
------------------------------------------------------------------------------
local type = type
local sub, byte, format = string.sub, string.byte, string.format
local match, gmatch, gsub = string.match, string.gmatch, string.gsub
local concat = table.concat
local bit = require("bit")
local band, bor, ror, tohex = bit.band, bit.bor, bit.ror, bit.tohex
local lshift, rshift, arshift = bit.lshift, bit.rshift, bit.arshift
------------------------------------------------------------------------------
-- Opcode maps
------------------------------------------------------------------------------
local map_loadc = {
shift = 8, mask = 15,
[10] = {
shift = 20, mask = 1,
[0] = {
shift = 23, mask = 3,
[0] = "vmovFmDN", "vstmFNdr",
_ = {
shift = 21, mask = 1,
[0] = "vstrFdl",
{ shift = 16, mask = 15, [13] = "vpushFdr", _ = "vstmdbFNdr", }
},
},
{
shift = 23, mask = 3,
[0] = "vmovFDNm",
{ shift = 16, mask = 15, [13] = "vpopFdr", _ = "vldmFNdr", },
_ = {
shift = 21, mask = 1,
[0] = "vldrFdl", "vldmdbFNdr",
},
},
},
[11] = {
shift = 20, mask = 1,
[0] = {
shift = 23, mask = 3,
[0] = "vmovGmDN", "vstmGNdr",
_ = {
shift = 21, mask = 1,
[0] = "vstrGdl",
{ shift = 16, mask = 15, [13] = "vpushGdr", _ = "vstmdbGNdr", }
},
},
{
shift = 23, mask = 3,
[0] = "vmovGDNm",
{ shift = 16, mask = 15, [13] = "vpopGdr", _ = "vldmGNdr", },
_ = {
shift = 21, mask = 1,
[0] = "vldrGdl", "vldmdbGNdr",
},
},
},
_ = {
shift = 0, mask = 0 -- NYI ldc, mcrr, mrrc.
},
}
local map_vfps = {
shift = 6, mask = 0x2c001,
[0] = "vmlaF.dnm", "vmlsF.dnm",
[0x04000] = "vnmlsF.dnm", [0x04001] = "vnmlaF.dnm",
[0x08000] = "vmulF.dnm", [0x08001] = "vnmulF.dnm",
[0x0c000] = "vaddF.dnm", [0x0c001] = "vsubF.dnm",
[0x20000] = "vdivF.dnm",
[0x24000] = "vfnmsF.dnm", [0x24001] = "vfnmaF.dnm",
[0x28000] = "vfmaF.dnm", [0x28001] = "vfmsF.dnm",
[0x2c000] = "vmovF.dY",
[0x2c001] = {
shift = 7, mask = 0x1e01,
[0] = "vmovF.dm", "vabsF.dm",
[0x0200] = "vnegF.dm", [0x0201] = "vsqrtF.dm",
[0x0800] = "vcmpF.dm", [0x0801] = "vcmpeF.dm",
[0x0a00] = "vcmpzF.d", [0x0a01] = "vcmpzeF.d",
[0x0e01] = "vcvtG.dF.m",
[0x1000] = "vcvt.f32.u32Fdm", [0x1001] = "vcvt.f32.s32Fdm",
[0x1800] = "vcvtr.u32F.dm", [0x1801] = "vcvt.u32F.dm",
[0x1a00] = "vcvtr.s32F.dm", [0x1a01] = "vcvt.s32F.dm",
},
}
local map_vfpd = {
shift = 6, mask = 0x2c001,
[0] = "vmlaG.dnm", "vmlsG.dnm",
[0x04000] = "vnmlsG.dnm", [0x04001] = "vnmlaG.dnm",
[0x08000] = "vmulG.dnm", [0x08001] = "vnmulG.dnm",
[0x0c000] = "vaddG.dnm", [0x0c001] = "vsubG.dnm",
[0x20000] = "vdivG.dnm",
[0x24000] = "vfnmsG.dnm", [0x24001] = "vfnmaG.dnm",
[0x28000] = "vfmaG.dnm", [0x28001] = "vfmsG.dnm",
[0x2c000] = "vmovG.dY",
[0x2c001] = {
shift = 7, mask = 0x1e01,
[0] = "vmovG.dm", "vabsG.dm",
[0x0200] = "vnegG.dm", [0x0201] = "vsqrtG.dm",
[0x0800] = "vcmpG.dm", [0x0801] = "vcmpeG.dm",
[0x0a00] = "vcmpzG.d", [0x0a01] = "vcmpzeG.d",
[0x0e01] = "vcvtF.dG.m",
[0x1000] = "vcvt.f64.u32GdFm", [0x1001] = "vcvt.f64.s32GdFm",
[0x1800] = "vcvtr.u32FdG.m", [0x1801] = "vcvt.u32FdG.m",
[0x1a00] = "vcvtr.s32FdG.m", [0x1a01] = "vcvt.s32FdG.m",
},
}
local map_datac = {
shift = 24, mask = 1,
[0] = {
shift = 4, mask = 1,
[0] = {
shift = 8, mask = 15,
[10] = map_vfps,
[11] = map_vfpd,
-- NYI cdp, mcr, mrc.
},
{
shift = 8, mask = 15,
[10] = {
shift = 20, mask = 15,
[0] = "vmovFnD", "vmovFDn",
[14] = "vmsrD",
[15] = { shift = 12, mask = 15, [15] = "vmrs", _ = "vmrsD", },
},
},
},
"svcT",
}
local map_loadcu = {
shift = 0, mask = 0, -- NYI unconditional CP load/store.
}
local map_datacu = {
shift = 0, mask = 0, -- NYI unconditional CP data.
}
local map_simddata = {
shift = 0, mask = 0, -- NYI SIMD data.
}
local map_simdload = {
shift = 0, mask = 0, -- NYI SIMD load/store, preload.
}
local map_preload = {
shift = 0, mask = 0, -- NYI preload.
}
local map_media = {
shift = 20, mask = 31,
[0] = false,
{ --01
shift = 5, mask = 7,
[0] = "sadd16DNM", "sasxDNM", "ssaxDNM", "ssub16DNM",
"sadd8DNM", false, false, "ssub8DNM",
},
{ --02
shift = 5, mask = 7,
[0] = "qadd16DNM", "qasxDNM", "qsaxDNM", "qsub16DNM",
"qadd8DNM", false, false, "qsub8DNM",
},
{ --03
shift = 5, mask = 7,
[0] = "shadd16DNM", "shasxDNM", "shsaxDNM", "shsub16DNM",
"shadd8DNM", false, false, "shsub8DNM",
},
false,
{ --05
shift = 5, mask = 7,
[0] = "uadd16DNM", "uasxDNM", "usaxDNM", "usub16DNM",
"uadd8DNM", false, false, "usub8DNM",
},
{ --06
shift = 5, mask = 7,
[0] = "uqadd16DNM", "uqasxDNM", "uqsaxDNM", "uqsub16DNM",
"uqadd8DNM", false, false, "uqsub8DNM",
},
{ --07
shift = 5, mask = 7,
[0] = "uhadd16DNM", "uhasxDNM", "uhsaxDNM", "uhsub16DNM",
"uhadd8DNM", false, false, "uhsub8DNM",
},
{ --08
shift = 5, mask = 7,
[0] = "pkhbtDNMU", false, "pkhtbDNMU",
{ shift = 16, mask = 15, [15] = "sxtb16DMU", _ = "sxtab16DNMU", },
"pkhbtDNMU", "selDNM", "pkhtbDNMU",
},
false,
{ --0a
shift = 5, mask = 7,
[0] = "ssatDxMu", "ssat16DxM", "ssatDxMu",
{ shift = 16, mask = 15, [15] = "sxtbDMU", _ = "sxtabDNMU", },
"ssatDxMu", false, "ssatDxMu",
},
{ --0b
shift = 5, mask = 7,
[0] = "ssatDxMu", "revDM", "ssatDxMu",
{ shift = 16, mask = 15, [15] = "sxthDMU", _ = "sxtahDNMU", },
"ssatDxMu", "rev16DM", "ssatDxMu",
},
{ --0c
shift = 5, mask = 7,
[3] = { shift = 16, mask = 15, [15] = "uxtb16DMU", _ = "uxtab16DNMU", },
},
false,
{ --0e
shift = 5, mask = 7,
[0] = "usatDwMu", "usat16DwM", "usatDwMu",
{ shift = 16, mask = 15, [15] = "uxtbDMU", _ = "uxtabDNMU", },
"usatDwMu", false, "usatDwMu",
},
{ --0f
shift = 5, mask = 7,
[0] = "usatDwMu", "rbitDM", "usatDwMu",
{ shift = 16, mask = 15, [15] = "uxthDMU", _ = "uxtahDNMU", },
"usatDwMu", "revshDM", "usatDwMu",
},
{ --10
shift = 12, mask = 15,
[15] = {
shift = 5, mask = 7,
"smuadNMS", "smuadxNMS", "smusdNMS", "smusdxNMS",
},
_ = {
shift = 5, mask = 7,
[0] = "smladNMSD", "smladxNMSD", "smlsdNMSD", "smlsdxNMSD",
},
},
false, false, false,
{ --14
shift = 5, mask = 7,
[0] = "smlaldDNMS", "smlaldxDNMS", "smlsldDNMS", "smlsldxDNMS",
},
{ --15
shift = 5, mask = 7,
[0] = { shift = 12, mask = 15, [15] = "smmulNMS", _ = "smmlaNMSD", },
{ shift = 12, mask = 15, [15] = "smmulrNMS", _ = "smmlarNMSD", },
false, false, false, false,
"smmlsNMSD", "smmlsrNMSD",
},
false, false,
{ --18
shift = 5, mask = 7,
[0] = { shift = 12, mask = 15, [15] = "usad8NMS", _ = "usada8NMSD", },
},
false,
{ --1a
shift = 5, mask = 3, [2] = "sbfxDMvw",
},
{ --1b
shift = 5, mask = 3, [2] = "sbfxDMvw",
},
{ --1c
shift = 5, mask = 3,
[0] = { shift = 0, mask = 15, [15] = "bfcDvX", _ = "bfiDMvX", },
},
{ --1d
shift = 5, mask = 3,
[0] = { shift = 0, mask = 15, [15] = "bfcDvX", _ = "bfiDMvX", },
},
{ --1e
shift = 5, mask = 3, [2] = "ubfxDMvw",
},
{ --1f
shift = 5, mask = 3, [2] = "ubfxDMvw",
},
}
local map_load = {
shift = 21, mask = 9,
{
shift = 20, mask = 5,
[0] = "strtDL", "ldrtDL", [4] = "strbtDL", [5] = "ldrbtDL",
},
_ = {
shift = 20, mask = 5,
[0] = "strDL", "ldrDL", [4] = "strbDL", [5] = "ldrbDL",
}
}
local map_load1 = {
shift = 4, mask = 1,
[0] = map_load, map_media,
}
local map_loadm = {
shift = 20, mask = 1,
[0] = {
shift = 23, mask = 3,
[0] = "stmdaNR", "stmNR",
{ shift = 16, mask = 63, [45] = "pushR", _ = "stmdbNR", }, "stmibNR",
},
{
shift = 23, mask = 3,
[0] = "ldmdaNR", { shift = 16, mask = 63, [61] = "popR", _ = "ldmNR", },
"ldmdbNR", "ldmibNR",
},
}
local map_data = {
shift = 21, mask = 15,
[0] = "andDNPs", "eorDNPs", "subDNPs", "rsbDNPs",
"addDNPs", "adcDNPs", "sbcDNPs", "rscDNPs",
"tstNP", "teqNP", "cmpNP", "cmnNP",
"orrDNPs", "movDPs", "bicDNPs", "mvnDPs",
}
local map_mul = {
shift = 21, mask = 7,
[0] = "mulNMSs", "mlaNMSDs", "umaalDNMS", "mlsDNMS",
"umullDNMSs", "umlalDNMSs", "smullDNMSs", "smlalDNMSs",
}
local map_sync = {
shift = 20, mask = 15, -- NYI: brackets around N. R(D+1) for ldrexd/strexd.
[0] = "swpDMN", false, false, false,
"swpbDMN", false, false, false,
"strexDMN", "ldrexDN", "strexdDN", "ldrexdDN",
"strexbDMN", "ldrexbDN", "strexhDN", "ldrexhDN",
}
local map_mulh = {
shift = 21, mask = 3,
[0] = { shift = 5, mask = 3,
[0] = "smlabbNMSD", "smlatbNMSD", "smlabtNMSD", "smlattNMSD", },
{ shift = 5, mask = 3,
[0] = "smlawbNMSD", "smulwbNMS", "smlawtNMSD", "smulwtNMS", },
{ shift = 5, mask = 3,
[0] = "smlalbbDNMS", "smlaltbDNMS", "smlalbtDNMS", "smlalttDNMS", },
{ shift = 5, mask = 3,
[0] = "smulbbNMS", "smultbNMS", "smulbtNMS", "smulttNMS", },
}
local map_misc = {
shift = 4, mask = 7,
-- NYI: decode PSR bits of msr.
[0] = { shift = 21, mask = 1, [0] = "mrsD", "msrM", },
{ shift = 21, mask = 3, "bxM", false, "clzDM", },
{ shift = 21, mask = 3, "bxjM", },
{ shift = 21, mask = 3, "blxM", },
false,
{ shift = 21, mask = 3, [0] = "qaddDMN", "qsubDMN", "qdaddDMN", "qdsubDMN", },
false,
{ shift = 21, mask = 3, "bkptK", },
}
local map_datar = {
shift = 4, mask = 9,
[9] = {
shift = 5, mask = 3,
[0] = { shift = 24, mask = 1, [0] = map_mul, map_sync, },
{ shift = 20, mask = 1, [0] = "strhDL", "ldrhDL", },
{ shift = 20, mask = 1, [0] = "ldrdDL", "ldrsbDL", },
{ shift = 20, mask = 1, [0] = "strdDL", "ldrshDL", },
},
_ = {
shift = 20, mask = 25,
[16] = { shift = 7, mask = 1, [0] = map_misc, map_mulh, },
_ = {
shift = 0, mask = 0xffffffff,
[bor(0xe1a00000)] = "nop",
_ = map_data,
}
},
}
local map_datai = {
shift = 20, mask = 31, -- NYI: decode PSR bits of msr. Decode imm12.
[16] = "movwDW", [20] = "movtDW",
[18] = { shift = 0, mask = 0xf00ff, [0] = "nopv6", _ = "msrNW", },
[22] = "msrNW",
_ = map_data,
}
local map_branch = {
shift = 24, mask = 1,
[0] = "bB", "blB"
}
local map_condins = {
[0] = map_datar, map_datai, map_load, map_load1,
map_loadm, map_branch, map_loadc, map_datac
}
-- NYI: setend.
local map_uncondins = {
[0] = false, map_simddata, map_simdload, map_preload,
false, "blxB", map_loadcu, map_datacu,
}
------------------------------------------------------------------------------
local map_gpr = {
[0] = "r0", "r1", "r2", "r3", "r4", "r5", "r6", "r7",
"r8", "r9", "r10", "r11", "r12", "sp", "lr", "pc",
}
local map_cond = {
[0] = "eq", "ne", "hs", "lo", "mi", "pl", "vs", "vc",
"hi", "ls", "ge", "lt", "gt", "le", "al",
}
local map_shift = { [0] = "lsl", "lsr", "asr", "ror", }
------------------------------------------------------------------------------
-- Output a nicely formatted line with an opcode and operands.
local function putop(ctx, text, operands)
local pos = ctx.pos
local extra = ""
if ctx.rel then
local sym = ctx.symtab[ctx.rel]
if sym then
extra = "\t->"..sym
elseif band(ctx.op, 0x0e000000) ~= 0x0a000000 then
extra = "\t; 0x"..tohex(ctx.rel)
end
end
if ctx.hexdump > 0 then
ctx.out(format("%08x %s %-5s %s%s\n",
ctx.addr+pos, tohex(ctx.op), text, concat(operands, ", "), extra))
else
ctx.out(format("%08x %-5s %s%s\n",
ctx.addr+pos, text, concat(operands, ", "), extra))
end
ctx.pos = pos + 4
end
-- Fallback for unknown opcodes.
local function unknown(ctx)
return putop(ctx, ".long", { "0x"..tohex(ctx.op) })
end
-- Format operand 2 of load/store opcodes.
local function fmtload(ctx, op, pos)
local base = map_gpr[band(rshift(op, 16), 15)]
local x, ofs
local ext = (band(op, 0x04000000) == 0)
if not ext and band(op, 0x02000000) == 0 then
ofs = band(op, 4095)
if band(op, 0x00800000) == 0 then ofs = -ofs end
if base == "pc" then ctx.rel = ctx.addr + pos + 8 + ofs end
ofs = "#"..ofs
elseif ext and band(op, 0x00400000) ~= 0 then
ofs = band(op, 15) + band(rshift(op, 4), 0xf0)
if band(op, 0x00800000) == 0 then ofs = -ofs end
if base == "pc" then ctx.rel = ctx.addr + pos + 8 + ofs end
ofs = "#"..ofs
else
ofs = map_gpr[band(op, 15)]
if ext or band(op, 0xfe0) == 0 then
elseif band(op, 0xfe0) == 0x60 then
ofs = format("%s, rrx", ofs)
else
local sh = band(rshift(op, 7), 31)
if sh == 0 then sh = 32 end
ofs = format("%s, %s #%d", ofs, map_shift[band(rshift(op, 5), 3)], sh)
end
if band(op, 0x00800000) == 0 then ofs = "-"..ofs end
end
if ofs == "#0" then
x = format("[%s]", base)
elseif band(op, 0x01000000) == 0 then
x = format("[%s], %s", base, ofs)
else
x = format("[%s, %s]", base, ofs)
end
if band(op, 0x01200000) == 0x01200000 then x = x.."!" end
return x
end
-- Format operand 2 of vector load/store opcodes.
local function fmtvload(ctx, op, pos)
local base = map_gpr[band(rshift(op, 16), 15)]
local ofs = band(op, 255)*4
if band(op, 0x00800000) == 0 then ofs = -ofs end
if base == "pc" then ctx.rel = ctx.addr + pos + 8 + ofs end
if ofs == 0 then
return format("[%s]", base)
else
return format("[%s, #%d]", base, ofs)
end
end
local function fmtvr(op, vr, sh0, sh1)
if vr == "s" then
return format("s%d", 2*band(rshift(op, sh0), 15)+band(rshift(op, sh1), 1))
else
return format("d%d", band(rshift(op, sh0), 15)+band(rshift(op, sh1-4), 16))
end
end
-- Disassemble a single instruction.
local function disass_ins(ctx)
local pos = ctx.pos
local b0, b1, b2, b3 = byte(ctx.code, pos+1, pos+4)
local op = bor(lshift(b3, 24), lshift(b2, 16), lshift(b1, 8), b0)
local operands = {}
local suffix = ""
local last, name, pat
local vr
ctx.op = op
ctx.rel = nil
local cond = rshift(op, 28)
local opat
if cond == 15 then
opat = map_uncondins[band(rshift(op, 25), 7)]
else
if cond ~= 14 then suffix = map_cond[cond] end
opat = map_condins[band(rshift(op, 25), 7)]
end
while type(opat) ~= "string" do
if not opat then return unknown(ctx) end
opat = opat[band(rshift(op, opat.shift), opat.mask)] or opat._
end
name, pat = match(opat, "^([a-z0-9]*)(.*)")
if sub(pat, 1, 1) == "." then
local s2, p2 = match(pat, "^([a-z0-9.]*)(.*)")
suffix = suffix..s2
pat = p2
end
for p in gmatch(pat, ".") do
local x = nil
if p == "D" then
x = map_gpr[band(rshift(op, 12), 15)]
elseif p == "N" then
x = map_gpr[band(rshift(op, 16), 15)]
elseif p == "S" then
x = map_gpr[band(rshift(op, 8), 15)]
elseif p == "M" then
x = map_gpr[band(op, 15)]
elseif p == "d" then
x = fmtvr(op, vr, 12, 22)
elseif p == "n" then
x = fmtvr(op, vr, 16, 7)
elseif p == "m" then
x = fmtvr(op, vr, 0, 5)
elseif p == "P" then
if band(op, 0x02000000) ~= 0 then
x = ror(band(op, 255), 2*band(rshift(op, 8), 15))
else
x = map_gpr[band(op, 15)]
if band(op, 0xff0) ~= 0 then
operands[#operands+1] = x
local s = map_shift[band(rshift(op, 5), 3)]
local r = nil
if band(op, 0xf90) == 0 then
if s == "ror" then s = "rrx" else r = "#32" end
elseif band(op, 0x10) == 0 then
r = "#"..band(rshift(op, 7), 31)
else
r = map_gpr[band(rshift(op, 8), 15)]
end
if name == "mov" then name = s; x = r
elseif r then x = format("%s %s", s, r)
else x = s end
end
end
elseif p == "L" then
x = fmtload(ctx, op, pos)
elseif p == "l" then
x = fmtvload(ctx, op, pos)
elseif p == "B" then
local addr = ctx.addr + pos + 8 + arshift(lshift(op, 8), 6)
if cond == 15 then addr = addr + band(rshift(op, 23), 2) end
ctx.rel = addr
x = "0x"..tohex(addr)
elseif p == "F" then
vr = "s"
elseif p == "G" then
vr = "d"
elseif p == "." then
suffix = suffix..(vr == "s" and ".f32" or ".f64")
elseif p == "R" then
if band(op, 0x00200000) ~= 0 and #operands == 1 then
operands[1] = operands[1].."!"
end
local t = {}
for i=0,15 do
if band(rshift(op, i), 1) == 1 then t[#t+1] = map_gpr[i] end
end
x = "{"..concat(t, ", ").."}"
elseif p == "r" then
if band(op, 0x00200000) ~= 0 and #operands == 2 then
operands[1] = operands[1].."!"
end
local s = tonumber(sub(last, 2))
local n = band(op, 255)
if vr == "d" then n = rshift(n, 1) end
operands[#operands] = format("{%s-%s%d}", last, vr, s+n-1)
elseif p == "W" then
x = band(op, 0x0fff) + band(rshift(op, 4), 0xf000)
elseif p == "T" then
x = "#0x"..tohex(band(op, 0x00ffffff), 6)
elseif p == "U" then
x = band(rshift(op, 7), 31)
if x == 0 then x = nil end
elseif p == "u" then
x = band(rshift(op, 7), 31)
if band(op, 0x40) == 0 then
if x == 0 then x = nil else x = "lsl #"..x end
else
if x == 0 then x = "asr #32" else x = "asr #"..x end
end
elseif p == "v" then
x = band(rshift(op, 7), 31)
elseif p == "w" then
x = band(rshift(op, 16), 31)
elseif p == "x" then
x = band(rshift(op, 16), 31) + 1
elseif p == "X" then
x = band(rshift(op, 16), 31) - last + 1
elseif p == "Y" then
x = band(rshift(op, 12), 0xf0) + band(op, 0x0f)
elseif p == "K" then
x = "#0x"..tohex(band(rshift(op, 4), 0x0000fff0) + band(op, 15), 4)
elseif p == "s" then
if band(op, 0x00100000) ~= 0 then suffix = "s"..suffix end
else
assert(false)
end
if x then
last = x
if type(x) == "number" then x = "#"..x end
operands[#operands+1] = x
end
end
return putop(ctx, name..suffix, operands)
end
------------------------------------------------------------------------------
-- Disassemble a block of code.
local function disass_block(ctx, ofs, len)
if not ofs then ofs = 0 end
local stop = len and ofs+len or #ctx.code
ctx.pos = ofs
ctx.rel = nil
while ctx.pos < stop do disass_ins(ctx) end
end
-- Extended API: create a disassembler context. Then call ctx:disass(ofs, len).
local function create_(code, addr, out)
local ctx = {}
ctx.code = code
ctx.addr = addr or 0
ctx.out = out or io.write
ctx.symtab = {}
ctx.disass = disass_block
ctx.hexdump = 8
return ctx
end
-- Simple API: disassemble code (a string) at address and output via out.
local function disass_(code, addr, out)
create_(code, addr, out):disass()
end
-- Return register name for RID.
local function regname_(r)
if r < 16 then return map_gpr[r] end
return "d"..(r-16)
end
-- Public module functions.
module(...)
create = create_
disass = disass_
regname = regname_
|
local CorePackages = game:GetService("CorePackages")
local InGameMenuDependencies = require(CorePackages.InGameMenuDependencies)
local Roact = InGameMenuDependencies.Roact
local RoactRodux = InGameMenuDependencies.RoactRodux
local InGameMenu = script.Parent.Parent
local Controls = require(InGameMenu.Resources.Controls)
local KeyboardControls = require(script.ControlLayouts.KeyboardControls)
local GamepadControls = require(script.ControlLayouts.GamepadControls)
-- local TouchControls = require(InGameMenu.Components.ControlLayouts.TouchControls)
local ControlsPage = Roact.PureComponent:extend("ControlsPage")
function ControlsPage:render()
local controlLayout = self.props.controlLayout
if controlLayout == Controls.ControlLayouts.KEYBOARD then
return Roact.createElement(KeyboardControls)
elseif controlLayout == Controls.ControlLayouts.GAMEPAD then
return Roact.createElement(GamepadControls)
-- elseif controlLayout == Controls.ControlLayouts.TOUCH then
-- return Roact.createElement(TouchControls)
else
return nil
end
end
return RoactRodux.UNSTABLE_connect2(function(state)
local controlLayout = state.controlLayout
return {
controlLayout = controlLayout
}
end)(ControlsPage) |
-----------------------------------
-- Area: Abyssea - Misareaux
-- NPC: Cavernous Maw
-- !pos 676.070, -16.063, 318.999 216
-- Teleports Players to Valkrum Dunes
-----------------------------------
function onTrade(player, npc, trade)
end
function onTrigger(player, npc)
player:startEvent(200)
end
function onEventUpdate(player, csid, option)
end
function onEventFinish(player, csid, option)
if csid == 200 and option ==1 then
player:setPos(362, 0.001, -119, 4, 103)
end
end
|
-- Load basic awesome libs.
local awful = require("awful")
local gears = require("gears")
local menubar = require("menubar")
-- Widgets
local wibox = require("wibox")
-- Theme library.
local beautiful = require("beautiful")
-- Constants
terminal = "kitty -1"
editor = "vim"
editor_cmd = "kitty -e vim"
modkey = "Mod4"
conf_path = gears.filesystem.get_configuration_dir()
icons_path = conf_path.."/icons/"
icons_cache_path = icons_path.."cache/"
tags_path = conf_path.."/tags/"
tags_spawn_timeout_sec = 30
tasklist_height = 12
screenshot_output = "~/Storage/archive/media/memories/"
-- Setup the look and feel.
beautiful.init(conf_path.."/theme.lua")
awesome.set_preferred_icon_size(24)
-- Lock layout to floating, as we are using a custom solution.
awful.layout.layouts = { awful.layout.suit.floating }
-- Setup default applications.
menubar.utils.terminal = terminal
-- Print generic information.
print("Awesome "..awesome.version.." (".._VERSION..")")
if awesome.composite_manager_running then
print("Composite manager detected!")
else
print("No composite manager detected!")
end
print("Config path: "..conf_path)
print("Theme path: "..awesome.themes_path)
print("Icons path: "..awesome.icon_path) |
return {'vahl'} |
local skynet = require "skynet"
local socket = require "socket"
local syslog = require "syslog"
local config = require "config.system"
local session_id = 1
local slave = {}
local nslave
local gameserver = {}
local CMD = {}
function CMD.open (conf)
for i = 1, conf.slave do
local s = skynet.newservice ("loginslave")
skynet.call (s, "lua", "init", skynet.self (), i, conf)
table.insert (slave, s)
end
nslave = #slave
local host = conf.host or "0.0.0.0"
local port = assert (tonumber (conf.port))
local sock = socket.listen (host, port)
syslog.noticef ("listen on %s:%d", host, port)
local balance = 1
socket.start (sock, function (fd, addr)
local s = slave[balance]
balance = balance + 1
if balance > nslave then balance = 1 end
skynet.call (s, "lua", "auth", fd, addr)
end)
end
function CMD.save_session (account, key, challenge)
session = session_id
session_id = session_id + 1
s = slave[(session % nslave) + 1]
skynet.call (s, "lua", "save_session", session, account, key, challenge)
return session
end
function CMD.challenge (session, challenge)
s = slave[(session % nslave) + 1]
return skynet.call (s, "lua", "challenge", session, challenge)
end
function CMD.verify (session, token)
local s = slave[(session % nslave) + 1]
return skynet.call (s, "lua", "verify", session, token)
end
skynet.start (function ()
skynet.dispatch ("lua", function (_, _, command, ...)
local f = assert (CMD[command])
skynet.retpack (f (...))
end)
end)
|
---
--- Generated by EmmyLua(https://github.com/EmmyLua)
--- Created by Sasha Harp.
--- DateTime: 026, 8/26/21 6:27 AM
---
os.loadAPI("global/locator")
os.loadAPI("global/inventory")
args = {...}
min = {}
min.x = math.min(tonumber(args[2]), tonumber(args[5]))
min.y = math.min(tonumber(args[3]), tonumber(args[6]))
min.z = math.min(tonumber(args[4]), tonumber(args[7]))
max = {}
max.x = math.max(tonumber(args[2]), tonumber(args[5]))
max.y = math.max(tonumber(args[3]), tonumber(args[6]))
max.z = math.max(tonumber(args[4]), tonumber(args[7]))
trees = {}
trees.x = math.floor((max.x-min.x+1)/2)
trees.y = math.floor((max.y-min.y+1)/2)
if args[1]=='--free' then
locator.localMove(unpack(min))
sapling = inventory.contains('sapling')
if sapling > 1 then
turtle.select(sapling)
locator.localMove(0, 0, 1)
locator.localMove(1, 1, 0)
for y=1, trees.y do
for x=1, trees.x do
turtle.placeDown()
if x < trees.x then
locator.localMove(-2+4*(y%2), 0, 0)
end
end
if y < trees.y then
locator.localMove(0, 2, 0)
locator.localRotate(2)
end
end
locator.moveHome()
else
print('err: no saplings provided!')
end
else
print('err: not implemented!')
end |
local slib = slib
local snet = slib.Components.Network
--
snet.Callback('snet_file_write_to_server', function(ply, path, data)
slib.FileWrite(path, data)
end).Protect()
function snet.FileWriteToClient(ply, path, data)
snet.Invoke('snet_file_write_to_client', ply, path, data)
end |
--
-- lua-LIVR : <http://fperrad.github.com/lua-LIVR/>
--
local pairs = pairs
local require = require
local type = type
local _ENV = nil
return {
nested_object = function (rule_builders, livr)
local new = require'LIVR/Validator'.new
local validator = new(livr):register_rules(rule_builders):prepare()
return function (nested_object)
if nested_object == nil or nested_object == '' then
return nested_object
end
if type(nested_object) ~= 'table' then
return nested_object, 'FORMAT_ERROR'
end
return validator:validate(nested_object)
end
end,
list_of = function (rule_builders, ...)
local rules = { ... }
if #rules == 1 then
rules = rules[1]
end
local new = require'LIVR/Validator'.new
local validator = new{ field = rules }:register_rules(rule_builders):prepare()
return function (values)
if values == nil or values == '' then
return values
end
if type(values) ~= 'table' then
return values, 'FORMAT_ERROR'
end
local results = {}
local errors = {}
local has_error
for i = 1, #values do
local val = values[i]
local result, err = validator:validate{ field = val }
result = result and result.field
err = err and err.field
results[i] = result
errors[i] = err
has_error = has_error or err
end
if has_error then
results = nil
else
errors = nil
end
return results, errors
end
end,
list_of_objects = function (rule_builders, livr)
local new = require'LIVR/Validator'.new
local validator = new(livr):register_rules(rule_builders):prepare()
return function (objects)
if objects == nil or objects == '' then
return objects
end
if type(objects) ~= 'table' then
return objects, 'FORMAT_ERROR'
end
local results = {}
local errors = {}
local has_error
for i = 1, #objects do
local obj = objects[i]
local result, err = validator:validate(obj)
results[i] = result
errors[i] = err
has_error = has_error or err
end
if has_error then
results = nil
else
errors = nil
end
return results, errors
end
end,
list_of_different_objects = function (rule_builders, selector_field, livrs)
local new = require'LIVR/Validator'.new
local validators = {}
for selector_value, livr in pairs(livrs) do
local validator = new(livr):register_rules(rule_builders):prepare()
validators[selector_value] = validator
end
return function (objects)
if objects == nil or objects == '' then
return objects
end
if type(objects) ~= 'table' then
return objects, 'FORMAT_ERROR'
end
local results = {}
local errors = {}
local has_error
for i = 1, #objects do
local obj = objects[i]
if type(obj) ~= 'table' or not obj[selector_field] or not validators[obj[selector_field]] then
errors[i] = 'FORMAT_ERROR'
has_error = true
else
local validator = validators[obj[selector_field]]
local result, err = validator:validate(obj)
results[i] = result
errors[i] = err
has_error = has_error or err
end
end
if has_error then
results = nil
else
errors = nil
end
return results, errors
end
end,
variable_object = function (rule_builders, selector_field, livrs)
local new = require'LIVR/Validator'.new
local validators = {}
for selector_value, livr in pairs(livrs) do
local validator = new(livr):register_rules(rule_builders):prepare()
validators[selector_value] = validator
end
return function (object)
if object == nil or object == '' then
return object
end
if type(object) ~= 'table' or not object[selector_field] or not validators[object[selector_field]] then
return object, 'FORMAT_ERROR'
end
local validator = validators[object[selector_field]]
return validator:validate(object)
end
end,
['or'] = function (rule_builders, ...)
local rule_sets = { ... }
local validators = {}
local new = require'LIVR/Validator'.new
for i = 1, #rule_sets do
local validator = new{ field = rule_sets[i] }:register_rules(rule_builders):prepare()
validators[#validators+1] = validator
end
return function (value)
if value == nil or value == '' then
return value
end
local result, last_error
for i = 1, #validators do
result, last_error = validators[i]:validate{ field = value }
if result then
return result.field
end
last_error = last_error.field
end
return nil, last_error
end
end,
}
--
-- Copyright (c) 2018 Francois Perrad
--
-- This library is licensed under the terms of the MIT/X11 license,
-- like Lua itself.
--
|
fx_version 'bodacious'
games { 'gta5' }
author 'Kevin_M16'
description 'Water Control'
version '1.0.0'
replace_level_meta 'meta/gta5'
files {
'meta/gta5.meta',
'meta/water.xml'
} |
--------------------------------
-- @module RemoveSelf
-- @extend ActionInstant
-- @parent_module cc
---@class cc.RemoveSelf:cc.ActionInstant
local RemoveSelf = {}
cc.RemoveSelf = RemoveSelf
--------------------------------
--- init the action
---@param isNeedCleanUp boolean
---@return boolean
function RemoveSelf:init(isNeedCleanUp)
end
--------------------------------
--- Create the action.
--- param isNeedCleanUp Is need to clean up, the default value is true.
--- return An autoreleased RemoveSelf object.
---@return cc.RemoveSelf
function RemoveSelf:create()
end
--------------------------------
---
---@return cc.RemoveSelf
function RemoveSelf:clone()
end
--------------------------------
--- param time In seconds.
---@param time number
---@return cc.RemoveSelf
function RemoveSelf:update(time)
end
--------------------------------
---
---@return cc.RemoveSelf
function RemoveSelf:reverse()
end
--------------------------------
---
---@return cc.RemoveSelf
function RemoveSelf:RemoveSelf()
end
return nil
|
ys = ys or {}
slot1 = ys.Battle.BattleUnitEvent
slot2 = ys.Battle.BattleEvent
slot3 = class("BattleDodgemCommand", ys.Battle.BattleSingleDungeonCommand)
ys.Battle.BattleDodgemCommand = slot3
slot3.__name = "BattleDodgemCommand"
slot3.Ctor = function (slot0)
slot0.super.Ctor(slot0)
end
slot3.Initialize = function (slot0)
slot0.super.Initialize(slot0)
slot0._dataProxy:DodgemCountInit()
end
slot3.DoPrologue = function (slot0)
pg.UIMgr.GetInstance():Marching()
slot0._uiMediator.SeaSurfaceShift(slot2, 45, 0, nil, function ()
slot0._uiMediator:OpeningEffect(function ()
slot0._dataProxy:SetupDamageKamikazeShip(slot1.Battle.BattleFormulas.CalcDamageLockS2M)
slot0._dataProxy.SetupDamageKamikazeShip._dataProxy:SetupDamageCrush(slot1.Battle.BattleFormulas.UnilateralCrush)
slot0._dataProxy.SetupDamageKamikazeShip._dataProxy.SetupDamageCrush._uiMediator:ShowTimer()
slot0._dataProxy.SetupDamageKamikazeShip._dataProxy.SetupDamageCrush._uiMediator.ShowTimer._state:ChangeState(slot1.Battle.BattleState.BATTLE_STATE_FIGHT)
slot0._dataProxy.SetupDamageKamikazeShip._dataProxy.SetupDamageCrush._uiMediator.ShowTimer._state.ChangeState._waveUpdater:Start()
end)
slot0._uiMediator.OpeningEffect._dataProxy.GetFleetByIFF(slot0, slot1.Battle.BattleConfig.FRIENDLY_CODE):FleetWarcry()
end)
slot2 = slot0._state:GetSceneMediator()
slot2:InitPopScorePool()
slot2:EnablePopContainer(slot0.Battle.BattlePopNumManager.CONTAINER_HP, false)
slot2:EnablePopContainer(slot0.Battle.BattlePopNumManager.CONTAINER_SCORE, true)
slot0._uiMediator:ShowDodgemScoreBar()
end
slot3.initWaveModule = function (slot0)
function slot1(slot0, slot1, slot2)
slot0._dataProxy:SpawnMonster(slot0, slot1, slot2, slot1.Battle.BattleConfig.FOE_CODE)
end
slot0._waveUpdater = slot0.Battle.BattleWaveUpdater.New(slot1, nil, function ()
if slot0._vertifyFail then
pg.m02:sendNotification(GAME.CHEATER_MARK, {
reason = slot0._vertifyFail
})
return
end
slot0._dataProxy:CalcDodgemScore()
slot0._dataProxy.CalcDodgemScore._state:BattleEnd()
end, nil)
end
slot3.onWillDie = function (slot0, slot1)
slot0._dataProxy:CalcDodgemCount(slot2)
slot3 = slot1.Dispatcher.GetDeathReason(slot2)
if slot1.Dispatcher.GetTemplate(slot2).type == ShipType.JinBi and slot3 == slot0.Battle.BattleConst.UnitDeathReason.CRUSH then
slot2:DispatchScorePoint(slot0._dataProxy:GetScorePoint())
end
end
return
|
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_frmFichaRPGmeister4_svg()
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("frmFichaRPGmeister4_svg");
obj:setAlign("client");
obj:setTheme("dark");
obj:setMargins({top=1});
obj.scrollBox1 = GUI.fromHandle(_obj_newObject("scrollBox"));
obj.scrollBox1:setParent(obj);
obj.scrollBox1:setAlign("client");
obj.scrollBox1:setName("scrollBox1");
obj.layout1 = GUI.fromHandle(_obj_newObject("layout"));
obj.layout1:setParent(obj.scrollBox1);
obj.layout1:setLeft(0);
obj.layout1:setTop(0);
obj.layout1:setWidth(380);
obj.layout1:setHeight(295);
obj.layout1:setName("layout1");
obj.rectangle1 = GUI.fromHandle(_obj_newObject("rectangle"));
obj.rectangle1:setParent(obj.layout1);
obj.rectangle1:setAlign("client");
obj.rectangle1:setColor("#0000007F");
obj.rectangle1:setName("rectangle1");
obj.label1 = GUI.fromHandle(_obj_newObject("label"));
obj.label1:setParent(obj.layout1);
obj.label1:setLeft(0);
obj.label1:setTop(0);
obj.label1:setWidth(380);
obj.label1:setHeight(20);
obj.label1:setText("TALENTOS");
obj.label1:setHorzTextAlign("center");
obj.label1:setName("label1");
obj.rclListaDosTalentos = GUI.fromHandle(_obj_newObject("recordList"));
obj.rclListaDosTalentos:setParent(obj.layout1);
obj.rclListaDosTalentos:setName("rclListaDosTalentos");
obj.rclListaDosTalentos:setField("campoDosTalentos");
obj.rclListaDosTalentos:setTemplateForm("frmFichaRPGmeister4h_svg");
obj.rclListaDosTalentos:setLeft(5);
obj.rclListaDosTalentos:setTop(25);
obj.rclListaDosTalentos:setWidth(370);
obj.rclListaDosTalentos:setHeight(265);
obj.rclListaDosTalentos:setLayout("vertical");
obj.layout2 = GUI.fromHandle(_obj_newObject("layout"));
obj.layout2:setParent(obj.scrollBox1);
obj.layout2:setLeft(0);
obj.layout2:setTop(305);
obj.layout2:setWidth(380);
obj.layout2:setHeight(295);
obj.layout2:setName("layout2");
obj.rectangle2 = GUI.fromHandle(_obj_newObject("rectangle"));
obj.rectangle2:setParent(obj.layout2);
obj.rectangle2:setAlign("client");
obj.rectangle2:setColor("#0000007F");
obj.rectangle2:setName("rectangle2");
obj.label2 = GUI.fromHandle(_obj_newObject("label"));
obj.label2:setParent(obj.layout2);
obj.label2:setLeft(0);
obj.label2:setTop(0);
obj.label2:setWidth(380);
obj.label2:setHeight(20);
obj.label2:setText("PROEZAS");
obj.label2:setHorzTextAlign("center");
obj.label2:setName("label2");
obj.rclListaDasProezas = GUI.fromHandle(_obj_newObject("recordList"));
obj.rclListaDasProezas:setParent(obj.layout2);
obj.rclListaDasProezas:setName("rclListaDasProezas");
obj.rclListaDasProezas:setField("campoDasProezas");
obj.rclListaDasProezas:setTemplateForm("frmFichaRPGmeister4h_svg");
obj.rclListaDasProezas:setLeft(5);
obj.rclListaDasProezas:setTop(25);
obj.rclListaDasProezas:setWidth(370);
obj.rclListaDasProezas:setHeight(265);
obj.rclListaDasProezas:setLayout("vertical");
obj.layout3 = GUI.fromHandle(_obj_newObject("layout"));
obj.layout3:setParent(obj.scrollBox1);
obj.layout3:setLeft(395);
obj.layout3:setTop(0);
obj.layout3:setWidth(380);
obj.layout3:setHeight(600);
obj.layout3:setName("layout3");
obj.rectangle3 = GUI.fromHandle(_obj_newObject("rectangle"));
obj.rectangle3:setParent(obj.layout3);
obj.rectangle3:setAlign("client");
obj.rectangle3:setColor("#0000007F");
obj.rectangle3:setName("rectangle3");
obj.label3 = GUI.fromHandle(_obj_newObject("label"));
obj.label3:setParent(obj.layout3);
obj.label3:setLeft(0);
obj.label3:setTop(0);
obj.label3:setWidth(380);
obj.label3:setHeight(20);
obj.label3:setText("OUTROS");
obj.label3:setHorzTextAlign("center");
obj.label3:setName("label3");
obj.rclListaDosOutros = GUI.fromHandle(_obj_newObject("recordList"));
obj.rclListaDosOutros:setParent(obj.layout3);
obj.rclListaDosOutros:setName("rclListaDosOutros");
obj.rclListaDosOutros:setField("campoDosOutros");
obj.rclListaDosOutros:setTemplateForm("frmFichaRPGmeister4h_svg");
obj.rclListaDosOutros:setLeft(5);
obj.rclListaDosOutros:setTop(25);
obj.rclListaDosOutros:setWidth(370);
obj.rclListaDosOutros:setHeight(570);
obj.rclListaDosOutros:setLayout("vertical");
obj.layout4 = GUI.fromHandle(_obj_newObject("layout"));
obj.layout4:setParent(obj.scrollBox1);
obj.layout4:setLeft(790);
obj.layout4:setTop(0);
obj.layout4:setWidth(380);
obj.layout4:setHeight(600);
obj.layout4:setName("layout4");
obj.rectangle4 = GUI.fromHandle(_obj_newObject("rectangle"));
obj.rectangle4:setParent(obj.layout4);
obj.rectangle4:setAlign("client");
obj.rectangle4:setColor("#0000007F");
obj.rectangle4:setName("rectangle4");
obj.label4 = GUI.fromHandle(_obj_newObject("label"));
obj.label4:setParent(obj.layout4);
obj.label4:setLeft(0);
obj.label4:setTop(0);
obj.label4:setWidth(380);
obj.label4:setHeight(20);
obj.label4:setText("CARACTERISTICAS DE CLASSE");
obj.label4:setHorzTextAlign("center");
obj.label4:setName("label4");
obj.rclListaDasCaracteristicasClasse = GUI.fromHandle(_obj_newObject("recordList"));
obj.rclListaDasCaracteristicasClasse:setParent(obj.layout4);
obj.rclListaDasCaracteristicasClasse:setName("rclListaDasCaracteristicasClasse");
obj.rclListaDasCaracteristicasClasse:setField("campoDasCaracteristicasClasse");
obj.rclListaDasCaracteristicasClasse:setTemplateForm("frmFichaRPGmeister4h_svg");
obj.rclListaDasCaracteristicasClasse:setLeft(5);
obj.rclListaDasCaracteristicasClasse:setTop(25);
obj.rclListaDasCaracteristicasClasse:setWidth(370);
obj.rclListaDasCaracteristicasClasse:setHeight(570);
obj.rclListaDasCaracteristicasClasse:setLayout("vertical");
obj.layout5 = GUI.fromHandle(_obj_newObject("layout"));
obj.layout5:setParent(obj.scrollBox1);
obj.layout5:setLeft(1180);
obj.layout5:setTop(0);
obj.layout5:setWidth(135);
obj.layout5:setHeight(600);
obj.layout5:setName("layout5");
obj.button1 = GUI.fromHandle(_obj_newObject("button"));
obj.button1:setParent(obj.layout5);
obj.button1:setText("Novo Talento");
obj.button1:setLeft(0);
obj.button1:setTop(0);
obj.button1:setWidth(125);
obj.button1:setHeight(25);
obj.button1:setName("button1");
obj.button2 = GUI.fromHandle(_obj_newObject("button"));
obj.button2:setParent(obj.layout5);
obj.button2:setText("Nova Proeza");
obj.button2:setLeft(0);
obj.button2:setTop(25);
obj.button2:setWidth(125);
obj.button2:setHeight(25);
obj.button2:setName("button2");
obj.button3 = GUI.fromHandle(_obj_newObject("button"));
obj.button3:setParent(obj.layout5);
obj.button3:setText("Novo Outros");
obj.button3:setLeft(0);
obj.button3:setTop(50);
obj.button3:setWidth(125);
obj.button3:setHeight(25);
obj.button3:setName("button3");
obj.button4 = GUI.fromHandle(_obj_newObject("button"));
obj.button4:setParent(obj.layout5);
obj.button4:setText("Nova Caracteristica");
obj.button4:setLeft(0);
obj.button4:setTop(75);
obj.button4:setWidth(125);
obj.button4:setHeight(25);
obj.button4:setName("button4");
obj._e_event0 = obj.rclListaDosTalentos:addEventListener("onCompare",
function (_, nodeA, nodeB)
return ((tonumber(nodeA.nivelHabilidade) or 0) - (tonumber(nodeB.nivelHabilidade) or 0));
end, obj);
obj._e_event1 = obj.rclListaDasProezas:addEventListener("onCompare",
function (_, nodeA, nodeB)
return ((tonumber(nodeA.nivelHabilidade) or 0) - (tonumber(nodeB.nivelHabilidade) or 0));
end, obj);
obj._e_event2 = obj.rclListaDosOutros:addEventListener("onCompare",
function (_, nodeA, nodeB)
return ((tonumber(nodeA.nivelHabilidade) or 0) - (tonumber(nodeB.nivelHabilidade) or 0));
end, obj);
obj._e_event3 = obj.rclListaDasCaracteristicasClasse:addEventListener("onCompare",
function (_, nodeA, nodeB)
return ((tonumber(nodeA.nivelHabilidade) or 0) - (tonumber(nodeB.nivelHabilidade) or 0));
end, obj);
obj._e_event4 = obj.button1:addEventListener("onClick",
function (_)
self.rclListaDosTalentos:append();
end, obj);
obj._e_event5 = obj.button2:addEventListener("onClick",
function (_)
self.rclListaDasProezas:append();
end, obj);
obj._e_event6 = obj.button3:addEventListener("onClick",
function (_)
self.rclListaDosOutros:append();
end, obj);
obj._e_event7 = obj.button4:addEventListener("onClick",
function (_)
self.rclListaDasCaracteristicasClasse:append();
end, obj);
function obj:_releaseEvents()
__o_rrpgObjs.removeEventListenerById(self._e_event7);
__o_rrpgObjs.removeEventListenerById(self._e_event6);
__o_rrpgObjs.removeEventListenerById(self._e_event5);
__o_rrpgObjs.removeEventListenerById(self._e_event4);
__o_rrpgObjs.removeEventListenerById(self._e_event3);
__o_rrpgObjs.removeEventListenerById(self._e_event2);
__o_rrpgObjs.removeEventListenerById(self._e_event1);
__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.layout5 ~= nil then self.layout5:destroy(); self.layout5 = nil; end;
if self.button4 ~= nil then self.button4:destroy(); self.button4 = nil; end;
if self.button1 ~= nil then self.button1:destroy(); self.button1 = nil; end;
if self.button3 ~= nil then self.button3:destroy(); self.button3 = nil; end;
if self.label1 ~= nil then self.label1:destroy(); self.label1 = nil; end;
if self.layout4 ~= nil then self.layout4:destroy(); self.layout4 = nil; end;
if self.rectangle4 ~= nil then self.rectangle4:destroy(); self.rectangle4 = nil; end;
if self.rectangle2 ~= nil then self.rectangle2:destroy(); self.rectangle2 = nil; end;
if self.rectangle3 ~= nil then self.rectangle3:destroy(); self.rectangle3 = 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.button2 ~= nil then self.button2:destroy(); self.button2 = nil; end;
if self.rclListaDosTalentos ~= nil then self.rclListaDosTalentos:destroy(); self.rclListaDosTalentos = nil; end;
if self.layout3 ~= nil then self.layout3:destroy(); self.layout3 = nil; end;
if self.layout1 ~= nil then self.layout1:destroy(); self.layout1 = nil; end;
if self.scrollBox1 ~= nil then self.scrollBox1:destroy(); self.scrollBox1 = nil; end;
if self.rectangle1 ~= nil then self.rectangle1:destroy(); self.rectangle1 = nil; end;
if self.layout2 ~= nil then self.layout2:destroy(); self.layout2 = nil; end;
if self.rclListaDasProezas ~= nil then self.rclListaDasProezas:destroy(); self.rclListaDasProezas = nil; end;
if self.rclListaDosOutros ~= nil then self.rclListaDosOutros:destroy(); self.rclListaDosOutros = nil; end;
if self.rclListaDasCaracteristicasClasse ~= nil then self.rclListaDasCaracteristicasClasse:destroy(); self.rclListaDasCaracteristicasClasse = nil; end;
if self.label2 ~= nil then self.label2:destroy(); self.label2 = nil; end;
self:_oldLFMDestroy();
end;
obj:endUpdate();
return obj;
end;
function newfrmFichaRPGmeister4_svg()
local retObj = nil;
__o_rrpgObjs.beginObjectsLoading();
__o_Utils.tryFinally(
function()
retObj = constructNew_frmFichaRPGmeister4_svg();
end,
function()
__o_rrpgObjs.endObjectsLoading();
end);
assert(retObj ~= nil);
return retObj;
end;
local _frmFichaRPGmeister4_svg = {
newEditor = newfrmFichaRPGmeister4_svg,
new = newfrmFichaRPGmeister4_svg,
name = "frmFichaRPGmeister4_svg",
dataType = "",
formType = "undefined",
formComponentName = "form",
title = "",
description=""};
frmFichaRPGmeister4_svg = _frmFichaRPGmeister4_svg;
Firecast.registrarForm(_frmFichaRPGmeister4_svg);
return _frmFichaRPGmeister4_svg;
|
{
ident=1243001,
sort=1243001000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(SQUARE)"),
blurb=_("_blurb_standardStructue"),
shape=SQUARE,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243002,
sort=1243002000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(SQUARE)"),
blurb=_("_blurb_standardStructue"),
shape=SQUARE,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243003,
sort=1243003000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(SQUARE)"),
blurb=_("_blurb_standardStructue"),
shape=SQUARE,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243004,
sort=1243004000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(TRIANGLE)"),
blurb=_("_blurb_standardStructue"),
shape=TRI,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243005,
sort=1243005000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(TRIANGLE)"),
blurb=_("_blurb_standardStructue"),
shape=TRI,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243006,
sort=1243006000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(TRIANGLE)"),
blurb=_("_blurb_standardStructue"),
shape=TRI,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243007,
sort=1243007000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(PENTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=PENTAGON,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243008,
sort=1243008000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(PENTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=PENTAGON,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243009,
sort=1243009000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(PENTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=PENTAGON,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243010,
sort=1243010000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(HEXAGON)"),
blurb=_("_blurb_standardStructue"),
shape=HEXAGON,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243011,
sort=1243011000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(HEXAGON)"),
blurb=_("_blurb_standardStructue"),
shape=HEXAGON,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243012,
sort=1243012000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(HEXAGON)"),
blurb=_("_blurb_standardStructue"),
shape=HEXAGON,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243013,
sort=1243013000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(HEPTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=HEPTAGON,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243014,
sort=1243014000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(HEPTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=HEPTAGON,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243015,
sort=1243015000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(HEPTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=HEPTAGON,
scale=4,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243016,
sort=1243016000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(OCTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=OCTAGON,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243017,
sort=1243017000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(OCTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=OCTAGON,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243018,
sort=1243018000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(OCTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=OCTAGON,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243019,
sort=1243019000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(OCTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=OCTAGON,
scale=4,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243020,
sort=1243020000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(DODECAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257058,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243021,
sort=1243021000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(DODECAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257058,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243022,
sort=1243022000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(DODECAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257058,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243023,
sort=1243023000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RHOMBUS 1:4 PENTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=RHOMBUS_36_144,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243024,
sort=1243024000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RHOMBUS 1:4 PENTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=RHOMBUS_36_144,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243025,
sort=1243025000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RHOMBUS 1:4 PENTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=RHOMBUS_36_144,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243026,
sort=1243026000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RHOMBUS 3:2 PENTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=RHOMBUS_72_108,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243027,
sort=1243027000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RHOMBUS 3:2 PENTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=RHOMBUS_72_108,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243028,
sort=1243028000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RHOMBUS 3:2 PENTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=RHOMBUS_72_108,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243029,
sort=1243029000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 1/5 PENTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=ISOTRI_36,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243030,
sort=1243030000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 1/5 PENTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=ISOTRI_36,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243031,
sort=1243031000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 1/5 PENTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=ISOTRI_36,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243032,
sort=1243032000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 2/5 PENTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=ISOTRI_72,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243033,
sort=1243033000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 2/5 PENTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=ISOTRI_72,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243034,
sort=1243034000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 2/5 PENTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=ISOTRI_72,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243035,
sort=1243035000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RIGHT TRIANGLE 1:1)"),
blurb=_("_blurb_standardStructue"),
shape=RIGHT_TRI,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243036,
sort=1243036000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RIGHT TRIANGLE 1:1)"),
blurb=_("_blurb_standardStructue"),
shape=RIGHT_TRI,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243037,
sort=1243037000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RIGHT TRIANGLE 1:1)"),
blurb=_("_blurb_standardStructue"),
shape=RIGHT_TRI,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243038,
sort=1243038000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RIGHT TRIANGLE 1:2)"),
blurb=_("_blurb_standardStructue"),
shape=RIGHT_TRI2L,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243039,
sort=1243039000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RIGHT TRIANGLE 1:2)"),
blurb=_("_blurb_standardStructue"),
shape=RIGHT_TRI2L,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243040,
sort=1243040000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RIGHT TRIANGLE 1:2)"),
blurb=_("_blurb_standardStructue"),
shape=RIGHT_TRI2L,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243041,
sort=1243041000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RIGHT TRIANGLE 1:2)"),
blurb=_("_blurb_standardStructue"),
shape=RIGHT_TRI2R,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243042,
sort=1243042000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RIGHT TRIANGLE 1:2)"),
blurb=_("_blurb_standardStructue"),
shape=RIGHT_TRI2R,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243043,
sort=1243043000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RIGHT TRIANGLE 1:2)"),
blurb=_("_blurb_standardStructue"),
shape=RIGHT_TRI2R,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243044,
sort=1243044000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RECT SQRT2)"),
blurb=_("_blurb_standardStructue"),
shape=RECT,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243045,
sort=1243045000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RECT SQRT2)"),
blurb=_("_blurb_standardStructue"),
shape=RECT,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243046,
sort=1243046000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RECT SQRT2)"),
blurb=_("_blurb_standardStructue"),
shape=RECT,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243047,
sort=1243047000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RECT SQRT2)"),
blurb=_("_blurb_standardStructue"),
shape=RECT,
scale=4,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243048,
sort=1243048000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RECT SQRT2)"),
blurb=_("_blurb_standardStructue"),
shape=RECT,
scale=5,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243049,
sort=1243049000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ADAPTER)"),
blurb=_("_blurb_standardStructue"),
shape=ADAPTER,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243050,
sort=1243050000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ADAPTER)"),
blurb=_("_blurb_standardStructue"),
shape=ADAPTER,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243051,
sort=1243051000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ADAPTER)"),
blurb=_("_blurb_standardStructue"),
shape=ADAPTER,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243052,
sort=1243052000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RHOMBUS 2:4 TRIANGLE)"),
blurb=_("_blurb_standardStructue"),
shape=602,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243053,
sort=1243053000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RHOMBUS 2:4 TRIANGLE)"),
blurb=_("_blurb_standardStructue"),
shape=602,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243054,
sort=1243054000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RHOMBUS 2:4 TRIANGLE)"),
blurb=_("_blurb_standardStructue"),
shape=602,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243055,
sort=1243055000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RHOMBUS 1:5 TRIANGLE)"),
blurb=_("_blurb_standardStructue"),
shape=1257042,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243056,
sort=1243056000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RHOMBUS 1:5 TRIANGLE)"),
blurb=_("_blurb_standardStructue"),
shape=1257042,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243057,
sort=1243057000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RHOMBUS 1:5 TRIANGLE)"),
blurb=_("_blurb_standardStructue"),
shape=1257042,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243058,
sort=1243058000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 1/6 TRIANGLE)"),
blurb=_("_blurb_standardStructue"),
shape=1257059,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243059,
sort=1243059000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 1/6 TRIANGLE)"),
blurb=_("_blurb_standardStructue"),
shape=1257059,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243060,
sort=1243060000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 1/6 TRIANGLE)"),
blurb=_("_blurb_standardStructue"),
shape=1257059,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243061,
sort=1243061000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 5/6 TRIANGLE)"),
blurb=_("_blurb_standardStructue"),
shape=1257060,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243062,
sort=1243062000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 5/6 TRIANGLE)"),
blurb=_("_blurb_standardStructue"),
shape=1257060,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243063,
sort=1243063000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 5/6 TRIANGLE)"),
blurb=_("_blurb_standardStructue"),
shape=1257060,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243064,
sort=1243064000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ADAPTER HALF)"),
blurb=_("_blurb_standardStructue"),
shape=1257061,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243065,
sort=1243065000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(SQUARE HALF)"),
blurb=_("_blurb_standardStructue"),
shape=SQUARE_HALF,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243066,
sort=1243066000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RHOMBUS 1:6 HEPTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257068,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243067,
sort=1243067000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RHOMBUS 1:6 HEPTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257068,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243068,
sort=1243068000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RHOMBUS 1:6 HEPTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257068,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243069,
sort=1243069000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RHOMBUS 2:5 HEPTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257069,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243070,
sort=1243070000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RHOMBUS 2:5 HEPTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257069,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243071,
sort=1243071000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RHOMBUS 2:5 HEPTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257069,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243072,
sort=1243072000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RHOMBUS 3:4 HEPTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257070,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243073,
sort=1243073000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RHOMBUS 3:4 HEPTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257070,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243074,
sort=1243074000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(RHOMBUS 3:4 HEPTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257070,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243075,
sort=1243075000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 1/7 HEPTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257071,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243076,
sort=1243076000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 1/7 HEPTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257071,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243077,
sort=1243077000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 1/7 HEPTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257071,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243078,
sort=1243078000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 2/7 HEPTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257072,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243079,
sort=1243079000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 2/7 HEPTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257072,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243080,
sort=1243080000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 2/7 HEPTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257072,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243081,
sort=1243081000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 3/7 HEPTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257073,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243082,
sort=1243082000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 3/7 HEPTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257073,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243083,
sort=1243083000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 3/7 HEPTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257073,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243084,
sort=1243084000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 4/7 HEPTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257074,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243085,
sort=1243085000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 4/7 HEPTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257074,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243086,
sort=1243086000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 4/7 HEPTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257074,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243087,
sort=1243087000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 5/7 HEPTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257075,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243088,
sort=1243088000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 5/7 HEPTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257075,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243089,
sort=1243089000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 5/7 HEPTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257075,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243090,
sort=1243090000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 6/7 HEPTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257076,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243091,
sort=1243091000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 6/7 HEPTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257076,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243092,
sort=1243092000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 6/7 HEPTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257076,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243093,
sort=1243034001,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 3/5 PENTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257077,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243094,
sort=1243034002,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 3/5 PENTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257077,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243095,
sort=1243034003,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 3/5 PENTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257077,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243096,
sort=1243034004,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 4/5 PENTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257078,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243097,
sort=1243034005,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 4/5 PENTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257078,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243098,
sort=1243034006,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 4/5 PENTAGON)"),
blurb=_("_blurb_standardStructue"),
shape=1257078,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243099,
sort=1243099000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ITALIC TRI +1)"),
blurb=_("_blurb_standardStructue"),
shape=1257079,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243100,
sort=1243100000,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ITALIC TRI +1)"),
blurb=_("_blurb_standardStructue"),
shape=1257080,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243101,
sort=1243060001,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 4/6 TRIANGLE)"),
blurb=_("_blurb_standardStructue"),
shape=1257081,
scale=1,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243102,
sort=1243060002,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 4/6 TRIANGLE)"),
blurb=_("_blurb_standardStructue"),
shape=1257081,
scale=2,
#include "_T_B10_HullDark.lua"
points=-1,
},
{
ident=1243103,
sort=1243060003,
group=1243,
features=PALETTE,
name=_("_text_B10tech")_("_bl")_("_text_Hull")_("_bl")_("(ISOTRI 4/6 TRIANGLE)"),
blurb=_("_blurb_standardStructue"),
shape=1257081,
scale=3,
#include "_T_B10_HullDark.lua"
points=-1,
},
--RED
{
ident=1243201,
sort=1243201000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(SQUARE)"),
blurb=_("_blurb_B10Armor"),
shape=SQUARE,
#include "_T_B10_HullRed.lua"
points=5,
},
{
ident=1243202,
sort=1243202000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(SQUARE)"),
blurb=_("_blurb_B10Armor"),
shape=SQUARE,
scale=2,
#include "_T_B10_HullRed.lua"
points=20,
},
{
ident=1243203,
sort=1243203000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(SQUARE)"),
blurb=_("_blurb_B10Armor"),
shape=SQUARE,
scale=3,
#include "_T_B10_HullRed.lua"
points=45,
},
{
ident=1243204,
sort=1243204000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(TRIANGLE)"),
blurb=_("_blurb_B10Armor"),
shape=TRI,
scale=1,
#include "_T_B10_HullRed.lua"
points=3,
},
{
ident=1243205,
sort=1243205000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(TRIANGLE)"),
blurb=_("_blurb_B10Armor"),
shape=TRI,
scale=2,
#include "_T_B10_HullRed.lua"
points=9,
},
{
ident=1243206,
sort=1243206000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(TRIANGLE)"),
blurb=_("_blurb_B10Armor"),
shape=TRI,
scale=3,
#include "_T_B10_HullRed.lua"
points=20,
},
{
ident=1243207,
sort=1243207000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(PENTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=PENTAGON,
scale=1,
#include "_T_B10_HullRed.lua"
points=9,
},
{
ident=1243208,
sort=1243208000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(PENTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=PENTAGON,
scale=2,
#include "_T_B10_HullRed.lua"
points=35,
},
{
ident=1243209,
sort=1243209000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(PENTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=PENTAGON,
scale=3,
#include "_T_B10_HullRed.lua"
points=78,
},
{
ident=1243210,
sort=1243210000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(HEXAGON)"),
blurb=_("_blurb_B10Armor"),
shape=HEXAGON,
scale=1,
#include "_T_B10_HullRed.lua"
points=13,
},
{
ident=1243211,
sort=1243211000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(HEXAGON)"),
blurb=_("_blurb_B10Armor"),
shape=HEXAGON,
scale=2,
#include "_T_B10_HullRed.lua"
points=52,
},
{
ident=1243212,
sort=1243212000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(HEXAGON)"),
blurb=_("_blurb_B10Armor"),
shape=HEXAGON,
scale=3,
#include "_T_B10_HullRed.lua"
points=117,
},
{
ident=1243213,
sort=1243213000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(HEPTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=HEPTAGON,
scale=2,
#include "_T_B10_HullRed.lua"
points=19,
},
{
ident=1243214,
sort=1243214000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(HEPTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=HEPTAGON,
scale=3,
#include "_T_B10_HullRed.lua"
points=73,
},
{
ident=1243215,
sort=1243215000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(HEPTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=HEPTAGON,
scale=4,
#include "_T_B10_HullRed.lua"
points=164,
},
{
ident=1243216,
sort=1243216000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(OCTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=OCTAGON,
scale=1,
#include "_T_B10_HullRed.lua"
points=5,
},
{
ident=1243217,
sort=1243217000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(OCTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=OCTAGON,
scale=2,
#include "_T_B10_HullRed.lua"
points=25,
},
{
ident=1243218,
sort=1243218000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(OCTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=OCTAGON,
scale=3,
#include "_T_B10_HullRed.lua"
points=97,
},
{
ident=1243219,
sort=1243219000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(OCTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=OCTAGON,
scale=4,
#include "_T_B10_HullRed.lua"
points=218,
},
{
ident=1243220,
sort=1243220000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(DODECAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257058,
scale=1,
#include "_T_B10_HullRed.lua"
points=56,
},
{
ident=1243221,
sort=1243221000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(DODECAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257058,
scale=2,
#include "_T_B10_HullRed.lua"
points=224,
},
{
ident=1243222,
sort=1243222000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(DODECAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257058,
scale=3,
#include "_T_B10_HullRed.lua"
points=504,
},
{
ident=1243223,
sort=1243223000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RHOMBUS 1:4 PENTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=RHOMBUS_36_144,
scale=1,
#include "_T_B10_HullRed.lua"
points=3,
},
{
ident=1243224,
sort=1243224000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RHOMBUS 1:4 PENTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=RHOMBUS_36_144,
scale=2,
#include "_T_B10_HullRed.lua"
points=12,
},
{
ident=1243225,
sort=1243225000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RHOMBUS 1:4 PENTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=RHOMBUS_36_144,
scale=3,
#include "_T_B10_HullRed.lua"
points=27,
},
{
ident=1243226,
sort=1243226000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RHOMBUS 3:2 PENTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=RHOMBUS_72_108,
scale=1,
#include "_T_B10_HullRed.lua"
points=5,
},
{
ident=1243227,
sort=1243227000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RHOMBUS 3:2 PENTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=RHOMBUS_72_108,
scale=2,
#include "_T_B10_HullRed.lua"
points=20,
},
{
ident=1243228,
sort=1243228000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RHOMBUS 3:2 PENTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=RHOMBUS_72_108,
scale=3,
#include "_T_B10_HullRed.lua"
points=43,
},
{
ident=1243229,
sort=1243229000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 1/5 PENTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=ISOTRI_36,
scale=1,
#include "_T_B10_HullRed.lua"
points=2,
},
{
ident=1243230,
sort=1243230000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 1/5 PENTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=ISOTRI_36,
scale=2,
#include "_T_B10_HullRed.lua"
points=6,
},
{
ident=1243231,
sort=1243231000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 1/5 PENTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=ISOTRI_36,
scale=3,
#include "_T_B10_HullRed.lua"
points=14,
},
{
ident=1243232,
sort=1243232000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 2/5 PENTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=ISOTRI_72,
scale=1,
#include "_T_B10_HullRed.lua"
points=3,
},
{
ident=1243233,
sort=1243233000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 2/5 PENTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=ISOTRI_72,
scale=2,
#include "_T_B10_HullRed.lua"
points=10,
},
{
ident=1243234,
sort=1243234000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 2/5 PENTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=ISOTRI_72,
scale=3,
#include "_T_B10_HullRed.lua"
points=22,
},
{
ident=1243235,
sort=1243235000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RIGHT TRIANGLE 1:1)"),
blurb=_("_blurb_B10Armor"),
shape=RIGHT_TRI,
scale=1,
#include "_T_B10_HullRed.lua"
points=3,
},
{
ident=1243236,
sort=1243236000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RIGHT TRIANGLE 1:1)"),
blurb=_("_blurb_B10Armor"),
shape=RIGHT_TRI,
scale=2,
#include "_T_B10_HullRed.lua"
points=10,
},
{
ident=1243237,
sort=1243237000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RIGHT TRIANGLE 1:1)"),
blurb=_("_blurb_B10Armor"),
shape=RIGHT_TRI,
scale=3,
#include "_T_B10_HullRed.lua"
points=23,
},
{
ident=1243238,
sort=1243238000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RIGHT TRIANGLE 1:2)"),
blurb=_("_blurb_B10Armor"),
shape=RIGHT_TRI2L,
scale=1,
#include "_T_B10_HullRed.lua"
points=5,
},
{
ident=1243239,
sort=1243239000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RIGHT TRIANGLE 1:2)"),
blurb=_("_blurb_B10Armor"),
shape=RIGHT_TRI2L,
scale=2,
#include "_T_B10_HullRed.lua"
points=20,
},
{
ident=1243240,
sort=1243240000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RIGHT TRIANGLE 1:2)"),
blurb=_("_blurb_B10Armor"),
shape=RIGHT_TRI2L,
scale=3,
#include "_T_B10_HullRed.lua"
points=45,
},
{
ident=1243241,
sort=1243241000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RIGHT TRIANGLE 1:2)"),
blurb=_("_blurb_B10Armor"),
shape=RIGHT_TRI2R,
scale=1,
#include "_T_B10_HullRed.lua"
points=5,
},
{
ident=1243242,
sort=1243242000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RIGHT TRIANGLE 1:2)"),
blurb=_("_blurb_B10Armor"),
shape=RIGHT_TRI2R,
scale=2,
#include "_T_B10_HullRed.lua"
points=20,
},
{
ident=1243243,
sort=1243243000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RIGHT TRIANGLE 1:2)"),
blurb=_("_blurb_B10Armor"),
shape=RIGHT_TRI2R,
scale=3,
#include "_T_B10_HullRed.lua"
points=45,
},
{
ident=1243244,
sort=1243244000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RECT SQRT2)"),
blurb=_("_blurb_B10Armor"),
shape=RECT,
scale=1,
#include "_T_B10_HullRed.lua"
points=2,
},
{
ident=1243245,
sort=1243245000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RECT SQRT2)"),
blurb=_("_blurb_B10Armor"),
shape=RECT,
scale=2,
#include "_T_B10_HullRed.lua"
points=3,
},
{
ident=1243246,
sort=1243246000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RECT SQRT2)"),
blurb=_("_blurb_B10Armor"),
shape=RECT,
scale=3,
#include "_T_B10_HullRed.lua"
points=4,
},
{
ident=1243247,
sort=1243247000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RECT SQRT2)"),
blurb=_("_blurb_B10Armor"),
shape=RECT,
scale=4,
#include "_T_B10_HullRed.lua"
points=6,
},
{
ident=1243248,
sort=1243248000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RECT SQRT2)"),
blurb=_("_blurb_B10Armor"),
shape=RECT,
scale=5,
#include "_T_B10_HullRed.lua"
points=15,
},
{
ident=1243249,
sort=1243249000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ADAPTER)"),
blurb=_("_blurb_B10Armor"),
shape=ADAPTER,
scale=1,
#include "_T_B10_HullRed.lua"
points=4,
},
{
ident=1243250,
sort=1243250000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ADAPTER)"),
blurb=_("_blurb_B10Armor"),
shape=ADAPTER,
scale=2,
#include "_T_B10_HullRed.lua"
points=7,
},
{
ident=1243251,
sort=1243251000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ADAPTER)"),
blurb=_("_blurb_B10Armor"),
shape=ADAPTER,
scale=3,
#include "_T_B10_HullRed.lua"
points=9,
},
{
ident=1243252,
sort=1243252000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RHOMBUS 2:4 TRIANGLE)"),
blurb=_("_blurb_B10Armor"),
shape=602,
scale=1,
#include "_T_B10_HullRed.lua"
points=5,
},
{
ident=1243253,
sort=1243253000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RHOMBUS 2:4 TRIANGLE)"),
blurb=_("_blurb_B10Armor"),
shape=602,
scale=2,
#include "_T_B10_HullRed.lua"
points=18,
},
{
ident=1243254,
sort=1243254000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RHOMBUS 2:4 TRIANGLE)"),
blurb=_("_blurb_B10Armor"),
shape=602,
scale=3,
#include "_T_B10_HullRed.lua"
points=39,
},
{
ident=1243255,
sort=1243255000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RHOMBUS 1:5 TRIANGLE)"),
blurb=_("_blurb_B10Armor"),
shape=1257042,
scale=1,
#include "_T_B10_HullRed.lua"
points=3,
},
{
ident=1243256,
sort=1243256000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RHOMBUS 1:5 TRIANGLE)"),
blurb=_("_blurb_B10Armor"),
shape=1257042,
scale=2,
#include "_T_B10_HullRed.lua"
points=10,
},
{
ident=1243257,
sort=1243257000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RHOMBUS 1:5 TRIANGLE)"),
blurb=_("_blurb_B10Armor"),
shape=1257042,
scale=3,
#include "_T_B10_HullRed.lua"
points=23,
},
{
ident=1243258,
sort=1243258000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 1/6 TRIANGLE)"),
blurb=_("_blurb_B10Armor"),
shape=1257059,
scale=1,
#include "_T_B10_HullRed.lua"
points=2,
},
{
ident=1243259,
sort=1243259000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 1/6 TRIANGLE)"),
blurb=_("_blurb_B10Armor"),
shape=1257059,
scale=2,
#include "_T_B10_HullRed.lua"
points=5,
},
{
ident=1243260,
sort=1243260000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 1/6 TRIANGLE)"),
blurb=_("_blurb_B10Armor"),
shape=1257059,
scale=3,
#include "_T_B10_HullRed.lua"
points=12,
},
{
ident=1243261,
sort=1243261000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 5/6 TRIANGLE)"),
blurb=_("_blurb_B10Armor"),
shape=1257060,
scale=1,
#include "_T_B10_HullRed.lua"
points=2,
},
{
ident=1243262,
sort=1243262000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 5/6 TRIANGLE)"),
blurb=_("_blurb_B10Armor"),
shape=1257060,
scale=2,
#include "_T_B10_HullRed.lua"
points=5,
},
{
ident=1243263,
sort=1243263000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 5/6 TRIANGLE)"),
blurb=_("_blurb_B10Armor"),
shape=1257060,
scale=3,
#include "_T_B10_HullRed.lua"
points=12,
},
{
ident=1243264,
sort=1243264000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ADAPTER HALF)"),
blurb=_("_blurb_B10Armor"),
shape=1257061,
scale=1,
#include "_T_B10_HullRed.lua"
points=2,
},
{
ident=1243265,
sort=1243265000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(SQUARE HALF)"),
blurb=_("_blurb_B10Armor"),
shape=SQUARE_HALF,
scale=1,
#include "_T_B10_HullRed.lua"
points=2,
},
{
ident=1243266,
sort=1243266000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RHOMBUS 1:6 HEPTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257068,
scale=1,
#include "_T_B10_HullRed.lua"
points=3,
},
{
ident=1243267,
sort=1243267000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RHOMBUS 1:6 HEPTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257068,
scale=2,
#include "_T_B10_HullRed.lua"
points=9,
},
{
ident=1243268,
sort=1243268000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RHOMBUS 1:6 HEPTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257068,
scale=3,
#include "_T_B10_HullRed.lua"
points=20,
},
{
ident=1243269,
sort=1243269000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RHOMBUS 2:5 HEPTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257069,
scale=1,
#include "_T_B10_HullRed.lua"
points=4,
},
{
ident=1243270,
sort=1243270000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RHOMBUS 2:5 HEPTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257069,
scale=2,
#include "_T_B10_HullRed.lua"
points=16,
},
{
ident=1243271,
sort=1243271000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RHOMBUS 2:5 HEPTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257069,
scale=3,
#include "_T_B10_HullRed.lua"
points=36,
},
{
ident=1243272,
sort=1243272000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RHOMBUS 3:4 HEPTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257070,
scale=1,
#include "_T_B10_HullRed.lua"
points=5,
},
{
ident=1243273,
sort=1243273000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RHOMBUS 3:4 HEPTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257070,
scale=2,
#include "_T_B10_HullRed.lua"
points=20,
},
{
ident=1243274,
sort=1243274000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(RHOMBUS 3:4 HEPTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257070,
scale=3,
#include "_T_B10_HullRed.lua"
points=44,
},
{
ident=1243275,
sort=1243275000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 1/7 HEPTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257071,
scale=1,
#include "_T_B10_HullRed.lua"
points=2,
},
{
ident=1243276,
sort=1243276000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 1/7 HEPTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257071,
scale=2,
#include "_T_B10_HullRed.lua"
points=5,
},
{
ident=1243277,
sort=1243277000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 1/7 HEPTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257071,
scale=3,
#include "_T_B10_HullRed.lua"
points=10,
},
{
ident=1243278,
sort=1243278000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 2/7 HEPTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257072,
scale=1,
#include "_T_B10_HullRed.lua"
points=2,
},
{
ident=1243279,
sort=1243279000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 2/7 HEPTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257072,
scale=2,
#include "_T_B10_HullRed.lua"
points=8,
},
{
ident=1243280,
sort=1243280000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 2/7 HEPTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257072,
scale=3,
#include "_T_B10_HullRed.lua"
points=18,
},
{
ident=1243281,
sort=1243281000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 3/7 HEPTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257073,
scale=1,
#include "_T_B10_HullRed.lua"
points=3,
},
{
ident=1243282,
sort=1243282000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 3/7 HEPTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257073,
scale=2,
#include "_T_B10_HullRed.lua"
points=10,
},
{
ident=1243283,
sort=1243283000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 3/7 HEPTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257073,
scale=3,
#include "_T_B10_HullRed.lua"
points=22,
},
{
ident=1243284,
sort=1243284000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 4/7 HEPTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257074,
scale=1,
#include "_T_B10_HullRed.lua"
points=3,
},
{
ident=1243285,
sort=1243285000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 4/7 HEPTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257074,
scale=2,
#include "_T_B10_HullRed.lua"
points=10,
},
{
ident=1243286,
sort=1243286000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 4/7 HEPTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257074,
scale=3,
#include "_T_B10_HullRed.lua"
points=22,
},
{
ident=1243287,
sort=1243287000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 5/7 HEPTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257075,
scale=1,
#include "_T_B10_HullRed.lua"
points=2,
},
{
ident=1243288,
sort=1243288000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 5/7 HEPTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257075,
scale=2,
#include "_T_B10_HullRed.lua"
points=8,
},
{
ident=1243289,
sort=1243289000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 5/7 HEPTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257075,
scale=3,
#include "_T_B10_HullRed.lua"
points=18,
},
{
ident=1243290,
sort=1243290000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 6/7 HEPTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257076,
scale=1,
#include "_T_B10_HullRed.lua"
points=2,
},
{
ident=1243291,
sort=1243291000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 6/7 HEPTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257076,
scale=2,
#include "_T_B10_HullRed.lua"
points=5,
},
{
ident=1243292,
sort=1243292000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 6/7 HEPTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257076,
scale=3,
#include "_T_B10_HullRed.lua"
points=10,
},
{
ident=1243293,
sort=1243234001,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 3/5 PENTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257077,
scale=1,
#include "_T_B10_HullRed.lua"
points=3,
},
{
ident=1243294,
sort=1243234002,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 3/5 PENTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257077,
scale=2,
#include "_T_B10_HullRed.lua"
points=5,
},
{
ident=1243295,
sort=1243234003,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 3/5 PENTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257077,
scale=3,
#include "_T_B10_HullRed.lua"
points=22,
},
{
ident=1243296,
sort=1243234004,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 4/5 PENTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257078,
scale=1,
#include "_T_B10_HullRed.lua"
points=2,
},
{
ident=1243297,
sort=1243234005,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 4/5 PENTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257078,
scale=2,
#include "_T_B10_HullRed.lua"
points=6,
},
{
ident=1243298,
sort=1243234006,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 4/5 PENTAGON)"),
blurb=_("_blurb_B10Armor"),
shape=1257078,
scale=3,
#include "_T_B10_HullRed.lua"
points=14,
},
{
ident=1243299,
sort=1243299000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ITALIC TRI +1)"),
blurb=_("_blurb_B10Armor"),
shape=1257079,
scale=1,
#include "_T_B10_HullRed.lua"
points=3,
},
{
ident=1243300,
sort=1243300000,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ITALIC TRI +1)"),
blurb=_("_blurb_B10Armor"),
shape=1257080,
scale=1,
#include "_T_B10_HullRed.lua"
points=3,
},
{
ident=1243301,
sort=1243260001,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 4/6 TRIANGLE)"),
blurb=_("_blurb_B10Armor"),
shape=1257081,
scale=1,
#include "_T_B10_HullRed.lua"
points=3,
},
{
ident=1243302,
sort=1243260002,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 4/6 TRIANGLE)"),
blurb=_("_blurb_B10Armor"),
shape=1257081,
scale=2,
#include "_T_B10_HullRed.lua"
points=9,
},
{
ident=1243303,
sort=1243260003,
group=1243,
features=PALETTE|MELEE,
name=_("_text_B10tech")_("_bl")_("_text_blockArmor")_("_bl")_("(ISOTRI 4/6 TRIANGLE)"),
blurb=_("_blurb_B10Armor"),
shape=1257081,
scale=3,
#include "_T_B10_HullRed.lua"
points=20,
},
----- 1243400-1243999
|
PLUGIN.name = "3D Panels"
PLUGIN.author = "Chessnut"
PLUGIN.desc = "Adds web panels that can be placed on the map."
-- List of available panel dislays.
PLUGIN.list = PLUGIN.list or {}
local PLUGIN = PLUGIN
if (SERVER) then
-- Called when the player is sending client info.
function PLUGIN:PlayerInitialSpawn(client)
-- Send the list of panel displays.
timer.Simple(1, function()
if (IsValid(client)) then
netstream.Start(client, "panelList", self.list)
end
end)
end
-- Adds a panel to the list, sends it to the players, and saves data.
function PLUGIN:addPanel(position, angles, url, w, h, scale)
w = w or 1024
h = h or 768
scale = math.Clamp((scale or 1) * 0.1, 0.001, 5)
-- Find an ID for this panel within the list.
local index = #self.list + 1
-- Add the panel to the list so it can be sent and saved.
self.list[index] = {position, angles, w, h, scale, url}
-- Send the panel information to the players.
netstream.Start(nil, "panel", index, position, angles, w, h, scale, url)
-- Save the plugin data.
self:SavePanels()
end
-- Removes a panel that are within the radius of a position.
function PLUGIN:removePanel(position, radius)
-- Store how many panels are removed.
local i = 0
-- Default the radius to 100.
radius = radius or 100
-- Loop through all of the panels.
for k, v in pairs(self.list) do
-- Check if the distance from our specified position to the panel is less than the radius.
if (v[1]:Distance(position) <= radius) then
-- Remove the panel from the list of panels.
self.list[k] = nil
-- Tell the players to stop showing the panel.
netstream.Start(nil, "panel", k)
-- Increase the number of deleted panels by one.
i = i + 1
end
end
-- Save the plugin data if we actually changed anything.
if (i > 0) then
self:SavePanels()
end
-- Return the number of deleted panels.
return i
end
-- Called after entities have been loaded on the map.
function PLUGIN:LoadData()
self.list = self:getData() or {}
end
-- Called when the plugin needs to save information.
function PLUGIN:SavePanels()
self:setData(self.list)
end
else
-- Receives new panel objects that need to be drawn.
netstream.Hook("panel", function(index, position, angles, w, h, scale, url)
-- Check if we are adding or deleting the panel.
if (position) then
-- Create a VGUI object to display the URL.
local object = vgui.Create("DHTML")
object:OpenURL(url)
object:SetSize(w, h)
object:SetKeyboardInputEnabled(false)
object:SetMouseInputEnabled(false)
object:SetPaintedManually(true)
-- Add the panel to a list of drawn panel objects.
PLUGIN.list[index] = {position, angles, w, h, scale, object}
else
-- Delete the panel object if we are deleting stuff.
PLUGIN.list[index] = nil
end
end)
-- Receives a full update on ALL panels.
netstream.Hook("panelList", function(values)
-- Set the list of panels to the ones provided by the server.
PLUGIN.list = values
-- Loop through the list of panels.
for k, v in pairs(PLUGIN.list) do
-- Create a VGUI object to display the URL.
local object = vgui.Create("DHTML")
object:OpenURL(v[6])
object:SetSize(v[3], v[4])
object:SetKeyboardInputEnabled(false)
object:SetMouseInputEnabled(false)
object:SetPaintedManually(true)
-- Set the panel to have a markup object to draw.
v[6] = object
end
end)
-- Called after all translucent objects are drawn.
function PLUGIN:PostDrawTranslucentRenderables(drawingDepth, drawingSkyBox)
if (!drawingDepth and !drawingSkyBox) then
-- Store the position of the player to be more optimized.
local ourPosition = LocalPlayer():GetPos()
-- Loop through all of the panel.
for k, v in pairs(self.list) do
local position = v[1]
if (ourPosition:DistToSqr(position) <= 4194304) then
local panel = v[6]
-- Start a 3D2D camera at the panel's position and angles.
cam.Start3D2D(position, v[2], v[5] or 0.1)
panel:SetPaintedManually(false)
panel:PaintManual()
panel:SetPaintedManually(true)
cam.End3D2D()
end
end
end
end
end
nut.command.add("paneladd", {
adminOnly = true,
syntax = "<string url> [number w] [number h] [number scale]",
onRun = function(client, arguments)
if (!arguments[1]) then
return L("invalidArg", 1)
end
-- Get the position and angles of the panel.
local trace = client:GetEyeTrace()
local position = trace.HitPos
local angles = trace.HitNormal:Angle()
angles:RotateAroundAxis(angles:Up(), 90)
angles:RotateAroundAxis(angles:Forward(), 90)
-- Add the panel.
PLUGIN:addPanel(position + angles:Up()*0.1, angles, arguments[1], tonumber(arguments[2]), tonumber(arguments[3]), tonumber(arguments[4]))
-- Tell the player the panel was added.
return L("panelAdded", client)
end
})
nut.command.add("panelremove", {
adminOnly = true,
syntax = "[number radius]",
onRun = function(client, arguments)
-- Get the origin to remove panel.
local trace = client:GetEyeTrace()
local position = trace.HitPos
-- Remove the panel(s) and get the amount removed.
local amount = PLUGIN:removePanel(position, tonumber(arguments[1]))
-- Tell the player how many panels got removed.
return L("panelRemoved", client, amount)
end
}) |
include('shared.lua')
ENT.RenderGroup = RENDERGROUP_BOTH
function ENT:Draw()
self:DrawModel()
--spin(self)
end
function ENT:DrawTranslucent()
self:Draw()
--spin(self)
end
function ENT:BuildBonePositions( NumBones, NumPhysBones )
end
function ENT:SetRagdollBones( bIn )
self.m_bRagdollSetup = bIn
end
function ENT:DoRagdollBone( PhysBoneNum, BoneNum )
//self:SetBonePosition( BoneNum, Pos, Angle )
end |
halloween_skeleton_1 = Creature:new {
customName = "Undead Skeleton",
--objectName = "",
--randomNameType = NAME_GENERIC_TAG,
socialGroup = "halloween",
faction = "halloween",
level = 150,
chanceHit = 15.75,
damageMin = 1070,
damageMax = 2050,
baseXp = 21630,
baseHAM = 208000,
baseHAMmax = 254000,
armor = 1,
resists = {185,185,135,200,10,130,145,180,-1},
meatType = "",
meatAmount = 0,
hideType = "",
hideAmount = 0,
boneType = "",
boneAmount = 0,
milk = 0,
tamingChance = 0,
ferocity = 0,
pvpBitmask = AGGRESSIVE + ATTACKABLE + ENEMY,
creatureBitmask = PACK + KILLER + STALKER,
optionsBitmask = AIENABLED,
diet = HERBIVORE,
templates = {"object/mobile/halloween_skeleton_1.iff"},
lootGroups = {
{
groups = {
{group = "tierone", chance = 10000000},
},
lootChance = 2500000
},
{
groups = {
{group = "tiertwo", chance = 10000000},
},
lootChance = 2500000
},
{
groups = {
{group = "tierthree", chance = 10000000},
},
lootChance = 2500000
},
{
groups = {
{group = "tierdiamond", chance = 10000000},
},
lootChance = 2500000
},
{
groups = {
{group = "halloween", chance = 10000000},
},
lootChance = 10000000
},
{
groups = {
{group = "power_crystals", chance = 10000000},
},
lootChance = 2500000
},
{
groups = {
{group = "nightsister1", chance = 10000000},
},
lootChance = 2500000
},
{
groups = {
{group = "nightsister2", chance = 10000000},
},
lootChance = 2500000
},
{
groups = {
{group = "nightsister3", chance = 10000000},
},
lootChance = 2500000
},
{
groups = {
{group = "nightsister4", chance = 10000000},
},
lootChance = 2500000
},
{
groups = {
{group = "clothing_attachments", chance = 10000000},
},
lootChance = 2500000
},
{
groups = {
{group = "armor_attachments", chance = 10000000},
},
lootChance = 2500000
},
},
weapons = {},
conversationTemplate = "",
attacks = {
}
}
CreatureTemplates:addCreatureTemplate(halloween_skeleton_1, "halloween_skeleton_1")
|
-----------------------------------------
-- ID: 6223
-- Item: Cehuetzi snow cone
-- Food Effect: 30 Min, All Races
-----------------------------------------
-- MP +20% (cap 100)
-- INT +5
-- MND +5
-- Magic Atk. Bonus +13
-- Lizard Killer +5
-----------------------------------------
require("scripts/globals/status")
require("scripts/globals/msg")
-----------------------------------------
function onItemCheck(target)
local result = 0
if (target:hasStatusEffect(tpz.effect.FOOD) or target:hasStatusEffect(tpz.effect.FIELD_SUPPORT_FOOD)) then
result = tpz.msg.basic.IS_FULL
end
return result
end
function onItemUse(target)
target:addStatusEffect(tpz.effect.FOOD,0,0,1800,6223)
end
function onEffectGain(target, effect)
target:addMod(tpz.mod.FOOD_MPP, 20)
target:addMod(tpz.mod.FOOD_MP_CAP, 100)
target:addMod(tpz.mod.INT, 5)
target:addMod(tpz.mod.MND, 5)
target:addMod(tpz.mod.MATT, 13)
target:addMod(tpz.mod.LIZARD_KILLER, 5)
end
function onEffectLose(target, effect)
target:delMod(tpz.mod.FOOD_MPP, 20)
target:delMod(tpz.mod.FOOD_MP_CAP, 100)
target:delMod(tpz.mod.INT, 5)
target:delMod(tpz.mod.MND, 5)
target:delMod(tpz.mod.MATT, 13)
target:delMod(tpz.mod.LIZARD_KILLER, 5)
end
|
--[[
OEML - REST API
This section will provide necessary information about the `CoinAPI OEML REST API` protocol. This API is also available in the Postman application: <a href=\"https://postman.coinapi.io/\" target=\"_blank\">https://postman.coinapi.io/</a>
The version of the OpenAPI document: v1
Contact: support@coinapi.io
Generated by: https://openapi-generator.tech
]]
-- message class
local message = {}
local message_mt = {
__name = "message";
__index = message;
}
local function cast_message(t)
return setmetatable(t, message_mt)
end
local function new_message(type, severity, exchange_id, message)
return cast_message({
["type"] = type;
["severity"] = severity;
["exchange_id"] = exchange_id;
["message"] = message;
})
end
return {
cast = cast_message;
new = new_message;
}
|
local schema_def = require "kong.plugins.kayaman.schema"
local v = require("spec.helpers").validate_plugin_config_schema
-- describe("Plugin: kayaman (schema)", function()
-- it("empty config validates", function()
-- local config = { }
-- local ok, _, err = v(config, schema_def)
-- assert.truthy(ok)
-- assert.is_nil(err)
-- end)
-- end) |
local ucmd = vim.api.nvim_create_user_command
-- NOTE: remove this after 0.7 release
if not ucmd then
vim.cmd([[
command NavigatorLeft lua require'Navigator'.left()
command NavigatorRight lua require'Navigator'.right()
command NavigatorUp lua require'Navigator'.up()
command NavigatorDown lua require'Navigator'.down()
command NavigatorPrevious lua require'Navigator'.previous()
]])
else
local N = require('Navigator')
ucmd('NavigatorLeft', N.left, {})
ucmd('NavigatorRight', N.right, {})
ucmd('NavigatorUp', N.up, {})
ucmd('NavigatorDown', N.down, {})
ucmd('NavigatorPrevious', N.previous, {})
end
|
local declarative_config = require "kong.db.schema.others.declarative_config"
local topological_sort = require "kong.db.schema.topological_sort"
local pl_file = require "pl.file"
local lyaml = require "lyaml"
local cjson = require "cjson.safe"
local tablex = require "pl.tablex"
local deepcopy = tablex.deepcopy
local null = ngx.null
local SHADOW = true
local md5 = ngx.md5
local REMOVE_FIRST_LINE_PATTERN = "^[^\n]+\n(.+)$"
local declarative = {}
local Config = {}
-- Produce an instance of the declarative config schema, tailored for a
-- specific list of plugins (and their configurations and custom
-- entities) from a given Kong config.
-- @tparam table kong_config The Kong configuration table
-- @treturn table A Config schema adjusted for this configuration
function declarative.new_config(kong_config)
local schema, err = declarative_config.load(kong_config.loaded_plugins)
if not schema then
return nil, err
end
local self = {
schema = schema
}
setmetatable(self, { __index = Config })
return self
end
-- This is the friendliest we can do without a YAML parser
-- that preserves line numbers
local function pretty_print_error(err_t, item, indent)
indent = indent or ""
local out = {}
local done = {}
for k, v in pairs(err_t) do
if not done[k] then
local prettykey = (type(k) == "number")
and "- in entry " .. k .. " of '" .. item .. "'"
or "in '" .. k .. "'"
if type(v) == "table" then
table.insert(out, indent .. prettykey .. ":")
table.insert(out, pretty_print_error(v, k, indent .. " "))
else
table.insert(out, indent .. prettykey .. ": " .. v)
end
end
end
return table.concat(out, "\n")
end
function Config:parse_file(filename, accept, old_hash)
if type(filename) ~= "string" then
error("filename must be a string", 2)
end
local contents, err = pl_file.read(filename)
if not contents then
return nil, err
end
return self:parse_string(contents, filename, accept, old_hash)
end
function Config:parse_string(contents, filename, accept, old_hash)
-- we don't care about the strength of the hash
-- because declarative config is only loaded by Kong administrators,
-- not outside actors that could exploit it for collisions
local new_hash = md5(contents)
if old_hash and old_hash == new_hash then
return nil, "configuration is identical", nil, nil, old_hash
end
-- do not accept Lua by default
accept = accept or { yaml = true, json = true }
local dc_table, err
if accept.yaml and ((not filename) or filename:match("ya?ml$")) then
local pok
pok, dc_table, err = pcall(lyaml.load, contents)
if not pok then
err = dc_table
dc_table = nil
end
elseif accept.json and filename:match("json$") then
dc_table, err = cjson.decode(contents)
elseif accept.lua and filename:match("lua$") then
local chunk, pok
chunk, err = loadstring(contents)
if chunk then
setfenv(chunk, {})
pok, dc_table = pcall(chunk)
if not pok then
err = dc_table
dc_table = nil
end
end
else
local accepted = {}
for k, _ in pairs(accept) do
table.insert(accepted, k)
end
table.sort(accepted)
local err = "unknown file extension (" ..
table.concat(accepted, ", ") ..
" " .. (#accepted == 1 and "is" or "are") ..
" supported): " .. filename
return nil, err, { error = err }
end
if dc_table ~= nil and type(dc_table) ~= "table" then
dc_table = nil
err = "expected an object"
end
if type(dc_table) ~= "table" then
err = "failed parsing declarative configuration" ..
(filename and " file " .. filename or "") ..
(err and ": " .. err or "")
return nil, err, { error = err }
end
return self:parse_table(dc_table, new_hash)
end
function Config:parse_table(dc_table, hash)
if type(dc_table) ~= "table" then
error("expected a table as input", 2)
end
local ok, err_t = self.schema:validate(dc_table)
if not ok then
return nil, pretty_print_error(err_t), err_t
end
local entities
entities, err_t = self.schema:flatten(dc_table)
if err_t then
return nil, pretty_print_error(err_t), err_t
end
if not hash then
print(cjson.encode(dc_table))
hash = md5(cjson.encode(dc_table))
end
return entities, nil, nil, dc_table._format_version, hash
end
function declarative.to_yaml_string(entities)
local pok, yaml, err = pcall(lyaml.dump, {entities})
if not pok then
return nil, yaml
end
if not yaml then
return nil, err
end
-- drop the multi-document "---\n" header and "\n..." trailer
return yaml:sub(5, -5)
end
function declarative.to_yaml_file(entities, filename)
local yaml, err = declarative.to_yaml_string(entities)
if not yaml then
return nil, err
end
local fd, err = io.open(filename, "w")
if not fd then
return nil, err
end
local ok, err = fd:write(yaml)
if not ok then
return nil, err
end
fd:close()
return true
end
function declarative.load_into_db(dc_table)
assert(type(dc_table) == "table")
local schemas = {}
for entity_name, _ in pairs(dc_table) do
table.insert(schemas, kong.db[entity_name].schema)
end
local sorted_schemas, err = topological_sort(schemas)
if not sorted_schemas then
return nil, err
end
local schema, primary_key, ok, err, err_t
for i = 1, #sorted_schemas do
schema = sorted_schemas[i]
for _, entity in pairs(dc_table[schema.name]) do
entity = deepcopy(entity)
entity._tags = nil
primary_key = schema:extract_pk_values(entity)
ok, err, err_t = kong.db[schema.name]:upsert(primary_key, entity)
if not ok then
return nil, err, err_t
end
end
end
return true
end
function declarative.export_from_db(fd)
local schemas = {}
for _, dao in pairs(kong.db.daos) do
table.insert(schemas, dao.schema)
end
local sorted_schemas, err = topological_sort(schemas)
if not sorted_schemas then
return nil, err
end
fd:write(declarative.to_yaml_string({
_format_version = "1.1",
}))
for _, schema in ipairs(sorted_schemas) do
if schema.db_export == false then
goto continue
end
local name = schema.name
local fks = {}
for name, field in schema:each_field() do
if field.type == "foreign" then
table.insert(fks, name)
end
end
local first_row = true
for row, err in kong.db[name]:each() do
for _, fname in ipairs(fks) do
if type(row[fname]) == "table" then
local id = row[fname].id
if id ~= nil then
row[fname] = id
end
end
end
local yaml = declarative.to_yaml_string({ [name] = { row } })
if not first_row then
yaml = assert(yaml:match(REMOVE_FIRST_LINE_PATTERN))
end
first_row = false
fd:write(yaml)
end
::continue::
end
return true
end
local function remove_nulls(tbl)
for k,v in pairs(tbl) do
if v == null then
tbl[k] = nil
elseif type(v) == "table" then
tbl[k] = remove_nulls(v)
end
end
return tbl
end
local function nil_fn()
return nil
end
local function post_upstream_crud_delete_events()
local upstreams = kong.cache:get("upstreams|list", nil, nil_fn)
if upstreams then
for _, id in ipairs(upstreams) do
local ok = kong.worker_events.post("crud", "upstreams", {
operation = "delete",
entity = {
id = id,
name = "?", -- only used for error messages
},
})
if not ok then
kong.log.err("failed posting invalidation event for upstream ", id)
end
end
end
end
local function post_crud_create_event(entity_name, item)
local ok = kong.worker_events.post("crud", entity_name, {
operation = "create",
entity = item,
})
if not ok then
kong.log.err("failed posting crud event for ", entity_name, " ", entity_name.id)
end
end
function declarative.get_current_hash()
return ngx.shared.kong:get("declarative_config:hash")
end
function declarative.load_into_cache(entities, hash, shadow_page)
-- Array of strings with this format:
-- "<tag_name>|<entity_name>|<uuid>".
-- For example, a service tagged "admin" would produce
-- "admin|services|<the service uuid>"
local tags = {}
-- Keys: tag name, like "admin"
-- Values: array of encoded tags, similar to the `tags` variable,
-- but filtered for a given tag
local tags_by_name = {}
for entity_name, items in pairs(entities) do
local dao = kong.db[entity_name]
local schema = dao.schema
-- Keys: tag_name, eg "admin"
-- Values: dictionary of uuids associated to this tag,
-- for a specific entity type
-- i.e. "all the services associated to the 'admin' tag"
-- The ids are keys, and the values are `true`
local taggings = {}
local uniques = {}
local page_for = {}
local foreign_fields = {}
for fname, fdata in schema:each_field() do
if fdata.unique then
table.insert(uniques, fname)
end
if fdata.type == "foreign" then
page_for[fdata.reference] = {}
foreign_fields[fname] = fdata.reference
end
end
local ids = {}
for id, item in pairs(items) do
table.insert(ids, id)
local cache_key = dao:cache_key(id)
item = remove_nulls(item)
local ok, err = kong.cache:safe_set(cache_key, item, shadow_page)
if not ok then
return nil, err
end
if schema.cache_key then
local cache_key = dao:cache_key(item)
ok, err = kong.cache:safe_set(cache_key, item, shadow_page)
if not ok then
return nil, err
end
end
for _, unique in ipairs(uniques) do
if item[unique] then
local cache_key = entity_name .. "|" .. unique .. ":" .. item[unique]
ok, err = kong.cache:safe_set(cache_key, item, shadow_page)
if not ok then
return nil, err
end
end
end
for fname, ref in pairs(foreign_fields) do
if item[fname] then
local fschema = kong.db[ref].schema
local fid = declarative_config.pk_string(fschema, item[fname])
page_for[ref][fid] = page_for[ref][fid] or {}
table.insert(page_for[ref][fid], id)
end
end
if item.tags then
for _, tag_name in ipairs(item.tags) do
table.insert(tags, tag_name .. "|" .. entity_name .. "|" .. id)
tags_by_name[tag_name] = tags_by_name[tag_name] or {}
table.insert(tags_by_name[tag_name], tag_name .. "|" .. entity_name .. "|" .. id)
taggings[tag_name] = taggings[tag_name] or {}
taggings[tag_name][id] = true
end
end
end
local ok, err = kong.cache:safe_set(entity_name .. "|list", ids, shadow_page)
if not ok then
return nil, err
end
for ref, fids in pairs(page_for) do
for fid, entries in pairs(fids) do
local key = entity_name .. "|" .. ref .. "|" .. fid .. "|list"
ok, err = kong.cache:safe_set(key, entries, shadow_page)
if not ok then
return nil, err
end
end
end
-- taggings:admin|services|list -> uuids of services tagged "admin"
for tag_name, entity_ids_dict in pairs(taggings) do
local key = "taggings:" .. tag_name .. "|" .. entity_name .. "|list"
-- transform the dict into a sorted array
local arr = {}
local len = 0
for id in pairs(entity_ids_dict) do
len = len + 1
arr[len] = id
end
-- stay consistent with pagination
table.sort(arr)
ok, err = kong.cache:safe_set(key, arr, shadow_page)
if not ok then
return nil, err
end
end
end
for tag_name, tags in pairs(tags_by_name) do
-- tags:admin|list -> all tags tagged "admin", regardless of the entity type
-- each tag is encoded as a string with the format "admin|services|uuid", where uuid is the service uuid
local key = "tags:" .. tag_name .. "|list"
local ok, err = kong.cache:safe_set(key, tags, shadow_page)
if not ok then
return nil, err
end
end
-- tags|list -> all tags, with no distinction of tag name or entity type.
-- each tag is encoded as a string with the format "admin|services|uuid", where uuid is the service uuid
local ok, err = kong.cache:safe_set("tags|list", tags, shadow_page)
if not ok then
return nil, err
end
local ok, err = ngx.shared.kong:safe_set("declarative_config:hash", hash or true)
if not ok then
return nil, "failed to set declarative_config:hash in shm: " .. err
end
return true
end
function declarative.load_into_cache_with_events(entities, hash)
-- ensure any previous update finished (we're flipped to the latest page)
local ok, err = kong.worker_events.poll()
if not ok then
return nil, err
end
post_upstream_crud_delete_events()
ok, err = declarative.load_into_cache(entities, hash, SHADOW)
if ok then
ok, err = kong.worker_events.post("declarative", "flip_config", true)
if ok ~= "done" then
return nil, "failed to flip declarative config cache pages: " .. (err or ok)
end
end
kong.cache:purge(SHADOW)
if not ok then
return nil, err
end
kong.cache:invalidate("router:version")
for _, entity_name in ipairs({"upstreams", "targets"}) do
if entities[entity_name] then
for _, item in pairs(entities[entity_name]) do
post_crud_create_event(entity_name, item)
end
end
end
return true
end
return declarative
|
PLUGIN.name = "Player Scanners Util"
PLUGIN.author = "Chessnut"
PLUGIN.desc = "Adds functions that allow players to control scanners."
local PICTURE_DELAY = 15
if (SERVER) then
util.AddNetworkString("nutScannerData")
function PLUGIN:createScanner(client, class)
class = class or "npc_cscanner"
if (IsValid(client.nutScn)) then
return
end
local entity = ents.Create(class)
if (!IsValid(entity)) then
return
end
entity:SetPos(client:GetPos())
entity:SetAngles(client:GetAngles())
entity:SetColor(client:GetColor())
entity:Spawn()
entity:Activate()
entity.player = client
entity:setNetVar("player", client) -- Draw the player info when looking at the scanner.
entity:CallOnRemove("nutRestore", function()
if (IsValid(client)) then
local position = entity.spawn or client:GetPos()
client:UnSpectate()
client:SetViewEntity(NULL)
if (entity:Health() > 0) then
client:Spawn()
else
client:KillSilent()
end
timer.Simple(0, function()
client:SetPos(position)
end)
end
end)
local name = "nutScn"..os.clock()
entity.name = name
local target = ents.Create("path_track")
target:SetPos(entity:GetPos())
target:Spawn()
target:SetName(name)
entity:Fire("setfollowtarget", name)
entity:Fire("inputshouldinspect", false)
entity:Fire("setdistanceoverride", "48")
entity:SetKeyValue("spawnflags", 8208)
client.nutScn = entity
client:StripWeapons()
client:Spectate(OBS_MODE_CHASE)
client:SpectateEntity(entity)
local uniqueID = "nut_Scanner"..client:UniqueID()
timer.Create(uniqueID, 0.33, 0, function()
if (!IsValid(client) or !IsValid(entity)) then
if (IsValid(entity)) then
entity:Remove()
end
return timer.Remove(uniqueID)
end
local factor = 128
if (client:KeyDown(IN_SPEED)) then
factor = 64
end
if (client:KeyDown(IN_FORWARD)) then
target:SetPos((entity:GetPos() + client:GetAimVector()*factor) - Vector(0, 0, 64))
entity:Fire("setfollowtarget", name)
elseif (client:KeyDown(IN_BACK)) then
target:SetPos((entity:GetPos() + client:GetAimVector()*-factor) - Vector(0, 0, 64))
entity:Fire("setfollowtarget", name)
elseif (client:KeyDown(IN_JUMP)) then
target:SetPos(entity:GetPos() + Vector(0, 0, factor))
entity:Fire("setfollowtarget", name)
elseif (client:KeyDown(IN_DUCK)) then
target:SetPos(entity:GetPos() - Vector(0, 0, factor))
entity:Fire("setfollowtarget", name)
end
client:SetPos(entity:GetPos())
end)
return entity
end
function PLUGIN:PlayerSpawn(client)
if (IsValid(client.nutScn)) then
client.nutScn.spawn = client:GetPos()
client.nutScn:Remove()
end
end
function PLUGIN:PlayerDeath(client)
if (IsValid(client.nutScn)) then
client.nutScn:TakeDamage(999)
end
end
local SCANNER_SOUNDS = {
"npc/scanner/scanner_blip1.wav",
"npc/scanner/scanner_scan1.wav",
"npc/scanner/scanner_scan2.wav",
"npc/scanner/scanner_scan4.wav",
"npc/scanner/scanner_scan5.wav",
"npc/scanner/combat_scan1.wav",
"npc/scanner/combat_scan2.wav",
"npc/scanner/combat_scan3.wav",
"npc/scanner/combat_scan4.wav",
"npc/scanner/combat_scan5.wav",
"npc/scanner/cbot_servoscared.wav",
"npc/scanner/cbot_servochatter.wav"
}
function PLUGIN:KeyPress(client, key)
if (IsValid(client.nutScn) and (client.nutScnDelay or 0) < CurTime()) then
local source
if (key == IN_USE) then
source = table.Random(SCANNER_SOUNDS)
client.nutScnDelay = CurTime() + 1.75
elseif (key == IN_RELOAD) then
source = "npc/scanner/scanner_talk"..math.random(1, 2)..".wav"
client.nutScnDelay = CurTime() + 10
elseif (key == IN_WALK) then
if (client:GetViewEntity() == client.nutScn) then
client:SetViewEntity(NULL)
else
client:SetViewEntity(client.nutScn)
end
end
if (source) then
client.nutScn:EmitSound(source)
end
end
end
function PLUGIN:PlayerNoClip(client)
if (IsValid(client.nutScn)) then
return false
end
end
function PLUGIN:PlayerUse(client, entity)
if (IsValid(client.nutScn)) then
return false
end
end
function PLUGIN:CanPlayerReceiveScan(client, photographer)
return client.isCombine and client:isCombine()
end
net.Receive("nutScannerData", function(length, client)
if (IsValid(client.nutScn) and client:GetViewEntity() == client.nutScn and (client.nutNextPic or 0) < CurTime()) then
client.nutNextPic = CurTime() + (PICTURE_DELAY - 1)
client:GetViewEntity():EmitSound("npc/scanner/scanner_photo1.wav", 140)
client:EmitSound("npc/scanner/combat_scan5.wav")
local length = net.ReadUInt(16)
local data = net.ReadData(length)
if (length != #data) then
return
end
local receivers = {}
for k, v in ipairs(player.GetAll()) do
if (hook.Run("CanPlayerReceiveScan", v, client)) then
receivers[#receivers + 1] = v
v:EmitSound("npc/overwatch/radiovoice/preparevisualdownload.wav")
end
end
if (#receivers > 0) then
net.Start("nutScannerData")
net.WriteUInt(#data, 16)
net.WriteData(data, #data)
net.Send(receivers)
if (SCHEMA.addDisplay) then
SCHEMA:addDisplay("Prepare to receive visual download...")
end
end
end
end)
else
surface.CreateFont("nutScannerFont", {
font = "Lucida Sans Typewriter",
antialias = false,
outline = true,
weight = 800,
size = 18
})
local PICTURE_WIDTH, PICTURE_HEIGHT = 580, 420
local PICTURE_WIDTH2, PICTURE_HEIGHT2 = PICTURE_WIDTH * 0.5, PICTURE_HEIGHT * 0.5
local view = {}
local zoom = 0
local deltaZoom = zoom
local nextClick = 0
function PLUGIN:CalcView(client, origin, angles, fov)
local entity = client:GetViewEntity()
if (IsValid(entity) and entity:GetClass():find("scanner")) then
view.angles = client:GetAimVector():Angle()
view.fov = fov - deltaZoom
if (math.abs(deltaZoom - zoom) > 5 and nextClick < RealTime()) then
nextClick = RealTime() + 0.05
client:EmitSound("common/talk.wav", 100, 180)
end
return view
end
end
function PLUGIN:InputMouseApply(command, x, y, angle)
zoom = math.Clamp(zoom + command:GetMouseWheel()*1.5, 0, 40)
deltaZoom = Lerp(FrameTime() * 2, deltaZoom, zoom)
end
local hidden = false
function PLUGIN:PreDrawOpaqueRenderables()
local viewEntity = LocalPlayer():GetViewEntity()
if (IsValid(self.lastViewEntity) and self.lastViewEntity != viewEntity) then
self.lastViewEntity:SetNoDraw(false)
self.lastViewEntity = nil
hidden = false
end
if (IsValid(viewEntity) and viewEntity:GetClass():find("scanner")) then
viewEntity:SetNoDraw(true)
self.lastViewEntity = viewEntity
hidden = true
end
end
function PLUGIN:ShouldDrawCrosshair()
if (hidden) then
return false
end
end
function PLUGIN:AdjustMouseSensitivity()
if (hidden) then
return 0.3
end
end
local data = {}
function PLUGIN:HUDPaint()
if (hidden) then
local scrW, scrH = surface.ScreenWidth() * 0.5, surface.ScreenHeight() * 0.5
local x, y = scrW - PICTURE_WIDTH2, scrH - PICTURE_HEIGHT2
if (self.lastPic and self.lastPic >= CurTime()) then
local percent = math.Round(math.TimeFraction(self.lastPic - PICTURE_DELAY, self.lastPic, CurTime()), 2) * 100
local glow = math.sin(RealTime() * 15)*25
draw.SimpleText("RE-CHARGING: "..percent.."%", "nutScannerFont", x, y - 24, Color(255 + glow, 100 + glow, 25, 250))
end
local position = LocalPlayer():GetPos()
local angle = LocalPlayer():GetAimVector():Angle()
draw.SimpleText("POS ("..math.floor(position[1])..", "..math.floor(position[2])..", "..math.floor(position[3])..")", "nutScannerFont", x + 8, y + 8, color_white)
draw.SimpleText("ANG ("..math.floor(angle[1])..", "..math.floor(angle[2])..", "..math.floor(angle[3])..")", "nutScannerFont", x + 8, y + 24, color_white)
draw.SimpleText("ID ("..LocalPlayer():Name()..")", "nutScannerFont", x + 8, y + 40, color_white)
draw.SimpleText("ZM ("..(math.Round(zoom / 40, 2) * 100).."%)", "nutScannerFont", x + 8, y + 56, color_white)
if (IsValid(self.lastViewEntity)) then
data.start = self.lastViewEntity:GetPos()
data.endpos = data.start + LocalPlayer():GetAimVector() * 500
data.filter = self.lastViewEntity
local entity = util.TraceLine(data).Entity
if (IsValid(entity) and entity:IsPlayer()) then
entity = entity:Name()
else
entity = "NULL"
end
draw.SimpleText("TRG ("..entity..")", "nutScannerFont", x + 8, y + 72, color_white)
end
surface.SetDrawColor(235, 235, 235, 230)
surface.DrawLine(0, scrH, x - 128, scrH)
surface.DrawLine(scrW + PICTURE_WIDTH2 + 128, scrH, ScrW(), scrH)
surface.DrawLine(scrW, 0, scrW, y - 128)
surface.DrawLine(scrW, scrH + PICTURE_HEIGHT2 + 128, scrW, ScrH())
surface.DrawLine(x, y, x + 128, y)
surface.DrawLine(x, y, x, y + 128)
x = scrW + PICTURE_WIDTH2
surface.DrawLine(x, y, x - 128, y)
surface.DrawLine(x, y, x, y + 128)
x = scrW - PICTURE_WIDTH2
y = scrH + PICTURE_HEIGHT2
surface.DrawLine(x, y, x + 128, y)
surface.DrawLine(x, y, x, y - 128)
x = scrW + PICTURE_WIDTH2
surface.DrawLine(x, y, x - 128, y)
surface.DrawLine(x, y, x, y - 128)
surface.DrawLine(scrW - 48, scrH, scrW - 8, scrH)
surface.DrawLine(scrW + 48, scrH, scrW + 8, scrH)
surface.DrawLine(scrW, scrH - 48, scrW, scrH - 8)
surface.DrawLine(scrW, scrH + 48, scrW, scrH + 8)
end
end
function PLUGIN:takePicture()
if ((self.lastPic or 0) < CurTime()) then
self.lastPic = CurTime() + PICTURE_DELAY
local flash = DynamicLight(0)
if (flash) then
flash.pos = self.lastViewEntity:GetPos()
flash.r = 255
flash.g = 255
flash.b = 255
flash.brightness = 0.2
flash.Decay = 5000
flash.Size = 3000
flash.DieTime = CurTime() + 0.3
timer.Simple(0.05, function()
local data = util.Compress(render.Capture({
format = "jpeg",
h = PICTURE_HEIGHT,
w = PICTURE_WIDTH,
quality = 35,
x = ScrW()*0.5 - PICTURE_WIDTH2,
y = ScrH()*0.5 - PICTURE_HEIGHT2
}))
net.Start("nutScannerData")
net.WriteUInt(#data, 16)
net.WriteData(data, #data)
net.SendToServer()
end)
end
end
end
local blackAndWhite = {
["$pp_colour_addr"] = 0,
["$pp_colour_addg"] = 0,
["$pp_colour_addb"] = 0,
["$pp_colour_brightness"] = 0,
["$pp_colour_contrast"] = 1.5,
["$pp_colour_colour"] = 0,
["$pp_colour_mulr"] = 0,
["$pp_colour_mulg"] = 0,
["$pp_colour_mulb"] = 0
}
function PLUGIN:RenderScreenspaceEffects()
if (hidden) then
blackAndWhite["$pp_colour_brightness"] = 0.05 + math.sin(RealTime() * 10)*0.01
DrawColorModify(blackAndWhite)
end
end
function PLUGIN:PlayerBindPress(client, bind, pressed)
if (bind:lower():find("attack") and pressed and hidden and IsValid(self.lastViewEntity)) then
self:takePicture()
end
end
PHOTO_CACHE = PHOTO_CACHE or {}
net.Receive("nutScannerData", function()
local data = net.ReadData(net.ReadUInt(16))
data = util.Base64Encode(util.Decompress(data))
if (data) then
if (IsValid(CURRENT_PHOTO)) then
local panel = CURRENT_PHOTO
CURRENT_PHOTO:AlphaTo(0, 0.25, 0, function()
if (IsValid(panel)) then
panel:Remove()
end
end)
end
local html = Format([[
<html>
<body style="background: black; overflow: hidden; margin: 0; padding: 0;">
<img src="data:image/jpeg;base64,%s" width="%s" height="%s" />
</body>
</html>
]], data, PICTURE_WIDTH, PICTURE_HEIGHT)
local panel = vgui.Create("DPanel")
panel:SetSize(PICTURE_WIDTH + 8, PICTURE_HEIGHT + 8)
panel:SetPos(ScrW(), 8)
panel:SetDrawBackground(true)
panel:SetAlpha(150)
panel.body = panel:Add("DHTML")
panel.body:Dock(FILL)
panel.body:DockMargin(4, 4, 4, 4)
panel.body:SetHTML(html)
panel:MoveTo(ScrW() - (panel:GetWide() + 8), 8, 0.5)
timer.Simple(15, function()
if (IsValid(panel)) then
panel:MoveTo(ScrW(), 8, 0.5, 0, -1, function()
panel:Remove()
end)
end
end)
PHOTO_CACHE[#PHOTO_CACHE + 1] = {data = html, time = os.time()}
CURRENT_PHOTO = panel
end
end)
concommand.Add("nut_photocache", function()
local frame = vgui.Create("DFrame")
frame:SetTitle("Photo Cache")
frame:SetSize(480, 360)
frame:MakePopup()
frame:Center()
frame.list = frame:Add("DScrollPanel")
frame.list:Dock(FILL)
frame.list:SetDrawBackground(true)
for k, v in ipairs(PHOTO_CACHE) do
local button = frame.list:Add("DButton")
button:SetTall(28)
button:Dock(TOP)
button:DockMargin(4, 4, 4, 0)
button:SetText(os.date("%X - %d/%m/%Y", v.time))
button.DoClick = function()
local frame2 = vgui.Create("DFrame")
frame2:SetSize(PICTURE_WIDTH + 8, PICTURE_HEIGHT + 8)
frame2:SetTitle(button:GetText())
frame2:MakePopup()
frame2:Center()
frame2.body = frame2:Add("DHTML")
frame2.body:SetHTML(v.data)
frame2.body:Dock(FILL)
frame2.body:DockMargin(4, 4, 4, 4)
end
end
end)
end
|
ITEM.name = "Ring"
ITEM.description = "A dual-ring formation"
ITEM.longdesc = "A very small artifact of found rarely from clusters of electrical anomalies. The outer ring has a high-conductivity and absorbs electrical current from nearby sources, quickly grounding it in the inner ring. This causes the inner ring to spin, more energy causes a faster cycle. It's been noted that the ring is flammable and prolonged or enhanced exposure to eletricity may cause it to ignite. [ +4 SHOCK, +2 STAM | +4 RAD ]"
ITEM.category = "Artifacts"
ITEM.model = "models/artefacts/medalion.mdl"
ITEM.width = 1
ITEM.height = 1
ITEM.weight = 0.7
ITEM.debuff = "rads"
ITEM.debuffval = 4
ITEM.isArtefact = true
ITEM.price = 29000
ITEM.res = {
["Fall"] = 0.00,
["Blast"] = 0.00,
["Bullet"] = 0.00,
["Shock"] = 0.04,
["Burn"] = 0.00,
["Radiation"] = 0.00,
["Chemical"] = 0.00,
["Psi"] = 0.02,
}
ITEM.flag = "A" |
require "resources/mysql-async/lib/MySQL"
function updateHair(player, e, v, t, y)
local hair = e
local hairsec = v
local haircolor = t
local haircolorsec = y
MySQL.Async.execute("UPDATE outfits SET `hair`=@hair WHERE identifier=@user",{['@hair'] = hair, ['@user'] = player})
MySQL.Async.execute("UPDATE outfits SET `hair_text`=@hairsec WHERE identifier=@user",{['@hairsec'] = hairsec, ['@user'] = player})
MySQL.Async.execute("UPDATE outfits SET `haircolor`=@haircolor WHERE identifier=@user",{['@haircolor'] = haircolor, ['@user'] = player})
MySQL.Async.execute("UPDATE outfits SET `haircolor_text`=@haircolorsec WHERE identifier=@user",{['@haircolorsec'] = haircolorsec, ['@user'] = player})
end
RegisterServerEvent('vmenu:getHair')
AddEventHandler('vmenu:getHair', function(hair, hairsec, haircolor, haircolorsec)
TriggerEvent('es:getPlayerFromId', source, function(user)
if (user) then
local player = user.identifier
updateHair(player, hair, hairsec, haircolor, haircolorsec)
else
TriggerEvent("es:desyncMsg")
end
end)
end)
function updateFace(player, e, v, t)
local sexe = "mp_m_freemode_01"
if e == 0 then
sexe = "mp_m_freemode_01"
else
sexe = "mp_f_freemode_01"
end
local face = v
local face_text = t
MySQL.Async.execute("UPDATE outfits SET `skin`=@skin WHERE identifier=@user",{['@skin'] = sexe, ['@user'] = player})
MySQL.Async.execute("UPDATE outfits SET `face`=@face WHERE identifier=@user",{['@face'] = face, ['@user'] = player})
MySQL.Async.execute("UPDATE outfits SET `face_text`=@face_text WHERE identifier=@user",{['@face_text'] = face_text, ['@user'] = player})
end
RegisterServerEvent('vmenu:getFace')
AddEventHandler('vmenu:getFace', function(e, v, t)
TriggerEvent('es:getPlayerFromId', source, function(user)
if (user) then
local player = user.identifier
updateFace(player, e, v, t)
else
TriggerEvent("es:desyncMsg")
end
end)
end)
function updateOutfit(player, e)
-- face 0, hair 2, three 3, pants 4, parachute 5, shoes 6, par dessus torso 8, armure 9, badges 10 (8-0,1,2,3 Police badges), torso 11, shirt 8,
-- Format pour comprendre le contenu de la table
local three = ""..e[1]
local ttext = ""..e[2]
local pants = ""..e[3]
local ptext = e[4]
local shoes = e[5]
local shtext = e[6]
local seven = e[7]
local stext = e[8]
local shirt = e[9]
local shitext = e[10]
local torso = e[11]
local totext = e[12]
MySQL.Async.execute("UPDATE outfits SET `three`=@three,`three_text`=@ttext,`pants`=@pants,`pants_text`=@ptext,`shoes`=@shoes,`shoes_text`=@shtext,`seven`=@seven,`seven_text`=@stext,`shirt`=@shirt,`shirt_text`=@shitext,`torso`=@torso,`torso_text`=@totext WHERE identifier=@user",{['@ttext'] = ttext, ['@three'] = three, ['@pants'] = pants, ['@ptext'] = ptext,['@shoes'] = shoes, ['@shtext'] = shtext,['@seven'] = seven, ['@stext'] = stext,['@shirt'] = shirt, ['@shitext'] = shitext, ['@torso'] = torso, ['@totext'] = totext, ['@user'] = player})
end
RegisterServerEvent('vmenu:getOutfit')
AddEventHandler('vmenu:getOutfit', function(e)
TriggerEvent('es:getPlayerFromId', source, function(user)
if (user) then
local player = user.identifier
updateOutfit(player, e)
else
TriggerEvent("es:desyncMsg")
end
end)
end)
---- RELOCALISER
-- RÉCUPÉRATION DES COMP DU PED DANS LA BDD
RegisterServerEvent('vmenu:lastChar')
AddEventHandler('vmenu:lastChar', function()
TriggerEvent('es:getPlayerFromId', source, function(user)
if (user) then
local player = user.identifier
MySQL.Async.fetchAll("SELECT skin,face,face_text,hair,hair_text,pants,pants_text,shoes,shoes_text,torso,torso_text,shirt,shirt_text,three,three_text,seven,seven_text,haircolor,haircolor_text FROM outfits WHERE identifier=@user",{
['@user']=player
}, function (result)
TriggerClientEvent("vmenu:updateChar",source,{result[1].face,result[1].face_text,result[1].hair,result[1].hair_text,result[1].pants,result[1].pants_text,result[1].shoes,result[1].shoes_text,result[1].torso,result[1].torso_text,result[1].shirt,result[1].shirt_text,result[1].three,result[1].three_text,result[1].seven,result[1].seven_text,result[1].haircolor,result[1].haircolor_text,result[1].skin})
end)
else
TriggerEvent("es:desyncMsg")
end
end)
end)
RegisterServerEvent('vmenu:lastCharInShop')
AddEventHandler('vmenu:lastCharInShop', function(model)
TriggerEvent('es:getPlayerFromId', source, function(user)
if (user) then
local player = user.identifier
MySQL.Async.fetchAll("SELECT skin,face,face_text,hair,hair_text,pants,pants_text,shoes,shoes_text,torso,torso_text,shirt,shirt_text,three,three_text,seven,seven_text,haircolor,haircolor_text FROM outfits WHERE identifier=@user",{['@user']=player}, function (result)
TriggerClientEvent("vmenu:updateCharInShop",source,{result[1].face,result[1].face_text,result[1].hair,result[1].hair_text,result[1].pants,result[1].pants_text,result[1].shoes,result[1].shoes_text,result[1].torso,result[1].torso_text,result[1].shirt,result[1].shirt_text,result[1].three,result[1].three_text,result[1].seven,result[1].seven_text,result[1].haircolor,result[1].haircolor_text,model})
end)
else
TriggerEvent("es:desyncMsg")
end
end)
end)
-- APPELÉ DU SERVEUR, BESOIN D'UN PARAMÈTRE
RegisterServerEvent('vmenu:fromSlastChar')
AddEventHandler('vmenu:fromSlastChar', function(source)
TriggerEvent('es:getPlayerFromId', source, function(user)
if (user) then
local player = user.identifier
MySQL.Async.fetchAll("SELECT skin,face,face_text,hair,hair_text,pants,pants_text,shoes,shoes_text,torso,torso_text,shirt,shirt_text,three,three_text,seven,seven_text,haircolor,haircolor_text FROM outfits WHERE identifier=@user",{['@user']=player}, function(result)
TriggerClientEvent("vmenu:updateChar",source,{result[1].face,result[1].face_text,result[1].hair,result[1].hair_text,result[1].pants,result[1].pants_text,result[1].shoes,result[1].shoes_text,result[1].torso,result[1].torso_text,result[1].shirt,result[1].shirt_text,result[1].three,result[1].three_text,result[1].seven,result[1].seven_text,result[1].haircolor,result[1].haircolor_text,result[1].skin})
end)
else
TriggerEvent("es:desyncMsg")
end
end)
end)
|
require "sepia.luapage"
require "sss"
module(..., package.seeall)
_AUTHOR = "Rodrigo Cacilhas <batalema@cacilhas.info>"
_COPYRIGHT = "GNU/GPL 2011-2012 (c) " .. _AUTHOR
_DESCRIPTION = "HTTP support for Sepia latimanus"
_NAME = "Sepia HTTP"
_PACKAGE = "sepia.http"
http404 = [[<?xml version="1.0"?>
<!DOCTYPE html
PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd">
<html>
<head>
<title>400 Not Found</title>
</head>
<body>
<h1>Not Found</h1>
</body>
</html>
]]
http500 = [[<?xml version="1.0"?>
<!DOCTYPE html
PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd">
<html>
<head>
<title>500 Internal Server Error</title>
</head>
<body>
<h1>Internal Server Error</h1>
</body>
</html>
]]
indices = {
"index.lp", "index.lc", "index.lua", "index.htm", "index.html"
}
------------------------------------------------------------------------
-- Funções locais --
------------------------------------------------------------------------
local function seterror(response, status, page, err)
sepia.log.debug("going out with status " .. status)
if err then
sepia.log.error(err)
end
response.status = status
response.header = {
["Content-Type"] = "text/html",
["Content-Length"] = page:len(),
}
response.data = { page }
end
local anything2printable
anything2printable = function (e)
if type(e) == "nil" then
return ""
elseif type(e) == "string" or type(e) == "number" then
return e
elseif type(e) == "table" then
local resp = ""
table.foreachi(e, function (i, e_)
resp = resp .. anything2printable(e_)
end)
return resp
elseif type(e) == "function" then
return anything2printable(e())
elseif type(e) == "thread" then
local resp = ""
local k, v = coroutine.resume(e)
while k do
if type(v) ~= "nil" then
resp = resp .. anything2printable(e)
end
k, v = coroutine.resume(e)
end
return resp
else
return tostring(e)
end
end
local function CookiesRFC2109(skt, name, data)
local header = "Set-Cookie: "
.. name .. "=" .. data.value:urlize()
-- Comment
if data.Comment then
header = header .. "; Comment=" .. data.Comment
end
-- Domain
if data.Domain then
header = header .. "; Domain=" .. data.Domain
end
-- Max-Age (default: 5 minutos)
if not data["Max-Age"] then data["Max-Age"] = 300 end
header = header .. "; Max-Age=" .. data["Max-Age"]
-- Path
if data.Path then
header = header .. "; Path=" .. data.Path
end
-- Secure
if data.Secure then
header = header .. "; Secure"
end
-- Version (default: 1)
if not data.Version then data.Version = 1 end
header = header .. "; Version=" .. data.Version
skt:sendln(header)
end
local function CookiesRFC2965(skt, name, data)
local header = "Set-Cookie2: "
.. name .. "=" .. data.value:urlize()
-- Comment
if data.Comment then
header = header .. "; Comment=" .. data.Comment
end
-- CommentURL
if data.CommentURL then
header = header
.. '; CommentURL="' .. data.CommentURL .. '"'
end
-- Discard
if data.Discard then
header = header .. "; Discard"
end
-- Domain
if data.Domain then
header = header .. "; Domain=" .. data.Domain
end
-- Max-Age (default: 5 minutos)
if not data["Max-Age"] then data["Max-Age"] = 300 end
header = header .. "; Max-Age=" .. data["Max-Age"]
-- Path
if data.Path then
header = header .. "; Path=" .. data.Path
end
-- Port
if data.Port and #(data.Port) > 0 then
header = header
.. "; Port=" .. (","):join(data.Port)
end
-- Secure
if data.Secure then
header = header .. "; Secure"
end
-- Version (default: 1)
if not data.Version then data.Version = 1 end
header = header .. "; Version=" .. data.Version
skt:sendln(header)
end
local function sendCookies(self, skt, client)
client = client or ""
table.foreach(self.raw, function (name, data) if data then
data.value = tostring(anything2printable(data.value))
if data.value:len() > 0 then
if client:match "Mozilla" then
-- Gecko implementa RFC 2109
CookiesRFC2109(skt, name, data)
else
-- RFC 2965
CookiesRFC2965(skt, name, data)
end
end
end end)
end
-- Envia resposta
local function sendResponse(self)
-- Envia cabeçalho
self.skt:sendln("HTTP/1.1 " .. self.status)
-- Envia headers
table.foreach(self.header, function (k, v)
if type(v) == "table" then
table.foreach(v, function (i, e)
self.skt:sendln(k:capwords() .. ": " .. anything2printable(e))
end)
else
self.skt:sendln(k:capwords() .. ": " .. anything2printable(v))
end
end)
-- Envia cookies
--if not self.header["Cache-Control"] then
-- self.skt:send('Cache-Control: no-cache="set-cookie2"')
--end
sendCookies(self.cookie, self.skt, self.client)
self.skt:sendln ""
if self.method ~= "HEAD" then
-- Envia dados
table.foreachi(self.data, function (i, e)
if type(e) == "nil" then
-- nil não envia nada
sepia.log.debug("nil to send: nothing to do")
elseif type(e) == "thread" then
-- anything2printable não trata corrotinas corretamente ao
-- enviar conteúdo
local k, v = coroutine.resume(e)
while k do
if type(v) ~= "nil" then
self.skt:send(anything2printable(v))
end
k, v = coroutine.resume(e)
end
else
-- Em outros casos, anything2printable atende bem
self.skt:send(anything2printable(e))
end
end)
end
end
-- Trata cookies
local function processCookies(request)
-- Cookies na requisição
local cookies = {}
local raw = request.header["Cookie"]
if raw then
if type(raw) ~= "table" then raw = { raw } end
table.foreachi(raw, function (i, e) if type(e) == "string" then
local data, name
local cookie = {}
for data in e:gmatch "([^;]+)" do
table.foreach(data:deurlize(), function (key, value)
key = key:trim()
value = value:trim()
if key:match "^%$" then
cookie[key:sub(2)] = value
else
name = key
cookie.value = value
end
end)
end
if name then cookies[name] = cookie end
end end)
end
request.cookie = cookies
-- Cookies na resposta
local resp = { raw = {} }
function resp:delete(name)
if self ~= resp then error "use: cookie:delete(name)" end
self.raw[name] = nil
end
function resp:get(name)
if self ~= resp then error "use: cookie:get(name)" end
if self.raw[name] then
return self.raw[name].value
else
return nil
end
end
function resp:set(name, value)
if self ~= resp then error "use: cookie:set(name, value)" end
if self.raw[name] then
self.raw[name].value = value
else
self.raw[name] = { value = value }
end
end
function resp:maxAge(name, value) if self.raw[name] then
if value then
self.raw[name]["Max-Age"] = value
end
return self.raw[name]["Max-Age"]
end end
function resp:comment(name, value) if self.raw[name] then
if value then
self.raw[name].Comment = value
end
return self.raw[name].Comment
end end
function resp:commentURL(name, value) if self.raw[name] then
if value then
self.raw[name].CommentURL = value
end
return self.raw[name].CommentURL
end end
function resp:discard(name, value) if self.raw[name] then
if value then
self.raw[name].Discard = value
end
return self.raw[name].Discard or false
end end
function resp:domain(name, value) if self.raw[name] then
if value then
self.raw[name].Domain = value
end
return self.raw[name].Domain
end end
function resp:path(name, value) if self.raw[name] then
if value then
self.raw[name].Path = value
end
return self.raw[name].Path
end end
function resp:port(name, value) if self.raw[name] then
if value then
value = 0 + value
if type(self.raw[name].Port) == "table" then
table.insert(self.raw[name].Port, value)
else
self.raw[name].Port = { value }
end
end
return self.raw[name].Port
end end
function resp:secure(name, value) if self.raw[name] then
if value then
self.raw[name].Secure = value
end
return self.raw[name].Secure or false
end end
function resp:version(name, value) if self.raw[name] then
if value then
self.raw[name].Version = value
end
return self.raw[name].Version
end end
-- Carrega cookies recebidos para reenvio
table.foreach(cookies, function (k, v) resp:set(k, v) end)
return resp
end
-- Trata POST
local function processPost(request)
local length = request.header["Content-Length"]
if length then
xpcall(
function () length = 0 + length end,
function (err) length = nil end
)
end
if length == 0 then return end
if request.header["Content-Type"]:match "^application/x%-www%-form%-urlencoded" then
-- application/x-www-form-urlencoded
local data
if length then
data = request.skt:rawrecv(length)
else
data = request.skt:receive()
end
if data then
request[request.method] = data:deurlize()
else
request[request.method] = {}
end
elseif request.header["Content-Type"]:match "^multipart/form%-data" then
-- multipart/form-data
local boundary = request.header["Content-Type"]:match "boundary=(.+)"
if not boundary then return end
request[request.method] = {
next = function ()
local line = request.skt:receive()
while (line and not line:match("^--" .. boundary .. "$")) do
line = request.skt:receive()
end
if not line then return end
line = request.skt:receive()
local name = line:match 'name="(.+)"'
local filename = line:match 'filename="(.+)"'
local header = {}
local line = skt:receive()
while (line and line:len() > 0) do
local key, value = line:match "^(.-):(.+)$"
if key then
header[key:trim()] = value and value:trim()
end
line = skt:receive()
end
local resp = {
name = name,
header = header,
}
if filename then
local closed = false
resp.filename = filename
resp.readline = function ()
if not closed then
local line_ = skt:receive()
if line_:match("^--" .. boundary .. "--") then
closed = true
else
return line_
end
end
return nil
end
else
resp.value = skt:receive()
end
return resp
end,
}
else
-- Outros tipos
request[request.method] = {
readline = function ()
return request.skt:receive()
end,
}
end
end
-- Trata TRACE
local function processTrace(request, response)
table.foreach(request.header, function (k, v)
response.header[k] = v
end)
local length = request.header["Content-Length"]
xpcall(
function ()
length = 0 + length
if length > 0 then
response.write(request.skt:recv(length))
end
end,
function (err) length = 0 end
)
end
-- Trata OPTIONS
local function processOptions(response)
response.header["Content-Length"] = 0
response.header["Content-Type"] = "text/plain"
response.header["Compliance"] = {
"rfc=2616;uncond",
"rfc=2109, hdr=SetCookie",
"rfc=2965, hdr=SetCookie-2",
}
end
------------------------------------------------------------------------
-- Funções de módulo --
------------------------------------------------------------------------
-- Funções pré-preparadas
prepared = {}
function process(skt)
-- Processa o socket e retorna os objetos request e response
local request = {}
local commandline = skt:receive()
if not commandline or commandline:len() == 0 then
return nil, "no command line received"
end
local method, command, version = commandline:match "^(.-) (.-) ([^%s]+)"
if not method then
return nil, "command line does not match a HTTP format"
end
request.method = method
request.command = command
request.version = version:match "HTTP/(.+)"
request.header = {}
local line = skt:receive()
while (line and line:len() > 0) do
local key, value = line:match "^(.-):(.+)$"
if key and value then
key = key:trim():capwords()
value = value:trim()
if type(request.header[key]) == "table" then
table.insert(request.header[key], value)
elseif type(request.header[key]) == "nil" then
request.header[key] = value
else
request.header[key] = { request.header[key], value }
end
end
line = skt:receive()
end
-- Keep alive
pcall(function () skt:timeout(0 + request.header["Keep-Alive"]) end)
-- Socket para POST
request.skt = skt
local uri, data = command:match "^(.-)?(.+)$"
if data then
request.uri, request.GET = uri, data:deurlize()
else
request.uri, request.GET = command, {}
end
-- Amba as chaves uri e url referenciam a URI utilizada, mas uri
-- armazena a string a ser usada para orientação da aplicação
-- enquanto url mantém a URI original
request.url = request.uri
-- Obtém cookies
xpcall(
function () cookies = processCookies(request) end,
function (err) cookies = {} end
)
-- Obtém dados de POST/PUT se conveniente (útil quando não é REST)
if request.method == "POST" or request.method == "PUT" then
pcall(processPost, request)
end
local response = {
request = request,
cookie = cookies,
data = {},
header = {
["Content-Type"] = "text/html",
},
skt = skt,
status = 200,
write = function (self, data)
table.insert(self.data, data)
end,
}
return request, response
end
function prepare(generator, ...)
-- Transforma uma aplicação HTTP, que recebe request e response, em
-- uma aplicação Sepia, que recebe socket e endereço
local args = { ... }
return function (skt, addr)
local keep_alive = true
while keep_alive do
keep_alive = false
local request, response = process(skt)
local method, client
if type(request) == "table" then
if request.header["Connection"] and
request.header["Connection"]:lower() == "keep-alive"
then
keep_alive = true
local tmout = skt:timeout()
if tmout == 0 then skt:timeout(300) end
end
request.remote = addr
method = request.method
client = request.header["User-Agent"]
if method == "OPTIONS" and request.command == "*" then
processOptions(response)
elseif method == "TRACE" then
processTrace(request, response)
else
local f, err = generator(unpack(args))
if f then
xpcall(
function () f(request, response) end,
function (err) seterror(response, 500, http500, err) end
)
else
seterror(response, 500, http500, err)
end
if not response.header.Date then
response.header.Date = os.date "%a, %d %b %Y %H:%M:%S %Z"
end
if not response.header["Content-Length"] then
local all_string = true
local length = 0
table.foreachi(response.data, function (i, e)
if type(e) == "string" then
length = length + e:len()
else
all_string = false
end
end)
if all_string then
response.header["Content-Length"] = length
end
end
end
if not response.header.Server then
response.header.Server = "Sepia-HTTP"
end
end
if type(response) == "table" then
response.method = method
response.client = client
sendResponse(response)
end
end
end
end
function httpapp(application)
-- Retorna uma aplicação HTTP, capaz de receber os objetos request e
-- response
return function (request, response)
xpcall(
function ()
application(request, response)
response.header["Content-Type"] =
response.header["Content-Type"] or "text/html"
end,
function (err) seterror(response, 500, http500, resp) end
)
end
end
function mediaroot(root)
-- Retorna uma aplicação HTTP que lida com uma raiz de diretório
-- contendo mídias diversas
if os.execute("test -d " .. root) ~= 0 then
local msg = root .. " is not a directory"
sepia.log.error(msg)
return nil, msg
end
if root:match "/$" then root = root:match "^(.-)/$" end
return function (request, response)
local path = root .. request.uri
if os.execute("test -d " .. path) == 0 then
-- Se a mídia for um diretório, procura o arquivo de índice
if not path:match "/$" then path = path .. "/" end
local index
table.foreachi(indices, function (i, e)
if os.execute("test -f " .. path .. e) == 0 then
index = path .. e
end
end)
path = index or path
end
if os.execute("test -f " .. path) == 0 then
-- A mídia existe
sepia.log.debug("requested media found: " .. path)
if path:match "%.lua" or path:match "%.lc" then
-- A mídia é um script Lua
request.remote = addr
local script, err = loadfile(path)
if script then
xpcall(
function ()
script(request, response)
response.header["Content-Type"] =
response.header["Content-Type"] or "text/html"
if not response.header["Content-Length"] then
local all_string = true
local length = 0
table.foreachi(response.data, function (i, e)
if type(e) == "string" then
length = length + e:len()
else
all_string = false
end
end)
if all_string then
response.header["Content-Length"] = length
end
end
end,
function (err) seterror(response, 500, http500, err) end
)
else
-- Houve um erro na carga do script
seterror(response, 500, http500, err)
end
elseif path:match "%.lp$" then
-- A mídia é uma página Lua
xpcall(
function ()
response:write(
sepia.luapage.loadfile(path, request, response)
)
end,
function (err) seterror(response, 500, http500, err) end
)
else
-- A mídia não é executável
-- Usa /etc/file/magic.mime para identificar o MIME
local fd = io.popen("file -i " .. path)
local aux = fd:read()
fd:close()
local mime
if aux then mime = aux:match ": (.+)$" end
mime = mime or "text/html"
response.header["Content-Type"] = mime
sepia.log.debug("media MIME type: " .. mime)
xpcall(
function ()
local fd = io.input(path)
response.header["Content-Length"] = fd:seek "end"
-- TODO: suporte a reiniciar download quebrado
fd:seek "set"
response:write(coroutine.create(function ()
aux = fd:read(1024)
while aux do
local b
for b in aux:gmatch "." do
coroutine.yield(b:byte())
end
aux = fd:read(1024)
end
fd:close()
end))
end,
function (err) seterror(response, 500, http500, err) end
)
end
else
-- A mídia não existe
seterror(response, 404, http404)
end
end
end
function multiapp(t)
-- Retorna uma aplicação HTTP que redistribui a requisição para
-- outras aplicações HTTP segundo uma tabela
if type(t) ~= "table" then
local msg = "no table supplied"
sepia.log.error(msg)
return nil, msg
end
return function (request, response)
local app
while not app do
local key, uri
if request.uri == "/" then
key = "index"
else
key, uri = request.uri:match "^/(.-)(/.*)$"
key = key or request.uri
request.uri = uri or "/"
end
if type(t[key]) == "function" then
app = t[key]
elseif type(t[key]) ~= "table" or request.uri == "/" then
seterror(response, 404, http404)
return
end
end
xpcall(
function () app(request, response) end,
function (err) seterror(response, 500, http500, err) end
)
end
end
function multihost(t)
-- Retorna uma aplicação HTTP que redireciona a requisição para
-- outras aplicações HTTP em uma tabela de acordo com o host
if type(t) ~= "table" then
local msg = "no table supplied"
sepia.log.error(msg)
return nil, msg
end
if not t.localhost then
local msg = "table must contain localhost application"
sepia.log.error(msg)
return nil, msg
end
return function (request, response)
local host = request.header["Host"]
local app = t[host]
if not app then
host = host:match "^(.-):"
if host then app = t[host] end
end
-- Aplicação por defeito é localhost
app = app or t.localhost
xpcall(
function () app(request, response) end,
function (err)seterror(response, 500, http500, err) end
)
end
end
function prepared.httpapp(application)
return prepare(httpapp, application)
end
function prepared.mediaroot(root)
return prepare(mediaroot, root)
end
function prepared.multiapp(t)
return prepare(multiapp, t)
end
function prepared.multihost(t)
return prepare(multihost, t)
end
|
function createSafeZone(pos1, pos2)
local rectMin = Vector2(0, 0)
rectMin.x = math.min(pos1.x, pos2.x)
rectMin.y = math.min(pos1.y, pos2.y)
local rectMax = Vector2(0, 0)
rectMax.x = math.max(pos1.x, pos2.x)
rectMax.y = math.max(pos1.y, pos2.y)
local size = rectMax - rectMin
local colShape = createColRectangle(rectMin, size)
colShape:setData("dpSafeZone", true)
return colShape
end
|
local F, C = unpack(select(2, ...))
C.themes["Blizzard_ScrappingMachineUI"] = function()
F.ReskinPortraitFrame(ScrappingMachineFrame)
F.Reskin(ScrappingMachineFrame.ScrapButton)
local function refreshIcon(self)
local quality = 1
if self.itemLocation and not self.item:IsItemEmpty() and self.item:GetItemName() then
quality = self.item:GetItemQuality()
end
local color = BAG_ITEM_QUALITY_COLORS[quality]
self.bg:SetBackdropBorderColor(color.r, color.g, color.b)
end
local ItemSlots = ScrappingMachineFrame.ItemSlots
F.StripTextures(ItemSlots)
for button in pairs(ItemSlots.scrapButtons.activeObjects) do
if not button.styled then
button.IconBorder:SetAlpha(0)
button.Icon:SetTexCoord(unpack(C.TexCoord))
button.bg = F.CreateBDFrame(button.Icon, .25)
local hl = button:GetHighlightTexture()
hl:SetColorTexture(1, 1, 1, .3)
hl:SetAllPoints(button.Icon)
hooksecurefunc(button, "RefreshIcon", refreshIcon)
button.styled = true
end
end
end |
local function makeConveyor(name, velocity)
local conveyor = scene:getObjects(name)[1];
conveyor.deadbodyAware = true;
local rc = conveyor:findRenderStripeComponents("belt")[1];
local ac = AnimationComponent(rc.drawable);
ac:addAnimation(const.AnimationDefault, "belt1", 12.5 / velocity);
ac:startAnimation(const.AnimationDefault);
conveyor:addComponent(ac);
conveyor:addComponent(CollisionSensorComponent());
conveyor.objs = {};
setSensorListener(name, function(other, args)
if conveyor.objs[other.cookie] == nil then
other.activeDeadbody = true;
conveyor.objs[other.cookie] = { count = 1, obj = other };
else
conveyor.objs[other.cookie].count = conveyor.objs[other.cookie].count + 1;
end
end, function (other, args)
if conveyor.objs[other.cookie] == nil then
return;
end
conveyor.objs[other.cookie].count = conveyor.objs[other.cookie].count - 1;
if conveyor.objs[other.cookie].count == 0 then
local obj = conveyor.objs[other.cookie].obj;
conveyor.objs[other.cookie] = nil;
obj.activeDeadbody = false;
end
end);
addTimeout0(function(cookie, dt)
local dir = conveyor:getDirection(velocity * dt);
for _, v in pairs(conveyor.objs) do
v.obj:changePosSmoothed(dir.x, dir.y);
end
end);
end
local function setupAnim(name, anim, factor)
local rc = scene:getObjects("terrain0")[1]:findRenderQuadComponents(name)[1];
local ac = AnimationComponent(rc.drawable);
ac:addAnimationForceLoop(const.AnimationDefault, anim, factor);
ac:startAnimation(const.AnimationDefault);
scene:getObjects("terrain0")[1]:addComponent(ac);
end
local data = {
[1] = {
cp = {"e1m2", 1},
[2] = {"player_legs_walk", 1}
},
[2] = {
cp = {"e1m1", 0},
[2] = {"military_legs_walk", 1}
},
[3] = {
cp = {"e1m1", 1},
[2] = {"sarge_legs_walk", 1}
},
[4] = {
cp = {"e1m2", 2},
[1] = {"tetrocrab1_def", 5/6}
},
[5] = {
cp = {"e1m2", 8},
[1] = {"tetrocrab2_def", 5/6}
},
[6] = {
cp = {"e1m2", 4},
[1] = {"tetrobot2_def", 1}
},
[7] = {
cp = {"e1m2", 3}
},
[8] = {
cp = {"e1m2", 0}
},
[9] = {
cp = {"e1m2", 8},
[1] = {"scorp_walk", 5/6},
[2] = {"scorp_attack", 1}
},
[10] = {
cp = {"e1m2", 8},
[1] = {"scorp2_walk", 5/6},
[2] = {"scorp2_attack", 1}
},
[11] = {
cp = {"e1m2", 11}
},
[12] = {
cp = {"e1m2", 11}
},
[13] = {
cp = {"e1m3", 6}
},
[14] = {
cp = {"e1m3", 7},
[1] = {"spider_def", 1},
[2] = {"spider_die", 1},
},
[15] = {
cp = {"e1m3", 5},
},
[16] = {
cp = {"e1m3", 7},
[1] = {"spidernest_def", 1},
[2] = {"spidernest_die", 1},
},
[17] = {
cp = {"e1m3", 15},
},
[18] = {
cp = {"e1m4", 6},
[1] = {"enforcer_torso_def", 1},
[2] = {"enforcer_torso_mask_def", 1},
[3] = {"enforcer_torso_die", 1},
[4] = {"enforcer_torso_mask_die", 1},
[5] = {"enforcer_legs_def", 1},
},
[19] = {
cp = {"e1m4", 11},
[1] = {"sentry1_torso_unfold", 1},
[2] = {"sentry1_torso_def", 1},
[3] = {"sentry1_legs_unfold", 1},
[4] = {"sentry1_legs_def", 1},
[5] = {"sentry1_legs_walk", 1},
},
[20] = {
cp = {"e1m4", 12},
[1] = {"sentry2_torso_unfold", 1},
[2] = {"sentry2_torso_def", 1},
[3] = {"sentry2_legs_unfold", 1},
[4] = {"sentry2_legs_def", 1},
[5] = {"sentry2_legs_walk", 1},
},
[21] = {
cp = {"e1m4", 18},
[1] = {"gorger_def", 1},
[2] = {"gorger_walk", 1},
[3] = {"gorger_angry", 1},
[4] = {"gorger_melee", 1},
[5] = {"gorger_preshoot", 1},
[6] = {"gorger_shoot", 1},
[7] = {"gorger_postshoot", 1},
},
[22] = {
cp = {"e1m5", 14},
[2] = {"kyle_legs_walk", 1}
},
[23] = {
cp = {"e1m5", 19},
[1] = {"keeper_walk", 1},
[2] = {"keeper_angry", 1},
[3] = {"keeper_melee", 1},
[4] = {"keeper_gun", 1},
[5] = {"keeper_preplasma", 1},
[6] = {"keeper_plasma", 1},
[7] = {"keeper_postplasma", 1},
[8] = {"keeper_missile", 1},
[9] = {"keeper_crawlout", 1},
[10] = {"keeper_death", 1},
},
[24] = {
cp = {"e1m6", 4},
[1] = {"warder_def", 1},
[2] = {"warder_walk", 1},
[3] = {"warder_shoot", 1},
[4] = {"warder_melee1", 1},
[5] = {"warder_melee2", 1},
[6] = {"warder_melee3", 1},
},
[25] = {
cp = {"e1m6", 5},
[1] = {"orbo_def", 1},
[2] = {"orbo_extend", 1},
[3] = {"orbo_retract", 1},
},
[26] = {
cp = {"e1m7", 6},
[1] = {"beetle_def", 10/13},
[2] = {"beetle_die", 1},
},
[27] = {
cp = {"e1m7", 17},
[4] = {"centipede_lowerleg1", 1},
[5] = {"centipede_upperleg1", 1},
},
[28] = {
cp = {"e1m7", 10},
},
[29] = {
cp = {"e1m8", 3},
[1] = {"homer_def", 1},
[2] = {"homer_pregun", 1},
[3] = {"homer_gun", 1},
[4] = {"homer_postgun", 1},
[5] = {"homer_premissile", 1},
[6] = {"homer_missile", 1},
[7] = {"homer_postmissile", 1},
[8] = {"homer_melee", 1},
},
[30] = {
cp = {"e1m9", 2},
[1] = {"mech_torso_def", 1},
[2] = {"mech_torso_pregun", 1},
[3] = {"mech_torso_gun", 1},
[4] = {"mech_torso_postgun", 1},
[5] = {"mech_torso_melee2", 1},
[6] = {"mech_legs_def", 1},
},
[31] = {
cp = {"e1m10", 4},
[1] = {"natan_def", 1},
[2] = {"natan_melee", 1},
[3] = {"natan_preshoot", 1},
[4] = {"natan_postshoot", 1},
[5] = {"natan_syringe", 1},
[6] = {"natan_ram", 1},
[7] = {"natan_die", 1},
[8] = {"natan_dead", 1},
},
[32] = {
cp = {"e1m10", 6},
[2] = {"scientist_legs_walk", 1}
},
[33] = {
cp = {"e1m1", 1},
},
[34] = {
cp = {"e1m4", 18},
},
[38] = {
cp = {"e1m2", 19},
},
[39] = {
cp = {"e1m3", 18},
},
[40] = {
cp = {"e1m3", 1},
},
[41] = {
cp = {"e1m5", 13},
},
[42] = {
cp = {"e1m6", 0},
},
[45] = {
cp = {"e1m2", 11},
},
[46] = {
cp = {"e1m4", 2},
},
[48] = {
cp = {"e1m5", 19},
},
[49] = {
cp = {"e1m8", 3},
},
[50] = {
cp = {"e1m5", 18},
},
[51] = {
cp = {"e1m3", 0},
},
[52] = {
cp = {"e1m3", 1},
},
[53] = {
cp = {"e1m7", 11},
},
[54] = {
cp = {"e1m5", 1},
},
[55] = {
cp = {"e1m2", 2},
},
[56] = {
cp = {"main_menu", 2},
},
[57] = {
cp = {"e1m2", 1},
},
[58] = {
cp = {"e1m2", 8},
},
[59] = {
cp = {"e1m4", 1},
},
[60] = {
cp = {"e1m10", 1},
},
};
-- main
scene.player:findPlayerComponent():giveWeapon(const.WeaponTypeBlaster);
scene.player:findPlayerComponent():giveWeapon(const.WeaponTypeGG);
scene.camera:findCameraComponent():zoomTo(35, const.EaseLinear, 0);
scene.lighting.ambientLight = {0.5, 0.5, 0.5, 1.0};
scene.camera:findCameraComponent():setConstraint(scene:getObjects("constraint1")[1].pos, scene:getObjects("constraint2")[1].pos);
makeConveyor("conveyor0", 60.0);
for actor, actorData in pairs(data) do
for img, anim in pairs(actorData) do
if img == "cp" then
setSensorEnterListener(actor.."_cp", true, function(other)
scene.cutscene = true;
settings:setDeveloper(anim[2]);
stainedGlass({0, 0, 0, 0}, {0.0, 0.0, 0.0, 1.0}, const.EaseLinear, 0.25, function()
stainedGlass({0, 0, 0, 1.0}, {0.0, 0.0, 0.0, 1.0}, const.EaseLinear, 100.0);
if anim[1] == "main_menu" then
scene:setNextLevel(anim[1]..".lua", "");
else
scene:setNextLevel(anim[1]..".lua", anim[1]..".json");
end
end);
end);
else
setupAnim(actor.."_"..img, anim[1], anim[2]);
end
end
end
|
-- Generate test data from the ACE/MSNBC/AQUAINT datasets by keeping the context and
-- entity candidates for each annotated mention
-- Format:
-- doc_name \t doc_name \t mention \t left_ctxt \t right_ctxt \t CANDIDATES \t [ent_wikiid,p_e_m,ent_name]+ \t GT: \t pos,ent_wikiid,p_e_m,ent_name
-- Stats:
--cat wned-ace2004.csv | wc -l
--257
--cat wned-ace2004.csv | grep -P 'GT:\t-1' | wc -l
--20
--cat wned-ace2004.csv | grep -P 'GT:\t1,' | wc -l
--217
--cat wned-aquaint.csv | wc -l
--727
--cat wned-aquaint.csv | grep -P 'GT:\t-1' | wc -l
--33
--cat wned-aquaint.csv | grep -P 'GT:\t1,' | wc -l
--604
--cat wned-msnbc.csv | wc -l
--656
--cat wned-msnbc.csv | grep -P 'GT:\t-1' | wc -l
--22
--cat wned-msnbc.csv | grep -P 'GT:\t1,' | wc -l
--496
if not ent_p_e_m_index then
require 'torch'
dofile 'data_gen/indexes/wiki_redirects_index.lua'
dofile 'data_gen/indexes/yago_crosswikis_wiki.lua'
dofile 'utils/utils.lua'
end
tds = tds or require 'tds'
local function gen_test_ace(dataset)
print('\nGenerating test data from ' .. dataset .. ' set ')
local path = opt.root_data_dir .. 'basic_data/test_datasets/wned-datasets/' .. dataset .. '/'
out_file = opt.root_data_dir .. 'generated/test_train_data/wned-' .. dataset .. '.csv'
ouf = assert(io.open(out_file, "w"))
annotations, _ = io.open(path .. dataset .. '.xml')
local num_nonexistent_ent_id = 0
local num_correct_ents = 0
local cur_doc_text = ''
local cur_doc_name = ''
local line = annotations:read()
while (line) do
if (not line:find('document docName=\"')) then
if line:find('<annotation>') then
line = annotations:read()
local x,y = line:find('<mention>')
local z,t = line:find('</mention>')
local cur_mention = line:sub(y + 1, z - 1)
cur_mention = string.gsub(cur_mention, '&', '&')
line = annotations:read()
x,y = line:find('<wikiName>')
z,t = line:find('</wikiName>')
cur_ent_title = ''
if not line:find('<wikiName/>') then
cur_ent_title = line:sub(y + 1, z - 1)
end
line = annotations:read()
x,y = line:find('<offset>')
z,t = line:find('</offset>')
local offset = 1 + tonumber(line:sub(y + 1, z - 1))
line = annotations:read()
x,y = line:find('<length>')
z,t = line:find('</length>')
local length = tonumber(line:sub(y + 1, z - 1))
length = cur_mention:len()
line = annotations:read()
if line:find('<entity/>') then
line = annotations:read()
end
assert(line:find('</annotation>'))
offset = math.max(1, offset - 10)
while (cur_doc_text:sub(offset, offset + length - 1) ~= cur_mention) do
-- print(cur_mention .. ' ---> ' .. cur_doc_text:sub(offset, offset + length - 1))
offset = offset + 1
end
cur_mention = preprocess_mention(cur_mention)
if cur_ent_title ~= 'NIL' and cur_ent_title ~= '' and cur_ent_title:len() > 0 then
local cur_ent_wikiid = get_ent_wikiid_from_name(cur_ent_title)
if cur_ent_wikiid == unk_ent_wikiid then
num_nonexistent_ent_id = num_nonexistent_ent_id + 1
print(green(cur_ent_title))
else
num_correct_ents = num_correct_ents + 1
end
assert(cur_mention:len() > 0)
local str = cur_doc_name .. '\t' .. cur_doc_name .. '\t' .. cur_mention .. '\t'
local left_words = split_in_words(cur_doc_text:sub(1, offset - 1))
local num_left_words = table_len(left_words)
local left_ctxt = {}
for i = math.max(1, num_left_words - 100 + 1), num_left_words do
table.insert(left_ctxt, left_words[i])
end
if table_len(left_ctxt) == 0 then
table.insert(left_ctxt, 'EMPTYCTXT')
end
str = str .. table.concat(left_ctxt, ' ') .. '\t'
local right_words = split_in_words(cur_doc_text:sub(offset + length))
local num_right_words = table_len(right_words)
local right_ctxt = {}
for i = 1, math.min(num_right_words, 100) do
table.insert(right_ctxt, right_words[i])
end
if table_len(right_ctxt) == 0 then
table.insert(right_ctxt, 'EMPTYCTXT')
end
str = str .. table.concat(right_ctxt, ' ') .. '\tCANDIDATES\t'
-- Entity candidates from p(e|m) dictionary
if ent_p_e_m_index[cur_mention] and #(ent_p_e_m_index[cur_mention]) > 0 then
local sorted_cand = {}
for ent_wikiid,p in pairs(ent_p_e_m_index[cur_mention]) do
table.insert(sorted_cand, {ent_wikiid = ent_wikiid, p = p})
end
table.sort(sorted_cand, function(a,b) return a.p > b.p end)
local candidates = {}
local gt_pos = -1
for pos,e in pairs(sorted_cand) do
if pos <= 100 then
table.insert(candidates, e.ent_wikiid .. ',' .. string.format("%.3f", e.p) .. ',' .. get_ent_name_from_wikiid(e.ent_wikiid))
if e.ent_wikiid == cur_ent_wikiid then
gt_pos = pos
end
else
break
end
end
str = str .. table.concat(candidates, '\t') .. '\tGT:\t'
if gt_pos > 0 then
ouf:write(str .. gt_pos .. ',' .. candidates[gt_pos] .. '\n')
else
if cur_ent_wikiid ~= unk_ent_wikiid then
ouf:write(str .. '-1,' .. cur_ent_wikiid .. ',' .. cur_ent_title .. '\n')
else
ouf:write(str .. '-1\n')
end
end
else
if cur_ent_wikiid ~= unk_ent_wikiid then
ouf:write(str .. 'EMPTYCAND\tGT:\t-1,' .. cur_ent_wikiid .. ',' .. cur_ent_title .. '\n')
else
ouf:write(str .. 'EMPTYCAND\tGT:\t-1\n')
end
end
end
end
else
local x,y = line:find('document docName=\"')
local z,t = line:find('\">')
cur_doc_name = line:sub(y + 1, z - 1)
cur_doc_name = string.gsub(cur_doc_name, '&', '&')
local it,_ = io.open(path .. 'RawText/' .. cur_doc_name)
cur_doc_text = ''
local cur_line = it:read()
while cur_line do
cur_doc_text = cur_doc_text .. cur_line .. ' '
cur_line = it:read()
end
cur_doc_text = string.gsub(cur_doc_text, '&', '&')
end
line = annotations:read()
end
ouf:flush()
io.close(ouf)
print('Done ' .. dataset .. '.')
print('num_nonexistent_ent_id = ' .. num_nonexistent_ent_id .. '; num_correct_ents = ' .. num_correct_ents)
end
gen_test_ace('wikipedia')
gen_test_ace('clueweb')
gen_test_ace('ace2004')
gen_test_ace('msnbc')
gen_test_ace('aquaint')
|
Config = {}
Config.RepeatTimeout = 2000
Config.CallRepeats = 10
Config.OpenPhone = 288
-- Configs
Config.Language = 'en' -- You have more translations in html.
Config.Webhook = 'https://discord.com/api/webhooks/825842793998057523/V46j45qRZu-adOySZGoEZIG7GfbrqfRrQASsQL9XDgElLNyvgFnDuXdHbGAnvwJ8qSjr' -- Your Webhook.
Config.Tokovoip = false -- If it is true it will use Tokovoip, if it is false it will use Mumblevoip.
Config.Job = 'police' -- If you want, you can choose another job and it is the job that will appear in the 'Police' application, modify the html to make it another job.
Config.UseESXLicense = true
Config.UseESXBilling = true
Config.FoodCompany = {
[1] = { name = 'Burgershot', setjob = 'burgershot'},
[2] = { name = 'Hotdog', setjob = 'hotdog'}
}
Config.Jobs = {
[1] = { name = 'LSPD', setjob = 'police'},
[2] = { name = 'LSEMS', setjob = 'ambulance'},
[3] = { name = 'Weazel', setjob = 'weazel'},
[4] = { name = 'Mechanic', setjob = 'mecano'},
[5] = { name = 'Lawyers', setjob = 'lawyer'},
[6] = { name = 'Taxi', setjob = 'drivers'},
}
Config.Languages = {
['en'] = {
["NO_VEHICLE"] = "Etrafta araç yok!",
["NO_ONE"] = "Etrafta kimse yok!",
["ALLFIELDS"] = "Tüm alanlar doldurulmalıdır!",
["CLOCK_TITLE"] = "Alarm",
["RACE_TITLE"] = "Yarış",
["WHATSAPP_TITLE"] = "Whatsapp",
["WHATSAPP_NEW_MESSAGE"] = "Yeni mesajın var!",
["WHATSAPP_MESSAGE_TOYOU"] = "Neden kendine mesaj gönderiyorsun?",
["WHATSAPP_LOCATION_SET"] = "Konum ayarlandı!",
["WHATSAPP_SHARED_LOCATION"] = "Paylaşılan konum",
["WHATSAPP_BLANK_MSG"] = "Boş mesaj gönderemezsin!",
["MAIL_TITLE"] = "Mail",
["MAIL_NEW"] = "Bir mailiniz var: ",
["ADVERTISEMENT_TITLE"] = "Sarı Sayfalar",
["ADVERTISEMENT_NEW"] = "Sarı sayfalarda ilan var!",
["ADVERTISEMENT_EMPY"] = "Bir mesaj girmelisiniz!",
["TWITTER_TITLE"] = "Twitter",
["TWITTER_NEW"] = "Yeni Tweet",
["TWITTER_POSTED"] = "Tweet gönderildi!",
["TWITTER_GETMENTIONED"] = "Bir tweet ile etiketledin!",
["MENTION_YOURSELF"] = "Kendin hakkında konuşamazsın!",
["TWITTER_ENTER_MSG"] = "Bir mesaj girmelisiniz!",
["PHONE_DONT_HAVE"] = "Telefonun yok!",
["PHONE_TITLE"] = "Rehber",
["PHONE_CALL_END"] = "Çağrı sona erdi!",
["PHONE_NOINCOMING"] = "Gelen aramanız yok!",
["PHONE_STARTED_ANON"] = "İsimsiz bir arama başlattınız!",
["PHONE_BUSY"] = "Sen zaten meşgulsün!",
["PHONE_PERSON_TALKING"] = "Bu kişi bir başkasıyla konuşuyor!",
["PHONE_PERSON_UNAVAILABLE"] = "Bu kişi şuanda uygun değil!",
["PHONE_YOUR_NUMBER"] = "Kendini arayamazsın!",
["PHONE_MSG_YOURSELF"] = "Kendine mesaj atamazsın!",
["CONTACTS_REMOVED"] = "Kişi rehberden silindi!",
["CONTACTS_NEWSUGGESTED"] = "Yeni bir önerilen kişiniz var!",
["CONTACTS_EDIT_TITLE"] = "Kişiyi düzenle",
["CONTACTS_ADD_TITLE"] = "Rehber",
["BANK_TITLE"] = 'Bank',
["BANK_DONT_ENOUGH"] = 'Bankada yeterli paran yok!',
["BANK_NOIBAN"] = "Bu kişiyle ilişkilendirilmiş IBAN yok!",
["CRYPTO_TITLE"] = "Crypto",
["GPS_SET"] = "GPS konumu ayarlandı: ",
["NUI_SYSTEM"] = 'Sistem',
["NUI_NOT_AVAILABLE"] = 'mevcut değil!',
["NUI_MYPHONE"] = 'Telefon Numarası',
["NUI_INFO"] = 'Bilgi',
["SETTINGS_TITLE"] = 'Ayarlar',
["PROFILE_SET"] = 'Kendi profil fotoğrafın!',
["POFILE_DEFAULT"] = 'Profil resmi varsayılana sıfırlandı!',
["BACKGROUND_SET"] = 'Kendi arkaplan fotoğrafı!',
["RACING_TITLE"] = "Yarış",
["RACING_CHOSEN_TRACK"] = "Bir parça seçmediniz.",
["RACING_ALREADY_ACTIVE"] = "Zaten aktif bir yarışınız var.",
["RACING_ENTER_ROUNDS"] = "Tur sayısı giriniz.",
["RACING_CANT_THIS_TIME"] = "Şuanda yarış yapılamaz.",
["RACING_ALREADY_STARTED"] = "Yarış çoktan başladı.",
["RACING_ALREADY_INRACE"] = "Zaten bir yarış içerisindesin.",
["RACING_ALREADY_CREATED"] = "Zaten bir parça oluşturuyorsunuz.",
["RACING_INEDITOR"] = "Bir editördesin.",
["RACING_INRACE"] = "Bir yarıştasın.",
["RACING_CANTSTART"] = "Yarış pisti oluşturma hakkınız yok.",
["RACING_CANTTHISNAME"] = "Bu isim uygun değil.",
["RACING_ENTER_TRACK"] = "Bir parça adı girmelisiniz.",
["MEOS_TITLE"] = "MEOS",
["MEOS_CLEARED"] = "Tüm bildirimler kaldırıldı!",
["MEOS_GPS"] = "Bu mesajda GPS konumu yok",
["MEOS_NORESULT"] = "Sonuç yok",
},
}
Config.PhoneApplications = {
["garage"] = {
app = "garage",
color = "#575fcf",
icon = "garage",
tooltipText = "Garaj",
job = false,
blockedjobs = {},
slot = 7,
Alerts = 0,
},
["mail"] = {
app = "mail",
color = "#ff002f",
icon = "mail",
tooltipText = "iCloud",
job = false,
blockedjobs = {},
slot = 8,
Alerts = 0,
},
["advert"] = {
app = "advert",
color = "#ff8f1a",
icon = "yellow",
tooltipText = "İlanlar",
job = false,
blockedjobs = {},
slot = 11,
Alerts = 0,
},
["bank"] = {
app = "bank",
color = "#9c88ff",
icon = "bank",
tooltipText = "Banka",
job = false,
blockedjobs = {},
slot = 12,
Alerts = 0,
},
["arrests"] = {
app = "arrests",
color = "#1f1f1f",
icon = "wanted",
tooltipText = "Arananlar",
tooltipPos = "bottom",
style = "font-size: 3.5vh";
job = false,
blockedjobs = {},
slot = 13,
Alerts = 0,
},
["jobs"] = {
app = "jobs",
color = "blue",
icon = "police",
tooltipText = "Meslekler",
tooltipPos = "bottom",
style = "font-size: 2.8vh";
job = false,
blockedjobs = {},
slot = 14,
Alerts = 0,
},
["food"] = {
app = "food",
color = "red",
icon = "fa fa-utensils",
tooltipText = "subzFood",
tooltipPos = "bottom",
style = "font-size: 2.8vh";
job = false,
blockedjobs = {},
slot = 15,
Alerts = 0,
},
["clock"] = {
app = "clock",
color = "#0f0f0f",
icon = "clock",
tooltipText = "Saat",
tooltipPos = "bottom",
style = "font-size: 2.8vh";
job = false,
blockedjobs = {},
slot = 16,
Alerts = 0,
},
["phone"] = {
app = "phone",
color = "#04b543",
icon = "phone",
tooltipText = "Telefon",
job = false,
blockedjobs = {},
slot = 1,
Alerts = 0,
},
["whatsapp"] = {
app = "whatsapp",
color = "#25d366",
icon = "whatsapp",
tooltipText = "iMessage",
style = "font-size: 2.8vh";
job = false,
blockedjobs = {},
slot = 2,
Alerts = 0,
},
["twitter"] = {
app = "twitter",
color = "#1da1f2",
icon = "twitter",
tooltipText = "Twitter",
job = false,
blockedjobs = {},
slot = 3,
Alerts = 0,
},
["settings"] = {
app = "settings",
color = "#636e72",
icon = "settings",
tooltipText = "Ayarlar",
style = "padding-right: .08vh; font-size: 2.3vh";
job = false,
blockedjobs = {},
slot = 4,
Alerts = 0,
},
["calculator"] = {
app = "calculator",
color = "#82c91e",
icon = "calculator",
tooltipText = "Hesap Makinesi",
tooltipPos = "bottom",
style = "font-size: 2.8vh";
job = false,
blockedjobs = {},
slot = 17,
Alerts = 0,
},
["notepad"] = {
app = "notepad",
color = "#1f1f1f",
icon = "notepad",
tooltipText = "Notlar",
tooltipPos = "bottom",
style = "font-size: 2.8vh";
job = false,
blockedjobs = {},
slot = 18,
Alerts = 0,
},
} |
Global("g_texIcons", {})
Global("g_texCheckState", {})
Global("g_texParty", {})
Global("g_classColors", {})
Global("g_relationColors", {})
Global("FRIEND_PANEL", 1)
Global("NEITRAL_PANEL", 2)
Global("ENEMY_PANEL", 3)
function InitClassIconsTexture()
g_texIcons["DRUID"] = common.GetAddonRelatedTexture("DruidIcon")
g_texIcons["MAGE"] = common.GetAddonRelatedTexture("MageIcon")
g_texIcons["PALADIN"] = common.GetAddonRelatedTexture("PaladinIcon")
g_texIcons["PRIEST"] = common.GetAddonRelatedTexture("PriestIcon")
g_texIcons["PSIONIC"] = common.GetAddonRelatedTexture("PsionicIcon")
g_texIcons["STALKER"] = common.GetAddonRelatedTexture("StalkerIcon")
g_texIcons["WARRIOR"] = common.GetAddonRelatedTexture("WarriorIcon")
g_texIcons["NECROMANCER"] = common.GetAddonRelatedTexture("NecromancerIcon")
g_texIcons["ENGINEER"] = common.GetAddonRelatedTexture("EngineerIcon")
g_texIcons["BARD"] = common.GetAddonRelatedTexture("BardIcon")
g_texIcons["WARLOCK"] = common.GetAddonRelatedTexture("WarlockIcon")
g_texIcons["UNKNOWN"] = common.GetAddonRelatedTexture("UnknownIcon")
end
function InitButtonTextures()
g_texParty[1] = common.GetAddonRelatedTexture("Party1")
g_texParty[2] = common.GetAddonRelatedTexture("Party2")
g_texParty[3] = common.GetAddonRelatedTexture("Party3")
g_texParty[4] = common.GetAddonRelatedTexture("Party4")
end
function InitCheckTextures()
g_texCheckState[READY_CHECK_READY_STATE_UNKNOWN] = common.GetAddonRelatedTexture("Unknown")
g_texCheckState[READY_CHECK_READY_STATE_READY] = common.GetAddonRelatedTexture("True")
g_texCheckState[READY_CHECK_READY_STATE_NOT_READY] = common.GetAddonRelatedTexture("False")
end
g_classColors={
["WARRIOR"] = { r = 143/255; g = 119/255; b = 075/255; a = 1 },
["PALADIN"] = { r = 207/255; g = 220/255; b = 155/255; a = 1 },
["MAGE"] = { r = 126/255; g = 159/255; b = 255/255; a = 1 },
["DRUID"] = { r = 255/255; g = 118/255; b = 060/255; a = 1 },
["PSIONIC"] = { r = 221/255; g = 123/255; b = 245/255; a = 1 },
["STALKER"] = { r = 150/255; g = 204/255; b = 086/255; a = 1 },
["PRIEST"] = { r = 255/255; g = 207/255; b = 123/255; a = 1 },
["NECROMANCER"] = { r = 208/255; g = 069/255; b = 075/255; a = 1 },
["ENGINEER"] = { r = 127/255; g = 128/255; b = 178/255; a = 1 },
["BARD"] = { r = 51/255; g = 230/255; b = 230/255; a = 1 },
["WARLOCK"] = { r = 125/255; g = 101/255; b = 219/255; a = 1 },
["UNKNOWN"] = { r = 127/255; g = 127/255; b = 127/255; a = 0 }
}
g_relationColors={
[FRIEND_PANEL] = { r = 0.1; g = 0.8; b = 0; a = 1.0 },
[ENEMY_PANEL] = { r = 1; g = 0; b = 0; a = 1 },
[NEITRAL_PANEL] = { r = 0.8; g = 0.8; b = 0.1; a = 1 },
} |
require('config.plugins.bootstrap').run()
vim.g["aniseed#env"] = {
module = "config.init",
compile = true
}
-- For some reason setting this in the after/plugin/airline.vim has no effect;
-- setting it here solves it.
vim.g.airline_powerline_fonts = 1
|
local colors = {
["0"] = "#000000",
["1"] = "#0000AA",
["2"] = "#00AA00",
["3"] = "#00AAAA",
["4"] = "#AA0000",
["5"] = "#AA00AA",
["6"] = "#AA5500",
["7"] = "#AAAAAA",
["8"] = "#555555",
["9"] = "#5555FF",
["A"] = "#55FF55",
["B"] = "#55FFFF",
["C"] = "#FF5555",
["D"] = "#FF55FF",
["E"] = "#FFFF55",
["F"] = "#FFFFFF",
}
local function get_escape(color)
return minetest.get_color_escape_sequence(colors[string.upper(color)] or "#FFFFFF")
end
local function colorize(text)
return string.gsub(text,"#([0123456789abcdefABCDEF])",get_escape)
end
minetest.register_on_chat_message(function(name,message)
minetest.chat_send_all("<"..name.."> "..colorize(message))
return true
end)
minetest.override_chatcommand("me",{
func = function(name,param)
minetest.chat_send_all("* "..name.." "..colorize(param))
end,
})
|
-- pattern, starting at -x/-z
local data = {
-- x >>
"sdsdsd",
"dsds"
-- z \/
}
local nodes = {
["s"] = "default:stone",
["d"] = "default:dirt"
}
-- coordinate offsets
local x_offset = -5
local y_offset = 2
local z_offset = -5
-- initial start
if event.type == "program" then
mem.line = 1
mem.pos = 1
interrupt(1)
end
-- timer interrupt
if event.type == "interrupt" then
local line = data[mem.line]
if not line then
-- done
return
end
local char = line:sub(mem.pos, mem.pos)
if char == "" then
-- next line
mem.line = mem.line + 1
mem.pos = 1
interrupt(0.5)
return
end
digiline_send("digibuilder", {
command = "setnode",
pos = { x=x_offset+mem.pos-1, y=y_offset, z=z_offset+mem.line-1 },
name = nodes[char]
})
end
-- callback from digibuilder node
if event.type == "digiline" and event.channel == "digibuilder" then
if event.error then
-- error state
error(event.message)
return
end
-- next command
mem.pos = mem.pos + 1
interrupt(1)
end
|
// complete copy from https://github.com/FPtje/DarkRP/blob/master/gamemode/modules/fadmin/fadmin/playeractions/teleport/sv_init.lua
// TODO: change this!
local function zapEffect(target)
local effectdata = EffectData()
effectdata:SetStart(target:GetShootPos())
effectdata:SetOrigin(target:GetShootPos())
effectdata:SetScale(1)
effectdata:SetMagnitude(1)
effectdata:SetScale(3)
effectdata:SetRadius(1)
effectdata:SetEntity(target)
for i = 1, 100, 1 do
timer.Simple(1 / i, function()
util.Effect("TeslaHitBoxes", effectdata, true, true)
end)
end
local Zap = math.random(1,9)
if Zap == 4 then Zap = 3 end
target:EmitSound("ambient/energy/zap" .. Zap .. ".wav")
end
// A list of available personalities, there should be two!!!
local personalities = {
[1] = {
name = "Uno",
description = "Uno is a very calm and friendly person. He is very polite and will never say no to a friend.",
color = Color(0, 255, 0),
callback = function(ply)
ply:SetWalkSpeed(200)
ply:SetRunSpeed(400)
end,
},
[2] = {
name = "Dos",
description = "Dos is a very angry and violent person. He always gets himself into trouble.",
color = Color(255, 0, 0),
callback = function(ply)
ply:SetWalkSpeed(400)
ply:SetRunSpeed(600)
end,
},
// I made github copilot generate a personality, he's canon now.
/*
[3] = {
name = "Tres",
description = "Tres is a very friendly and social person. He is very kind to everyone he meets.",
color = Color(0, 0, 255),
callback = function(ply)
ply:SetWalkSpeed(300)
ply:SetRunSpeed(500)
end,
},
*/
}
// This is where we set the personality when we split.
function GM:SetSplitPersonality(player, personality)
if personality > #personalities then
personality = 1
end
if not personalities[personality] then return end // what???
personalities[personality].callback(player)
player:SetSkin(personality-1)
player:SetNWInt("SplitPersonality", personality)
zapEffect(player)
//print("[Split Bullet: Anarchy] " .. player:Nick() .. " has changed their personality to " .. personalities[personality].name.." ("..personality..")")
end
// Splitting server-side.
util.AddNetworkString("SplitBullet.Network.Split")
net.Receive("SplitBullet.Network.Split", function(len, ply)
hook.Run("SetSplitPersonality", ply, ply:GetNWInt("SplitPersonality", 1)+1)
end)
|
local redis = require("resty.redis-util")
local http_model = require("app.models.http")
local redis_pool = require("app.config.config").redis_pool
local string_model = require("app.models.string")
local list_model = require("app.models.list")
local set_model = require("app.models.set")
local zset_model = require("app.models.zset")
local hash_model = require("app.models.hash")
local redis_model = {}
function redis_model:get_redis_dbs(redis_pool)
local red = redis:new(redis_pool);
--local ok,err = red:eval("return redis.call('config', 'get', 'databases')","0")
local db,err = red:config("get","databases")
if err then return err end
return db[2]
end
function redis_model:get_redis_dbsize(redis_pool, db)
local red = redis:new(redis_pool);
local ok,err = red:select(db)
local db,err = red:dbsize()
if err then return err end
return db
end
function redis_model:get_redis_dbs_json(redis_pool, serverName, groupId)
local children = {}
--local db_num = tonumber(redis_model:get_redis_dbs(redis_pool))
local red = redis:new(redis_pool)
-- ngx.log(ngx.ERR, red)
local db,err = red:config("get","databases")
if err then
local tmp = {
name = "连接失败" .. err
}
table.insert(children, tmp)
return children
end
for i=1, tonumber(db[2]) do
local dbsize = redis_model:get_redis_dbsize(redis_pool,i-1)
local tmp = {
name = "db" .. i - 1 .. " (" .. dbsize .. ")",
parent = false,
children = {},
checked = true,
attach = {
serverName = serverName,
dbIndex = i - 1,
seprator = ":",
groupId = groupId,
keyPrefixs = {}
}
}
table.insert(children, tmp)
end
return children
end
function redis_model:get_redis_stringList_bak(redis_pool, db, params)
if http_model:is_empty(params) then
params = '*'
end
local data ={}
local red = redis:new(redis_pool);
red:select(db)
local ok,err = red:keys(params)
if err then return err end
if type(ok) == "table" then
for i, key in ipairs(ok) do
local tmp = {
id = i,
name = key,
type = string.upper(red:type(key))
}
table.insert(data,tmp)
end
else
data = {}
end
return data
end
-- Get per page list
function redis_model:get_per_pageList(ans, visit_page, items_per_page)
local data = {}
if http_model:is_empty(visit_page) then
visit_page = 0
end
visit_page = visit_page + 1
for i = 1, items_per_page do
local page_cursor = visit_page * items_per_page
local s = ans[page_cursor + i]
local tmp = {
id = page_cursor + i,
name = s,
type = string.upper(red:type(s))
}
table.insert(data,tmp)
end
return data
end
-- Get string list via scan command
function redis_model:get_redis_stringList(redis_pool, db, params, visit_page, items_per_page)
ngx.log(ngx.ERR, visit_page)
if http_model:is_empty(params) then
params = '*'
end
if http_model:is_empty(visit_page) then
visit_page = 0
end
-- visit_page = visit_page + 1
local red = redis:new(redis_pool);
red:select(db)
local db,err = red:dbsize()
local data, ans, has, cursor = {}, {}, {}, "0";
repeat
local t = red:scan(cursor, "MATCH", params, "COUNT", 1000);
local list = t[2];
for i = 1, #list do
local s = list[i];
--local tmp = {
-- id = #ans + 1,
-- name = s,
-- type = red:type(s)
--}
--table.insert(ans,tmp)
if has[s] == nil then
has[s] = 1;
ans[#ans + 1] = s;
end;
end;
cursor = t[1];
until cursor == "0";
for i = 1, items_per_page do
local page_cursor = visit_page * items_per_page
local s = ans[page_cursor + i]
if s then
local tmp = {
id = page_cursor + i,
name = s,
type = string.upper(red:type(s))
}
table.insert(data,tmp)
end
end
local result = {
max = #ans,
keys = data
}
return result;
end
function redis_model:get_redis_keyValue(params)
local key_data_struct = {
STRING = function() return string_model:get_redis_string(params) end,
LIST = function() return list_model:get_redis_list(params) end,
SET = function() return set_model:get_redis_set(params) end,
ZSET = function() return zset_model:get_redis_zset(params) end,
HASH = function() return hash_model:get_redis_hash(params) end
}
local func = key_data_struct[string.upper(params.dataType)]
local values = func()
local data = {
returncode = '200',
returnmsg = "request success",
returnmemo = "SUCCESS:20010001:update success",
data = {
dataType = params.dataType,
values = values
},
operator = "GETKV"
}
return data
end
function redis_model:post_redis_keyValue(params)
local key_data_struct = {
STRING = function() return string_model:update_redis_string(params) end,
LIST = function() return list_model:update_redis_list(params) end,
SET = function() return set_model:update_redis_set(params) end,
ZSET = function() return zset_model:update_redis_zset(params) end,
HASH = function() return hash_model:update_redis_hash(params) end
}
local func = key_data_struct[string.upper(params.dataType)]
local values = func()
local data = values
return data
end
function redis_model:delete_redis_keyValue(params)
local data = {
returncode = "500",
returnmsg = "request error",
returnmemo = "RESULT: " .. params.deleteKeys .. " has failed to delete"
}
local red = redis:new(redis_pool[params.serverName]);
red:select(params.dbIndex)
red:init_pipeline()
for key in string.gmatch(params.deleteKeys, "[^,]+") do
red:del(key)
end
local results, err = red:commit_pipeline()
if results then
data = {
returncode = "200",
returnmsg = "request success",
returnmemo = "RESULT: ".. params.deleteKeys .. " has been deleted successfully",
data = "attachment",
operator = "nothing"
}
end
return data
end
function redis_model:get_redis_group(groupId)
local data = {}
for i, conn_pool in pairs(redis_pool) do
if conn_pool.group == groupId then
local tmp = {
name = i,
host = conn_pool.host
}
table.insert(data, tmp)
end
end
return data
end
return redis_model |
local util = require("spec.util")
describe("%", function()
it("pass", util.check [[
local x = 1
local y = 2
local z = 3
z = x % y
]])
it("fail", util.check_type_error([[
local x = "hello"
local y = "world"
local z = "heh"
z = x % y
]], {
{ msg = "cannot use operator '%' for types string" }
}))
end)
|
return {
icons = {rect={0,0,16,16}, count={2,7}},
fg = {rect={32,0,224,160},},
}
|
-- @Author: Webster
-- @Date: 2016-01-04 12:57:33
-- @Last Modified by: Administrator
-- @Last Modified time: 2016-12-29 11:13:26
-----------------------------------------------------------------------------------------
-- these global functions are accessed all the time by the event handler
-- so caching them is worth the effort
-----------------------------------------------------------------------------------------
local setmetatable = setmetatable
local ipairs, pairs, next, pcall = ipairs, pairs, next, pcall
local sub, len, format, rep = string.sub, string.len, string.format, string.rep
local find, byte, char, gsub = string.find, string.byte, string.char, string.gsub
local type, tonumber, tostring = type, tonumber, tostring
local floor, min, max, ceil = math.floor, math.min, math.max, math.ceil
local huge, pi, sin, cos, tan = math.huge, math.pi, math.sin, math.cos, math.tan
local insert, remove, concat, sort = table.insert, table.remove, table.concat, table.sort
local pack, unpack = table.pack or function(...) return {...} end, table.unpack or unpack
-- jx3 apis caching
local wsub, wlen, wfind = wstring.sub, wstring.len, wstring.find
local GetTime, GetLogicFrameCount = GetTime, GetLogicFrameCount
local GetClientPlayer, GetPlayer, GetNpc = GetClientPlayer, GetPlayer, GetNpc
local GetClientTeam, UI_GetClientPlayerID = GetClientTeam, UI_GetClientPlayerID
-----------------------------------------------------------------------------------------
local _L = MY.LoadLangPack(MY.GetAddonInfo().szRoot .. "MY_TeamTools/lang/")
local PR = {}
local PR_MAX_LEVEL = 95
local PR_INI_PATH = MY.GetAddonInfo().szRoot .. "MY_TeamTools/ui/MY_PartyRequest.ini"
local PR_EQUIP_REQUEST = {}
local PR_MT = { __call = function(me, szName)
for k, v in ipairs(me) do
if v.szName == szName then
return true
end
end
end }
local PR_PARTY_REQUEST = setmetatable({}, PR_MT)
MY_PartyRequest = {
bEnable = true,
bAutoCancel = false,
}
MY.RegisterCustomData("MY_PartyRequest")
function MY_PartyRequest.OnFrameCreate()
this:SetPoint("CENTER", 0, 0, "CENTER", 0, 0)
this:Lookup("", "Text_Title"):SetText(g_tStrings.STR_ARENA_INVITE)
MY.RegisterEsc("MY_PartyRequest", PR.GetFrame, PR.ClosePanel)
end
function MY_PartyRequest.OnLButtonClick()
local name = this:GetName()
if name == "Btn_Setting" then
local menu = {}
table.insert(menu, {
szOption = _L["Auto Refuse No full level Player"],
bCheck = true, bChecked = MY_PartyRequest.bAutoCancel,
fnAction = function()
MY_PartyRequest.bAutoCancel = not MY_PartyRequest.bAutoCancel
end,
})
PopupMenu(menu)
elseif name == "Btn_Close" then
PR.ClosePanel()
elseif name == "Btn_Accept" then
local info = this:GetParent().info
info.fnAction()
for i, v in ipairs_r(PR_PARTY_REQUEST) do
if v == info then
remove(PR_PARTY_REQUEST, i)
end
end
PR.UpdateFrame()
elseif name == "Btn_Refuse" then
local info = this:GetParent().info
info.fnCancelAction()
for i, v in ipairs_r(PR_PARTY_REQUEST) do
if v == info then
remove(PR_PARTY_REQUEST, i)
end
end
PR.UpdateFrame()
elseif name == "Btn_Lookup" then
local info = this:GetParent().info
if info.bDetail or (info.dwID and IsAltKeyDown()) then
ViewInviteToPlayer(info.dwID)
else
MY.BgTalk(info.szName, "RL", "ASK")
this:Enable(false)
this:Lookup("", "Text_Lookup"):SetText(_L["loading..."])
MY.Sysmsg({_L["If it is always loading, the target may not install plugin or refuse."]})
end
elseif this.info then
if IsCtrlKeyDown() then
EditBox_AppendLinkPlayer(this.info.szName)
elseif IsAltKeyDown() and this.info.dwID then
ViewInviteToPlayer(this.info.dwID)
end
end
end
function MY_PartyRequest.OnRButtonClick()
if this.info then
local menu = {}
InsertPlayerCommonMenu(menu, 0, this.info.szName)
menu[4] = nil
if this.info.dwID then
table.insert(menu, {
szOption = g_tStrings.STR_LOOKUP,
fnAction = function()
ViewInviteToPlayer(this.info.dwID)
end,
})
end
PopupMenu(menu)
end
end
function MY_PartyRequest.OnMouseEnter()
local name = this:GetName()
if name == "Btn_Lookup" then
local info = this:GetParent().info
if not info.bDetail and info.dwID then
local x, y = this:GetAbsPos()
local w, h = this:GetSize()
local szTip = GetFormatText(_L["Press alt and click to view equipment."])
OutputTip(szTip, 450, {x, y, w, h}, MY.Const.UI.Tip.POS_TOP)
end
elseif this.info then
local x, y = this:GetAbsPos()
local w, h = this:GetSize()
local szTip = MY_Farbnamen.GetTip(this.info.szName)
if szTip then
OutputTip(szTip, 450, {x, y, w, h}, MY.Const.UI.Tip.POS_TOP)
end
end
end
function MY_PartyRequest.OnMouseLeave()
if this.info then
HideTip()
end
end
function PR.GetFrame()
return Station.Lookup("Normal2/MY_PartyRequest")
end
function PR.OpenPanel()
if PR.GetFrame() then
return
end
Wnd.OpenWindow(PR_INI_PATH, "MY_PartyRequest")
end
function PR.ClosePanel(bCompulsory)
local fnAction = function()
Wnd.CloseWindow(PR.GetFrame())
PR_PARTY_REQUEST = setmetatable({}, PR_MT)
end
if bCompulsory then
fnAction()
else
MY.Confirm(_L["Clear list and close?"], fnAction)
end
end
function PR.OnPeekPlayer()
if PR_EQUIP_REQUEST[arg1] then
if arg0 == PEEK_OTHER_PLAYER_RESPOND.SUCCESS then
local me = GetClientPlayer()
local dwType, dwID = me.GetTarget()
MY.SetTarget(TARGET.PLAYER, arg1)
MY.SetTarget(dwType, dwID)
local p = GetPlayer(arg1)
if p then
local mnt = p.GetKungfuMount()
local data = { nil, arg1, mnt and mnt.dwSkillID or nil, false }
PR.Feedback(p.szName, data, false)
end
end
PR_EQUIP_REQUEST[arg1] = nil
end
end
function PR.OnApplyRequest()
if not MY_PartyRequest.bEnable then
return
end
local hMsgBox = Station.Lookup("Topmost/MB_ATMP_" .. arg0) or Station.Lookup("Topmost/MB_IMTP_" .. arg0)
if hMsgBox then
local btn = hMsgBox:Lookup("Wnd_All/Btn_Option1")
local btn2 = hMsgBox:Lookup("Wnd_All/Btn_Option2")
if btn and btn:IsEnabled() then
if not PR_PARTY_REQUEST(arg0) then
local tab = {
szName = arg0,
nCamp = arg1,
dwForce = arg2,
nLevel = arg3,
fnAction = function()
pcall(btn.fnAction)
end,
fnCancelAction = function()
pcall(btn2.fnAction)
end
}
if not MY_PartyRequest.bAutoCancel or MY_PartyRequest.bAutoCancel and arg3 == PR_MAX_LEVEL then
table.insert(PR_PARTY_REQUEST, tab)
else
MY.Sysmsg({_L("Auto Refuse %s(%s %d%s) Party request", arg0, g_tStrings.tForceTitle[arg2], arg3, g_tStrings.STR_LEVEL)})
pcall(btn2.fnAction)
end
end
local data
local fnGetEqueip = function(dwID)
PR_EQUIP_REQUEST[dwID] = true
ViewInviteToPlayer(dwID, true)
end
if MY_Farbnamen and MY_Farbnamen.Get then
data = MY_Farbnamen.Get(arg0)
if data then
fnGetEqueip(data.dwID)
end
end
if not data then
for k, v in pairs(MY.GetNearPlayer()) do
if v.szName == arg0 then
fnGetEqueip(v.dwID)
break
end
end
end
hMsgBox.fnAutoClose = nil
hMsgBox.fnCancelAction = nil
hMsgBox.szCloseSound = nil
Wnd.CloseWindow(hMsgBox)
PR.UpdateFrame()
end
end
end
function PR.UpdateFrame()
if not PR.GetFrame() then
PR.OpenPanel()
end
local frame = PR.GetFrame()
-- update
if #PR_PARTY_REQUEST == 0 then
return PR.ClosePanel(true)
end
local container, nH = frame:Lookup("WndContainer_Request"), 0
container:Clear()
for k, v in ipairs(PR_PARTY_REQUEST) do
local wnd = container:AppendContentFromIni(PR_INI_PATH, "WndWindow_Item", k)
local hItem = wnd:Lookup("", "")
hItem:Lookup("Image_Hover"):SetFrame(2)
if v.dwKungfuID then
hItem:Lookup("Image_Icon"):FromIconID(Table_GetSkillIconID(v.dwKungfuID, 1))
else
hItem:Lookup("Image_Icon"):FromUITex(GetForceImage(v.dwForce))
end
hItem:Lookup("Handle_Status/Handle_Gongzhan"):SetVisible(v.nGongZhan == 1)
local nCampFrame = GetCampImageFrame(v.nCamp)
if nCampFrame then
hItem:Lookup("Handle_Status/Handle_Camp/Image_Camp"):SetFrame(nCampFrame)
end
hItem:Lookup("Handle_Status/Handle_Camp"):SetVisible(not not nCampFrame)
if v.bDetail and v.bEx == "Author" then
hItem:Lookup("Text_Name"):SetFontColor(255, 255, 0)
end
hItem:Lookup("Text_Name"):SetText(v.szName)
hItem:Lookup("Text_Level"):SetText(v.nLevel)
wnd:Lookup("Btn_Accept", "Text_Accept"):SetText(g_tStrings.STR_ACCEPT)
wnd:Lookup("Btn_Refuse", "Text_Refuse"):SetText(g_tStrings.STR_REFUSE)
wnd:Lookup("Btn_Lookup", "Text_Lookup"):SetText(v.bDetail and g_tStrings.STR_LOOKUP or _L["Details"])
wnd.info = v
nH = nH + wnd:GetH()
end
container:SetH(nH)
container:FormatAllContentPos()
frame:Lookup("", "Image_Bg"):SetH(nH)
frame:SetH(nH + 30)
frame:SetDragArea(0, 0, frame:GetW(), frame:GetH())
end
function PR.Feedback(szName, data, bDetail)
for k, v in ipairs(PR_PARTY_REQUEST) do
if v.szName == szName then
v.bDetail = bDetail
v.dwID = data[2]
v.dwKungfuID = data[3]
v.nGongZhan = data[4]
v.bEx = data[5]
break
end
end
PR.UpdateFrame()
end
MY.RegisterEvent("PEEK_OTHER_PLAYER.MY_PartyRequest" , PR.OnPeekPlayer )
MY.RegisterEvent("PARTY_INVITE_REQUEST.MY_PartyRequest", PR.OnApplyRequest)
MY.RegisterEvent("PARTY_APPLY_REQUEST.MY_PartyRequest" , PR.OnApplyRequest)
MY.RegisterBgMsg("RL", function(_, nChannel, dwID, szName, bIsSelf, ...)
local data = {...}
if not bIsSelf then
if data[1] == "Feedback" then
PR.Feedback(szName, data, true)
end
end
end)
|
---
-- @author wesen
-- @copyright 2019 wesen <wesen-ac@web.de>
-- @release 0.1
-- @license MIT
--
local TestCase = require "wLuaUnit.TestCase"
---
-- Checks that the ServerEventListener works as expected.
--
-- @type TestServerEventListener
--
local TestServerEventListener = TestCase:extend()
---
-- The require path for the class that is tested by this TestCase
--
-- @tfield string testClassPath
--
TestServerEventListener.testClassPath = "tests.AC-LuaServer.Core.ServerEvent.ExampleServerEventListener"
---
-- The paths of the classes that the test class depends on
--
-- @tfield table[] dependencyPaths
--
TestServerEventListener.dependencyPaths = {
{ id = "EventCallback", path = "AC-LuaServer.Core.Event.EventCallback" },
{ id = "Server", path = "AC-LuaServer.Core.Server" }
}
---
-- Checks that a ServerEventListener can start and stop listening for events.
--
function TestServerEventListener:testCanStartAndStopListening()
local ExampleServerEventListener = self.testClass
local listener = ExampleServerEventListener()
local eventCallbackMockA = self:getEventCallbackMock()
local eventCallbackMockB = self:getEventCallbackMock()
local EventCallbackMock = self.dependencyMocks.EventCallback
local serverMock = self:getMock("AC-LuaServer.Core.Server", "ServerMock")
local serverEventManagerMock = self:getMock(
"AC-LuaServer.Core.ServerEvent.ServerEventManager", "ServerEventManagerMock"
)
-- Unregistering the event handlers before registering them once should do nothing
listener:stopListening()
-- Initialize event callbacks and register the event handlers
EventCallbackMock.__call
:should_be_called_with(
self.mach.match({ object = listener, methodName = "onPlayerShootHandler"}), nil
)
:and_will_return(eventCallbackMockA)
:and_also(
EventCallbackMock.__call
:should_be_called_with(
self.mach.match({
object = listener, methodName = "onPlayerSayTextHandler"
}),
7
)
:and_will_return(eventCallbackMockB)
)
:and_then(
self.dependencyMocks.Server.getInstance
:should_be_called()
:and_will_return(serverMock)
)
:and_then(
serverMock.getEventManager
:should_be_called()
:and_will_return(serverEventManagerMock)
)
:and_then(
serverEventManagerMock.on
:should_be_called_with("onPlayerShoot", eventCallbackMockA)
)
:and_also(
serverEventManagerMock.on
:should_be_called_with("onPlayerSayText", eventCallbackMockB)
)
:when(
function()
listener:startListening()
end
)
-- Unregister the event handlers
self.dependencyMocks.Server.getInstance
:should_be_called()
:and_will_return(serverMock)
:and_then(
serverMock.getEventManager
:should_be_called()
:and_will_return(serverEventManagerMock)
)
:and_then(
serverEventManagerMock.off
:should_be_called_with(
"onPlayerShoot", eventCallbackMockA
)
)
:and_also(
serverEventManagerMock.off
:should_be_called_with(
"onPlayerSayText", eventCallbackMockB
)
)
:when(
function()
listener:stopListening()
end
)
-- Reigster the event handlers again to check that they aren't reinitialized
self.dependencyMocks.Server.getInstance
:should_be_called()
:and_will_return(serverMock)
:and_then(
serverMock.getEventManager
:should_be_called()
:and_will_return(serverEventManagerMock)
)
:and_then(
serverEventManagerMock.on
:should_be_called_with(
"onPlayerShoot", eventCallbackMockA
)
)
:and_also(
serverEventManagerMock.on
:should_be_called_with(
"onPlayerSayText", eventCallbackMockB
)
)
:when(
function()
listener:startListening()
end
)
end
---
-- Generates and returns a EventCallback mock.
--
-- @treturn table The EventCallback mock
--
function TestServerEventListener:getEventCallbackMock()
return self:getMock("AC-LuaServer.Core.Event.EventCallback", "EventCallbackMock")
end
return TestServerEventListener
|
local Track = {}
Track.progress = {}
Track.proglines = {}
Track.time = 0
local debug = true
function Track.setfinish(x0, y0, x1, y1, width, boxsz)
Track.finish = { x0 = x0, y0 = y0,
x1 = x1, y1 = y1, width = width, boxsz = boxsz }
end
function Track.newprogline(x0, y0, x1, y1)
table.insert(Track.proglines, { x0 = x0, y0 = y0, x1 = x1, y1 = y1 })
end
function Track.updateships(slist)
Track.time = Track.time + INC
for _,ship in ipairs(slist) do
ship.laps = ship.laps or 1
local sline = { x0 = ship.x, y0 = ship.y,
x1 = ship.x+ship.vx, y1 = ship.y+ship.vy }
for _,pline in ipairs(Track.proglines) do
if Physics.doLinesIntersect(sline, pline) then
ship.progress = ship.progress or 0
if ship.progress ~= _-1 then
ship.wrongway = true
else
ship.wrongway = false
ship.progress = _
end
end
end
--if you hit finish, add a lap
if Physics.doLinesIntersect(sline, Track.finish) and
ship.progress == #Track.proglines then
if ship.laps == 3 then
ship.finished = true
ship.progress = 0
print("FINISH")
else
ship.laps = ship.laps + 1
ship.progress = 0
end
end
end
end
function Track.draw()
--draw the checkered finish line
local f = Track.finish
local fh = f.y1-f.y0
local black = false
if not f then return end
for x=0,f.width-f.boxsz,f.boxsz do
for y=0,fh-f.boxsz,f.boxsz do
if black then love.graphics.setColor({0,0,0,1})
else love.graphics.setColor({1,1,1}) end
black = not black
love.graphics.rectangle("fill",
f.x0+x, f.y0+y, f.boxsz, f.boxsz)
end
if ((fh-f.boxsz) / f.boxsz) % 2 ~= 0 then
black = not black
end
end
if debug then
for _,line in ipairs(Track.proglines) do
love.graphics.setColor({0,0,1})
love.graphics.line(line.x0, line.y0, line.x1, line.y1)
end
end
end
return Track
|
local lspkind = require('lspkind')
local luasnip = require('luasnip')
local cmp = require('cmp')
local Rule = require('nvim-autopairs.rule')
local npairs = require('nvim-autopairs')
-- copilot settings
vim.g.copilot_no_tab_map = true
vim.g.copilot_assume_mapped = true
local lspkind_opts = {
with_text = true,
preset = 'codicons', -- need to install font https://github.com/microsoft/vscode-codicons/blob/main/dist/codicon.ttf
}
local source_mapping = {
nvim_lsp = '[LSP]',
luasnip = '[Snippet]',
treesitter = '[TS]',
cmp_tabnine = '[TN]',
nvim_lua = '[Vim]',
path = '[Path]',
buffer = '[Buffer]',
crates = '[Crates]',
}
local has_words_before = function()
local line, col = unpack(vim.api.nvim_win_get_cursor(0))
return col ~= 0 and vim.api.nvim_buf_get_lines(0, line - 1, line, true)[1]:sub(col, col):match('%s') == nil
end
cmp.setup({
sources = {
{ name = 'nvim_lsp', priority = 99 },
{ name = 'luasnip', priority = 90 },
{ name = 'nvim_lua', priority = 80 },
{ name = 'cmp_tabnine', priority = 80 },
{ name = 'path', priority = 10 },
{ name = 'buffer', priority = 0 },
},
snippet = {
expand = function(args)
luasnip.lsp_expand(args.body)
end,
},
formatting = {
format = function(entry, vim_item)
vim_item.kind = lspkind.symbolic(vim_item.kind, lspkind_opts)
local menu = source_mapping[entry.source.name]
if entry.source.name == 'cmp_tabnine' then
if entry.completion_item.data ~= nil and entry.completion_item.data.detail ~= nil then
menu = entry.completion_item.data.detail .. ' ' .. menu
end
vim_item.kind = ' TabNine'
end
vim_item.menu = menu
return vim_item
end,
},
mapping = {
['<C-n>'] = cmp.mapping.select_next_item({ behavior = cmp.SelectBehavior.Insert }),
['<C-p>'] = cmp.mapping.select_prev_item({ behavior = cmp.SelectBehavior.Insert }),
['<C-f>'] = cmp.mapping.scroll_docs(-4),
['<C-b>'] = cmp.mapping.scroll_docs(4),
['<C-Space>'] = cmp.mapping.complete(),
['<Esc>'] = cmp.mapping.close(),
['<Tab>'] = cmp.mapping(function(fallback)
if cmp.visible() then
cmp.select_next_item({ behavior = cmp.SelectBehavior.Insert })
elseif luasnip.expand_or_jumpable() then
luasnip.expand_or_jump()
elseif has_words_before() then
cmp.complete()
else
fallback()
end
end, { 'i', 's' }),
['<S-Tab>'] = cmp.mapping(function(fallback)
if cmp.visible() then
cmp.select_prev_item({ behavior = cmp.SelectBehavior.Insert })
elseif luasnip.jumpable(-1) then
luasnip.jump(-1)
else
fallback()
end
end, { 'i', 's' }),
['<CR>'] = cmp.mapping.confirm({
behavior = cmp.ConfirmBehavior.Replace,
select = true,
}),
},
})
require('cmp').setup.cmdline('/', {
sources = {
{ name = 'nvim_lsp_document_symbol' },
{ name = 'buffer' },
},
})
require('cmp').setup.cmdline(':', {
sources = {
{ name = 'cmdline' },
{ name = 'path' },
},
})
require('luasnip.loaders.from_vscode').load()
require('nvim-treesitter.configs').setup({
ensure_installed = 'all',
highlight = {
enable = true,
-- add languages not supported by treesitter here
additional_vim_regex_highlighting = false,
},
indent = {
enable = true,
disable = {
'rust',
'python',
},
},
matchup = {
enable = true,
},
textobjects = {
select = {
keymaps = {
['uc'] = '@comment.outer',
},
},
},
incremental_selection = {
enable = true,
keymaps = {
init_selection = '<CR>',
scope_incremental = '<CR>',
node_incremental = '<TAB>',
node_decremental = '<S-TAB>',
},
},
})
require('vim.treesitter.query').set_query(
'rust',
'injections',
[[
((
(raw_string_literal) @constant
(#match? @constant "(SELECT|select|INSERT|insert|UPDATE|update|DELETE|delete).*")
) @injection.content (#set! injection.language "sql"))
]]
) -- inject sql in raw_string_literals
-- auto pairs setup
npairs.setup()
local cmp_autopairs = require('nvim-autopairs.completion.cmp')
cmp.event:on('confirm_done', cmp_autopairs.on_confirm_done({ map_char = { tex = '' } }))
npairs.add_rule(Rule('r#"', '"#', 'rust'))
npairs.add_rule(Rule('|', '|', 'rust'))
|
local OUTPUT = {}
OUTPUT.WATCH_LIST_NOT_VALID = 'WATCH_LIST_NOT_VALID'
OUTPUT.NOTHING_FOR_WATCH = 'NOTHING_FOR_WATCH'
OUTPUT.MAXWAIT_NOT_VALID = 'MAXWAIT_NOT_VALID'
OUTPUT.INTERVAL_NOT_VALID = 'INTERVAL_NOT_VALID'
OUTPUT.INTERVAL_NOT_IN_RANGE = 'INTERVAL_NOT_IN_RANGE'
OUTPUT.MINSIZE_NOT_VALID = 'MINSIZE_NOT_VALID'
OUTPUT.STABILITY_NOT_VALID = 'STABILITY_NOT_VALID'
OUTPUT.STABILITY_BAD_RANGE = 'STABILITY_BAD_RANGE'
OUTPUT.CHECK_SIZE_INTERVAL_NOT_VALID = 'CHECK_SIZE_INTERVAL_NOT_VALID'
OUTPUT.ITERATIONS_NOT_VALID = 'ITERATIONS_NOT_VALID'
OUTPUT.NOVELTY_NOT_VALID = 'NOVELTY_NOT_VALID'
OUTPUT.NOVELTY_BAD_RANGE = 'NOVELTY_BAD_RANGE'
OUTPUT.DATE_FROM_NOT_VALID = 'DATE_FROM_NOT_VALID'
OUTPUT.DATE_UNTIL_NOT_VALID = 'DATE_UNTIL_NOT_VALID'
OUTPUT.N_MATCH_NOT_VALID = 'N_MATCH_NOT_VALID'
OUTPUT.N_CASES_NOT_VALID = 'N_CASES_NOT_VALID'
OUTPUT.ALTER_WATCH_NOT_VALID = 'ALTER_WATCH_NOT_VALID'
OUTPUT.ALL_DELETED = 'ALL_DELETED'
OUTPUT.MATCH_DELETED = 'MATCH_DELETED'
OUTPUT.MATCH_NOT_DELETED = 'MATCH_NOT_DELETED'
OUTPUT.NOTHING_DELETED = 'NOTHING_DELETED'
OUTPUT.WATCHER_WAS_NOT_CREATED = 'WATCHER_WAS_NOT_CREATED'
local EXIT = {}
EXIT.WATCHER_WAS_NOT_CREATED = 5001
local WATCHER = {}
WATCHER.FILE_CREATION = 'FWC'
WATCHER.FILE_DELETION = 'FWD'
WATCHER.FILE_ALTERATION = 'FWA'
WATCHER.PREFIX = 'FW'
WATCHER.MAXWAIT = 60 --seconds
WATCHER.INTERVAL = 0.5 --seconds
WATCHER.CHECK_INTERVAL = 0.5 --seconds
WATCHER.ITERATIONS = 10 --loops
WATCHER.INFINITY_DATE = 99999999999 --arbitrary infinity date
local FILE = {}
FILE.NOT_YET_CREATED = '_' --The file has not yet been created
FILE.FILE_PATTERN = 'P' --This is a file pattern
FILE.HAS_BEEN_CREATED = 'C' --The file has been created
FILE.IS_NOT_NOVELTY = 'N' --The file is not an expected novelty
FILE.UNSTABLE_SIZE = 'U' --The file has an unstable file size
FILE.UNEXPECTED_SIZE = 'S' --The file size is unexpected
FILE.DISAPPEARED_UNEXPECTEDLY = 'D' --The file has disappeared unexpectedly
FILE.DELETED = 'X' --The file has been deleted
FILE.NOT_EXISTS = 'T' --The file does not exist
FILE.NOT_YET_DELETED = 'E' --The file has not been deleted yet
FILE.NO_ALTERATION = '0' --The file has not been modified
FILE.ANY_ALTERATION = '1' --The file has been modified
FILE.CONTENT_ALTERATION = '2' --The content of the file has been altered
FILE.SIZE_ALTERATION = '3' --The file size has been altered
FILE.CHANGE_TIME_ALTERATION = '4' --The ctime of the file has been altered
FILE.MODIFICATION_TIME_ALTERATION = '5' --The mtime of the file has been altered
FILE.INODE_ALTERATION = '6' --The number of inodes has been altered
FILE.OWNER_ALTERATION = '7' --The owner of the file has changed
FILE.GROUP_ALTERATION = '8' --The group of the file has changed
local SORT = {
NO_SORT = 'NS',
ALPHA_ASC = 'AA',
ALPHA_DSC = 'AD',
MTIME_ASC = 'MA',
MTIME_DSC = 'MD'
}
local STATE = {}
STATE.RUNNING = 'R'
STATE.UNKNOW = 'U'
STATE.IN_PROGRESS = 'P'
STATE.COMPLETED = 'C'
STATE.DISCONTINUED = 'D'
return {
FILE = FILE,
OUTPUT = OUTPUT,
EXIT = EXIT,
WATCHER = WATCHER,
SORT = SORT,
STATE = STATE
} |
local TallPlatformPattern = require('motras_blueprint_patterns.tall_platform_station')
local WidePlatformPattern = require('motras_blueprint_patterns.wide_platform_station')
local t = require("motras_types")
local Helper = {}
function Helper.getPattern(params, preferIslandPlatforms)
local platformModules = {
'station/rail/modules/motras_platform_270_era_c.module',
'station/rail/modules/motras_platform_200_era_c.module',
'station/rail/modules/motras_platform_250_era_c.module',
'station/rail/modules/motras_platform_350_era_c.module',
'station/rail/modules/motras_platform_380_era_c.module',
'station/rail/modules/motras_platform_550_era_c.module',
'station/rail/modules/motras_platform_580_era_c.module',
'station/rail/modules/motras_platform_635_era_c.module',
'station/rail/modules/motras_platform_680_era_c.module',
'station/rail/modules/motras_platform_730_era_c.module',
'station/rail/modules/motras_platform_760_era_c.module',
'station/rail/modules/motras_platform_840_era_c.module',
'station/rail/modules/motras_platform_900_era_c.module',
'station/rail/modules/motras_platform_915_era_c.module',
'station/rail/modules/motras_platform_920_era_c.module',
'station/rail/modules/motras_platform_960_era_c.module',
'station/rail/modules/motras_platform_1060_era_c.module',
'station/rail/modules/motras_platform_1080_era_c.module',
'station/rail/modules/motras_platform_1100_era_c.module',
'station/rail/modules/motras_platform_1150_era_c.module',
'station/rail/modules/motras_platform_1219_era_c.module',
'station/rail/modules/motras_platform_1250_era_c.module',
}
local patternOptions = {
preferIslandPlatforms = preferIslandPlatforms or false,
platformModule = platformModules[params.params.motras_platform_height + 1],
trackModule = params:getTrackModule(params.params.trackType, params.params.catenary),
trackCount = params:getTrackCount(),
horizontalSize = params:getHorizontalSize()
}
if params.params.motras_platform_width > 0 then
return WidePlatformPattern:new(patternOptions)
end
return TallPlatformPattern:new(patternOptions)
end
function Helper.placeUnderpass(platformBlueprint, params)
if params:getHorizontalSize() < 3 then
if platformBlueprint:getGridX() == 0 then
if params:isWidePlatform() and platformBlueprint:isIslandPlatform() then
if platformBlueprint:hasIslandPlatformSlots() then
platformBlueprint:addAsset(t.UNDERPASS, 'station/rail/modules/motras_underpass_large.module', 31)
end
else
platformBlueprint:addAsset(t.UNDERPASS, 'station/rail/modules/motras_underpass_small.module', 27)
end
end
return
end
if params:getHorizontalSize() % 2 == 0 then
if platformBlueprint:getGridX() == 0 then
if params:isWidePlatform() and platformBlueprint:isIslandPlatform() then
if platformBlueprint:hasIslandPlatformSlots() then
platformBlueprint:addAsset(t.UNDERPASS, 'station/rail/modules/motras_underpass_large.module', 30)
end
else
platformBlueprint:addAsset(t.UNDERPASS, 'station/rail/modules/motras_underpass_small.module', 26)
end
end
if platformBlueprint:getGridX() == -1 then
if params:isWidePlatform() and platformBlueprint:isIslandPlatform() then
if platformBlueprint:hasIslandPlatformSlots() then
platformBlueprint:addAsset(t.UNDERPASS, 'station/rail/modules/motras_underpass_large.module', 31)
end
else
platformBlueprint:addAsset(t.UNDERPASS, 'station/rail/modules/motras_underpass_small.module', 27)
end
end
else
if platformBlueprint:getGridX() == 0 then
if params:isWidePlatform() and platformBlueprint:isIslandPlatform() then
if platformBlueprint:hasIslandPlatformSlots() then
platformBlueprint:addAsset(t.UNDERPASS, 'station/rail/modules/motras_underpass_large.module', 29)
platformBlueprint:addAsset(t.UNDERPASS, 'station/rail/modules/motras_underpass_large.module', 32)
end
else
platformBlueprint:addAsset(t.UNDERPASS, 'station/rail/modules/motras_underpass_small.module', 25)
platformBlueprint:addAsset(t.UNDERPASS, 'station/rail/modules/motras_underpass_small.module', 28)
end
end
end
end
function Helper.placeRoof(platformBlueprint, params)
local hasDestinationDisplay = ((platformBlueprint:getGridX() >= 0) and (platformBlueprint:isInEveryNthSegmentFromCenter(2)))
or ((platformBlueprint:getGridX() < 0) and (not platformBlueprint:isInEveryNthSegmentFromCenter(2)))
print(platformBlueprint:getGridX())
print(platformBlueprint:getRelativeHorizontalDistanceToCenter())
print(hasDestinationDisplay)
print()
if platformBlueprint:getGridX() == 0 and params:getHorizontalSize() % 2 == 1 then
if params:getHorizontalSize() > 4 then
platformBlueprint:addAsset(t.ROOF, 'station/rail/modules/motras_roof_era_c_curved.module', 33, function(decorationBlueprint)
decorationBlueprint:decorate(t.ASSET_DECORATION_TRUSS_MOUNTED, params:getTheme():get('station_name_sign_truss_mounted'), 2)
decorationBlueprint:decorate(t.ASSET_DECORATION_TRUSS_MOUNTED, params:getTheme():get('station_name_sign_truss_mounted'), 4)
decorationBlueprint:decorate(t.ASSET_DECORATION_TRUSS_MOUNTED, params:getTheme():get('platform_number_truss_mounted'), 3)
if params:getTheme():has('speakers_truss_mounted') then
decorationBlueprint:decorate(t.ASSET_DECORATION_TRUSS_MOUNTED, params:getTheme():get('speakers_truss_mounted'), 1)
end
end)
else
platformBlueprint:addAsset(t.ROOF, 'station/rail/modules/motras_roof_era_c.module', 33, function(decorationBlueprint)
decorationBlueprint:decorate(t.ASSET_DECORATION_TRUSS_MOUNTED, params:getTheme():get('station_name_sign_truss_mounted'), 2)
decorationBlueprint:decorate(t.ASSET_DECORATION_TRUSS_MOUNTED, params:getTheme():get('station_name_sign_truss_mounted'), 4)
decorationBlueprint:decorate(t.ASSET_DECORATION_TRUSS_MOUNTED, params:getTheme():get('platform_number_truss_mounted'), 3)
if params:getTheme():has('speakers_truss_mounted') then
decorationBlueprint:decorate(t.ASSET_DECORATION_TRUSS_MOUNTED, params:getTheme():get('speakers_truss_mounted'), 1)
decorationBlueprint:decorate(t.ASSET_DECORATION_TRUSS_MOUNTED, params:getTheme():get('speakers_truss_mounted'), 5)
end
if not platformBlueprint:isSidePlatformTop() and (platformBlueprint:isSidePlatformBottom() or params:getPlatformVerticalSize() < 2 or platformBlueprint:hasIslandPlatformSlots()) then
decorationBlueprint:decorate(t.ASSET_DECORATION_CEILING_MOUNTED, params:getTheme():get('clock_ceiling_mounted'), 5)
if params:getTheme():get('camera_ceiling_mounted') then
decorationBlueprint:decorate(t.ASSET_DECORATION_CEILING_MOUNTED, params:getTheme():get('camera_ceiling_mounted'), 3)
decorationBlueprint:decorate(t.ASSET_DECORATION_CEILING_MOUNTED, params:getTheme():get('camera_ceiling_mounted'), 7)
end
if params:getTheme():get('destination_display_ceiling_mounted') then
decorationBlueprint:decorate(t.ASSET_DECORATION_CEILING_MOUNTED, params:getTheme():get('destination_display_ceiling_mounted'), 1)
end
end
if not platformBlueprint:isSidePlatformBottom() and (platformBlueprint:isSidePlatformTop() or params:getPlatformVerticalSize() < 2 or not platformBlueprint:hasIslandPlatformSlots()) then
decorationBlueprint:decorate(t.ASSET_DECORATION_CEILING_MOUNTED, params:getTheme():get('clock_ceiling_mounted'), 6)
if params:getTheme():get('camera_ceiling_mounted') then
decorationBlueprint:decorate(t.ASSET_DECORATION_CEILING_MOUNTED, params:getTheme():get('camera_ceiling_mounted'), 4)
decorationBlueprint:decorate(t.ASSET_DECORATION_CEILING_MOUNTED, params:getTheme():get('camera_ceiling_mounted'), 8)
end
if params:getHorizontalSize() > 1 and params:getTheme():has('destination_display_ceiling_mounted') then
decorationBlueprint:decorate(t.ASSET_DECORATION_CEILING_MOUNTED, params:getTheme():get('destination_display_ceiling_mounted'), 2)
end
end
end)
end
return
end
if params:getHorizontalSize() > 4 and platformBlueprint:getRelativeHorizontalDistanceToCenter() < params:getHorizontalSize() * 0.15 then
platformBlueprint:addAsset(t.ROOF, 'station/rail/modules/motras_roof_era_c_curved.module', 33, function(decorationBlueprint)
decorationBlueprint:decorate(t.ASSET_DECORATION_TRUSS_MOUNTED, params:getTheme():get('station_name_sign_truss_mounted'), 2)
decorationBlueprint:decorate(t.ASSET_DECORATION_TRUSS_MOUNTED, params:getTheme():get('station_name_sign_truss_mounted'), 4)
decorationBlueprint:decorate(t.ASSET_DECORATION_TRUSS_MOUNTED, params:getTheme():get('platform_number_and_clock_truss_mounted'), 3)
if params:getTheme():has('speakers_truss_mounted') then
decorationBlueprint:decorate(t.ASSET_DECORATION_TRUSS_MOUNTED, params:getTheme():get('speakers_truss_mounted'), 1)
end
if hasDestinationDisplay and params:getTheme():has('destination_display_ceiling_mounted') then
if not platformBlueprint:isSidePlatformTop() and (platformBlueprint:isSidePlatformBottom() or params:getPlatformVerticalSize() < 2 or platformBlueprint:hasIslandPlatformSlots()) then
decorationBlueprint:decorate(t.ASSET_DECORATION_CEILING_MOUNTED, params:getTheme():get('destination_display_ceiling_mounted'), 1)
end
if not platformBlueprint:isSidePlatformBottom() and (platformBlueprint:isSidePlatformTop() or params:getPlatformVerticalSize() < 2 or not platformBlueprint:hasIslandPlatformSlots()) then
decorationBlueprint:decorate(t.ASSET_DECORATION_CEILING_MOUNTED, params:getTheme():get('destination_display_ceiling_mounted'), 2)
end
end
end)
return
end
if platformBlueprint:getRelativeHorizontalDistanceToCenter() < params:getHorizontalSize() * 0.35 then
local isEndOfRoof = platformBlueprint:getGridX() >= 0
and platformBlueprint:getRelativeHorizontalDistanceToCenter() < params:getHorizontalSize() * 0.35
and platformBlueprint:getRelativeHorizontalDistanceToCenter() + 1 > params:getHorizontalSize() * 0.35
platformBlueprint:addAsset(t.ROOF, 'station/rail/modules/motras_roof_era_c.module', 33, function(decorationBlueprint)
decorationBlueprint:decorate(t.ASSET_DECORATION_TRUSS_MOUNTED, params:getTheme():get('station_name_sign_truss_mounted'), 2)
decorationBlueprint:decorate(t.ASSET_DECORATION_TRUSS_MOUNTED, params:getTheme():get('station_name_sign_truss_mounted'), 4)
decorationBlueprint:decorate(t.ASSET_DECORATION_TRUSS_MOUNTED, params:getTheme():get('platform_number_truss_mounted'), 3)
if params:getTheme():has('speakers_truss_mounted') then
decorationBlueprint:decorate(t.ASSET_DECORATION_TRUSS_MOUNTED, params:getTheme():get('speakers_truss_mounted'), 1)
if isEndOfRoof then
decorationBlueprint:decorate(t.ASSET_DECORATION_TRUSS_MOUNTED, params:getTheme():get('speakers_truss_mounted'), 5)
end
end
if not platformBlueprint:isSidePlatformTop() and (platformBlueprint:isSidePlatformBottom() or params:getPlatformVerticalSize() < 2 or platformBlueprint:hasIslandPlatformSlots()) then
decorationBlueprint:decorate(t.ASSET_DECORATION_CEILING_MOUNTED, params:getTheme():get('clock_ceiling_mounted'), 5)
if params:getTheme():get('camera_ceiling_mounted') then
decorationBlueprint:decorate(t.ASSET_DECORATION_CEILING_MOUNTED, params:getTheme():get('camera_ceiling_mounted'), 3)
decorationBlueprint:decorate(t.ASSET_DECORATION_CEILING_MOUNTED, params:getTheme():get('camera_ceiling_mounted'), 7)
end
if hasDestinationDisplay and params:getTheme():has('destination_display_ceiling_mounted') then
decorationBlueprint:decorate(t.ASSET_DECORATION_CEILING_MOUNTED, params:getTheme():get('destination_display_ceiling_mounted'), 1)
end
if params:getTheme():has('destination_display_ceiling_mounted') and isEndOfRoof and not platformBlueprint:isInEveryNthSegmentFromCenter(2) then
decorationBlueprint:decorate(t.ASSET_DECORATION_CEILING_MOUNTED, params:getTheme():get('destination_display_ceiling_mounted'), 9)
end
end
if not platformBlueprint:isSidePlatformBottom() and (platformBlueprint:isSidePlatformTop() or params:getPlatformVerticalSize() < 2 or not platformBlueprint:hasIslandPlatformSlots()) then
decorationBlueprint:decorate(t.ASSET_DECORATION_CEILING_MOUNTED, params:getTheme():get('clock_ceiling_mounted'), 6)
if params:getTheme():get('camera_ceiling_mounted') then
decorationBlueprint:decorate(t.ASSET_DECORATION_CEILING_MOUNTED, params:getTheme():get('camera_ceiling_mounted'), 4)
decorationBlueprint:decorate(t.ASSET_DECORATION_CEILING_MOUNTED, params:getTheme():get('camera_ceiling_mounted'), 8)
end
if hasDestinationDisplay and params:getTheme():has('destination_display_ceiling_mounted') then
decorationBlueprint:decorate(t.ASSET_DECORATION_CEILING_MOUNTED, params:getTheme():get('destination_display_ceiling_mounted'), 2)
end
if params:getTheme():has('destination_display_ceiling_mounted') and isEndOfRoof and not platformBlueprint:isInEveryNthSegmentFromCenter(2) then
decorationBlueprint:decorate(t.ASSET_DECORATION_CEILING_MOUNTED, params:getTheme():get('destination_display_ceiling_mounted'), 10)
end
end
end)
return
end
if params:getPlatformVerticalSize() > 1 and platformBlueprint:isIslandPlatform() then
if platformBlueprint:hasIslandPlatformSlots() then
platformBlueprint:addAsset(t.DECORATION, params:getTheme():get('lighting'), 46, function(decorationBlueprint)
decorationBlueprint:decorate(t.ASSET_DECORATION_TRUSS_MOUNTED, params:getTheme():get('platform_number_truss_mounted'), 3)
end)
end
else
platformBlueprint:addAsset(t.DECORATION, params:getTheme():get('lighting'), 45, function(decorationBlueprint)
decorationBlueprint:decorate(t.ASSET_DECORATION_TRUSS_MOUNTED, params:getTheme():get('platform_number_truss_mounted'), 3)
end)
end
end
function Helper.placeFencesOnPlatform(platformBlueprint, params)
if not params:isFenceEnabled() then
return
end
if platformBlueprint:isSidePlatformTop() then
platformBlueprint:addAsset(t.DECORATION, params:getFenceModule(), 47)
end
if platformBlueprint:isSidePlatformBottom() then
platformBlueprint:addAsset(t.DECORATION, params:getFenceModule(), 48)
end
end
function Helper.placeFencesOnTracks(trackBlueprint, params)
if not params:isTrackFencesEnabled() then
return
end
if trackBlueprint:isSidePlatformTop() then
trackBlueprint:addAsset(t.DECORATION, params:getTrackFenceModule(), 47)
end
if trackBlueprint:isSidePlatformBottom() then
trackBlueprint:addAsset(t.DECORATION, params:getTrackFenceModule(), 48)
end
end
function Helper.placeOppositeEntranceOnPlatform(platformBlueprint, params)
if params:isOppositeEntranceEnabled() and platformBlueprint:getGridX() == 0 and platformBlueprint:isSidePlatformBottom() then
if platformBlueprint:horizontalSizeIsOdd() then
platformBlueprint:addAsset(t.BUILDING, 'station/rail/modules/motras_side_building_stairs.module', 36)
else
platformBlueprint:addAsset(t.BUILDING, 'station/rail/modules/motras_side_building_stairs.module', 50)
end
end
end
function Helper.placeOppositeEntranceOnTracks(trackBlueprint, params)
if params:isOppositeEntranceEnabled() and trackBlueprint:getGridX() == 0 and trackBlueprint:isSidePlatformBottom() then
if trackBlueprint:horizontalSizeIsOdd() then
trackBlueprint:addAsset(t.BUILDING, 'station/rail/modules/motras_side_building_underpass.module', 36)
else
trackBlueprint:addAsset(t.BUILDING, 'station/rail/modules/motras_side_building_underpass.module', 50)
end
end
end
return Helper |
local handle_surface_placement = require("__subterra__.scripts.events.building.handle_surface_placement")
local handle_underground_placement = require("__subterra__.scripts.events.building.handle_underground_placement")
--============================================================================--
-- on_robot_built_entity(event)
--
-- event handler for defines.events.on_robot_built_entity
--
-- param entity (table): see factorio api docs for definition of event args
--
--============================================================================--
local on_robot_built_entity = function (event)
local robot = event.robot
local entity = event.created_entity
local surface = robot.surface
local layer = global.layers[surface.name]
if (not layer) or (layer.index == 1) then
handle_surface_placement(entity, robot, layer)
else
handle_underground_placement(entity, robot, layer)
end
end
return on_robot_built_entity |
file = "BIGLOG"
topic = "biglog"
autocreat = true
autoparti = false
rawcopy = false
|
-- A solution contains projects, and defines the available configurations
solution "CVector"
configurations { "Debug", "Release" }
location "build"
project "cvector"
location "build"
kind "ConsoleApp"
language "C"
files
{
"main.c",
"cvector_tests.c",
"cvector.h",
"cvector_short.h",
"cvector_f_struct.h"
}
--excludes { "vector_template.*", "vector_tests.c" }
--libdirs { }
links { "cunit" }
targetdir "build"
configuration "Debug"
defines { "DEBUG" }
flags { "Symbols" }
configuration "Release"
defines { "NDEBUG" }
flags { "Optimize" }
configuration { "linux", "gmake" }
buildoptions { "-ansi", "-pedantic-errors", "-fno-strict-aliasing", "-Wunused-variable", "-Wreturn-type" }
-- Same as main testing project except not -ansi so I can use POSIX strdup to make sure
-- the CVEC_STRDUP macro works when defined before cvector.h inclusion
project "cvec_strdup"
location "build"
kind "ConsoleApp"
language "C"
files
{
"main.c",
"cvector_tests.c",
"cvector.h",
"cvector_short.h",
"cvector_f_struct.h"
}
links { "cunit" }
targetdir "build"
defines { "USE_POSIX_STRDUP" }
configuration "Debug"
defines { "DEBUG" }
flags { "Symbols" }
configuration "Release"
defines { "NDEBUG" }
flags { "Optimize" }
configuration { "linux", "gmake" }
buildoptions { "-pedantic-errors", "-fno-strict-aliasing", "-Wunused-variable", "-Wreturn-type" }
project "cvectorcpp"
location "build"
kind "ConsoleApp"
language "C++"
files
{
"main2.cpp",
"cvector.h"
}
--excludes { "vector_template.*", "vector_tests.c" }
--libdirs { }
links { "cunit" }
targetdir "build"
configuration "Debug"
defines { "DEBUG" }
flags { "Symbols" }
configuration "Release"
defines { "NDEBUG" }
flags { "Optimize" }
configuration { "linux", "gmake" }
buildoptions { "-ansi", "-pedantic-errors", "-fno-strict-aliasing", "-Wunused-variable", "-Wreturn-type", "-x c++" }
|
local pack = require("eden.core.pack")
local path = require("eden.core.path")
local nlsp = require("lspconfig")
local remaps = require("eden.modules.protocol.lsp.remaps")
local filetype_attach = require("eden.modules.protocol.lsp.filetypes")
local premod = "eden.modules.protocol.lsp."
require(premod .. "cosmetics")
require(premod .. "handlers")
local status = require("eden.modules.protocol.lsp.status")
status.activate()
vim.opt.updatetime = 300
local function on_init(client)
client.config.flags = client.config.flags or {}
client.config.flags.allow_incremental_sync = true
end
local function on_attach(client, bufnr)
local filetype = vim.api.nvim_buf_get_option(0, "filetype")
remaps.set(client, bufnr)
status.on_attach(client)
require("lsp_signature").on_attach({})
filetype_attach[filetype](client)
vim.api.nvim_buf_set_option(bufnr, "omnifunc", "v:lua.vim.lsp.omnifunc")
if client.resolved_capabilities.document_formatting then
-- TODO: edn.au and edn.aug support buffer
vim.cmd([[
augroup LspAutoFormatting
autocmd!
autocmd BufWritePre <buffer> lua vim.lsp.buf.formatting_sync()
augroup END
]])
end
end
local capabilities = vim.lsp.protocol.make_client_capabilities()
capabilities = vim.tbl_deep_extend("keep", capabilities, status.capabilities)
capabilities.textDocument.completion.completionItem.snippetSupport = true
-- Packadding cmp-nvim-lsp if not added yet and updating capabilities
vim.cmd("packadd cmp-nvim-lsp")
local has_cmp, cmp_lsp = pcall(require, "cmp_nvim_lsp")
if has_cmp then
capabilities = cmp_lsp.update_capabilities(capabilities)
end
-- Server setup ----------------------------------------------------------------
--
-- A note on my setup for language servers. I use nix to manage my dotfiles. This
-- also make it easy to install the required language servers. See
-- `home/modules/shell/neovim.nix` on this nix module that controls my neovim
-- deployment. Because windows is awful and does not support nix I have setup
-- `nvim-lsp-installer`. This makes installing language servers on windows sane.
local installer = require("nvim-lsp-installer")
installer.settings({
log_level = vim.log.levels.DEBUG,
ui = {
icons = {
server_installed = "",
server_pending = "",
server_uninstalled = "",
},
},
})
local installed = {}
for _, v in ipairs(installer.get_installed_servers()) do
installed[v.name] = v
end
local servers = { "bashls", "cmake", "elmls", "gopls", "pyright", "rnix", "rust_analyzer", "vimls" }
local modlist = path.modlist(pack.modname .. ".protocol.lsp.servers")
for _, mod in ipairs(modlist) do
local name = mod:match("servers.(.+)$")
servers[name] = require(mod)
end
local default = { on_init = on_init, on_attach = on_attach, capabilities = capabilities }
local function basic_options(config, _, opts)
return vim.tbl_deep_extend("force", config, opts)
end
-- Setup servers in the server list
for k, v in pairs(servers) do
local is_basic = type(k) == "number"
local name = is_basic and v or k
local func = is_basic and basic_options or v["setup"]
local opts = installed[name] and installed[name]._default_options or {}
local config = func(vim.deepcopy(default), on_attach, opts)
nlsp[name].setup(config)
installed[name] = nil
end
-- Setup any installed servers that are not in the server list
for _, server in ipairs(installed) do
server:setup()
end
|
return {
arg = 1,
["assert"] = 4,
["collectgarbage"] = 3,
["dofile"] = 4,
["error"] = 1,
["_G"] = 1,
["getmetatable"] = 4,
["ipairs"] = 2,
["load"] = 4,
["loadfile"] = 4,
["next"] = 4,
["pairs"] = 4,
["pcall"] = 4,
["print"] = 1,
["rawequal"] = 1,
["rawget"] = 4,
["rawlen"] = 1,
["rawset"] = 4,
["select"] = 4,
["setmetatable"] = 4,
["tonumber"] = 3,
["tostring"] = 1,
["type"] = 1,
_VERSION = 1,
["xpcall"] = 4,
["require"] = 4,
}
|
object_tangible_furniture_house_cleanup_cts_naritus_painting = object_tangible_furniture_house_cleanup_shared_cts_naritus_painting:new {
}
ObjectTemplates:addTemplate(object_tangible_furniture_house_cleanup_cts_naritus_painting, "object/tangible/furniture/house_cleanup/cts_naritus_painting.iff")
|
local L = Apollo.GetPackage("Gemini:Locale-1.0").tPackage:NewLocale("MailHelper", "enUS", true)
L["Here's your stuff!"] = true
L["ButtonTakeAll"] = "Take All"
L["HeaderMailHelperOptions"] = "Mail Helper Options"
L["SubHeaderSettingsTakeAll"] = "Settings for Take All"
L["SubHeaderOtherSettings"] = "Settings for customizations"
L["OptionHarvestLoot"] = " Harvest Loot"
L["OptionMissedLoot"] = " Missed Loot"
L["OptionOtherMoneyAttMail"] = " Other Money and Attachments"
L["OptionChangeNewMailButtonLable"] = " Change New Mail Label" |
return Def.ActorFrame {
InitCommand=cmd(zoom,1.3);
LoadActor("Choice Extended B")..{
InitCommand=cmd(x,50;y,-90;zoom,1);
OnCommand=cmd(diffusealpha,0;linear,0.2;diffusealpha,0);
LoseFocusCommand=cmd(stoptweening;stopeffect;diffusealpha,0;zoom,1;linear,0.05;diffusealpha,1;zoom,1;x,60);
GainFocusCommand=cmd(stoptweening;linear,0.05;diffusealpha,0;zoom,1;x,50);
OffFocusedCommand=cmd(finishtweening;stopeffect;linear,0.2;diffusealpha,0;zoomy,0);
OffCommand=cmd(finishtweening;stopeffect;linear,0.2;diffusealpha,0;zoomy,0);
};
LoadActor("Choice Extended A")..{
InitCommand=cmd(x,50;y,-90;zoom,1);
OnCommand=cmd(diffusealpha,0;linear,0.2;diffusealpha,1);
GainFocusCommand=cmd(stoptweening;stopeffect;diffusealpha,0;zoom,1;linear,0.05;diffusealpha,1;zoom,1;x,50);
LoseFocusCommand=cmd(stoptweening;linear,0.05;diffusealpha,0;zoom,1;x,60);
OffFocusedCommand=cmd(finishtweening;stopeffect;linear,0.2;diffusealpha,0;zoomy,0);
};
LoadActor("_selectarrow")..{
InitCommand=cmd(x,-250;y,-90;zoomx,-1;);
OnCommand=cmd(diffusealpha,0;linear,0.2;diffusealpha,1);
GainFocusCommand=cmd(stoptweening;stopeffect;diffusealpha,0;linear,0.05;diffusealpha,1;zoomx,-1;x,-230;bob;effectmagnitude,10,0,0;effectperiod,0.7);
LoseFocusCommand=cmd(stoptweening;linear,0.05;diffusealpha,0;zoomx,0;x,-250);
OffFocusedCommand=cmd(finishtweening;stopeffect;linear,0.2;diffusealpha,0;zoom,0);
};
LoadActor("_selectarrow")..{
InitCommand=cmd(x,-300;y,-90;zoomx,-1;);
OnCommand=cmd(diffusealpha,0;linear,0.2;diffusealpha,1);
GainFocusCommand=cmd(stoptweening;stopeffect;diffusealpha,0;linear,0.05;diffusealpha,1;zoomx,-1;x,-280;bob;effectmagnitude,10,0,0;effectperiod,0.7);
LoseFocusCommand=cmd(stoptweening;linear,0.05;diffusealpha,0;zoomx,0;x,-300);
OffFocusedCommand=cmd(finishtweening;stopeffect;linear,0.2;diffusealpha,0;zoom,0);
};
}; |
include "shared.lua"
|
local reviced = {}
local ThreadClient = TriggerClientEvent
--/ Tak oto mamy skrypt w server side lecz wywoływany po cliencie dzięki czemu nie zdumpuje nikt ani
--/ nie będzie cheaterów umieszczając tutaj np. jakiś trigger od giveitem, bawcie się dowoli <3
local Client [=[
--/ Przykładowy KOD:
AddEventHandler('onClientResourceStop', function(resourceName)
--/Blokowanie stopowania skryptów
--/Trigger Ban/Logi
end)
]=]
RegisterServerEvent('szymczakovv:request')
AddEventHandler('szymczakovv:request', function()
local _source = source
if not reviced[_source] then
ThreadClient("szymczakovv:get", _source, Client)
reviced[_source] = true
end
end) |
return {
name = 'TextureType',
description = 'Types of textures (2D, cubemap, etc.)',
constants = {
{
name = '2d',
description = 'Regular 2D texture with width and height.',
},
{
name = 'array',
description = 'Several same-size 2D textures organized into a single object. Similar to a texture atlas / sprite sheet, but avoids sprite bleeding and other issues.',
},
{
name = 'cube',
description = 'Cubemap texture with 6 faces. Requires a custom shader (and Shader:send) to use. Sampling from a cube texture in a shader takes a 3D direction vector instead of a texture coordinate.',
},
{
name = 'volume',
description = '3D texture with width, height, and depth. Requires a custom shader to use. Volume textures can have texture filtering applied along the 3rd axis.',
},
},
} |
local function setup_findplanet(planet_map)
planet_map = planet_map or {}
_G.FindPlanet = setmetatable({}, {
__call = function(t, name)
return planet_map[name]
end
})
_G.FindPlanet.Get_All_Planets = function()
local all_planets = {}
for key, planet in pairs(planet_map) do
table.insert(all_planets, planet)
end
return all_planets
end
end
local function teardown_findplanet()
_G.FindPlanet = nil
end
return {
setup_findplanet = setup_findplanet,
teardown_findplanet = teardown_findplanet
} |
local Event = require('event')
local Logger = require('logger')
local Message = { }
local messageHandlers = {}
function Message.enable()
if not device.wireless_modem.isOpen(os.getComputerID()) then
device.wireless_modem.open(os.getComputerID())
end
if not device.wireless_modem.isOpen(60000) then
device.wireless_modem.open(60000)
end
end
if device and device.wireless_modem then
Message.enable()
end
Event.on('device_attach', function(event, deviceName)
if deviceName == 'wireless_modem' then
Message.enable()
end
end)
function Message.addHandler(type, f)
table.insert(messageHandlers, {
type = type,
f = f,
enabled = true
})
end
function Message.removeHandler(h)
for k,v in pairs(messageHandlers) do
if v == h then
messageHandlers[k] = nil
break
end
end
end
Event.on('modem_message',
function(event, side, sendChannel, replyChannel, msg, distance)
if msg and msg.type then -- filter out messages from other systems
local id = replyChannel
Logger.log('modem_receive', { id, msg.type })
--Logger.log('modem_receive', msg.contents)
for k,h in pairs(messageHandlers) do
if h.type == msg.type then
-- should provide msg.contents instead of message - type is already known
h.f(h, id, msg, distance)
end
end
end
end
)
function Message.send(id, msgType, contents)
if not device.wireless_modem then
error('No modem attached', 2)
end
if id then
Logger.log('modem_send', { tostring(id), msgType })
device.wireless_modem.transmit(id, os.getComputerID(), {
type = msgType, contents = contents
})
else
Logger.log('modem_send', { 'broadcast', msgType })
device.wireless_modem.transmit(60000, os.getComputerID(), {
type = msgType, contents = contents
})
end
end
function Message.broadcast(t, contents)
if not device.wireless_modem then
error('No modem attached', 2)
end
Message.send(nil, t, contents)
-- Logger.log('rednet_send', { 'broadcast', t })
-- rednet.broadcast({ type = t, contents = contents })
end
function Message.waitForMessage(msgType, timeout, fromId)
local timerId = os.startTimer(timeout)
repeat
local e, side, _id, id, msg, distance = os.pullEvent()
if e == 'modem_message' then
if msg and msg.type and msg.type == msgType then
if not fromId or id == fromId then
return e, id, msg, distance
end
end
end
until e == 'timer' and side == timerId
end
function Message.enableWirelessLogging()
Logger.setWirelessLogging()
end
return Message |
local Items = Object:extend()
function Items:new(image,room,x,y,tag)
self.x = x -- w/2
self.y = y -- h/2
self.image = image
self.w = self.image:getWidth()
self.h = self.image:getHeight()
self.room = room
self.tag = tag
self.visible = true
end
function Items:update(dt)
end
function Items:draw()
if self.visible == true then
if ending_leave == false then
love.graphics.setColor(1, 1, 1, 1)
if currentRoom == self.room then
love.graphics.draw(self.image,self.x,self.y)
end
else
if self.image == images["m_shoerack"] then
img_color = images["m_shoerack_color"]
elseif self.image == images["m_shelf"] then
img_color = images["m_shelf_color"]
elseif self.image == images["lr_display"] then
img_color = images["lr_display_color"]
elseif self.image == images["lr_portraits"] then
img_color = images["lr_portraits_color"]
elseif self.image == images["basement_battery"] then
img_color = images["basement_battery_color"]
end
love.graphics.setColor(1, 1, 1, 1)
if currentRoom == self.room then
love.graphics.draw(img_color,self.x,self.y)
end
end
end
end
function Items:returnTag()
if currentRoom == self.room then
for k,v in pairs(dialogue) do
if v.tag == self.tag then
if v.state == false then v.state = true end
-- if v.simpleMessage == true then v.simpleMessage = false end
if v.simpleMessage == false then
move = false
end
end
end
end
end
function Items:specialTag()
if currentRoom == self.room then
for k,v in pairs(dialogue) do
if v.tag == self.tag then
if v.tag == "chair" then
if v.state == false then v.state = true end
-- if v.simpleMessage == true then v.simpleMessage = false end
if v.simpleMessage == false then
move = false
end
end
end
end
end
end
function Items:stillLocked()
if currentRoom == self.room then
for k,v in pairs(dialogue) do
if v.tag == self.tag then
--if v.state == false then v.state = true end
--if v.simpleMessage == true then v.simpleMessage = false end
move = false
v._door = true
end
end
end
end
function Items:glow()
if move_chair == false then
if currentRoom == self.room then
for k,v in pairs(images) do
if self.image == v then
_glow = k
end
end
local glow = _glow .. "_glow"
local offY = images[glow]:getHeight()-self.image:getHeight()
local offX = images[glow]:getWidth()-self.image:getWidth()
love.graphics.setColor(1, 1, 1, 1)
love.graphics.draw(images[glow],self.x,self.y,0,1,1,offX/2,offY/2)
--love.graphics.rectangle("line",self.x,self.y,self.w,self.h)
end
end
end
function Items:checkFunction()
for k,v in pairs(obj) do
for i,o in pairs(dialogue) do
if o.tag == v.tag then
if v.tag and o.tag == "head" then
if obtainables["cabinet"] == false then
if self.tag == v.tag then
--sound
sounds.wood_drop:play()
o:special_text("You've used the hammer","the painting fell")
table.remove(obj,k)
local holes = Items(images.st_hole,images["stairRoom"],80,22,"hole")
table.insert(obj,holes)
end
end
elseif v.tag and o.tag == "ball" then
if obtainables["toy"] == false then
if self.tag == v.tag then
sounds.air_pump:play()
o:special_text("you used the air pumper","you've got the basketball")
table.remove(obj,k)
obtainables["toy"] = false
obtainables["gotBall"] = false
end
end
elseif v.tag and o.tag == "hoop" then
if obtainables["toy"] == false and obtainables["gotBall"] == false then
if self.tag == v.tag then
sounds.ball_in_hoop:play()
o:special_text("you put the ball inside","something clicked")
--remove a locked room
obtainables["hole"] = false
--locked["masterRoom_mid"] = false
if event == "" then event = "secret_room_first" end
--change the image or object of the hoop
table.remove(obj,k)
local hoop_ball = Items(images.store_hoop_ball,images["storageRoom"],115,22,"hoop_ball")
table.insert(obj,hoop_ball)
for k,v in pairs(dialogue) do
if v.tag == "hole" then
table.remove(dialogue,k)
local holes_box_open = Interact(false,{"The holes look like slashes","The box is open","Check inside?"},{"Check","Leave it"},"","hole")
table.insert(dialogue,holes_box_open)
end
end
end
end
elseif v.tag and o.tag == "sink" then
if self.tag == v.tag then
if obtainables["kitchen key"] == false and obtainables["crowbar"] == true then
sounds.item_got:play()
if tv_trigger == 0 then
tv_trigger = 1
end
o:special_text("there's a crowbar inside","you've picked it")
obtainables["crowbar"] = false
end
end
elseif v.tag and o.tag == "safe vault" then
if self.tag == v.tag then
if obtainables["crowbar"] == false then
--sound of crowbar hitting
sounds.crowbar:play()
sounds.crowbar:setLooping(false)
o:special_text("you've used the crowbar","the frame broke")
table.remove(obj,k)
local open_vault = Items(images.open_vault,images["secretRoom"],40,26,"open_vault")
table.insert(obj,open_vault)
end
end
elseif v.tag and o.tag == "rope" then
if self.tag == v.tag then
if attic_trigger == false then
--body falls with rats and dust
dust_trigger = true
attic_trigger = true
corpse_trigger = true
table.remove(obj,k)
local ladder = Items(images.ladder,images["secretRoom"],78,20,"ladder")
table.insert(obj,ladder)
local lad = Interact(false,{"It leads to the attic","Climb up?"},{"Yes","No"},"","ladder")
table.insert(dialogue,lad)
end
end
elseif v.tag and o.tag == "chest" then
if self.tag == v.tag then
if chest_open == false then
if obtainables["chest"] == false then
sounds.re_sound:play()
sounds.re_sound:setLooping(false)
o:special_text("You've got a key","It's for the basement")
chest_open = true
--event_trigger_light = 1
move = false
temp_clock = math.floor(clock)
do return end
else --still locked
if obtainables["clock"] == false then
obtainables["chest"] = false
sounds.item_got:play()
sounds.item_got:setLooping(false)
o:special_text("You've used the clock key","You've opened it")
do return end
else
o:special_text("","It's locked")
end
end
else
o:special_text("","there's nothing more here")
end
end
elseif v.tag and o.tag == "clock" then
if self.tag == v.tag then
if solved == false then
o:special_text(""," I must input the combination")
clock_puzzle = true
elseif solved == true then
if obtainables["clock"] == true then--not yet acquired
o:special_text("there's a key inside","you've got a clock key")
obtainables["clock"] = false
sounds.item_got:play()
enemy_exists = true
ghost.trigger = true
ghost.x = width + 10
ghost.y = 30
ghost.xscale = -1
ghost_event = "no escape"
ghost_chase = false
sounds.main_theme:stop()
sounds.intro_soft:stop()
sounds.finding_home:stop()
sounds.ts_theme:stop()
--sounds.they_are_gone:play()
--sounds.they_are_gone:setLooping(false)
--sounds.they_are_gone:setVolume(0.3)
do return end
elseif obtainables["clock"] == false then
o:special_text("","there's nothing more here")
end
end
end
--gun parts
elseif v.tag and o.tag == "shelf" then
if self.tag == v.tag then
if obtainables["gun1"] == true then
sounds.re_sound:play()
sounds.re_sound:setLooping(false)
o:special_text("you've got a revolver part","It's a barrel")
obtainables["gun1"] = false
temp_clock_gun = math.floor(clock)
end
end
elseif v.tag and o.tag == "candles left" or v.tag and o.tag == "candles right" then
if self.tag == v.tag then
if candles_light == false then
if obtainables["match"] == false then
--play sounds
sounds.match:play()
sounds.match:setLooping(false)
o:special_text("You've used the matchstick","Something clicked")
candles_light = true
candles_light_flag = true
--insert secret drawer
local secret_drawer = Items(images.s_drawer,images["masterRoom"],103,36,"secret drawer")
table.insert(obj,secret_drawer)
local secret_drawer_dial = Interact(false,{"It's a drawer","Search in it?"},{"yes","no"},"There's nothing more here","secret drawer")
table.insert(dialogue,secret_drawer_dial)
do return end
else
o:special_text("","there's nothing to light it with")
end
end
end
elseif v.tag and o.tag == "trash bin" then
if self.tag == v.tag then
if obtainables["match"] == true then
sounds.re_sound:play()
sounds.re_sound:setLooping(false)
obtainables["match"] = false
o:special_text("There's a matchstick","You've picked it up")
else
o:special_text("","There's nothing more here")
end
end
elseif v.tag and o.tag == "secret drawer" then
if self.tag == v.tag then
if obtainables["gun2"] == true then
obtainables["gun2"] = false
sounds.re_sound:play()
o:special_text("you've got a revolver part","It's a cylinder")
temp_clock_gun = math.floor(clock)
else
o:special_text("","There's nothing more here")
end
end
elseif v.tag and o.tag == "storage puzzle" then
if self.tag == v.tag then
if final_puzzle_solved == false then
if love.system.getOS() == "Android" or love.system.getOS() == "iOS" or debug == true then
love.keyboard.setTextInput(true)
end
word_puzzle = true
storage_puzzle = true
o:special_text("","")
do return end
else
if obtainables["gun3"] == true then
o:special_text("You've got a revolver part","It's the hammer")
sounds.re_sound:play()
obtainables["gun3"] = false
temp_clock_gun = math.floor(clock)
else
o:special_text("","There's nothing more here")
end
end
end
elseif v.tag and o.tag == "crib" then
if self.tag == v.tag then
random_page()
storage_puzzle = true
doodle_flag = true
end
elseif v.tag and o.tag == "kitchen table" then
if self.tag == v.tag then
if gun_rebuild == false then
if obtainables["gun1"] == false and
obtainables["gun2"] == false and
obtainables["gun3"] == false then
o:special_text("","I can rebuild the gun here")
gun_rebuild = true
gun_obtained = true
end
else
if obtainables["revolver"] == true then
sounds.re_sound:play()
sounds.re_sound:setLooping(false)
o:special_text("Done! It felt like ages.","You've got a revolver")
obtainables["revolver"] = false
else
o:special_text("","There's nothing more here")
end
end
end
elseif v.tag and o.tag == "battery" then
if self.tag == v.tag then
if light_refilled == false then
sounds.battery_refill:play()
sounds.battery_refill:setLooping(false)
o:special_text("","You've found a battery")
light_refilled = true
event_trigger_light = -2
else
o:special_text("","there's nothing more here")
end
end
elseif v.tag and o.tag == "ammo" then
if self.tag == v.tag then
if ammo_picked == false then
sounds.reload:play()
sounds.reload:setLooping(false)
o:special_text("","You've loaded the ammo")
ending_animate = true
reload_animate = true
ammo_picked = true
else
o:special_text("","There's nothing more here")
end
end
elseif v.tag and o.tag == "revolver2" then
if self.tag == v.tag then
if broken_revolver == false then
sounds.item_got:play()
o:special_text("","")
broken_revolver = true
v.visible = false
else
o:special_text("","There's nothing more here")
end
end
elseif v.tag and o.tag == "note" then
if self.tag == v.tag then
o:special_text("'She's still alive","S-stop her")
end
end
end
end
end
end
return Items
|
setInit(function()
AddObject(Mass_sun * 0.5, 0.1, 'Sun A', ColorFromName('Yellow'), Vector(-3 * Distance_au, 0, 0), Vector(0, -(2 * math.pi * Distance_au) / 3, 0))
AddObject(Mass_sun * 0.5, 0.1, 'Sun B', ColorFromName('Red'), Vector(3 * Distance_au, 0, 0), Vector(0, (2 * math.pi * Distance_au) / 3, 0))
AddObject(Mass_sun * 0.5, 0.1, 'Sun C', ColorFromName('Gold'), Vector(0, 3 * Distance_au, 0), Vector(-(2 * math.pi * Distance_au) / 3, 0, 0))
AddObject(Mass_sun * 0.5, 0.1, 'Sun D', ColorFromName('OrangeRed'), Vector(0, -3 * Distance_au, 0), Vector((2 * math.pi * Distance_au) / 3, 0, 0))
AddObject(Mass_sun * 0.5, 0.1, 'Sun E', ColorFromName('White'))
end) |
local xml2lua = require "xml2lua"
local tree = require "xmlhandler.tree"
return {
decode = function(encoded)
encoded = encoded or ""
local decoded = tree:new()
local parser = xml2lua.parser(decoded)
parser:parse(encoded)
return decoded
end,
encode = function(decoded, name)
return xml2lua.toXml(decoded, name)
end
} |
TUTORIALS['en'][#TUTORIALS['en'] + 1] = {
name = "Catching Skill",
contents = {
{type = CONTENT_TYPES.IMAGE, value = "/images/tutorial/catching_skill.png"},
{type = CONTENT_TYPES.TEXT, value = "Among other skills of your character, one of them is the catching. This is a skill that you can advance by trying to catch Pokemon, the higher your level of catch, the greater your chance of success when trying to catch a Pokemon.\n\nTo check the level of your skills, press the Ctrl + S."},
{type = CONTENT_TYPES.IMAGE, value = "/images/tutorial/fishing_skill.png"},
}
} |
--!A cross-platform build utility based on Lua
--
-- Licensed to the Apache Software Foundation (ASF) under one
-- or more contributor license agreements. See the NOTICE file
-- distributed with this work for additional information
-- regarding copyright ownership. The ASF licenses this file
-- to you under the Apache License, Version 2.0 (the
-- "License"); you may not use this file except in compliance
-- with the License. You may obtain a copy of the License at
--
-- http://www.apache.org/licenses/LICENSE-2.0
--
-- Unless required by applicable law or agreed to in writing, software
-- distributed under the License is distributed on an "AS IS" BASIS,
-- WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-- See the License for the specific language governing permissions and
-- limitations under the License.
--
-- Copyright (C) 2015 - 2019, TBOOX Open Source Group.
--
-- @author ruki
-- @file load.lua
--
-- imports
import("core.project.config")
-- load it
function main(platform)
-- init flags for architecture
local arch = config.get("arch") or os.arch()
-- init flags for asm
platform:add("yasm.asflags", "-f", arch == "x64" and "win64" or "win32")
-- init flags for dlang
local dc_archs = { x86 = "-m32", x64 = "-m64" }
platform:add("dcflags", dc_archs[arch])
platform:add("dc-shflags", dc_archs[arch])
platform:add("dc-ldflags", dc_archs[arch])
-- init flags for cuda
local cu_archs = { x86 = "-m32 -Xcompiler -m32", x64 = "-m64 -Xcompiler -m64" }
platform:add("cuflags", cu_archs[arch] or "")
platform:add("cu-shflags", cu_archs[arch] or "")
platform:add("cu-ldflags", cu_archs[arch] or "")
local cuda_dir = config.get("cuda")
if cuda_dir then
platform:add("cuflags", "-I" .. os.args(path.join(cuda_dir, "include")))
platform:add("cu-ldflags", "-L" .. os.args(path.join(cuda_dir, "lib")))
platform:add("cu-shflags", "-L" .. os.args(path.join(cuda_dir, "lib")))
end
end
|
require("prototypes.entity.underground-belt.underground-belt-6-remnants")
data:extend(
{
{
type = "underground-belt",
name = "underground-belt-6",
icon = "__spicy-teeth-mbt_assets__/graphics/icons/underground-belt-6.png",
icon_size = 32,
flags = {"placeable-neutral", "player-creation"},
minable = {mining_time = 0.1, result = "underground-belt-6"},
max_health = 200,
corpse = "underground-belt-6-remnants",
max_distance = 15,
underground_sprite =
{
filename = "__core__/graphics/arrows/underground-lines.png",
priority = "high",
width = 64,
height = 64,
x = 64,
scale = 0.5
},
underground_remove_belts_sprite =
{
filename = "__core__/graphics/arrows/underground-lines-remove.png",
priority = "high",
width = 64,
height = 64,
x = 64,
scale = 0.5
},
resistances =
{
{
type = "fire",
percent = 60
},
{
type = "impact",
percent = 30
}
},
collision_box = {{-0.4, -0.4}, {0.4, 0.4}},
selection_box = {{-0.5, -0.5}, {0.5, 0.5}},
animation_speed_coefficient = 32,
belt_animation_set = tier_6_belt_animation_set,
fast_replaceable_group = "transport-belt",
next_upgrade = "underground-belt-7",
speed = 0.25,
structure =
{
direction_in =
{
sheet =
{
filename = "__spicy-teeth-mbt_assets__/graphics/entity/underground-belt-6/underground-belt-6-structure.png",
priority = "extra-high",
width = 96,
height = 96,
y = 96,
hr_version =
{
filename = "__spicy-teeth-mbt_assets__/graphics/entity/underground-belt-6/hr-underground-belt-6-structure.png",
priority = "extra-high",
width = 192,
height = 192,
y = 192,
scale = 0.5
}
}
},
direction_out =
{
sheet =
{
filename = "__spicy-teeth-mbt_assets__/graphics/entity/underground-belt-6/underground-belt-6-structure.png",
priority = "extra-high",
width = 96,
height = 96,
hr_version =
{
filename = "__spicy-teeth-mbt_assets__/graphics/entity/underground-belt-6/hr-underground-belt-6-structure.png",
priority = "extra-high",
width = 192,
height =192,
scale = 0.5
}
}
},
direction_in_side_loading =
{
sheet =
{
filename = "__spicy-teeth-mbt_assets__/graphics/entity/underground-belt-6/underground-belt-6-structure.png",
priority = "extra-high",
width = 96,
height = 96,
y = 96*3,
hr_version =
{
filename = "__spicy-teeth-mbt_assets__/graphics/entity/underground-belt-6/hr-underground-belt-6-structure.png",
priority = "extra-high",
width = 192,
height = 192,
y = 192*3,
scale = 0.5
}
}
},
direction_out_side_loading =
{
sheet =
{
filename = "__spicy-teeth-mbt_assets__/graphics/entity/underground-belt-6/underground-belt-6-structure.png",
priority = "extra-high",
width = 96,
height = 96,
y = 96*2,
hr_version =
{
filename = "__spicy-teeth-mbt_assets__/graphics/entity/underground-belt-6/hr-underground-belt-6-structure.png",
priority = "extra-high",
width = 192,
height = 192,
y = 192*2,
scale = 0.5
}
}
},
back_patch =
{
sheet =
{
filename = "__spicy-teeth-mbt_assets__/graphics/entity/underground-belt-6/underground-belt-6-structure-back-patch.png",
priority = "extra-high",
width = 96,
height = 96,
hr_version =
{
filename = "__spicy-teeth-mbt_assets__/graphics/entity/underground-belt-6/hr-underground-belt-6-structure-back-patch.png",
priority = "extra-high",
width = 192,
height = 192,
scale = 0.5
}
}
},
front_patch =
{
sheet =
{
filename = "__spicy-teeth-mbt_assets__/graphics/entity/underground-belt-6/underground-belt-6-structure-front-patch.png",
priority = "extra-high",
width = 96,
height = 96,
hr_version =
{
filename = "__spicy-teeth-mbt_assets__/graphics/entity/underground-belt-6/hr-underground-belt-6-structure-front-patch.png",
priority = "extra-high",
width = 192,
height = 192,
scale = 0.5
}
}
}
}
},
}
)
|
local lib={name="Rec"}
local reqLocations = {"","lib/","libs/","Lib/","Libs/","Base-Libs/","BLibs/","BaseLibs/","base-libs/","blibs/","baselibs/"}
for i = 6,#reqLocations do
for j=2,6 do
table.insert(reqLocations,reqLocations[j].."/"..reqLocations[i])
end
end
local function safeRequire(...)
local v,success,val
for i=1,select('#',...) do
v = (select(i,...))
for ii,iv in ipairs(reqLocations) do
success,val = pcall(function () return require(iv..v) end)
if success then return val end
end
end
end
local Vec=assert(_VECTOR or safeRequire("Vec"), "Cannot find/use 'Vec.lua', this is a requirement for "..lib.name.." to function!")
if type(Vec)=="function" then Vec = Vec() end
local Line = _LINE or safeRequire("Line")
local _RECTANGLE={0,0,0,0,type="rectangle",_CACHE={C=0}}
local _CACHE = _RECTANGLE._CACHE
_RECTANGLE.x=1
_RECTANGLE.X=1
_RECTANGLE.left=1
_RECTANGLE.Left=1
_RECTANGLE.LEFT=1
_RECTANGLE.y=2
_RECTANGLE.Y=2
_RECTANGLE.top=2
_RECTANGLE.Top=2
_RECTANGLE.TOP=2
_RECTANGLE.w=3
_RECTANGLE.W=3
_RECTANGLE.width=3
_RECTANGLE.Width=3
_RECTANGLE.WIDTH=3
_RECTANGLE.h=4
_RECTANGLE.H=4
_RECTANGLE.height=4
_RECTANGLE.Height=4
_RECTANGLE.HEIGHT=4
_RECTANGLE.meta={}
_RECTANGLE.data={}
-- util
local function min(a,b)
return a<b and a or b
end
local function max(a,b)
return a>b and a or b
end
-- horiz
function _RECTANGLE.l(v,iv)
if iv then
v.x=iv
end
return v.x
end
_RECTANGLE.L=_RECTANGLE.l
function _RECTANGLE.r(v,iv)
if iv then
v.x=iv-v.w
end
return v.x+v.w
end
_RECTANGLE.R=_RECTANGLE.r
-- vert
function _RECTANGLE.t(v,iv)
if iv then
v.y=iv.y
end
return v.y
end
_RECTANGLE.T=_RECTANGLE.t
function _RECTANGLE.b(v,iv)
if iv then
v.y=iv-v.h
end
return v.y+v.h
end
_RECTANGLE.B=_RECTANGLE.b
-- mid
function _RECTANGLE.mx(v,iv)
if iv then
v.x=iv-v.w/2
end
return v.x+v.w/2
end
_RECTANGLE.MX=_RECTANGLE.mx
function _RECTANGLE.my(v,iv)
if iv then
v.y=iv-v.h/2
end
return v.y+v.h/2
end
_RECTANGLE.MY=_RECTANGLE.my
-- corners
-- top left
function _RECTANGLE.pos(v,iv)
if iv then
v.x=iv.x
if v.dir=="tl" then
v.b=iv.y
else
v.y=iv.y
end
else
if v.dir=="tl" then
return Vec(v.x,v.b)
else
return Vec(v.x,v.y)
end
end
end
_RECTANGLE.pos1 = _RECTANGLE.pos
-- top right
function _RECTANGLE.pos2(v,iv)
if iv then
v.r = iv.r
if v.dir=="tr" then
v.b=iv.y
else
v.y=iv.y
end
else
if v.dir=="tr" then
return Vec(v.r,v.b)
else
return Vec(v.r,v.y)
end
end
end
-- bottom right
function _RECTANGLE.pos3(v,iv)
if iv then
v.r=iv.x
if v.dir=="br" then
v.y=iv.y
else
v.b=iv.y
end
else
if v.dir=="br" then
return Vec(v.r,v.y)
else
return Vec(v.r,v.b)
end
end
end
-- bottom left
function _RECTANGLE.pos4(v,iv)
if iv then
v.x = iv.x
if v.dir=="bl" then
v.y=iv.y
else
v.b=iv.y
end
else
if v.dir=="bl" then
return Vec(v.x,v.y)
else
return Vec(v.x,v.b)
end
end
end
function _RECTANGLE.pos5(v,iv)
if iv then
v.mx=iv.x
v.my=iv.y
end
return Vec(v.mx,v.my)
end
-- other??
function _RECTANGLE.dims(v,iv)
if iv then
v.w=iv.x
v.h=iv.y
end
return Vec(v.w,v.h)
end
function _RECTANGLE.slope(v)
if _LINE then
if v.dir then
if v.dir == "tl" then
return _LINE(v[1],v[2]+v[4],v[1]+v[3],v[2])
elseif v.dir == "tr" then
return _LINE(v[1],v[2],v[1]+v[3],v[2]+v[4])
elseif v.dir == "br" then
return _LINE(v[1]+v[3],v[2],v[1],v[2]+v[4])
elseif v.dir == "bl" then
return _LINE(v[2]+v[4],v[1],v[2],v[1]+v[3])
end
end
else
error("Line.lua not found or added, it is a requirement for slope()!")
end
end
-- end of properties
for k,v in pairs(_RECTANGLE) do
_RECTANGLE.data[k]=v
end
-- ==========================================
_RECTANGLE.type="rectangle"
function _RECTANGLE.sPos(v,i)
i = (i-1)%3+1
if v.dir=="tl" then
if i==1 then return Vec(v.x,v.b)
elseif i==2 then return Vec(v.r,v.y)
elseif i==3 then return Vec(v.r,v.b)
end
elseif v.dir=="tr" then
if i==1 then return Vec(v.x,v.y)
elseif i==2 then return Vec(v.r,v.b)
elseif i==3 then return Vec(v.x,v.b)
end
elseif v.dir=="br" then
if i==1 then return Vec(v.x,v.y)
elseif i==2 then return Vec(v.r,v.y)
elseif i==3 then return Vec(v.x,v.b)
end
elseif v.dir=="bl" then
if i==1 then return Vec(v.x,v.y)
elseif i==2 then return Vec(v.r,v.y)
elseif i==3 then return Vec(v.r,v.b)
end
end
end
function _RECTANGLE.sPosList(v)
return {v:sPos(1),v:sPos(2),v:sPos(3)}
end
function _RECTANGLE.corner(v,i)
i = (i-1)%4+1
if i==1 then return Vec(v.x,v.y)
elseif i==2 then return Vec(v.r,v.y)
elseif i==3 then return Vec(v.r,v.b)
elseif i==4 then return Vec(v.x,v.b)
end
end
function _RECTANGLE.aPos(v,i)
i = (i-1)%(v.dir and 3 or 4)+1
if v.dir=="tl" then
if i==1 then return Vec(v.x,v.b)
elseif i==2 then return Vec(v.r,v.y)
elseif i==3 then return Vec(v.r,v.b)
end
elseif v.dir=="tr" then
if i==1 then return Vec(v.x,v.y)
elseif i==2 then return Vec(v.r,v.b)
elseif i==3 then return Vec(v.x,v.b)
end
elseif v.dir=="br" then
if i==1 then return Vec(v.x,v.y)
elseif i==2 then return Vec(v.r,v.y)
elseif i==3 then return Vec(v.x,v.b)
end
elseif v.dir=="bl" then
if i==1 then return Vec(v.x,v.y)
elseif i==2 then return Vec(v.r,v.y)
elseif i==3 then return Vec(v.r,v.b)
end
else
if i==1 then return Vec(v.x,v.y)
elseif i==2 then return Vec(v.r,v.y)
elseif i==3 then return Vec(v.r,v.b)
elseif i==4 then return Vec(v.x,v.b)
end
end
end
function _RECTANGLE.corners(v)
return {Vec(v.x,v.y),Vec(v.r,v.y),Vec(v.r,v.b),Vec(v.x,v.b)}
end
function _RECTANGLE.intersect(v,iv)
return( v.r>=iv.l and
v.l<=iv.r and
v.t<=iv.b and
v.b>=iv.t)
end
function _RECTANGLE.relate(v,iv)
-- ALL DISTANCES POSITIVE
return v.l-iv.r, -- distance to the left
iv.l-v.r, -- distance to the right
v.t-iv.b, -- distance up
iv.t-v.b -- distance down
end
function _RECTANGLE.fullIntersect(v,iv)
return v:intersect(iv),v:relate(iv)
end
function _RECTANGLE.intersection(v,iv)
local x = max(v.x,iv.x)
local y = max(v.y,iv.y)
local w = v.r < iv.r and v.r-x or iv.r-x
local h = v.b < iv.b and v.b-y or iv.b-y
return _RECTANGLE(x,y,w,h)
end
function _RECTANGLE.expelDir(v,iv)
local l1,r1,u1,d1 = v:relate(iv)
l = math.abs(l1)
r = math.abs(r1)
u = math.abs(u1)
d = math.abs(d1)
if l<r and l<u and l<d then
return 1,l1,r1,u1,d1
elseif r<l and r<u and r<d then
return 2,l1,r1,u1,d1
elseif u<l and u<r and u<d then
return 3,l1,r1,u1,d1
elseif d<l and d<r and d<u then
return 4,l1,r1,u1,d1
end
end
function _RECTANGLE.SATIntersect(self,other)
local within = true
for i = 1,self.dir and 3 or 4 do
local v = Line.fromRecI(self,i)
local within1 = v:SATPointsRec(other)
within = within and within1
v:del()
end
for i = 1,other.dir and 3 or 4 do
local v = Line.fromRecI(other,i)
local within1 = v:SATPointsRec(self)
within = within and within1
end
return within
end
function _RECTANGLE.SATNearest(self,other,getDelta,getImpact)
local within = true
local nearestSide,nearestPoint,nearest = 1,1,-math.huge
local point,impact
local within1,minI,minimum,v
local typeA = true
-- check other rectangle's points (this rec's perspective)
-- accurately determines nearest point and side
-- partially determines boolean
-- if this defines nearest, we have an intersection type A - dynamic corner into static side.
-- this means our impact is the dynamic corner, and the delta is a projection of the corner
-- onto the static side.
for i=1,other.dir and 3 or 4 do
v = Line.fromRecI(other,i)
within1,minI,minimum = v:SATPointsRec(self,true)
within = within and within1
if minimum > nearest then
nearestSide = i
nearestPoint = minI
nearest = minimum
typeA = true
end
v:del()
end
-- check this rectangle's points (other rec's perspective)
-- finishes determining boolean
-- if this defines nearest, we have a type B - static corner into dynamic side.
-- this means our impact is the static corner, and the delta is a projection of the corner
-- onto the dynamic side.
for i=1,self.dir and 3 or 4 do
v = Line.fromRecI(self,i)
within1,minI,minimum = v:SATPointsRec(other,true)
within = within and within1
if minimum > nearest then
nearestSide = i
nearestPoint = minI
nearest = minimum
typeA = false
end
v:del()
end
if within and typeA then
if getDelta then
local nearCorner = self:aPos(nearestPoint)
local _,point = Line.fromRecI(other,nearestSide):del():projVec(nearCorner,true)
delta = point-nearCorner
nearCorner:del()
end
if getImpact then
impact = self:aPos(nearestPoint)
end
elseif within then
if getDelta then
local nearCorner = other:aPos(nearestPoint)
local _,point = Line.fromRecI(self,nearestSide):del():projVec(nearCorner,true)
delta = nearCorner-point
nearCorner:del()
end
if getImpact then
impact = other:aPos(nearestPoint)
end
end
return within,
typeA,
nearestSide,
nearestPoint,
nearest,
(getDelta and delta) or (getImpact and impact),
(getImpact and getDelta and impact)
end
function _RECTANGLE.SATExpel(self,other,getDelta)
if self:intersect(other) then
local within,typeA,nearestSideI,nearestPointI,nearestDist,delta = self:SATNearest(other,true)
if within then
self.x = self.x + delta.x
self.y = self.y + delta.y
if getDelta then
return delta
else
delta:del()
end
end
end
end
function _RECTANGLE.expel(v,iv)
if v:intersect(iv) then
local dir,l,r,u,d = v:expelDir(iv)
if dir==1 then
v.x = v.x - l
return Vec(-1,0)
elseif dir==2 then
v.x = v.x + r
return Vec(1,0)
elseif dir==3 then
v.y = v.y - u
return Vec(0,-1)
elseif dir==4 then
v.y = v.y + d
return Vec(0,1)
end
end
end
function _RECTANGLE.fit(v,iv,copy)
if copy then
local r = v:copy()
r.x = math.min(math.max(r.x,iv.x),iv.r-r.w)
r.y = math.min(math.max(r.y,iv.y),iv.b-r.h)
return r
else
v.x = math.min(math.max(v.x,iv.x),iv.r-v.w)
v.y = math.min(math.max(v.y,iv.y),iv.b-v.h)
return v
end
end
function _RECTANGLE.copy(v,dx,dy,dw,dh,mod)
if mod then
for k,v in pairs(v) do
mod[k] = v
end
end
dx=dx or 0
dy=dy or 0
dw=dw or 0
dh=dh or 0
return _RECTANGLE(v.x+dx,v.y+dy,v.w+dw,v.h+dh,mod)
end
function _RECTANGLE.multiply(v,val)
return _RECTANGLE(v.x*val,v.y*val,v.w*val,v.h*val)
end
local function iter(self,other)
if other.r<self.r then
other.x = other.x + other.w
elseif other.b<self.b then
other.x = other._ITERSTARTX
other.y = other.y + other.h
else
return nil
end
return other,other
end
function _RECTANGLE.iter(self,other)
other._ITERSTARTX = other.x
other.x = other.x - other.w
return iter,self,other
end
function _RECTANGLE.regressB(self,vec)
return _VECTOR(math.floor((vec.x-self.x)/self.w)+1,math.floor((vec.y-self.y)/self.h)+1)
end
function _RECTANGLE.regress(self,area,vec)
local v = self:regressB(vec)
return v.x+v.y*math.floor(area.w/self.w)
end
function _RECTANGLE.unpack(self)
return self[1],self[2],self[3],self[4]
end
function _RECTANGLE.loadLine(_LINE)
Line = _LINE or _G.LINE
end
function _RECTANGLE.__index(t,k)
if type(_RECTANGLE[k])=='function' and _RECTANGLE.data[k] then
return _RECTANGLE[k](t)
elseif _RECTANGLE[k] and _RECTANGLE.data[k] then
return t[_RECTANGLE[k]]
elseif _RECTANGLE[k] then
return _RECTANGLE[k]
else
return nil
end
end
function _RECTANGLE.__newindex(t,k,v)
if type(_RECTANGLE[k])=='function' and _RECTANGLE.data[k] then
_RECTANGLE[k](t,v)
elseif _RECTANGLE[k] and _RECTANGLE.data[k] then
t[_RECTANGLE[k]]=v
else
rawset(t,k,v)
end
end
function _RECTANGLE.__tostring(v)
local ret={'[',tostring(v.pos1),',',tostring(v.dims),']'}
return table.concat(ret)
end
function _RECTANGLE.__eq(a,b)
return a.pos1==b.pos1 and a.pos4==b.pos4
end
function _RECTANGLE.meta.__call(t,x,y,w,h,v)
--print(t,x,y,w,h,v)
local v = v or nil
if not v and _CACHE.C>0 then
v = table.remove(_CACHE,_CACHE.C)
v.dir = nil
_CACHE.C = _CACHE.C-1
elseif not v then
v = {}
end
v[1] = x
v[2] = y
v[3] = w
v[4] = h
return setmetatable(v,_RECTANGLE)
end
function _RECTANGLE.del(v)
_CACHE.C = _CACHE.C + 1
_CACHE[_CACHE.C] = v
return v
end
setmetatable(_RECTANGLE,_RECTANGLE.meta)
local function ret(...)
local args={...}
_G._RECTANGLE = _RECTANGLE
for i,v in ipairs(args) do
if type(v)=='string' then
_G[v]=_RECTANGLE
else
v=_RECTANGLE
end
end
return _RECTANGLE
end
return ret
--[[
--A bit of code for a modified json lib, stored here for future potential.
json.encoders.rectangle = function(val,op)
return "{\"type\":\"rectangle\",\"x\":"..val.x..",\"y\":"..val.y..",\"w\":"..val.w..",\"h\":"..val.h.."}"
end
json.decoders.rectangle = function(val)
local x,y,w,h = val.x,val.y,val.w,val.h
val.x,val.y,val.w,val.h = nil,nil,nil,nil
return (Rec(x,y,w,h,val))
end
]]-- |
function main()
for f in factions() do
if f.race=="demon" then
f.flags = 2147484672
for u in f.units do
u.building.size = 2
u.building.name = u.region.name .. " Keep"
u.name = "Lord " .. u.region.name
u:add_item("money", 1000-u:get_item("money"))
end
else
u = f.units()
u:add_item("money", 1000-u:get_item("money"))
u:add_item("adamantium", 1-u:get_item("adamantium"))
end
end
for r in regions() do for u in r.units do
print(u)
things = ""
comma = ""
for i in u.items do
things = things .. comma .. u:get_item(i) .. " " .. i
comma = ", "
end
print(' - ' .. things)
end end
end
if eressea==nil then
print("this script is part of eressea")
else
read_xml()
eressea.read_game('0.dat')
main()
eressea.write_game('0.dat')
print('done')
end
|
-------------------------------
--Water Dragon Tool/Suit Thing-
-------------------------------
Being_Dragon = "rigletto"
Riders = {"Person"}
Joints = 30
BrickColor = BrickColor.new("Bright blue")
Transparency = 0
Reflectance = 0
Speed = 2
Gap = 0
Away = 2
Length = 4
Distance = Length/2
Size = Vector3.new(2, 1, Length)
Players = Game:GetService("Players")
Workspace = Game:GetService("Workspace")
Debris = Game:GetService("Debris")
Player = Players:FindFirstChild(Being_Dragon)
Character = Player["Character"]
pcall(function ()
Character:FindFirstChild("Dragon"):Destroy()
end)
Dragon = Instance.new("Model", Character)
Dragon.Name = "Dragon"
Tail = Instance.new("Model", Dragon)
Tail.Name = "Tail"
Tail_2 = Instance.new("Model", Dragon)
Tail_2.Name = "Tail 2"
Main_Joint = Instance.new("Part", Tail_2)
Main_Joint.Name = "Main_Joint"
Main_Joint.FormFactor = "Symmetric"
Main_Joint.BrickColor = BrickColor
Main_Joint.CanCollide = true
Main_Joint.Elasticity = 0
Main_Joint.Friction = 1
Main_Joint.Reflectance = Reflectance
Main_Joint.Transparency = Transparency
Main_Joint.TopSurface = 0
Main_Joint.BottomSurface = 0
Main_Joint.RightSurface = 0
Main_Joint.LeftSurface = 0
Main_Joint.FrontSurface = 0
Main_Joint.BackSurface = 0
Main_Joint.Size = Size
Main_Joint.CFrame = CFrame.new(0, 10, Size.Z/1.25 * 1) * CFrame.Angles(0, 0, 0)
Main_Joint.Anchored = true
Main_Joint.Locked = true
Main_Joint_Mesh = Instance.new("SpecialMesh", Main_Joint)
Main_Joint_Mesh.Name = "Main_Joint_Mesh"
Main_Joint_Mesh.MeshType = "Brick"
Main_Joint_Mesh.Scale = Vector3.new(1.25, 1, 1)
for i = 1, Joints-1 do
Joint = Instance.new("Part", Tail)
Joint.Name = "Joint "..i..""
Joint.FormFactor = "Symmetric"
Joint.BrickColor = BrickColor
Joint.CanCollide = true
Joint.Elasticity = 0
Joint.Friction = 1
Joint.Reflectance = Reflectance
Joint.Transparency = Transparency
Joint.TopSurface = 0
Joint.BottomSurface = 0
Joint.RightSurface = 0
Joint.LeftSurface = 0
Joint.FrontSurface = 0
Joint.BackSurface = 0
Joint.Size = Size
Joint.CFrame = CFrame.new(0, 10, Size.Z/1.25 * i) * CFrame.Angles(0, 0, 0)
Joint.Anchored = true
Joint.Locked = true
Joint_Mesh = Instance.new("SpecialMesh", Joint)
Joint_Mesh.Name = "Joint_Mesh"
Joint_Mesh.MeshType = "Brick"
if i <= Joints - 3 then
Joint_Mesh.Scale = Vector3.new(1.25, 1, 1)
else
if i == Joints - 2 then
Joint_Mesh.Scale = Vector3.new(1, 0.75, 1)
else
if i == Joints - 1 then
Joint_Mesh.Scale = Vector3.new(0.75, 0.50, 1)
end
end
end
end
function Resize(X, Y, Z)
Length = Z
Distance = Length/2
for i, v in pairs(Tail:GetChildren()) do
v.Size = Vector3.new(X, Y, Z)
end
end
Backpack = Player:FindFirstChild("Backpack")
if script.Parent.className ~= "HopperBin" then
HopperBin = Instance.new("HopperBin", Backpack)
HopperBin.Name = "Water Dragon"
script.Parent = HopperBin
end
MouseDown = false
function Button1Down(Mouse)
MouseDown = true
end
function Button1Up(Mouse)
MouseDown = false
end
function selected(Mouse)
Mouse.Button1Down:connect(function () Button1Down(Mouse) end)
Mouse.Button1Up:connect(function () Button1Up(Mouse) end)
while MouseDown == true do
wait()
print ("BAGEL")
Distance = Length/2
if ( Main_Joint.Position - Mouse.Hit.p ).magnitude > Speed then
Interval = ( Main_Joint.Position - Mouse.Hit.p ).unit * Speed
else
Interval = ( Main_Joint.Position - Mouse.Hit.p ).unit * 1
end
Start = ( Main_Joint.Position - Interval )
Main_Joint.CFrame = CFrame.new(Start.X, Start.Y, Start.Z)
Before = Main_Joint
Parts = Tail:GetChildren()
for Number = 1, #Parts do
Pos = Part.Position
if Number == 1 then
local Start_Pos = ( Start - Pos ).unit
local Spread = Start_Pos * ( Distance + Away )
Part.Anchored = false
Part.CFrame = CFrame.new(Start-Spread, Start)
Part.Anchored = true
else
CFrame_Before = Before.CFrame
Position_1 = Before.Position - ( CFrame_Before.lookVector * Distance )
Position_2 = Parts[Number].Position
Position_3 = ( Position_1 - Position_2 ).unit
Spread_Joint = Position_3 * ( Distance + Gap )
Part.Anchored = false
Parts[Number].CFrame = CFrame.new(Position_1 - Spread_Joint, Position_1)
Part.Anchored = true
end
Before = Parts[Number]
end
end
end
script.Parent.Selected:connect(selected)
|
-- prevents requiring the modules outside of runtime
-- a problem for future me to deal with
--local disallowedWhiteSpace = {"\n", "\r", "\t", "\v", "\f"}
--local modules = require(game:GetService("ReplicatedStorage"):WaitForChild("modules"))
--local network = modules.load("network")
return {
--> identifying information <--
id = 104;
--> generic information <--
name = "Ink & Quill";
nameColor = Color3.fromRGB(237, 98, 255);
rarity = "Legendary";
image = "rbxassetid://2856319694";
description = "Add a line of custom lore description to your equipment.";
--> stats information <--
successRate = 1;
upgradeCost = 0;
playerInputFunction = function()
local playerInput = {}
playerInput.desiredName = network:invoke("textInputPrompt", {prompt = "Write your item's lore..."})
return playerInput
end;
applyScroll = function(player, itemInventorySlotData, successfullyScrolled, playerInput)
local itemLookup = require(game:GetService("ReplicatedStorage"):WaitForChild("itemData"))
local itemBaseData = itemLookup[itemInventorySlotData.id]
if not playerInput then
return false, "no player input"
end
if itemBaseData.category == "equipment" then
if successfullyScrolled then
local desiredName = playerInput.desiredName
if not desiredName then
return false, "desired item story not provided"
end
if #desiredName > 40 then
return false, "Item story cannot be longer than 40 characters"
end
-- eliminate white space
for i,whitespace in pairs(disallowedWhiteSpace) do
if string.find(desiredName, whitespace) then
return false, "Item story cannot contain whitespace characters."
end
end
if #desiredName < 3 then
return false, "Item story must be at least 3 characters long."
end
local filteredText
local filterSuccess, filterError = pcall(function()
filteredText = game.Chat:FilterStringForBroadcast(desiredName, player)
end)
if not filterSuccess then
return false, "filter error: "..filterError
end
if not filteredText or string.find(filteredText, "#") then
return false, "Item story rejected by Roblox filter."
end
-- if we've gotten this far, we must be good
itemInventorySlotData.customStory = filteredText
return true, "Item story applied."
end
end
return false, "Only equipment can be given a story."
end;
--> shop information <--
buyValue = 1000000;
sellValue = 1000;
--> handling information <--
canStack = false;
canBeBound = false;
canAwaken = false;
enchantsEquipment = true;
--> sorting information <--
isImportant = true;
category = "consumable";
} |
-- credit to atom0s for help with decompiling
-- Decompiled using luadec 2.2 rev: for Lua 5.1 from https://github.com/viruscamp/luadec
return {
EscapeInfo = {},
MapPoint = {
{
AreaId = 1,
AreaRadius = 100,
AreaX = 4076,
AreaY = 2445,
AreaZ = 2033,
IsHight = false,
TurnPointData = {
{ AreaId = 23, Dis = 5224.3066525617 },
{ AreaId = 24, Dis = 1233.6490586873 },
{ AreaId = 191, Dis = 5341.6986998519 },
{ AreaId = 240, Dis = 2368.3211353193 },
{ AreaId = 236, Dis = 3403.0177783844 },
},
},
{
AreaId = 2,
AreaRadius = 100,
AreaX = 10123,
AreaY = 2630,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 7, Dis = 6657 },
{ AreaId = 192, Dis = 597.4822173086 },
{ AreaId = 3, Dis = 3506 },
{ AreaId = 4, Dis = 3434.1141506945 },
{ AreaId = 68, Dis = 12292.862848011 },
{ AreaId = 191, Dis = 925.18160379463 },
{ AreaId = 239, Dis = 15934.467044743 },
{ AreaId = 236, Dis = 2651.2547972611 },
},
},
{
AreaId = 3,
AreaRadius = 100,
AreaX = 13629,
AreaY = 2630,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 243, Dis = 751.8889545671 },
{ AreaId = 244, Dis = 1889.2749932183 },
{ AreaId = 157, Dis = 6438.0027958987 },
{ AreaId = 192, Dis = 2909.0990014092 },
{ AreaId = 8, Dis = 7915.3095327978 },
{ AreaId = 2, Dis = 3506 },
{ AreaId = 67, Dis = 5571.947594872 },
{ AreaId = 68, Dis = 8787.6061017777 },
{ AreaId = 5, Dis = 3447.1219879778 },
{ AreaId = 63, Dis = 2694.9567714529 },
{ AreaId = 191, Dis = 4265.7516336514 },
{ AreaId = 240, Dis = 7188.4908708296 },
{ AreaId = 239, Dis = 12428.598794715 },
{ AreaId = 9, Dis = 9707.0865866129 },
{ AreaId = 236, Dis = 6153.1224593697 },
},
},
{
AreaId = 4,
AreaRadius = 100,
AreaX = 10095,
AreaY = 6064,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 7, Dis = 3223.1216235197 },
{ AreaId = 2, Dis = 3434.1141506945 },
{ AreaId = 5, Dis = 3563.0237158908 },
{ AreaId = 193, Dis = 932.23655796155 },
},
},
{
AreaId = 5,
AreaRadius = 100,
AreaX = 13658,
AreaY = 6077,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 157, Dis = 2991.0884306553 },
{ AreaId = 8, Dis = 4468.188111528 },
{ AreaId = 3, Dis = 3447.1219879778 },
{ AreaId = 4, Dis = 3563.0237158908 },
{ AreaId = 193, Dis = 2631.0121626477 },
{ AreaId = 9, Dis = 6260.0115015869 },
},
},
{
AreaId = 6,
AreaRadius = 100,
AreaX = 822,
AreaY = 10498,
AreaZ = 2049,
IsHight = false,
TurnPointData = {
{ AreaId = 21, Dis = 2604.1728053261 },
{ AreaId = 301, Dis = 10542.01484537 },
{ AreaId = 33, Dis = 4211.5652672136 },
{ AreaId = 34, Dis = 10319.651980566 },
{ AreaId = 229, Dis = 708.47724028369 },
{ AreaId = 22, Dis = 1120.6074245694 },
{ AreaId = 302, Dis = 11037.034746706 },
{ AreaId = 23, Dis = 3705.3702918872 },
{ AreaId = 303, Dis = 11057.990459392 },
{ AreaId = 32, Dis = 4252.7901429532 },
},
},
{
AreaId = 7,
AreaRadius = 100,
AreaX = 10123,
AreaY = 9287,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 155, Dis = 1971.4606260334 },
{ AreaId = 10, Dis = 3954.6590244925 },
{ AreaId = 2, Dis = 6657 },
{ AreaId = 162, Dis = 2693.9563842052 },
{ AreaId = 4, Dis = 3223.1216235197 },
{ AreaId = 238, Dis = 2587.9298676742 },
},
},
{
AreaId = 8,
AreaRadius = 100,
AreaX = 13699,
AreaY = 10545,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 155, Dis = 1819.8914802812 },
{ AreaId = 157, Dis = 1478.3859441973 },
{ AreaId = 95, Dis = 6229.1984235534 },
{ AreaId = 10, Dis = 3467.3822979302 },
{ AreaId = 162, Dis = 1343.4690171344 },
{ AreaId = 3, Dis = 7915.3095327978 },
{ AreaId = 5, Dis = 4468.188111528 },
{ AreaId = 156, Dis = 1833.773159363 },
{ AreaId = 16, Dis = 4409.2641109373 },
{ AreaId = 15, Dis = 5406.6741163122 },
{ AreaId = 9, Dis = 1792.2346386564 },
{ AreaId = 242, Dis = 6240.4763439981 },
},
},
{
AreaId = 9,
AreaRadius = 100,
AreaX = 13670,
AreaY = 12337,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 157, Dis = 3269.1873607978 },
{ AreaId = 8, Dis = 1792.2346386564 },
{ AreaId = 3, Dis = 9707.0865866129 },
{ AreaId = 164, Dis = 797.05771434696 },
{ AreaId = 5, Dis = 6260.0115015869 },
{ AreaId = 17, Dis = 2552.1606532505 },
{ AreaId = 16, Dis = 3232.9282392283 },
{ AreaId = 11, Dis = 2585.1516396529 },
},
},
{
AreaId = 10,
AreaRadius = 100,
AreaX = 11311,
AreaY = 13059,
AreaZ = 2049,
IsHight = false,
TurnPointData = {
{ AreaId = 21, Dis = 10519.087888215 },
{ AreaId = 7, Dis = 3954.6590244925 },
{ AreaId = 39, Dis = 1647.0148754641 },
{ AreaId = 8, Dis = 3467.3822979302 },
{ AreaId = 12, Dis = 2128.4548386095 },
{ AreaId = 227, Dis = 9036.006695438 },
{ AreaId = 164, Dis = 2758.185635522 },
{ AreaId = 156, Dis = 1696.2287581573 },
{ AreaId = 17, Dis = 4827.5369496256 },
{ AreaId = 238, Dis = 1366.7644273978 },
{ AreaId = 18, Dis = 2518.001787132 },
},
},
{
AreaId = 11,
AreaRadius = 100,
AreaX = 16255,
AreaY = 12365,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 39, Dis = 5463.9042817385 },
{ AreaId = 64, Dis = 2532.4948173688 },
{ AreaId = 12, Dis = 2911.099448662 },
{ AreaId = 164, Dis = 2284.040279855 },
{ AreaId = 63, Dis = 9341.0856435427 },
{ AreaId = 17, Dis = 632.9083661953 },
{ AreaId = 9, Dis = 2585.1516396529 },
{ AreaId = 13, Dis = 4163.5793495501 },
{ AreaId = 77, Dis = 1806.1699809265 },
},
},
{
AreaId = 12,
AreaRadius = 100,
AreaX = 13439,
AreaY = 13103,
AreaZ = 2139,
IsHight = false,
TurnPointData = {
{ AreaId = 21, Dis = 12647.000039535 },
{ AreaId = 39, Dis = 2658.6180620766 },
{ AreaId = 10, Dis = 2128.4548386095 },
{ AreaId = 163, Dis = 4261.1356467496 },
{ AreaId = 227, Dis = 11164.048772735 },
{ AreaId = 164, Dis = 634.56756929424 },
{ AreaId = 241, Dis = 5828.0275393996 },
{ AreaId = 17, Dis = 2701.4916250102 },
{ AreaId = 16, Dis = 3136.2286268702 },
{ AreaId = 15, Dis = 3636.4467547319 },
{ AreaId = 11, Dis = 2911.099448662 },
{ AreaId = 18, Dis = 4646.1809047862 },
},
},
{
AreaId = 13,
AreaRadius = 100,
AreaX = 13083,
AreaY = 15062,
AreaZ = 2131,
IsHight = false,
TurnPointData = {
{ AreaId = 39, Dis = 1800.5446398243 },
{ AreaId = 25, Dis = 3803.8448969431 },
{ AreaId = 31, Dis = 6244.8314628979 },
{ AreaId = 95, Dis = 3988.9860867143 },
{ AreaId = 14, Dis = 680.87370341349 },
{ AreaId = 163, Dis = 2324.4113233247 },
{ AreaId = 164, Dis = 2261.2874651402 },
{ AreaId = 37, Dis = 8326.7013877045 },
{ AreaId = 152, Dis = 4438.2650889734 },
{ AreaId = 26, Dis = 5210.2922182926 },
{ AreaId = 17, Dis = 3693.0542915045 },
{ AreaId = 11, Dis = 4163.5793495501 },
{ AreaId = 18, Dis = 4733.296948217 },
},
},
{
AreaId = 14,
AreaRadius = 100,
AreaX = 13741,
AreaY = 15237,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 39, Dis = 2480.5019653288 },
{ AreaId = 31, Dis = 6912.617810931 },
{ AreaId = 95, Dis = 4660.201819664 },
{ AreaId = 164, Dis = 2234.2076895401 },
{ AreaId = 37, Dis = 8992.4170832986 },
{ AreaId = 17, Dis = 3287.5688585944 },
{ AreaId = 16, Dis = 2976.9235798052 },
{ AreaId = 15, Dis = 2641.0007572888 },
{ AreaId = 13, Dis = 680.87370341349 },
{ AreaId = 18, Dis = 5404.9356147877 },
},
},
{
AreaId = 15,
AreaRadius = 100,
AreaX = 16382,
AreaY = 15239,
AreaZ = 2033,
IsHight = false,
TurnPointData = {
{ AreaId = 8, Dis = 5406.6741163122 },
{ AreaId = 12, Dis = 3636.4467547319 },
{ AreaId = 14, Dis = 2641.0007572888 },
{ AreaId = 206, Dis = 4725.0372485304 },
{ AreaId = 164, Dis = 3200.4551238847 },
{ AreaId = 197, Dis = 3616.998894111 },
{ AreaId = 241, Dis = 3142.0964339116 },
{ AreaId = 113, Dis = 6902.7536534343 },
{ AreaId = 16, Dis = 1246.6438946227 },
{ AreaId = 205, Dis = 2944.0601216687 },
{ AreaId = 114, Dis = 6039.7789694657 },
{ AreaId = 242, Dis = 976.65756537284 },
},
},
{
AreaId = 16,
AreaRadius = 100,
AreaX = 16446,
AreaY = 13994,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 8, Dis = 4409.2641109373 },
{ AreaId = 12, Dis = 3136.2286268702 },
{ AreaId = 14, Dis = 2976.9235798052 },
{ AreaId = 164, Dis = 2566.1679602084 },
{ AreaId = 183, Dis = 15155.45499152 },
{ AreaId = 241, Dis = 2771.3457020011 },
{ AreaId = 17, Dis = 1053.0493815581 },
{ AreaId = 15, Dis = 1246.6438946227 },
{ AreaId = 9, Dis = 3232.9282392283 },
{ AreaId = 242, Dis = 2223.16373666 },
},
},
{
AreaId = 17,
AreaRadius = 100,
AreaX = 16138,
AreaY = 12987,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 21, Dis = 15346.430887995 },
{ AreaId = 10, Dis = 4827.5369496256 },
{ AreaId = 12, Dis = 2701.4916250102 },
{ AreaId = 204, Dis = 8469.5209427688 },
{ AreaId = 14, Dis = 3287.5688585944 },
{ AreaId = 227, Dis = 13863.248464916 },
{ AreaId = 164, Dis = 2069.386624099 },
{ AreaId = 197, Dis = 5870.1537458571 },
{ AreaId = 16, Dis = 1053.0493815581 },
{ AreaId = 9, Dis = 2552.1606532505 },
{ AreaId = 11, Dis = 632.9083661953 },
{ AreaId = 13, Dis = 3693.0542915045 },
{ AreaId = 205, Dis = 5197.6196474925 },
{ AreaId = 18, Dis = 7345.382903566 },
{ AreaId = 242, Dis = 3230.5819909112 },
},
},
{
AreaId = 18,
AreaRadius = 100,
AreaX = 8793,
AreaY = 13062,
AreaZ = 2049,
IsHight = false,
TurnPointData = {
{ AreaId = 19, Dis = 675.40950541135 },
{ AreaId = 21, Dis = 8001.0999868768 },
{ AreaId = 198, Dis = 2610.0553633975 },
{ AreaId = 39, Dis = 3013.0318617632 },
{ AreaId = 308, Dis = 3346.4097178917 },
{ AreaId = 95, Dis = 1719.7238150354 },
{ AreaId = 10, Dis = 2518.001787132 },
{ AreaId = 12, Dis = 4646.1809047862 },
{ AreaId = 14, Dis = 5404.9356147877 },
{ AreaId = 227, Dis = 6518.0049094796 },
{ AreaId = 164, Dis = 5276.116090459 },
{ AreaId = 311, Dis = 4653.1487188784 },
{ AreaId = 17, Dis = 7345.382903566 },
{ AreaId = 13, Dis = 4733.296948217 },
},
},
{
AreaId = 19,
AreaRadius = 100,
AreaX = 8736,
AreaY = 12389,
AreaZ = 2049,
IndicatedLinkPoint = { 318, 18, 198 },
IsHight = false,
TurnPointData = {
{ AreaId = 318, Dis = 1575.8439008988 },
{ AreaId = 18, Dis = 675.40950541135 },
{ AreaId = 198, Dis = 1937.4129657871 },
},
},
{
AreaId = 20,
AreaRadius = 100,
AreaX = 3742,
AreaY = 12572,
AreaZ = 2625,
IndicatedLinkPoint = { 320, 146 },
IsHight = false,
TurnPointData = {
{ AreaId = 320, Dis = 949.23232140504 },
{ AreaId = 146, Dis = 1839.9461948655 },
},
},
{
AreaId = 21,
AreaRadius = 100,
AreaX = 792,
AreaY = 13102,
AreaZ = 2049,
IsHight = false,
TurnPointData = {
{ AreaId = 301, Dis = 7939.1473723568 },
{ AreaId = 6, Dis = 2604.1728053261 },
{ AreaId = 33, Dis = 1610.046583177 },
{ AreaId = 10, Dis = 10519.087888215 },
{ AreaId = 12, Dis = 12647.000039535 },
{ AreaId = 34, Dis = 7716.3813410173 },
{ AreaId = 227, Dis = 1483.345205945 },
{ AreaId = 164, Dis = 13277.211830802 },
{ AreaId = 22, Dis = 3723.1208683039 },
{ AreaId = 302, Dis = 8433.8586661148 },
{ AreaId = 183, Dis = 845.65004582274 },
{ AreaId = 303, Dis = 8454.8739198169 },
{ AreaId = 32, Dis = 1689.0482527151 },
{ AreaId = 17, Dis = 15346.430887995 },
{ AreaId = 18, Dis = 8001.0999868768 },
},
},
{
AreaId = 22,
AreaRadius = 100,
AreaX = 762,
AreaY = 9379,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 21, Dis = 3723.1208683039 },
{ AreaId = 301, Dis = 11658.285036831 },
{ AreaId = 6, Dis = 1120.6074245694 },
{ AreaId = 33, Dis = 5331.5608408795 },
{ AreaId = 34, Dis = 11439.35400274 },
{ AreaId = 302, Dis = 12153.590292584 },
{ AreaId = 23, Dis = 2604.8147726854 },
{ AreaId = 303, Dis = 12177.77648013 },
{ AreaId = 32, Dis = 5372.4855513998 },
},
},
{
AreaId = 23,
AreaRadius = 100,
AreaX = 1210,
AreaY = 6813,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 6, Dis = 3705.3702918872 },
{ AreaId = 22, Dis = 2604.8147726854 },
{ AreaId = 24, Dis = 4008.6718498775 },
{ AreaId = 1, Dis = 5224.3066525617 },
},
},
{
AreaId = 24,
AreaRadius = 100,
AreaX = 3253,
AreaY = 3364,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 23, Dis = 4008.6718498775 },
{ AreaId = 1, Dis = 1233.6490586873 },
},
},
{
AreaId = 25,
AreaName = "",
AreaRadius = 100,
AreaX = 13777,
AreaY = 18802,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 151, Dis = 5139.6935706324 },
{ AreaId = 27, Dis = 2103.1733166812 },
{ AreaId = 235, Dis = 2766.1375598477 },
{ AreaId = 130, Dis = 5063.8329356328 },
{ AreaId = 163, Dis = 1485.3376720463 },
{ AreaId = 150, Dis = 2657.3981636179 },
{ AreaId = 152, Dis = 652.76718667531 },
{ AreaId = 26, Dis = 1424.0003511236 },
{ AreaId = 40, Dis = 2680.1449587662 },
{ AreaId = 13, Dis = 3803.8448969431 },
},
},
{
AreaId = 26,
AreaRadius = 100,
AreaX = 13776,
AreaY = 20226,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 25, Dis = 1424.0003511236 },
{ AreaId = 27, Dis = 679.49760853148 },
{ AreaId = 235, Dis = 1425.092277714 },
{ AreaId = 204, Dis = 2087.8338056464 },
{ AreaId = 163, Dis = 2885.9461186931 },
{ AreaId = 152, Dis = 774.42753050237 },
{ AreaId = 154, Dis = 2646.0092592431 },
{ AreaId = 113, Dis = 3152.3389728898 },
{ AreaId = 40, Dis = 1260.7172561681 },
{ AreaId = 13, Dis = 5210.2922182926 },
{ AreaId = 114, Dis = 2720.6221714895 },
},
},
{
AreaId = 27,
AreaRadius = 100,
AreaX = 13750,
AreaY = 20905,
AreaZ = 2045,
IsHight = false,
TurnPointData = {
{ AreaId = 51, Dis = 5316.4042359475 },
{ AreaId = 181, Dis = 2327.7149739605 },
{ AreaId = 301, Dis = 13339.604566853 },
{ AreaId = 304, Dis = 12077.129543066 },
{ AreaId = 25, Dis = 2103.1733166812 },
{ AreaId = 306, Dis = 11901.355595057 },
{ AreaId = 29, Dis = 9577.002558212 },
{ AreaId = 93, Dis = 8334.7259103104 },
{ AreaId = 41, Dis = 3230.8392098648 },
{ AreaId = 43, Dis = 4268.4635409009 },
{ AreaId = 235, Dis = 901.79432244831 },
{ AreaId = 204, Dis = 1809.1536695372 },
{ AreaId = 34, Dis = 12812.302213108 },
{ AreaId = 316, Dis = 10951.713381933 },
{ AreaId = 302, Dis = 13336.559263918 },
{ AreaId = 303, Dis = 12796.519057931 },
{ AreaId = 152, Dis = 1452.1518515637 },
{ AreaId = 305, Dis = 11991.441698145 },
{ AreaId = 26, Dis = 679.49760853148 },
{ AreaId = 28, Dis = 6843.3414352931 },
{ AreaId = 113, Dis = 2815.7762695214 },
{ AreaId = 40, Dis = 585.84383584706 },
{ AreaId = 42, Dis = 3353.4855001923 },
{ AreaId = 114, Dis = 2562.2946747008 },
{ AreaId = 178, Dis = 1390.9493161147 },
},
},
{
AreaId = 28,
AreaRadius = 100,
AreaX = 6909,
AreaY = 21084,
AreaZ = 2045,
IsHight = false,
TurnPointData = {
{ AreaId = 51, Dis = 1606.0946422923 },
{ AreaId = 149, Dis = 3589.3913133009 },
{ AreaId = 181, Dis = 4635.4422658469 },
{ AreaId = 301, Dis = 6498.2080606887 },
{ AreaId = 304, Dis = 5241.6581345982 },
{ AreaId = 306, Dis = 5067.2518192803 },
{ AreaId = 27, Dis = 6843.3414352931 },
{ AreaId = 308, Dis = 5398.3095502203 },
{ AreaId = 29, Dis = 2741.4011016267 },
{ AreaId = 93, Dis = 1494.5935902445 },
{ AreaId = 190, Dis = 22276.254801919 },
{ AreaId = 31, Dis = 6354.3024794229 },
{ AreaId = 41, Dis = 3612.6782308974 },
{ AreaId = 43, Dis = 2685.029794993 },
{ AreaId = 235, Dis = 7539.8313641619 },
{ AreaId = 204, Dis = 8579.020515187 },
{ AreaId = 34, Dis = 5976.966621958 },
{ AreaId = 316, Dis = 4110.3547292174 },
{ AreaId = 118, Dis = 19159.902400586 },
{ AreaId = 302, Dis = 6496.1909608631 },
{ AreaId = 303, Dis = 5957.6473544513 },
{ AreaId = 305, Dis = 5148.4494753275 },
{ AreaId = 61, Dis = 1138.4243497045 },
{ AreaId = 30, Dis = 2030.9465773378 },
{ AreaId = 113, Dis = 9430.4236384163 },
{ AreaId = 40, Dis = 6730.542102981 },
{ AreaId = 42, Dis = 3617.0353882703 },
{ AreaId = 114, Dis = 9378.0068244803 },
{ AreaId = 178, Dis = 5605.2876821801 },
},
},
{
AreaId = 29,
AreaRadius = 100,
AreaX = 4173,
AreaY = 20912,
AreaZ = 2045,
IsHight = false,
TurnPointData = {
{ AreaId = 51, Dis = 4329.6840531383 },
{ AreaId = 181, Dis = 7375.3213489312 },
{ AreaId = 301, Dis = 3763.9133890142 },
{ AreaId = 304, Dis = 2574.1989045138 },
{ AreaId = 306, Dis = 2326.1076931217 },
{ AreaId = 27, Dis = 9577.002558212 },
{ AreaId = 93, Dis = 1247.2601973927 },
{ AreaId = 41, Dis = 6348.819417813 },
{ AreaId = 43, Dis = 5413.8371789333 },
{ AreaId = 235, Dis = 10281.147844477 },
{ AreaId = 204, Dis = 11319.903930688 },
{ AreaId = 34, Dis = 3236.3945989326 },
{ AreaId = 35, Dis = 2522.1548326778 },
{ AreaId = 316, Dis = 1379.0576492663 },
{ AreaId = 302, Dis = 3795.3235698686 },
{ AreaId = 303, Dis = 3266.9034267942 },
{ AreaId = 305, Dis = 2438.741478714 },
{ AreaId = 28, Dis = 2741.4011016267 },
{ AreaId = 113, Dis = 12169.218956038 },
{ AreaId = 40, Dis = 9471.9259393219 },
{ AreaId = 321, Dis = 1090.9560027792 },
{ AreaId = 42, Dis = 6351.3734735095 },
{ AreaId = 114, Dis = 12117.52862592 },
{ AreaId = 178, Dis = 8346.5217905425 },
},
},
{
AreaId = 30,
AreaRadius = 100,
AreaX = 6847,
AreaY = 19054,
AreaZ = 2045,
IsHight = false,
TurnPointData = {
{ AreaId = 149, Dis = 1559.0259779747 },
{ AreaId = 38, Dis = 1372.9956300003 },
{ AreaId = 308, Dis = 3367.3957296403 },
{ AreaId = 31, Dis = 4324 },
{ AreaId = 28, Dis = 2030.9465773378 },
{ AreaId = 61, Dis = 3073.0001627074 },
{ AreaId = 321, Dis = 2665.8351411893 },
},
},
{
AreaId = 31,
AreaRadius = 100,
AreaX = 6847,
AreaY = 14730,
AreaZ = 2045,
IsHight = false,
TurnPointData = {
{ AreaId = 149, Dis = 2765.0146473391 },
{ AreaId = 39, Dis = 4471.0644146556 },
{ AreaId = 308, Dis = 967.37273064729 },
{ AreaId = 95, Dis = 2259.1170841725 },
{ AreaId = 33, Dis = 5956.0370213759 },
{ AreaId = 14, Dis = 6912.617810931 },
{ AreaId = 227, Dis = 4864.0296051731 },
{ AreaId = 37, Dis = 2084.0009596927 },
{ AreaId = 183, Dis = 5634.9748002986 },
{ AreaId = 28, Dis = 6354.3024794229 },
{ AreaId = 30, Dis = 4324 },
{ AreaId = 32, Dis = 5605 },
{ AreaId = 13, Dis = 6244.8314628979 },
},
},
{
AreaId = 32,
AreaRadius = 100,
AreaX = 1242,
AreaY = 14730,
AreaZ = 2045,
IsHight = false,
TurnPointData = {
{ AreaId = 21, Dis = 1689.0482527151 },
{ AreaId = 6, Dis = 4252.7901429532 },
{ AreaId = 39, Dis = 10076.02858273 },
{ AreaId = 31, Dis = 5605 },
{ AreaId = 95, Dis = 7864.0336342109 },
{ AreaId = 33, Dis = 351.62764396446 },
{ AreaId = 37, Dis = 3521.0005680204 },
{ AreaId = 22, Dis = 5372.4855513998 },
{ AreaId = 183, Dis = 947.32043153307 },
},
},
{
AreaId = 33,
AreaRadius = 100,
AreaX = 891,
AreaY = 14709,
AreaZ = 2045,
IsHight = false,
TurnPointData = {
{ AreaId = 21, Dis = 1610.046583177 },
{ AreaId = 301, Dis = 6341.1930265527 },
{ AreaId = 6, Dis = 4211.5652672136 },
{ AreaId = 39, Dis = 10427.000431572 },
{ AreaId = 31, Dis = 5956.0370213759 },
{ AreaId = 95, Dis = 8215.1178323868 },
{ AreaId = 34, Dis = 6108.1808257451 },
{ AreaId = 227, Dis = 2145.1752842134 },
{ AreaId = 37, Dis = 3872.0466164549 },
{ AreaId = 22, Dis = 5331.5608408795 },
{ AreaId = 302, Dis = 6834.7004323525 },
{ AreaId = 183, Dis = 1008.1795475013 },
{ AreaId = 303, Dis = 6846.4557984405 },
{ AreaId = 32, Dis = 351.62764396446 },
},
},
{
AreaId = 34,
AreaRadius = 100,
AreaX = 938,
AreaY = 20817,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 51, Dis = 7556.3188127553 },
{ AreaId = 21, Dis = 7716.3813410173 },
{ AreaId = 181, Dis = 10607.688956601 },
{ AreaId = 301, Dis = 569.1695705148 },
{ AreaId = 6, Dis = 10319.651980566 },
{ AreaId = 304, Dis = 1089.1510455396 },
{ AreaId = 306, Dis = 911.0087815164 },
{ AreaId = 27, Dis = 12812.302213108 },
{ AreaId = 29, Dis = 3236.3945989326 },
{ AreaId = 93, Dis = 4482.3752631836 },
{ AreaId = 33, Dis = 6108.1808257451 },
{ AreaId = 41, Dis = 9585.024673938 },
{ AreaId = 43, Dis = 8639.9313075973 },
{ AreaId = 235, Dis = 13516.665306206 },
{ AreaId = 204, Dis = 14555.955653958 },
{ AreaId = 316, Dis = 1873.149753757 },
{ AreaId = 22, Dis = 11439.35400274 },
{ AreaId = 302, Dis = 874.99771428273 },
{ AreaId = 303, Dis = 738.69344115133 },
{ AreaId = 121, Dis = 29992.229410299 },
{ AreaId = 305, Dis = 956.7078969048 },
{ AreaId = 28, Dis = 5976.966621958 },
{ AreaId = 40, Dis = 12707.203508247 },
{ AreaId = 42, Dis = 9579.5482670113 },
{ AreaId = 114, Dis = 15353.922300181 },
{ AreaId = 178, Dis = 11580.813270233 },
},
},
{
AreaId = 35,
AreaRadius = 100,
AreaX = 3205,
AreaY = 18583,
AreaZ = 2045,
IsHight = false,
TurnPointData = {
{ AreaId = 29, Dis = 2522.1548326778 },
{ AreaId = 36, Dis = 1844.8598862786 },
},
},
{
AreaId = 36,
AreaRadius = 100,
AreaX = 4763,
AreaY = 17595,
AreaZ = 2045,
IsHight = false,
TurnPointData = {
{ AreaId = 38, Dis = 1690.6974892038 },
{ AreaId = 35, Dis = 1844.8598862786 },
{ AreaId = 37, Dis = 2867 },
{ AreaId = 311, Dis = 2265.240384595 },
},
},
{
AreaId = 37,
AreaRadius = 100,
AreaX = 4763,
AreaY = 14728,
AreaZ = 2045,
IsHight = false,
TurnPointData = {
{ AreaId = 39, Dis = 6555.036918279 },
{ AreaId = 31, Dis = 2084.0009596927 },
{ AreaId = 95, Dis = 4343.0719542738 },
{ AreaId = 33, Dis = 3872.0466164549 },
{ AreaId = 14, Dis = 8992.4170832986 },
{ AreaId = 36, Dis = 2867 },
{ AreaId = 183, Dis = 3597.0789538179 },
{ AreaId = 311, Dis = 602.90380658941 },
{ AreaId = 32, Dis = 3521.0005680204 },
{ AreaId = 13, Dis = 8326.7013877045 },
},
},
{
AreaId = 38,
AreaRadius = 100,
AreaX = 5476,
AreaY = 19128,
AreaZ = 2040,
IsHight = false,
TurnPointData = {
{ AreaId = 304, Dis = 4520.1509930532 },
{ AreaId = 36, Dis = 1690.6974892038 },
{ AreaId = 316, Dis = 3283.8899189833 },
{ AreaId = 30, Dis = 1372.9956300003 },
{ AreaId = 321, Dis = 1372.0058308914 },
},
},
{
AreaId = 39,
AreaRadius = 100,
AreaX = 11318,
AreaY = 14706,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 31, Dis = 4471.0644146556 },
{ AreaId = 95, Dis = 2212.4992655366 },
{ AreaId = 33, Dis = 10427.000431572 },
{ AreaId = 10, Dis = 1647.0148754641 },
{ AreaId = 12, Dis = 2658.6180620766 },
{ AreaId = 14, Dis = 2480.5019653288 },
{ AreaId = 162, Dis = 4078.0947757501 },
{ AreaId = 164, Dis = 3222.8934205152 },
{ AreaId = 37, Dis = 6555.036918279 },
{ AreaId = 156, Dis = 3209.4800201902 },
{ AreaId = 32, Dis = 10076.02858273 },
{ AreaId = 11, Dis = 5463.9042817385 },
{ AreaId = 13, Dis = 1800.5446398243 },
{ AreaId = 238, Dis = 2981.3267180905 },
{ AreaId = 18, Dis = 3013.0318617632 },
},
},
{
AreaId = 40,
AreaRadius = 100,
AreaX = 13628,
AreaY = 21478,
AreaZ = 2042,
IsHight = false,
TurnPointData = {
{ AreaId = 51, Dis = 5163.0015494865 },
{ AreaId = 181, Dis = 2110.9623397872 },
{ AreaId = 301, Dis = 13224.522864739 },
{ AreaId = 304, Dis = 11935.644138462 },
{ AreaId = 25, Dis = 2680.1449587662 },
{ AreaId = 306, Dis = 11797.756820684 },
{ AreaId = 27, Dis = 585.84383584706 },
{ AreaId = 29, Dis = 9471.9259393219 },
{ AreaId = 93, Dis = 8225.0418236019 },
{ AreaId = 41, Dis = 3141.4558726807 },
{ AreaId = 43, Dis = 4089.2955383538 },
{ AreaId = 235, Dis = 810.06172604315 },
{ AreaId = 204, Dis = 1853.595964605 },
{ AreaId = 34, Dis = 12707.203508247 },
{ AreaId = 316, Dis = 10838.263006589 },
{ AreaId = 302, Dis = 13200.09469663 },
{ AreaId = 303, Dis = 12658.234197549 },
{ AreaId = 152, Dis = 2027.5172009135 },
{ AreaId = 305, Dis = 11864.365511902 },
{ AreaId = 26, Dis = 1260.7172561681 },
{ AreaId = 28, Dis = 6730.542102981 },
{ AreaId = 113, Dis = 2733.6190297845 },
{ AreaId = 49, Dis = 8340.0865702941 },
{ AreaId = 48, Dis = 6471.001931695 },
{ AreaId = 47, Dis = 5904.1222887064 },
{ AreaId = 42, Dis = 3151.8619893644 },
{ AreaId = 46, Dis = 4682.000106792 },
{ AreaId = 114, Dis = 2664.5166541045 },
{ AreaId = 178, Dis = 1130.481755713 },
},
},
{
AreaId = 41,
AreaRadius = 100,
AreaX = 10521,
AreaY = 21014,
AreaZ = 2049,
IsHight = false,
TurnPointData = {
{ AreaId = 51, Dis = 2108.5919472482 },
{ AreaId = 148, Dis = 5733.6718601608 },
{ AreaId = 181, Dis = 1141.9408916402 },
{ AreaId = 301, Dis = 10110.016023726 },
{ AreaId = 304, Dis = 8847.5605677497 },
{ AreaId = 306, Dis = 8674.329080684 },
{ AreaId = 27, Dis = 3230.8392098648 },
{ AreaId = 60, Dis = 8722.0154780876 },
{ AreaId = 29, Dis = 6348.819417813 },
{ AreaId = 93, Dis = 5105.0000979432 },
{ AreaId = 322, Dis = 6069.074146853 },
{ AreaId = 43, Dis = 1149.6090639865 },
{ AreaId = 235, Dis = 3945.5753699556 },
{ AreaId = 204, Dis = 4977.4982672021 },
{ AreaId = 45, Dis = 6648.7395045978 },
{ AreaId = 34, Dis = 9585.024673938 },
{ AreaId = 316, Dis = 7722.0165759988 },
{ AreaId = 302, Dis = 10106.079605861 },
{ AreaId = 303, Dis = 9566.3097378247 },
{ AreaId = 305, Dis = 8760.6045453496 },
{ AreaId = 28, Dis = 3612.6782308974 },
{ AreaId = 61, Dis = 4280.6983075195 },
{ AreaId = 113, Dis = 5868.2373844281 },
{ AreaId = 40, Dis = 3141.4558726807 },
{ AreaId = 42, Dis = 640.25073213547 },
{ AreaId = 44, Dis = 5164.0468626843 },
{ AreaId = 114, Dis = 5770.0426341579 },
{ AreaId = 178, Dis = 2038.5136742244 },
},
},
{
AreaId = 42,
AreaRadius = 100,
AreaX = 10481,
AreaY = 21653,
AreaZ = 2033,
IsHight = false,
TurnPointData = {
{ AreaId = 51, Dis = 2023.239234495 },
{ AreaId = 181, Dis = 1041.3932974626 },
{ AreaId = 301, Dis = 10089.129843549 },
{ AreaId = 304, Dis = 8788.1479846439 },
{ AreaId = 122, Dis = 16739.478755326 },
{ AreaId = 306, Dis = 8672.7748731303 },
{ AreaId = 27, Dis = 3353.4855001923 },
{ AreaId = 188, Dis = 9823.8856874457 },
{ AreaId = 29, Dis = 6351.3734735095 },
{ AreaId = 93, Dis = 5105.0238980831 },
{ AreaId = 41, Dis = 640.25073213547 },
{ AreaId = 322, Dis = 5430.0092080953 },
{ AreaId = 43, Dis = 940.76777155683 },
{ AreaId = 235, Dis = 3960.4386120732 },
{ AreaId = 204, Dis = 5004.9259734785 },
{ AreaId = 45, Dis = 6012.0467396719 },
{ AreaId = 34, Dis = 9579.5482670113 },
{ AreaId = 316, Dis = 7707.2208350352 },
{ AreaId = 302, Dis = 10053.777101169 },
{ AreaId = 303, Dis = 9511.5048756756 },
{ AreaId = 121, Dis = 20414.498034485 },
{ AreaId = 305, Dis = 8723.2265246295 },
{ AreaId = 28, Dis = 3617.0353882703 },
{ AreaId = 112, Dis = 14265.264175612 },
{ AreaId = 40, Dis = 3151.8619893644 },
{ AreaId = 234, Dis = 13141.179931802 },
{ AreaId = 44, Dis = 4525.0358009633 },
{ AreaId = 114, Dis = 5816.1018732481 },
{ AreaId = 178, Dis = 2021.9923343079 },
},
},
{
AreaId = 43,
AreaRadius = 100,
AreaX = 9541,
AreaY = 21615,
AreaZ = 2049,
IsHight = false,
TurnPointData = {
{ AreaId = 51, Dis = 1084.1886367233 },
{ AreaId = 181, Dis = 1978.5348114198 },
{ AreaId = 301, Dis = 9148.5949194398 },
{ AreaId = 304, Dis = 7848.010767067 },
{ AreaId = 122, Dis = 17680.08656653 },
{ AreaId = 306, Dis = 7733.6969167404 },
{ AreaId = 27, Dis = 4268.4635409009 },
{ AreaId = 188, Dis = 10764.603197517 },
{ AreaId = 29, Dis = 5413.8371789333 },
{ AreaId = 93, Dis = 4168.4079694771 },
{ AreaId = 41, Dis = 1149.6090639865 },
{ AreaId = 235, Dis = 4898.6465477721 },
{ AreaId = 204, Dis = 5942.8491483463 },
{ AreaId = 34, Dis = 8639.9313075973 },
{ AreaId = 316, Dis = 6767.332487768 },
{ AreaId = 302, Dis = 9113.4152763934 },
{ AreaId = 303, Dis = 8571.2100079277 },
{ AreaId = 121, Dis = 21355.020252859 },
{ AreaId = 305, Dis = 7782.4588016899 },
{ AreaId = 28, Dis = 2685.029794993 },
{ AreaId = 112, Dis = 15206.00808891 },
{ AreaId = 40, Dis = 4089.2955383538 },
{ AreaId = 42, Dis = 940.76777155683 },
{ AreaId = 234, Dis = 14081.882331563 },
{ AreaId = 114, Dis = 6752.4147532568 },
{ AreaId = 178, Dis = 2958.8283153978 },
},
},
{
AreaId = 44,
AreaRadius = 100,
AreaX = 10499,
AreaY = 26178,
AreaZ = 2028,
IsHight = false,
TurnPointData = {
{ AreaId = 41, Dis = 5164.0468626843 },
{ AreaId = 322, Dis = 905.03535842529 },
{ AreaId = 45, Dis = 1504.9681059743 },
{ AreaId = 42, Dis = 4525.0358009633 },
{ AreaId = 46, Dis = 3128.0517898526 },
},
},
{
AreaId = 45,
AreaRadius = 100,
AreaX = 10772,
AreaY = 27658,
AreaZ = 2033,
IsHight = false,
TurnPointData = {
{ AreaId = 41, Dis = 6648.7395045978 },
{ AreaId = 322, Dis = 639.98906240654 },
{ AreaId = 132, Dis = 5191.2959846266 },
{ AreaId = 133, Dis = 6609.7504491471 },
{ AreaId = 48, Dis = 2865.8126247192 },
{ AreaId = 42, Dis = 6012.0467396719 },
{ AreaId = 44, Dis = 1504.9681059743 },
{ AreaId = 50, Dis = 2245.9318778627 },
},
},
{
AreaId = 46,
AreaRadius = 100,
AreaX = 13627,
AreaY = 26160,
AreaZ = 2033,
IsHight = false,
TurnPointData = {
{ AreaId = 134, Dis = 3796.7346496694 },
{ AreaId = 140, Dis = 6702.2041896678 },
{ AreaId = 131, Dis = 2368.4638481514 },
{ AreaId = 132, Dis = 2574.9666017252 },
{ AreaId = 152, Dis = 6707.7755627331 },
{ AreaId = 49, Dis = 3658.2078945845 },
{ AreaId = 48, Dis = 1789.0044717664 },
{ AreaId = 143, Dis = 6765.2684351768 },
{ AreaId = 47, Dis = 1222.6221820334 },
{ AreaId = 40, Dis = 4682.000106792 },
{ AreaId = 44, Dis = 3128.0517898526 },
},
},
{
AreaId = 47,
AreaRadius = 100,
AreaX = 13666,
AreaY = 27382,
AreaZ = 2033,
IsHight = false,
TurnPointData = {
{ AreaId = 184, Dis = 2531.0187672161 },
{ AreaId = 132, Dis = 2285.6005775288 },
{ AreaId = 133, Dis = 3707.5524271411 },
{ AreaId = 49, Dis = 2436 },
{ AreaId = 48, Dis = 568.6281737656 },
{ AreaId = 40, Dis = 5904.1222887064 },
{ AreaId = 46, Dis = 1222.6221820334 },
{ AreaId = 50, Dis = 875.43017996868 },
},
},
{
AreaId = 48,
AreaRadius = 100,
AreaX = 13623,
AreaY = 27949,
AreaZ = 2033,
IsHight = false,
TurnPointData = {
{ AreaId = 184, Dis = 1995.4874091309 },
{ AreaId = 45, Dis = 2865.8126247192 },
{ AreaId = 131, Dis = 3261.2206303775 },
{ AreaId = 132, Dis = 2422.2411110375 },
{ AreaId = 133, Dis = 3802.7175808887 },
{ AreaId = 49, Dis = 1869.4945841056 },
{ AreaId = 47, Dis = 568.6281737656 },
{ AreaId = 40, Dis = 6471.001931695 },
{ AreaId = 46, Dis = 1789.0044717664 },
{ AreaId = 50, Dis = 624 },
},
},
{
AreaId = 49,
AreaRadius = 100,
AreaX = 13666,
AreaY = 29818,
AreaZ = 2033,
IsHight = false,
TurnPointData = {
{ AreaId = 53, Dis = 3898.2320351667 },
{ AreaId = 184, Dis = 570.78892771321 },
{ AreaId = 130, Dis = 6857.8352998596 },
{ AreaId = 131, Dis = 4744.069350252 },
{ AreaId = 113, Dis = 8109.8289131152 },
{ AreaId = 48, Dis = 1869.4945841056 },
{ AreaId = 47, Dis = 2436 },
{ AreaId = 40, Dis = 8340.0865702941 },
{ AreaId = 46, Dis = 3658.2078945845 },
},
},
{
AreaId = 50,
AreaRadius = 100,
AreaX = 12999,
AreaY = 27949,
AreaZ = 2033,
IsHight = false,
TurnPointData = {
{ AreaId = 45, Dis = 2245.9318778627 },
{ AreaId = 132, Dis = 3026.4626216096 },
{ AreaId = 133, Dis = 4419.280145001 },
{ AreaId = 48, Dis = 624 },
{ AreaId = 47, Dis = 875.43017996868 },
},
},
{
AreaId = 51,
AreaRadius = 100,
AreaX = 8465,
AreaY = 21482,
AreaZ = 2049,
IsHight = false,
TurnPointData = {
{ AreaId = 52, Dis = 7911.5119288288 },
{ AreaId = 148, Dis = 3626.3768419733 },
{ AreaId = 181, Dis = 3055.2389431925 },
{ AreaId = 301, Dis = 8066.5615971119 },
{ AreaId = 304, Dis = 6773.0631179696 },
{ AreaId = 122, Dis = 18762.14198859 },
{ AreaId = 306, Dis = 6649.7381151441 },
{ AreaId = 27, Dis = 5316.4042359475 },
{ AreaId = 60, Dis = 6613.4561312524 },
{ AreaId = 188, Dis = 11846.189471725 },
{ AreaId = 29, Dis = 4329.6840531383 },
{ AreaId = 93, Dis = 3084.5566942431 },
{ AreaId = 41, Dis = 2108.5919472482 },
{ AreaId = 43, Dis = 1084.1886367233 },
{ AreaId = 235, Dis = 5973.0030135603 },
{ AreaId = 204, Dis = 7016.1853595811 },
{ AreaId = 34, Dis = 7556.3188127553 },
{ AreaId = 316, Dis = 5684.0003518649 },
{ AreaId = 302, Dis = 8037.1316400816 },
{ AreaId = 303, Dis = 7495.3554952384 },
{ AreaId = 121, Dis = 22437.33729746 },
{ AreaId = 305, Dis = 6702.52609096 },
{ AreaId = 28, Dis = 1606.0946422923 },
{ AreaId = 61, Dis = 2174.0400180309 },
{ AreaId = 40, Dis = 5163.0015494865 },
{ AreaId = 42, Dis = 2023.239234495 },
{ AreaId = 234, Dis = 15163.520864232 },
{ AreaId = 114, Dis = 7822.6604170193 },
{ AreaId = 178, Dis = 4033.1042634675 },
},
},
{
AreaId = 52,
AreaRadius = 100,
AreaX = 8375,
AreaY = 29393,
AreaZ = 2049,
IndicatedLinkPoint = { 53, 51, 54 },
IsHight = false,
TurnPointData = {
{ AreaId = 53, Dis = 1488.8804518832 },
{ AreaId = 51, Dis = 7911.5119288288 },
{ AreaId = 54, Dis = 1458.3998080088 },
},
},
{
AreaId = 53,
AreaRadius = 100,
AreaX = 9769,
AreaY = 29916,
AreaZ = 2033,
IsHight = false,
TurnPointData = {
{ AreaId = 52, Dis = 1488.8804518832 },
{ AreaId = 184, Dis = 4467.5175433343 },
{ AreaId = 317, Dis = 3570.551778087 },
{ AreaId = 54, Dis = 2938.8802289307 },
{ AreaId = 49, Dis = 3898.2320351667 },
},
},
{
AreaId = 54,
AreaRadius = 100,
AreaX = 6948,
AreaY = 29092,
AreaZ = 2547,
IndicatedLinkPoint = { 52, 317 },
IsHight = false,
TurnPointData = {
{ AreaId = 52, Dis = 1458.3998080088 },
{ AreaId = 317, Dis = 685.04379422049 },
},
},
{
AreaId = 55,
AreaRadius = 100,
AreaX = 6229,
AreaY = 27522,
AreaZ = 3002,
IndicatedLinkPoint = { 317, 56 },
IsHight = false,
TurnPointData = {
{ AreaId = 317, Dis = 1134.8532944835 },
{ AreaId = 56, Dis = 1113.2928635359 },
},
},
{
AreaId = 56,
AreaRadius = 100,
AreaX = 5143,
AreaY = 27277,
AreaZ = 3002,
IsHight = false,
TurnPointData = {
{ AreaId = 58, Dis = 2005.2992295416 },
{ AreaId = 171, Dis = 2348.0689938756 },
{ AreaId = 55, Dis = 1113.2928635359 },
{ AreaId = 57, Dis = 2441.1384639139 },
{ AreaId = 177, Dis = 2890.0043252563 },
{ AreaId = 170, Dis = 4712.434614931 },
{ AreaId = 172, Dis = 1904.2363298708 },
},
},
{
AreaId = 57,
AreaRadius = 100,
AreaX = 5117,
AreaY = 29718,
AreaZ = 3002,
IsHight = false,
TurnPointData = {
{ AreaId = 56, Dis = 2441.1384639139 },
{ AreaId = 58, Dis = 4421.8448638549 },
},
},
{
AreaId = 58,
AreaRadius = 100,
AreaX = 4743,
AreaY = 25312,
AreaZ = 2932,
IsHight = false,
TurnPointData = {
{ AreaId = 56, Dis = 2005.2992295416 },
{ AreaId = 317, Dis = 3731.6403899626 },
{ AreaId = 57, Dis = 4421.8448638549 },
{ AreaId = 59, Dis = 2524.098651004 },
},
},
{
AreaId = 59,
AreaRadius = 100,
AreaX = 2278,
AreaY = 24769,
AreaZ = 2710,
IsHight = false,
TurnPointData = {
{ AreaId = 58, Dis = 2524.098651004 },
{ AreaId = 60, Dis = 1795.7694729558 },
},
},
{
AreaId = 60,
AreaRadius = 100,
AreaX = 2026,
AreaY = 22991,
AreaZ = 2689,
IsHight = false,
TurnPointData = {
{ AreaId = 51, Dis = 6613.4561312524 },
{ AreaId = 148, Dis = 2992.7854918119 },
{ AreaId = 41, Dis = 8722.0154780876 },
{ AreaId = 165, Dis = 663.78385036094 },
{ AreaId = 59, Dis = 1795.7694729558 },
{ AreaId = 61, Dis = 4444.0864078008 },
},
},
{
AreaId = 61,
AreaRadius = 100,
AreaX = 6378,
AreaY = 22091,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 51, Dis = 2174.0400180309 },
{ AreaId = 148, Dis = 1453.0316582924 },
{ AreaId = 149, Dis = 4620.7899757509 },
{ AreaId = 60, Dis = 4444.0864078008 },
{ AreaId = 28, Dis = 1138.4243497045 },
{ AreaId = 30, Dis = 3073.0001627074 },
},
},
{
AreaId = 62,
AreaRadius = 100,
AreaX = 16730,
AreaY = 11729,
AreaZ = 2479,
IsHight = false,
TurnPointData = {
{ AreaId = 81, Dis = 1164.1241342743 },
{ AreaId = 82, Dis = 1178.0106111576 },
},
},
{
AreaId = 63,
AreaRadius = 100,
AreaX = 16295,
AreaY = 3024,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 243, Dis = 1947.2413820582 },
{ AreaId = 244, Dis = 806.59779320303 },
{ AreaId = 64, Dis = 6810.1621860276 },
{ AreaId = 3, Dis = 2694.9567714529 },
{ AreaId = 67, Dis = 2892 },
{ AreaId = 68, Dis = 6121.6469189263 },
{ AreaId = 191, Dis = 6960.6241817814 },
{ AreaId = 239, Dis = 9765.7886522288 },
{ AreaId = 11, Dis = 9341.0856435427 },
{ AreaId = 77, Dis = 7536.041467508 },
{ AreaId = 82, Dis = 9892.7897480943 },
},
},
{
AreaId = 64,
AreaRadius = 100,
AreaX = 16342,
AreaY = 9834,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 213, Dis = 7004.0026413473 },
{ AreaId = 71, Dis = 5897.1356606407 },
{ AreaId = 72, Dis = 7178.0025076619 },
{ AreaId = 78, Dis = 1229.8703183669 },
{ AreaId = 63, Dis = 6810.1621860276 },
{ AreaId = 65, Dis = 2715.0029465914 },
{ AreaId = 81, Dis = 819.75728115095 },
{ AreaId = 79, Dis = 1060.6639430093 },
{ AreaId = 11, Dis = 2532.4948173688 },
{ AreaId = 75, Dis = 9642.0018668324 },
{ AreaId = 77, Dis = 726.33325684564 },
},
},
{
AreaId = 65,
AreaRadius = 100,
AreaX = 19057,
AreaY = 9838,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 213, Dis = 4301.7749824927 },
{ AreaId = 71, Dis = 3182.3041966475 },
{ AreaId = 64, Dis = 2715.0029465914 },
{ AreaId = 72, Dis = 4463.000448129 },
{ AreaId = 66, Dis = 5304.4730181235 },
{ AreaId = 67, Dis = 6815.2399811012 },
{ AreaId = 81, Dis = 2454.1526032421 },
{ AreaId = 80, Dis = 941.11635837446 },
{ AreaId = 75, Dis = 6927.0002887253 },
{ AreaId = 323, Dis = 2828.8662039764 },
{ AreaId = 77, Dis = 2830.6276689102 },
},
},
{
AreaId = 66,
AreaRadius = 100,
AreaX = 19182,
AreaY = 4535,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 67, Dis = 1511.0082726445 },
{ AreaId = 65, Dis = 5304.4730181235 },
{ AreaId = 80, Dis = 6242.9840621293 },
{ AreaId = 323, Dis = 2475.6110356839 },
},
},
{
AreaId = 67,
AreaRadius = 100,
AreaX = 19187,
AreaY = 3024,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 243, Dis = 4831.9202187122 },
{ AreaId = 244, Dis = 3695.0009472259 },
{ AreaId = 66, Dis = 1511.0082726445 },
{ AreaId = 3, Dis = 5571.947594872 },
{ AreaId = 68, Dis = 3232.0162437711 },
{ AreaId = 63, Dis = 2892 },
{ AreaId = 191, Dis = 9832.4605770885 },
{ AreaId = 65, Dis = 6815.2399811012 },
{ AreaId = 80, Dis = 7753.3530810869 },
{ AreaId = 239, Dis = 6875.3824620889 },
{ AreaId = 323, Dis = 3986.4515549546 },
},
},
{
AreaId = 68,
AreaRadius = 100,
AreaX = 22414,
AreaY = 2844,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 243, Dis = 8054.0896443981 },
{ AreaId = 244, Dis = 6921.6383176239 },
{ AreaId = 71, Dis = 6952.2028882938 },
{ AreaId = 192, Dis = 11696.421675025 },
{ AreaId = 2, Dis = 12292.862848011 },
{ AreaId = 3, Dis = 8787.6061017777 },
{ AreaId = 67, Dis = 3232.0162437711 },
{ AreaId = 69, Dis = 3549.0456463675 },
{ AreaId = 63, Dis = 6121.6469189263 },
{ AreaId = 240, Dis = 15976.005257886 },
{ AreaId = 239, Dis = 3644.1614947749 },
{ AreaId = 104, Dis = 9900.8226930897 },
{ AreaId = 236, Dis = 14940.626660217 },
},
},
{
AreaId = 69,
AreaRadius = 100,
AreaX = 22432,
AreaY = 6393,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 70, Dis = 1013 },
{ AreaId = 71, Dis = 3406.4717817707 },
{ AreaId = 68, Dis = 3549.0456463675 },
},
},
{
AreaId = 70,
AreaRadius = 100,
AreaX = 23445,
AreaY = 6393,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 72, Dis = 3447.8158303483 },
{ AreaId = 74, Dis = 1625.1489162535 },
{ AreaId = 69, Dis = 1013 },
{ AreaId = 73, Dis = 2165 },
},
},
{
AreaId = 71,
AreaRadius = 100,
AreaX = 22239,
AreaY = 9794,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 213, Dis = 1232.1201240139 },
{ AreaId = 64, Dis = 5897.1356606407 },
{ AreaId = 72, Dis = 1281.825651171 },
{ AreaId = 68, Dis = 6952.2028882938 },
{ AreaId = 69, Dis = 3406.4717817707 },
{ AreaId = 96, Dis = 1362.9174589828 },
{ AreaId = 65, Dis = 3182.3041966475 },
{ AreaId = 104, Dis = 2968.3943471176 },
{ AreaId = 75, Dis = 3745.2824993584 },
},
},
{
AreaId = 72,
AreaRadius = 100,
AreaX = 23520,
AreaY = 9840,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 213, Dis = 570.36917869043 },
{ AreaId = 70, Dis = 3447.8158303483 },
{ AreaId = 71, Dis = 1281.825651171 },
{ AreaId = 64, Dis = 7178.0025076619 },
{ AreaId = 74, Dis = 1822.7706932031 },
{ AreaId = 65, Dis = 4463.000448129 },
{ AreaId = 73, Dis = 5612.5011358573 },
{ AreaId = 75, Dis = 2464 },
},
},
{
AreaId = 73,
AreaRadius = 100,
AreaX = 23445,
AreaY = 4228,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 70, Dis = 2165 },
{ AreaId = 72, Dis = 5612.5011358573 },
{ AreaId = 74, Dis = 3790.0638517049 },
},
},
{
AreaId = 74,
AreaRadius = 100,
AreaX = 23467,
AreaY = 8018,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 213, Dis = 2362.2717879194 },
{ AreaId = 70, Dis = 1625.1489162535 },
{ AreaId = 72, Dis = 1822.7706932031 },
{ AreaId = 73, Dis = 3790.0638517049 },
},
},
{
AreaId = 75,
AreaRadius = 100,
AreaX = 25984,
AreaY = 9840,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 213, Dis = 2712.4853916657 },
{ AreaId = 102, Dis = 7078.1837359594 },
{ AreaId = 71, Dis = 3745.2824993584 },
{ AreaId = 103, Dis = 9093.1979523158 },
{ AreaId = 126, Dis = 16014.619883094 },
{ AreaId = 64, Dis = 9642.0018668324 },
{ AreaId = 72, Dis = 2464 },
{ AreaId = 76, Dis = 2524.599176107 },
{ AreaId = 98, Dis = 4679.2779357503 },
{ AreaId = 226, Dis = 11184.32872371 },
{ AreaId = 99, Dis = 6226.2088786034 },
{ AreaId = 118, Dis = 13522.096176259 },
{ AreaId = 94, Dis = 4607.0001085305 },
{ AreaId = 65, Dis = 6927.0002887253 },
{ AreaId = 129, Dis = 18493.329878635 },
{ AreaId = 239, Dis = 7088.3759070749 },
{ AreaId = 111, Dis = 12500.310476144 },
{ AreaId = 106, Dis = 2900.0110344618 },
{ AreaId = 110, Dis = 10678.987077434 },
},
},
{
AreaId = 76,
AreaRadius = 100,
AreaX = 25929,
AreaY = 7316,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 102, Dis = 9602.0008331597 },
{ AreaId = 103, Dis = 11617.001076009 },
{ AreaId = 126, Dis = 18539.038297603 },
{ AreaId = 98, Dis = 7203.0011106483 },
{ AreaId = 226, Dis = 13708.275456818 },
{ AreaId = 99, Dis = 8750.0009142857 },
{ AreaId = 100, Dis = 6642.2142392428 },
{ AreaId = 118, Dis = 16046.000498567 },
{ AreaId = 94, Dis = 2083.6998344291 },
{ AreaId = 129, Dis = 21017.853862847 },
{ AreaId = 239, Dis = 4565.7945639286 },
{ AreaId = 106, Dis = 5424.3658615547 },
{ AreaId = 75, Dis = 2524.599176107 },
{ AreaId = 110, Dis = 13203.579893347 },
},
},
{
AreaId = 77,
AreaRadius = 100,
AreaX = 16320,
AreaY = 10560,
AreaZ = 2080,
IsHight = false,
TurnPointData = {
{ AreaId = 71, Dis = 5968.3596573933 },
{ AreaId = 64, Dis = 726.33325684564 },
{ AreaId = 63, Dis = 7536.041467508 },
{ AreaId = 65, Dis = 2830.6276689102 },
{ AreaId = 81, Dis = 393.03180532878 },
{ AreaId = 79, Dis = 770.43883598894 },
{ AreaId = 11, Dis = 1806.1699809265 },
},
},
{
AreaId = 78,
AreaRadius = 100,
AreaX = 17112,
AreaY = 10793,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 64, Dis = 1229.8703183669 },
{ AreaId = 237, Dis = 2979.4207490719 },
{ AreaId = 96, Dis = 4379.2065491365 },
{ AreaId = 81, Dis = 459.54869165302 },
{ AreaId = 80, Dis = 1847.097723457 },
{ AreaId = 79, Dis = 208.1657993043 },
},
},
{
AreaId = 79,
AreaRadius = 100,
AreaX = 17090,
AreaY = 10586,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 64, Dis = 1060.6639430093 },
{ AreaId = 78, Dis = 208.1657993043 },
{ AreaId = 81, Dis = 377.584427645 },
{ AreaId = 77, Dis = 770.43883598894 },
},
},
{
AreaId = 80,
AreaRadius = 100,
AreaX = 18959,
AreaY = 10774,
AreaZ = 2064,
IsHight = false,
TurnPointData = {
{ AreaId = 237, Dis = 1136.4338960098 },
{ AreaId = 78, Dis = 1847.097723457 },
{ AreaId = 66, Dis = 6242.9840621293 },
{ AreaId = 67, Dis = 7753.3530810869 },
{ AreaId = 96, Dis = 2534.9287958442 },
{ AreaId = 65, Dis = 941.11635837446 },
{ AreaId = 323, Dis = 3767.7473376011 },
},
},
{
AreaId = 81,
AreaRadius = 100,
AreaX = 16713,
AreaY = 10565,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 62, Dis = 1164.1241342743 },
{ AreaId = 64, Dis = 819.75728115095 },
{ AreaId = 78, Dis = 459.54869165302 },
{ AreaId = 65, Dis = 2454.1526032421 },
{ AreaId = 79, Dis = 377.584427645 },
{ AreaId = 77, Dis = 393.03180532878 },
{ AreaId = 82, Dis = 2342.1033282074 },
},
},
{
AreaId = 82,
AreaRadius = 100,
AreaX = 16735,
AreaY = 12907,
AreaZ = 2760,
IsHight = false,
TurnPointData = {
{ AreaId = 83, Dis = 3377.2611684618 },
{ AreaId = 85, Dis = 4500.0004444444 },
{ AreaId = 62, Dis = 1178.0106111576 },
{ AreaId = 159, Dis = 4156.2436165365 },
{ AreaId = 158, Dis = 2606.1084014292 },
{ AreaId = 63, Dis = 9892.7897480943 },
{ AreaId = 81, Dis = 2342.1033282074 },
},
},
{
AreaId = 83,
AreaRadius = 100,
AreaX = 20112,
AreaY = 12865,
AreaZ = 2816,
IsHight = false,
TurnPointData = {
{ AreaId = 84, Dis = 3051 },
{ AreaId = 85, Dis = 1123.8616462893 },
{ AreaId = 159, Dis = 779.0057766153 },
{ AreaId = 158, Dis = 772.74834195875 },
{ AreaId = 82, Dis = 3377.2611684618 },
},
},
{
AreaId = 84,
AreaRadius = 100,
AreaX = 20112,
AreaY = 15916,
AreaZ = 2801,
IsHight = false,
TurnPointData = {
{ AreaId = 83, Dis = 3051 },
{ AreaId = 211, Dis = 1141.5077748312 },
{ AreaId = 207, Dis = 1220.7084008886 },
},
},
{
AreaId = 85,
AreaRadius = 100,
AreaX = 21235,
AreaY = 12909,
AreaZ = 2815,
IsHight = false,
TurnPointData = {
{ AreaId = 83, Dis = 1123.8616462893 },
{ AreaId = 211, Dis = 3119.027091899 },
{ AreaId = 89, Dis = 6519.6776760818 },
{ AreaId = 159, Dis = 347.19591011416 },
{ AreaId = 86, Dis = 2176.0450362987 },
{ AreaId = 88, Dis = 5134.2839812383 },
{ AreaId = 158, Dis = 1896.6045976956 },
{ AreaId = 82, Dis = 4500.0004444444 },
},
},
{
AreaId = 86,
AreaRadius = 100,
AreaX = 21249,
AreaY = 15085,
AreaZ = 2904,
IsHight = false,
TurnPointData = {
{ AreaId = 211, Dis = 943.00053022254 },
{ AreaId = 85, Dis = 2176.0450362987 },
{ AreaId = 89, Dis = 4344.3426430244 },
{ AreaId = 87, Dis = 2262 },
{ AreaId = 88, Dis = 2958.7815059582 },
{ AreaId = 210, Dis = 2800.1207116837 },
},
},
{
AreaId = 87,
AreaRadius = 100,
AreaX = 23511,
AreaY = 15085,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 97, Dis = 566 },
{ AreaId = 105, Dis = 2345.394849487 },
{ AreaId = 107, Dis = 1058.0472579238 },
{ AreaId = 86, Dis = 2262 },
{ AreaId = 96, Dis = 4619.0792372506 },
{ AreaId = 108, Dis = 2233.1511368468 },
},
},
{
AreaId = 88,
AreaRadius = 100,
AreaX = 21181,
AreaY = 18043,
AreaZ = 2804,
IsHight = false,
TurnPointData = {
{ AreaId = 211, Dis = 2016.1135880699 },
{ AreaId = 85, Dis = 5134.2839812383 },
{ AreaId = 89, Dis = 1385.5774969304 },
{ AreaId = 86, Dis = 2958.7815059582 },
{ AreaId = 210, Dis = 617.25845478211 },
},
},
{
AreaId = 89,
AreaRadius = 100,
AreaX = 21141,
AreaY = 19428,
AreaZ = 3269,
IsHight = false,
TurnPointData = {
{ AreaId = 211, Dis = 3401.6832597995 },
{ AreaId = 85, Dis = 6519.6776760818 },
{ AreaId = 86, Dis = 4344.3426430244 },
{ AreaId = 88, Dis = 1385.5774969304 },
{ AreaId = 90, Dis = 1190.0105041553 },
},
},
{
AreaId = 90,
AreaRadius = 100,
AreaX = 22331,
AreaY = 19433,
AreaZ = 3672,
IsHight = false,
TurnPointData = {
{ AreaId = 179, Dis = 2451.0203997519 },
{ AreaId = 89, Dis = 1190.0105041553 },
{ AreaId = 91, Dis = 923.81004540977 },
{ AreaId = 92, Dis = 549.60713241369 },
},
},
{
AreaId = 91,
AreaRadius = 100,
AreaX = 22259,
AreaY = 18512,
AreaZ = 3770,
IsHight = false,
TurnPointData = {
{ AreaId = 179, Dis = 1531.255693867 },
{ AreaId = 90, Dis = 923.81004540977 },
},
},
{
AreaId = 92,
AreaRadius = 100,
AreaX = 22289,
AreaY = 19981,
AreaZ = 3700,
IsHight = false,
TurnPointData = {
{ AreaId = 179, Dis = 2999.1707187154 },
{ AreaId = 90, Dis = 549.60713241369 },
},
},
{
AreaId = 93,
AreaRadius = 100,
AreaX = 5416,
AreaY = 21015,
AreaZ = 2062,
IsHight = false,
TurnPointData = {
{ AreaId = 51, Dis = 3084.5566942431 },
{ AreaId = 181, Dis = 6128.0930965513 },
{ AreaId = 301, Dis = 5005.0288710456 },
{ AreaId = 304, Dis = 3768.9916423362 },
{ AreaId = 306, Dis = 3572.7150740018 },
{ AreaId = 27, Dis = 8334.7259103104 },
{ AreaId = 29, Dis = 1247.2601973927 },
{ AreaId = 41, Dis = 5105.0000979432 },
{ AreaId = 43, Dis = 4168.4079694771 },
{ AreaId = 235, Dis = 9034.3905715881 },
{ AreaId = 204, Dis = 10073.593251665 },
{ AreaId = 34, Dis = 4482.3752631836 },
{ AreaId = 316, Dis = 2617.0429878013 },
{ AreaId = 302, Dis = 5014.310820043 },
{ AreaId = 303, Dis = 4478.6734643195 },
{ AreaId = 305, Dis = 3661.9516654374 },
{ AreaId = 28, Dis = 1494.5935902445 },
{ AreaId = 113, Dis = 10922.19629928 },
{ AreaId = 40, Dis = 8225.0418236019 },
{ AreaId = 42, Dis = 5105.0238980831 },
{ AreaId = 114, Dis = 10872.181473835 },
{ AreaId = 178, Dis = 7099.3478573739 },
},
},
{
AreaId = 94,
AreaRadius = 100,
AreaX = 25983,
AreaY = 5233,
AreaZ = 2074,
IsHight = false,
TurnPointData = {
{ AreaId = 102, Dis = 11685.106974264 },
{ AreaId = 103, Dis = 13700.127043207 },
{ AreaId = 126, Dis = 20619.497569049 },
{ AreaId = 76, Dis = 2083.6998344291 },
{ AreaId = 98, Dis = 9286.1346102671 },
{ AreaId = 226, Dis = 15787.764787962 },
{ AreaId = 99, Dis = 10833.115387551 },
{ AreaId = 100, Dis = 8696.7698026336 },
{ AreaId = 118, Dis = 18129.06895017 },
{ AreaId = 129, Dis = 23098.692603695 },
{ AreaId = 239, Dis = 2482.103341926 },
{ AreaId = 111, Dis = 17106.968170895 },
{ AreaId = 106, Dis = 7507.0053949628 },
{ AreaId = 75, Dis = 4607.0001085305 },
{ AreaId = 110, Dis = 15285.401695736 },
},
},
{
AreaId = 95,
AreaRadius = 100,
AreaX = 9106,
AreaY = 14753,
AreaZ = 2124,
IsHight = false,
TurnPointData = {
{ AreaId = 19, Dis = 2392.7799731693 },
{ AreaId = 198, Dis = 4313.6412692759 },
{ AreaId = 39, Dis = 2212.4992655366 },
{ AreaId = 308, Dis = 2563.0239952057 },
{ AreaId = 31, Dis = 2259.1170841725 },
{ AreaId = 33, Dis = 8215.1178323868 },
{ AreaId = 8, Dis = 6229.1984235534 },
{ AreaId = 14, Dis = 4660.201819664 },
{ AreaId = 37, Dis = 4343.0719542738 },
{ AreaId = 32, Dis = 7864.0336342109 },
{ AreaId = 13, Dis = 3988.9860867143 },
{ AreaId = 18, Dis = 1719.7238150354 },
},
},
{
AreaId = 96,
AreaRadius = 100,
AreaX = 21489,
AreaY = 10932,
AreaZ = 2064,
IsHight = false,
TurnPointData = {
{ AreaId = 71, Dis = 1362.9174589828 },
{ AreaId = 97, Dis = 4117.6513936952 },
{ AreaId = 237, Dis = 1399.7892698546 },
{ AreaId = 78, Dis = 4379.2065491365 },
{ AreaId = 87, Dis = 4619.0792372506 },
{ AreaId = 80, Dis = 2534.9287958442 },
{ AreaId = 104, Dis = 1810.9403634576 },
},
},
{
AreaId = 97,
AreaRadius = 100,
AreaX = 23511,
AreaY = 14519,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 105, Dis = 1785.553415611 },
{ AreaId = 107, Dis = 1614.2428565739 },
{ AreaId = 98, Dis = 2422 },
{ AreaId = 100, Dis = 3574.9586011589 },
{ AreaId = 101, Dis = 8081.6545335717 },
{ AreaId = 87, Dis = 566 },
{ AreaId = 96, Dis = 4117.6513936952 },
{ AreaId = 106, Dis = 3052.9005879655 },
{ AreaId = 108, Dis = 2796.4906579497 },
},
},
{
AreaId = 98,
AreaRadius = 100,
AreaX = 25933,
AreaY = 14519,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 102, Dis = 2399 },
{ AreaId = 103, Dis = 4414.0091753416 },
{ AreaId = 97, Dis = 2422 },
{ AreaId = 105, Dis = 3242.2721970865 },
{ AreaId = 76, Dis = 7203.0011106483 },
{ AreaId = 99, Dis = 1547 },
{ AreaId = 100, Dis = 1272.6951716731 },
{ AreaId = 118, Dis = 8843 },
{ AreaId = 94, Dis = 9286.1346102671 },
{ AreaId = 239, Dis = 11767.653334459 },
{ AreaId = 104, Dis = 4545.832377024 },
{ AreaId = 106, Dis = 1779.9780897528 },
{ AreaId = 75, Dis = 4679.2779357503 },
},
},
{
AreaId = 99,
AreaRadius = 100,
AreaX = 25933,
AreaY = 16066,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 102, Dis = 852 },
{ AreaId = 103, Dis = 2867.0141262296 },
{ AreaId = 200, Dis = 2515.0848892234 },
{ AreaId = 76, Dis = 8750.0009142857 },
{ AreaId = 98, Dis = 1547 },
{ AreaId = 118, Dis = 7296 },
{ AreaId = 94, Dis = 10833.115387551 },
{ AreaId = 239, Dis = 13314.577424763 },
{ AreaId = 106, Dis = 3326.5232601021 },
{ AreaId = 75, Dis = 6226.2088786034 },
},
},
{
AreaId = 100,
AreaRadius = 100,
AreaX = 27026,
AreaY = 13867,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 97, Dis = 3574.9586011589 },
{ AreaId = 105, Dis = 3973.6028991332 },
{ AreaId = 76, Dis = 6642.2142392428 },
{ AreaId = 98, Dis = 1272.6951716731 },
{ AreaId = 101, Dis = 4539.0281999565 },
{ AreaId = 94, Dis = 8696.7698026336 },
{ AreaId = 239, Dis = 11157.158509226 },
{ AreaId = 104, Dis = 5391.7619569117 },
{ AreaId = 106, Dis = 1529.4721311616 },
},
},
{
AreaId = 101,
AreaRadius = 100,
AreaX = 31565,
AreaY = 13851,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 97, Dis = 8081.6545335717 },
{ AreaId = 100, Dis = 4539.0281999565 },
},
},
{
AreaId = 102,
AreaRadius = 100,
AreaX = 25933,
AreaY = 16918,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 103, Dis = 2015.0200991553 },
{ AreaId = 200, Dis = 1766.9555738614 },
{ AreaId = 76, Dis = 9602.0008331597 },
{ AreaId = 98, Dis = 2399 },
{ AreaId = 226, Dis = 4134.3212260297 },
{ AreaId = 99, Dis = 852 },
{ AreaId = 118, Dis = 6444 },
{ AreaId = 94, Dis = 11685.106974264 },
{ AreaId = 239, Dis = 14166.542697497 },
{ AreaId = 106, Dis = 4178.4165661169 },
{ AreaId = 75, Dis = 7078.1837359594 },
},
},
{
AreaId = 103,
AreaRadius = 100,
AreaX = 25924,
AreaY = 18933,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 117, Dis = 1390.1115063188 },
{ AreaId = 102, Dis = 2015.0200991553 },
{ AreaId = 200, Dis = 1157.9680479184 },
{ AreaId = 76, Dis = 11617.001076009 },
{ AreaId = 109, Dis = 1625.6623265611 },
{ AreaId = 98, Dis = 4414.0091753416 },
{ AreaId = 226, Dis = 2159.7374840475 },
{ AreaId = 99, Dis = 2867.0141262296 },
{ AreaId = 118, Dis = 4429.0091442669 },
{ AreaId = 94, Dis = 13700.127043207 },
{ AreaId = 239, Dis = 16181.54658863 },
{ AreaId = 106, Dis = 6193.3733134698 },
{ AreaId = 75, Dis = 9093.1979523158 },
{ AreaId = 110, Dis = 1606.179317511 },
},
},
{
AreaId = 104,
AreaRadius = 100,
AreaX = 21757,
AreaY = 12723,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 71, Dis = 2968.3943471176 },
{ AreaId = 105, Dis = 1453.4459054261 },
{ AreaId = 98, Dis = 4545.832377024 },
{ AreaId = 68, Dis = 9900.8226930897 },
{ AreaId = 100, Dis = 5391.7619569117 },
{ AreaId = 96, Dis = 1810.9403634576 },
{ AreaId = 106, Dis = 4235.0341202876 },
},
},
{
AreaId = 105,
AreaRadius = 100,
AreaX = 23210,
AreaY = 12759,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 97, Dis = 1785.553415611 },
{ AreaId = 107, Dis = 3399.6448343908 },
{ AreaId = 98, Dis = 3242.2721970865 },
{ AreaId = 100, Dis = 3973.6028991332 },
{ AreaId = 87, Dis = 2345.394849487 },
{ AreaId = 104, Dis = 1453.4459054261 },
{ AreaId = 106, Dis = 2782.0648806237 },
{ AreaId = 108, Dis = 4578.3146462427 },
},
},
{
AreaId = 106,
AreaRadius = 100,
AreaX = 25992,
AreaY = 12740,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 102, Dis = 4178.4165661169 },
{ AreaId = 103, Dis = 6193.3733134698 },
{ AreaId = 126, Dis = 13116.410865782 },
{ AreaId = 97, Dis = 3052.9005879655 },
{ AreaId = 105, Dis = 2782.0648806237 },
{ AreaId = 76, Dis = 5424.3658615547 },
{ AreaId = 98, Dis = 1779.9780897528 },
{ AreaId = 226, Dis = 8288.1405031527 },
{ AreaId = 99, Dis = 3326.5232601021 },
{ AreaId = 100, Dis = 1529.4721311616 },
{ AreaId = 118, Dis = 10622.163856767 },
{ AreaId = 94, Dis = 7507.0053949628 },
{ AreaId = 129, Dis = 15594.596307696 },
{ AreaId = 239, Dis = 9988.2115015652 },
{ AreaId = 104, Dis = 4235.0341202876 },
{ AreaId = 75, Dis = 2900.0110344618 },
},
},
{
AreaId = 107,
AreaRadius = 100,
AreaX = 23753,
AreaY = 16115,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 97, Dis = 1614.2428565739 },
{ AreaId = 105, Dis = 3399.6448343908 },
{ AreaId = 87, Dis = 1058.0472579238 },
{ AreaId = 108, Dis = 1190 },
},
},
{
AreaId = 108,
AreaRadius = 100,
AreaX = 23753,
AreaY = 17305,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 212, Dis = 524.02385441886 },
{ AreaId = 97, Dis = 2796.4906579497 },
{ AreaId = 105, Dis = 4578.3146462427 },
{ AreaId = 107, Dis = 1190 },
{ AreaId = 87, Dis = 2233.1511368468 },
},
},
{
AreaId = 109,
AreaRadius = 100,
AreaX = 24301,
AreaY = 18840,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 116, Dis = 1895.715695984 },
{ AreaId = 212, Dis = 1530.1882237163 },
{ AreaId = 117, Dis = 744.47296794444 },
{ AreaId = 103, Dis = 1625.6623265611 },
},
},
{
AreaId = 110,
AreaRadius = 100,
AreaX = 26190,
AreaY = 20517,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 116, Dis = 1471.8505358901 },
{ AreaId = 103, Dis = 1606.179317511 },
{ AreaId = 126, Dis = 5339.4180394496 },
{ AreaId = 233, Dis = 2530.6793554301 },
{ AreaId = 76, Dis = 13203.579893347 },
{ AreaId = 226, Dis = 588.88538783026 },
{ AreaId = 94, Dis = 15285.401695736 },
{ AreaId = 129, Dis = 7815.7958647856 },
{ AreaId = 239, Dis = 17765.497853987 },
{ AreaId = 111, Dis = 1822.1715067468 },
{ AreaId = 75, Dis = 10678.987077434 },
},
},
{
AreaId = 111,
AreaRadius = 100,
AreaX = 26165,
AreaY = 22339,
AreaZ = 2047,
IsHight = false,
TurnPointData = {
{ AreaId = 120, Dis = 2534.4995561254 },
{ AreaId = 122, Dis = 1070.9458436354 },
{ AreaId = 126, Dis = 3525.8916602755 },
{ AreaId = 130, Dis = 10237.242060243 },
{ AreaId = 226, Dis = 1370.8628669564 },
{ AreaId = 118, Dis = 1048.9771208182 },
{ AreaId = 119, Dis = 1484.4285095618 },
{ AreaId = 94, Dis = 17106.968170895 },
{ AreaId = 129, Dis = 5997.6722151181 },
{ AreaId = 113, Dis = 9886.9828056895 },
{ AreaId = 112, Dis = 1435.008710775 },
{ AreaId = 239, Dis = 19587.297746244 },
{ AreaId = 234, Dis = 2561.0048809012 },
{ AreaId = 75, Dis = 12500.310476144 },
{ AreaId = 110, Dis = 1822.1715067468 },
},
},
{
AreaId = 112,
AreaRadius = 100,
AreaX = 24730,
AreaY = 22334,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 115, Dis = 907.06670096526 },
{ AreaId = 116, Dis = 1647.0012143286 },
{ AreaId = 117, Dis = 2839.0443814777 },
{ AreaId = 120, Dis = 3863.8449761863 },
{ AreaId = 188, Dis = 4441.5681915288 },
{ AreaId = 190, Dis = 4482.3994690344 },
{ AreaId = 43, Dis = 15206.00808891 },
{ AreaId = 118, Dis = 1582.401023761 },
{ AreaId = 119, Dis = 2617.6053942487 },
{ AreaId = 305, Dis = 22988.356204827 },
{ AreaId = 127, Dis = 5502.0885125559 },
{ AreaId = 113, Dis = 8452.2037954607 },
{ AreaId = 111, Dis = 1435.008710775 },
{ AreaId = 42, Dis = 14265.264175612 },
{ AreaId = 234, Dis = 1126.0444040978 },
},
},
{
AreaId = 113,
AreaRadius = 100,
AreaX = 16280,
AreaY = 22141,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 181, Dis = 4795.23774176 },
{ AreaId = 184, Dis = 7973.442481137 },
{ AreaId = 122, Dis = 10922.680348706 },
{ AreaId = 27, Dis = 2815.7762695214 },
{ AreaId = 188, Dis = 4012.0280407794 },
{ AreaId = 29, Dis = 12169.218956038 },
{ AreaId = 93, Dis = 10922.19629928 },
{ AreaId = 190, Dis = 12845.881285455 },
{ AreaId = 41, Dis = 5868.2373844281 },
{ AreaId = 235, Dis = 1954.3216214329 },
{ AreaId = 204, Dis = 1068.8783841018 },
{ AreaId = 206, Dis = 2178.0020661147 },
{ AreaId = 130, Dis = 1257.5539749848 },
{ AreaId = 197, Dis = 3286.0439741428 },
{ AreaId = 118, Dis = 9729.9152103192 },
{ AreaId = 119, Dis = 10870.947014865 },
{ AreaId = 152, Dis = 3705.7988342596 },
{ AreaId = 26, Dis = 3152.3389728898 },
{ AreaId = 28, Dis = 9430.4236384163 },
{ AreaId = 49, Dis = 8109.8289131152 },
{ AreaId = 112, Dis = 8452.2037954607 },
{ AreaId = 111, Dis = 9886.9828056895 },
{ AreaId = 15, Dis = 6902.7536534343 },
{ AreaId = 40, Dis = 2733.6190297845 },
{ AreaId = 234, Dis = 7326.8127449799 },
{ AreaId = 205, Dis = 3959.0668092367 },
{ AreaId = 114, Dis = 863.01448423535 },
{ AreaId = 178, Dis = 3834.1131960337 },
{ AreaId = 242, Dis = 5928.0759104451 },
},
},
{
AreaId = 114,
AreaRadius = 100,
AreaX = 16285,
AreaY = 21278,
AreaZ = 2009,
IsHight = false,
TurnPointData = {
{ AreaId = 51, Dis = 7822.6604170193 },
{ AreaId = 181, Dis = 4774.8756004738 },
{ AreaId = 301, Dis = 15875.90602139 },
{ AreaId = 304, Dis = 14595.596596234 },
{ AreaId = 306, Dis = 14443.487148192 },
{ AreaId = 27, Dis = 2562.2946747008 },
{ AreaId = 29, Dis = 12117.52862592 },
{ AreaId = 93, Dis = 10872.181473835 },
{ AreaId = 41, Dis = 5770.0426341579 },
{ AreaId = 43, Dis = 6752.4147532568 },
{ AreaId = 235, Dis = 1858.899943515 },
{ AreaId = 204, Dis = 818.42837194222 },
{ AreaId = 206, Dis = 1315.0015209117 },
{ AreaId = 34, Dis = 15353.922300181 },
{ AreaId = 316, Dis = 13488.280097922 },
{ AreaId = 197, Dis = 2423.0297150468 },
{ AreaId = 302, Dis = 15858.970616027 },
{ AreaId = 303, Dis = 15317.504822914 },
{ AreaId = 305, Dis = 14520.013774098 },
{ AreaId = 26, Dis = 2720.6221714895 },
{ AreaId = 28, Dis = 9378.0068244803 },
{ AreaId = 113, Dis = 863.01448423535 },
{ AreaId = 15, Dis = 6039.7789694657 },
{ AreaId = 40, Dis = 2664.5166541045 },
{ AreaId = 42, Dis = 5816.1018732481 },
{ AreaId = 205, Dis = 3096.0523251392 },
{ AreaId = 178, Dis = 3794.1610403355 },
{ AreaId = 242, Dis = 5065.0616975512 },
},
},
{
AreaId = 115,
AreaRadius = 100,
AreaX = 24741,
AreaY = 21427,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 116, Dis = 740.1141803803 },
{ AreaId = 117, Dis = 1933.0041386402 },
{ AreaId = 189, Dis = 403.31749280189 },
{ AreaId = 112, Dis = 907.06670096526 },
},
},
{
AreaId = 116,
AreaRadius = 100,
AreaX = 24728,
AreaY = 20687,
AreaZ = 2047,
IsHight = false,
TurnPointData = {
{ AreaId = 115, Dis = 740.1141803803 },
{ AreaId = 117, Dis = 1193.3591244885 },
{ AreaId = 231, Dis = 6944.0035282249 },
{ AreaId = 233, Dis = 1061.3434882261 },
{ AreaId = 109, Dis = 1895.715695984 },
{ AreaId = 112, Dis = 1647.0012143286 },
{ AreaId = 232, Dis = 4451.2174739053 },
{ AreaId = 110, Dis = 1471.8505358901 },
},
},
{
AreaId = 117,
AreaRadius = 100,
AreaX = 24653,
AreaY = 19496,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 115, Dis = 1933.0041386402 },
{ AreaId = 116, Dis = 1193.3591244885 },
{ AreaId = 103, Dis = 1390.1115063188 },
{ AreaId = 200, Dis = 2545.5906976574 },
{ AreaId = 109, Dis = 744.47296794444 },
{ AreaId = 112, Dis = 2839.0443814777 },
},
},
{
AreaId = 118,
AreaRadius = 100,
AreaX = 25933,
AreaY = 23362,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 181, Dis = 14525.090189049 },
{ AreaId = 102, Dis = 6444 },
{ AreaId = 103, Dis = 4429.0091442669 },
{ AreaId = 120, Dis = 2479.1040720389 },
{ AreaId = 122, Dis = 1447.4874783569 },
{ AreaId = 126, Dis = 2555.8804745136 },
{ AreaId = 190, Dis = 3122.3100422604 },
{ AreaId = 76, Dis = 16046.000498567 },
{ AreaId = 98, Dis = 8843 },
{ AreaId = 130, Dis = 9954 },
{ AreaId = 226, Dis = 2419.5611172277 },
{ AreaId = 99, Dis = 7296 },
{ AreaId = 119, Dis = 1141.1314560558 },
{ AreaId = 121, Dis = 4937.88466856 },
{ AreaId = 28, Dis = 19159.902400586 },
{ AreaId = 94, Dis = 18129.06895017 },
{ AreaId = 127, Dis = 3938.8959112929 },
{ AreaId = 113, Dis = 9729.9152103192 },
{ AreaId = 112, Dis = 1582.401023761 },
{ AreaId = 111, Dis = 1048.9771208182 },
{ AreaId = 106, Dis = 10622.163856767 },
{ AreaId = 234, Dis = 2541.764151136 },
{ AreaId = 75, Dis = 13522.096176259 },
{ AreaId = 178, Dis = 13561.910853563 },
},
},
{
AreaId = 119,
AreaRadius = 100,
AreaX = 27063,
AreaY = 23521,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 181, Dis = 15666.085662986 },
{ AreaId = 120, Dis = 1344 },
{ AreaId = 122, Dis = 884.31272748955 },
{ AreaId = 126, Dis = 2382.3417051296 },
{ AreaId = 190, Dis = 1988.0062877164 },
{ AreaId = 118, Dis = 1141.1314560558 },
{ AreaId = 121, Dis = 3833.1670978448 },
{ AreaId = 123, Dis = 1840.1239088714 },
{ AreaId = 129, Dis = 4832.4933522975 },
{ AreaId = 113, Dis = 10870.947014865 },
{ AreaId = 112, Dis = 2617.6053942487 },
{ AreaId = 111, Dis = 1484.4285095618 },
{ AreaId = 234, Dis = 3653.7665497401 },
{ AreaId = 178, Dis = 14703.03795139 },
},
},
{
AreaId = 120,
AreaRadius = 100,
AreaX = 28407,
AreaY = 23521,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 122, Dis = 1498.0924537558 },
{ AreaId = 190, Dis = 644.01940964539 },
{ AreaId = 128, Dis = 4783 },
{ AreaId = 130, Dis = 12429.017056871 },
{ AreaId = 118, Dis = 2479.1040720389 },
{ AreaId = 119, Dis = 1344 },
{ AreaId = 121, Dis = 2511.8316026358 },
{ AreaId = 125, Dis = 1668 },
{ AreaId = 127, Dis = 2906 },
{ AreaId = 129, Dis = 5154.4000620829 },
{ AreaId = 112, Dis = 3863.8449761863 },
{ AreaId = 234, Dis = 4945.1125366366 },
},
},
{
AreaId = 121,
AreaRadius = 100,
AreaX = 30854,
AreaY = 22954,
AreaZ = 2133,
IsHight = false,
TurnPointData = {
{ AreaId = 51, Dis = 22437.33729746 },
{ AreaId = 181, Dis = 19384.541521532 },
{ AreaId = 301, Dis = 30503.611802539 },
{ AreaId = 120, Dis = 2511.8316026358 },
{ AreaId = 122, Dis = 3675.9261418043 },
{ AreaId = 188, Dis = 10592.103096175 },
{ AreaId = 190, Dis = 1891.5583522588 },
{ AreaId = 43, Dis = 21355.020252859 },
{ AreaId = 34, Dis = 29992.229410299 },
{ AreaId = 316, Dis = 28120.896162818 },
{ AreaId = 118, Dis = 4937.88466856 },
{ AreaId = 119, Dis = 3833.1670978448 },
{ AreaId = 199, Dis = 4412.0014732545 },
{ AreaId = 201, Dis = 1703.3393672431 },
{ AreaId = 42, Dis = 20414.498034485 },
{ AreaId = 234, Dis = 7275.6168123397 },
},
},
{
AreaId = 122,
AreaRadius = 100,
AreaX = 27191,
AreaY = 22646,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 51, Dis = 18762.14198859 },
{ AreaId = 301, Dis = 26828.592881476 },
{ AreaId = 120, Dis = 1498.0924537558 },
{ AreaId = 188, Dis = 6916.3791827805 },
{ AreaId = 126, Dis = 3264.7672198795 },
{ AreaId = 190, Dis = 2057.6685836159 },
{ AreaId = 43, Dis = 17680.08656653 },
{ AreaId = 316, Dis = 24445.472382427 },
{ AreaId = 118, Dis = 1447.4874783569 },
{ AreaId = 119, Dis = 884.31272748955 },
{ AreaId = 121, Dis = 3675.9261418043 },
{ AreaId = 123, Dis = 959.25231300216 },
{ AreaId = 129, Dis = 5716.3051877939 },
{ AreaId = 113, Dis = 10922.680348706 },
{ AreaId = 111, Dis = 1070.9458436354 },
{ AreaId = 42, Dis = 16739.478755326 },
{ AreaId = 234, Dis = 3599.6906811558 },
},
},
{
AreaId = 123,
AreaRadius = 100,
AreaX = 27213,
AreaY = 21687,
AreaZ = 2374,
IsHight = false,
TurnPointData = {
{ AreaId = 122, Dis = 959.25231300216 },
{ AreaId = 124, Dis = 1878.5390600145 },
{ AreaId = 126, Dis = 4212.2725457881 },
{ AreaId = 119, Dis = 1840.1239088714 },
{ AreaId = 129, Dis = 6672.1300946549 },
},
},
{
AreaId = 124,
AreaRadius = 100,
AreaX = 29091,
AreaY = 21642,
AreaZ = 2320,
IsHight = false,
TurnPointData = {
{ AreaId = 123, Dis = 1878.5390600145 },
},
},
{
AreaId = 125,
AreaRadius = 100,
AreaX = 28407,
AreaY = 25189,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 120, Dis = 1668 },
{ AreaId = 128, Dis = 3115 },
{ AreaId = 127, Dis = 1238 },
},
},
{
AreaId = 126,
AreaRadius = 100,
AreaX = 26539,
AreaY = 25845,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 122, Dis = 3264.7672198795 },
{ AreaId = 76, Dis = 18539.038297603 },
{ AreaId = 226, Dis = 4833.0931089728 },
{ AreaId = 118, Dis = 2555.8804745136 },
{ AreaId = 119, Dis = 2382.3417051296 },
{ AreaId = 123, Dis = 4212.2725457881 },
{ AreaId = 94, Dis = 20619.497569049 },
{ AreaId = 129, Dis = 2480 },
{ AreaId = 239, Dis = 23098.029634581 },
{ AreaId = 111, Dis = 3525.8916602755 },
{ AreaId = 106, Dis = 13116.410865782 },
{ AreaId = 75, Dis = 16014.619883094 },
{ AreaId = 110, Dis = 5339.4180394496 },
},
},
{
AreaId = 127,
AreaRadius = 100,
AreaX = 28407,
AreaY = 26427,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 120, Dis = 2906 },
{ AreaId = 128, Dis = 1877 },
{ AreaId = 118, Dis = 3938.8959112929 },
{ AreaId = 125, Dis = 1238 },
},
},
{
AreaId = 128,
AreaRadius = 100,
AreaX = 28407,
AreaY = 28304,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 120, Dis = 4783 },
{ AreaId = 125, Dis = 3115 },
{ AreaId = 127, Dis = 1877 },
{ AreaId = 129, Dis = 1868.1180369559 },
},
},
{
AreaId = 129,
AreaRadius = 100,
AreaX = 26539,
AreaY = 28325,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 120, Dis = 5154.4000620829 },
{ AreaId = 122, Dis = 5716.3051877939 },
{ AreaId = 126, Dis = 2480 },
{ AreaId = 128, Dis = 1868.1180369559 },
{ AreaId = 76, Dis = 21017.853862847 },
{ AreaId = 226, Dis = 7313.0615339952 },
{ AreaId = 119, Dis = 4832.4933522975 },
{ AreaId = 123, Dis = 6672.1300946549 },
{ AreaId = 94, Dis = 23098.692603695 },
{ AreaId = 239, Dis = 25577.54196556 },
{ AreaId = 111, Dis = 5997.6722151181 },
{ AreaId = 106, Dis = 15594.596307696 },
{ AreaId = 75, Dis = 18493.329878635 },
{ AreaId = 110, Dis = 7815.7958647856 },
},
},
{
AreaId = 130,
AreaRadius = 100,
AreaX = 15979,
AreaY = 23362,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 244, Dis = 20429.781496629 },
{ AreaId = 120, Dis = 12429.017056871 },
{ AreaId = 25, Dis = 5063.8329356328 },
{ AreaId = 188, Dis = 4478.437785657 },
{ AreaId = 190, Dis = 13073.028723291 },
{ AreaId = 204, Dis = 1994.182790017 },
{ AreaId = 131, Dis = 2293.3148497317 },
{ AreaId = 132, Dis = 3911.1150583945 },
{ AreaId = 118, Dis = 9954 },
{ AreaId = 152, Dis = 4510.2972185877 },
{ AreaId = 187, Dis = 4858.8151847956 },
{ AreaId = 113, Dis = 1257.5539749848 },
{ AreaId = 49, Dis = 6857.8352998596 },
{ AreaId = 111, Dis = 10237.242060243 },
{ AreaId = 234, Dis = 7692.6555232897 },
},
},
{
AreaId = 131,
AreaRadius = 100,
AreaX = 15941,
AreaY = 25655,
AreaZ = 2047,
IsHight = false,
TurnPointData = {
{ AreaId = 244, Dis = 22721.417055281 },
{ AreaId = 134, Dis = 1449 },
{ AreaId = 186, Dis = 5314.5312116874 },
{ AreaId = 204, Dis = 4248.9735230994 },
{ AreaId = 130, Dis = 2293.3148497317 },
{ AreaId = 132, Dis = 1618.0197773822 },
{ AreaId = 185, Dis = 3377.8528683174 },
{ AreaId = 187, Dis = 2565.5069674433 },
{ AreaId = 49, Dis = 4744.069350252 },
{ AreaId = 48, Dis = 3261.2206303775 },
{ AreaId = 143, Dis = 4399.0226187188 },
{ AreaId = 46, Dis = 2368.4638481514 },
},
},
{
AreaId = 132,
AreaRadius = 100,
AreaX = 15949,
AreaY = 27273,
AreaZ = 2016,
IsHight = false,
TurnPointData = {
{ AreaId = 244, Dis = 24339.271989934 },
{ AreaId = 204, Dis = 5860.7156559588 },
{ AreaId = 45, Dis = 5191.2959846266 },
{ AreaId = 130, Dis = 3911.1150583945 },
{ AreaId = 131, Dis = 1618.0197773822 },
{ AreaId = 133, Dis = 1424.7108478565 },
{ AreaId = 185, Dis = 1773.7784529078 },
{ AreaId = 187, Dis = 948.83612916035 },
{ AreaId = 48, Dis = 2422.2411110375 },
{ AreaId = 47, Dis = 2285.6005775288 },
{ AreaId = 46, Dis = 2574.9666017252 },
{ AreaId = 50, Dis = 3026.4626216096 },
},
},
{
AreaId = 133,
AreaName = "",
AreaRadius = 100,
AreaX = 17373,
AreaY = 27318,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 134, Dis = 1663.0868888907 },
{ AreaId = 140, Dis = 2815.8595490542 },
{ AreaId = 45, Dis = 6609.7504491471 },
{ AreaId = 132, Dis = 1424.7108478565 },
{ AreaId = 48, Dis = 3802.7175808887 },
{ AreaId = 47, Dis = 3707.5524271411 },
{ AreaId = 135, Dis = 1523.2071428404 },
{ AreaId = 139, Dis = 3277 },
{ AreaId = 50, Dis = 4419.280145001 },
},
},
{
AreaId = 134,
AreaRadius = 100,
AreaX = 17390,
AreaY = 25655,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 136, Dis = 2386.9185155761 },
{ AreaId = 131, Dis = 1449 },
{ AreaId = 133, Dis = 1663.0868888907 },
{ AreaId = 135, Dis = 3181.6979743527 },
{ AreaId = 139, Dis = 4940.0292509255 },
{ AreaId = 46, Dis = 3796.7346496694 },
},
},
{
AreaId = 135,
AreaName = "",
AreaRadius = 100,
AreaX = 17521,
AreaY = 28834,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 134, Dis = 3181.6979743527 },
{ AreaId = 140, Dis = 2321.0482545609 },
{ AreaId = 133, Dis = 1523.2071428404 },
{ AreaId = 139, Dis = 1767.2082503203 },
},
},
{
AreaId = 136,
AreaRadius = 100,
AreaX = 19636,
AreaY = 24847,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 134, Dis = 2386.9185155761 },
{ AreaId = 143, Dis = 654.9908396306 },
{ AreaId = 137, Dis = 1800.8400817396 },
},
},
{
AreaId = 137,
AreaRadius = 100,
AreaX = 19957,
AreaY = 26619,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 136, Dis = 1800.8400817396 },
{ AreaId = 138, Dis = 884.89829924122 },
{ AreaId = 140, Dis = 2065.4888041333 },
},
},
{
AreaId = 138,
AreaRadius = 100,
AreaX = 20836,
AreaY = 26721,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 145, Dis = 1266.6179376592 },
{ AreaId = 144, Dis = 1292.0468257768 },
{ AreaId = 137, Dis = 884.89829924122 },
},
},
{
AreaId = 139,
AreaName = "",
AreaRadius = 100,
AreaX = 17373,
AreaY = 30595,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 134, Dis = 4940.0292509255 },
{ AreaId = 133, Dis = 3277 },
{ AreaId = 175, Dis = 7050.2224078393 },
{ AreaId = 135, Dis = 1767.2082503203 },
{ AreaId = 141, Dis = 3334.1727609709 },
{ AreaId = 174, Dis = 4680.2778763659 },
},
},
{
AreaId = 140,
AreaName = "",
AreaRadius = 100,
AreaX = 19837,
AreaY = 28681,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 142, Dis = 727.58504657531 },
{ AreaId = 133, Dis = 2815.8595490542 },
{ AreaId = 135, Dis = 2321.0482545609 },
{ AreaId = 137, Dis = 2065.4888041333 },
{ AreaId = 46, Dis = 6702.2041896678 },
},
},
{
AreaId = 141,
AreaRadius = 100,
AreaX = 20691,
AreaY = 30267,
AreaZ = 2033,
IsHight = false,
TurnPointData = {
{ AreaId = 175, Dis = 3741.8989831368 },
{ AreaId = 139, Dis = 3334.1727609709 },
{ AreaId = 174, Dis = 1389.8823691234 },
},
},
{
AreaId = 142,
AreaRadius = 100,
AreaX = 20515,
AreaY = 28417,
AreaZ = 2100,
IsHight = false,
TurnPointData = {
{ AreaId = 140, Dis = 727.58504657531 },
{ AreaId = 144, Dis = 509.23079247037 },
},
},
{
AreaId = 143,
AreaRadius = 100,
AreaX = 20283,
AreaY = 24949,
AreaZ = 2096,
IsHight = false,
TurnPointData = {
{ AreaId = 136, Dis = 654.9908396306 },
{ AreaId = 131, Dis = 4399.0226187188 },
{ AreaId = 145, Dis = 704.39335601637 },
{ AreaId = 46, Dis = 6765.2684351768 },
},
},
{
AreaId = 144,
AreaRadius = 100,
AreaX = 20825,
AreaY = 28013,
AreaZ = 2107,
IsHight = false,
TurnPointData = {
{ AreaId = 138, Dis = 1292.0468257768 },
{ AreaId = 142, Dis = 509.23079247037 },
{ AreaId = 145, Dis = 2557.5492175127 },
},
},
{
AreaId = 145,
AreaRadius = 100,
AreaX = 20772,
AreaY = 25456,
AreaZ = 2108,
IsHight = false,
TurnPointData = {
{ AreaId = 138, Dis = 1266.6179376592 },
{ AreaId = 144, Dis = 2557.5492175127 },
{ AreaId = 143, Dis = 704.39335601637 },
},
},
{
AreaId = 146,
AreaRadius = 100,
AreaX = 3683,
AreaY = 10733,
AreaZ = 2615,
IsHight = false,
TurnPointData = {
{ AreaId = 147, Dis = 3128.1887730762 },
{ AreaId = 20, Dis = 1839.9461948655 },
},
},
{
AreaId = 147,
AreaRadius = 100,
AreaX = 6809,
AreaY = 10616,
AreaZ = 2613,
IsHight = false,
TurnPointData = {
{ AreaId = 146, Dis = 3128.1887730762 },
},
},
{
AreaId = 148,
AreaRadius = 100,
AreaX = 4968,
AreaY = 22442,
AreaZ = 2221,
IsHight = false,
TurnPointData = {
{ AreaId = 51, Dis = 3626.3768419733 },
{ AreaId = 166, Dis = 4067.6570651912 },
{ AreaId = 60, Dis = 2992.7854918119 },
{ AreaId = 41, Dis = 5733.6718601608 },
{ AreaId = 165, Dis = 3440.7269580715 },
{ AreaId = 61, Dis = 1453.0316582924 },
},
},
{
AreaId = 149,
AreaRadius = 100,
AreaX = 6856,
AreaY = 17495,
AreaZ = 2055,
IsHight = false,
TurnPointData = {
{ AreaId = 308, Dis = 1811.1134696644 },
{ AreaId = 31, Dis = 2765.0146473391 },
{ AreaId = 28, Dis = 3589.3913133009 },
{ AreaId = 61, Dis = 4620.7899757509 },
{ AreaId = 30, Dis = 1559.0259779747 },
},
},
{
AreaId = 150,
AreaRadius = 100,
AreaX = 11120,
AreaY = 18756,
AreaZ = 2395,
IsHight = false,
TurnPointData = {
{ AreaId = 151, Dis = 2490.0050200753 },
{ AreaId = 25, Dis = 2657.3981636179 },
},
},
{
AreaId = 151,
AreaRadius = 100,
AreaX = 8650,
AreaY = 18441,
AreaZ = 2394,
IsHight = false,
TurnPointData = {
{ AreaId = 25, Dis = 5139.6935706324 },
{ AreaId = 150, Dis = 2490.0050200753 },
},
},
{
AreaId = 152,
AreaRadius = 100,
AreaX = 13729,
AreaY = 19453,
AreaZ = 2049,
IsHight = false,
TurnPointData = {
{ AreaId = 25, Dis = 652.76718667531 },
{ AreaId = 153, Dis = 2616.2759793263 },
{ AreaId = 27, Dis = 1452.1518515637 },
{ AreaId = 235, Dis = 2154.9723896143 },
{ AreaId = 204, Dis = 2642.3451704878 },
{ AreaId = 130, Dis = 4510.2972185877 },
{ AreaId = 163, Dis = 2113.9765845439 },
{ AreaId = 26, Dis = 774.42753050237 },
{ AreaId = 154, Dis = 2713.5218812458 },
{ AreaId = 113, Dis = 3705.7988342596 },
{ AreaId = 40, Dis = 2027.5172009135 },
{ AreaId = 13, Dis = 4438.2650889734 },
{ AreaId = 46, Dis = 6707.7755627331 },
},
},
{
AreaId = 153,
AreaRadius = 100,
AreaX = 11113,
AreaY = 19491,
AreaZ = 1070,
IsHight = false,
TurnPointData = {
{ AreaId = 152, Dis = 2616.2759793263 },
{ AreaId = 154, Dis = 742.19471838595 },
},
},
{
AreaId = 154,
AreaRadius = 100,
AreaX = 11130,
AreaY = 20233,
AreaZ = 1087,
IsHight = false,
TurnPointData = {
{ AreaId = 153, Dis = 742.19471838595 },
{ AreaId = 152, Dis = 2713.5218812458 },
{ AreaId = 26, Dis = 2646.0092592431 },
},
},
{
AreaId = 155,
AreaRadius = 100,
AreaX = 11972,
AreaY = 9971,
AreaZ = 1983,
IsHight = false,
TurnPointData = {
{ AreaId = 7, Dis = 1971.4606260334 },
{ AreaId = 8, Dis = 1819.8914802812 },
{ AreaId = 162, Dis = 891.75108634641 },
},
},
{
AreaId = 156,
AreaRadius = 100,
AreaX = 12217,
AreaY = 11625,
AreaZ = 1983,
IsHight = false,
TurnPointData = {
{ AreaId = 39, Dis = 3209.4800201902 },
{ AreaId = 8, Dis = 1833.773159363 },
{ AreaId = 10, Dis = 1696.2287581573 },
{ AreaId = 162, Dis = 872.24595155266 },
{ AreaId = 238, Dis = 1315.2433234957 },
},
},
{
AreaId = 157,
AreaRadius = 100,
AreaX = 13635,
AreaY = 9068,
AreaZ = 2152,
IsHight = false,
TurnPointData = {
{ AreaId = 8, Dis = 1478.3859441973 },
{ AreaId = 3, Dis = 6438.0027958987 },
{ AreaId = 5, Dis = 2991.0884306553 },
{ AreaId = 307, Dis = 1518.5684047813 },
{ AreaId = 9, Dis = 3269.1873607978 },
},
},
{
AreaId = 158,
AreaRadius = 100,
AreaX = 19340,
AreaY = 12831,
AreaZ = 2769,
IsHight = false,
TurnPointData = {
{ AreaId = 83, Dis = 772.74834195875 },
{ AreaId = 85, Dis = 1896.6045976956 },
{ AreaId = 159, Dis = 1551.3097691951 },
{ AreaId = 160, Dis = 1048.0305339063 },
{ AreaId = 82, Dis = 2606.1084014292 },
},
},
{
AreaId = 159,
AreaRadius = 100,
AreaX = 20891,
AreaY = 12862,
AreaZ = 2769,
IsHight = false,
TurnPointData = {
{ AreaId = 83, Dis = 779.0057766153 },
{ AreaId = 85, Dis = 347.19591011416 },
{ AreaId = 161, Dis = 1076.5370407004 },
{ AreaId = 158, Dis = 1551.3097691951 },
{ AreaId = 82, Dis = 4156.2436165365 },
},
},
{
AreaId = 160,
AreaRadius = 100,
AreaX = 19332,
AreaY = 11783,
AreaZ = 2769,
IsHight = false,
TurnPointData = {
{ AreaId = 161, Dis = 1525.0029508168 },
{ AreaId = 158, Dis = 1048.0305339063 },
},
},
{
AreaId = 161,
AreaRadius = 100,
AreaX = 20857,
AreaY = 11786,
AreaZ = 2769,
IsHight = false,
TurnPointData = {
{ AreaId = 159, Dis = 1076.5370407004 },
{ AreaId = 160, Dis = 1525.0029508168 },
},
},
{
AreaId = 162,
AreaRadius = 100,
AreaX = 12374,
AreaY = 10767,
AreaZ = 1954,
IsHight = false,
TurnPointData = {
{ AreaId = 7, Dis = 2693.9563842052 },
{ AreaId = 39, Dis = 4078.0947757501 },
{ AreaId = 155, Dis = 891.75108634641 },
{ AreaId = 8, Dis = 1343.4690171344 },
{ AreaId = 156, Dis = 872.24595155266 },
},
},
{
AreaId = 163,
AreaRadius = 100,
AreaX = 13405,
AreaY = 17364,
AreaZ = 2115,
IsHight = false,
TurnPointData = {
{ AreaId = 25, Dis = 1485.3376720463 },
{ AreaId = 27, Dis = 3557.7669963054 },
{ AreaId = 235, Dis = 4251.4074140219 },
{ AreaId = 12, Dis = 4261.1356467496 },
{ AreaId = 152, Dis = 2113.9765845439 },
{ AreaId = 26, Dis = 2885.9461186931 },
{ AreaId = 13, Dis = 2324.4113233247 },
},
},
{
AreaId = 164,
AreaRadius = 100,
AreaX = 14069,
AreaY = 13027,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 243, Dis = 10225.14166161 },
{ AreaId = 21, Dis = 13277.211830802 },
{ AreaId = 39, Dis = 3222.8934205152 },
{ AreaId = 184, Dis = 16821.828973093 },
{ AreaId = 10, Dis = 2758.185635522 },
{ AreaId = 235, Dis = 8469.0425669021 },
{ AreaId = 12, Dis = 634.56756929424 },
{ AreaId = 14, Dis = 2234.2076895401 },
{ AreaId = 227, Dis = 11794.078387055 },
{ AreaId = 241, Dis = 5216.2174992997 },
{ AreaId = 17, Dis = 2069.386624099 },
{ AreaId = 16, Dis = 2566.1679602084 },
{ AreaId = 15, Dis = 3200.4551238847 },
{ AreaId = 9, Dis = 797.05771434696 },
{ AreaId = 11, Dis = 2284.040279855 },
{ AreaId = 13, Dis = 2261.2874651402 },
{ AreaId = 18, Dis = 5276.116090459 },
},
},
{
AreaId = 165,
AreaRadius = 100,
AreaX = 1529,
AreaY = 22551,
AreaZ = 2574,
IsHight = false,
TurnPointData = {
{ AreaId = 148, Dis = 3440.7269580715 },
{ AreaId = 166, Dis = 627.15229410407 },
{ AreaId = 60, Dis = 663.78385036094 },
},
},
{
AreaId = 166,
AreaRadius = 100,
AreaX = 903,
AreaY = 22589,
AreaZ = 2729,
IsHight = false,
TurnPointData = {
{ AreaId = 148, Dis = 4067.6570651912 },
{ AreaId = 167, Dis = 1859.4778837082 },
{ AreaId = 165, Dis = 627.15229410407 },
{ AreaId = 168, Dis = 3086.1876158134 },
},
},
{
AreaId = 167,
AreaRadius = 100,
AreaX = 1150,
AreaY = 24432,
AreaZ = 2758,
IsHight = false,
TurnPointData = {
{ AreaId = 166, Dis = 1859.4778837082 },
{ AreaId = 168, Dis = 1230.5868518719 },
},
},
{
AreaId = 168,
AreaRadius = 100,
AreaX = 1188,
AreaY = 25662,
AreaZ = 2999,
IsHight = false,
TurnPointData = {
{ AreaId = 166, Dis = 3086.1876158134 },
{ AreaId = 167, Dis = 1230.5868518719 },
{ AreaId = 169, Dis = 879.14560796264 },
{ AreaId = 176, Dis = 1134.686300261 },
},
},
{
AreaId = 169,
AreaRadius = 100,
AreaX = 309,
AreaY = 25646,
AreaZ = 3215,
IsHight = false,
TurnPointData = {
{ AreaId = 176, Dis = 2011.8076448806 },
{ AreaId = 168, Dis = 879.14560796264 },
{ AreaId = 170, Dis = 1699.3848887171 },
},
},
{
AreaId = 170,
AreaName = "",
AreaRadius = 100,
AreaX = 431,
AreaY = 27341,
AreaZ = 3215,
IsHight = false,
TurnPointData = {
{ AreaId = 56, Dis = 4712.434614931 },
{ AreaId = 169, Dis = 1699.3848887171 },
{ AreaId = 171, Dis = 2365.4217382953 },
{ AreaId = 55, Dis = 5800.8245103606 },
{ AreaId = 177, Dis = 1822.9550186442 },
{ AreaId = 172, Dis = 2808.2058329118 },
},
},
{
AreaId = 171,
AreaRadius = 100,
AreaX = 2795,
AreaY = 27259,
AreaZ = 2981,
IsHight = false,
TurnPointData = {
{ AreaId = 56, Dis = 2348.0689938756 },
{ AreaId = 55, Dis = 3444.056474566 },
{ AreaId = 177, Dis = 542.48778788098 },
{ AreaId = 170, Dis = 2365.4217382953 },
{ AreaId = 172, Dis = 446.58705758228 },
},
},
{
AreaId = 172,
AreaRadius = 100,
AreaX = 3239,
AreaY = 27307,
AreaZ = 2981,
IsHight = false,
TurnPointData = {
{ AreaId = 56, Dis = 1904.2363298708 },
{ AreaId = 171, Dis = 446.58705758228 },
{ AreaId = 55, Dis = 2997.7199669082 },
{ AreaId = 177, Dis = 986.31688619835 },
{ AreaId = 170, Dis = 2808.2058329118 },
},
},
{
AreaId = 173,
AreaRadius = 100,
AreaX = 3264,
AreaY = 29102,
AreaZ = 3419,
IsHight = false,
TurnPointData = {},
},
{
AreaId = 174,
AreaRadius = 100,
AreaX = 22053,
AreaY = 30544,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 175, Dis = 2370.0052742557 },
{ AreaId = 139, Dis = 4680.2778763659 },
{ AreaId = 141, Dis = 1389.8823691234 },
},
},
{
AreaId = 175,
AreaRadius = 100,
AreaX = 24423,
AreaY = 30539,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 139, Dis = 7050.2224078393 },
{ AreaId = 141, Dis = 3741.8989831368 },
{ AreaId = 174, Dis = 2370.0052742557 },
},
},
{
AreaId = 176,
AreaRadius = 100,
AreaX = 2316,
AreaY = 25785,
AreaZ = 2981,
IsHight = false,
TurnPointData = {
{ AreaId = 169, Dis = 2011.8076448806 },
{ AreaId = 177, Dis = 1498.3250648641 },
{ AreaId = 168, Dis = 1134.686300261 },
},
},
{
AreaId = 177,
AreaRadius = 100,
AreaX = 2253,
AreaY = 27282,
AreaZ = 2981,
IsHight = false,
TurnPointData = {
{ AreaId = 56, Dis = 2890.0043252563 },
{ AreaId = 171, Dis = 542.48778788098 },
{ AreaId = 55, Dis = 3983.2368747038 },
{ AreaId = 176, Dis = 1498.3250648641 },
{ AreaId = 170, Dis = 1822.9550186442 },
{ AreaId = 172, Dis = 986.31688619835 },
},
},
{
AreaId = 178,
AreaRadius = 100,
AreaX = 12498,
AreaY = 21511,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 51, Dis = 4033.1042634675 },
{ AreaId = 181, Dis = 980.71657475542 },
{ AreaId = 301, Dis = 12096.48750671 },
{ AreaId = 304, Dis = 10805.383195426 },
{ AreaId = 306, Dis = 10671.851057806 },
{ AreaId = 27, Dis = 1390.9493161147 },
{ AreaId = 29, Dis = 8346.5217905425 },
{ AreaId = 93, Dis = 7099.3478573739 },
{ AreaId = 190, Dis = 16675.192172806 },
{ AreaId = 41, Dis = 2038.5136742244 },
{ AreaId = 43, Dis = 2958.8283153978 },
{ AreaId = 235, Dis = 1940.1363354156 },
{ AreaId = 204, Dis = 2984.0725527373 },
{ AreaId = 34, Dis = 11580.813270233 },
{ AreaId = 316, Dis = 9710.9197298711 },
{ AreaId = 118, Dis = 13561.910853563 },
{ AreaId = 302, Dis = 12070.011971825 },
{ AreaId = 119, Dis = 14703.03795139 },
{ AreaId = 303, Dis = 11528.08396916 },
{ AreaId = 305, Dis = 10735.113320315 },
{ AreaId = 28, Dis = 5605.2876821801 },
{ AreaId = 113, Dis = 3834.1131960337 },
{ AreaId = 40, Dis = 1130.481755713 },
{ AreaId = 42, Dis = 2021.9923343079 },
{ AreaId = 114, Dis = 3794.1610403355 },
},
},
{
AreaId = 179,
AreaRadius = 100,
AreaX = 22321,
AreaY = 16982,
AreaZ = 3783,
IsHight = false,
TurnPointData = {
{ AreaId = 91, Dis = 1531.255693867 },
{ AreaId = 90, Dis = 2451.0203997519 },
{ AreaId = 92, Dis = 2999.1707187154 },
},
},
{
AreaId = 180,
AreaRadius = 100,
AreaX = 11517,
AreaY = 21568,
AreaZ = 4282,
IndicatedLinkPoint = { 181, 216 },
IsHight = false,
TurnPointData = {
{ AreaId = 181, Dis = 2.2360679774998 },
{ AreaId = 216, Dis = 513.00877185483 },
},
},
{
AreaId = 181,
AreaRadius = 100,
AreaX = 11519,
AreaY = 21569,
AreaZ = 2033,
IndicatedLinkPoint = { 42, 41, 178, 180 },
IsHight = false,
TurnPointData = {
{ AreaId = 42, Dis = 1041.3932974626 },
{ AreaId = 41, Dis = 1141.9408916402 },
{ AreaId = 178, Dis = 980.71657475542 },
{ AreaId = 180, Dis = 2.2360679774998 },
},
},
{
AreaId = 182,
AreaRadius = 100,
AreaX = 11500,
AreaY = 22665,
AreaZ = 4279,
IndicatedLinkPoint = { 216, 217 },
IsHight = false,
TurnPointData = {
{ AreaId = 216, Dis = 584.16778411686 },
{ AreaId = 217, Dis = 1240.703832508 },
},
},
{
AreaId = 183,
AreaRadius = 100,
AreaX = 1292,
AreaY = 13784,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 21, Dis = 845.65004582274 },
{ AreaId = 301, Dis = 7301.3467935717 },
{ AreaId = 31, Dis = 5634.9748002986 },
{ AreaId = 33, Dis = 1008.1795475013 },
{ AreaId = 227, Dis = 1214.9423854653 },
{ AreaId = 37, Dis = 3597.0789538179 },
{ AreaId = 302, Dis = 7792.0492811583 },
{ AreaId = 32, Dis = 947.32043153307 },
{ AreaId = 241, Dis = 17923.257097972 },
{ AreaId = 16, Dis = 15155.45499152 },
},
},
{
AreaId = 184,
AreaRadius = 100,
AreaX = 14236,
AreaY = 29848,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 243, Dis = 27042.284297004 },
{ AreaId = 53, Dis = 4467.5175433343 },
{ AreaId = 235, Dis = 8362.4400745237 },
{ AreaId = 130, Dis = 6716.1182985412 },
{ AreaId = 164, Dis = 16821.828973093 },
{ AreaId = 113, Dis = 7973.442481137 },
{ AreaId = 49, Dis = 570.78892771321 },
{ AreaId = 48, Dis = 1995.4874091309 },
{ AreaId = 47, Dis = 2531.0187672161 },
},
},
{
AreaId = 185,
AreaRadius = 100,
AreaX = 16278,
AreaY = 29016,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 186, Dis = 1940.4545859154 },
{ AreaId = 204, Dis = 7626.7577646074 },
{ AreaId = 131, Dis = 3377.8528683174 },
{ AreaId = 132, Dis = 1773.7784529078 },
{ AreaId = 187, Dis = 885.52809102817 },
},
},
{
AreaId = 186,
AreaRadius = 100,
AreaX = 16320,
AreaY = 30956,
AreaZ = 2049,
IsHight = false,
TurnPointData = {
{ AreaId = 131, Dis = 5314.5312116874 },
{ AreaId = 185, Dis = 1940.4545859154 },
},
},
{
AreaId = 187,
AreaRadius = 100,
AreaX = 15890,
AreaY = 28220,
AreaZ = 2085,
IsHight = false,
TurnPointData = {
{ AreaId = 244, Dis = 25285.116827889 },
{ AreaId = 204, Dis = 6801.3088446269 },
{ AreaId = 130, Dis = 4858.8151847956 },
{ AreaId = 131, Dis = 2565.5069674433 },
{ AreaId = 132, Dis = 948.83612916035 },
{ AreaId = 185, Dis = 885.52809102817 },
},
},
{
AreaId = 188,
AreaRadius = 100,
AreaX = 20292,
AreaY = 22156,
AreaZ = 2049,
IsHight = false,
TurnPointData = {
{ AreaId = 51, Dis = 11846.189471725 },
{ AreaId = 301, Dis = 19912.74810266 },
{ AreaId = 122, Dis = 6916.3791827805 },
{ AreaId = 43, Dis = 10764.603197517 },
{ AreaId = 130, Dis = 4478.437785657 },
{ AreaId = 121, Dis = 10592.103096175 },
{ AreaId = 305, Dis = 18546.85668786 },
{ AreaId = 113, Dis = 4012.0280407794 },
{ AreaId = 112, Dis = 4441.5681915288 },
{ AreaId = 232, Dis = 1513.0743537579 },
{ AreaId = 42, Dis = 9823.8856874457 },
{ AreaId = 234, Dis = 3317.3314576629 },
},
},
{
AreaId = 189,
AreaRadius = 100,
AreaX = 25144,
AreaY = 21411,
AreaZ = 2039,
IsHight = false,
TurnPointData = {
{ AreaId = 115, Dis = 403.31749280189 },
},
},
{
AreaId = 190,
AreaRadius = 100,
AreaX = 29051,
AreaY = 23526,
AreaZ = 2049,
IsHight = false,
TurnPointData = {
{ AreaId = 181, Dis = 17640.886400632 },
{ AreaId = 120, Dis = 644.01940964539 },
{ AreaId = 122, Dis = 2057.6685836159 },
{ AreaId = 130, Dis = 13073.028723291 },
{ AreaId = 118, Dis = 3122.3100422604 },
{ AreaId = 119, Dis = 1988.0062877164 },
{ AreaId = 121, Dis = 1891.5583522588 },
{ AreaId = 28, Dis = 22276.254801919 },
{ AreaId = 113, Dis = 12845.881285455 },
{ AreaId = 112, Dis = 4482.3994690344 },
{ AreaId = 201, Dis = 2924.0714765546 },
{ AreaId = 234, Dis = 5573.7718826662 },
{ AreaId = 178, Dis = 16675.192172806 },
},
},
{
AreaId = 191,
AreaRadius = 100,
AreaX = 9403,
AreaY = 2049,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 243, Dis = 5014.468865194 },
{ AreaId = 244, Dis = 6154.5447435208 },
{ AreaId = 192, Dis = 1429.9433555215 },
{ AreaId = 2, Dis = 925.18160379463 },
{ AreaId = 3, Dis = 4265.7516336514 },
{ AreaId = 67, Dis = 9832.4605770885 },
{ AreaId = 63, Dis = 6960.6241817814 },
{ AreaId = 1, Dis = 5341.6986998519 },
{ AreaId = 240, Dis = 2980.4580184931 },
{ AreaId = 236, Dis = 1962.1419418584 },
},
},
{
AreaId = 192,
AreaRadius = 100,
AreaX = 10720,
AreaY = 2606,
AreaZ = 2049,
IsHight = false,
TurnPointData = {
{ AreaId = 2, Dis = 597.4822173086 },
{ AreaId = 3, Dis = 2909.0990014092 },
{ AreaId = 68, Dis = 11696.421675025 },
{ AreaId = 191, Dis = 1429.9433555215 },
{ AreaId = 240, Dis = 4280.6747131731 },
{ AreaId = 239, Dis = 15337.694905037 },
{ AreaId = 236, Dis = 3245.5608144048 },
},
},
{
AreaId = 193,
AreaRadius = 100,
AreaX = 11027,
AreaY = 6085,
AreaZ = 2041,
IsHight = false,
TurnPointData = {
{ AreaId = 194, Dis = 1289.223409654 },
{ AreaId = 4, Dis = 932.23655796155 },
{ AreaId = 5, Dis = 2631.0121626477 },
},
},
{
AreaId = 194,
AreaRadius = 100,
AreaX = 11003,
AreaY = 7374,
AreaZ = 2241,
IsHight = false,
TurnPointData = {
{ AreaId = 195, Dis = 417.00119903904 },
{ AreaId = 193, Dis = 1289.223409654 },
},
},
{
AreaId = 195,
AreaRadius = 100,
AreaX = 11420,
AreaY = 7373,
AreaZ = 2241,
IndicatedLinkPoint = { 196, 194, 203 },
IsHight = false,
TurnPointData = {
{ AreaId = 196, Dis = 652.21162209823 },
{ AreaId = 194, Dis = 417.00119903904 },
{ AreaId = 203, Dis = 2 },
},
},
{
AreaId = 196,
AreaRadius = 100,
AreaX = 11494,
AreaY = 6725,
AreaZ = 2241,
IsHight = false,
TurnPointData = {
{ AreaId = 195, Dis = 652.21162209823 },
},
},
{
AreaId = 197,
AreaRadius = 100,
AreaX = 16297,
AreaY = 18855,
AreaZ = 2043,
IsHight = false,
TurnPointData = {
{ AreaId = 230, Dis = 1651.6131508316 },
{ AreaId = 235, Dis = 3223.130465867 },
{ AreaId = 206, Dis = 1108.0884441235 },
{ AreaId = 113, Dis = 3286.0439741428 },
{ AreaId = 17, Dis = 5870.1537458571 },
{ AreaId = 15, Dis = 3616.998894111 },
{ AreaId = 205, Dis = 673.02674538238 },
{ AreaId = 114, Dis = 2423.0297150468 },
{ AreaId = 242, Dis = 2642.0319831524 },
},
},
{
AreaId = 198,
AreaRadius = 100,
AreaX = 8776,
AreaY = 10452,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 19, Dis = 1937.4129657871 },
{ AreaId = 95, Dis = 4313.6412692759 },
{ AreaId = 18, Dis = 2610.0553633975 },
},
},
{
AreaId = 199,
AreaRadius = 100,
AreaX = 30948,
AreaY = 18543,
AreaZ = 2235,
IsHight = false,
TurnPointData = {
{ AreaId = 200, Dis = 4014.6434461855 },
{ AreaId = 202, Dis = 1076.8588579754 },
{ AreaId = 121, Dis = 4412.0014732545 },
{ AreaId = 201, Dis = 2708.6646156363 },
},
},
{
AreaId = 200,
AreaRadius = 100,
AreaX = 26937,
AreaY = 18372,
AreaZ = 2109,
IsHight = false,
TurnPointData = {
{ AreaId = 117, Dis = 2545.5906976574 },
{ AreaId = 102, Dis = 1766.9555738614 },
{ AreaId = 103, Dis = 1157.9680479184 },
{ AreaId = 202, Dis = 2942.7913619555 },
{ AreaId = 99, Dis = 2515.0848892234 },
{ AreaId = 199, Dis = 4014.6434461855 },
},
},
{
AreaId = 201,
AreaRadius = 100,
AreaX = 30888,
AreaY = 21251,
AreaZ = 2243,
IsHight = false,
TurnPointData = {
{ AreaId = 190, Dis = 2924.0714765546 },
{ AreaId = 121, Dis = 1703.3393672431 },
{ AreaId = 199, Dis = 2708.6646156363 },
},
},
{
AreaId = 202,
AreaRadius = 100,
AreaX = 29872,
AreaY = 18586,
AreaZ = 2225,
IsHight = false,
TurnPointData = {
{ AreaId = 200, Dis = 2942.7913619555 },
{ AreaId = 199, Dis = 1076.8588579754 },
},
},
{
AreaId = 203,
AreaRadius = 100,
AreaX = 11418,
AreaY = 7373,
AreaZ = 4585,
IndicatedLinkPoint = { 223, 195 },
IsHight = false,
TurnPointData = {
{ AreaId = 223, Dis = 497.22630662506 },
{ AreaId = 195, Dis = 2 },
},
},
{
AreaId = 204,
AreaRadius = 100,
AreaX = 15481,
AreaY = 21431,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 51, Dis = 7016.1853595811 },
{ AreaId = 244, Dis = 18493.003893365 },
{ AreaId = 181, Dis = 3964.4026031673 },
{ AreaId = 301, Dis = 15075.281125074 },
{ AreaId = 304, Dis = 13789.060337819 },
{ AreaId = 306, Dis = 13646.001172505 },
{ AreaId = 27, Dis = 1809.1536695372 },
{ AreaId = 29, Dis = 11319.903930688 },
{ AreaId = 93, Dis = 10073.593251665 },
{ AreaId = 41, Dis = 4977.4982672021 },
{ AreaId = 43, Dis = 5942.8491483463 },
{ AreaId = 235, Dis = 1044.5563651618 },
{ AreaId = 34, Dis = 14555.955653958 },
{ AreaId = 130, Dis = 1994.182790017 },
{ AreaId = 131, Dis = 4248.9735230994 },
{ AreaId = 132, Dis = 5860.7156559588 },
{ AreaId = 316, Dis = 12688.338149655 },
{ AreaId = 302, Dis = 15053.31252582 },
{ AreaId = 303, Dis = 14511.529795304 },
{ AreaId = 152, Dis = 2642.3451704878 },
{ AreaId = 185, Dis = 7626.7577646074 },
{ AreaId = 305, Dis = 13716.644815697 },
{ AreaId = 26, Dis = 2087.8338056464 },
{ AreaId = 187, Dis = 6801.3088446269 },
{ AreaId = 28, Dis = 8579.020515187 },
{ AreaId = 113, Dis = 1068.8783841018 },
{ AreaId = 17, Dis = 8469.5209427688 },
{ AreaId = 40, Dis = 1853.595964605 },
{ AreaId = 42, Dis = 5004.9259734785 },
{ AreaId = 205, Dis = 3351.3706151364 },
{ AreaId = 114, Dis = 818.42837194222 },
{ AreaId = 178, Dis = 2984.0725527373 },
},
},
{
AreaId = 205,
AreaRadius = 100,
AreaX = 16303,
AreaY = 18182,
AreaZ = 2049,
IsHight = false,
TurnPointData = {
{ AreaId = 244, Dis = 15265.504773836 },
{ AreaId = 204, Dis = 3351.3706151364 },
{ AreaId = 206, Dis = 1781.1122929226 },
{ AreaId = 197, Dis = 673.02674538238 },
{ AreaId = 113, Dis = 3959.0668092367 },
{ AreaId = 17, Dis = 5197.6196474925 },
{ AreaId = 15, Dis = 2944.0601216687 },
{ AreaId = 114, Dis = 3096.0523251392 },
{ AreaId = 242, Dis = 1969.0124428251 },
},
},
{
AreaId = 206,
AreaRadius = 100,
AreaX = 16283,
AreaY = 19963,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 197, Dis = 1108.0884441235 },
{ AreaId = 113, Dis = 2178.0020661147 },
{ AreaId = 15, Dis = 4725.0372485304 },
{ AreaId = 205, Dis = 1781.1122929226 },
{ AreaId = 114, Dis = 1315.0015209117 },
{ AreaId = 242, Dis = 3750.0971987403 },
},
},
{
AreaId = 207,
AreaRadius = 100,
AreaX = 18964,
AreaY = 16331,
AreaZ = 2769,
IsHight = false,
TurnPointData = {
{ AreaId = 211, Dis = 2304.010633656 },
{ AreaId = 84, Dis = 1220.7084008886 },
{ AreaId = 208, Dis = 1365.2875155073 },
},
},
{
AreaId = 208,
AreaRadius = 100,
AreaX = 18767,
AreaY = 17682,
AreaZ = 2769,
IsHight = false,
TurnPointData = {
{ AreaId = 209, Dis = 1011.648654425 },
{ AreaId = 207, Dis = 1365.2875155073 },
{ AreaId = 210, Dis = 1846.5115759182 },
},
},
{
AreaId = 209,
AreaRadius = 100,
AreaX = 19724,
AreaY = 18010,
AreaZ = 2769,
IsHight = false,
TurnPointData = {
{ AreaId = 208, Dis = 1011.648654425 },
{ AreaId = 210, Dis = 907.09756917324 },
},
},
{
AreaId = 210,
AreaRadius = 100,
AreaX = 20609,
AreaY = 17811,
AreaZ = 2769,
IsHight = false,
TurnPointData = {
{ AreaId = 211, Dis = 1894.0459339731 },
{ AreaId = 86, Dis = 2800.1207116837 },
{ AreaId = 88, Dis = 617.25845478211 },
{ AreaId = 209, Dis = 907.09756917324 },
{ AreaId = 208, Dis = 1846.5115759182 },
},
},
{
AreaId = 211,
AreaRadius = 100,
AreaX = 21248,
AreaY = 16028,
AreaZ = 2769,
IsHight = false,
TurnPointData = {
{ AreaId = 84, Dis = 1141.5077748312 },
{ AreaId = 85, Dis = 3119.027091899 },
{ AreaId = 89, Dis = 3401.6832597995 },
{ AreaId = 86, Dis = 943.00053022254 },
{ AreaId = 88, Dis = 2016.1135880699 },
{ AreaId = 207, Dis = 2304.010633656 },
{ AreaId = 210, Dis = 1894.0459339731 },
},
},
{
AreaId = 212,
AreaRadius = 100,
AreaX = 24277,
AreaY = 17310,
AreaZ = 2038,
IsHight = false,
TurnPointData = {
{ AreaId = 109, Dis = 1530.1882237163 },
{ AreaId = 108, Dis = 524.02385441886 },
},
},
{
AreaId = 213,
AreaRadius = 100,
AreaX = 23325,
AreaY = 10376,
AreaZ = 2049,
IsHight = false,
TurnPointData = {
{ AreaId = 71, Dis = 1232.1201240139 },
{ AreaId = 64, Dis = 7004.0026413473 },
{ AreaId = 72, Dis = 570.36917869043 },
{ AreaId = 74, Dis = 2362.2717879194 },
{ AreaId = 65, Dis = 4301.7749824927 },
{ AreaId = 75, Dis = 2712.4853916657 },
},
},
{
AreaId = 214,
AreaRadius = 100,
AreaX = 22859,
AreaY = 10376,
AreaZ = 8780,
IsHight = false,
TurnPointData = {
{ AreaId = 215, Dis = 445.91142618238 },
},
},
{
AreaId = 215,
AreaRadius = 100,
AreaX = 23300,
AreaY = 10310,
AreaZ = 9398,
IsHight = false,
TurnPointData = {
{ AreaId = 214, Dis = 445.91142618238 },
},
},
{
AreaId = 216,
AreaRadius = 100,
AreaX = 11514,
AreaY = 22081,
AreaZ = 4282,
IndicatedLinkPoint = { 180, 182 },
IsHight = false,
TurnPointData = {
{ AreaId = 180, Dis = 513.00877185483 },
{ AreaId = 182, Dis = 584.16778411686 },
},
},
{
AreaId = 217,
AreaRadius = 100,
AreaX = 11565,
AreaY = 23904,
AreaZ = 4181,
IndicatedLinkPoint = { 182, 218 },
IsHight = false,
TurnPointData = {
{ AreaId = 182, Dis = 1240.703832508 },
{ AreaId = 218, Dis = 496.3265054377 },
},
},
{
AreaId = 218,
AreaRadius = 100,
AreaX = 11583,
AreaY = 24400,
AreaZ = 4181,
IndicatedLinkPoint = { 217, 219 },
IsHight = false,
TurnPointData = {
{ AreaId = 217, Dis = 496.3265054377 },
{ AreaId = 219, Dis = 0 },
},
},
{
AreaId = 219,
AreaRadius = 100,
AreaX = 11583,
AreaY = 24400,
AreaZ = 3136,
IndicatedLinkPoint = { 218, 220 },
IsHight = false,
TurnPointData = {
{ AreaId = 218, Dis = 0 },
{ AreaId = 220, Dis = 868.9332540535 },
},
},
{
AreaId = 220,
AreaRadius = 100,
AreaX = 11936,
AreaY = 25194,
AreaZ = 3136,
IndicatedLinkPoint = { 219, 221 },
IsHight = false,
TurnPointData = {
{ AreaId = 219, Dis = 868.9332540535 },
{ AreaId = 221, Dis = 0 },
},
},
{
AreaId = 221,
AreaRadius = 100,
AreaX = 11936,
AreaY = 25194,
AreaZ = 5310,
IndicatedLinkPoint = { 220, 222 },
IsHight = false,
TurnPointData = {
{ AreaId = 220, Dis = 0 },
{ AreaId = 222, Dis = 709.10154420929 },
},
},
{
AreaId = 222,
AreaRadius = 100,
AreaX = 12645,
AreaY = 25206,
AreaZ = 5310,
IndicatedLinkPoint = { 221 },
IsHight = false,
TurnPointData = {
{ AreaId = 221, Dis = 709.10154420929 },
},
},
{
AreaId = 223,
AreaRadius = 100,
AreaX = 11893,
AreaY = 7520,
AreaZ = 4548,
IndicatedLinkPoint = { 203 },
IsHight = false,
TurnPointData = {
{ AreaId = 203, Dis = 497.22630662506 },
},
},
{
AreaId = 224,
AreaRadius = 100,
AreaX = 26945,
AreaY = 20946,
AreaZ = 5194,
IndicatedLinkPoint = { 225 },
IsHight = false,
TurnPointData = {
{ AreaId = 225, Dis = 440.9671189556 },
},
},
{
AreaId = 225,
AreaRadius = 100,
AreaX = 26509,
AreaY = 21012,
AreaZ = 5194,
IndicatedLinkPoint = { 224, 226 },
IsHight = false,
TurnPointData = {
{ AreaId = 224, Dis = 440.9671189556 },
{ AreaId = 226, Dis = 0 },
},
},
{
AreaId = 226,
AreaRadius = 100,
AreaX = 26509,
AreaY = 21012,
AreaZ = 2048,
IndicatedLinkPoint = { 225, 110, 111 },
IsHight = false,
TurnPointData = {
{ AreaId = 225, Dis = 0 },
{ AreaId = 110, Dis = 588.88538783026 },
{ AreaId = 111, Dis = 1370.8628669564 },
},
},
{
AreaId = 227,
AreaRadius = 100,
AreaX = 2275,
AreaY = 13070,
AreaZ = 2049,
IsHight = false,
TurnPointData = {
{ AreaId = 21, Dis = 1483.345205945 },
{ AreaId = 31, Dis = 4864.0296051731 },
{ AreaId = 33, Dis = 2145.1752842134 },
{ AreaId = 10, Dis = 9036.006695438 },
{ AreaId = 12, Dis = 11164.048772735 },
{ AreaId = 164, Dis = 11794.078387055 },
{ AreaId = 228, Dis = 1567.9646041923 },
{ AreaId = 183, Dis = 1214.9423854653 },
{ AreaId = 17, Dis = 13863.248464916 },
{ AreaId = 18, Dis = 6518.0049094796 },
},
},
{
AreaId = 228,
AreaRadius = 100,
AreaX = 1583,
AreaY = 11663,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 227, Dis = 1567.9646041923 },
{ AreaId = 229, Dis = 1192.1786778835 },
},
},
{
AreaId = 229,
AreaRadius = 100,
AreaX = 1530,
AreaY = 10472,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 6, Dis = 708.47724028369 },
{ AreaId = 228, Dis = 1192.1786778835 },
},
},
{
AreaId = 230,
AreaRadius = 100,
AreaX = 17948,
AreaY = 18900,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 231, Dis = 1801.4805022536 },
{ AreaId = 197, Dis = 1651.6131508316 },
},
},
{
AreaId = 231,
AreaRadius = 100,
AreaX = 17784,
AreaY = 20694,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 116, Dis = 6944.0035282249 },
{ AreaId = 230, Dis = 1801.4805022536 },
{ AreaId = 233, Dis = 5883.0339961622 },
{ AreaId = 232, Dis = 2493.5216060825 },
},
},
{
AreaId = 232,
AreaRadius = 100,
AreaX = 20277,
AreaY = 20643,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 116, Dis = 4451.2174739053 },
{ AreaId = 188, Dis = 1513.0743537579 },
{ AreaId = 231, Dis = 2493.5216060825 },
{ AreaId = 233, Dis = 3390.7434288073 },
},
},
{
AreaId = 233,
AreaRadius = 100,
AreaX = 23667,
AreaY = 20714,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 116, Dis = 1061.3434882261 },
{ AreaId = 231, Dis = 5883.0339961622 },
{ AreaId = 232, Dis = 3390.7434288073 },
{ AreaId = 234, Dis = 1631.2170303182 },
{ AreaId = 110, Dis = 2530.6793554301 },
},
},
{
AreaId = 234,
AreaRadius = 100,
AreaX = 23604,
AreaY = 22344,
AreaZ = 2049,
IsHight = false,
TurnPointData = {
{ AreaId = 51, Dis = 15163.520864232 },
{ AreaId = 301, Dis = 23230.079487595 },
{ AreaId = 120, Dis = 4945.1125366366 },
{ AreaId = 122, Dis = 3599.6906811558 },
{ AreaId = 188, Dis = 3317.3314576629 },
{ AreaId = 190, Dis = 5573.7718826662 },
{ AreaId = 233, Dis = 1631.2170303182 },
{ AreaId = 43, Dis = 14081.882331563 },
{ AreaId = 130, Dis = 7692.6555232897 },
{ AreaId = 118, Dis = 2541.764151136 },
{ AreaId = 119, Dis = 3653.7665497401 },
{ AreaId = 121, Dis = 7275.6168123397 },
{ AreaId = 305, Dis = 21864.03524055 },
{ AreaId = 113, Dis = 7326.8127449799 },
{ AreaId = 112, Dis = 1126.0444040978 },
{ AreaId = 111, Dis = 2561.0048809012 },
{ AreaId = 42, Dis = 13141.179931802 },
},
},
{
AreaId = 235,
AreaRadius = 100,
AreaX = 14438,
AreaY = 21488,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 51, Dis = 5973.0030135603 },
{ AreaId = 243, Dis = 18682.162829822 },
{ AreaId = 181, Dis = 2920.1236275199 },
{ AreaId = 301, Dis = 14034.410033913 },
{ AreaId = 184, Dis = 8362.4400745237 },
{ AreaId = 304, Dis = 12745.509836801 },
{ AreaId = 25, Dis = 2766.1375598477 },
{ AreaId = 306, Dis = 12607.083167807 },
{ AreaId = 27, Dis = 901.79432244831 },
{ AreaId = 29, Dis = 10281.147844477 },
{ AreaId = 93, Dis = 9034.3905715881 },
{ AreaId = 41, Dis = 3945.5753699556 },
{ AreaId = 43, Dis = 4898.6465477721 },
{ AreaId = 204, Dis = 1044.5563651618 },
{ AreaId = 34, Dis = 13516.665306206 },
{ AreaId = 163, Dis = 4251.4074140219 },
{ AreaId = 164, Dis = 8469.0425669021 },
{ AreaId = 316, Dis = 11648.007769572 },
{ AreaId = 197, Dis = 3223.130465867 },
{ AreaId = 302, Dis = 14010.057101954 },
{ AreaId = 303, Dis = 13468.166653261 },
{ AreaId = 152, Dis = 2154.9723896143 },
{ AreaId = 305, Dis = 12674.424207829 },
{ AreaId = 26, Dis = 1425.092277714 },
{ AreaId = 28, Dis = 7539.8313641619 },
{ AreaId = 113, Dis = 1954.3216214329 },
{ AreaId = 40, Dis = 810.06172604315 },
{ AreaId = 42, Dis = 3960.4386120732 },
{ AreaId = 114, Dis = 1858.899943515 },
{ AreaId = 178, Dis = 1940.1363354156 },
},
},
{
AreaId = 236,
AreaRadius = 100,
AreaX = 7479,
AreaY = 2434,
AreaZ = 2035,
IsHight = false,
TurnPointData = {
{ AreaId = 192, Dis = 3245.5608144048 },
{ AreaId = 2, Dis = 2651.2547972611 },
{ AreaId = 3, Dis = 6153.1224593697 },
{ AreaId = 68, Dis = 14940.626660217 },
{ AreaId = 191, Dis = 1962.1419418584 },
{ AreaId = 1, Dis = 3403.0177783844 },
{ AreaId = 240, Dis = 1035.3786746886 },
},
},
{
AreaId = 237,
AreaRadius = 256,
AreaX = 20090,
AreaY = 10885,
AreaZ = 2048,
IsHight = false,
TurnPointData = {
{ AreaId = 78, Dis = 2979.4207490719 },
{ AreaId = 96, Dis = 1399.7892698546 },
{ AreaId = 80, Dis = 1136.4338960098 },
},
},
{
AreaId = 238,
AreaRadius = 100,
AreaX = 10908,
AreaY = 11753,
AreaZ = 1983,
IsHight = false,
TurnPointData = {
{ AreaId = 7, Dis = 2587.9298676742 },
{ AreaId = 39, Dis = 2981.3267180905 },
{ AreaId = 10, Dis = 1366.7644273978 },
{ AreaId = 156, Dis = 1315.2433234957 },
},
},
{
AreaId = 239,
AreaRadius = 100,
AreaX = 26057,
AreaY = 2752,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 243, Dis = 11697.124646681 },
{ AreaId = 244, Dis = 10565.637321052 },
{ AreaId = 102, Dis = 14166.542697497 },
{ AreaId = 103, Dis = 16181.54658863 },
{ AreaId = 126, Dis = 23098.029634581 },
{ AreaId = 192, Dis = 15337.694905037 },
{ AreaId = 76, Dis = 4565.7945639286 },
{ AreaId = 2, Dis = 15934.467044743 },
{ AreaId = 98, Dis = 11767.653334459 },
{ AreaId = 226, Dis = 18265.593447791 },
{ AreaId = 3, Dis = 12428.598794715 },
{ AreaId = 67, Dis = 6875.3824620889 },
{ AreaId = 99, Dis = 13314.577424763 },
{ AreaId = 68, Dis = 3644.1614947749 },
{ AreaId = 100, Dis = 11157.158509226 },
{ AreaId = 94, Dis = 2482.103341926 },
{ AreaId = 63, Dis = 9765.7886522288 },
{ AreaId = 129, Dis = 25577.54196556 },
{ AreaId = 111, Dis = 19587.297746244 },
{ AreaId = 106, Dis = 9988.2115015652 },
{ AreaId = 75, Dis = 7088.3759070749 },
{ AreaId = 110, Dis = 17765.497853987 },
},
},
{
AreaId = 240,
AreaRadius = 100,
AreaX = 6444,
AreaY = 2406,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 192, Dis = 4280.6747131731 },
{ AreaId = 3, Dis = 7188.4908708296 },
{ AreaId = 68, Dis = 15976.005257886 },
{ AreaId = 191, Dis = 2980.4580184931 },
{ AreaId = 1, Dis = 2368.3211353193 },
{ AreaId = 236, Dis = 1035.3786746886 },
},
},
{
AreaId = 241,
AreaRadius = 100,
AreaX = 19215,
AreaY = 13880,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 12, Dis = 5828.0275393996 },
{ AreaId = 164, Dis = 5216.2174992997 },
{ AreaId = 183, Dis = 17923.257097972 },
{ AreaId = 16, Dis = 2771.3457020011 },
{ AreaId = 15, Dis = 3142.0964339116 },
},
},
{
AreaId = 242,
AreaRadius = 100,
AreaX = 16310,
AreaY = 16213,
AreaZ = 2049,
IsHight = false,
TurnPointData = {
{ AreaId = 8, Dis = 6240.4763439981 },
{ AreaId = 206, Dis = 3750.0971987403 },
{ AreaId = 197, Dis = 2642.0319831524 },
{ AreaId = 113, Dis = 5928.0759104451 },
{ AreaId = 17, Dis = 3230.5819909112 },
{ AreaId = 16, Dis = 2223.16373666 },
{ AreaId = 15, Dis = 976.65756537284 },
{ AreaId = 205, Dis = 1969.0124428251 },
{ AreaId = 114, Dis = 5065.0616975512 },
},
},
{
AreaId = 243,
AreaRadius = 100,
AreaX = 14360,
AreaY = 2806,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 244, Dis = 1140.6634034631 },
{ AreaId = 184, Dis = 27042.284297004 },
{ AreaId = 235, Dis = 18682.162829822 },
{ AreaId = 3, Dis = 751.8889545671 },
{ AreaId = 67, Dis = 4831.9202187122 },
{ AreaId = 68, Dis = 8054.0896443981 },
{ AreaId = 164, Dis = 10225.14166161 },
{ AreaId = 63, Dis = 1947.2413820582 },
{ AreaId = 191, Dis = 5014.468865194 },
{ AreaId = 239, Dis = 11697.124646681 },
},
},
{
AreaId = 244,
AreaRadius = 100,
AreaX = 15493,
AreaY = 2938,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 243, Dis = 1140.6634034631 },
{ AreaId = 204, Dis = 18493.003893365 },
{ AreaId = 130, Dis = 20429.781496629 },
{ AreaId = 3, Dis = 1889.2749932183 },
{ AreaId = 67, Dis = 3695.0009472259 },
{ AreaId = 131, Dis = 22721.417055281 },
{ AreaId = 68, Dis = 6921.6383176239 },
{ AreaId = 132, Dis = 24339.271989934 },
{ AreaId = 187, Dis = 25285.116827889 },
{ AreaId = 63, Dis = 806.59779320303 },
{ AreaId = 191, Dis = 6154.5447435208 },
{ AreaId = 81, Dis = 7723.9581174421 },
{ AreaId = 239, Dis = 10565.637321052 },
{ AreaId = 205, Dis = 15265.504773836 },
},
},
{
AreaId = 301,
AreaRadius = 100,
AreaX = 411,
AreaY = 21032,
AreaZ = 2034,
IndicatedLinkPoint = { 302, 33 },
IsHight = false,
TurnPointData = {
{ AreaId = 302, Dis = 496.29124513737 },
{ AreaId = 33, Dis = 6341.1930265527 },
},
},
{
AreaId = 302,
AreaRadius = 100,
AreaX = 428,
AreaY = 21528,
AreaZ = 2034,
IndicatedLinkPoint = { 301, 303 },
IsHight = false,
TurnPointData = {
{ AreaId = 301, Dis = 496.29124513737 },
{ AreaId = 303, Dis = 542.67209251997 },
},
},
{
AreaId = 303,
AreaRadius = 100,
AreaX = 970,
AreaY = 21555,
AreaZ = 2034,
IndicatedLinkPoint = { 304, 302 },
IsHight = false,
TurnPointData = {
{ AreaId = 304, Dis = 724.52605198157 },
{ AreaId = 302, Dis = 542.67209251997 },
},
},
{
AreaId = 304,
AreaRadius = 100,
AreaX = 1693,
AreaY = 21602,
AreaZ = 2034,
IndicatedLinkPoint = { 305, 303 },
IsHight = false,
TurnPointData = {
{ AreaId = 305, Dis = 312.40998703627 },
{ AreaId = 303, Dis = 724.52605198157 },
},
},
{
AreaId = 305,
AreaRadius = 100,
AreaX = 1765,
AreaY = 21298,
AreaZ = 2034,
IndicatedLinkPoint = { 304, 306, 29 },
IsHight = false,
TurnPointData = {
{ AreaId = 304, Dis = 312.40998703627 },
{ AreaId = 306, Dis = 492.22047905385 },
{ AreaId = 29, Dis = 2438.741478714 },
},
},
{
AreaId = 306,
AreaRadius = 100,
AreaX = 1849,
AreaY = 20813,
AreaZ = 2040,
IndicatedLinkPoint = { 305, 29 },
IsHight = false,
TurnPointData = {
{ AreaId = 305, Dis = 492.22047905385 },
{ AreaId = 29, Dis = 2326.1076931217 },
},
},
{
AreaId = 307,
AreaRadius = 100,
AreaX = 12118,
AreaY = 9137,
AreaZ = 2159,
IsHight = false,
TurnPointData = {
{ AreaId = 157, Dis = 1518.5684047813 },
},
},
{
AreaId = 308,
AreaRadius = 100,
AreaX = 6720,
AreaY = 15689,
AreaZ = 2041,
IndicatedLinkPoint = { 309, 31, 149 },
IsHight = false,
TurnPointData = {
{ AreaId = 309, Dis = 0 },
{ AreaId = 31, Dis = 967.37273064729 },
{ AreaId = 149, Dis = 1811.1134696644 },
},
},
{
AreaId = 309,
AreaRadius = 100,
AreaX = 6720,
AreaY = 15689,
AreaZ = 4600,
IndicatedLinkPoint = { 308, 310 },
IsHight = false,
TurnPointData = {
{ AreaId = 308, Dis = 0 },
{ AreaId = 310, Dis = 999.66894520136 },
},
},
{
AreaId = 310,
AreaRadius = 100,
AreaX = 5723,
AreaY = 15616,
AreaZ = 4545,
IndicatedLinkPoint = { 309, 312 },
IsHight = false,
TurnPointData = {
{ AreaId = 309, Dis = 999.66894520136 },
},
},
{
AreaId = 311,
AreaRadius = 100,
AreaX = 4730,
AreaY = 15330,
AreaZ = 2041,
IndicatedLinkPoint = { 312, 37, 36 },
IsHight = false,
TurnPointData = {
{ AreaId = 312, Dis = 1 },
{ AreaId = 37, Dis = 602.90380658941 },
{ AreaId = 36, Dis = 2265.240384595 },
},
},
{
AreaId = 312,
AreaRadius = 100,
AreaX = 4730,
AreaY = 15329,
AreaZ = 4956,
IndicatedLinkPoint = { 310, 313 },
IsHight = false,
TurnPointData = {
{ AreaId = 313, Dis = 961.13318535986 },
},
},
{
AreaId = 313,
AreaRadius = 100,
AreaX = 3769,
AreaY = 15345,
AreaZ = 4936,
IndicatedLinkPoint = { 312, 314 },
IsHight = false,
TurnPointData = {
{ AreaId = 312, Dis = 961.13318535986 },
{ AreaId = 314, Dis = 1.4142135623731 },
},
},
{
AreaId = 314,
AreaRadius = 100,
AreaX = 3768,
AreaY = 15346,
AreaZ = 5890,
IndicatedLinkPoint = { 315, 313 },
IsHight = false,
TurnPointData = {
{ AreaId = 315, Dis = 965.29580958378 },
{ AreaId = 313, Dis = 1.4142135623731 },
},
},
{
AreaId = 315,
AreaRadius = 100,
AreaX = 2804,
AreaY = 15396,
AreaZ = 5820,
IndicatedLinkPoint = { 314 },
IsHight = false,
TurnPointData = {
{ AreaId = 314, Dis = 965.29580958378 },
},
},
{
AreaId = 316,
AreaRadius = 100,
AreaX = 2799,
AreaY = 21030,
AreaZ = 2049,
IsHight = false,
TurnPointData = {
{ AreaId = 51, Dis = 5684.0003518649 },
{ AreaId = 181, Dis = 8736.64243288 },
{ AreaId = 301, Dis = 2388.0008375208 },
{ AreaId = 38, Dis = 3283.8899189833 },
{ AreaId = 304, Dis = 1245.158624433 },
{ AreaId = 122, Dis = 24445.472382427 },
{ AreaId = 306, Dis = 974.46857312075 },
{ AreaId = 27, Dis = 10951.713381933 },
{ AreaId = 29, Dis = 1379.0576492663 },
{ AreaId = 93, Dis = 2617.0429878013 },
{ AreaId = 41, Dis = 7722.0165759988 },
{ AreaId = 43, Dis = 6767.332487768 },
{ AreaId = 235, Dis = 11648.007769572 },
{ AreaId = 204, Dis = 12688.338149655 },
{ AreaId = 34, Dis = 1873.149753757 },
{ AreaId = 302, Dis = 2422.735024719 },
{ AreaId = 303, Dis = 1902.8573251823 },
{ AreaId = 121, Dis = 28120.896162818 },
{ AreaId = 305, Dis = 1068.1666536641 },
{ AreaId = 28, Dis = 4110.3547292174 },
{ AreaId = 40, Dis = 10838.263006589 },
{ AreaId = 321, Dis = 1919.8471293309 },
{ AreaId = 42, Dis = 7707.2208350352 },
{ AreaId = 114, Dis = 13488.280097922 },
{ AreaId = 178, Dis = 9710.9197298711 },
},
},
{
AreaId = 317,
AreaRadius = 100,
AreaX = 6435,
AreaY = 28638,
AreaZ = 2559,
IndicatedLinkPoint = { 54, 55 },
IsHight = false,
TurnPointData = {
{ AreaId = 54, Dis = 685.04379422049 },
{ AreaId = 55, Dis = 1134.8532944835 },
},
},
{
AreaId = 318,
AreaRadius = 100,
AreaX = 7164,
AreaY = 12499,
AreaZ = 2321,
IndicatedLinkPoint = { 319, 19 },
IsHight = false,
TurnPointData = {
{ AreaId = 319, Dis = 1063.1359273395 },
{ AreaId = 19, Dis = 1575.8439008988 },
},
},
{
AreaId = 319,
AreaRadius = 100,
AreaX = 6101,
AreaY = 12516,
AreaZ = 2321,
IndicatedLinkPoint = { 320, 318 },
IsHight = false,
TurnPointData = {
{ AreaId = 320, Dis = 1410.4343302685 },
{ AreaId = 318, Dis = 1063.1359273395 },
},
},
{
AreaId = 320,
AreaRadius = 100,
AreaX = 4691,
AreaY = 12551,
AreaZ = 2647,
IndicatedLinkPoint = { 20, 319 },
IsHight = false,
TurnPointData = {
{ AreaId = 20, Dis = 949.23232140504 },
{ AreaId = 319, Dis = 1410.4343302685 },
},
},
{
AreaId = 321,
AreaRadius = 100,
AreaX = 4296,
AreaY = 19828,
AreaZ = 2040,
IsHight = false,
TurnPointData = {
{ AreaId = 38, Dis = 1372.0058308914 },
{ AreaId = 304, Dis = 3150.0293649425 },
{ AreaId = 29, Dis = 1090.9560027792 },
{ AreaId = 316, Dis = 1919.8471293309 },
{ AreaId = 30, Dis = 2665.8351411893 },
},
},
{
AreaId = 322,
AreaRadius = 100,
AreaX = 10491,
AreaY = 27083,
AreaZ = 2032,
IsHight = false,
TurnPointData = {
{ AreaId = 41, Dis = 6069.074146853 },
{ AreaId = 45, Dis = 639.98906240654 },
{ AreaId = 42, Dis = 5430.0092080953 },
{ AreaId = 44, Dis = 905.03535842529 },
},
},
{
AreaId = 323,
AreaRadius = 100,
AreaX = 19127,
AreaY = 7010,
AreaZ = 2034,
IsHight = false,
TurnPointData = {
{ AreaId = 66, Dis = 2475.6110356839 },
{ AreaId = 67, Dis = 3986.4515549546 },
{ AreaId = 65, Dis = 2828.8662039764 },
{ AreaId = 80, Dis = 3767.7473376011 },
},
},
},
MonsterInfo = {
{
AreaId = 1225,
AreaName = "qixingzhe4_23",
AreaRadius = 50,
AreaX = 5376,
AreaY = 27796,
AreaZ = 1843,
IsHight = false,
},
},
NpcInfo = {
{
Alias = "Σ┐íσÅ╖σí\1483",
Amount = 1,
AreaId = 505,
AreaName = "Σ┐íσÅ╖σí\1483",
AreaRadius = 128,
AreaX = 27733,
AreaY = 21049,
AreaZ = 5194,
Face = 90,
HeightOffset = 360,
Id = 1015,
IsHight = false,
StartAnim = "idle",
Times = 1,
},
{
Alias = "酒吧NPC",
Amount = 1,
AreaId = 1915091,
AreaName = "酒吧NPC",
AreaRadius = 64,
AreaX = 21619,
AreaY = 17244,
AreaZ = 2769,
Face = 90,
HeightOffset = 300,
Id = 5020,
IsHight = false,
StartAnim = "idle",
Times = 1,
},
{
Alias = "目暮警官",
Amount = 1,
AreaId = 808,
AreaName = "警察",
AreaRadius = 30,
AreaX = 27144,
AreaY = 23612,
AreaZ = 2048,
BTName = "",
Face = 20,
HeightOffset = 300,
Id = 5053,
IsHight = false,
StartAnim = "idle",
Times = 1,
},
{
Alias = "Φï▒Θ¢äΣ┐íσÅ╖σí\148",
Amount = 1,
AreaId = 503,
AreaName = "Σ┐íσÅ╖σí\1481",
AreaRadius = 30,
AreaX = 11900,
AreaY = 22619,
AreaZ = 4264,
Face = 90,
HeightOffset = 360,
Id = 1013,
IsHight = false,
StartAnim = "idle",
Times = 1,
},
{
Alias = "",
Amount = 1,
AreaId = 509,
AreaName = "冢内警官",
AreaRadius = 30,
AreaX = 30995,
AreaY = 18207,
AreaZ = 2228,
Face = 90,
HeightOffset = 300,
Id = 5008,
IsHight = false,
StartAnim = "idle",
Times = 1,
},
{
Alias = "Σ╝æΘù▓σî║µö»τ║\191",
Amount = 1,
AreaId = 515,
AreaName = "Σ╝æΘù▓σî║µö»τ║\191",
AreaRadius = 64,
AreaX = 8111,
AreaY = 10812,
AreaZ = 2618,
Face = 270,
HeightOffset = 280,
Id = 5015,
IsHight = false,
StartAnim = "idle",
Times = 1,
},
{
Alias = "σÅæτ¢«µÿ\142",
Amount = 1,
AreaId = 501,
AreaName = "σÅæτ¢«µÿ\142",
AreaRadius = 64,
AreaX = 23258,
AreaY = 16804,
AreaZ = 2038,
Face = 270,
HeightOffset = 220,
Id = 5002,
IsHight = false,
StartAnim = "idle",
Times = 1,
},
{
Alias = "新手营地支线",
Amount = 1,
AreaId = 514,
AreaName = "新手营地支线",
AreaRadius = 30,
AreaX = 13123,
AreaY = 18456,
AreaZ = 2136,
Face = 270,
HeightOffset = 300,
Id = 5014,
IsHight = false,
StartAnim = "idle",
Times = 1,
},
{
Alias = "住宅区NPC2",
Amount = 1,
AreaId = 524,
AreaName = "住宅区NPC",
AreaRadius = 64,
AreaX = 23313,
AreaY = 5717,
AreaZ = 2048,
Face = 270,
HeightOffset = 220,
Id = 5024,
IsHight = false,
StartAnim = "idle",
Times = 1,
},
{
Alias = "路人NPC",
Amount = 1,
AreaId = 522,
AreaName = "死亡赤拳",
AreaRadius = 64,
AreaX = 9860,
AreaY = 12068,
AreaZ = 1983,
Face = 270,
HeightOffset = 220,
Id = 5022,
IsHight = false,
StartAnim = "idle",
Times = 1,
},
{
Alias = "密林神威",
Amount = 1,
AreaId = 514,
AreaName = "密林神威",
AreaRadius = 64,
AreaX = 12235,
AreaY = 11102,
AreaZ = 1983,
Face = 270,
HeightOffset = 300,
Id = 5012,
IsHight = false,
StartAnim = "idle",
Times = 1,
},
{
Alias = "医院支线",
Amount = 1,
AreaId = 518,
AreaName = "医院支线",
AreaRadius = 30,
AreaX = 19154,
AreaY = 28939,
AreaZ = 2048,
Face = 0,
HeightOffset = 220,
Id = 5018,
IsHight = false,
StartAnim = "idle",
Times = 1,
},
{
Alias = "Σ┐íσÅ╖σí\1482",
Amount = 1,
AreaId = 504,
AreaName = "Σ┐íσÅ╖σí\1482",
AreaRadius = 30,
AreaX = 12364,
AreaY = 7339,
AreaZ = 4548,
Face = 90,
HeightOffset = 360,
Id = 1014,
IsHight = false,
StartAnim = "idle",
Times = 1,
},
{
Alias = "便利店NPC",
Amount = 1,
AreaId = 519,
AreaName = "便利店NPC",
AreaRadius = 64,
AreaX = 9117,
AreaY = 15358,
AreaZ = 2137,
Face = 0,
HeightOffset = 240,
Id = 5019,
IsHight = false,
StartAnim = "idle",
Times = 1,
},
{
Alias = "工地NPC",
Amount = 1,
AreaId = 516,
AreaName = "工地NPC",
AreaRadius = 30,
AreaX = 6446,
AreaY = 2641,
AreaZ = 2049,
BTParam = {},
BubbleTemple = "",
Face = 0,
HeightOffset = 300,
Id = 5016,
IsHight = false,
StartAnim = "idle2",
Times = 1,
},
{
Alias = "山岭女侠",
Amount = 1,
AreaId = 513,
AreaName = "山岭女侠",
AreaRadius = 30,
AreaX = 5500,
AreaY = 26352,
AreaZ = 2974,
Face = 90,
HeightOffset = 220,
Id = 5010,
IsHight = false,
StartAnim = "idle",
Times = 1,
},
{
Alias = "死亡赤拳",
Amount = 1,
AreaId = 502,
AreaName = "死亡赤拳",
AreaRadius = 64,
AreaX = 4264,
AreaY = 19669,
AreaZ = 2040,
Face = 180,
HeightOffset = 300,
Id = 5007,
IsHight = false,
StartAnim = "idle",
Times = 1,
},
{
Alias = "σÑ│Φ«░ΦÇ\133",
Amount = 1,
AreaId = 550,
AreaName = "σÑ│Φ«░ΦÇ\133",
AreaRadius = 30,
AreaX = 11477,
AreaY = 11697,
AreaZ = 1983,
Face = 170,
Id = 5050,
IsHight = false,
StartAnim = "idle",
Times = 1,
},
{
Alias = "τâêτü½σàïµÿƒ",
Amount = 1,
AreaId = 549,
AreaName = "τâêτü½σàïµÿƒ",
AreaRadius = 30,
AreaX = 7485,
AreaY = 2639,
AreaZ = 2049,
Face = 0,
Id = 5049,
IsHight = false,
PriorityCreate = "",
StartAnim = "idle",
Times = 1,
},
{
Alias = "µá╝σà░τë╣ΘçîΦ»\186",
Amount = 1,
AreaId = 552,
AreaName = "µá╝σà░τë╣ΘçîΦ»\186",
AreaRadius = 30,
AreaX = 18898,
AreaY = 4535,
AreaZ = 2034,
Face = 270,
Id = 5052,
IsHight = false,
StartAnim = "idle",
Times = 1,
},
{
Alias = "µù╢σ░ÜτÜäσ╣┤Φ╜╗σÑ│σ¡\144",
Amount = 1,
AreaId = 656,
AreaName = "µö»τ║┐ΦâîσîàσÑ\179",
AreaRadius = 30,
AreaX = 11098,
AreaY = 9476,
AreaZ = 1983,
Face = 180,
Id = 6516,
IsHight = false,
StartAnim = "idle",
Times = 1,
},
{
Amount = 1,
AreaId = 1430,
AreaName = "世界任务老头",
AreaRadius = 30,
AreaX = 9273,
AreaY = 12395,
AreaZ = 2048,
BubbleTemple = "",
Face = 0,
Id = 6569,
IsHight = false,
PriorityCreate = "",
StartAnim = "act01",
Times = 1,
},
{
Alias = "σÅæµäüτÜäΦ\128üµ¥┐σ¿\152",
Amount = 1,
AreaId = 1428,
AreaName = "σ░ÅΘñÉΘªåΦ\128üµ¥┐σ¿\152",
AreaRadius = 30,
AreaX = 23655,
AreaY = 20292,
AreaZ = 2048,
Face = 180,
Id = 6577,
IsHight = false,
StartAnim = "idle",
Times = 1,
},
{
Amount = 1,
AreaId = 521,
AreaName = "µö»τ║┐σòåσ║ùΦÇüτê╖τê\183",
AreaRadius = 30,
AreaX = 11060,
AreaY = 27096,
AreaZ = 2049,
BTParam = {},
BubbleTemple = "032ΦÇüτê╖τê╖Φö¼ΦÅ£σ║ùΦÇüτê╖τê\183",
Face = 45,
ForceShow = 1,
Id = 5021,
IsHight = false,
PriorityCreate = "0",
},
{
Amount = 1,
AreaId = 1552,
AreaName = "蟒蛇",
AreaRadius = 30,
AreaX = 18841,
AreaY = 15985,
AreaZ = 2769,
Face = 270,
Id = 5045,
IsHight = false,
StartAnim = "idle",
Times = 1,
},
{
Amount = 1,
AreaId = 1912011,
AreaName = "",
AreaRadius = 30,
AreaX = 9759,
AreaY = 9638,
AreaZ = 1991,
BubbleTemple = "",
Face = 150,
Id = 6067,
IsHight = false,
StartAnim = "idle",
},
{
Amount = 1,
AreaId = 1678,
AreaName = "σ┤çµï£Φï▒Θ¢äτÜäσ░Åσ¡\169",
AreaRadius = 30,
AreaX = 2816,
AreaY = 20651,
AreaZ = 2049,
Face = 180,
Id = 6816,
IsHight = false,
PriorityCreate = "0",
Times = 1,
},
},
PathInfo = {
boy1 = {
{ 4109, 17739, 2039, Idx = 10, Param = { "runani", "run" } },
{ 4298, 19827, 2039, Idx = 6, Param = { "act", "act01", "runani", "run" } },
{ 3636, 19753, 2039, Idx = 7, Param = { "act", "act01", "runani", "run" } },
{ 3250, 18893, 2039, Idx = 8, Param = { "runani", "run" } },
{ 3506, 18271, 2039, Idx = 9, Param = { "runani", "run" } },
{ 4360, 19949, 2039, Idx = 5, Param = { "runani", "run" } },
{ 5554, 19051, 2039, Idx = 3, Param = { "runani", "run" } },
{ 5058, 19724, 2039, Idx = 4, Param = { "runani", "run" } },
{ 5287, 18001, 2039, Idx = 2, Param = { "runani", "run" } },
{ 4923, 17650, 2039, Idx = 1, Param = { "runani", "run" } },
BaseInfo = { AreaId = 1202, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
boy2 = {
{ 32373, 5019, 2136, Idx = 2, Param = { "nblk", 1, "speed", 5 } },
{ 28876, 4938, 2136, Idx = 1, Param = { "nblk", 1, "speed", 5 } },
BaseInfo = { AreaId = 1202, AreaRadius = 30, TriggerId = 9003, TriggerType = 2 },
},
caonui2 = {
{ 11156, 22240, 2032, Idx = 1, Param = { "nblk", 1, "ignoreLogicHeight", 1 } },
{
11065,
22252,
2032,
BackParam = { "fade", 0, "fadeani", "xiaohui_walk" },
GoParam = { "fade", 1, "fadeani", "xiaohui_walk" },
Idx = 2,
Param = { "nblk", 1 },
},
{ 9901, 21813, 2049, Idx = 3, Param = { "nblk", 1 } },
{ 8535, 21810, 2032, Idx = 4, Param = { "nblk", 1 } },
{ 8920, 29610, 2032, Idx = 6, Param = { "nblk", 1 } },
{ 8861, 28650, 2032, Idx = 7, Param = { "nblk", 1, "ignoreLogicHeight", 1 } },
{ 8375, 29591, 2032, Idx = 5, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1207, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
caonui4 = {
{ 12841, 20220, 1701, Idx = 3, Param = { "nblk", 1 } },
{ 13655, 20032, 2049, Idx = 4, Param = { "nblk", 1 } },
{ 13625, 18758, 2049, Idx = 5, Param = { "nblk", 1 } },
{ 13180, 17634, 2049, Idx = 6, Param = { "nblk", 1 } },
{ 12880, 17618, 2049, Idx = 8, Param = { "nblk", 1 } },
{
7561,
20380,
1041,
BackParam = { "fade", 0, "fadeani", "xiaohui_walk" },
GoParam = { "fade", 1, "fadeani", "xiaohui_walk" },
Idx = 2,
Param = { "nblk", 1 },
},
{
13005,
17611,
2049,
BackParam = { "fade", 1, "fadeani", "walk" },
GoParam = { "fade", 0, "fadeani", "walk" },
Idx = 7,
Param = { "nblk", 1 },
},
{ 7414, 20346, 1041, Idx = 1, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1207, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
caonui6 = {
{ 7473, 19506, 1041, Idx = 1, Param = { "nblk", 1 } },
{ 8271, 19315, 1041, Idx = 3, Param = { "nblk", 1 } },
{ 13693, 19823, 1041, Idx = 4, Param = { "nblk", 1 } },
{ 13654, 20551, 1041, Idx = 5, Param = { "nblk", 1 } },
{ 13471, 20715, 1041, Idx = 6, Param = { "nblk", 1 } },
{ 7077, 20690, 2049, Idx = 7, Param = { "nblk", 1 } },
{ 6910, 17325, 2049, Idx = 8, Param = { "nblk", 1 } },
{ 6381, 16489, 2049, Idx = 9, Param = { "nblk", 1 } },
{ 5878, 16409, 2049, Idx = 11, Param = { "nblk", 1 } },
{
7664,
19512,
1041,
BackParam = { "fade", 0, "fadeani", "xiaohui_walk" },
GoParam = { "fade", 1, "fadeani", "xiaohui_walk" },
Idx = 2,
Param = { "nblk", 1 },
},
{
6051,
16412,
2049,
BackParam = { "fade", 1, "fadeani", "xiaohui_walk" },
GoParam = { "fade", 0, "fadeani", "xiaohui_walk" },
Idx = 10,
Param = { "nblk", 1 },
},
BaseInfo = { AreaId = 1208, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
car1 = {
{ 14201, 11787, 2034, Idx = 4, Param = { "speed", 30, "act", "idle", "nblk", 1 } },
{ 14158, 2507, 2034, Idx = 3, Param = { "speed", 30, "nblk", 1 } },
{ 4519, 2305, 2034, Idx = 1, Param = { "speed", 10, "nblk", 1 } },
{ 2424, 4581, 2033, Idx = 12, Param = { "speed", 21, "nblk", 1 } },
{ 858, 9298, 2033, Idx = 9, Param = { "speed", 21, "nblk", 1 } },
{ 1173, 7697, 2033, Idx = 10, Param = { "speed", 21, "nblk", 1 } },
{ 1643, 6319, 2033, Idx = 11, Param = { "speed", 21, "nblk", 1 } },
{ 847, 13343, 2034, Idx = 8, Param = { "speed", 10, "nblk", 1 } },
{ 13771, 13613, 2034, Idx = 6, Param = { "speed", 30, "nblk", 1 } },
{ 3789, 2633, 2033, Idx = 13, Param = { "speed", 21, "nblk", 1 } },
{ 1146, 13594, 2034, Idx = 7, Param = { "speed", 30, "nblk", 1 } },
{ 13465, 2251, 2034, Idx = 2, Param = { "speed", 30, "nblk", 1 } },
{ 14203, 13138, 2034, Idx = 5, Param = { "speed", 30, "nblk", 1 } },
{ 4083, 2501, 2033, Idx = 14, Param = { "speed", 10, "nblk", 1 } },
BaseInfo = { AreaId = 1297, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
car2 = {
{ 15810, 31748, 2032, Idx = 1, Param = { "fade", 1, "runani", "run", "speed", 35 } },
{ 15705, 16210, 2031, Idx = 3, Param = { "speed", 30, "runani", "run", "act", "idle" } },
{ 15724, 1780, 2031, Idx = 5, Param = { "speed", 30, "runani", "run", "fade", 0 } },
{ 15710, 17629, 2030, Idx = 2, Param = { "speed", 30, "runani", "run" } },
{ 15747, 11801, 2030, Idx = 4, Param = { "speed", 30, "runani", "run" } },
BaseInfo = { AreaId = 1297, AreaRadius = 50, Color = "0,255,0", TriggerId = 9003, TriggerType = 2 },
},
car3 = {
{ 14634, 10193, 2031, Idx = 2, Param = { "speed", 35, "runani", "run" } },
{ 14674, 16998, 2030, Idx = 5, Param = { "speed", 30, "runani", "run" } },
{ 14665, 1898, 2031, Idx = 1, Param = { "speed", 30, "runani", "run", "fade", 1 } },
{ 14660, 31782, 2031, Idx = 6, Param = { "speed", 30, "runani", "run", "fade", 0 } },
{ 14690, 15087, 2030, Idx = 4, Param = { "speed", 30, "runani", "run" } },
{ 14632, 11713, 2031, Idx = 3, Param = { "speed", 30, "runani", "run", "act", "idle" } },
BaseInfo = { AreaId = 1297, AreaRadius = 50, Color = "0,255,0", TriggerId = 9003, TriggerType = 2 },
},
child1 = {
{ 28358, 18253, 2198, Idx = 11, Param = { "nblk", 1 } },
{ 30717, 21332, 2043, Idx = 7, Param = { "nblk", 1 } },
{ 30898, 20996, 2043, Idx = 8, Param = { "nblk", 1 } },
{ 30890, 18973, 2043, Idx = 9, Param = { "nblk", 1 } },
{ 29692, 18477, 2043, Idx = 10, Param = { "nblk", 1 } },
{ 30291, 21329, 2043, Idx = 6, Param = { "nblk", 1 } },
{ 30067, 18387, 2043, Idx = 4, Param = { "nblk", 1 } },
{ 30065, 21063, 2043, Idx = 5, Param = { "nblk", 1 } },
{ 28783, 18155, 2198, Idx = 2, Param = { "nblk", 1 } },
{ 29595, 18325, 2043, Idx = 3, Param = { "nblk", 1 } },
{ 26707, 17684, 2043, Idx = 1, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1228, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
child2 = {
{ 29257, 18567, 2043, Idx = 7, Param = { "nblk", 1 } },
{ 28464, 18469, 2198, Idx = 5, Param = { "nblk", 1 } },
{ 28898, 18554, 2198, Idx = 6, Param = { "nblk", 1 } },
{ 27963, 18333, 2198, Idx = 4, Param = { "nblk", 1 } },
{ 27589, 18182, 2148, Idx = 3, Param = { "nblk", 1 } },
{ 26734, 17818, 2043, Idx = 1, Param = { "nblk", 1 } },
{ 27176, 18013, 2043, Idx = 2, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1209, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
dabeitou2 = {
{ 3971, 27923, 2031, Idx = 7, Param = { "nblk", 1 } },
{ 3227, 27557, 2031, Idx = 5, Param = { "nblk", 1 } },
{ 3934, 27466, 2031, Idx = 6, Param = { "nblk", 1 } },
{ 3200, 30149, 2032, Idx = 2, Param = { "nblk", 1, "ignoreLogicHeight", 1 } },
{ 2658, 30038, 2031, Idx = 1, Param = { "nblk", 1, "ignoreLogicHeight", 1 } },
{ 3229, 29125, 2032, Idx = 3, Param = { "nblk", 1 } },
{ 3348, 28454, 2031, Idx = 4, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1211, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
dabeitou3 = {
{ 18489, 18706, 2003, Idx = 1, Param = { "nblk", 1, "fade", 1 } },
{ 21706, 20603, 2003, Idx = 4, Param = { "nblk", 1 } },
{ 18118, 20625, 2003, Idx = 3, Param = { "nblk", 1 } },
{ 18137, 18921, 2003, Idx = 2, Param = { "nblk", 1 } },
{ 21728, 20781, 2003, Idx = 5, Param = { "nblk", 1, "fade", 0, "fadeani", "walk" } },
BaseInfo = { AreaId = 1208, AreaRadius = 30, Color = "", TriggerId = 9003, TriggerType = 2 },
},
dama3 = {
{ 8891, 29387, 1844, Idx = 14, Param = { "nblk", 1 } },
{ 3975, 27875, 2032, Idx = 1, Param = { "nblk", 1 } },
{ 4895, 27367, 1844, Idx = 3, Param = { "nblk", 1 } },
{ 6334, 28703, 1844, Idx = 10, Param = { "nblk", 1 } },
{ 6251, 28552, 1844, Idx = 9, Param = { "nblk", 1 } },
{ 6510, 28833, 1844, Idx = 11, Param = { "nblk", 1 } },
{ 6153, 27636, 1844, Idx = 8, Param = { "nblk", 1 } },
{ 5918, 27221, 1844, Idx = 6, Param = { "nblk", 1 } },
{ 8850, 29593, 1844, Idx = 13, Param = { "nblk", 1 } },
{ 5440, 27273, 1844, Idx = 4, Param = { "nblk", 1 } },
{ 5712, 27330, 1844, Idx = 5, Param = { "nblk", 1 } },
{ 6097, 27394, 1844, Idx = 7, Param = { "nblk", 1 } },
{ 8091, 29463, 1844, Idx = 12, Param = { "nblk", 1 } },
{ 4470, 27404, 2031, Idx = 2, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1211, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
dama4 = {
{ 1692, 26026, 2981, Idx = 6, Param = { "nblk", 1 } },
{ 267, 25619, 2981, Idx = 4, Param = { "nblk", 1 } },
{ 1686, 25631, 2981, Idx = 5, Param = { "nblk", 1 } },
{ 461, 27326, 2981, Idx = 3, Param = { "nblk", 1 } },
{ 1791, 27375, 2981, Idx = 2, Param = { "nblk", 1 } },
{ 1773, 26877, 2981, Idx = 1, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1214, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
dog1 = {
{ 28389, 5135, 2136, Idx = 2, Param = { "nblk", 1, "speed", 4.2 } },
{ 32319, 5197, 2136, Idx = 4, Param = { "nblk", 1, "speed", 4.2 } },
{ 28654, 5252, 2136, Idx = 3, Param = { "nblk", 1, "speed", 4.2 } },
{ 27770, 5302, 2136, Idx = 1, Param = { "nblk", 1, "speed", 4.2 } },
BaseInfo = { AreaId = 9781226, AreaRadius = 30, TriggerId = 9003, TriggerType = 2 },
},
dog2 = {
{ 6061, 29490, 2996, Idx = 1, Param = { "nblk", 1, "speed", 4 } },
{ 5810, 29264, 2996, Idx = 7, Param = { "nblk", 1, "speed", 4 } },
{ 5281, 30791, 2996, Idx = 3, Param = { "nblk", 1, "speed", 4 } },
{ 5562, 30750, 2996, Idx = 2, Param = { "nblk", 1, "speed", 4 } },
{ 5604, 27640, 2996, Idx = 6, Param = { "nblk", 1, "speed", 4 } },
{ 4566, 30405, 2996, Idx = 4, Param = { "nblk", 1, "speed", 4 } },
{ 4555, 27676, 2996, Idx = 5, Param = { "nblk", 1, "speed", 4 } },
BaseInfo = { AreaId = 1226, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
dog3 = {
{ 27155, 5855, 2136, Idx = 6, Param = { "nblk", 1, "speed", 3 } },
{ 27575, 3499, 2136, Idx = 4, Param = { "nblk", 1, "speed", 3 } },
{ 27611, 5074, 2136, Idx = 5, Param = { "nblk", 1, "speed", 3 } },
{ 27262, 3256, 2136, Idx = 3, Param = { "nblk", 1, "speed", 3 } },
{ 26696, 3817, 2136, Idx = 2, Param = { "nblk", 1, "speed", 3 } },
{ 26754, 6504, 2136, Idx = 1, Param = { "nblk", 1, "speed", 3 } },
BaseInfo = { AreaId = 1221, AreaRadius = 30, Color = "", TriggerId = 9003, TriggerType = 2 },
},
duanfa1 = {
{ 7455, 20236, 1041, Idx = 4, Param = { "nblk", 1 } },
{ 11091, 20157, 2031, Idx = 3, Param = { "nblk", 1 } },
{ 12469, 20055, 2031, Idx = 2, Param = { "nblk", 1 } },
{ 13629, 20164, 2031, Idx = 1, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1201, AreaRadius = 50, Color = "100,20,50", TriggerId = 9003, TriggerType = 2 },
},
duanfa2 = {
{ 17848, 15516, 2003, Idx = 5, Param = { "nblk", 1, "fade", 0, "fadeani", "walk" } },
{ 17812, 15142, 2003, Idx = 4, Param = { "nblk", 1 } },
{ 16327, 15188, 2003, Idx = 3, Param = { "nblk", 1 } },
{ 16338, 18906, 2003, Idx = 2, Param = { "nblk", 1 } },
{ 18446, 18473, 2003, Idx = 1, Param = { "nblk", 1, "fade", 1 } },
BaseInfo = { AreaId = 1208, AreaRadius = 30, Color = "", TriggerId = 9003, TriggerType = 2 },
},
gay1 = {
{ 23842, 6778, 2046, Idx = 1, Param = { "nblk", 1, "ignoreLogicHeight", 1 } },
{ 23424, 8790, 2046, Idx = 3, Param = { "nblk", 1, "fade", 1, "fadeani", "xiaohui_walk" } },
{ 23213, 6762, 2046, Idx = 2, Param = { "nblk", 1, "ignoreLogicHeight", 1 } },
{ 24000, 8772, 2046, Idx = 4, Param = { "nblk", 1, "ignoreLogicHeight", 1 } },
BaseInfo = { AreaId = 1220, AreaRadius = 30, TriggerId = 9003, TriggerType = 2 },
},
gay2 = {
{ 18843, 11335, 1982, Idx = 1, Param = { "nblk", 1, "fade", 1 } },
{ 21325, 10784, 1982, Idx = 4, Param = { "nblk", 1 } },
{ 21680, 11207, 1982, Idx = 5, Param = { "nblk", 1 } },
{ 18970, 10809, 1982, Idx = 3, Param = { "nblk", 1 } },
{ 18839, 11037, 1982, Idx = 2, Param = { "nblk", 1 } },
{ 22060, 12610, 1982, Idx = 7, Param = { "nblk", 1 } },
{ 21813, 11812, 1982, Idx = 6, Param = { "nblk", 1 } },
{ 23798, 12794, 1982, Idx = 8, Param = { "nblk", 1 } },
{ 23862, 12524, 1981, Idx = 9, Param = { "nblk", 1, "fade", 0, "fadeani", "xiaohui_walk" } },
BaseInfo = { AreaId = 1220, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
gaygay = {
{ 13646, 19525, 1041, Idx = 4, Param = { "nblk", 1 } },
{ 11228, 19577, 1041, Idx = 3, Param = { "nblk", 1 } },
{ 8833, 19868, 1041, Idx = 2, Param = { "nblk", 1 } },
{ 7503, 19719, 1041, Idx = 1, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1205, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
girl3 = {
{ 28932, 26439, 2042, Idx = 5, Param = { "nblk", 1 } },
{ 28392, 23760, 2042, Idx = 3, Param = { "nblk", 1 } },
{ 30878, 23720, 2042, Idx = 2, Param = { "nblk", 1 } },
{ 31108, 24177, 2042, Idx = 1, Param = { "nblk", 1 } },
{ 28383, 26439, 2042, Idx = 4, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1217, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
girl4 = {
{
22709,
18015,
3653,
BackParam = { "fade", 0, "fadeani", "xiaohui_walk" },
GoParam = { "fade", 1, "fadeani", "xiaohui_walk" },
Idx = 2,
Param = { "nblk", 1 },
},
{ 22803, 18019, 3653, Idx = 1, Param = { "nblk", 1 } },
{ 21117, 19299, 3653, Idx = 8, Param = { "nblk", 1 } },
{ 21381, 17339, 2769, Idx = 9, Param = { "nblk", 1 } },
{ 21138, 17563, 2769, Idx = 8, Param = { "nblk", 1 } },
{ 21214, 19490, 3653, Idx = 7, Param = { "nblk", 1 } },
{ 22293, 19488, 3653, Idx = 6, Param = { "nblk", 1 } },
{ 22344, 19412, 3653, Idx = 5, Param = { "nblk", 1 } },
{
21827,
17328,
2769,
BackParam = { "fade", 1, "fadeani", "xiaohui_walk" },
GoParam = { "fade", 0, "fadeani", "xiaohui_walk" },
Idx = 10,
Param = { "nblk", 1 },
},
{ 22370, 18099, 3653, Idx = 3, Param = { "nblk", 1 } },
{ 22316, 18395, 3653, Idx = 4, Param = { "nblk", 1 } },
{ 21941, 17327, 2769, Idx = 11, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1217, AreaRadius = 30, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
girl7 = {
{ 18762, 11497, 2048, Idx = 3, Param = { "nblk", 1, "fade", 0, "fadeani", "xiaohui_walk" } },
{ 19006, 8552, 1982, Idx = 2, Param = { "nblk", 1 } },
{ 18096, 8611, 1982, Idx = 1, Param = { "nblk", 1, "fade", 1, "fadeani", "xiaohui_walk" } },
BaseInfo = { AreaId = 1217, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
grandpa1 = {
{ 27750, 5484, 2136, Idx = 1, Param = { "nblk", 1, "speed", 4.2 } },
{ 28659, 5377, 2136, Idx = 3, Param = { "nblk", 1, "speed", 4.2 } },
{ 28397, 5483, 2136, Idx = 2, Param = { "nblk", 1, "speed", 4.2 } },
{ 32315, 5303, 2136, Idx = 4, Param = { "nblk", 1, "speed", 4.2 } },
BaseInfo = { AreaId = 1203, AreaRadius = 30, Color = "", TriggerId = 9003, TriggerType = 2 },
},
grandpa2 = {
{ 6154, 30374, 2996, Idx = 4, Param = { "nblk", 1 } },
{ 5544, 29621, 2996, Idx = 3, Param = { "nblk", 1 } },
{ 3820, 29554, 2996, Idx = 2, Param = { "nblk", 1 } },
{ 3808, 29774, 2996, Idx = 1, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1203, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
grandpa3 = {
{ 2017, 27986, 2955, Idx = 7, Param = { "nblk", 1 } },
{ 4756, 27228, 2955, Idx = 5, Param = { "nblk", 1 } },
{ 2035, 27683, 2955, Idx = 6, Param = { "nblk", 1 } },
{ 4684, 26419, 2955, Idx = 4, Param = { "nblk", 1 } },
{ 6445, 25276, 2955, Idx = 2, Param = { "nblk", 1 } },
{ 5882, 25314, 2955, Idx = 3, Param = { "nblk", 1 } },
{ 6478, 24984, 2955, Idx = 1, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1225, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
grandpa4 = {
{ 27544, 9525, 2136, Idx = 6, Param = { "nblk", 1 } },
{ 27018, 13036, 2136, Idx = 4, Param = { "nblk", 1 } },
{ 27021, 9583, 2136, Idx = 5, Param = { "nblk", 1 } },
{ 27190, 13242, 2136, Idx = 3, Param = { "nblk", 1 } },
{ 28152, 13224, 2136, Idx = 2, Param = { "nblk", 1 } },
{ 28128, 12408, 2136, Idx = 1, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1203, AreaRadius = 30, Color = "", TriggerId = 9003, TriggerType = 2 },
},
guaishou1 = {
{ 32299, 5453, 2136, Idx = 8, Param = { "nblk", 1 } },
{ 28599, 5727, 2136, Idx = 6, Param = { "nblk", 1 } },
{ 28821, 5591, 2136, Idx = 7, Param = { "nblk", 1 } },
{ 27090, 7612, 2136, Idx = 4, Param = { "nblk", 1 } },
{ 26904, 9419, 2136, Idx = 2, Param = { "nblk", 1 } },
{ 26593, 8199, 2136, Idx = 3, Param = { "nblk", 1 } },
{ 27604, 9469, 2136, Idx = 1, Param = { "nblk", 1 } },
{ 27617, 5778, 2136, Idx = 5, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1221, AreaRadius = 30, Color = "", TriggerId = 9003, TriggerType = 2 },
},
guaishou2 = {
{ 23039, 17060, 2038, Idx = 6, Param = { "nblk", 1, "ignoreLogicHeight", 1 } },
{ 23590, 14644, 2049, Idx = 4, Param = { "nblk", 1 } },
{ 26623, 14668, 2049, Idx = 3, Param = { "nblk", 1 } },
{ 29846, 15404, 2049, Idx = 1, Param = { "nblk", 1 } },
{ 23560, 16925, 2049, Idx = 5, Param = { "nblk", 1 } },
{ 29869, 14798, 2049, Idx = 2, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1221, AreaRadius = 30, Color = "", TriggerId = 9003, TriggerType = 2 },
},
guaishou3 = {
{ 6131, 24330, 2955, Idx = 5, Param = { "nblk", 1 } },
{ 5660, 24375, 2955, Idx = 4, Param = { "nblk", 1 } },
{ 5411, 25048, 2955, Idx = 3, Param = { "nblk", 1 } },
{ 5587, 25826, 2955, Idx = 2, Param = { "nblk", 1 } },
{ 6220, 25827, 2955, Idx = 1, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1221, AreaRadius = 50, Color = "150,255,50", TriggerId = 9003, TriggerType = 2 },
},
guangjie10 = {
{
23521,
5636,
2048,
BackParam = { "fade", 1, "fadeani", "xiaohui_walk" },
GoParam = { "fade", 0, "fadeani", "xiaohui_walk" },
Idx = 5,
Param = { "nblk", 1 },
},
{ 23207, 5535, 2046, Idx = 4, Param = { "nblk", 1 } },
{ 23312, 3955, 2046, Idx = 3, Param = { "nblk", 1 } },
{ 23627, 3781, 2046, Idx = 1, Param = { "nblk", 1 } },
{
23514,
3784,
2046,
BackParam = { "fade", 0, "fadeani", "xiaohui_walk" },
GoParam = { "fade", 1, "fadeani", "xiaohui_walk" },
Idx = 2,
Param = { "nblk", 1 },
},
{ 23594, 5656, 2048, Idx = 6, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1225, AreaRadius = 30, TriggerId = 9003, TriggerType = 2 },
},
guangjie11 = {
{ 30307, 15446, 2049, Idx = 5, Param = { "nblk", 1 } },
{ 30357, 14873, 2049, Idx = 4, Param = { "nblk", 1 } },
{ 30560, 14786, 2049, Idx = 3, Param = { "nblk", 1 } },
{ 32245, 15109, 2049, Idx = 2, Param = { "nblk", 1 } },
{ 32292, 15440, 2049, Idx = 1, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1208, AreaRadius = 30, Color = "", TriggerId = 9003, TriggerType = 2 },
},
guangjie3 = {
{ 23695, 14571, 2136, Idx = 5, Param = { "nblk", 1 } },
{ 25895, 18738, 2136, Idx = 3, Param = { "nblk", 1 } },
{ 25942, 18628, 2136, Idx = 2, Param = { "nblk", 1 } },
{ 25941, 14600, 2136, Idx = 1, Param = { "nblk", 1 } },
{ 23649, 18765, 2136, Idx = 4, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1207, AreaRadius = 30, Color = "", TriggerId = 9003, TriggerType = 2 },
},
guangjie4 = {
{ 31247, 12560, 2136, Idx = 1, Param = { "nblk", 1 } },
{ 31264, 12959, 2136, Idx = 2, Param = { "nblk", 1 } },
{ 28219, 12337, 2136, Idx = 5, Param = { "nblk", 1 } },
{ 30100, 13261, 2136, Idx = 3, Param = { "nblk", 1 } },
{ 28302, 13254, 2136, Idx = 4, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1208, AreaRadius = 30, Color = "", TriggerId = 9003, TriggerType = 2 },
},
guangjie5 = {
{ 20077, 12517, 2769, Idx = 1, Param = { "nblk", 1, "fade", 1, "fadeani", "xiaohui_walk" } },
{ 16729, 10672, 2136, Idx = 4, Param = { "nblk", 1 } },
{ 16759, 12854, 2136, Idx = 3, Param = { "nblk", 1 } },
{ 20063, 12877, 2136, Idx = 2, Param = { "nblk", 1 } },
{ 18258, 11399, 2048, Idx = 6, Param = { "nblk", 1, "fade", 0, "fadeani", "xiaohui_walk" } },
{ 18267, 10746, 2136, Idx = 5, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1218, AreaRadius = 30, Color = "", TriggerId = 9003, TriggerType = 2 },
},
guangjie6 = {
{ 30803, 18729, 2042, Idx = 1, Param = { "nblk", 1 } },
{ 27372, 22467, 2043, Idx = 4, Param = { "nblk", 1 } },
{ 29973, 22443, 2042, Idx = 5, Param = { "nblk", 1 } },
{ 27203, 23549, 2042, Idx = 3, Param = { "nblk", 1 } },
{ 30711, 23752, 2042, Idx = 2, Param = { "nblk", 1 } },
{ 29901, 18728, 2042, Idx = 6, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1207, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
guangjie8 = {
{ 28791, 24854, 2042, Idx = 5, Param = { "nblk", 1 } },
{ 28090, 25152, 2042, Idx = 3, Param = { "nblk", 1 } },
{ 28183, 24997, 2042, Idx = 4, Param = { "nblk", 1 } },
{ 28146, 27461, 2042, Idx = 3, Param = { "nblk", 1 } },
{ 28280, 27645, 2042, Idx = 2, Param = { "nblk", 1 } },
{ 28682, 27642, 2042, Idx = 1, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1217, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
guangjie9 = {
{ 28850, 26953, 2042, Idx = 1, Param = { "nblk", 1 } },
{ 28164, 29305, 2042, Idx = 4, Param = { "nblk", 1 } },
{ 28317, 29540, 2042, Idx = 5, Param = { "nblk", 1 } },
{ 28222, 27273, 2042, Idx = 3, Param = { "nblk", 1 } },
{ 28341, 27020, 2042, Idx = 2, Param = { "nblk", 1 } },
{ 29057, 29495, 2042, Idx = 6, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1207, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
guangtou1 = {
{ 1433, 28003, 2981, Idx = 4, Param = { "nblk", 1 } },
{ 1402, 27444, 2981, Idx = 3, Param = { "nblk", 1 } },
{ 2796, 27380, 2981, Idx = 2, Param = { "nblk", 1 } },
{ 2789, 29120, 2981, Idx = 1, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1211, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
laoto10 = {
{ 13455, 6269, 1982, Idx = 1, Param = { "speed", 4.2 } },
{ 13178, 6101, 1982, Idx = 2, Param = { "speed", 4.2 } },
{ 10500, 6355, 1982, Idx = 3, Param = { "speed", 4.2 } },
{ 10225, 6908, 1982, Idx = 4, Param = { "speed", 4.2 } },
{ 10217, 8641, 2041, Idx = 5, Param = { "speed", 4.2 } },
{ 9998, 8803, 2041, Idx = 6, Param = { "speed", 4.2 } },
{ 10029, 6623, 2041, Idx = 7, Param = { "speed", 4.2 } },
{ 10573, 6061, 2040, Idx = 8, Param = { "speed", 4.2 } },
BaseInfo = { AreaId = 1203, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
laoto11 = {
{ 13094, 4735, 2041, Idx = 1, Param = { "nblk", 1, "speed", 4.2, "ignoreLogicHeight", 1 } },
{ 13662, 4797, 2041, Idx = 2, Param = { "nblk", 1, "speed", 4.2, "ignoreLogicHeight", 1 } },
{ 13722, 5472, 2041, Idx = 3, Param = { "nblk", 1, "speed", 4.2 } },
{ 13507, 5935, 2041, Idx = 4, Param = { "speed", 4.2 } },
{ 11237, 6171, 2041, Idx = 5, Param = { "nblk", 1, "speed", 4.2 } },
{ 10961, 6455, 2041, Idx = 6, Param = { "speed", 4.2 } },
{ 11165, 7291, 2041, Idx = 7, Param = { "speed", 4.2 } },
{ 11494, 6935, 2041, Idx = 8, Param = { "nblk", 1, "speed", 4.2 } },
{ 12074, 6671, 2040, Idx = 9, Param = { "nblk", 1, "speed", 4.2, "ignoreLogicHeight", 1 } },
{ 12265, 7106, 2040, Idx = 10, Param = { "nblk", 1, "speed", 4.2, "ignoreLogicHeight", 1 } },
BaseInfo = { AreaId = 1215, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
laoto2 = {
{ 9426, 28819, 2032, Idx = 1, Param = { "nblk", 1, "speed", 4.2 } },
{ 9537, 29605, 2032, Idx = 2, Param = { "nblk", 1, "speed", 4.2 } },
{ 13615, 29560, 2032, Idx = 3, Param = { "speed", 4.2 } },
{ 13672, 28238, 2032, Idx = 4, Param = { "speed", 4.2 } },
{ 12858, 28109, 2032, Idx = 5, Param = { "speed", 4.2 } },
{ 10827, 27565, 2032, Idx = 6, Param = { "nblk", 1, "speed", 4.2 } },
{ 10895, 26927, 2031, Idx = 8, Param = { "nblk", 1, "speed", 4.2, "act", "idle" } },
{ 10752, 27015, 2031, Idx = 7, Param = { "nblk", 1, "speed", 4.2 } },
BaseInfo = { AreaId = 1203, AreaRadius = 50, Color = "255,0,255", TriggerId = 9003, TriggerType = 2 },
},
laoto9 = {
{ 12914, 7740, 2238, Idx = 1, Param = { "nblk", 1 } },
{ 12909, 8089, 2141, Idx = 3, Param = { "nblk", 1, "speed", 4.2 } },
{ 13019, 8519, 2152, Idx = 4, Param = { "nblk", 1, "speed", 4.2 } },
{ 12807, 8944, 2152, Idx = 5, Param = { "nblk", 1, "speed", 4.2 } },
{ 11491, 9175, 2152, Idx = 6, Param = { "nblk", 1, "speed", 4.2 } },
{ 11469, 8563, 2152, Idx = 8, Param = { "nblk", 1 } },
{
12902,
7815,
2238,
BackParam = { "fade", 0, "fadeani", "walk" },
GoParam = { "fade", 1, "fadeani", "walk" },
Idx = 2,
Param = { "nblk", 1, "speed", 4.2 },
},
{
11471,
8698,
2152,
BackParam = { "fade", 1, "fadeani", "xiaohui_walk" },
GoParam = { "fade", 0, "fadeani", "xiaohui_walk" },
Idx = 7,
Param = { "nblk", 1, "speed", 4.2 },
},
BaseInfo = { AreaId = 1203, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
man2 = {
{ 25712, 22391, 2043, Idx = 3, Param = { "nblk", 1 } },
{ 25761, 23289, 2043, Idx = 2, Param = { "nblk", 1 } },
{ 16604, 23258, 2043, Idx = 1, Param = { "nblk", 1 } },
{ 16604, 22410, 2043, Idx = 4, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1205, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
man3 = {
{ 20057, 19633, 2769, Idx = 7, Param = { "nblk", 1, "ignoreLogicHeight", 1 } },
{
21811,
17178,
2769,
BackParam = { "fade", 0, "fadeani", "xiaohui_walk" },
GoParam = { "fade", 1, "fadeani", "xiaohui_walk" },
Idx = 2,
Param = { "nblk", 1 },
},
{ 20113, 18164, 2769, Idx = 5, Param = { "nblk", 1 } },
{ 21884, 17183, 2769, Idx = 1, Param = { "nblk", 1, "ignoreLogicHeight", 1 } },
{ 20759, 17384, 2769, Idx = 4, Param = { "nblk", 1 } },
{
20039,
19473,
2769,
BackParam = { "fade", 1, "fadeani", "xiaohui_walk" },
GoParam = { "fade", 0, "fadeani", "xiaohui_walk" },
Idx = 6,
Param = { "nblk", 1 },
},
{ 21537, 17156, 2769, Idx = 3, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1206, AreaRadius = 30, Color = "", TriggerId = 9003, TriggerType = 2 },
},
niujiao2 = {
{ 18706, 11343, 1982, Idx = 1, Param = { "nblk", 1, "fade", 1 } },
{ 17724, 10900, 1982, Idx = 4, Param = { "nblk", 1 } },
{ 17335, 11396, 1982, Idx = 5, Param = { "nblk", 1 } },
{ 18419, 10771, 1982, Idx = 3, Param = { "nblk", 1 } },
{ 18693, 10938, 1982, Idx = 2, Param = { "nblk", 1 } },
{ 18719, 11871, 1982, Idx = 13, Param = { "nblk", 1 } },
{ 18175, 11890, 1982, Idx = 12, Param = { "nblk", 1 } },
{ 18171, 11401, 1982, Idx = 11, Param = { "nblk", 1, "fade", 0, "fadeani", "xiaohui_walk" } },
{ 17286, 12435, 1982, Idx = 6, Param = { "nblk", 1, "act", "idle" } },
{ 18178, 11074, 1982, Idx = 10, Param = { "nblk", 1 } },
{ 17666, 11270, 1982, Idx = 8, Param = { "nblk", 1 } },
{ 17822, 11076, 1982, Idx = 9, Param = { "nblk", 1 } },
{ 17543, 12390, 1982, Idx = 7, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1223, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
pangzi2 = {
{ 18429, 10942, 1981, Idx = 5, Param = { "nblk", 1 } },
{ 23436, 10252, 2034, Idx = 2, Param = { "nblk", 1 } },
{ 18425, 11442, 1982, Idx = 6, Param = { "nblk", 1, "fade", 0, "fadeani", "xiaohui_walk" } },
{ 22093, 10916, 1980, Idx = 4, Param = { "nblk", 1 } },
{ 22298, 10270, 3186, Idx = 3, Param = { "nblk", 1 } },
{ 23425, 9008, 1981, Idx = 1, Param = { "nblk", 1, "fade", 1, "fadeani", "xiaohui_walk" } },
BaseInfo = { AreaId = 1215, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
qingnian1 = {
{ 10873, 12388, 1981, Idx = 1, Param = { "nblk", 1 } },
{ 10700, 12011, 1981, Idx = 2 },
{ 10668, 11349, 1981, Idx = 3 },
{ 11256, 9750, 1981, Idx = 5 },
{ 11928, 9627, 1981, Idx = 6 },
{ 12609, 10010, 1981, Idx = 7 },
{ 12903, 11174, 1980, Idx = 8, Param = { "nblk", 1 } },
{ 10646, 10305, 1981, Idx = 4 },
BaseInfo = { AreaId = 1205, AreaRadius = 30, Color = "", TriggerId = 9003, TriggerType = 2 },
},
qingnian2 = {
{ 26931, 13043, 2136, Idx = 4, Param = { "nblk", 1 } },
{ 26883, 9539, 2136, Idx = 5, Param = { "nblk", 1 } },
{ 27041, 13173, 2136, Idx = 3, Param = { "nblk", 1 } },
{ 30569, 12377, 2136, Idx = 1, Param = { "nblk", 1 } },
{ 30531, 13157, 2136, Idx = 2, Param = { "nblk", 1 } },
{ 27796, 9502, 2136, Idx = 6, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1205, AreaRadius = 30, Color = "", TriggerId = 9003, TriggerType = 2 },
},
qixingze1 = {
{ 10796, 5964, 2041, Idx = 1, Param = { "runani", "ride", "speed", 21 } },
{ 12696, 5917, 2041, Idx = 2, Param = { "runani", "ride", "speed", 21 } },
{ 13289, 5789, 2040, Idx = 3, Param = { "nblk", 1, "runani", "ride", "speed", 21 } },
{ 13784, 5187, 2041, Idx = 4, Param = { "nblk", 1, "runani", "ride", "speed", 21 } },
{ 13709, 3381, 2041, Idx = 5, Param = { "nblk", 1, "runani", "ride", "speed", 21 } },
{ 13612, 2869, 2040, Idx = 6, Param = { "runani", "ride", "speed", 21 } },
{ 13509, 2622, 2040, Idx = 7, Param = { "runani", "ride", "speed", 21 } },
{ 10119, 2982, 2041, Idx = 10, Param = { "runani", "ride", "speed", 21 } },
{ 10139, 5085, 2041, Idx = 11, Param = { "runani", "ride", "speed", 21 } },
{ 10339, 2932, 1172, Idx = 9, Param = { "runani", "ride", "speed", 21 } },
{ 10339, 2647, 2041, Idx = 9, Param = { "runani", "ride", "speed", 21 } },
{ 11115, 2608, 2041, Idx = 8, Param = { "runani", "ride", "speed", 21 } },
BaseInfo = { AreaId = 1225, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
qixingzhe2 = {
{ 12933, 14317, 2048, Idx = 1, Param = { "speed", 21, "runani", "ride", "nblk", 1 } },
{ 1250, 14309, 2034, Idx = 2, Param = { "speed", 21, "runani", "ride", "nblk", 1 } },
{ 1075, 14370, 2048, Idx = 3, Param = { "speed", 21, "runani", "ride", "nblk", 1 } },
{ 1004, 14492, 2048, Idx = 4, Param = { "speed", 21, "runani", "ride", "nblk", 1 } },
{ 1004, 20635, 2003, Idx = 5, Param = { "speed", 21, "runani", "ride", "nblk", 1 } },
{ 1077, 20864, 2003, Idx = 6, Param = { "speed", 21, "runani", "ride", "nblk", 1 } },
{ 13590, 20873, 2003, Idx = 8, Param = { "speed", 21, "runani", "ride", "nblk", 1 } },
{ 13992, 20536, 2003, Idx = 10, Param = { "speed", 21, "runani", "ride", "nblk", 1 } },
{ 13957, 14915, 2034, Idx = 11, Param = { "speed", 21, "runani", "ride", "nblk", 1 } },
{ 13712, 14579, 2034, Idx = 12, Param = { "speed", 21, "runani", "ride", "nblk", 1 } },
{ 1334, 20865, 2003, Idx = 7, Param = { "speed", 21, "runani", "ride", "nblk", 1 } },
{ 13905, 20774, 2003, Idx = 9, Param = { "speed", 21, "runani", "ride", "nblk", 1 } },
BaseInfo = { AreaId = 1225, AreaRadius = 30, TriggerId = 9003, TriggerType = 2 },
},
qixingzhe3 = {
{ 19668, 9467, 2046, Idx = 1, Param = { "speed", 21, "runani", "ride", "nblk", 1 } },
{ 21843, 9464, 2046, Idx = 2, Param = { "speed", 21, "runani", "ride", "nblk", 1 } },
{ 21982, 9432, 2046, Idx = 3, Param = { "speed", 21, "runani", "ride", "nblk", 1 } },
{ 22065, 9250, 2046, Idx = 4, Param = { "speed", 21, "runani", "ride", "nblk", 1 } },
{ 22069, 3589, 2046, Idx = 5, Param = { "speed", 21, "runani", "ride", "nblk", 1 } },
{ 22013, 3416, 2046, Idx = 6, Param = { "speed", 21, "runani", "ride", "nblk", 1 } },
{ 21824, 3363, 2046, Idx = 7, Param = { "speed", 21, "runani", "ride", "nblk", 1 } },
{ 19609, 3402, 2046, Idx = 9, Param = { "speed", 21, "runani", "ride", "nblk", 1 } },
{ 19528, 3602, 2046, Idx = 10, Param = { "speed", 21, "runani", "ride", "nblk", 1 } },
{ 19497, 9159, 2046, Idx = 11, Param = { "speed", 21, "runani", "ride", "nblk", 1 } },
{ 19536, 9402, 2046, Idx = 12, Param = { "speed", 21, "runani", "ride", "nblk", 1 } },
{ 19813, 3361, 2046, Idx = 8, Param = { "speed", 21, "runani", "ride", "nblk", 1 } },
BaseInfo = { AreaId = 1225, AreaRadius = 30, TriggerId = 9003, TriggerType = 2 },
},
qixingzhe4 = {
{ 5202, 30865, 1843, Idx = 24, Param = { "nblk", 1, "speed", 25, "runani", "ride" } },
{ 2235, 23189, 2579, Idx = 12, Param = { "nblk", 1, "speed", 25, "runani", "ride" } },
{ 2206, 24526, 2688, Idx = 11, Param = { "nblk", 1, "speed", 25, "runani", "ride" } },
{ 2474, 24811, 2712, Idx = 10, Param = { "nblk", 1, "speed", 25, "runani", "ride" } },
{ 2648, 22968, 2518, Idx = 13, Param = { "nblk", 1, "speed", 25, "runani", "ride" } },
{ 6896, 21513, 1844, Idx = 15, Param = { "nblk", 1, "speed", 25, "runani", "ride" } },
{ 6319, 22058, 2046, Idx = 14, Param = { "nblk", 1, "speed", 25, "runani", "ride" } },
{ 9883, 21554, 0, Idx = 16, Param = { "nblk", 1, "speed", 25, "runani", "ride" } },
{ 10028, 21296, 1844, Idx = 17, Param = { "nblk", 1, "speed", 25, "runani", "ride" } },
{ 4259, 25167, 2904, Idx = 9, Param = { "nblk", 1, "speed", 25, "runani", "ride" } },
{ 5118, 27407, 1844, Idx = 7, Param = { "nblk", 1, "speed", 25, "runani", "ride" } },
{ 5041, 30610, 1844, Idx = 3, Param = { "nblk", 1, "speed", 25, "runani", "ride" } },
{ 5429, 31029, 1844, Idx = 2, Param = { "nblk", 1, "runani", "ride" } },
{ 4529, 25401, 2941, Idx = 8, Param = { "nblk", 1, "speed", 25, "runani", "ride" } },
{ 5200, 27760, 1844, Idx = 6, Param = { "nblk", 1, "speed", 25, "runani", "ride" } },
{ 5153, 28858, 1844, Idx = 5, Param = { "nblk", 1, "speed", 25, "runani", "ride" } },
{ 5972, 31396, 1844, Idx = 1, Param = { "nblk", 1, "runani", "ride" } },
{ 4355, 22525, 2270, Idx = 19, Param = { "nblk", 1, "speed", 25, "runani", "ride" } },
{ 2150, 23273, 2597, Idx = 20, Param = { "nblk", 1, "speed", 25, "runani", "ride" } },
{ 9676, 20792, 1844, Idx = 18, Param = { "nblk", 1, "speed", 25, "runani", "ride" } },
{ 4697, 25519, 2956, Idx = 22, Param = { "nblk", 1, "speed", 25, "runani", "ride" } },
{ 5098, 29992, 2996, Idx = 4, Param = { "nblk", 1, "speed", 25, "runani", "ride" } },
{ 2121, 24615, 2698, Idx = 21, Param = { "nblk", 1, "speed", 25, "runani", "ride" } },
BaseInfo = { AreaId = 1225, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
shitou2 = {
{ 6124, 24184, 2996, Idx = 7, Param = { "nblk", 1 } },
{ 5297, 25546, 2953, Idx = 5, Param = { "nblk", 1 } },
{ 5675, 24629, 2996, Idx = 6, Param = { "nblk", 1 } },
{ 4517, 26180, 2996, Idx = 4, Param = { "nblk", 1 } },
{ 4187, 27364, 2996, Idx = 2, Param = { "nblk", 1 } },
{ 4571, 27148, 2996, Idx = 3, Param = { "nblk", 1 } },
{ 4150, 27880, 2996, Idx = 1, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1222, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
tibao1 = {
{ 18216, 20752, 2003, Idx = 4, Param = { "nblk", 1 } },
{ 18222, 19986, 2003, Idx = 5, Param = { "nblk", 1 } },
{ 22218, 20698, 2003, Idx = 3, Param = { "nblk", 1 } },
{ 22199, 20999, 2003, Idx = 2, Param = { "nblk", 1, "fade", 1, "fadeani", "xiaohui_walk" } },
{ 22201, 21080, 2003, Idx = 1, Param = { "nblk", 1 } },
{ 18466, 19958, 2003, Idx = 6, Param = { "nblk", 1, "fade", 0, "fadeani", "xiaohui_walk" } },
BaseInfo = { AreaId = 1208, AreaRadius = 30, Color = "", TriggerId = 9003, TriggerType = 2 },
},
white1 = {
{ 8003, 11443, 2614, Idx = 18, Param = { "nblk", 1 } },
{ 5034, 10922, 2614, Idx = 6, Param = { "nblk", 1 } },
{ 2949, 10818, 2614, Idx = 7, Param = { "nblk", 1 } },
{ 2955, 11059, 2614, Idx = 8, Param = { "nblk", 1, "fade", 0, "fadeani", "xiaohui_walk" } },
{
5702,
11050,
2614,
Idx = 5,
Param = {
"act",
{ "idle", "daxiao", "idle", "censure" },
"nblk",
"1act",
{ "idle", "daxiao", "idle", "censure" },
},
},
{ 6054, 10680, 2614, Idx = 3, Param = { "nblk", 1 } },
{ 5770, 10854, 2614, Idx = 4, Param = { "nblk", 1 } },
{ 8053, 10511, 2614, Idx = 2, Param = { "nblk", 1, "act", { "idle", "idle" }, "" } },
{ 8001, 11253, 2614, Idx = 1, Param = { "nblk", 1, "fade", 1, "fadeani", "xiaohui_walk" } },
{ 2810, 11395, 2614, Idx = 10, Param = { "nblk", 1 } },
{ 7832, 10828, 2614, Idx = 15, Param = { "nblk", 1 } },
{ 7860, 11084, 2614, Idx = 16, Param = { "nblk", 1, "fade", 0, "fadeani", "xiaohui_walk" } },
{ 7872, 11425, 2614, Idx = 17, Param = { "nblk", 1 } },
{ 4608, 10269, 2614, Idx = 14, Param = { "nblk", 1, "act", "idle" } },
{ 2816, 10657, 2614, Idx = 12, Param = { "nblk", 1 } },
{ 4534, 10526, 2614, Idx = 13, Param = { "nblk", 1 } },
{ 2815, 11194, 2614, Idx = 11, Param = { "nblk", 1, "fade", 1, "fadeani", "xiaohui_walk" } },
{ 2966, 11394, 2614, Idx = 9, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1205, AreaRadius = 30, Color = "", TriggerId = 9003, TriggerType = 2 },
},
woker3 = {
{ 26003, 23407, 2043, Idx = 1, Param = { "nblk", 1, "act", "call" } },
{ 27097, 29390, 2050, Idx = 3, Param = { "nblk", 1 } },
{ 27076, 23548, 2043, Idx = 2, Param = { "nblk", 1 } },
{ 29130, 29507, 2050, Idx = 4, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1201, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
woker4 = {
{ 1825, 26049, 2741, Idx = 7, Param = { "nblk", 1 } },
{ 203, 23933, 2729, Idx = 1, Param = { "nblk", 1, "ignoreLogicHeight", 1 } },
{ 1047, 24133, 2741, Idx = 3, Param = { "nblk", 1 } },
{ 572, 23943, 2741, Idx = 2, Param = { "nblk", 1, "act", "call", "ignoreLogicHeight", 1 } },
{ 1183, 25521, 2741, Idx = 5, Param = { "nblk", 1 } },
{ 1573, 25619, 2741, Idx = 6, Param = { "nblk", 1 } },
{ 1231, 24444, 2741, Idx = 4, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1225, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
woker6 = {
{ 18576, 11430, 2048, Idx = 7, Param = { "nblk", 1, "fade", 0, "fadeani", "xiaohui_walk" } },
{ 18584, 10402, 1982, Idx = 5, Param = { "nblk", 1 } },
{ 18573, 11126, 2048, Idx = 6, Param = { "nblk", 1 } },
{ 19817, 10365, 1982, Idx = 4, Param = { "nblk", 1 } },
{ 19955, 8416, 1982, Idx = 2, Param = { "nblk", 1 } },
{ 19769, 8683, 1982, Idx = 3, Param = { "nblk", 1 } },
{ 20789, 8380, 1982, Idx = 1, Param = { "nblk", 1, "fade", 1, "fadeani", "xiaohui_walk" } },
BaseInfo = { AreaId = 1201, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
woker7 = {
{ 28158, 12857, 2046, Idx = 1, Param = { "nblk", 1 } },
{ 24107, 12748, 2136, Idx = 4, Param = { "nblk", 1 } },
{ 26720, 13064, 2136, Idx = 3, Param = { "nblk", 1 } },
{ 28146, 13093, 2136, Idx = 2, Param = { "nblk", 1 } },
{ 24074, 12513, 2136, Idx = 5, Param = { "nblk", 1, "fade", 0, "fadeani", "walk" } },
BaseInfo = { AreaId = 1201, AreaRadius = 30, Color = "", TriggerId = 9003, TriggerType = 2 },
},
xiaohai4 = {
{ 13097, 11418, 1982, Idx = 1, Param = { "nblk", 1 } },
{ 13230, 10981, 1982, Idx = 2 },
{ 13613, 12663, 1982, Idx = 4 },
{ 13224, 13090, 2049, Idx = 5, Param = { "nblk", 1 } },
{ 11877, 13069, 1982, Idx = 6, Param = { "nblk", 1 } },
{ 11800, 11803, 1982, Idx = 7 },
{ 13613, 10917, 1982, Idx = 3 },
BaseInfo = { AreaId = 1213, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
xiaoyi1 = {
{ 30541, 21172, 2042, Idx = 7, Param = { "nblk", 1, "runani", "fly" } },
{ 30718, 18813, 2042, Idx = 5, Param = { "nblk", 1, "runani", "fly" } },
{ 30705, 20961, 2042, Idx = 6, Param = { "nblk", 1, "runani", "fly" } },
{ 30578, 18622, 2042, Idx = 4, Param = { "nblk", 1, "runani", "fly" } },
{ 29930, 18786, 2042, Idx = 2, Param = { "nblk", 1, "runani", "fly" } },
{ 30126, 18623, 2042, Idx = 3, Param = { "nblk", 1, "runani", "fly" } },
{ 29939, 21347, 2042, Idx = 1, Param = { "nblk", 1, "runani", "fly" } },
BaseInfo = { AreaId = 1207, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
xiaoyi2 = {
{ 26934, 3571, 2136, Idx = 8, Param = { "nblk", 1 } },
{ 32160, 5524, 2136, Idx = 5, Param = { "nblk", 1 } },
{ 27667, 5524, 2136, Idx = 6, Param = { "nblk", 1 } },
{ 27484, 5425, 2136, Idx = 7, Param = { "nblk", 1 } },
{ 32179, 4953, 2136, Idx = 4, Param = { "nblk", 1 } },
{ 27658, 4545, 2136, Idx = 2, Param = { "nblk", 1 } },
{ 27957, 4853, 2136, Idx = 3, Param = { "nblk", 1 } },
{ 27404, 3161, 2136, Idx = 1, Param = { "nblk", 1 } },
BaseInfo = { AreaId = 1207, AreaRadius = 30, TriggerId = 9003, TriggerType = 2 },
},
xiaoyi3 = {
{ 21256, 16782, 2136, Idx = 5, Param = { "nblk", 1, "runani", "fly" } },
{ 21269, 12810, 2136, Idx = 4, Param = { "nblk", 1, "runani", "fly" } },
{ 20089, 12814, 2136, Idx = 3, Param = { "nblk", 1, "runani", "fly" } },
{ 20054, 15705, 2136, Idx = 2, Param = { "nblk", 1, "runani", "fly" } },
{ 20619, 16883, 2136, Idx = 1, Param = { "nblk", 1, "runani", "fly" } },
BaseInfo = { AreaId = 1217, AreaRadius = 30, Color = "", TriggerId = 9003, TriggerType = 2 },
},
xuesheng1 = {
{ 9861, 29312, 2032, Idx = 1, Param = { "nblk", 1 } },
{ 9886, 28241, 2032, Idx = 2, Param = { "nblk", 1 } },
{ 10306, 27899, 2032, Idx = 3 },
{ 12428, 27644, 2032, Idx = 4, Param = { "nblk", 1 } },
{ 13601, 27349, 2032, Idx = 6 },
{ 13639, 26505, 2032, Idx = 7 },
{ 13680, 25195, 2032, Idx = 8 },
{ 13651, 22325, 2031, Idx = 9 },
{ 13636, 22087, 2031, Idx = 10, Param = { "nblk", 1, "ignoreLogicHeight", 1 } },
{ 13327, 22150, 2031, Idx = 11, Param = { "nblk", 1, "ignoreLogicHeight", 1 } },
{ 13485, 27521, 2032, Idx = 5 },
BaseInfo = { AreaId = 1224, AreaRadius = 50, Color = "0,255,0", TriggerId = 9003, TriggerType = 2 },
},
xuesheng2 = {
{ 7412, 20037, 1041, Idx = 1, Param = { "nblk", 1 } },
{ 10990, 19507, 1041, Idx = 3, Param = { "nblk", 1 } },
{ 13849, 19420, 2049, Idx = 4 },
{ 13722, 18446, 2049, Idx = 5, Param = { "nblk", 1 } },
{ 12880, 17869, 2049, Idx = 8, Param = { "nblk", 1, "ignoreLogicHeight", 1 } },
{
13025,
17861,
2049,
BackParam = { "fade", 1, "fadeani", "xiaohui_walk" },
GoParam = { "fade", 0, "fadeani", "xiaohui_walk" },
Idx = 7,
Param = { "nblk", 1 },
},
{ 13270, 17827, 2049, Idx = 6, Param = { "nblk", 1 } },
{
7552,
20038,
1041,
BackParam = { "fade", 0, "fadeani", "xiaohui_walk" },
GoParam = { "fade", 1, "fadeani", "xiaohui_walk" },
Idx = 2,
Param = { "nblk", 1 },
},
BaseInfo = { AreaId = 1217, AreaRadius = 50, Color = "0,0,255", TriggerId = 9003, TriggerType = 2 },
},
},
Player3DPanelInfo = {},
PlayerAppearInfo = {},
PointMarkInfo = {
{ AreaId = 1, AreaRadius = 50, AreaX = 18373, AreaY = 20241, AreaZ = 2048, IsHight = false },
{ AreaId = 2, AreaRadius = 50, AreaX = 17801, AreaY = 16384, AreaZ = 3897, IsHight = false },
{ AreaId = 10300601, AreaRadius = 50, AreaX = 11901, AreaY = 26165, AreaZ = 2048, IsHight = false },
{ AreaId = 5010501, AreaRadius = 50, AreaX = 725, AreaY = 21532, AreaZ = 2034, Face = 160, IsHight = false },
{ AreaId = 10120101, AreaRadius = 50, AreaX = 10587, AreaY = 26529, AreaZ = 2033, IsHight = false },
{ AreaId = 20200501, AreaRadius = 50, AreaX = 13255, AreaY = 10058, AreaZ = 1983, IsHight = false },
{ AreaId = 10001, AreaRadius = 50, AreaX = 16858, AreaY = 9512, AreaZ = 2034, IsHight = false },
{ AreaId = 5020502, AreaRadius = 50, AreaX = 4112, AreaY = 17263, AreaZ = 2058, IsHight = false },
{
AreaId = 1104,
AreaName = "ΦùÅσôü-σà½τÖ╛Σ╕çσÑùσ¿\131",
AreaRadius = 50,
AreaX = 7221,
AreaY = 25282,
AreaZ = 2987,
Face = 0,
IsHight = false,
},
{
AreaId = 1105,
AreaName = "藏品-切岛哑铃",
AreaRadius = 50,
AreaX = 1210,
AreaY = 6813,
AreaZ = 2034,
Face = 0,
IsHight = false,
},
{ AreaId = 1001, AreaRadius = 50, AreaX = 23107, AreaY = 23204, AreaZ = 2048, IsHight = false },
{
AreaId = 1106,
AreaName = "藏品-轰药水瓶",
AreaRadius = 50,
AreaX = 7876,
AreaY = 10389,
AreaZ = 2614,
Face = 0,
IsHight = false,
},
{ AreaId = 20200502, AreaRadius = 50, AreaX = 12987, AreaY = 8199, AreaZ = 2152, IsHight = false },
{
AreaId = 1107,
AreaName = "藏品-爆豪手雷",
AreaRadius = 50,
AreaX = 25964,
AreaY = 2084,
AreaZ = 2034,
Face = 0,
IsHight = false,
},
{ AreaId = 1002, AreaRadius = 50, AreaX = 23034, AreaY = 13409, AreaZ = 2034, IsHight = false },
{
AreaId = 1108,
AreaName = "藏品-欧叔手办",
AreaRadius = 50,
AreaX = 1523,
AreaY = 15361,
AreaZ = 5821,
Face = 0,
IsHight = false,
},
{ AreaId = 10120102, AreaRadius = 50, AreaX = 10872, AreaY = 26854, AreaZ = 2033, IsHight = false },
{
AreaId = 1110,
AreaName = "ΦùÅσôü-σ╕╕µÜùσìüσ¡ùµ₧\182",
AreaRadius = 50,
AreaX = 12801,
AreaY = 3081,
AreaZ = 6331,
Face = 0,
IsHight = false,
},
{ AreaId = 20200503, AreaRadius = 50, AreaX = 12325, AreaY = 8885, AreaZ = 2152, IsHight = false },
{
AreaId = 1112,
AreaName = "藏品-耳郎吉他",
AreaRadius = 50,
AreaX = 25076,
AreaY = 31531,
AreaZ = 2034,
Face = 0,
IsHight = false,
},
{
AreaId = 1113,
AreaName = "藏品-饭田眼镜",
AreaRadius = 50,
AreaX = 27776,
AreaY = 19350,
AreaZ = 5194,
Face = 0,
IsHight = false,
},
{ AreaId = 5010203, AreaRadius = 50, AreaX = 22119, AreaY = 18849, AreaZ = 3653, IsHight = false },
{
AreaId = 1114,
AreaName = "ΦùÅσôü-τ╗┐Φ░╖Φ«░Σ║ïµ£\172",
AreaRadius = 50,
AreaX = 9009,
AreaY = 19391,
AreaZ = 1041,
Face = 0,
IsHight = false,
},
{ AreaId = 20200504, AreaRadius = 50, AreaX = 10956, AreaY = 9097, AreaZ = 2152, IsHight = false },
{
AreaId = 1115,
AreaName = "藏品-绿谷书包",
AreaRadius = 50,
AreaX = 23334,
AreaY = 3369,
AreaZ = 2048,
Face = 0,
IsHight = false,
},
{
AreaId = 1116,
AreaName = "藏品-绿谷鞋子",
AreaRadius = 50,
AreaX = 24862,
AreaY = 10793,
AreaZ = 8273,
Face = 0,
IsHight = false,
},
{ AreaId = 5010502, AreaRadius = 50, AreaX = 1549, AreaY = 21556, AreaZ = 2034, Face = 320, IsHight = false },
{ AreaId = 10120103, AreaRadius = 50, AreaX = 11035, AreaY = 26424, AreaZ = 2049, IsHight = false },
{ AreaId = 20200505, AreaRadius = 50, AreaX = 13815, AreaY = 9234, AreaZ = 2049, IsHight = false },
{
AreaId = 1119,
AreaName = "藏品-相泽档案",
AreaRadius = 50,
AreaX = 9621,
AreaY = 16026,
AreaZ = 4683,
Face = 0,
IsHight = false,
},
{ AreaId = 5020503, AreaRadius = 50, AreaX = 3705, AreaY = 18624, AreaZ = 2075, IsHight = false },
{
AreaId = 1120,
AreaName = "藏品-测试垒球",
AreaRadius = 50,
AreaX = 17864,
AreaY = 12410,
AreaZ = 2048,
Face = 0,
IsHight = false,
},
{
AreaId = 1121,
AreaName = "ΦùÅσôü-µû»σ¥ªσ¢áµû¡σê\128",
AreaRadius = 50,
AreaX = 10756,
AreaY = 23377,
AreaZ = 2033,
Face = 0,
IsHight = false,
},
{ AreaId = 10200301, AreaRadius = 50, AreaX = 1201, AreaY = 25101, AreaZ = 2852, IsHight = false },
{
AreaId = 1122,
AreaName = "藏品-相泽眼罩",
AreaRadius = 50,
AreaX = 19362,
AreaY = 15166,
AreaZ = 2048,
Face = 0,
IsHight = false,
},
{
AreaId = 1123,
AreaName = "藏品-密林神威糖盒",
AreaRadius = 50,
AreaX = 31771,
AreaY = 14967,
AreaZ = 2048,
Face = 0,
IsHight = false,
},
{ AreaId = 5010403, AreaRadius = 50, AreaX = 17964, AreaY = 4865, AreaZ = 2048, IsHight = false },
{ AreaId = 5010207, AreaRadius = 50, AreaX = 22038, AreaY = 17703, AreaZ = 3653, IsHight = false },
{ AreaId = 5001, AreaRadius = 50, AreaX = 5316, AreaY = 24826, AreaZ = 2915, IsHight = false },
{ AreaId = 20210501, AreaRadius = 50, AreaX = 22953, AreaY = 3347, AreaZ = 2100, IsHight = false },
{ AreaId = 5004, AreaRadius = 50, AreaX = 20283, AreaY = 3806, AreaZ = 2048, IsHight = false },
{ AreaId = 5005, AreaRadius = 50, AreaX = 25485, AreaY = 30188, AreaZ = 2034, IsHight = false },
{ AreaId = 2027, AreaRadius = 50, AreaX = 10270, AreaY = 4671, AreaZ = 2041, IsHight = false },
{ AreaId = 20210502, AreaRadius = 50, AreaX = 23564, AreaY = 2500, AreaZ = 2100, IsHight = false },
{ AreaId = 5020505, AreaRadius = 50, AreaX = 4994, AreaY = 20039, AreaZ = 2058, IsHight = false },
{ AreaId = 2029, AreaRadius = 50, AreaX = 5761, AreaY = 14581, AreaZ = 2049, IsHight = false },
{ AreaId = 202101, AreaRadius = 50, AreaX = 8425, AreaY = 9905, AreaZ = 2048, IsHight = false },
{ AreaId = 20210503, AreaRadius = 50, AreaX = 24229, AreaY = 2491, AreaZ = 2040, IsHight = false },
{ AreaId = 5039, AreaRadius = 50, AreaX = 19541, AreaY = 7265, AreaZ = 2038, IsHight = false },
{ AreaId = 5040, AreaRadius = 50, AreaX = 32200, AreaY = 30149, AreaZ = 2048, IsHight = false },
{ AreaId = 5041, AreaRadius = 50, AreaX = 32200, AreaY = 30149, AreaZ = 2048, IsHight = false },
{ AreaId = 5043, AreaRadius = 50, AreaX = 3177, AreaY = 27028, AreaZ = 2981, IsHight = false },
{ AreaId = 5044, AreaRadius = 50, AreaX = 18475, AreaY = 20465, AreaZ = 2048, IsHight = false },
{ AreaId = 5047, AreaRadius = 50, AreaX = 2741, AreaY = 27179, AreaZ = 2981, IsHight = false },
{ AreaId = 5048, AreaRadius = 50, AreaX = 10752, AreaY = 27015, AreaZ = 2033, IsHight = false },
{ AreaId = 20210504, AreaRadius = 50, AreaX = 25092, AreaY = 3335, AreaZ = 2040, IsHight = false },
{ AreaId = 2036, AreaRadius = 50, AreaX = 19740, AreaY = 10931, AreaZ = 2048, IsHight = false },
{
AreaId = 1144,
AreaName = "藏品-校长茶杯",
AreaRadius = 50,
AreaX = 5713,
AreaY = 15563,
AreaZ = 4534,
Face = 0,
IsHight = false,
},
{
AreaId = 1131,
AreaName = "ΦùÅσôü",
AreaRadius = 30,
AreaX = 22182,
AreaY = 1983,
AreaZ = 2034,
IsHight = false,
},
{ AreaId = 5010201, AreaRadius = 50, AreaX = 22383, AreaY = 20250, AreaZ = 3670, IsHight = false },
{ AreaId = 5010208, AreaRadius = 50, AreaX = 22816, AreaY = 18851, AreaZ = 3653, IsHight = false },
{
AreaId = 1146,
AreaName = "藏品-惊喜炸弹",
AreaRadius = 50,
AreaX = 18209,
AreaY = 5300,
AreaZ = 2048,
Face = 0,
IsHight = false,
},
{ AreaId = 20210505, AreaRadius = 50, AreaX = 22641, AreaY = 1849, AreaZ = 2020, IsHight = false },
{
AreaId = 1148,
AreaName = "ΦùÅσôü-σìâΣ╕çσêåσñ┤σ╕\166",
AreaRadius = 50,
AreaX = 18446,
AreaY = 17754,
AreaZ = 2048,
Face = 0,
IsHight = false,
},
{ AreaId = 5010504, AreaRadius = 50, AreaX = 372, AreaY = 21026, AreaZ = 2034, Face = 90, IsHight = false },
{ AreaId = 5006, AreaRadius = 50, AreaX = 27428, AreaY = 7358, AreaZ = 2136, IsHight = false },
{ AreaId = 10100201, AreaRadius = 50, AreaX = 2311, AreaY = 26582, AreaZ = 2981, IsHight = false },
{ AreaId = 5020501, AreaRadius = 50, AreaX = 5889, AreaY = 18152, AreaZ = 2058, IsHight = false },
{ AreaId = 5020507, AreaRadius = 50, AreaX = 3066, AreaY = 18169, AreaZ = 2058, IsHight = false },
{ AreaId = 5046, AreaRadius = 50, AreaX = 2578, AreaY = 28702, AreaZ = 2981, IsHight = false },
{ AreaId = 5042, AreaRadius = 50, AreaX = 19278, AreaY = 1126, AreaZ = 2034, IsHight = false },
{
AreaId = 1000803,
AreaName = "藏品-爆豪名牌",
AreaRadius = 50,
AreaX = 8807,
AreaY = 9532,
AreaZ = 2048,
Face = 0,
IsHight = false,
},
{ AreaId = 5010401, AreaRadius = 50, AreaX = 19823, AreaY = 4644, AreaZ = 2048, IsHight = false },
{ AreaId = 5010405, AreaRadius = 50, AreaX = 19914, AreaY = 5799, AreaZ = 2048, IsHight = false },
{ AreaId = 5010503, AreaRadius = 50, AreaX = 2060, AreaY = 21492, AreaZ = 2034, Face = 200, IsHight = false },
{ AreaId = 5010404, AreaRadius = 50, AreaX = 19922, AreaY = 6913, AreaZ = 2048, IsHight = false },
{ AreaId = 5010402, AreaRadius = 50, AreaX = 18595, AreaY = 4332, AreaZ = 2048, IsHight = false },
{ AreaId = 5010101, AreaRadius = 50, AreaX = 9898, AreaY = 19340, AreaZ = 1042, IsHight = false },
{ AreaId = 5010202, AreaRadius = 50, AreaX = 20890, AreaY = 19805, AreaZ = 3670, IsHight = false },
{ AreaId = 5003, AreaRadius = 50, AreaX = 9738, AreaY = 19669, AreaZ = 1042, IsHight = false },
{ AreaId = 5002, AreaRadius = 50, AreaX = 727, AreaY = 19935, AreaZ = 2034, IsHight = false },
{ AreaId = 202009, AreaRadius = 50, AreaX = 9809, AreaY = 19459, AreaZ = 1042, IsHight = false },
{
AreaId = 1109,
AreaName = "藏品-电气帽子",
AreaRadius = 50,
AreaX = 12542,
AreaY = 23558,
AreaZ = 4604,
Face = 0,
IsHight = false,
},
{ AreaId = 5010804, AreaName = "", AreaRadius = 50, AreaX = 23805, AreaY = 20194, AreaZ = 2094, IsHight = false },
{ AreaId = 5010801, AreaName = "", AreaRadius = 50, AreaX = 23378, AreaY = 21403, AreaZ = 2094, IsHight = false },
{ AreaId = 5010807, AreaName = "", AreaRadius = 50, AreaX = 23230, AreaY = 21826, AreaZ = 2094, IsHight = false },
{ AreaId = 5010803, AreaName = "", AreaRadius = 50, AreaX = 23073, AreaY = 20522, AreaZ = 2094, IsHight = false },
{ AreaId = 5010802, AreaName = "", AreaRadius = 50, AreaX = 22941, AreaY = 21087, AreaZ = 2094, IsHight = false },
{ AreaId = 5010905, AreaRadius = 50, AreaX = 25063, AreaY = 20988, AreaZ = 2048, IsHight = false },
{ AreaId = 5010903, AreaRadius = 50, AreaX = 25256, AreaY = 21767, AreaZ = 2048, IsHight = false },
{ AreaId = 5010901, AreaRadius = 50, AreaX = 25702, AreaY = 20681, AreaZ = 2048, IsHight = false },
{ AreaId = 5010902, AreaRadius = 50, AreaX = 25130, AreaY = 19853, AreaZ = 2048, IsHight = false },
{ AreaId = 5010904, AreaRadius = 50, AreaX = 24491, AreaY = 20248, AreaZ = 2048, IsHight = false },
{ AreaId = 5011201, AreaRadius = 30, AreaX = 22654, AreaY = 9202, AreaZ = 2034, IsHight = false },
{ AreaId = 5011205, AreaRadius = 30, AreaX = 19438, AreaY = 6999, AreaZ = 2034, IsHight = false },
{ AreaId = 5011209, AreaRadius = 30, AreaX = 18536, AreaY = 7187, AreaZ = 2050, IsHight = false },
{
AreaId = 5011001,
AreaName = "Σ╕ûτòîΣ╗╗σèíΘççΘ¢åτë\169",
AreaRadius = 30,
AreaX = 24846,
AreaY = 21584,
AreaZ = 2048,
IsHight = false,
},
{
AreaId = 5011008,
AreaName = "Σ╕ûτòîΣ╗╗σèíΘççΘ¢åτë\169",
AreaRadius = 30,
AreaX = 29720,
AreaY = 19224,
AreaZ = 2244,
IsHight = false,
},
{
AreaId = 5011003,
AreaName = "Σ╕ûτòîΣ╗╗σèíΘççΘ¢åτë\169",
AreaRadius = 30,
AreaX = 25667,
AreaY = 21447,
AreaZ = 2048,
IsHight = false,
},
{
AreaId = 5011007,
AreaName = "Σ╕ûτòîΣ╗╗σèíΘççΘ¢åτë\169",
AreaRadius = 30,
AreaX = 30362,
AreaY = 21026,
AreaZ = 2228,
IsHight = false,
},
{
AreaId = 5011005,
AreaName = "Σ╕ûτòîΣ╗╗σèíΘççΘ¢åτë\169",
AreaRadius = 30,
AreaX = 24350,
AreaY = 21800,
AreaZ = 2047,
IsHight = false,
},
{
AreaId = 5011002,
AreaName = "Σ╕ûτòîΣ╗╗σèíΘççΘ¢åτë\169",
AreaRadius = 30,
AreaX = 24564,
AreaY = 19961,
AreaZ = 2048,
IsHight = false,
},
{
AreaId = 5011006,
AreaName = "Σ╕ûτòîΣ╗╗σèíΘççΘ¢åτë\169",
AreaRadius = 30,
AreaX = 31020,
AreaY = 19503,
AreaZ = 2228,
IsHight = false,
},
{
AreaId = 5011004,
AreaName = "Σ╕ûτòîΣ╗╗σèíΘççΘ¢åτë\169",
AreaRadius = 30,
AreaX = 25466,
AreaY = 20445,
AreaZ = 2047,
IsHight = false,
},
{ AreaId = 5011207, AreaRadius = 30, AreaX = 16752, AreaY = 2609, AreaZ = 2050, IsHight = false },
{ AreaId = 5011210, AreaRadius = 30, AreaX = 17669, AreaY = 9510, AreaZ = 2050, IsHight = false },
{ AreaId = 5011203, AreaRadius = 30, AreaX = 21204, AreaY = 2716, AreaZ = 2034, IsHight = false },
{ AreaId = 5011202, AreaRadius = 30, AreaX = 21662, AreaY = 7142, AreaZ = 2034, IsHight = false },
{ AreaId = 5011208, AreaRadius = 30, AreaX = 19647, AreaY = 5609, AreaZ = 2050, IsHight = false },
{
AreaId = 5011009,
AreaName = "Σ╕ûτòîΣ╗╗σèíΘççΘ¢åτë\169",
AreaRadius = 30,
AreaX = 30459,
AreaY = 18140,
AreaZ = 2228,
IsHight = false,
},
{ AreaId = 5011206, AreaRadius = 30, AreaX = 16505, AreaY = 7761, AreaZ = 2050, IsHight = false },
{ AreaId = 5011204, AreaRadius = 30, AreaX = 18953, AreaY = 3563, AreaZ = 2034, IsHight = false },
{
AreaId = 5011010,
AreaName = "Σ╕ûτòîΣ╗╗σèíΘççΘ¢åτë\169",
AreaRadius = 30,
AreaX = 31123,
AreaY = 21570,
AreaZ = 2244,
IsHight = false,
},
{
AreaId = 10120301,
AreaName = "小猫",
AreaRadius = 30,
AreaX = 4725,
AreaY = 18243,
AreaZ = 2043,
Face = 0,
IsHight = false,
},
{ AreaId = 5030204, AreaRadius = 30, AreaX = 986, AreaY = 10792, AreaZ = 2048, IsHight = false },
{ AreaId = 5030203, AreaRadius = 30, AreaX = 300, AreaY = 12563, AreaZ = 2048, IsHight = false },
{ AreaId = 5030201, AreaRadius = 30, AreaX = 2314, AreaY = 12843, AreaZ = 2048, IsHight = false },
{ AreaId = 5030205, AreaRadius = 30, AreaX = 1668, AreaY = 11437, AreaZ = 2048, IsHight = false },
{ AreaId = 5030202, AreaRadius = 30, AreaX = 1907, AreaY = 13277, AreaZ = 2048, IsHight = false },
{
AreaId = 1155,
AreaName = "藏品-爆豪名牌",
AreaRadius = 50,
AreaX = 8817,
AreaY = 9533,
AreaZ = 2048,
IsHight = false,
},
{
AreaId = 1111,
AreaName = "藏品_欧叔海报",
AreaRadius = 30,
AreaX = 7046,
AreaY = 28010,
AreaZ = 2990,
Face = 10,
IsHight = false,
},
{
AreaId = 1188,
AreaName = "ΦùÅσôü",
AreaRadius = 50,
AreaX = 27966,
AreaY = 30546,
AreaZ = 2048,
IsHight = false,
},
{
AreaId = 9000,
AreaName = "活动-圣诞礼盒",
AreaRadius = 100,
AreaX = 10654,
AreaY = 28470,
AreaZ = 2049,
Face = 0,
IsHight = false,
},
{
AreaId = 9001,
AreaName = "活动-圣诞礼盒",
AreaRadius = 100,
AreaX = 6693,
AreaY = 25270,
AreaZ = 2979,
IsHight = false,
},
{
AreaId = 9003,
AreaName = "活动-圣诞礼盒",
AreaRadius = 100,
AreaX = 20077,
AreaY = 11773,
AreaZ = 2780,
Face = 0,
IsHight = false,
},
{
AreaId = 9002,
AreaName = "活动-圣诞礼盒",
AreaRadius = 100,
AreaX = 23251,
AreaY = 19997,
AreaZ = 2061,
Face = 0,
IsHight = false,
},
{
AreaId = 9004,
AreaName = "活动-圣诞礼盒",
AreaRadius = 100,
AreaX = 13217,
AreaY = 9734,
AreaZ = 2005,
Face = 0,
IsHight = false,
},
{
AreaId = 9006,
AreaName = "活动-圣诞礼盒",
AreaRadius = 100,
AreaX = 9717,
AreaY = 6593,
AreaZ = 2038,
Face = 0,
IsHight = false,
},
{
AreaId = 9005,
AreaName = "活动-圣诞礼盒",
AreaRadius = 100,
AreaX = 27596,
AreaY = 6184,
AreaZ = 2054,
Face = 0,
IsHight = false,
},
{
AreaId = 1186,
AreaName = "ΦùÅσôü",
AreaRadius = 50,
AreaX = 19803,
AreaY = 19091,
AreaZ = 2769,
IsHight = false,
},
{
AreaId = 1157,
AreaName = "ΦùÅσôü-µùºσ╝ŵö╢Θƒ│µ£\186",
AreaRadius = 50,
AreaX = 16171,
AreaY = 31795,
AreaZ = 2048,
IsHight = false,
},
{
AreaId = 1138,
AreaName = "ΦùÅσôü",
AreaRadius = 50,
AreaX = 14016,
AreaY = 7379,
AreaZ = 2034,
IsHight = false,
},
{
AreaId = 1187,
AreaName = "ΦùÅσôü",
AreaRadius = 50,
AreaX = 27711,
AreaY = 16545,
AreaZ = 2048,
IsHight = false,
},
{
AreaId = 1145,
AreaName = "ΦùÅσôü-σüçµâ│µòïΘ¬\184",
AreaRadius = 50,
AreaX = 3201,
AreaY = 30026,
AreaZ = 3419,
IsHight = false,
},
{ AreaId = 5010206, AreaRadius = 50, AreaX = 22077, AreaY = 16677, AreaZ = 3653, IsHight = false },
{ AreaId = 5020506, AreaRadius = 50, AreaX = 2967, AreaY = 20181, AreaZ = 2058, IsHight = false },
{
AreaId = 5011016,
AreaName = "Σ╕ûτòîΣ╗╗σèíΘççΘ¢åτë\169",
AreaRadius = 30,
AreaX = 29809,
AreaY = 21510,
AreaZ = 2228,
IsHight = false,
},
{
AreaId = 5011011,
AreaName = "Σ╕ûτòîΣ╗╗σèíΘççΘ¢åτë\169",
AreaRadius = 30,
AreaX = 24454,
AreaY = 21240,
AreaZ = 2048,
IsHight = false,
},
{
AreaId = 5011015,
AreaName = "Σ╕ûτòîΣ╗╗σèíΘççΘ¢åτë\169",
AreaRadius = 30,
AreaX = 24710,
AreaY = 22105,
AreaZ = 2048,
IsHight = false,
},
{
AreaId = 5011020,
AreaName = "Σ╕ûτòîΣ╗╗σèíΘççΘ¢åτë\169",
AreaRadius = 30,
AreaX = 30662,
AreaY = 20556,
AreaZ = 2228,
IsHight = false,
},
{
AreaId = 5011019,
AreaName = "Σ╕ûτòîΣ╗╗σèíΘççΘ¢åτë\169",
AreaRadius = 30,
AreaX = 29827,
AreaY = 18810,
AreaZ = 2228,
IsHight = false,
},
{
AreaId = 5011018,
AreaName = "Σ╕ûτòîΣ╗╗σèíΘççΘ¢åτë\169",
AreaRadius = 30,
AreaX = 30356,
AreaY = 19385,
AreaZ = 2228,
IsHight = false,
},
{ AreaId = 5010204, AreaRadius = 50, AreaX = 22683, AreaY = 18146, AreaZ = 3653, IsHight = false },
{ AreaId = 5010906, AreaRadius = 50, AreaX = 24474, AreaY = 21502, AreaZ = 2048, IsHight = false },
{ AreaId = 5020504, AreaRadius = 50, AreaX = 4769, AreaY = 19067, AreaZ = 2067, IsHight = false },
{ AreaId = 5010805, AreaName = "", AreaRadius = 50, AreaX = 24281, AreaY = 20880, AreaZ = 2094, IsHight = false },
{ AreaId = 5010210, AreaRadius = 50, AreaX = 22811, AreaY = 16983, AreaZ = 3653, IsHight = false },
{ AreaId = 5010209, AreaRadius = 50, AreaX = 21733, AreaY = 19818, AreaZ = 3670, IsHight = false },
{ AreaId = 5010205, AreaRadius = 50, AreaX = 22582, AreaY = 16472, AreaZ = 3653, IsHight = false },
{ AreaId = 5010907, AreaRadius = 50, AreaX = 24454, AreaY = 20867, AreaZ = 2047, IsHight = false },
{
AreaId = 5011013,
AreaName = "Σ╕ûτòîΣ╗╗σèíΘççΘ¢åτë\169",
AreaRadius = 30,
AreaX = 25144,
AreaY = 21975,
AreaZ = 2048,
IsHight = false,
},
{
AreaId = 5011017,
AreaName = "Σ╕ûτòîΣ╗╗σèíΘççΘ¢åτë\169",
AreaRadius = 30,
AreaX = 29813,
AreaY = 20221,
AreaZ = 2228,
IsHight = false,
},
{
AreaId = 5011012,
AreaName = "Σ╕ûτòîΣ╗╗σèíΘççΘ¢åτë\169",
AreaRadius = 30,
AreaX = 25167,
AreaY = 20747,
AreaZ = 2048,
IsHight = false,
},
{ AreaId = 5010806, AreaName = "", AreaRadius = 50, AreaX = 23753, AreaY = 21376, AreaZ = 2094, IsHight = false },
{
AreaId = 5011014,
AreaName = "Σ╕ûτòîΣ╗╗σèíΘççΘ¢åτë\169",
AreaRadius = 30,
AreaX = 25180,
AreaY = 20336,
AreaZ = 2048,
IsHight = false,
},
{ AreaId = 5010808, AreaName = "", AreaRadius = 50, AreaX = 23356, AreaY = 20119, AreaZ = 2094, IsHight = false },
},
TriggerInfo = {
{
AreaId = 110,
AreaName = "",
AreaRadius = 30,
AreaX = 18427,
AreaY = 29079,
AreaZ = 2049,
Arg1 = 6006,
Arg2 = "sit",
Arg6 = "0",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 5001,
AreaRadius = 256,
AreaX = 13746,
AreaY = 19658,
AreaZ = 2049,
Arg1 = "5001",
Arg3 = "dengchang5002",
Arg4 = "1",
DramaName = "",
IsHight = false,
TriggerId = 2073,
TriggerType = 1,
},
{
AreaId = 103,
AreaRadius = 30,
AreaX = 22686,
AreaY = 16594,
AreaZ = 3653,
Arg1 = 6017,
Arg2 = "act02",
Arg6 = 0,
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912014,
AreaName = "",
AreaRadius = 30,
AreaX = 12889,
AreaY = 9531,
AreaZ = 1983,
Arg1 = 3045,
Arg2 = "sit",
Arg6 = "180",
Arg9 = "2",
Face = 180,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1912013,
AreaName = "τï\151",
AreaRadius = 30,
AreaX = 9866,
AreaY = 11117,
AreaZ = 1982,
Arg1 = 6077,
Arg2 = "wanshua,0.8",
Arg6 = 0,
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912063,
AreaName = "",
AreaRadius = 30,
AreaX = 9939,
AreaY = 3419,
AreaZ = 2046,
Arg1 = 6078,
Arg10 = "5612",
Arg2 = "idle",
Arg6 = "80",
Arg9 = "3",
Face = 80,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915018,
AreaName = "",
AreaRadius = 30,
AreaX = 16821,
AreaY = 15332,
AreaZ = 2048,
Arg1 = 6001,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "190",
Arg7 = "5018ΦÇ\129",
Arg9 = "2",
Face = 190,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 104,
AreaName = "",
AreaRadius = 30,
AreaX = 8222,
AreaY = 2711,
AreaZ = 2049,
Arg1 = 6022,
Arg2 = "cidle",
Arg5 = "1",
Arg6 = 180,
Arg9 = "2",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915084,
AreaName = "",
AreaRadius = 30,
AreaX = 18882,
AreaY = 15116,
AreaZ = 2776,
Arg1 = 6013,
Arg2 = "sit",
Arg6 = "90",
Arg9 = "3",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 110,
AreaRadius = 30,
AreaX = 18485,
AreaY = 6903,
AreaZ = 2048,
Arg1 = 6006,
Arg2 = "flatter",
Arg5 = "1",
Arg6 = 320,
Arg7 = "Σ╜Åσ«àσî║τ«íσ«\182",
Arg9 = "2",
Face = 320,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912071,
AreaName = "",
AreaRadius = 30,
AreaX = 10328,
AreaY = 7728,
AreaZ = 2051,
Arg1 = 6573,
Arg10 = "5612",
Arg2 = "sit",
Arg6 = 80,
Arg9 = "3",
Face = 80,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 108,
AreaRadius = 30,
AreaX = 16904,
AreaY = 18117,
AreaZ = 2048,
Arg1 = 4561,
Arg2 = "idle",
Arg5 = "1",
Arg6 = 120,
Arg9 = "3",
Face = 120,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 102,
AreaRadius = 30,
AreaX = 16080,
AreaY = 23892,
AreaZ = 2048,
Arg1 = 6031,
Arg2 = "cidle",
Arg5 = "1",
Arg6 = 100,
Face = 100,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912054,
AreaName = "",
AreaRadius = 30,
AreaX = 11446,
AreaY = 2733,
AreaZ = 2048,
Arg1 = 6047,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "70",
Arg7 = "205354τ║óΦíúσÑ\179",
Arg9 = "2",
Face = 70,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 5003,
AreaRadius = 300,
AreaX = 14135,
AreaY = 26934,
AreaZ = 2034,
Arg1 = "5004|2005|2",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 103,
AreaRadius = 30,
AreaX = 22948,
AreaY = 4142,
AreaZ = 2058,
Arg1 = 6016,
Arg2 = "act02",
Arg6 = 250,
Face = 250,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 101,
AreaRadius = 30,
AreaX = 13826,
AreaY = 24125,
AreaZ = 2048,
Arg1 = 6012,
Arg2 = "call",
Arg5 = "1",
Arg6 = 300,
Arg7 = "013ΦñÉΦë▓ΦÑ┐Φúàτö\183",
Arg9 = "2",
Face = 300,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 108,
AreaRadius = 30,
AreaX = 20239,
AreaY = 4633,
AreaZ = 2048,
Arg1 = 6048,
Arg2 = "idle2",
Arg5 = "1",
Arg6 = 70,
Arg7 = "Σ╜Åσ«àσî║µ╝½τö\1873",
Face = 70,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 207,
AreaName = "",
AreaRadius = 30,
AreaX = 7409,
AreaY = 20344,
AreaZ = 1041,
Arg1 = 6043,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "caonui4",
Arg5 = "1",
Arg6 = "270",
Arg8 = "150",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915013,
AreaName = "",
AreaRadius = 30,
AreaX = 24326,
AreaY = 22241,
AreaZ = 2048,
Arg1 = 6070,
Arg2 = "idle2",
Arg5 = "1",
Arg6 = 50,
Arg7 = "5013餐馆吴克狗子",
Arg9 = "2",
Face = 50,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915085,
AreaName = "µæ⌐σñ⌐Φ╜«µïìτàºΣ╕Çσ«╢Σ╕ëσÅ\163",
AreaRadius = 30,
AreaX = 19890,
AreaY = 16059,
AreaZ = 2769,
Arg1 = 6036,
Arg2 = "photograph",
Arg5 = "1",
Arg6 = 150,
Arg7 = "5085摩天轮拍照榴莲头",
Arg9 = "2",
Face = 150,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1911002,
AreaName = "老头",
AreaRadius = 30,
AreaX = 9426,
AreaY = 28830,
AreaZ = 2060,
Arg1 = 6015,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "laoto2",
Arg5 = "1",
Arg6 = "180",
Arg7 = "002散步爷爷",
Arg8 = "100",
Arg9 = "2",
DramaName = "",
Face = 180,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 5002,
AreaRadius = 300,
AreaX = 24448,
AreaY = 19240,
AreaZ = 2034,
Arg1 = "5003|2004|2",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 1915088,
AreaRadius = 30,
AreaX = 19981,
AreaY = 16366,
AreaZ = 2769,
Arg1 = 6043,
Arg2 = "censure",
Arg5 = "1",
Arg6 = "30",
Arg7 = "508588σÑ\179",
Arg9 = "2",
Face = 30,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 297,
AreaName = "汽车",
AreaRadius = 30,
AreaX = 3860,
AreaY = 2307,
AreaZ = 2049,
Arg1 = 3066,
Arg10 = "501404",
Arg2 = "idle,1.1",
Arg3 = "npc_comwalk",
Arg4 = "car1,3",
Arg6 = "270",
Arg8 = "500",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 10105,
AreaName = "",
AreaRadius = 30,
AreaX = 5134,
AreaY = 14968,
AreaZ = 2055,
Arg1 = 6068,
Arg2 = "talk",
Arg5 = "1",
Arg6 = 250,
Arg7 = "σà¼σ¢¡σÑ│σ¡ªτö\159",
Arg9 = "2",
Face = 250,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 101,
AreaRadius = 30,
AreaX = 16213,
AreaY = 24142,
AreaZ = 2058,
Arg1 = 6013,
Arg2 = "sit",
Arg6 = 100,
Face = 100,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 112,
AreaRadius = 30,
AreaX = 19409,
AreaY = 14599,
AreaZ = 2048,
Arg1 = 6059,
Arg10 = "5613",
Arg2 = "idle",
Arg5 = "1",
Arg6 = 340,
Arg9 = "3",
Face = 340,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 111,
AreaName = "",
AreaRadius = 30,
AreaX = 8821,
AreaY = 14528,
AreaZ = 2048,
Arg1 = 6378,
Arg2 = "talk",
Arg5 = "1",
Arg6 = "90",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 213,
AreaName = "小翼",
AreaRadius = 30,
AreaX = 12949,
AreaY = 11533,
AreaZ = 1982,
Arg1 = 6064,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "xiaohai4,3",
Arg5 = "1",
Arg6 = 0,
Arg8 = "150",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 110,
AreaRadius = 30,
AreaX = 16834,
AreaY = 16409,
AreaZ = 3897,
Arg1 = 6009,
Arg2 = "daxiao",
Arg5 = "1",
Arg6 = 150,
Face = 150,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912039,
AreaName = "",
AreaRadius = 30,
AreaX = 9843,
AreaY = 8102,
AreaZ = 2048,
Arg1 = 3045,
Arg10 = "5612",
Arg2 = "sit",
Arg6 = 280,
Arg9 = "3",
Face = 280,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 10211,
AreaRadius = 30,
AreaX = 12209,
AreaY = 26217,
AreaZ = 2048,
Arg1 = 6066,
Arg10 = "5601",
Arg2 = "censure",
Arg5 = "1",
Arg6 = 300,
Arg7 = "010橙色条纹莫西干大哭女骂人女肌肉男",
Arg9 = "2",
Face = 300,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 109,
AreaRadius = 30,
AreaX = 19720,
AreaY = 6269,
AreaZ = 2048,
Arg1 = 6051,
Arg2 = "idle",
Arg5 = "1",
Arg6 = 160,
Arg7 = "Σ╜Åσ«àσî║Θù▓Φü\1383",
Face = 160,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912057,
AreaName = "",
AreaRadius = 30,
AreaX = 13277,
AreaY = 7878,
AreaZ = 2237,
Arg1 = 6562,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "320",
Arg7 = "2057蜘蛛侠扭蛋机妈妈儿子",
Arg9 = "3",
Face = 320,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915093,
AreaRadius = 30,
AreaX = 21466,
AreaY = 16451,
AreaZ = 2775,
Arg1 = 6042,
Arg2 = "sit",
Arg6 = 0,
Arg9 = "0",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912002,
AreaName = "",
AreaRadius = 30,
AreaX = 9178,
AreaY = 9406,
AreaZ = 2053,
Arg1 = 6036,
Arg2 = "sit1",
Arg6 = "0",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912066,
AreaRadius = 30,
AreaX = 11041,
AreaY = 4314,
AreaZ = 2047,
Arg1 = 4028,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "130",
Arg9 = "2",
Face = 130,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 105,
AreaRadius = 30,
AreaX = 19214,
AreaY = 11887,
AreaZ = 2769,
Arg1 = 6027,
Arg2 = "idle2",
Arg6 = "270",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912053,
AreaName = "",
AreaRadius = 30,
AreaX = 11273,
AreaY = 2749,
AreaZ = 2048,
Arg1 = 4563,
Arg2 = "call",
Arg5 = "1",
Arg6 = 250,
Arg9 = "2",
Face = 250,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 102,
AreaName = "小孩",
AreaRadius = 30,
AreaX = 8586,
AreaY = 15397,
AreaZ = 2137,
Arg1 = 6030,
Arg2 = "cry",
Arg5 = "1",
Arg6 = 200,
Arg9 = "3",
Face = 200,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 112,
AreaRadius = 30,
AreaX = 21492,
AreaY = 13550,
AreaZ = 2034,
Arg1 = 6059,
Arg10 = "301002",
Arg2 = "idle2",
Arg5 = "1",
Arg6 = "270",
Arg9 = "3",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 103,
AreaName = "",
AreaRadius = 30,
AreaX = 8282,
AreaY = 14533,
AreaZ = 2068,
Arg1 = 6017,
Arg2 = "act01",
Arg6 = 10,
Arg7 = "τ¡ëσ╖┤σú½Φ\128üΣ║║\r\n\r\n",
Face = 10,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915095,
AreaRadius = 30,
AreaX = 25549,
AreaY = 11263,
AreaZ = 2075,
Arg1 = 3046,
Arg10 = "501402",
Arg2 = "daxiao",
Arg6 = "90",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915005,
AreaName = "",
AreaRadius = 30,
AreaX = 21142,
AreaY = 21992,
AreaZ = 2048,
Arg1 = 6075,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "300",
Arg7 = "5005大背头坐地哭女子大妈警察吃瓜",
Arg9 = "2",
Face = 300,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 110,
AreaRadius = 30,
AreaX = 27376,
AreaY = 25664,
AreaZ = 2060,
Arg1 = 6008,
Arg2 = "sit",
Arg6 = "270",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 103,
AreaRadius = 30,
AreaX = 16136,
AreaY = 23858,
AreaZ = 2048,
Arg1 = 6015,
Arg2 = "idle",
Arg5 = "1",
Arg6 = 100,
Arg7 = "τ¡ëσ╖┤σú½Φ\128üΣ║║",
Face = 100,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 225,
AreaName = "Θ¬æΦíîΦÇ\133",
AreaRadius = 30,
AreaX = 19698,
AreaY = 9468,
AreaZ = 2049,
Arg1 = 6076,
Arg10 = "501402",
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "qixingzhe3,3",
Arg8 = "200",
Arg9 = "3",
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 101,
AreaRadius = 30,
AreaX = 22622,
AreaY = 16362,
AreaZ = 3653,
Arg1 = 6012,
Arg2 = "cleep",
Arg6 = 190,
Arg7 = "Φæ¢Σ╝ÿτÿ\171",
Face = 190,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912003,
AreaName = "",
AreaRadius = 30,
AreaX = 9211,
AreaY = 10199,
AreaZ = 2065,
Arg1 = 3052,
Arg2 = "sit1",
Arg6 = 180,
Arg7 = "2003伞下聊天大妈女人",
Arg9 = "1",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 105,
AreaRadius = 30,
AreaX = 17358,
AreaY = 15247,
AreaZ = 3903,
Arg1 = 6025,
Arg2 = "idle3",
Arg5 = "1",
Arg6 = 20,
Face = 20,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912017,
AreaRadius = 30,
AreaX = 11716,
AreaY = 9464,
AreaZ = 1982,
Arg1 = 6002,
Arg2 = "talk",
Arg5 = "1",
Arg6 = 90,
Arg7 = "2017谈话大叔大妈",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 104,
AreaName = "",
AreaRadius = 30,
AreaX = 8758,
AreaY = 2651,
AreaZ = 2049,
Arg1 = 6021,
Arg2 = "act01",
Arg5 = "1",
Arg6 = 230,
Arg9 = "2",
Face = 230,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 201,
AreaRadius = 30,
AreaX = 20896,
AreaY = 8368,
AreaZ = 2048,
Arg1 = 6012,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "woker6,4",
Arg5 = "1",
Arg6 = 130,
Arg8 = "100",
Arg9 = "2",
Face = 130,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915042,
AreaRadius = 30,
AreaX = 25393,
AreaY = 21894,
AreaZ = 2048,
Arg1 = 6048,
Arg2 = "sit",
Arg6 = 0,
Arg9 = "3",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 105,
AreaName = "",
AreaRadius = 30,
AreaX = 8675,
AreaY = 14596,
AreaZ = 2048,
Arg1 = 6026,
Arg2 = "idle2",
Arg5 = "1",
Arg6 = 250,
Face = 250,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915007,
AreaRadius = 30,
AreaX = 21436,
AreaY = 22000,
AreaZ = 2048,
Arg1 = 6647,
Arg2 = "idle2",
Arg5 = "1",
Arg6 = 20,
Arg7 = "5005警察",
Arg9 = "2",
Face = 20,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 220,
AreaRadius = 30,
AreaX = 23831,
AreaY = 6727,
AreaZ = 2048,
Arg1 = 6071,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "gay1",
Arg5 = "1",
Arg6 = 240,
Arg8 = "100",
Arg9 = "2",
Face = 240,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 207,
AreaName = "",
AreaRadius = 30,
AreaX = 30796,
AreaY = 18627,
AreaZ = 2228,
Arg1 = 6040,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "guangjie6,3",
Arg5 = "1",
Arg6 = "0",
Arg8 = "150",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 110097,
AreaRadius = 30,
AreaX = 922,
AreaY = 22930,
AreaZ = 2729,
Arg1 = 6031,
Arg2 = "acy03",
Arg5 = "1",
Arg6 = "180",
Arg9 = "2",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 122,
AreaRadius = 30,
AreaX = 13512,
AreaY = 25124,
AreaZ = 2049,
Arg1 = 4023,
Arg2 = "flatter",
Arg5 = "1",
Arg6 = "0",
Arg7 = "014Θ╗æΦë▓σÑùΦúàσìûΣ┐¥ΘÖ\169",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 1915063,
AreaRadius = 30,
AreaX = 17180,
AreaY = 13130,
AreaZ = 2048,
Arg1 = 6053,
Arg10 = "5613",
Arg2 = "act01",
Arg5 = "1",
Arg6 = 0,
Arg9 = "2",
DramaName = "",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 108,
AreaName = "",
AreaRadius = 30,
AreaX = 13232,
AreaY = 11575,
AreaZ = 1990,
Arg1 = 6048,
Arg2 = "sit",
Arg6 = 80,
Face = 80,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 108,
AreaRadius = 30,
AreaX = 8612,
AreaY = 23566,
AreaZ = 2048,
Arg1 = 6045,
Arg2 = "sit1",
Arg6 = "100",
Arg7 = "040σÉÄΦíùσ╣┤Φ╜╗µâàΣ╛úσÑ\179",
Arg8 = "2",
Face = 100,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 50501,
AreaName = "世界任务_5章鱼",
AreaRadius = 160,
AreaX = 26014,
AreaY = 7274,
AreaZ = 2034,
Arg1 = "50501|501501|1",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 1915057,
AreaRadius = 30,
AreaX = 17183,
AreaY = 22461,
AreaZ = 2048,
Arg1 = 6013,
Arg2 = "call",
Arg5 = "1",
Arg6 = 130,
Arg7 = "上班族A通用",
Arg9 = "3",
Face = 130,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 10902,
AreaName = "",
AreaRadius = 30,
AreaX = 10345,
AreaY = 14503,
AreaZ = 2048,
Arg1 = 6037,
Arg10 = "5611",
Arg2 = "daxiao",
Arg5 = "1",
Arg6 = 70,
Arg9 = "2",
Face = 70,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 110,
AreaName = "",
AreaRadius = 30,
AreaX = 8897,
AreaY = 2707,
AreaZ = 2049,
Arg1 = 6009,
Arg2 = "censure",
Arg5 = "1",
Arg6 = 60,
Arg9 = "2",
Face = 60,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915043,
AreaRadius = 30,
AreaX = 25350,
AreaY = 21111,
AreaZ = 2048,
Arg1 = 6043,
Arg2 = "sit",
Arg6 = 0,
Arg9 = "3",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915075,
AreaRadius = 30,
AreaX = 24347,
AreaY = 22390,
AreaZ = 2052,
Arg1 = 6079,
Arg2 = "idle",
Arg6 = "45",
Arg7 = "5075τïùσ¡É",
Arg9 = "2",
Face = 45,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912023,
AreaName = "",
AreaRadius = 30,
AreaX = 9778,
AreaY = 10773,
AreaZ = 1983,
Arg1 = 4578,
Arg2 = "daxiao",
Arg5 = "1",
Arg6 = "220",
Arg7 = "2023玩儿狗四人组妈妈",
Arg9 = "2",
Face = 220,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915022,
AreaName = "",
AreaRadius = 30,
AreaX = 16089,
AreaY = 12162,
AreaZ = 2049,
Arg1 = 6013,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "90",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 105,
AreaRadius = 30,
AreaX = 16088,
AreaY = 24431,
AreaZ = 2048,
Arg1 = 6025,
Arg2 = "idle5",
Arg5 = "1",
Arg6 = "40",
Arg7 = "τ¡ëσ╖┤σú½τö╖1",
Face = 40,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 105,
AreaRadius = 30,
AreaX = 18626,
AreaY = 15941,
AreaZ = 3897,
Arg1 = 6025,
Arg2 = "idle3",
Arg5 = "1",
Arg6 = 280,
Face = 280,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 10211,
AreaName = "µª┤ΦÄ▓σñ\180",
AreaRadius = 30,
AreaX = 9794,
AreaY = 27867,
AreaZ = 2049,
Arg1 = 8067,
Arg10 = "5601",
Arg2 = "daxiao",
Arg5 = "1",
Arg6 = "60",
Arg9 = "2",
DramaName = "",
Face = 60,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1911003,
AreaRadius = 30,
AreaX = 13554,
AreaY = 28636,
AreaZ = 2049,
Arg1 = 6082,
Arg2 = "selfie",
Arg5 = "1",
Arg6 = 330,
Arg7 = "003µ▒╜Φ╜ªµùüτÜäΣ╕èτÅ¡µù\143",
Arg9 = "2",
Face = 330,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 106,
AreaRadius = 30,
AreaX = 21000,
AreaY = 16102,
AreaZ = 2768,
Arg1 = 6035,
Arg2 = "photograph",
Arg5 = "1",
Arg6 = 130,
Arg9 = "2",
Face = 130,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 301,
AreaName = "",
AreaRadius = 30,
AreaX = 12055,
AreaY = 6897,
AreaZ = 2237,
Arg1 = 3071,
Arg2 = "idle",
Arg6 = "0",
Arg9 = "0",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 117,
AreaRadius = 30,
AreaX = 13529,
AreaY = 27027,
AreaZ = 2048,
Arg1 = 4022,
Arg2 = "censure",
Arg5 = "1",
Arg6 = 100,
Arg8 = "004τü░Φë▓σñ╣σàïΦÑ┐ΦúñσÅûµ¼╛µ£\186",
Arg9 = "3",
Face = 100,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 102,
AreaRadius = 30,
AreaX = 19988,
AreaY = 4388,
AreaZ = 2052,
Arg1 = 6030,
Arg2 = "cry",
Arg5 = "1",
Arg6 = 0,
Arg7 = "Σ╜Åσ«àσî║µ╝½τö\1871",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912055,
AreaName = "",
AreaRadius = 30,
AreaX = 11416,
AreaY = 7707,
AreaZ = 2242,
Arg1 = 8381,
Arg2 = "sit",
Arg6 = "90",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 10106,
AreaName = "",
AreaRadius = 30,
AreaX = 5327,
AreaY = 14961,
AreaZ = 2055,
Arg1 = 6077,
Arg2 = "wanshua",
Arg6 = 80,
Arg9 = "2",
Face = 80,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912062,
AreaName = "",
AreaRadius = 30,
AreaX = 9843,
AreaY = 3440,
AreaZ = 2083,
Arg1 = 4588,
Arg10 = "5612",
Arg2 = "sit",
Arg6 = 280,
Face = 280,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 110,
AreaRadius = 30,
AreaX = 11009,
AreaY = 25294,
AreaZ = 2049,
Arg1 = 6618,
Arg10 = "5601",
Arg5 = "1",
Arg6 = "120",
Arg7 = "041Θ▒╝σ║ùΦÇüσÑ╢σÑ\182",
Arg9 = "2",
Face = 120,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912068,
AreaRadius = 30,
AreaX = 11101,
AreaY = 4438,
AreaZ = 2064,
Arg1 = 3087,
Arg2 = "idle",
Arg6 = "100",
Arg9 = "2",
Face = 100,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912031,
AreaName = "广场三星大爷",
AreaRadius = 30,
AreaX = 10683,
AreaY = 12504,
AreaZ = 1983,
Arg1 = 6065,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "260",
Arg7 = "2031三星老头小孩灯柱",
Arg9 = "2",
Face = 260,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 103,
AreaRadius = 30,
AreaX = 22955,
AreaY = 7786,
AreaZ = 2058,
Arg1 = 6016,
Arg10 = "501402",
Arg2 = "act02",
Arg6 = 250,
Arg9 = "2",
Face = 250,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 109,
AreaRadius = 30,
AreaX = 11044,
AreaY = 26603,
AreaZ = 2049,
Arg1 = 6081,
Arg10 = "5601",
Arg2 = "idle",
Arg5 = "1",
Arg6 = 190,
Arg7 = "031老爷爷蔬菜店萝莉",
Face = 190,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 101,
AreaRadius = 30,
AreaX = 22999,
AreaY = 6131,
AreaZ = 2048,
Arg1 = 6013,
Arg2 = "sit2",
Arg6 = 260,
Arg7 = "τ£ïµëïµ£\186",
Arg9 = "2",
Face = 260,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 301,
AreaName = "µë¡Φ¢ïµ£\186",
AreaRadius = 30,
AreaX = 8604,
AreaY = 15522,
AreaZ = 2137,
Arg1 = 3071,
Arg2 = "idle",
Arg6 = "0",
Arg9 = "0",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912069,
AreaName = "",
AreaRadius = 30,
AreaX = 11727,
AreaY = 9054,
AreaZ = 2152,
Arg1 = 6075,
Arg2 = "idle",
Arg5 = "1",
Arg6 = 20,
Arg7 = "2069广场西边扭蛋机大背头",
Arg9 = "2",
Face = 20,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 108,
AreaRadius = 30,
AreaX = 20827,
AreaY = 16337,
AreaZ = 2768,
Arg1 = 6046,
Arg2 = "idle3",
Arg5 = "1",
Arg6 = 310,
Arg9 = "2",
Face = 310,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 10205,
AreaRadius = 30,
AreaX = 11131,
AreaY = 23299,
AreaZ = 2049,
Arg1 = 6068,
Arg10 = "5601",
Arg2 = "idle",
Arg5 = "1",
Arg6 = 330,
Arg7 = "020自动贩卖机前长发JK",
Arg9 = "3",
Face = 330,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 10212,
AreaRadius = 30,
AreaX = 9659,
AreaY = 27528,
AreaZ = 2049,
Arg1 = 8029,
Arg10 = "5601",
Arg2 = "daxiao",
Arg5 = "1",
Arg6 = "220",
Arg7 = "049白色棒球帽紫色莫西干胖子",
Arg9 = "2",
Face = 220,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 101,
AreaRadius = 30,
AreaX = 22642,
AreaY = 17239,
AreaZ = 3653,
Arg1 = 6012,
Arg2 = "sit",
Arg6 = 190,
Arg7 = "τ£ïµëïµ£\186",
Face = 190,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915040,
AreaRadius = 30,
AreaX = 24967,
AreaY = 21751,
AreaZ = 2048,
Arg1 = 6026,
Arg2 = "sit2",
Arg6 = 190,
Arg9 = "3",
Face = 190,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 50401,
AreaName = "世界任务_4抢包",
AreaRadius = 160,
AreaX = 8985,
AreaY = 13877,
AreaZ = 2034,
Arg1 = "50401|501401|1",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 1915023,
AreaName = "σñ⌐µíÑΣ╕ïΦ¡ªσ»\159",
AreaRadius = 30,
AreaX = 17231,
AreaY = 14466,
AreaZ = 2055,
Arg1 = 6059,
Arg10 = "5613",
Arg2 = "idle",
Arg5 = "1",
Arg6 = 340,
Arg9 = "3",
Face = 340,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 207,
AreaRadius = 30,
AreaX = 20079,
AreaY = 12469,
AreaZ = 2769,
Arg1 = 6039,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "guangjie5,4",
Arg5 = "1",
Arg6 = "200",
Arg8 = "150",
Arg9 = "2",
Face = 200,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 115,
AreaName = "",
AreaRadius = 30,
AreaX = 1512,
AreaY = 9713,
AreaZ = 2048,
Arg1 = 6066,
Arg10 = "501404",
Arg2 = "idle",
Arg6 = "240",
Arg9 = "2",
Face = 240,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 108,
AreaRadius = 30,
AreaX = 10714,
AreaY = 20462,
AreaZ = 1041,
Arg1 = 6046,
Arg2 = "talk",
Arg5 = "1",
Arg6 = "90",
Arg9 = "4",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 115,
AreaName = "σó¿Θò£ΦĽΦÑ┐σ╣\178",
AreaRadius = 30,
AreaX = 7539,
AreaY = 16165,
AreaZ = 2137,
Arg1 = 6066,
Arg10 = "5611",
Arg2 = "censure",
Arg5 = "1",
Arg6 = 250,
Arg7 = "σó¿Θò£ΦĽΦÑ┐σ╣▓Θ\128Üτö¿",
Face = 250,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 112,
AreaRadius = 30,
AreaX = 21514,
AreaY = 14246,
AreaZ = 2034,
Arg1 = 6059,
Arg10 = "301002",
Arg2 = "idle",
Arg5 = "1",
Arg6 = "270",
Arg9 = "3",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 108,
AreaName = "",
AreaRadius = 30,
AreaX = 8113,
AreaY = 14534,
AreaZ = 2069,
Arg1 = 6013,
Arg2 = "sit",
Arg6 = "350",
Arg7 = "等巴士女2",
Face = 350,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 117,
AreaRadius = 30,
AreaX = 18403,
AreaY = 19251,
AreaZ = 2048,
Arg1 = 6068,
Arg2 = "talk",
Arg6 = "180",
Arg9 = "3",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 10201,
AreaName = "",
AreaRadius = 30,
AreaX = 9826,
AreaY = 22263,
AreaZ = 2049,
Arg1 = 6049,
Arg10 = "5601",
Arg2 = "idle",
Arg5 = "1",
Arg6 = 140,
Arg7 = "016电视机旁黄衣紫裤小孩",
Arg9 = "2",
Face = 140,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 225,
AreaName = "",
AreaRadius = 30,
AreaX = 13034,
AreaY = 14326,
AreaZ = 2049,
Arg1 = 6076,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "qixingzhe2,3",
Arg8 = "300",
Arg9 = "2",
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915012,
AreaRadius = 30,
AreaX = 20837,
AreaY = 21096,
AreaZ = 2048,
Arg1 = 6313,
Arg2 = "talk",
Arg5 = "1",
Arg6 = "200",
Arg7 = "501112学生",
Arg9 = "2",
Face = 200,
GuideDisable = true,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915004,
AreaRadius = 30,
AreaX = 17785,
AreaY = 21880,
AreaZ = 2048,
Arg1 = 6046,
Arg2 = "talk",
Arg5 = "1",
Arg6 = "0",
Arg7 = "µÅÉσîàσÑ│Θ\128Üτö¿",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 108,
AreaName = "",
AreaRadius = 30,
AreaX = 7576,
AreaY = 16046,
AreaZ = 2137,
Arg1 = 6525,
Arg10 = "5611",
Arg2 = "idle",
Arg5 = "1",
Arg6 = 240,
Face = 240,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 110101,
AreaRadius = 30,
AreaX = 12789,
AreaY = 26249,
AreaZ = 2048,
Arg1 = 6071,
Arg10 = "5601",
Arg2 = "idle",
Arg5 = "1",
Arg6 = "250",
Arg9 = "1",
Face = 250,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912022,
AreaName = "",
AreaRadius = 30,
AreaX = 12191,
AreaY = 9513,
AreaZ = 1988,
Arg1 = 6080,
Arg2 = "sit",
Arg5 = "1",
Arg6 = 180,
Arg9 = "2",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 208,
AreaName = "",
AreaRadius = 30,
AreaX = 7476,
AreaY = 19515,
AreaZ = 1041,
Arg1 = 6045,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "caonui6",
Arg5 = "1",
Arg6 = 100,
Arg8 = "150",
Arg9 = "3",
Face = 100,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 108,
AreaRadius = 30,
AreaX = 19806,
AreaY = 6353,
AreaZ = 2048,
Arg1 = 6045,
Arg2 = "talk",
Arg5 = "1",
Arg6 = 160,
Arg7 = "Σ╜Åσ«àσî║Θù▓Φü\1382",
Arg9 = "2",
Face = 160,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915053,
AreaName = "",
AreaRadius = 30,
AreaX = 16392,
AreaY = 21478,
AreaZ = 2048,
Arg1 = 6038,
Arg2 = "idle",
Arg3 = "npc_common_01",
Arg5 = "1",
Arg6 = 70,
Arg7 = "σå▓Θöïµ₧\170",
Arg9 = "3",
Face = 70,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915034,
AreaRadius = 30,
AreaX = 30984,
AreaY = 20760,
AreaZ = 2228,
Arg1 = 6013,
Arg2 = "sit2",
Arg6 = 90,
Arg7 = "τ£ïµëïµ£\186",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 103,
AreaRadius = 30,
AreaX = 20407,
AreaY = 8090,
AreaZ = 2048,
Arg1 = 6028,
Arg2 = "idle5",
Arg5 = "1",
Arg6 = "90",
Arg7 = "Σ╜Åσ«àσî║τÄ⌐τï\1511",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 126,
AreaRadius = 30,
AreaX = 19883,
AreaY = 8149,
AreaZ = 2048,
Arg1 = 6077,
Arg2 = "wanshua",
Arg6 = 170,
Arg7 = "τï\151",
Arg9 = "0",
Face = 170,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 104,
AreaName = "",
AreaRadius = 30,
AreaX = 8603,
AreaY = 2716,
AreaZ = 2049,
Arg1 = 6022,
Arg2 = "sweat",
Arg5 = "1",
Arg6 = 290,
Arg9 = "2",
Face = 290,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912067,
AreaRadius = 30,
AreaX = 10944,
AreaY = 4414,
AreaZ = 2064,
Arg1 = 6053,
Arg2 = "idle",
Arg5 = "1",
Arg6 = 280,
Face = 280,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 101,
AreaRadius = 30,
AreaX = 16112,
AreaY = 16900,
AreaZ = 2048,
Arg1 = 9002,
Arg2 = "call",
Arg5 = "1",
Arg6 = 80,
Face = 80,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 105,
AreaRadius = 30,
AreaX = 16448,
AreaY = 16273,
AreaZ = 2048,
Arg1 = 6026,
Arg2 = "photograph",
Arg5 = "1",
Arg6 = 220,
Arg7 = "µáæΣ╕ïµïìτàºτö\183",
Arg9 = "2",
Face = 220,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 126,
AreaRadius = 30,
AreaX = 18594,
AreaY = 6950,
AreaZ = 2048,
Arg1 = 6077,
Arg2 = "idle2",
Arg6 = 0,
Arg7 = "τï\151",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 10207,
AreaRadius = 30,
AreaX = 11035,
AreaY = 24541,
AreaZ = 2049,
Arg1 = 6003,
Arg10 = "5601",
Arg2 = "talk",
Arg5 = "1",
Arg6 = "60",
Arg7 = "023µ░┤µ₧£σ║ùτ║óΦë▓ΦâîσîàσÑ│ΦÇüµ¥┐σ¿\152",
Arg9 = "2",
Face = 60,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 10206,
AreaRadius = 30,
AreaX = 10885,
AreaY = 24389,
AreaZ = 2049,
Arg1 = 6043,
Arg10 = "5601",
Arg2 = "idle",
Arg5 = "1",
Arg6 = "270",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 104,
AreaName = "",
AreaRadius = 30,
AreaX = 5907,
AreaY = 2656,
AreaZ = 2049,
Arg1 = 6022,
Arg2 = "act01",
Arg5 = "1",
Arg6 = 260,
Arg9 = "2",
Face = 260,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1008,
AreaName = "Σ╕╗τ║┐_Φ┐╜Σ║║",
AreaRadius = 160,
AreaX = 25943,
AreaY = 22733,
AreaZ = 2068,
Arg1 = "1080|201007|1|1",
Arg3 = "act103",
Arg4 = "100802",
IsHight = false,
TriggerId = 2047,
TriggerType = 0,
},
{
AreaId = 50601,
AreaName = "世界任务_6水男",
AreaRadius = 160,
AreaX = 28266,
AreaY = 13865,
AreaZ = 2034,
Arg1 = "50601|501601|1",
Arg4 = "21211541确认内容",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 217,
AreaRadius = 30,
AreaX = 22875,
AreaY = 18015,
AreaZ = 3663,
Arg1 = 4544,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "girl4",
Arg5 = "1",
Arg6 = "90",
Arg8 = "150",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 111,
AreaRadius = 30,
AreaX = 10961,
AreaY = 26671,
AreaZ = 2049,
Arg1 = 6004,
Arg10 = "5601",
Arg2 = "censure",
Arg5 = "1",
Arg6 = 220,
Arg7 = "030ΦÇüτê╖τê╖Φö¼ΦÅ£σ║ùτ║óΦë▓Φíúµ£ìσÑ\179",
Face = 220,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 10214,
AreaName = "Θ¬æΦíîΦÇ\133",
AreaRadius = 30,
AreaX = 11099,
AreaY = 28279,
AreaZ = 2049,
Arg1 = 6076,
Arg10 = "5601",
Arg2 = "idle",
Arg6 = 250,
Arg7 = "034Φç¬ΦíîΦ╜ªσ░æσ╣\180",
Arg9 = "2",
Face = 250,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912018,
AreaName = "",
AreaRadius = 30,
AreaX = 11547,
AreaY = 9459,
AreaZ = 1982,
Arg1 = 6008,
Arg2 = "act01",
Arg5 = "1",
Arg6 = "270",
Arg7 = "2017018大叔",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 111,
AreaRadius = 30,
AreaX = 19794,
AreaY = 6509,
AreaZ = 2048,
Arg1 = 6002,
Arg2 = "talk",
Arg5 = "1",
Arg6 = 0,
Arg7 = "Σ╜Åσ«àσî║Θù▓Φü\1381",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912042,
AreaName = "",
AreaRadius = 30,
AreaX = 13039,
AreaY = 5612,
AreaZ = 2041,
Arg1 = 6025,
Arg2 = "idle",
Arg5 = "1",
Arg6 = 0,
Arg7 = "2042σ░Åσ╖╖σ¡ÉΘ╗äΦíúτö╖µ⌐ÖΦíúσÑ\179",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 106,
AreaRadius = 30,
AreaX = 8484,
AreaY = 23619,
AreaZ = 2048,
Arg1 = 6036,
Arg2 = "idle",
Arg5 = "1",
Arg6 = 280,
Arg7 = "039σÉÄΦíùσ╣┤Φ╜╗µâàΣ╛úτö\183",
Arg9 = "2",
Face = 280,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 1912034,
AreaName = "",
AreaRadius = 30,
AreaX = 9679,
AreaY = 11742,
AreaZ = 1982,
Arg1 = 6523,
Arg2 = "sit",
Arg6 = "250",
Arg9 = "2",
Face = 250,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 111,
AreaName = "大妈",
AreaRadius = 30,
AreaX = 20002,
AreaY = 4238,
AreaZ = 2048,
Arg1 = 6002,
Arg2 = "censure",
Arg5 = "1",
Arg6 = 150,
Arg7 = "Σ╜Åσ«àσî║µ╝½τö\1872",
Arg9 = "3",
Face = 150,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912060,
AreaName = "",
AreaRadius = 30,
AreaX = 12806,
AreaY = 8362,
AreaZ = 2152,
Arg1 = 8023,
Arg2 = "idle",
Arg5 = "1",
Arg6 = 100,
Arg7 = "205960工人",
Arg9 = "2",
Face = 100,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 106,
AreaRadius = 30,
AreaX = 20129,
AreaY = 11592,
AreaZ = 2774,
Arg1 = 6035,
Arg2 = "idle3",
Arg6 = 0,
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 10901,
AreaName = "",
AreaRadius = 30,
AreaX = 10211,
AreaY = 14498,
AreaZ = 2048,
Arg1 = 6312,
Arg10 = "5611",
Arg2 = "talk",
Arg5 = "1",
Arg6 = 250,
Arg9 = "2",
Face = 250,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1911009,
AreaRadius = 30,
AreaX = 13360,
AreaY = 26087,
AreaZ = 2049,
Arg1 = 6026,
Arg2 = "idle",
Arg5 = "1",
Arg6 = 100,
Arg7 = "009σ░Åσ╖╖σ¡ÉσÅúµæäσ╜▒σ╕\136",
Arg9 = "2",
Face = 100,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 101,
AreaRadius = 30,
AreaX = 22993,
AreaY = 7949,
AreaZ = 2048,
Arg1 = 6013,
Arg10 = "501402",
Arg2 = "sit2",
Arg6 = 260,
Arg7 = "τ£ïµëïµ£\186",
Arg9 = "2",
Face = 260,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 106,
AreaRadius = 30,
AreaX = 21085,
AreaY = 13851,
AreaZ = 2769,
Arg1 = 6036,
Arg2 = "idle2",
Arg6 = "270",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915003,
AreaRadius = 30,
AreaX = 17693,
AreaY = 21881,
AreaZ = 2048,
Arg1 = 6025,
Arg2 = "idle",
Arg5 = "1",
Arg6 = 0,
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915061,
AreaRadius = 30,
AreaX = 17456,
AreaY = 13103,
AreaZ = 2048,
Arg1 = 6075,
Arg10 = "5613",
Arg2 = "idle",
Arg5 = "1",
Arg6 = 380,
Arg9 = "2",
Face = 380,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915078,
AreaName = "Θ£▓σñ⌐ΘñÉσÄàσ¥Éτ¥ÇτÜäσÑ│Σ║\186",
AreaRadius = 30,
AreaX = 24968,
AreaY = 21859,
AreaZ = 2054,
Arg1 = 6042,
Arg2 = "sit1",
Arg6 = 0,
Arg9 = "3",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912025,
AreaName = "",
AreaRadius = 30,
AreaX = 9685,
AreaY = 11031,
AreaZ = 1982,
Arg1 = 6015,
Arg2 = "idle",
Arg5 = "1",
Arg6 = 270,
Arg7 = "2023025爷爷",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 207,
AreaName = "",
AreaRadius = 30,
AreaX = 11171,
AreaY = 22236,
AreaZ = 2049,
Arg1 = 6043,
Arg10 = "5601",
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "caonui2",
Arg5 = "1",
Arg6 = 100,
Arg7 = "021居酒屋走出女",
Arg8 = "200",
Arg9 = "2",
Face = 100,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 115,
AreaRadius = 30,
AreaX = 28919,
AreaY = 23868,
AreaZ = 2048,
Arg1 = 6066,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "160",
Face = 160,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 104,
AreaName = "",
AreaRadius = 30,
AreaX = 6110,
AreaY = 2649,
AreaZ = 2049,
Arg1 = 6020,
Arg2 = "censure",
Arg5 = "1",
Arg6 = 100,
Arg9 = "2",
Face = 100,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 129,
AreaRadius = 30,
AreaX = 11124,
AreaY = 22987,
AreaZ = 2142,
Arg1 = 60012,
Arg2 = "idle",
Arg6 = "90",
Arg9 = "0",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 115,
AreaRadius = 30,
AreaX = 16795,
AreaY = 18268,
AreaZ = 2048,
Arg1 = 6066,
Arg2 = "idle",
Arg3 = "npc_city_censure",
Arg5 = "1",
Arg6 = 320,
Arg9 = "3",
Face = 320,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915055,
AreaRadius = 30,
AreaX = 16631,
AreaY = 20011,
AreaZ = 2048,
Arg1 = 6040,
Arg2 = "censure",
Arg5 = "1",
Arg6 = "50",
Arg9 = "2",
Face = 50,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912050,
AreaName = "",
AreaRadius = 30,
AreaX = 13126,
AreaY = 6679,
AreaZ = 2237,
Arg1 = 6384,
Arg2 = "idle",
Arg5 = "1",
Arg6 = 230,
Arg9 = "3",
Face = 230,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912058,
AreaName = "",
AreaRadius = 10,
AreaX = 13394,
AreaY = 7855,
AreaZ = 2237,
Arg1 = 6030,
Arg2 = "acy01",
Arg5 = "1",
Arg6 = 10,
Arg9 = "3",
Face = 10,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1911010,
AreaRadius = 30,
AreaX = 12480,
AreaY = 26053,
AreaZ = 2048,
Arg1 = 6039,
Arg10 = "5601",
Arg2 = "idle2",
Arg5 = "1",
Arg6 = 100,
Arg7 = "010橙色条纹莫西干大哭女骂人女肌肉男",
Face = 100,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 1915009,
AreaName = "τë¢ΦºÆσÑ│σ¡ªτö\159",
AreaRadius = 30,
AreaX = 21018,
AreaY = 21823,
AreaZ = 2048,
Arg1 = 6074,
Arg2 = "idle",
Arg5 = "1",
Arg6 = 280,
Arg7 = "5005σÑ│σ¡ªτö\159",
Arg9 = "2",
Face = 280,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915026,
AreaRadius = 30,
AreaX = 13385,
AreaY = 13120,
AreaZ = 2048,
Arg1 = 3047,
Arg10 = "5613",
Arg2 = "act01",
Arg5 = "1",
Arg6 = "220",
Face = 220,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 110108,
AreaRadius = 30,
AreaX = 12361,
AreaY = 26059,
AreaZ = 2048,
Arg1 = 6045,
Arg10 = "5601",
Arg2 = "act01",
Arg6 = 170,
Arg9 = "2",
Face = 170,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912049,
AreaName = "",
AreaRadius = 30,
AreaX = 13232,
AreaY = 6679,
AreaZ = 2238,
Arg1 = 6073,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "120",
Arg9 = "3",
Face = 120,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912065,
AreaRadius = 30,
AreaX = 11023,
AreaY = 4096,
AreaZ = 2047,
Arg1 = 4567,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "200",
Arg7 = "2065宠物店大妈俩小孩",
Arg9 = "2",
Face = 200,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 107,
AreaName = "",
AreaRadius = 30,
AreaX = 21080,
AreaY = 13784,
AreaZ = 2769,
Arg1 = 6040,
Arg2 = "idle3",
Arg6 = "270",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915086,
AreaRadius = 30,
AreaX = 19834,
AreaY = 16349,
AreaZ = 2769,
Arg1 = 6031,
Arg2 = "acy01",
Arg5 = "1",
Arg6 = "30",
Arg7 = "508886小孩",
Arg9 = "2",
Face = 30,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912012,
AreaName = "",
AreaRadius = 30,
AreaX = 9689,
AreaY = 9781,
AreaZ = 1982,
Arg1 = 6381,
Arg2 = "sit",
Arg6 = 280,
Arg9 = "2",
Face = 280,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912048,
AreaName = "",
AreaRadius = 30,
AreaX = 11559,
AreaY = 7196,
AreaZ = 2238,
Arg1 = 6050,
Arg2 = "censure",
Arg5 = "1",
Arg6 = "350",
Arg7 = "204748τî½σÿ┤",
Arg9 = "2",
Face = 350,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 111,
AreaName = "",
AreaRadius = 30,
AreaX = 13533,
AreaY = 24957,
AreaZ = 2049,
Arg1 = 6001,
Arg2 = "talk",
Arg5 = "1",
Arg6 = 140,
Arg7 = "015τÖ╜Φí¼Φí½Φô¥ΦúÖσ¡Éµìéσÿ┤τ¼\145",
Arg9 = "2",
Face = 140,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 1912047,
AreaName = "",
AreaRadius = 30,
AreaX = 11575,
AreaY = 7113,
AreaZ = 2237,
Arg1 = 6031,
Arg2 = "cry",
Arg5 = "1",
Arg6 = "250",
Arg7 = "2047长排扭蛋机小孩哭",
Arg9 = "2",
Face = 250,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912004,
AreaName = "",
AreaRadius = 30,
AreaX = 9224,
AreaY = 10315,
AreaZ = 2048,
Arg1 = 6047,
Arg2 = "talk",
Arg5 = "1",
Arg6 = "0",
Arg7 = "200304站着的女",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 109,
AreaName = "猫嘴小孩",
AreaRadius = 30,
AreaX = 19728,
AreaY = 8290,
AreaZ = 2048,
Arg1 = 6053,
Arg2 = "act01",
Arg5 = "1",
Arg6 = "270",
Arg7 = "Σ╜Åσ«àσî║τÄ⌐τï\1513",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915044,
AreaRadius = 30,
AreaX = 24975,
AreaY = 20211,
AreaZ = 2048,
Arg1 = 6017,
Arg2 = "act02",
Arg6 = 0,
Arg9 = "3",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912043,
AreaRadius = 30,
AreaX = 13078,
AreaY = 5488,
AreaZ = 2048,
Arg1 = 6042,
Arg2 = "daxiao",
Arg5 = "1",
Arg6 = 150,
Arg7 = "204243µ⌐ÖΦíúσÑ\179",
Arg9 = "2",
Face = 150,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 203,
AreaName = "",
AreaRadius = 30,
AreaX = 12910,
AreaY = 7739,
AreaZ = 2238,
Arg1 = 6017,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "laoto9",
Arg5 = "1",
Arg6 = 0,
Arg8 = "100",
Arg9 = "3",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 1912021,
AreaName = "",
AreaRadius = 30,
AreaX = 12327,
AreaY = 9547,
AreaZ = 1982,
Arg1 = 6017,
Arg2 = "act01",
Arg6 = 180,
Arg7 = "2021ΦÇüσ╣┤Σ║║cp",
Arg9 = "2",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 105,
AreaRadius = 30,
AreaX = 16606,
AreaY = 15874,
AreaZ = 3897,
Arg1 = 6025,
Arg2 = "idle3",
Arg5 = "1",
Arg6 = 80,
Face = 80,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912070,
AreaName = "",
AreaRadius = 30,
AreaX = 11253,
AreaY = 9133,
AreaZ = 2152,
Arg1 = 8013,
Arg2 = "fuzi",
Arg6 = "18",
Arg7 = "2070µë¡Φ¢ïµ£║τê╢σ¡\144",
Arg9 = "2",
Face = 18,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 126,
AreaRadius = 30,
AreaX = 19865,
AreaY = 8352,
AreaZ = 2048,
Arg1 = 6079,
Arg10 = "τï\151",
Arg2 = "wanshua",
Arg6 = 350,
Arg9 = "0",
Face = 350,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 117,
AreaName = "",
AreaRadius = 30,
AreaX = 9525,
AreaY = 15329,
AreaZ = 2132,
Arg1 = 6068,
Arg2 = "daxiao",
Arg5 = "1",
Arg6 = "180",
Arg9 = "3",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915054,
AreaRadius = 30,
AreaX = 16323,
AreaY = 21315,
AreaZ = 2048,
Arg1 = 6066,
Arg13 = { 10, { "censure" } },
Arg2 = "idle",
Arg3 = "npc_common_01",
Arg5 = "1",
Arg6 = 200,
Arg7 = "µúÆτÉâµú\146",
Arg9 = "3",
Face = 200,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912037,
AreaName = "",
AreaRadius = 30,
AreaX = 9848,
AreaY = 4579,
AreaZ = 2051,
Arg1 = 6068,
Arg10 = "5612",
Arg2 = "sit",
Arg6 = "280",
Arg9 = "2",
Face = 280,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 105,
AreaRadius = 30,
AreaX = 8537,
AreaY = 27352,
AreaZ = 2040,
Arg1 = 6026,
Arg2 = "sit1",
Arg5 = "1",
Arg6 = 100,
Arg7 = "038σÉÄΦíùΘò┐σç│µúÆτÉâσ╕\189",
Arg9 = "2",
Face = 100,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 1912064,
AreaName = "",
AreaRadius = 30,
AreaX = 13590,
AreaY = 6501,
AreaZ = 2041,
Arg1 = 6016,
Arg10 = "5612",
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "laoto10,3",
Arg5 = "1",
Arg6 = 0,
Arg7 = "2064散步老人",
Arg8 = "100",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915083,
AreaName = "摩天轮前喝茶老头",
AreaRadius = 30,
AreaX = 19554,
AreaY = 15435,
AreaZ = 2790,
Arg1 = 6015,
Arg2 = "act01",
Arg6 = "270",
Arg9 = "3",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912036,
AreaName = "",
AreaRadius = 30,
AreaX = 9875,
AreaY = 4460,
AreaZ = 2064,
Arg1 = 8013,
Arg10 = "5612",
Arg2 = "sit",
Arg6 = "250",
Arg7 = "2036工地长椅上班族JK",
Arg9 = "2",
Face = 250,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 2,
AreaName = "τ╗╝σÉêµÑ\188",
AreaRadius = 30,
AreaX = 12869,
AreaY = 4329,
AreaZ = 5557,
Arg1 = 1010,
Arg2 = "paqiang",
Arg6 = "90",
Arg9 = "0",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 105,
AreaRadius = 30,
AreaX = 20576,
AreaY = 11884,
AreaZ = 2769,
Arg1 = 6025,
Arg2 = "idle5",
Arg6 = 0,
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 102,
AreaRadius = 30,
AreaX = 19977,
AreaY = 8229,
AreaZ = 2048,
Arg1 = 6030,
Arg2 = "acy01",
Arg5 = "1",
Arg6 = 80,
Arg7 = "Σ╜Åσ«àσî║τÄ⌐τï\1512",
Arg9 = "3",
Face = 80,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 108,
AreaName = "",
AreaRadius = 30,
AreaX = 8675,
AreaY = 14455,
AreaZ = 2048,
Arg1 = 8304,
Arg2 = "idle",
Arg5 = "1",
Arg6 = 300,
Face = 300,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1911006,
AreaRadius = 30,
AreaX = 13452,
AreaY = 26923,
AreaZ = 2048,
Arg1 = 6012,
Arg2 = "idle",
Arg5 = "1",
Arg6 = 100,
Arg7 = "006µúòΦë▓σÑùΦúàσÅûµ¼╛µ£\186",
Arg9 = "2",
Face = 100,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 105,
AreaRadius = 30,
AreaX = 15089,
AreaY = 13022,
AreaZ = 2779,
Arg1 = 6027,
Arg2 = "idle3",
Arg5 = "1",
Arg6 = 200,
Face = 200,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912061,
AreaName = "",
AreaRadius = 30,
AreaX = 9838,
AreaY = 3379,
AreaZ = 2055,
Arg1 = 6045,
Arg10 = "5612",
Arg2 = "sit",
Arg6 = 280,
Face = 280,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915062,
AreaRadius = 30,
AreaX = 17277,
AreaY = 13126,
AreaZ = 2048,
Arg1 = 6002,
Arg10 = "5613",
Arg2 = "talk",
Arg5 = "1",
Arg6 = 0,
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 50201,
AreaName = "世界任务_2楼上炸炮",
AreaRadius = 160,
AreaX = 28674,
AreaY = 23012,
AreaZ = 2034,
Arg1 = "50201|501201|1",
Arg3 = "act60011",
Arg4 = "1",
DramaName = "",
IsHight = false,
TriggerId = 2047,
TriggerType = 0,
},
{
AreaId = 201001,
AreaName = "Σ┐íσÅ╖σí\1482µö»τ║┐1-1",
AreaRadius = 160,
AreaX = 10070,
AreaY = 6779,
AreaZ = 2032,
Arg1 = "201001|561202|1",
Arg3 = "5612",
Arg4 = "1",
DramaName = "",
IsHight = false,
TriggerId = 2047,
TriggerType = 0,
},
{
AreaId = 202001,
AreaName = "σí\1482µö»τ║┐2-1",
AreaRadius = 160,
AreaX = 15502,
AreaY = 7913,
AreaZ = 2041,
Arg1 = "202001|561205|1",
Arg3 = "act60011",
Arg4 = "1",
DramaName = "",
IsHight = false,
TriggerId = 2047,
TriggerType = 0,
},
{
AreaId = 202,
AreaName = "小孩",
AreaRadius = 30,
AreaX = 28867,
AreaY = 4937,
AreaZ = 2146,
Arg1 = 6031,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "boy2",
Arg5 = "1",
Arg6 = "270",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 101,
AreaRadius = 30,
AreaX = 28008,
AreaY = 3269,
AreaZ = 2143,
Arg1 = 6011,
Arg2 = "call",
Arg6 = "180",
Face = 180,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 203,
AreaRadius = 30,
AreaX = 27644,
AreaY = 5446,
AreaZ = 2143,
Arg1 = 6019,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "grandpa1",
Arg5 = "1",
Arg6 = "270",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 105,
AreaName = "戴帽青年",
AreaRadius = 30,
AreaX = 21371,
AreaY = 12780,
AreaZ = 2774,
Arg1 = 3043,
Arg2 = "idle3",
Arg6 = 250,
Face = 250,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915049,
AreaRadius = 30,
AreaX = 20510,
AreaY = 10371,
AreaZ = 2048,
Arg1 = 6026,
Arg10 = "501402",
Arg2 = "sit1",
Arg6 = "0",
Arg7 = "τ¡ëσ╖┤σú½τö╖2",
Face = 0,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 108,
AreaRadius = 30,
AreaX = 27808,
AreaY = 29794,
AreaZ = 2065,
Arg1 = 6043,
Arg2 = "sit1",
Arg6 = "80",
Arg9 = "2",
Face = 80,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 107,
AreaRadius = 30,
AreaX = 22266,
AreaY = 10845,
AreaZ = 2048,
Arg1 = 6040,
Arg2 = "idle",
Arg6 = "270",
Face = 270,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 101,
AreaName = "",
AreaRadius = 30,
AreaX = 18417,
AreaY = 29690,
AreaZ = 2049,
Arg1 = 6012,
Arg2 = "cleep",
Arg6 = "180",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915043,
AreaRadius = 30,
AreaX = 25440,
AreaY = 20015,
AreaZ = 2048,
Arg1 = 6013,
Arg2 = "cleep",
Arg6 = 190,
Arg7 = "Φæ¢Σ╝ÿτÿ\171",
Arg9 = "3",
Face = 190,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 129,
AreaRadius = 30,
AreaX = 26793,
AreaY = 16710,
AreaZ = 2165,
Arg1 = 60013,
Arg2 = "idle",
Arg6 = "90",
Arg9 = "0",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 101,
AreaRadius = 30,
AreaX = 27740,
AreaY = 24589,
AreaZ = 2048,
Arg1 = 6012,
Arg2 = "sit4",
Arg6 = 190,
Face = 190,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915033,
AreaRadius = 30,
AreaX = 31049,
AreaY = 20312,
AreaZ = 2241,
Arg1 = 6040,
Arg2 = "sit",
Arg6 = "90",
Arg9 = "3",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915073,
AreaRadius = 30,
AreaX = 23884,
AreaY = 16803,
AreaZ = 2043,
Arg1 = 6016,
Arg2 = "act02",
Arg6 = "90",
Arg7 = "看报老人通用",
Arg9 = "3",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915072,
AreaRadius = 30,
AreaX = 23878,
AreaY = 15598,
AreaZ = 2038,
Arg1 = 6014,
Arg10 = "301002",
Arg2 = "sit",
Arg6 = "90",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 2,
AreaName = "餐厅",
AreaRadius = 30,
AreaX = 26732,
AreaY = 21055,
AreaZ = 2049,
Arg1 = 1010,
Arg2 = "paqiang",
Arg6 = "0",
Arg9 = "0",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915047,
AreaRadius = 30,
AreaX = 20971,
AreaY = 10402,
AreaZ = 2048,
Arg1 = 6012,
Arg10 = "501402",
Arg2 = "sit",
Arg6 = "0",
Arg7 = "τ£ïµëïµ£\186",
Face = 0,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 297,
AreaName = "σç║τºƒΦ╜\166",
AreaRadius = 30,
AreaX = 14660,
AreaY = 1703,
AreaZ = 2048,
Arg1 = 3082,
Arg2 = "idle,0.9",
Arg3 = "npc_comwalk",
Arg4 = "car3,4",
Arg6 = "180",
Arg8 = "500",
Arg9 = "2",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 108,
AreaRadius = 30,
AreaX = 27332,
AreaY = 28644,
AreaZ = 2058,
Arg1 = 6046,
Arg2 = "sit",
Arg6 = "270",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 150,
AreaRadius = 30,
AreaX = 17342,
AreaY = 12546,
AreaZ = 2048,
Arg1 = 5004,
Arg2 = "idle",
Arg6 = "180",
Arg9 = "3",
Face = 180,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1915041,
AreaRadius = 30,
AreaX = 25375,
AreaY = 21657,
AreaZ = 2053,
Arg1 = 6012,
Arg2 = "sit3",
Arg6 = 190,
Arg9 = "3",
Face = 190,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915046,
AreaRadius = 30,
AreaX = 21311,
AreaY = 10369,
AreaZ = 2048,
Arg1 = 6047,
Arg10 = "501402",
Arg2 = "idle",
Arg6 = "0",
Arg7 = "等巴士女2",
Face = 0,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1915048,
AreaRadius = 30,
AreaX = 20604,
AreaY = 10417,
AreaZ = 2048,
Arg1 = 6017,
Arg10 = "501402",
Arg2 = "act01",
Arg6 = "0",
Arg7 = "τ¡ëσ╖┤σú½Φ\128üΣ║║",
Face = 0,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 107,
AreaRadius = 30,
AreaX = 27330,
AreaY = 25973,
AreaZ = 2048,
Arg1 = 6041,
Arg2 = "sit",
Arg6 = "270",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 110,
AreaRadius = 30,
AreaX = 27734,
AreaY = 24603,
AreaZ = 2060,
Arg1 = 6009,
Arg2 = "sit",
Arg6 = "0",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 218,
AreaRadius = 30,
AreaX = 31105,
AreaY = 24174,
AreaZ = 2048,
Arg1 = 6069,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "girl3",
Arg5 = "1",
Arg6 = "90",
Arg8 = "100",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 208,
AreaRadius = 30,
AreaX = 28854,
AreaY = 26952,
AreaZ = 2048,
Arg1 = 6041,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "guangjie9",
Arg5 = "1",
Arg6 = "90",
Arg8 = "100",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 105,
AreaRadius = 30,
AreaX = 17093,
AreaY = 13028,
AreaZ = 2769,
Arg1 = 6025,
Arg2 = "idle3",
Arg6 = 200,
Face = 200,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912010,
AreaName = "",
AreaRadius = 30,
AreaX = 13830,
AreaY = 12221,
AreaZ = 2049,
Arg1 = 6034,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "270",
Arg7 = "200910小孩",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 102,
AreaRadius = 30,
AreaX = 18602,
AreaY = 6716,
AreaZ = 2048,
Arg1 = 6031,
Arg2 = "acy03",
Arg5 = "1",
Arg6 = 180,
Arg7 = "Σ╜Åσ«àσî║σ░æτê\183",
Arg9 = "2",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 103,
AreaName = "",
AreaRadius = 30,
AreaX = 13214,
AreaY = 12343,
AreaZ = 1982,
Arg1 = 6017,
Arg2 = "act01",
Arg6 = "80",
Arg7 = "看书老人",
Arg9 = "2",
Face = 80,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 103,
AreaRadius = 30,
AreaX = 8592,
AreaY = 27430,
AreaZ = 2046,
Arg1 = 6017,
Arg2 = "act02",
Arg6 = "100",
Arg7 = "037σÉÄΦíùΘò┐σç│ΦÇüτê╖τê\183",
Arg9 = "2",
Face = 100,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 112,
AreaName = "",
AreaRadius = 30,
AreaX = 16422,
AreaY = 25103,
AreaZ = 2049,
Arg1 = 6062,
Arg2 = "idle2",
Arg5 = "1",
Arg6 = 100,
Arg9 = "3",
Face = 100,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 108,
AreaRadius = 30,
AreaX = 27698,
AreaY = 3879,
AreaZ = 2143,
Arg1 = 6046,
Arg2 = "daxiao",
Arg6 = "30",
Arg9 = "2",
Face = 30,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 117,
AreaRadius = 30,
AreaX = 16145,
AreaY = 8434,
AreaZ = 2048,
Arg1 = 6068,
Arg2 = "idle",
Arg6 = "0",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 217,
AreaRadius = 30,
AreaX = 18010,
AreaY = 8605,
AreaZ = 2048,
Arg1 = 6068,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "girl7,4",
Arg5 = "1",
Arg6 = "290",
Arg7 = "Σ╜Åσ«àσî║Σ╕èσ¡\166",
Arg8 = "150",
Arg9 = "2",
Face = 290,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1915051,
AreaRadius = 30,
AreaX = 18846,
AreaY = 11406,
AreaZ = 2048,
Arg1 = 6071,
Arg10 = "301002",
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "gay2,4",
Arg5 = "1",
Arg6 = "180",
Arg8 = "100",
Arg9 = "2",
Face = 180,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 114,
AreaRadius = 30,
AreaX = 28232,
AreaY = 7806,
AreaZ = 2143,
Arg1 = 6018,
Arg2 = "idle",
Arg6 = "180",
Arg9 = "2",
Face = 180,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 201,
AreaName = "",
AreaRadius = 30,
AreaX = 211,
AreaY = 23928,
AreaZ = 2731,
Arg1 = 6011,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "woker4",
Arg5 = "1",
Arg6 = "0",
Arg7 = "083σ¥íΣ╕èΦ╡░σç║Σ╕èτÅ¡µù\143",
Arg8 = "60",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 101,
AreaRadius = 30,
AreaX = 18784,
AreaY = 8337,
AreaZ = 2048,
Arg1 = 6011,
Arg2 = "idle",
Arg6 = "120",
Arg7 = "Σ╜Åσ«àσî║µÄ¿Θö\1281",
Face = 120,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 106,
AreaRadius = 30,
AreaX = 3644,
AreaY = 18243,
AreaZ = 2040,
Arg1 = 6037,
Arg2 = "photograph",
Arg6 = "210",
Arg9 = "2",
Face = 210,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 300,
AreaName = "火车",
AreaRadius = 30,
AreaX = -1711,
AreaY = -10159,
AreaZ = 2020,
Arg1 = 3070,
Arg2 = "run",
Arg6 = "0",
Arg8 = "300",
Arg9 = "0",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 108,
AreaRadius = 30,
AreaX = 4058,
AreaY = 18637,
AreaZ = 2050,
Arg1 = 6048,
Arg2 = "idle2",
Arg6 = "60",
Arg9 = "2",
Face = 60,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 117,
AreaRadius = 30,
AreaX = 27507,
AreaY = 12909,
AreaZ = 2160,
Arg1 = 6068,
Arg10 = "301004",
Arg2 = "daxiao",
Arg6 = "270",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 105,
AreaRadius = 30,
AreaX = 27510,
AreaY = 8406,
AreaZ = 2143,
Arg1 = 6026,
Arg2 = "idle2",
Arg6 = "0",
Face = 0,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 125,
AreaRadius = 30,
AreaX = 26693,
AreaY = 6881,
AreaZ = 2041,
Arg1 = 6076,
Arg2 = "idle",
Arg6 = "0",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 107,
AreaRadius = 30,
AreaX = 32296,
AreaY = 15450,
AreaZ = 2048,
Arg1 = 6040,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "guangjie11",
Arg5 = "1",
Arg6 = "0",
Arg8 = "100",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 205,
AreaRadius = 30,
AreaX = 30566,
AreaY = 12374,
AreaZ = 2160,
Arg1 = 6025,
Arg10 = "301004",
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "qingnian2",
Arg5 = "1",
Arg6 = "90",
Arg8 = "200",
Arg9 = "3",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 113,
AreaRadius = 30,
AreaX = 2812,
AreaY = 18678,
AreaZ = 2040,
Arg1 = 6064,
Arg2 = "fly_idle",
Arg6 = "30",
Arg9 = "2",
DramaName = "",
Face = 30,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 10106,
AreaRadius = 30,
AreaX = 2367,
AreaY = 18967,
AreaZ = 2040,
Arg1 = 6030,
Arg2 = "ball1",
Arg6 = "0",
Arg7 = "µ╡╖µ╗¿Σ╕ìΦ»┤Φ»\157",
Arg9 = "2",
DramaName = "",
Face = 0,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 101,
AreaRadius = 30,
AreaX = 4929,
AreaY = 24582,
AreaZ = 2900,
Arg1 = 6013,
Arg2 = "call",
Arg5 = "1",
Arg6 = "0",
Arg7 = "076车棚旁上班族",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 109,
AreaRadius = 30,
AreaX = 6849,
AreaY = 27463,
AreaZ = 0,
Arg1 = 6050,
Arg2 = "idle",
Arg6 = "160",
Face = 160,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 1915014,
AreaName = "σû╖µ│ëµùüτÜäΦô¥Φë▓σÑ\179",
AreaRadius = 30,
AreaX = 25316,
AreaY = 18526,
AreaZ = 0,
Arg1 = 6048,
Arg2 = "idle",
Arg6 = "0",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915035,
AreaName = "ΦÇüΣ║║",
AreaRadius = 30,
AreaX = 31033,
AreaY = 18783,
AreaZ = 2228,
Arg1 = 6016,
Arg2 = "act02",
Arg6 = 90,
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915096,
AreaName = "",
AreaRadius = 30,
AreaX = 25833,
AreaY = 13401,
AreaZ = 2048,
Arg1 = 6076,
Arg10 = "301002",
Arg2 = "idle,0.9",
Arg6 = "75",
Arg9 = "2",
Face = 75,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 116,
AreaRadius = 30,
AreaX = 218,
AreaY = 21075,
AreaZ = 2034,
Arg1 = 6067,
Arg2 = "idle",
Arg6 = "90",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 108,
AreaRadius = 30,
AreaX = 203,
AreaY = 21367,
AreaZ = 2034,
Arg1 = 6045,
Arg2 = "idle",
Arg6 = "90",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 103,
AreaRadius = 30,
AreaX = 286,
AreaY = 21437,
AreaZ = 2034,
Arg1 = 6016,
Arg2 = "idle",
Arg6 = "90",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 106,
AreaRadius = 30,
AreaX = 16140,
AreaY = 8326,
AreaZ = 2048,
Arg1 = 6035,
Arg2 = "idle",
Arg6 = "180",
Arg9 = "2",
Face = 180,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 125,
AreaRadius = 30,
AreaX = 206,
AreaY = 21293,
AreaZ = 2034,
Arg1 = 6076,
Arg2 = "idle",
Arg6 = "90",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 1915071,
AreaName = "美食广场拍照青年",
AreaRadius = 30,
AreaX = 23915,
AreaY = 16135,
AreaZ = 2038,
Arg1 = 6037,
Arg2 = "photograph",
Arg6 = "230",
Arg7 = "507071µïìτàºσè¿Σ╜£τö\183",
Arg9 = "2",
Face = 230,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 205,
AreaName = "潮男",
AreaRadius = 30,
AreaX = 16601,
AreaY = 23260,
AreaZ = 2048,
Arg1 = 6029,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "man2,3",
Arg5 = "1",
Arg6 = "90",
Arg8 = "150",
Arg9 = "3",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 103,
AreaName = "",
AreaRadius = 30,
AreaX = 3970,
AreaY = 9621,
AreaZ = 2624,
Arg1 = 6018,
Arg2 = "idle",
Arg6 = "0",
Arg9 = "1",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 110,
AreaRadius = 30,
AreaX = 29920,
AreaY = 12667,
AreaZ = 2048,
Arg1 = 6007,
Arg10 = "301004",
Arg2 = "flatter",
Arg5 = "1",
Arg6 = "180",
Arg9 = "2",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 101,
AreaName = "",
AreaRadius = 30,
AreaX = 1753,
AreaY = 9778,
AreaZ = 2068,
Arg1 = 6014,
Arg10 = "501404",
Arg2 = "sit",
Arg6 = "90",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 110,
AreaName = "",
AreaRadius = 30,
AreaX = 1633,
AreaY = 9795,
AreaZ = 2048,
Arg1 = 6007,
Arg10 = "501404",
Arg2 = "flatter",
Arg6 = "270",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 201,
AreaName = "Σ╕èτÅ¡τö\183",
AreaRadius = 30,
AreaX = 28159,
AreaY = 12735,
AreaZ = 2046,
Arg1 = 6014,
Arg10 = "301002",
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "woker7,4",
Arg5 = "1",
Arg6 = "90",
Arg8 = "100",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 107,
AreaName = "",
AreaRadius = 30,
AreaX = 1797,
AreaY = 9370,
AreaZ = 2048,
Arg1 = 3045,
Arg2 = "act01",
Arg6 = "90",
Arg9 = "3",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 101,
AreaRadius = 30,
AreaX = 20785,
AreaY = 16286,
AreaZ = 2768,
Arg1 = 6071,
Arg2 = "idle,0.9",
Arg6 = 300,
Arg9 = "2",
Face = 300,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912073,
AreaName = "",
AreaRadius = 30,
AreaX = 13312,
AreaY = 13167,
AreaZ = 2049,
Arg1 = 6301,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "210",
Arg7 = "2009Φ┐çΘ⌐¼Φ╖»µ»ìσÑ\179",
Arg9 = "2",
Face = 210,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 207,
AreaRadius = 30,
AreaX = 25948,
AreaY = 14482,
AreaZ = 2048,
Arg1 = 6040,
Arg10 = "301002",
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "guangjie3,3",
Arg5 = "1",
Arg6 = "180",
Arg8 = "100",
Arg9 = "2",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 226,
AreaRadius = 30,
AreaX = 26748,
AreaY = 6605,
AreaZ = 2041,
Arg1 = 6077,
Arg2 = "wanshua",
Arg3 = "npc_comwalk",
Arg4 = "dog3,3",
Arg6 = "180",
Arg8 = "100",
Arg9 = "2",
Face = 180,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 221,
AreaRadius = 30,
AreaX = 27561,
AreaY = 9497,
AreaZ = 2143,
Arg1 = 6072,
Arg10 = "501402",
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "guaishou1",
Arg6 = "90",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 106,
AreaRadius = 30,
AreaX = 18705,
AreaY = 13022,
AreaZ = 2769,
Arg1 = 3044,
Arg2 = "idle3",
Arg6 = 200,
Face = 200,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 114,
AreaRadius = 30,
AreaX = 28227,
AreaY = 7981,
AreaZ = 2143,
Arg1 = 6065,
Arg2 = "daxiao",
Arg6 = "0",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 108,
AreaRadius = 30,
AreaX = 26788,
AreaY = 6864,
AreaZ = 2072,
Arg1 = 6048,
Arg2 = "idle",
Arg6 = "90",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 112,
AreaRadius = 30,
AreaX = 31824,
AreaY = 13204,
AreaZ = 2048,
Arg1 = 6060,
Arg10 = "301004",
Arg2 = "idle2",
Arg6 = "90",
Arg9 = "3",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 213,
AreaRadius = 30,
AreaX = 27407,
AreaY = 3062,
AreaZ = 2143,
Arg1 = 6064,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "xiaoyi2,3",
Arg6 = "190",
Arg8 = "100",
Arg9 = "2",
Face = 190,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1915089,
AreaName = "大叔",
AreaRadius = 30,
AreaX = 21663,
AreaY = 17562,
AreaZ = 2769,
Arg1 = 6006,
Arg2 = "idle",
Arg5 = "1",
Arg6 = 70,
Arg7 = "5089µæ⌐σñ⌐Φ╜«ΘñÉσÄàΦ\128üµ¥┐",
Arg9 = "2",
Face = 70,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915087,
AreaRadius = 30,
AreaX = 19678,
AreaY = 16340,
AreaZ = 2769,
Arg1 = 6011,
Arg2 = "selfie",
Arg5 = "1",
Arg6 = "350",
Arg7 = "508887Φ笵ïìτö\183",
Arg9 = "2",
Face = 350,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915073,
AreaName = "",
AreaRadius = 30,
AreaX = 23744,
AreaY = 17795,
AreaZ = 2038,
Arg1 = 3087,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "60",
Arg9 = "2",
Face = 60,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 112,
AreaRadius = 30,
AreaX = 25928,
AreaY = 30438,
AreaZ = 2048,
Arg1 = 6060,
Arg2 = "idle2",
Arg6 = "0",
Arg9 = "3",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 219,
AreaRadius = 30,
AreaX = 2788,
AreaY = 29122,
AreaZ = 3000,
Arg1 = 6070,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "guangtou1",
Arg5 = "1",
Arg6 = "270",
Arg7 = "082走路肌肉光头",
Arg8 = "150",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 224,
AreaRadius = 30,
AreaX = 2663,
AreaY = 30031,
AreaZ = 3419,
Arg1 = 6075,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "dabeitou2",
Arg5 = "1",
Arg6 = "270",
Arg7 = "081σ£¿ΦíùΣ╕èΦ╡░τÜäσê╢µ£ìσ╕àσô\165",
Arg8 = "150",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 213,
AreaName = "",
AreaRadius = 30,
AreaX = 29936,
AreaY = 21347,
AreaZ = 2228,
Arg1 = 6064,
Arg3 = "npc_comwalk",
Arg4 = "xiaoyi1,3",
Arg6 = "0",
Arg8 = "100",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 101,
AreaRadius = 30,
AreaX = 29417,
AreaY = 14933,
AreaZ = 2048,
Arg1 = 6010,
Arg10 = "301004",
Arg2 = "fuzi",
Arg6 = "90",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915036,
AreaRadius = 30,
AreaX = 31555,
AreaY = 23610,
AreaZ = 2048,
Arg1 = 6060,
Arg2 = "idle",
Arg6 = "0",
Arg9 = "3",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 112,
AreaRadius = 30,
AreaX = 31769,
AreaY = 14720,
AreaZ = 2048,
Arg1 = 6060,
Arg10 = "301004",
Arg2 = "idle",
Arg6 = "0",
Arg9 = "3",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915037,
AreaRadius = 30,
AreaX = 31503,
AreaY = 22455,
AreaZ = 2048,
Arg1 = 6060,
Arg2 = "idle2",
Arg6 = "90",
Arg9 = "3",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 202,
AreaRadius = 30,
AreaX = 4925,
AreaY = 17645,
AreaZ = 2070,
Arg1 = 3021,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "boy1,3",
Arg5 = "1",
Arg6 = "180",
Arg7 = "公园小孩",
Arg9 = "2",
DramaName = "",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaHeight = 50,
AreaId = 1,
AreaWidth = 200,
AreaX = 16271,
AreaY = 31945,
AreaZ = 2034,
Face = 0,
IsHight = false,
TriggerId = 2029,
},
{
AreaId = 230,
AreaName = "店员",
AreaRadius = 30,
AreaX = 16869,
AreaY = 20898,
AreaZ = 2070,
Arg1 = 60035,
Arg2 = "idle,1.1",
Arg6 = "270",
Arg7 = "σÑ╢Φî╢σ║ùσæÿΦ╢àσÅ»τê\177",
Arg9 = "1",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 126,
AreaName = "",
AreaRadius = 30,
AreaX = 1269,
AreaY = 27870,
AreaZ = 2981,
Arg1 = 4020,
Arg2 = "idle2",
Arg5 = "1",
Arg6 = "0",
Arg7 = "067µùºσî║µÑ╝µó»µùüΘ¥áΘù¿ΦÑ┐Φú\133",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaHeight = 50,
AreaId = 1,
AreaWidth = 350,
AreaX = 17335,
AreaY = 31608,
AreaZ = 2034,
Face = 0,
IsHight = false,
TriggerId = 2029,
},
{
AreaHeight = 100,
AreaId = 1,
AreaWidth = 400,
AreaX = 4608,
AreaY = 31429,
AreaZ = 2034,
Face = 0,
IsHight = false,
TriggerId = 2029,
},
{
AreaHeight = 50,
AreaId = 1,
AreaWidth = 2600,
AreaX = 10937,
AreaY = 30134,
AreaZ = 2033,
Face = 0,
IsHight = false,
TriggerId = 2029,
},
{
AreaId = 112,
AreaName = "",
AreaRadius = 30,
AreaX = 4242,
AreaY = 31236,
AreaZ = 3000,
Arg1 = 3061,
Arg10 = "102",
Arg2 = "idle2",
Arg5 = "1",
Arg6 = "250",
Arg7 = "092µùºσƒÄτªüµ¡óΘÇÜΦíîσ░ÅΦ¡ªσ»\159",
Arg9 = "2",
Face = 250,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 110179,
AreaRadius = 30,
AreaX = 5605,
AreaY = 25237,
AreaZ = 2943,
Arg1 = 6081,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "160",
Arg7 = "074山岭女侠旁小女孩妈妈",
Arg9 = "2",
Face = 160,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 221,
AreaRadius = 30,
AreaX = 6212,
AreaY = 25830,
AreaZ = 2931,
Arg1 = 6072,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "guaishou3",
Arg5 = "1",
Arg6 = "270",
Arg8 = "150",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 107,
AreaRadius = 30,
AreaX = 5954,
AreaY = 25484,
AreaZ = 2968,
Arg1 = 3087,
Arg2 = "idle",
Arg6 = "60",
Arg9 = "2",
Face = 60,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 203,
AreaName = "",
AreaRadius = 30,
AreaX = 3823,
AreaY = 29785,
AreaZ = 3000,
Arg1 = 6018,
Arg10 = "102",
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "grandpa2",
Arg5 = "1",
Arg6 = "0",
Arg7 = "078白发老头行走",
Arg8 = "60",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 106,
AreaName = "",
AreaRadius = 30,
AreaX = 6028,
AreaY = 29662,
AreaZ = 3000,
Arg1 = 6037,
Arg2 = "daxiao",
Arg6 = "0",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 110188,
AreaName = "",
AreaRadius = 30,
AreaX = 214,
AreaY = 26853,
AreaZ = 3215,
Arg1 = 6060,
Arg2 = "censure",
Arg5 = "1",
Arg6 = "120",
Arg9 = "2",
Face = 120,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 110095,
AreaRadius = 30,
AreaX = 2017,
AreaY = 25509,
AreaZ = 2981,
Arg1 = 6004,
Arg2 = "talk",
Arg5 = "1",
Arg6 = "270",
Arg7 = "062σÉÄσ▒▒σ¥íΘüôµïÉσ╝»σñäτ║óΦíúσñºσªêΦ\128üσÑ╢σÑ\182",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 125,
AreaName = "",
AreaRadius = 30,
AreaX = 2554,
AreaY = 27860,
AreaZ = 2981,
Arg1 = 6076,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "180",
Arg7 = "068小巷子骑车男",
Arg9 = "2",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 1911001,
AreaRadius = 30,
AreaX = 3969,
AreaY = 27879,
AreaZ = 2999,
Arg1 = 6003,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "dama3,4",
Arg5 = "1",
Arg6 = "270",
Arg7 = "080下坡买菜大妈",
Arg8 = "150",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 110186,
AreaName = "",
AreaRadius = 30,
AreaX = 3020,
AreaY = 26500,
AreaZ = 2994,
Arg1 = 6039,
Arg2 = "censure",
Arg5 = "1",
Arg6 = "120",
Arg9 = "2",
Face = 120,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 214,
AreaName = "",
AreaRadius = 30,
AreaX = 1776,
AreaY = 26879,
AreaZ = 3000,
Arg1 = 6001,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "dama4",
Arg5 = "1",
Arg6 = "180",
Arg8 = "150",
Arg9 = "2",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 110187,
AreaName = "",
AreaRadius = 30,
AreaX = 61,
AreaY = 26921,
AreaZ = 3215,
Arg1 = 6007,
Arg2 = "flatter",
Arg5 = "1",
Arg6 = "270",
Arg7 = "066山顶被训大叔警察",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 226,
AreaRadius = 30,
AreaX = 6065,
AreaY = 29501,
AreaZ = 2977,
Arg1 = 6079,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "dog2,3",
Arg6 = "180",
Arg8 = "100",
Arg9 = "2",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 107,
AreaName = "",
AreaRadius = 30,
AreaX = 6166,
AreaY = 29644,
AreaZ = 3000,
Arg1 = 6044,
Arg2 = "daxiao",
Arg6 = "90",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 10299,
AreaName = "",
AreaRadius = 30,
AreaX = 395,
AreaY = 26258,
AreaZ = 3212,
Arg1 = 6033,
Arg2 = "act01",
Arg5 = "1",
Arg6 = "270",
Arg7 = "064后山山顶踢球小孩",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 110091,
AreaName = "",
AreaRadius = 30,
AreaX = 3724,
AreaY = 26899,
AreaZ = 2981,
Arg1 = 6065,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "180",
Arg7 = "071旧城鱼店小黄狗小孩卖鱼强",
Arg9 = "2",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 127,
AreaName = "ΦÇüσÑ╢σÑ\182",
AreaRadius = 30,
AreaX = 3556,
AreaY = 26716,
AreaZ = 3000,
Arg1 = 6080,
Arg2 = "idle",
Arg6 = "270",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 126,
AreaRadius = 30,
AreaX = 5877,
AreaY = 26446,
AreaZ = 2977,
Arg1 = 6078,
Arg2 = "idle2",
Arg6 = "210",
Arg9 = "2",
Face = 210,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 110187,
AreaName = "",
AreaRadius = 30,
AreaX = 2831,
AreaY = 27023,
AreaZ = 2981,
Arg1 = 6003,
Arg2 = "censure",
Arg5 = "1",
Arg6 = "320",
Arg7 = "084µùºσƒÄΣ╣░ΦÅ£Θ╗äΦë▓σÑ│σñºσª\136",
Arg9 = "2",
Face = 320,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 105,
AreaName = "",
AreaRadius = 30,
AreaX = 2581,
AreaY = 28179,
AreaZ = 2981,
Arg1 = 6026,
Arg2 = "idle2",
Arg5 = "1",
Arg6 = "270",
Arg7 = "069σ░Åσ╖╖σ¡Éτü░σ╕╜σ¡Éτö\183",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 128,
AreaRadius = 30,
AreaX = 27663,
AreaY = 7828,
AreaZ = 2143,
Arg1 = 6081,
Arg2 = "idle",
Arg6 = "0",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
},
{
AreaHeight = 500,
AreaId = 1,
AreaWidth = 50,
AreaX = 13547,
AreaY = 31427,
AreaZ = 2033,
Face = 270,
IsHight = false,
TriggerId = 2029,
},
{
AreaHeight = 200,
AreaId = 1,
AreaWidth = 50,
AreaX = 3763,
AreaY = 1748,
AreaZ = 2034,
Face = 270,
IsHight = false,
TriggerId = 2029,
},
{
AreaHeight = 800,
AreaId = 1,
AreaWidth = 50,
AreaX = 31668,
AreaY = 23026,
AreaZ = 2033,
Face = 90,
IsHight = false,
TriggerId = 2029,
},
{
AreaHeight = 50,
AreaId = 1,
AreaWidth = 200,
AreaX = 13694,
AreaY = 31920,
AreaZ = 2034,
Face = 0,
IsHight = false,
TriggerId = 2029,
},
{
AreaId = 120,
AreaRadius = 30,
AreaX = 27565,
AreaY = 6870,
AreaZ = 2143,
Arg1 = 6071,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "90",
Face = 90,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 107,
AreaRadius = 30,
AreaX = 27297,
AreaY = 7870,
AreaZ = 2143,
Arg1 = 6040,
Arg2 = "idle",
Arg6 = "300",
Arg9 = "2",
Face = 300,
IsHight = false,
TriggerId = 2106,
},
{
AreaHeight = 50,
AreaId = 1,
AreaWidth = 400,
AreaX = 19177,
AreaY = 73,
AreaZ = 2034,
Face = 180,
IsHight = false,
TriggerId = 2029,
},
{
AreaHeight = 50,
AreaId = 1,
AreaWidth = 550,
AreaX = 26003,
AreaY = 1735,
AreaZ = 2034,
Face = 180,
IsHight = false,
TriggerId = 2029,
},
{
AreaHeight = 50,
AreaId = 1,
AreaWidth = 800,
AreaX = 26475,
AreaY = 30531,
AreaZ = 2034,
Face = 0,
IsHight = false,
TriggerId = 2029,
},
{
AreaHeight = 50,
AreaId = 1,
AreaWidth = 450,
AreaX = 14370,
AreaY = 31926,
AreaZ = 2034,
Face = 0,
IsHight = false,
TriggerId = 2029,
},
{
AreaHeight = 500,
AreaId = 1,
AreaWidth = 100,
AreaX = 198,
AreaY = 21150,
AreaZ = 2034,
Face = 270,
IsHight = false,
TriggerId = 2029,
},
{
AreaHeight = 200,
AreaId = 1,
AreaWidth = 5000,
AreaX = 8609,
AreaY = 1441,
AreaZ = 2034,
Face = 180,
IsHight = false,
TriggerId = 2029,
},
{
AreaId = 106,
AreaRadius = 30,
AreaX = 27287,
AreaY = 7779,
AreaZ = 2143,
Arg1 = 6038,
Arg2 = "photograph",
Arg6 = "270",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
},
{
AreaHeight = 100,
AreaId = 1,
AreaWidth = 1300,
AreaX = 14674,
AreaY = 1579,
AreaZ = 2034,
Face = 180,
IsHight = false,
TriggerId = 2029,
},
{
AreaHeight = 50,
AreaId = 1,
AreaWidth = 400,
AreaX = 22389,
AreaY = 1866,
AreaZ = 2033,
Face = 180,
IsHight = false,
TriggerId = 2029,
},
{
AreaHeight = 1300,
AreaId = 1,
AreaWidth = 50,
AreaX = 31923,
AreaY = 13913,
AreaZ = 2034,
Face = 90,
IsHight = false,
TriggerId = 2029,
},
{
AreaHeight = 50,
AreaId = 1,
AreaWidth = 300,
AreaX = 24489,
AreaY = 31635,
AreaZ = 2034,
Face = 0,
IsHight = false,
TriggerId = 2029,
},
{
AreaHeight = 50,
AreaId = 1,
AreaWidth = 300,
AreaX = 20795,
AreaY = 31631,
AreaZ = 2034,
Face = 0,
IsHight = false,
TriggerId = 2029,
},
{
AreaId = 128,
AreaRadius = 30,
AreaX = 6966,
AreaY = 27705,
AreaZ = 2987,
Arg1 = 6081,
Arg2 = "idle",
Arg6 = "0",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 222,
AreaRadius = 30,
AreaX = 4149,
AreaY = 27884,
AreaZ = 2978,
Arg1 = 6073,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "shitou2",
Arg5 = "1",
Arg6 = "90",
Arg8 = "100",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 102,
AreaRadius = 30,
AreaX = 6976,
AreaY = 27946,
AreaZ = 2987,
Arg1 = 3086,
Arg5 = "1",
Arg6 = "90",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 127,
AreaRadius = 30,
AreaX = 5882,
AreaY = 26609,
AreaZ = 2978,
Arg1 = 6080,
Arg2 = "idle",
Arg6 = "30",
Arg9 = "2",
Face = 30,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 302,
AreaRadius = 30,
AreaX = 1220,
AreaY = 22952,
AreaZ = 2729,
Arg1 = 3073,
Arg2 = "idle",
Arg6 = "90",
Arg9 = "0",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 110094,
AreaRadius = 30,
AreaX = 2185,
AreaY = 25502,
AreaZ = 2981,
Arg1 = 6080,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "90",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 10101,
AreaRadius = 30,
AreaX = 2307,
AreaY = 19919,
AreaZ = 2040,
Arg1 = 3011,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "0",
Arg7 = "µ╡╖µ╗¿Σ╕ìΦ»┤Φ»\157",
DramaName = "",
Face = 0,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1915030,
AreaName = "",
AreaRadius = 30,
AreaX = 30194,
AreaY = 18211,
AreaZ = 2244,
Arg1 = 6012,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "0",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 10103,
AreaName = "滑梯",
AreaRadius = 30,
AreaX = 2367,
AreaY = 18967,
AreaZ = 2042,
Arg1 = 6031,
Arg2 = "slide1",
Arg5 = "1",
Arg6 = "0",
Arg7 = "公园母子2",
Arg9 = "1",
DramaName = "",
Face = 0,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 109,
AreaName = "滑梯猫嘴",
AreaRadius = 30,
AreaX = 2367,
AreaY = 18967,
AreaZ = 2042,
Arg1 = 6049,
Arg2 = "hellow",
Arg5 = "1",
Arg6 = "0",
Arg7 = "µ╡╖µ╗¿Σ╕ìΦ»┤Φ»\157",
Arg9 = "1",
DramaName = "",
Face = 0,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 199,
AreaRadius = 30,
AreaX = 2367,
AreaY = 18967,
AreaZ = 2042,
Arg1 = 3064,
Arg2 = "idle",
Arg6 = "0",
Arg8 = "100",
Arg9 = "0",
DramaName = "",
Face = 0,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 10104,
AreaRadius = 30,
AreaX = 3014,
AreaY = 18924,
AreaZ = 2040,
Arg1 = 6001,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "90",
Arg7 = "公园母子1",
Arg9 = "2",
DramaName = "",
Face = 90,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 10102,
AreaRadius = 30,
AreaX = 2412,
AreaY = 19908,
AreaZ = 2040,
Arg1 = 6044,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "0",
Arg7 = "公园滑梯情侣",
Arg9 = "2",
DramaName = "",
Face = 0,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 231,
AreaName = "四臂工头",
AreaRadius = 30,
AreaX = 7147,
AreaY = 2687,
AreaZ = 2049,
Arg1 = 6399,
Arg2 = "idle,1.1",
Arg6 = "0",
Arg9 = "1",
DramaName = "",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912028,
AreaRadius = 30,
AreaX = 29755,
AreaY = 20562,
AreaZ = 2237,
Arg1 = 6068,
Arg2 = "talk",
Arg5 = "1",
Arg6 = "130",
Arg9 = "2",
Face = 130,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 2,
AreaName = "τ╗╝σÉêµÑ\188",
AreaRadius = 30,
AreaX = 11605,
AreaY = 7352,
AreaZ = 2238,
Arg1 = 1010,
Arg2 = "paqiang",
Arg6 = "0",
Arg9 = "0",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 111,
AreaName = "",
AreaRadius = 30,
AreaX = 19131,
AreaY = 29094,
AreaZ = 2060,
Arg1 = 6004,
Arg2 = "sit",
Arg6 = "0",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 2,
AreaName = "地铁_上墙",
AreaRadius = 30,
AreaX = 8321,
AreaY = 17418,
AreaZ = 5267,
Arg1 = 1010,
Arg2 = "paqiang",
Arg6 = "0",
Arg9 = "0",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 2,
AreaName = "Σ║ïσèíµë\128",
AreaRadius = 30,
AreaX = 24881,
AreaY = 10450,
AreaZ = 2054,
Arg1 = 1010,
Arg2 = "paqiang",
Arg6 = "270",
Arg9 = "0",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 2,
AreaName = "σòåσ║ùΦí\151",
AreaRadius = 30,
AreaX = 12665,
AreaY = 24246,
AreaZ = 4604,
Arg1 = 1010,
Arg2 = "paqiang",
Arg6 = "270",
Arg9 = "0",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 2,
AreaName = "Σ║ïσèíµë\128",
AreaRadius = 30,
AreaX = 22950,
AreaY = 10450,
AreaZ = 2054,
Arg1 = 1010,
Arg2 = "paqiang",
Arg6 = "270",
Arg9 = "0",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 2,
AreaName = "电玩",
AreaRadius = 30,
AreaX = 9763,
AreaY = 16032,
AreaZ = 4744,
Arg1 = 1010,
Arg2 = "paqiang",
Arg6 = "0",
Arg9 = "0",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 105,
AreaRadius = 30,
AreaX = 27673,
AreaY = 3763,
AreaZ = 2143,
Arg1 = 6029,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "190",
Arg9 = "2",
Face = 190,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 119,
AreaRadius = 30,
AreaX = 28859,
AreaY = 23972,
AreaZ = 2048,
Arg1 = 6070,
Arg2 = "idle2",
Arg6 = "0",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 101,
AreaRadius = 30,
AreaX = 28556,
AreaY = 25560,
AreaZ = 2048,
Arg1 = 6014,
Arg2 = "call1",
Arg5 = "1",
Arg6 = "90",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 208,
AreaRadius = 30,
AreaX = 28685,
AreaY = 27642,
AreaZ = 2048,
Arg1 = 6047,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "guangjie8",
Arg5 = "1",
Arg6 = "90",
Arg8 = "100",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 226,
AreaRadius = 30,
AreaX = 27664,
AreaY = 5302,
AreaZ = 2146,
Arg1 = 6077,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "dog1",
Arg6 = "270",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 103,
AreaRadius = 30,
AreaX = 18578,
AreaY = 8448,
AreaZ = 2048,
Arg1 = 6018,
Arg2 = "idle",
Arg6 = "290",
Arg7 = "Σ╜Åσ«àσî║µÄ¿Θö\1282",
Arg9 = "2",
Face = 290,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 126,
AreaRadius = 30,
AreaX = 27656,
AreaY = 7678,
AreaZ = 2143,
Arg1 = 6079,
Arg2 = "wanshua",
Arg6 = "180",
Arg9 = "2",
Face = 180,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 108,
AreaRadius = 30,
AreaX = 22954,
AreaY = 6020,
AreaZ = 2058,
Arg1 = 6044,
Arg2 = "sit",
Arg6 = 240,
Arg9 = "2",
Face = 240,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915090,
AreaName = "",
AreaRadius = 30,
AreaX = 21869,
AreaY = 17183,
AreaZ = 2769,
Arg1 = 6035,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "man3",
Arg5 = "1",
Arg6 = "90",
Arg8 = "100",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 208,
AreaRadius = 30,
AreaX = 23598,
AreaY = 3779,
AreaZ = 2048,
Arg1 = 6046,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "guangjie10",
Arg5 = "1",
Arg6 = 240,
Arg8 = "150",
Arg9 = "2",
Face = 240,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915094,
AreaName = "",
AreaRadius = 30,
AreaX = 20618,
AreaY = 16976,
AreaZ = 2769,
Arg1 = 6064,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "xiaoyi3,3",
Arg6 = "90",
Arg8 = "200",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 117,
AreaRadius = 30,
AreaX = 29920,
AreaY = 12794,
AreaZ = 2048,
Arg1 = 6068,
Arg10 = "301004",
Arg2 = "daxiao",
Arg5 = "1",
Arg6 = "0",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 208,
AreaRadius = 30,
AreaX = 31244,
AreaY = 12737,
AreaZ = 2048,
Arg1 = 6041,
Arg10 = "301004",
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "guangjie4",
Arg5 = "1",
Arg6 = "0",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 112,
AreaName = "警察",
AreaRadius = 30,
AreaX = 19391,
AreaY = 13168,
AreaZ = 2049,
Arg1 = 6059,
Arg10 = "5613",
Arg2 = "idle2",
Arg5 = "1",
Arg6 = 100,
Arg9 = "3",
Face = 100,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 112,
AreaName = "警察",
AreaRadius = 30,
AreaX = 16141,
AreaY = 21913,
AreaZ = 2049,
Arg1 = 6059,
Arg2 = "idle2",
Arg5 = "1",
Arg6 = "60",
Arg9 = "2",
Face = 60,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915070,
AreaRadius = 30,
AreaX = 24267,
AreaY = 16318,
AreaZ = 2038,
Arg1 = 6377,
Arg2 = "show",
Arg5 = "1",
Arg6 = "50",
Arg7 = "5070µïìτàºτ╗äΦó½µïìΦ\128\133",
Arg9 = "2",
Face = 50,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915065,
AreaRadius = 30,
AreaX = 24783,
AreaY = 15134,
AreaZ = 2048,
Arg1 = 6032,
Arg10 = "301002",
Arg2 = "act01",
Arg5 = "1",
Arg6 = "180",
Arg9 = "3",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915050,
AreaRadius = 30,
AreaX = 18704,
AreaY = 11404,
AreaZ = 2048,
Arg1 = 6074,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "niujiao2,3",
Arg5 = "1",
Arg6 = "180",
Arg8 = "100",
Arg9 = "2",
Face = 180,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 149,
AreaRadius = 30,
AreaX = 17442,
AreaY = 12555,
AreaZ = 2048,
Arg1 = 5003,
Arg2 = "idle",
Arg6 = "180",
Arg9 = "3",
Face = 180,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 2,
AreaName = "Σ║ïσèíµë\128",
AreaRadius = 30,
AreaX = 23960,
AreaY = 10450,
AreaZ = 2054,
Arg1 = 1010,
Arg2 = "paqiang",
Arg6 = "270",
Arg9 = "0",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 217,
AreaName = "",
AreaRadius = 30,
AreaX = 13910,
AreaY = 20192,
AreaZ = 2049,
Arg1 = 6069,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "duanfa1",
Arg5 = "1",
Arg6 = 100,
Arg8 = "100",
Arg9 = "2",
Face = 100,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 200,
AreaName = "秋千",
AreaRadius = 30,
AreaX = 2011,
AreaY = 19955,
AreaZ = 2040,
Arg1 = 3065,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "0",
Arg8 = "100",
Arg9 = "0",
DramaName = "",
Face = 0,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 108,
AreaRadius = 30,
AreaX = 9293,
AreaY = 20521,
AreaZ = 1041,
Arg1 = 6047,
Arg2 = "idle2",
Arg5 = "1",
Arg6 = "0",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 221,
AreaRadius = 30,
AreaX = 29869,
AreaY = 15406,
AreaZ = 2048,
Arg1 = 6072,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "guaishou2",
Arg5 = "1",
Arg6 = "90",
Arg8 = "150",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915068,
AreaRadius = 30,
AreaX = 25775,
AreaY = 17461,
AreaZ = 2048,
Arg1 = 4544,
Arg2 = "talk",
Arg5 = "1",
Arg6 = "0",
Arg9 = "2",
DramaName = "",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 198,
AreaRadius = 30,
AreaX = 9893,
AreaY = 19202,
AreaZ = 1041,
Arg1 = 3062,
Arg2 = "idle",
Arg6 = "180",
Arg9 = "0",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 105,
AreaRadius = 30,
AreaX = 10607,
AreaY = 20456,
AreaZ = 1041,
Arg1 = 6036,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "270",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 118,
AreaRadius = 30,
AreaX = 27665,
AreaY = 12938,
AreaZ = 2160,
Arg1 = 6069,
Arg10 = "301004",
Arg2 = "talk",
Arg6 = "90",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 203,
AreaRadius = 30,
AreaX = 28133,
AreaY = 12375,
AreaZ = 2160,
Arg1 = 6015,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "grandpa4",
Arg5 = "1",
Arg6 = "90",
Arg8 = "100",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 209,
AreaRadius = 30,
AreaX = 26707,
AreaY = 17815,
AreaZ = 2048,
Arg1 = 6049,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "child2,3",
Arg5 = "1",
Arg6 = "90",
Arg8 = "60",
Arg9 = "3",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 228,
AreaRadius = 30,
AreaX = 26710,
AreaY = 17685,
AreaZ = 2048,
Arg1 = 6081,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "child1,3",
Arg6 = "90",
Arg8 = "150",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 105,
AreaRadius = 30,
AreaX = 10695,
AreaY = 19195,
AreaZ = 1041,
Arg1 = 6025,
Arg2 = "idle2",
Arg5 = "1",
Arg6 = "180",
Arg9 = "2",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915074,
AreaRadius = 30,
AreaX = 24036,
AreaY = 22102,
AreaZ = 2048,
Arg1 = 6006,
Arg2 = "flatter",
Arg5 = "1",
Arg6 = "220",
Arg7 = "5074餐厅老板",
Arg9 = "2",
Face = 220,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 220,
AreaRadius = 30,
AreaX = 7498,
AreaY = 19718,
AreaZ = 1041,
Arg1 = 6071,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "gaygay",
Arg5 = "1",
Arg6 = "270",
Arg8 = "100",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 101,
AreaRadius = 30,
AreaX = 12354,
AreaY = 19247,
AreaZ = 1535,
Arg1 = 6013,
Arg2 = "call",
Arg5 = "1",
Arg6 = "270",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 217,
AreaName = "",
AreaRadius = 30,
AreaX = 7381,
AreaY = 20037,
AreaZ = 1041,
Arg1 = 6068,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "xuesheng2",
Arg5 = "1",
Arg6 = 100,
Arg8 = "150",
Face = 100,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 115,
AreaRadius = 30,
AreaX = 9738,
AreaY = 19381,
AreaZ = 1041,
Arg1 = 6066,
Arg13 = { 20, { "censure" } },
Arg2 = "idle",
Arg3 = "npc_common_01",
Arg5 = "1",
Arg6 = "0",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1002,
AreaName = "Σ╕╗τ║┐_Σ╗╗σèí1002",
AreaRadius = 140,
AreaX = 11534,
AreaY = 22268,
AreaZ = 4330,
Arg1 = "1020|201005|1",
IsHight = false,
TriggerId = 2047,
TriggerType = 0,
},
{
AreaId = 1001,
AreaName = "Σ╕╗τ║┐Σ╗╗σèí1001",
AreaRadius = 512,
AreaX = 4084,
AreaY = 19873,
AreaZ = 2040,
Arg1 = "1010",
Arg3 = "act1001",
Arg4 = "1",
IsHight = false,
TriggerId = 2073,
TriggerType = 1,
},
{
AreaId = 301004,
AreaName = "µö»τ║┐_3σí\1481τ║ºΣ╗╗σè\1614Σ╕┤µù╢",
AreaRadius = 160,
AreaX = 27726,
AreaY = 13860,
AreaZ = 1991,
Arg1 = "301004|561306|1",
Arg3 = "301004",
Arg4 = "1",
DramaName = "",
IsHight = false,
TriggerId = 2047,
TriggerType = 0,
},
{
AreaId = 303004,
AreaName = "µö»τ║┐_3σí\1483τ║ºΣ╗╗σè\1614Σ╕┤µù╢",
AreaRadius = 160,
AreaX = 27185,
AreaY = 15563,
AreaZ = 2033,
Arg1 = "303004|561308|2",
Arg3 = "act60011",
Arg4 = "1",
DramaName = "",
IsHight = false,
TriggerId = 2047,
TriggerType = 0,
},
{
AreaId = 301001,
AreaName = "µö»τ║┐_3σí\1481τ║ºΣ╗╗σè\1611Σ╕┤µù╢",
AreaRadius = 160,
AreaX = 17713,
AreaY = 13869,
AreaZ = 2010,
Arg1 = "301001|561303|1",
Arg3 = "5613",
Arg4 = "1",
DramaName = "",
IsHight = false,
TriggerId = 2047,
TriggerType = 0,
},
{
AreaId = 303001,
AreaName = "µö»τ║┐_3σí\1483τ║ºΣ╗╗σè\1611Σ╕┤µù╢",
AreaRadius = 160,
AreaX = 26017,
AreaY = 3744,
AreaZ = 2033,
Arg1 = "303001|561304|1",
Arg3 = "301002",
Arg4 = "1",
DramaName = "",
IsHight = false,
TriggerId = 2047,
TriggerType = 0,
},
{
AreaId = 104,
AreaName = "",
AreaRadius = 30,
AreaX = 5422,
AreaY = 3575,
AreaZ = 2049,
Arg1 = 6022,
Arg2 = "cidle",
Arg5 = "1",
Arg6 = "270",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 297,
AreaName = "Θ¥óσîàΦ╜\166",
AreaRadius = 30,
AreaX = 15809,
AreaY = 31838,
AreaZ = 2034,
Arg1 = 3067,
Arg2 = "idle,0.75",
Arg3 = "npc_comwalk",
Arg4 = "car2,4",
Arg6 = "0",
Arg8 = "500",
Arg9 = "1",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 216,
AreaRadius = 30,
AreaX = 23553,
AreaY = 9005,
AreaZ = 2048,
Arg1 = 6067,
Arg10 = "501402",
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "pangzi2,4",
Arg5 = "1",
Arg6 = "90",
Arg8 = "100",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
},
{
AreaHeight = 300,
AreaId = 12,
AreaName = "酒吧",
AreaWidth = 300,
AreaX = 18479,
AreaY = 19990,
AreaZ = 2048,
Arg1 = "1010",
Arg2 = "1010.39,601.66,90",
Arg3 = "18497.00,1650,19992.22,90",
Arg6 = "1000",
DramaName = "",
Face = 270,
IsHight = false,
TriggerId = 2123,
},
{
AreaId = 2,
AreaName = "τ╗╝σÉêµÑ\188",
AreaRadius = 30,
AreaX = 1370,
AreaY = 15397,
AreaZ = 5821,
Arg1 = 1010,
Arg2 = "xiaqiang",
Arg6 = "180",
Arg9 = "0",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 2,
AreaName = "σ£░Θôüµù\129",
AreaRadius = 30,
AreaX = 10100,
AreaY = 17925,
AreaZ = 2400,
Arg1 = 1010,
Arg2 = "paqiang",
Arg6 = "90",
Arg9 = "0",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 2,
AreaName = "σ£░Θôüµù\129",
AreaRadius = 30,
AreaX = 8953,
AreaY = 17945,
AreaZ = 2400,
Arg1 = 1010,
Arg2 = "paqiang",
Arg6 = "90",
Arg9 = "0",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaHeight = 300,
AreaId = 4,
AreaName = "休闲区站",
AreaWidth = 300,
AreaX = 8314,
AreaY = 14439,
AreaZ = 2034,
Arg1 = "8314.39,1700.00,14439.52",
Arg2 = "Σ╝æΘù▓σî\186",
Arg3 = "σ░ÅΘ▒╝σà¼Σ║ñµ¼óΦ┐ĵé¿τÜäΣ╣ÿσ¥É∩╝\140",
Arg4 = "Σ╝áΘ\128üΘù¿_Θ¢äΦï▒Θ½ÿΣ╕¡",
Arg5 = "Σ║ïσèíσî\186",
Arg6 = "000camera",
DramaName = "",
Face = 90,
IsHight = false,
TriggerId = 2140,
TriggerType = 1,
},
{
AreaId = 106,
AreaRadius = 30,
AreaX = 27735,
AreaY = 29758,
AreaZ = 2065,
Arg1 = 6035,
Arg2 = "sit2",
Arg6 = "270",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaHeight = 4000,
AreaId = 7,
AreaName = "µùºσƒÄσî║_σòåΣ╕ÜΦí\151",
AreaWidth = 200,
AreaX = 8484,
AreaY = 25987,
AreaZ = 2056,
Arg1 = "1",
Arg2 = "0",
Arg3 = "2",
IsHight = false,
TriggerId = 2147,
TriggerType = 0,
},
{
AreaId = 5,
AreaName = "旧城区_鸟叫",
AreaRadius = 1800,
AreaX = 7020,
AreaY = 27827,
AreaZ = 2987,
Arg1 = "1100",
Arg2 = "bird11",
Arg3 = "3124.10",
Arg4 = "2648.22",
Arg5 = "23730.04",
IsHight = false,
TriggerId = 2000,
TriggerType = 1,
},
{
AreaId = 5,
AreaName = "旧城区_鸟叫",
AreaRadius = 1800,
AreaX = 6972,
AreaY = 28117,
AreaZ = 2987,
Arg1 = "1103",
Arg2 = "bird4",
Arg3 = "3124.10",
Arg4 = "2648.22",
Arg5 = "23730.04",
IsHight = false,
TriggerId = 2000,
TriggerType = 1,
},
{
AreaId = 7,
AreaRadius = 7000,
AreaX = 1295,
AreaY = 28713,
AreaZ = 1623,
Arg1 = "0.9",
Arg2 = "0",
Arg3 = "2",
IsHight = false,
TriggerId = 2147,
TriggerType = 0,
},
{
AreaId = 5,
AreaName = "旧城区_列车警铃",
AreaRadius = 1800,
AreaX = 136,
AreaY = 21006,
AreaZ = 2034,
Arg1 = "8011",
Arg2 = "ring1",
Arg3 = "-106.60",
Arg4 = "2503.00",
Arg5 = "21058.92",
IsHight = false,
TriggerId = 2000,
TriggerType = 0,
},
{
AreaId = 5,
AreaName = "旧城区_鸟叫",
AreaRadius = 1800,
AreaX = 1738,
AreaY = 25481,
AreaZ = 2981,
Arg1 = "1102",
Arg2 = "bird3",
Arg3 = "3124.10",
Arg4 = "2648.22",
Arg5 = "23730.04",
IsHight = false,
TriggerId = 2000,
TriggerType = 1,
},
{
AreaId = 5,
AreaName = "旧城区_鸟叫",
AreaRadius = 1800,
AreaX = 4096,
AreaY = 24382,
AreaZ = 2832,
Arg1 = "1101",
Arg2 = "bird2",
Arg3 = "3124.10",
Arg4 = "2648.22",
Arg5 = "23730.04",
IsHight = false,
TriggerId = 2000,
TriggerType = 1,
},
{
AreaHeight = 8000,
AreaId = 6,
AreaName = "Σ╕╗σ╣▓Θü\147",
AreaWidth = 1300,
AreaX = 14831,
AreaY = 9315,
AreaZ = 2034,
Arg1 = "8001",
Arg2 = "street2",
Arg3 = "15007.60",
Arg4 = "2034.00",
Arg5 = "23860.64",
Arg6 = "3",
IsHight = false,
TriggerId = 2000,
TriggerType = 0,
},
{
AreaId = 5,
AreaName = "µùºσƒÄσî\186",
AreaRadius = 7000,
AreaX = 1295,
AreaY = 28713,
AreaZ = 2503,
Arg1 = "8005",
Arg2 = "µùºσƒÄσî\186",
Arg3 = "3124.10",
Arg4 = "2648.22",
Arg5 = "23730.04",
IsHight = false,
TriggerId = 2000,
TriggerType = 0,
},
{
AreaId = 5,
AreaName = "繁华区_喷泉",
AreaRadius = 1400,
AreaX = 25032,
AreaY = 15640,
AreaZ = 2048,
Arg1 = "8013",
Arg2 = "penquan3",
Arg3 = "25032.82",
Arg4 = "2048.00",
Arg5 = "15640.98",
IsHight = false,
TriggerId = 2000,
TriggerType = 0,
},
{
AreaHeight = 2000,
AreaId = 6,
AreaName = "繁华区_地铁",
AreaWidth = 2000,
AreaX = 18509,
AreaY = 10663,
AreaZ = 2034,
Arg1 = "8003",
Arg2 = "subway",
Arg3 = "18475.92",
Arg4 = "2034.00",
Arg5 = "11235.72",
IsHight = false,
TriggerId = 2000,
TriggerType = 1,
},
{
AreaId = 5,
AreaName = "医院_喷泉",
AreaRadius = 1400,
AreaX = 18578,
AreaY = 26622,
AreaZ = 2169,
Arg1 = "8013",
Arg2 = "penquan1",
Arg3 = "18578.53",
Arg4 = "2169.00",
Arg5 = "26622.98",
IsHight = false,
TriggerId = 2000,
TriggerType = 0,
},
{
AreaId = 5,
AreaName = "繁华区_喷泉",
AreaRadius = 1600,
AreaX = 30178,
AreaY = 18551,
AreaZ = 2048,
Arg1 = "8017",
Arg2 = "penquan4",
Arg3 = "30105.38",
Arg4 = "2048.00",
Arg5 = "17478.93",
Arg6 = "3",
IsHight = false,
TriggerId = 2000,
TriggerType = 0,
},
{
AreaId = 5,
AreaName = "繁华区_喷泉",
AreaRadius = 1400,
AreaX = 25007,
AreaY = 16767,
AreaZ = 2048,
Arg1 = "8013",
Arg2 = "penquan2",
Arg3 = "25007.13",
Arg4 = "2048.00",
Arg5 = "16767.02",
IsHight = false,
TriggerId = 2000,
TriggerType = 0,
},
{
AreaHeight = 4500,
AreaId = 6,
AreaName = "Σ╜Åσ«àσî\186",
AreaWidth = 800,
AreaX = 22360,
AreaY = 4837,
AreaZ = 2034,
Arg1 = "1204",
Arg2 = "street5_3",
Arg3 = "22360.44",
Arg4 = "2034.00",
Arg5 = "4837.02",
Arg6 = "2",
IsHight = false,
TriggerId = 2000,
TriggerType = 1,
},
{
AreaHeight = 4000,
AreaId = 6,
AreaName = "旧城区_乡下",
AreaWidth = 200,
AreaX = 8484,
AreaY = 25987,
AreaZ = 2034,
Arg1 = "8005",
Arg2 = "乡下",
Arg3 = "15007.60",
Arg4 = "2034.00",
Arg5 = "23860.64",
Arg6 = "2",
IsHight = false,
TriggerId = 2000,
TriggerType = 0,
},
{
AreaHeight = 800,
AreaId = 6,
AreaName = "Σ╕╗σ╣▓Θü\147",
AreaWidth = 5200,
AreaX = 21725,
AreaY = 10166,
AreaZ = 2034,
Arg1 = "8002",
Arg2 = "street5_1",
Arg3 = "21725.94",
Arg4 = "2034.00",
Arg5 = "10166.08",
Arg6 = "2",
IsHight = false,
TriggerId = 2000,
TriggerType = 0,
},
{
AreaHeight = 4500,
AreaId = 6,
AreaName = "Σ╜Åσ«àσî\186",
AreaWidth = 800,
AreaX = 19180,
AreaY = 4783,
AreaZ = 2034,
Arg1 = "1204",
Arg2 = "street5_4",
Arg3 = "19180.85",
Arg4 = "2034.00",
Arg5 = "4783.01",
Arg6 = "2",
IsHight = false,
TriggerId = 2000,
TriggerType = 1,
},
{
AreaHeight = 300,
AreaId = 11,
AreaName = "Σ╛┐σê⌐σ║\151",
AreaWidth = 300,
AreaX = 2564,
AreaY = 10361,
AreaZ = 2614,
Arg1 = "1012",
Arg2 = "630.21,206.76,180",
Arg3 = "2527.73,2214,10294.38,180",
Arg6 = "1000",
IsHight = false,
TriggerId = 2123,
},
{
AreaId = 119,
AreaName = "",
AreaRadius = 30,
AreaX = 1557,
AreaY = 9911,
AreaZ = 2048,
Arg1 = 6070,
Arg10 = "501404",
Arg2 = "idle2",
Arg6 = "300",
Arg9 = "2",
Face = 300,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915056,
AreaRadius = 30,
AreaX = 16631,
AreaY = 19870,
AreaZ = 2048,
Arg1 = 6075,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "120",
Arg9 = "2",
Face = 120,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 117,
AreaRadius = 30,
AreaX = 23905,
AreaY = 21103,
AreaZ = 2058,
Arg1 = 6046,
Arg2 = "sit1,1.1",
Arg6 = "270",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 107,
AreaName = "",
AreaRadius = 30,
AreaX = 3290,
AreaY = 11609,
AreaZ = 2624,
Arg1 = 6040,
Arg2 = "censure",
Arg6 = "90",
Arg9 = "1",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 118,
AreaName = "",
AreaRadius = 30,
AreaX = 5636,
AreaY = 11233,
AreaZ = 2624,
Arg1 = 6001,
Arg2 = "idle",
Arg6 = "330",
Arg9 = "1",
Face = 330,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 129,
AreaRadius = 30,
AreaX = 23380,
AreaY = 21208,
AreaZ = 2243,
Arg1 = 60015,
Arg2 = "idle",
Arg6 = "90",
Arg9 = "0",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 101,
AreaName = "",
AreaRadius = 30,
AreaX = 4904,
AreaY = 9825,
AreaZ = 2624,
Arg1 = 6011,
Arg2 = "call1",
Arg6 = "270",
Arg9 = "1",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915079,
AreaRadius = 30,
AreaX = 17248,
AreaY = 20243,
AreaZ = 2048,
Arg1 = 4552,
Arg2 = "idle,0.8",
Arg6 = "90",
Arg9 = "3",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 122,
AreaName = "",
AreaRadius = 30,
AreaX = 5814,
AreaY = 11201,
AreaZ = 2624,
Arg1 = 6073,
Arg2 = "idle",
Arg6 = "180",
Arg9 = "1",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 106,
AreaRadius = 30,
AreaX = 24041,
AreaY = 21094,
AreaZ = 2048,
Arg1 = 6035,
Arg2 = "sit1,1.1",
Arg6 = "90",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 105,
AreaName = "",
AreaRadius = 30,
AreaX = 3184,
AreaY = 11628,
AreaZ = 2624,
Arg1 = 6029,
Arg2 = "idle2",
Arg6 = "270",
Arg9 = "1",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 101,
AreaRadius = 30,
AreaX = 22650,
AreaY = 21683,
AreaZ = 2048,
Arg1 = 6380,
Arg2 = "sit,1.1",
Arg6 = "270",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 218,
AreaRadius = 30,
AreaX = 18582,
AreaY = 18659,
AreaZ = 2048,
Arg1 = 6075,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "dabeitou3,4",
Arg5 = "1",
Arg6 = "90",
Arg8 = "100",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 111,
AreaName = "",
AreaRadius = 30,
AreaX = 3803,
AreaY = 10355,
AreaZ = 2624,
Arg1 = 6003,
Arg2 = "idle",
Arg6 = "0",
Arg9 = "1",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 124,
AreaName = "",
AreaRadius = 30,
AreaX = 4678,
AreaY = 9623,
AreaZ = 2624,
Arg1 = 6075,
Arg2 = "idle,0.9",
Arg6 = "90",
Arg9 = "1",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 117,
AreaName = "",
AreaRadius = 30,
AreaX = 4681,
AreaY = 9707,
AreaZ = 2624,
Arg1 = 6068,
Arg2 = "idle",
Arg6 = "90",
Arg9 = "1",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 127,
AreaName = "",
AreaRadius = 30,
AreaX = 4042,
AreaY = 10174,
AreaZ = 2624,
Arg1 = 6080,
Arg2 = "idle",
Arg6 = "120",
Arg9 = "1",
Face = 120,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 101,
AreaRadius = 30,
AreaX = 22667,
AreaY = 21185,
AreaZ = 2048,
Arg1 = 6012,
Arg2 = "cleep",
Arg6 = "270",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 218,
AreaRadius = 30,
AreaX = 18557,
AreaY = 18445,
AreaZ = 2048,
Arg1 = 6069,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "duanfa2,4",
Arg5 = "1",
Arg6 = "90",
Arg8 = "100",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 208,
AreaRadius = 30,
AreaX = 22201,
AreaY = 21111,
AreaZ = 2048,
Arg1 = 6045,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "tibao1,4",
Arg5 = "1",
Arg6 = "0",
Arg8 = "100",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 304,
AreaName = "σé¿τë⌐µƒ\156",
AreaRadius = 30,
AreaX = 20988,
AreaY = 21176,
AreaZ = 2048,
Arg1 = 3074,
Arg2 = "idle",
Arg6 = "90",
Arg8 = "100",
Arg9 = "0",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 123,
AreaRadius = 30,
AreaX = 18339,
AreaY = 19403,
AreaZ = 2048,
Arg1 = 6074,
Arg2 = "idle",
Arg6 = "340",
Arg9 = "3",
Face = 340,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 118,
AreaName = "",
AreaRadius = 30,
AreaX = 5474,
AreaY = 11596,
AreaZ = 2624,
Arg1 = 6069,
Arg2 = "idle",
Arg6 = "90",
Arg9 = "1",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 123,
AreaName = "",
AreaRadius = 30,
AreaX = 5890,
AreaY = 11200,
AreaZ = 2624,
Arg1 = 6074,
Arg2 = "idle",
Arg6 = "180",
Arg9 = "1",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915082,
AreaRadius = 30,
AreaX = 17166,
AreaY = 20900,
AreaZ = 2048,
Arg1 = 6071,
Arg2 = "idle",
Arg6 = "90",
Arg7 = "5082gayτö\183",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915080,
AreaRadius = 30,
AreaX = 17241,
AreaY = 20091,
AreaZ = 2048,
Arg1 = 6043,
Arg2 = "idle",
Arg6 = "90",
Arg9 = "3a",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 110,
AreaName = "",
AreaRadius = 30,
AreaX = 5593,
AreaY = 10124,
AreaZ = 2624,
Arg1 = 6007,
Arg2 = "flatter",
Arg6 = "180",
Arg9 = "1",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 207,
AreaName = "",
AreaRadius = 30,
AreaX = 8008,
AreaY = 11346,
AreaZ = 2624,
Arg1 = 6040,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "white1,3",
Arg5 = "1",
Arg6 = "0",
Arg8 = "100",
Arg9 = "1",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaHeight = 400,
AreaId = 14,
AreaName = "海浜公园",
AreaWidth = 300,
AreaX = 27970,
AreaY = 5149,
AreaZ = 2033,
Arg1 = "1013",
Arg2 = "15944.49,22592.48,0",
Arg3 = "27970.57,1700.00,5149.75,90",
Arg6 = "1000",
DramaName = "",
IsHight = false,
TriggerId = 2123,
},
{
AreaHeight = 300,
AreaId = 13,
AreaName = "餐厅",
AreaWidth = 300,
AreaX = 18450,
AreaY = 18558,
AreaZ = 2033,
Arg1 = "1011",
Arg2 = "559.57,424.39,180",
Arg3 = "18516.04,1650,18600.07,90",
Arg6 = "1000",
DramaName = "",
Face = 270,
IsHight = false,
TriggerId = 2123,
},
{
AreaId = 201101,
AreaName = "火场入口",
AreaRadius = 160,
AreaX = 7097,
AreaY = 2217,
AreaZ = 2048,
Arg1 = "201101|561201|2",
DramaName = "",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 2011031,
AreaName = "µòæτü½σà│σà│σì\161",
AreaRadius = 100,
AreaX = 10986,
AreaY = 13290,
AreaZ = 2034,
Arg1 = "201103|561223|2",
Arg2 = "1",
DramaName = "",
IsHight = false,
TriggerId = 2047,
TriggerType = 0,
},
{
AreaHeight = 800,
AreaId = 6,
AreaName = "Σ╕╗σ╣▓Θü\147",
AreaWidth = 7000,
AreaX = 7423,
AreaY = 13878,
AreaZ = 2034,
Arg1 = "8001",
Arg2 = "street5_2",
Arg3 = "7423.97",
Arg4 = "2034.00",
Arg5 = "13878.81",
Arg6 = "2",
IsHight = false,
TriggerId = 2000,
TriggerType = 0,
},
{
AreaId = 202002,
AreaName = "σí\1482µö»τ║┐2-2",
AreaRadius = 160,
AreaX = 27859,
AreaY = 5170,
AreaZ = 2048,
Arg1 = "202002|561206|2",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 201002,
AreaName = "σí\1482µö»τ║┐1-2",
AreaRadius = 160,
AreaX = 17708,
AreaY = 11296,
AreaZ = 1983,
Arg1 = "201002|561203|2",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 202004,
AreaName = "σí\1482µö»τ║┐2-4",
AreaRadius = 160,
AreaX = 4362,
AreaY = 14030,
AreaZ = 2040,
Arg1 = "202004|561208|1",
DramaName = "",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 202003,
AreaName = "σí\1482µö»τ║┐2-3",
AreaRadius = 160,
AreaX = 26303,
AreaY = 12927,
AreaZ = 2034,
Arg1 = "202003|561207|1",
IsHight = false,
TriggerId = 2047,
},
{
AreaHeight = 2000,
AreaId = 5,
AreaWidth = 800,
AreaX = 17818,
AreaY = 19554,
AreaZ = 2047,
Arg1 = "1002",
Arg2 = "餐吧",
Arg3 = "18758.83",
Arg4 = "2048.00",
Arg5 = "18526.37",
IsHight = false,
TriggerId = 2000,
TriggerType = 1,
},
{
AreaHeight = 1200,
AreaId = 6,
AreaName = "儿童公园",
AreaWidth = 1500,
AreaX = 2762,
AreaY = 19154,
AreaZ = 2059,
Arg1 = "8004",
Arg3 = "10216.24",
Arg4 = "1041.00",
Arg5 = "19877.97",
Arg6 = "2",
IsHight = false,
TriggerId = 2000,
TriggerType = 0,
},
{
AreaId = 5,
AreaName = "繁华区_喷泉",
AreaRadius = 1400,
AreaX = 25017,
AreaY = 17802,
AreaZ = 2048,
Arg1 = "8013",
Arg2 = "penquan1",
Arg3 = "25017.51",
Arg4 = "2048.00",
Arg5 = "17802.52",
IsHight = false,
TriggerId = 2000,
TriggerType = 0,
},
{
AreaId = 5,
AreaName = "旧城区_风铃",
AreaRadius = 512,
AreaX = 3966,
AreaY = 27849,
AreaZ = 2981,
Arg1 = "1108",
Arg2 = "ΘúÄΘôâ",
Arg3 = "3966.38",
Arg4 = "2981.00",
Arg5 = "27849.96",
IsHight = false,
TriggerId = 2000,
TriggerType = 1,
},
{
AreaHeight = 2000,
AreaId = 7,
AreaWidth = 800,
AreaX = 17818,
AreaY = 19554,
AreaZ = 2033,
Arg2 = "0",
Arg3 = "2",
Arg4 = "1",
IsHight = false,
TriggerId = 2147,
TriggerType = 0,
},
{
AreaId = 5,
AreaName = "旧城区_鸟叫",
AreaRadius = 1800,
AreaX = 3124,
AreaY = 23730,
AreaZ = 2503,
Arg1 = "1100",
Arg2 = "bird1",
Arg3 = "3124.10",
Arg4 = "2648.22",
Arg5 = "23730.04",
IsHight = false,
TriggerId = 2000,
TriggerType = 1,
},
{
AreaHeight = 750,
AreaId = 6,
AreaName = "Σ╕╗σ╣▓Θü\147",
AreaWidth = 7000,
AreaX = 7202,
AreaY = 21236,
AreaZ = 2034,
Arg1 = "8002",
Arg2 = "street4",
Arg3 = "15007.60",
Arg4 = "2034.00",
Arg5 = "23860.64",
Arg6 = "2",
IsHight = false,
TriggerId = 2000,
TriggerType = 0,
},
{
AreaHeight = 100,
AreaId = 5,
AreaName = "商业区_店铃",
AreaWidth = 100,
AreaX = 24395,
AreaY = 20686,
AreaZ = 2049,
Arg1 = "8019",
DramaName = "",
IsHight = false,
TriggerId = 2153,
TriggerType = 0,
},
{
AreaHeight = 600,
AreaId = 8,
AreaWidth = 2050,
AreaX = 20655,
AreaY = 21022,
AreaZ = 2033,
Arg2 = "0",
Arg3 = "2",
Arg4 = "1",
IsHight = false,
TriggerId = 2147,
TriggerType = 0,
},
{
AreaHeight = 3400,
AreaId = 7,
AreaName = "µùºσƒÄσî║_σòåΣ╕ÜΦí\151",
AreaWidth = 900,
AreaX = 10415,
AreaY = 25210,
AreaZ = 2056,
Arg1 = "1",
Arg2 = "0",
Arg3 = "2",
IsHight = false,
TriggerId = 2147,
TriggerType = 1,
},
{
AreaHeight = 100,
AreaId = 5,
AreaName = "商业区_店铃",
AreaWidth = 200,
AreaX = 23611,
AreaY = 21960,
AreaZ = 2049,
Arg1 = "8019",
DramaName = "",
IsHight = false,
TriggerId = 2153,
TriggerType = 0,
},
{
AreaHeight = 100,
AreaId = 5,
AreaName = "商业区_店铃",
AreaWidth = 350,
AreaX = 20130,
AreaY = 21560,
AreaZ = 2049,
Arg1 = "8019",
DramaName = "",
IsHight = false,
TriggerId = 2153,
TriggerType = 0,
},
{
AreaId = 101101,
AreaName = "µö»τ║┐_1σí\1481τ║ºΣ╗╗σèíΘô╛1",
AreaRadius = 150,
AreaX = 10476,
AreaY = 22924,
AreaZ = 2034,
Arg1 = "101101|561101|1",
Arg2 = "5601",
Arg3 = "5601",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 301103,
AreaName = "µö»τ║┐_3σí\1481τ║ºΣ╗╗σèíΘô╛3",
AreaRadius = 160,
AreaX = 22675,
AreaY = 13868,
AreaZ = 2034,
Arg1 = "301103|561301|1",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 101104,
AreaName = "µö»τ║┐_1σí\1481τ║ºΣ╗╗σèíΘô╛4",
AreaRadius = 256,
AreaX = 6906,
AreaY = 15827,
AreaZ = 2040,
Arg1 = "101104|561102|1",
Arg3 = "5611",
DramaName = "",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 301104,
AreaName = "µö»τ║┐_3σí\1481τ║ºΣ╗╗σèíΘô╛4",
AreaRadius = 160,
AreaX = 26510,
AreaY = 23891,
AreaZ = 2034,
Arg1 = "301104|561302|1",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 2,
AreaName = "τ╗╝σÉêµÑ\188",
AreaRadius = 30,
AreaX = 12734,
AreaY = 5527,
AreaZ = 2043,
Arg1 = 1010,
Arg2 = "paqiang",
Arg6 = "90",
Arg9 = "0",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 2,
AreaName = "下墙1",
AreaRadius = 30,
AreaX = 24730,
AreaY = 12116,
AreaZ = 8079,
Arg1 = 1010,
Arg2 = "xiaqiang",
Arg6 = "270",
Arg9 = "0",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 2,
AreaName = "τ╗╝σÉêµÑ\188",
AreaRadius = 30,
AreaX = 7625,
AreaY = 15954,
AreaZ = 2137,
Arg1 = 1010,
Arg2 = "paqiang",
Arg6 = "0",
Arg9 = "0",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 101003,
AreaName = "µö»τ║┐_1σí\1482τ║ºΣ╗╗σè\1611Σ╕┤µù╢",
AreaRadius = 160,
AreaX = 5189,
AreaY = 28483,
AreaZ = 2946,
Arg1 = "101003|561103|1",
Arg3 = "102",
DramaName = "",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 103007,
AreaName = "µö»τ║┐_1σí\1482τ║ºΣ╗╗σèíΘô╛2Σ╕┤µù╢",
AreaRadius = 160,
AreaX = 10529,
AreaY = 22753,
AreaZ = 2033,
Arg1 = "103007|561107|1",
Arg2 = "5601",
DramaName = "",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 102002,
AreaName = "µö»τ║┐_1σí\1482τ║ºΣ╗╗σè\1612Σ╕┤µù╢",
AreaRadius = 160,
AreaX = 14402,
AreaY = 30877,
AreaZ = 2034,
Arg1 = "102002|561104|2",
DramaName = "",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 103002,
AreaName = "µö»τ║┐_1σí\1483τ║ºΣ╗╗σè\1612Σ╕┤µù╢",
AreaRadius = 160,
AreaX = 4714,
AreaY = 30820,
AreaZ = 2996,
Arg1 = "103002|561109|2",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 103003,
AreaName = "µö»τ║┐_1σí\1483τ║ºΣ╗╗σè\1613Σ╕┤µù╢",
AreaRadius = 160,
AreaX = 718,
AreaY = 20213,
AreaZ = 2038,
Arg1 = "103003|562101|2",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 202008,
AreaName = "µö»τ║┐2-8µùáσ»╗Φ╖»µîçσ╝\149",
AreaRadius = 5000,
AreaX = 11091,
AreaY = 11616,
AreaZ = 2044,
IsHight = false,
TriggerId = 2200,
TriggerType = 1,
},
{
AreaHeight = 50,
AreaId = 1,
AreaWidth = 450,
AreaX = 15560,
AreaY = 31945,
AreaZ = 2034,
Face = 0,
IsHight = false,
TriggerId = 2029,
},
{
AreaId = 1912032,
AreaName = "广场猫嘴小孩",
AreaRadius = 30,
AreaX = 10817,
AreaY = 12606,
AreaZ = 2011,
Arg1 = 3047,
Arg2 = "act01",
Arg5 = "1",
Arg6 = "45",
Arg7 = "203132猫嘴小孩",
Arg9 = "2",
Face = 45,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 105,
AreaRadius = 30,
AreaX = 297,
AreaY = 21158,
AreaZ = 2034,
Arg1 = 6027,
Arg2 = "idle",
Arg6 = "90",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 202105,
AreaName = "µö»τ║┐2_2_7µùáσ»╗Φ╖\175",
AreaRadius = 6000,
AreaX = 23117,
AreaY = 2806,
AreaZ = 2034,
IsHight = false,
TriggerId = 2200,
TriggerType = 1,
},
{
AreaId = 20200501,
AreaName = "临时npc老板",
AreaRadius = 30,
AreaX = 12135,
AreaY = 8879,
AreaZ = 2159,
Arg1 = 6526,
Arg12 = "1",
Arg2 = "idle",
Arg6 = "180",
Arg9 = "0",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 122,
AreaName = "",
AreaRadius = 30,
AreaX = 9418,
AreaY = 15322,
AreaZ = 2137,
Arg1 = 6073,
Arg2 = "idle",
Arg5 = "1",
Arg6 = 200,
Arg9 = "3",
Face = 200,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 302201,
AreaName = "µö»τ║┐_3σí\1482τ║ºΣ╗╗σèíΘô╛4Σ╕┤µù╢",
AreaRadius = 160,
AreaX = 17145,
AreaY = 22834,
AreaZ = 2024,
Arg1 = "302201|561309|1",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 102105,
AreaName = "µö»τ║┐_1σí\1482τ║ºΣ╗╗σèíΘô╛5Σ╕┤µù╢",
AreaRadius = 160,
AreaX = 5475,
AreaY = 21161,
AreaZ = 2034,
Arg1 = "102105|561108|1",
Arg3 = "5601",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 301002,
AreaName = "µö»τ║┐_3σí\1481τ║ºΣ╗╗σè\1612Σ╕┤µù╢",
AreaRadius = 160,
AreaX = 26017,
AreaY = 3744,
AreaZ = 2034,
Arg1 = "301002|561312|1",
Arg3 = "301002",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 302001,
AreaName = "µö»τ║┐_3σí\1482τ║ºΣ╗╗σè\1611Σ╕┤µù╢",
AreaRadius = 160,
AreaX = 26335,
AreaY = 10608,
AreaZ = 2035,
Arg1 = "302001|561307|1",
DramaName = "",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 111,
AreaRadius = 30,
AreaX = 18844,
AreaY = 5648,
AreaZ = 2034,
Arg1 = 6015,
Arg2 = "idle",
Arg5 = "1",
Arg6 = 80,
Arg7 = "Σ╜Åσ«àσî║τ£ïµè\165",
Face = 80,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 302,
AreaName = "信箱",
AreaRadius = 30,
AreaX = 18748,
AreaY = 5662,
AreaZ = 2039,
Arg1 = 3073,
Arg2 = "idle",
Arg6 = "90",
Arg9 = "0",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915016,
AreaRadius = 30,
AreaX = 26795,
AreaY = 16914,
AreaZ = 2048,
Arg1 = 6010,
Arg2 = "call",
Arg5 = "1",
Arg6 = "90",
Arg7 = "上班族A通用",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912051,
AreaName = "",
AreaRadius = 30,
AreaX = 12030,
AreaY = 6753,
AreaZ = 2237,
Arg1 = 6072,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "180",
Arg7 = "2051扭蛋机前怪兽脑袋",
Arg9 = "3",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 107,
AreaRadius = 30,
AreaX = 18591,
AreaY = 19531,
AreaZ = 2048,
Arg1 = 6008,
Arg2 = "idle,1.2",
Arg6 = "90",
Arg9 = "1",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912006,
AreaName = "",
AreaRadius = 30,
AreaX = 8546,
AreaY = 11081,
AreaZ = 2060,
Arg1 = 6024,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "110",
Arg7 = "200506工人",
Arg9 = "2",
Face = 110,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 198,
AreaRadius = 30,
AreaX = 9709,
AreaY = 19202,
AreaZ = 1041,
Arg1 = 3062,
Arg2 = "idle",
Arg6 = "180",
Arg9 = "0",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 129,
AreaRadius = 30,
AreaX = 1726,
AreaY = 23146,
AreaZ = 2745,
Arg1 = 60011,
Arg2 = "idle",
Arg6 = "300",
Arg7 = "090山坡小猫",
Arg9 = "0",
Face = 300,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 106,
AreaRadius = 30,
AreaX = 18172,
AreaY = 10437,
AreaZ = 2048,
Arg1 = 6038,
Arg2 = "idle",
Arg6 = "0",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 2,
AreaName = "σòåσ║ùΦí\151",
AreaRadius = 30,
AreaX = 11854,
AreaY = 21827,
AreaZ = 2049,
Arg1 = 1010,
Arg2 = "paqiang",
Arg6 = "270",
Arg9 = "0",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 2,
AreaName = "下墙1",
AreaRadius = 30,
AreaX = 23082,
AreaY = 12128,
AreaZ = 8079,
Arg1 = 1010,
Arg2 = "xiaqiang",
Arg6 = "270",
Arg9 = "0",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaHeight = 300,
AreaId = 1,
AreaWidth = 20,
AreaX = 3413,
AreaY = 2228,
AreaZ = 2034,
Face = 270,
IsHight = false,
TriggerId = 2029,
},
{
AreaId = 201,
AreaRadius = 30,
AreaX = 25908,
AreaY = 23404,
AreaZ = 2055,
Arg1 = 6011,
Arg2 = "idle",
Arg3 = "npc_comwalk",
Arg4 = "woker3",
Arg5 = "1",
Arg6 = "270",
Arg7 = "上班族A通用",
Arg8 = "150",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 108,
AreaRadius = 30,
AreaX = 23187,
AreaY = 9070,
AreaZ = 2068,
Arg1 = 6044,
Arg10 = "501402",
Arg2 = "sit",
Arg6 = 180,
Arg9 = "2",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 129,
AreaRadius = 30,
AreaX = 17039,
AreaY = 21127,
AreaZ = 2190,
Arg1 = 60014,
Arg2 = "idle",
Arg6 = "270",
Arg9 = "0",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 2001,
AreaName = "黑猫",
AreaRadius = 30,
AreaX = 16858,
AreaY = 9343,
AreaZ = 2226,
Arg1 = 6395,
Arg2 = "idle",
Arg3 = "npc_blackcat",
Arg6 = "180",
Arg7 = "黑猫彩蛋配置",
Arg9 = "0",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 50102,
AreaName = "Σ╕ûτòîΣ╗╗σèíσ»╗Φ╖»ΦºªσÅæσÖ\168",
AreaRadius = 6000,
AreaX = 21931,
AreaY = 19470,
AreaZ = 3536,
IsHight = false,
TriggerId = 2200,
TriggerType = 1,
},
{
AreaId = 50101,
AreaName = "Σ╕ûτòîΣ╗╗σèíµùáσ»╗Φ╖»µîçσ╝\149",
AreaRadius = 6000,
AreaX = 10781,
AreaY = 20152,
AreaZ = 1041,
IsHight = false,
TriggerId = 2200,
TriggerType = 1,
},
{
AreaId = 5110101,
AreaName = "支线男嫌疑犯",
AreaRadius = 30,
AreaX = 13189,
AreaY = 18649,
AreaZ = 2136,
Arg1 = 6578,
Arg2 = "lose",
Arg6 = "0",
Arg9 = "0",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 103004,
AreaName = "µö»τ║┐_1σí\1483τ║ºΣ╗╗σè\1614Σ╕┤µù╢",
AreaRadius = 160,
AreaX = 23882,
AreaY = 19099,
AreaZ = 2049,
Arg1 = "103004|561222|2",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 201003,
AreaName = "σí\1482µö»τ║┐1-3",
AreaRadius = 160,
AreaX = 23881,
AreaY = 19099,
AreaZ = 2049,
Arg1 = "201003|561221|2",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 103001,
AreaName = "µö»τ║┐_1σí\1483τ║ºΣ╗╗σè\1611Σ╕┤µù╢",
AreaRadius = 160,
AreaX = 746,
AreaY = 16252,
AreaZ = 2034,
Arg1 = "103001|561105|1",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 50203,
AreaName = "世界_纸人",
AreaRadius = 160,
AreaX = 26307,
AreaY = 10938,
AreaZ = 2042,
Arg1 = "50203|501202|1",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 50303,
AreaName = "Σ╕ûτòî_σñºσÅúΦè\177",
AreaRadius = 150,
AreaX = 5475,
AreaY = 21161,
AreaZ = 2034,
Arg1 = "50303|501302|1",
DramaName = "",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 50402,
AreaName = "世界_射击boss",
AreaRadius = 160,
AreaX = 23617,
AreaY = 9836,
AreaZ = 2120,
Arg1 = "50402|501402|1",
Arg3 = "501402",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 50503,
AreaName = "世界_抓狗1",
AreaRadius = 160,
AreaX = 3357,
AreaY = 20573,
AreaZ = 2049,
Arg1 = "50503|561221|2",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 50603,
AreaName = "世界_抓狗2",
AreaRadius = 160,
AreaX = 3357,
AreaY = 20573,
AreaZ = 2049,
Arg1 = "50603|561222|2",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 5110103,
AreaName = "µö»τ║┐_Φ¡ªµêÆτÜäΦ¡ªσ»\1592",
AreaRadius = 30,
AreaX = 13058,
AreaY = 18681,
AreaZ = 2137,
Arg1 = 6585,
Arg6 = "300",
DramaName = "",
Face = 300,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 5110102,
AreaName = "支线_看押警察1",
AreaRadius = 30,
AreaX = 13247,
AreaY = 18737,
AreaZ = 2136,
Arg1 = 6585,
Arg6 = "30",
Face = 30,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 50604,
AreaName = "世界任务50604",
AreaRadius = 150,
AreaX = 17708,
AreaY = 11296,
AreaZ = 1983,
Arg1 = "50604|501602|2",
Arg3 = "5612",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 50504,
AreaName = "世界任务50504",
AreaRadius = 150,
AreaX = 777,
AreaY = 12512,
AreaZ = 2032,
Arg1 = "50504|501404|1",
Arg3 = "501404",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 107,
AreaRadius = 30,
AreaX = 22617,
AreaY = 17492,
AreaZ = 3663,
Arg1 = 6043,
Arg2 = "sit",
Arg6 = 0,
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 110096,
AreaRadius = 30,
AreaX = 781,
AreaY = 23217,
AreaZ = 2731,
Arg1 = 6018,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "300",
Arg9 = "2",
Face = 300,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915081,
AreaRadius = 30,
AreaX = 17169,
AreaY = 20964,
AreaZ = 2048,
Arg1 = 4543,
Arg2 = "idle",
Arg6 = "90",
Arg7 = "5081σÑ╢Φî╢σ║ùτö╖σÑ\179",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 10204,
AreaRadius = 30,
AreaX = 11108,
AreaY = 23213,
AreaZ = 2049,
Arg1 = 6069,
Arg10 = "5601",
Arg2 = "talk",
Arg5 = "1",
Arg6 = 250,
Arg7 = "019自动贩卖机前短发JK",
Arg9 = "2",
Face = 250,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 108,
AreaRadius = 30,
AreaX = 29331,
AreaY = 14929,
AreaZ = 2048,
Arg1 = 6046,
Arg10 = "301004",
Arg2 = "idle",
Arg5 = "1",
Arg6 = "270",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 101,
AreaRadius = 30,
AreaX = 22933,
AreaY = 21663,
AreaZ = 2054,
Arg1 = 6303,
Arg2 = "sit",
Arg6 = "90",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1429,
AreaRadius = 30,
AreaX = 5722,
AreaY = 24324,
AreaZ = 3395,
Arg1 = 60014,
Arg6 = "180",
DramaName = "",
Face = 180,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1430,
AreaRadius = 30,
AreaX = 5702,
AreaY = 31441,
AreaZ = 3454,
Arg1 = 60012,
Arg6 = "30",
Face = 30,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1431,
AreaRadius = 30,
AreaX = 1005,
AreaY = 27716,
AreaZ = 3270,
Arg1 = 60013,
Arg6 = "310",
Face = 310,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 2,
AreaName = "σ£░Θôüµù\129",
AreaRadius = 30,
AreaX = 7815,
AreaY = 17896,
AreaZ = 2410,
Arg1 = 1010,
Arg2 = "paqiang",
Arg6 = "90",
Arg9 = "0",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 2,
AreaName = "σòåσ║ùΦí\151",
AreaRadius = 30,
AreaX = 12284,
AreaY = 25223,
AreaZ = 3123,
Arg1 = 1010,
Arg2 = "paqiang",
Arg6 = "0",
Arg9 = "0",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 2,
AreaName = "休闲区_下墙",
AreaRadius = 30,
AreaX = 26911,
AreaY = 21081,
AreaZ = 5194,
Arg1 = 1010,
Arg2 = "xiaqiang",
Arg6 = "180",
Arg9 = "0",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 2,
AreaName = "地铁_下墙",
AreaRadius = 30,
AreaX = 7913,
AreaY = 17768,
AreaZ = 5267,
Arg1 = 1010,
Arg2 = "xiaqiang",
Arg6 = "270",
Arg9 = "0",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 2,
AreaName = "商业街_下墙",
AreaRadius = 30,
AreaX = 12666,
AreaY = 24446,
AreaZ = 5309,
Arg1 = 1010,
Arg2 = "xiaqiang",
Arg6 = "90",
Arg9 = "0",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 2,
AreaName = "商业街_下墙",
AreaRadius = 30,
AreaX = 11854,
AreaY = 25909,
AreaZ = 3123,
Arg1 = 1010,
Arg2 = "xiaqiang",
Arg6 = "270",
Arg9 = "0",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 2,
AreaName = "τ╗╝σÉêµÑ\188",
AreaRadius = 30,
AreaX = 4082,
AreaY = 15000,
AreaZ = 4917,
Arg1 = 1010,
Arg2 = "xiaqiang",
Arg6 = "90",
Arg9 = "0",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 2,
AreaName = "音像",
AreaRadius = 30,
AreaX = 4611,
AreaY = 15377,
AreaZ = 2052,
Arg1 = 1010,
Arg2 = "paqiang",
Arg6 = "180",
Arg9 = "0",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 2,
AreaName = "地铁_下墙",
AreaRadius = 30,
AreaX = 7884,
AreaY = 16093,
AreaZ = 4690,
Arg1 = 1010,
Arg2 = "xiaqiang",
Arg6 = "180",
Arg9 = "0",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 2,
AreaName = "音像",
AreaRadius = 30,
AreaX = 6524,
AreaY = 15477,
AreaZ = 2052,
Arg1 = 1010,
Arg2 = "paqiang",
Arg6 = "180",
Arg9 = "0",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 2,
AreaName = "地铁_下墙",
AreaRadius = 30,
AreaX = 8551,
AreaY = 17386,
AreaZ = 6172,
Arg1 = 1010,
Arg2 = "xiaqiang",
Arg6 = "180",
Arg9 = "0",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 2,
AreaName = "σòåσ║ùΦí\151",
AreaRadius = 30,
AreaX = 11780,
AreaY = 24203,
AreaZ = 3123,
Arg1 = 1010,
Arg2 = "paqiang",
Arg6 = "90",
Arg9 = "0",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 2,
AreaName = "商业街_下墙",
AreaRadius = 30,
AreaX = 11523,
AreaY = 22030,
AreaZ = 4264,
Arg1 = 1010,
Arg2 = "xiaqiang",
Arg6 = "90",
Arg9 = "0",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 2,
AreaName = "τ╗╝σÉêµÑ\188",
AreaRadius = 30,
AreaX = 6423,
AreaY = 15612,
AreaZ = 4533,
Arg1 = 1010,
Arg2 = "xiaqiang",
Arg6 = "0",
Arg9 = "0",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 50205,
AreaName = "Σ╕ûτòîΣ╗╗σèíσ»╗Φ╖»ΦºªσÅæσÖ\168",
AreaRadius = 4000,
AreaX = 5302,
AreaY = 18969,
AreaZ = 2040,
IsHight = false,
TriggerId = 2200,
TriggerType = 1,
},
{
AreaId = 5020501,
AreaName = "临时梦游大叔",
AreaRadius = 30,
AreaX = 6159,
AreaY = 19416,
AreaZ = 2040,
Arg1 = 6590,
Arg12 = "1",
Arg2 = "idle",
Arg6 = "90",
Arg9 = "0",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 50104,
AreaName = "Σ╕ûτòîΣ╗╗σèíµùáσ»╗Φ╖»µîçσ╝\149",
AreaRadius = 6000,
AreaX = 19189,
AreaY = 5206,
AreaZ = 1041,
IsHight = false,
TriggerId = 2200,
TriggerType = 1,
},
{
AreaId = 50105,
AreaName = "Σ╕ûτòîΣ╗╗σèíµùáσ»╗Φ╖»µîçσ╝\149",
AreaRadius = 4000,
AreaX = 1765,
AreaY = 21298,
AreaZ = 2034,
IsHight = false,
TriggerId = 2200,
TriggerType = 1,
},
{
AreaId = 101201,
AreaName = "µû░µö»τ║┐Σ╗╗σè\161101201",
AreaRadius = 160,
AreaX = 10504,
AreaY = 26469,
AreaZ = 2034,
Arg1 = "101201|571101|1",
Arg3 = "5601",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 101202,
AreaName = "支线101202无寻路触发器",
AreaRadius = 3000,
AreaX = 10780,
AreaY = 26965,
AreaZ = 2033,
IsHight = false,
TriggerId = 2200,
TriggerType = 1,
},
{
AreaId = 10006012,
AreaName = "Σ╕ûτòîΣ╗╗σèíΣ╕┤µù╢npcσ╖Ñτ¿ïΦ╜\166",
AreaRadius = 256,
AreaX = 1084,
AreaY = 21168,
AreaZ = 2034,
Arg1 = 6591,
Arg2 = "idle",
Arg3 = "npc_wait",
Arg6 = "80",
Arg9 = "0",
Face = 80,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 10006014,
AreaName = "世界临时npc小车司机",
AreaRadius = 30,
AreaX = 1647,
AreaY = 21106,
AreaZ = 2034,
Arg1 = 9500,
Arg6 = "95",
Arg9 = "3",
Face = 95,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 5010502,
AreaName = "世界临时npc破车",
AreaRadius = 256,
AreaX = 552,
AreaY = 20646,
AreaZ = 2034,
Arg1 = 6519,
Arg2 = "idle",
Arg6 = "190",
Arg9 = "0",
Face = 190,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 10006011,
AreaName = "Σ╕ûτòîΣ╕┤µù╢npcσºöµëÿΣ║\186",
AreaRadius = 200,
AreaX = 1773,
AreaY = 21297,
AreaZ = 2034,
Arg1 = 6836,
Arg14 = "cpgongzuo",
Arg16 = "300",
Arg2 = "idle",
Arg6 = "100",
Arg9 = "0",
DramaName = "",
Face = 100,
IsHight = false,
TriggerId = 2114,
TriggerType = 1,
},
{
AreaId = 5010504,
AreaName = "世界临时npc卡车司机",
AreaRadius = 30,
AreaX = 773,
AreaY = 20803,
AreaZ = 2034,
Arg1 = 6593,
Arg2 = "censure",
Arg6 = "0",
Arg9 = "0",
DramaName = "",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 5010603,
AreaName = "世界临时npc小孩3",
AreaRadius = 100,
AreaX = 11648,
AreaY = 15164,
AreaZ = 2136,
Arg1 = 6597,
Arg12 = "1",
Arg6 = "0",
Arg9 = "0",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 5010602,
AreaName = "世界临时npc小孩2",
AreaRadius = 100,
AreaX = 11120,
AreaY = 15186,
AreaZ = 2141,
Arg1 = 6596,
Arg6 = "320",
Arg9 = "0",
Face = 320,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 5010601,
AreaName = "世界临时npc小孩1",
AreaRadius = 100,
AreaX = 11376,
AreaY = 15187,
AreaZ = 2136,
Arg1 = 6595,
Arg2 = "act03",
Arg6 = "0",
Arg9 = "0",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 5010604,
AreaName = "世界临时npc小孩家长",
AreaRadius = 200,
AreaX = 6122,
AreaY = 18582,
AreaZ = 2040,
Arg1 = 6598,
Arg12 = "1",
Arg6 = "90",
Arg9 = "0",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 50106,
AreaName = "世界任务无寻路触发器",
AreaRadius = 3000,
AreaX = 11245,
AreaY = 14950,
AreaZ = 2130,
IsHight = false,
TriggerId = 2200,
TriggerType = 1,
},
{
AreaId = 20100801,
AreaName = "支线临时npc",
AreaRadius = 30,
AreaX = 21494,
AreaY = 16345,
AreaZ = 2780,
Arg1 = 6602,
Arg2 = "sit2",
Arg6 = "190",
Arg9 = "0",
Face = 190,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 2010081,
AreaName = "µö»τ║┐_σ뺵âàΦºªσÅæσÖ\168",
AreaRadius = 250,
AreaX = 21492,
AreaY = 16352,
AreaZ = 2769,
Arg1 = "201008",
Arg3 = "zx_201008_1",
Arg4 = "1",
IsHight = false,
TriggerId = 2073,
TriggerType = 1,
},
{
AreaId = 201008,
AreaName = "µö»τ║┐σ»╗Φ╖»ΦºªσÅæσÖ\168",
AreaRadius = 6000,
AreaX = 20130,
AreaY = 16381,
AreaZ = 2769,
IsHight = false,
TriggerId = 2200,
TriggerType = 1,
},
{
AreaId = 101002,
AreaName = "µö»τ║┐Σ╗╗σèíσ»╗Φ╖»ΦºªσÅæσÖ\168",
AreaRadius = 0,
AreaX = 5492,
AreaY = 26348,
AreaZ = 2977,
IsHight = false,
TriggerId = 2200,
TriggerType = 1,
},
{
AreaId = 20100803,
AreaName = "µö»τ║┐_Σ╕┤µù╢npcσÑ│Φ«░ΦÇ\133",
AreaRadius = 100,
AreaX = 20866,
AreaY = 18008,
AreaZ = 2769,
Arg1 = 6606,
Arg12 = "1",
Arg6 = "0",
Arg9 = "0",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 101203,
AreaName = "µö»τ║┐_σ뺵âàΦºªσÅæσÖ\168",
AreaRadius = 256,
AreaX = 5251,
AreaY = 27198,
AreaZ = 2992,
Arg1 = "101203",
Arg3 = "101203_1",
IsHight = false,
TriggerId = 2073,
TriggerType = 1,
},
{
AreaId = 10200101,
AreaRadius = 30,
AreaX = 2945,
AreaY = 27701,
AreaZ = 2981,
Arg1 = 6609,
Arg12 = "1",
Arg6 = "0",
Arg9 = "0",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 104,
AreaName = "",
AreaRadius = 30,
AreaX = 6917,
AreaY = 2686,
AreaZ = 2049,
Arg1 = 6020,
Arg2 = "command",
Arg5 = "1",
Arg6 = 140,
Arg9 = "2",
Face = 140,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 20110301,
AreaName = "救火临时npc塚内",
AreaRadius = 50,
AreaX = 12134,
AreaY = 13143,
AreaZ = 2049,
Arg1 = 6611,
Arg12 = "1",
Arg6 = "0",
Arg9 = "0",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 20110302,
AreaName = "救火临时npc警车",
AreaRadius = 100,
AreaX = 11924,
AreaY = 13491,
AreaZ = 2034,
Arg1 = 6614,
Arg6 = "90",
Arg9 = "0",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 20110402,
AreaName = "救火临时npc三茶",
AreaRadius = 30,
AreaX = 12615,
AreaY = 21791,
AreaZ = 2048,
Arg1 = 6612,
Arg12 = "1",
Arg6 = "270",
Arg9 = "0",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 201104,
AreaName = "救火打敌人触发器",
AreaRadius = 160,
AreaX = 12194,
AreaY = 21791,
AreaZ = 2034,
Arg1 = "201104|561224|2",
DramaName = "",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 1101101,
AreaName = "Σ╕╗τ║┐µÄóµ╡ïΦÇüσÑ╢σÑ\182",
AreaRadius = 30,
AreaX = 10443,
AreaY = 6191,
AreaZ = 2040,
Arg1 = 6618,
Arg12 = "1",
Arg6 = "90",
Arg8 = "46",
Arg9 = "0",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 1101102,
AreaName = "主线探测小孩",
AreaRadius = 30,
AreaX = 10444,
AreaY = 6281,
AreaZ = 2041,
Arg1 = 6619,
Arg2 = "cry",
Arg6 = "90",
Arg8 = "46",
Arg9 = "0",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 1101103,
AreaName = "主线探测工人1",
AreaRadius = 30,
AreaX = 9773,
AreaY = 5561,
AreaZ = 2041,
Arg1 = 6621,
Arg2 = "act01",
Arg6 = "300",
Arg9 = "0",
Face = 300,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 1101105,
AreaName = "主线探测警察",
AreaRadius = 30,
AreaX = 9876,
AreaY = 5495,
AreaZ = 2040,
Arg1 = 6623,
Arg2 = "talk_loop",
Arg6 = "90",
Arg9 = "0",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 1101104,
AreaName = "主线探测工人2",
AreaRadius = 30,
AreaX = 9760,
AreaY = 5420,
AreaZ = 2041,
Arg1 = 6622,
Arg2 = "sweat",
Arg6 = "230",
Arg9 = "0",
Face = 230,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 1020001,
AreaName = "探测_临时npc塚内",
AreaRadius = 30,
AreaX = 25925,
AreaY = 21932,
AreaZ = 2048,
Arg1 = 6633,
Arg2 = "talk_idle_loop",
Arg6 = "0",
Arg8 = "62",
Arg9 = "0",
DramaName = "",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 1020002,
AreaName = "探测_临时npc店主",
AreaRadius = 30,
AreaX = 25944,
AreaY = 21769,
AreaZ = 2048,
Arg1 = 6632,
Arg2 = "idle",
Arg6 = "180",
Arg8 = "62",
Arg9 = "0",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 1020003,
AreaName = "探测_临时警员",
AreaRadius = 30,
AreaX = 26008,
AreaY = 21845,
AreaZ = 2050,
Arg1 = 6634,
Arg6 = "90",
Arg8 = "62",
Arg9 = "0",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 10200,
AreaName = "Σ╕╗τ║┐Σ┐íσÅ╖σíöΦºúΘö\129",
AreaRadius = 160,
AreaX = 27397,
AreaY = 21081,
AreaZ = 5195,
Arg1 = "10200",
Arg2 = "301",
IsHight = false,
TriggerId = 2254,
TriggerType = 1,
},
{
AreaId = 1915010,
AreaRadius = 30,
AreaX = 20476,
AreaY = 21943,
AreaZ = 2048,
Arg1 = 6013,
Arg2 = "cidle",
Arg5 = "1",
Arg6 = "200",
Arg7 = "5005σ¢┤ΦºéΣ╕èτÅ¡µù\143",
Arg9 = "1",
Face = 200,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1020,
AreaName = "Σ╕╗σƒÄσƒ║τ½Öσ╝\128σÉ»ΦºªσÅæσÖ¿",
AreaRadius = 400,
AreaX = 27568,
AreaY = 21029,
AreaZ = 5195,
Arg1 = "1300",
Arg2 = "jzjt_3",
Arg3 = "1",
IsHight = false,
TriggerId = 2255,
TriggerType = 1,
},
{
AreaId = 201009,
AreaName = "σí\1482µö»τ║┐µèôτî½",
AreaRadius = 160,
AreaX = 11025,
AreaY = 7386,
AreaZ = 2238,
Arg1 = "201009|561225|1|1",
Arg4 = "100802",
DramaName = "",
IsHight = false,
TriggerId = 2047,
},
{
AreaId = 1003,
AreaName = "Σ╕╗σƒÄσƒ║τ½Öσ╝\128σÉ»ΦºªσÅæσÖ¿",
AreaRadius = 380,
AreaX = 11739,
AreaY = 22474,
AreaZ = 4282,
Arg1 = "1030",
Arg2 = "jzjt_1",
Arg3 = "1",
IsHight = false,
TriggerId = 2255,
TriggerType = 1,
},
{
AreaId = 201103,
AreaName = "",
AreaRadius = 160,
AreaX = 11557,
AreaY = 13283,
AreaZ = 2036,
Arg1 = "201103",
Arg3 = "zx_201103_5",
DramaName = "",
IsHight = false,
TriggerId = 2073,
TriggerType = 1,
},
{
AreaId = 20110701,
AreaName = "救火临时npc三茶2",
AreaRadius = 30,
AreaX = 12730,
AreaY = 21795,
AreaZ = 2048,
Arg1 = 6641,
Arg12 = "1",
Arg6 = "90",
Arg9 = "0",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 20110403,
AreaName = "救火临时警车",
AreaRadius = 30,
AreaX = 12175,
AreaY = 21531,
AreaZ = 2034,
Arg1 = 6614,
Arg6 = "270",
Arg9 = "0",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 20110702,
AreaName = "救火临时npc警车",
AreaRadius = 30,
AreaX = 13137,
AreaY = 21535,
AreaZ = 2034,
Arg1 = 6614,
Arg6 = "270",
Arg9 = "0",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 20101001,
AreaName = "抓猫任务小孩",
AreaRadius = 30,
AreaX = 10600,
AreaY = 5700,
AreaZ = 2042,
Arg1 = 6619,
Arg12 = "1",
Arg2 = "idle",
Arg6 = "180",
Arg9 = "0",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 20101002,
AreaName = "抓猫任务老奶",
AreaRadius = 30,
AreaX = 10700,
AreaY = 5788,
AreaZ = 2040,
Arg1 = 6618,
Arg2 = "idle",
Arg6 = "180",
Arg9 = "0",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 201106,
AreaName = "救火关传送触发器",
AreaRadius = 160,
AreaX = 10864,
AreaY = 13166,
AreaZ = 2049,
Arg1 = "201106",
Arg3 = "zx_201106_1",
DramaName = "",
IsHight = false,
TriggerId = 2073,
TriggerType = 1,
},
{
AreaId = 1492,
AreaRadius = 30,
AreaX = 11174,
AreaY = 22558,
AreaZ = 2049,
Arg1 = 3051,
Arg6 = "120",
Arg7 = "046居酒屋前灰色夹克大叔",
Arg9 = "2",
DramaName = "",
Face = 120,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 1492,
AreaRadius = 30,
AreaX = 11057,
AreaY = 22705,
AreaZ = 2049,
Arg1 = 4590,
Arg2 = "call",
Arg5 = "1",
Arg6 = "90",
Arg7 = "047σ▒àΘàÆσ▒ïσëìΣ╕èτÅ¡µù\143",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1495,
AreaRadius = 30,
AreaX = 4286,
AreaY = 29411,
AreaZ = 2981,
Arg1 = 50004,
Arg10 = "102",
Arg6 = "220",
Arg7 = "090山坡小猫",
Arg9 = "2",
Face = 220,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1496,
AreaRadius = 30,
AreaX = 5758,
AreaY = 30624,
AreaZ = 2990,
Arg1 = 6333,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "30",
Arg7 = "079下坡楼梯饭馆大叔",
Arg9 = "2",
DramaName = "",
Face = 30,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1494,
AreaRadius = 30,
AreaX = 5593,
AreaY = 27801,
AreaZ = 2982,
Arg1 = 3087,
Arg7 = "091Θ╕╜σ¡É",
Arg9 = "2",
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1496,
AreaRadius = 30,
AreaX = 5489,
AreaY = 30455,
AreaZ = 2987,
Arg1 = 3087,
Arg6 = "300",
Arg7 = "091Θ╕╜σ¡É",
Arg9 = "2",
Face = 300,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1495,
AreaRadius = 30,
AreaX = 4535,
AreaY = 29560,
AreaZ = 2981,
Arg1 = 3087,
Arg10 = "102",
Arg6 = "220",
Arg7 = "091Θ╕╜σ¡É",
Arg9 = "2",
Face = 220,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 110092,
AreaName = "",
AreaRadius = 30,
AreaX = 3686,
AreaY = 27066,
AreaZ = 2981,
Arg1 = 6030,
Arg2 = "act01",
Arg5 = "1",
Arg6 = "0",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 110093,
AreaName = "",
AreaRadius = 30,
AreaX = 3765,
AreaY = 27135,
AreaZ = 2981,
Arg1 = 6078,
Arg2 = "idle2",
Arg6 = "0",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 10203,
AreaRadius = 30,
AreaX = 9988,
AreaY = 22634,
AreaZ = 2049,
Arg1 = 6064,
Arg10 = "5601",
Arg2 = "idle",
Arg5 = "1",
Arg6 = "90",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 110,
AreaRadius = 30,
AreaX = 10890,
AreaY = 25476,
AreaZ = 2033,
Arg1 = 50005,
Arg10 = "5601",
Arg6 = "300",
Arg7 = "090山坡小猫",
Arg9 = "2",
Face = 300,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1500,
AreaRadius = 30,
AreaX = 8976,
AreaY = 27283,
AreaZ = 2048,
Arg1 = 50006,
Arg6 = "90",
Arg7 = "090山坡小猫",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1499,
AreaRadius = 30,
AreaX = 9659,
AreaY = 29417,
AreaZ = 2048,
Arg1 = 8078,
Arg7 = "071µùºσƒÄΘ▒╝σ║ùσ░ÅΘ╗äτï\151",
Arg9 = "2",
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1499,
AreaRadius = 30,
AreaX = 8717,
AreaY = 24910,
AreaZ = 2048,
Arg1 = 3087,
Arg5 = "1",
Arg9 = "2",
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1499,
AreaRadius = 30,
AreaX = 8747,
AreaY = 28400,
AreaZ = 2028,
Arg1 = 3087,
Arg5 = "1",
Arg7 = "091Θ╕╜σ¡É",
Arg9 = "2",
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1503,
AreaRadius = 30,
AreaX = 9612,
AreaY = 26908,
AreaZ = 2331,
Arg1 = 3073,
Arg6 = "90",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 1512,
AreaRadius = 30,
AreaX = 9616,
AreaY = 24033,
AreaZ = 2049,
Arg1 = 3086,
Arg9 = "2",
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1512,
AreaRadius = 30,
AreaX = 10068,
AreaY = 28555,
AreaZ = 2032,
Arg1 = 3086,
Arg9 = "2",
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1512,
AreaRadius = 30,
AreaX = 8701,
AreaY = 21829,
AreaZ = 2048,
Arg1 = 3086,
Arg6 = "300",
Arg9 = "2",
Face = 300,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1518,
AreaRadius = 30,
AreaX = 3318,
AreaY = 30691,
AreaZ = 3597,
Arg1 = 3087,
Arg6 = "50",
Arg7 = "091Θ╕╜σ¡É",
Arg9 = "1",
DramaName = "",
Face = 50,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 102,
AreaRadius = 30,
AreaX = 6937,
AreaY = 27614,
AreaZ = 2987,
Arg1 = 6034,
Arg2 = "acy01",
Arg5 = "1",
Arg6 = "90",
Arg9 = "2",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 1512,
AreaRadius = 30,
AreaX = 9174,
AreaY = 20681,
AreaZ = 2049,
Arg1 = 3086,
Arg6 = "120",
Arg9 = "2",
Face = 120,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1518,
AreaRadius = 30,
AreaX = 3269,
AreaY = 30774,
AreaZ = 3597,
Arg1 = 3087,
Arg5 = "1",
Arg7 = "091Θ╕╜σ¡Éwd",
Arg9 = "1",
DramaName = "",
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 110178,
AreaRadius = 30,
AreaX = 5655,
AreaY = 25057,
AreaZ = 2934,
Arg1 = 6043,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "150",
Arg9 = "2",
Face = 150,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 10298,
AreaName = "杂货商店NPC",
AreaRadius = 30,
AreaX = 644,
AreaY = 26259,
AreaZ = 3215,
Arg1 = 6643,
Arg2 = "act03",
Arg5 = "1",
Arg6 = "120",
Arg7 = "064后山山顶踢球小孩",
Arg9 = "2",
Face = 120,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 1912001,
AreaRadius = 30,
AreaX = 9024,
AreaY = 9394,
AreaZ = 2059,
Arg1 = 8046,
Arg2 = "talk",
Arg5 = "1",
Arg6 = "230",
Arg7 = "2001工地角落对话棕男绿女",
Arg9 = "2",
Face = 230,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1912024,
AreaName = "",
AreaRadius = 30,
AreaX = 9866,
AreaY = 10972,
AreaZ = 1982,
Arg1 = 6031,
Arg2 = "acy01,0.8",
Arg5 = "1",
Arg6 = 180,
Arg9 = "2",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912008,
AreaName = "",
AreaRadius = 30,
AreaX = 6450,
AreaY = 13211,
AreaZ = 2049,
Arg1 = 6025,
Arg2 = "idle5",
Arg5 = "1",
Arg6 = 80,
Arg7 = "2008τª╗σê½τÜäΦ╜ªτ½Öτö╖σÑ\179",
Arg9 = "2",
Face = 80,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912028,
AreaRadius = 30,
AreaX = 11958,
AreaY = 12231,
AreaZ = 1983,
Arg1 = 3087,
Arg5 = "1",
Arg6 = "120",
Arg9 = "2",
Face = 120,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1912015,
AreaName = "机车JK短发",
AreaRadius = 30,
AreaX = 13852,
AreaY = 10297,
AreaZ = 2047,
Arg1 = 8069,
Arg2 = "talk1,1.1",
Arg5 = "1",
Arg6 = "60",
Arg7 = "203015短发JK",
Arg9 = "0",
Face = 60,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1912028,
AreaRadius = 30,
AreaX = 12260,
AreaY = 12385,
AreaZ = 1983,
Arg1 = 3087,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "250",
Arg9 = "2",
Face = 250,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1912028,
AreaRadius = 30,
AreaX = 12276,
AreaY = 12198,
AreaZ = 1983,
Arg1 = 3087,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "300",
Arg9 = "2",
Face = 300,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1912029,
AreaName = "社会精英",
AreaRadius = 30,
AreaX = 13082,
AreaY = 9658,
AreaZ = 1983,
Arg1 = 8012,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "60",
Arg9 = "2",
Face = 60,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1505,
AreaRadius = 30,
AreaX = 13919,
AreaY = 10242,
AreaZ = 2039,
Arg1 = 3080,
Arg2 = "idle,0.8",
Arg6 = "180",
Arg9 = "0",
Face = 180,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1912030,
AreaName = "机车JK长发",
AreaRadius = 30,
AreaX = 13843,
AreaY = 10213,
AreaZ = 2047,
Arg1 = 6068,
Arg2 = "act07,1.1",
Arg5 = "1",
Arg6 = "120",
Arg7 = "203030长发短发JK摩托",
Arg9 = "0",
Face = 120,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1912033,
AreaName = "σ╣┐σ£║gayτö\183",
AreaRadius = 30,
AreaX = 9667,
AreaY = 11527,
AreaZ = 1990,
Arg1 = 4564,
Arg2 = "idle",
Arg6 = "350",
Arg9 = "2",
Face = 350,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912005,
AreaName = "",
AreaRadius = 30,
AreaX = 8498,
AreaY = 11271,
AreaZ = 2048,
Arg1 = 6371,
Arg2 = "show01",
Arg5 = "1",
Arg6 = 80,
Arg7 = "2005自贩机灰色男工人",
Arg9 = "2",
Face = 80,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 20200804,
AreaName = "支线临时npc",
AreaRadius = 30,
AreaX = 11144,
AreaY = 10960,
AreaZ = 1983,
Arg1 = 6533,
Arg2 = "idle",
Arg6 = "90",
Arg9 = "0",
DramaName = "",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 20200801,
AreaName = "支线临时npc",
AreaRadius = 30,
AreaX = 12633,
AreaY = 9589,
AreaZ = 1983,
Arg1 = 6530,
Arg2 = "idle",
Arg6 = "180",
Arg9 = "0",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 20200802,
AreaName = "支线临时npc",
AreaRadius = 30,
AreaX = 10503,
AreaY = 10304,
AreaZ = 1983,
Arg1 = 6531,
Arg2 = "idle2",
Arg6 = "150",
Arg9 = "0",
Face = 150,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 1912044,
AreaName = "",
AreaRadius = 30,
AreaX = 10319,
AreaY = 3768,
AreaZ = 2051,
Arg1 = 4032,
Arg10 = "5612",
Arg2 = "sit",
Arg6 = 80,
Arg9 = "2",
Face = 80,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912040,
AreaName = "",
AreaRadius = 30,
AreaX = 9903,
AreaY = 7417,
AreaZ = 2041,
Arg1 = 6622,
Arg10 = "5612",
Arg2 = "sit",
Arg6 = "280",
Arg7 = "2040长凳蓝衣黑衣工人",
Arg9 = "2",
Face = 280,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912035,
AreaRadius = 30,
AreaX = 10260,
AreaY = 4381,
AreaZ = 2040,
Arg1 = 3087,
Arg2 = "idle",
Arg6 = "200",
Arg9 = "3",
Face = 200,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912045,
AreaRadius = 30,
AreaX = 10260,
AreaY = 3650,
AreaZ = 2041,
Arg1 = 8310,
Arg5 = "1",
Arg6 = "220",
Arg7 = "204445运动服DK",
Arg9 = "2",
Face = 220,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1912052,
AreaName = "",
AreaRadius = 30,
AreaX = 11253,
AreaY = 7725,
AreaZ = 2242,
Arg1 = 6048,
Arg2 = "sit",
Arg6 = "260",
Arg7 = "2052Θò┐µÄƵë¡Φ¢ïµ£║Σ╝₧Σ╕ïσÑ│σ¡ªτöƒσÆîτñ╛Σ╝ÜΣ║║σÑ\179",
Arg9 = "2",
Face = 260,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912016,
AreaName = "",
AreaRadius = 30,
AreaX = 6618,
AreaY = 13217,
AreaZ = 2049,
Arg1 = 6559,
Arg2 = "idle,0.6",
Arg6 = "260",
Arg9 = "2",
Face = 260,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 1912059,
AreaName = "gayτö\183",
AreaRadius = 30,
AreaX = 12835,
AreaY = 8247,
AreaZ = 2152,
Arg1 = 6071,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "120",
Arg7 = "2059Σ╣░Σ╕£ΦÑ┐gayτö╖σ╖ÑΣ║\186",
Arg9 = "2",
Face = 120,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912035,
AreaRadius = 30,
AreaX = 10300,
AreaY = 4535,
AreaZ = 2044,
Arg1 = 3087,
Arg2 = "idle",
Arg6 = "100",
Arg9 = "3",
Face = 100,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912007,
AreaName = "",
AreaRadius = 30,
AreaX = 6561,
AreaY = 13257,
AreaZ = 2049,
Arg1 = 6045,
Arg2 = "idle",
Arg5 = "1",
Arg6 = 220,
Arg7 = "200807Φô¥Φë▓Φíúµ£ìσÑ\179",
Arg9 = "2",
Face = 220,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912041,
AreaName = "",
AreaRadius = 30,
AreaX = 9959,
AreaY = 7278,
AreaZ = 2041,
Arg1 = 8023,
Arg10 = "5612",
Arg2 = "idle",
Arg5 = "1",
Arg6 = "100",
Arg7 = "204041黑衣工人",
Arg9 = "2",
Face = 100,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912038,
AreaName = "",
AreaRadius = 30,
AreaX = 9902,
AreaY = 8237,
AreaZ = 2041,
Arg1 = 6036,
Arg10 = "5612",
Arg2 = "sit1",
Arg6 = "280",
Arg9 = "3",
Face = 280,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaHeight = 300,
AreaId = 3,
AreaName = "Φï▒Θ¢äΦ«¡τ╗âσ£\186",
AreaWidth = 400,
AreaX = 18504,
AreaY = 10974,
AreaZ = 2033,
Arg1 = "1001",
Arg2 = "10460,1639",
Arg3 = "18517.00,1650.00,11210.00",
Arg6 = "1000",
DramaName = "",
Face = 0,
IsHight = false,
TriggerId = 2123,
},
{
AreaHeight = 400,
AreaId = 15,
AreaName = "枝庆",
AreaWidth = 300,
AreaX = 8964,
AreaY = 19870,
AreaZ = 1041,
Arg1 = "1002",
Arg2 = "20133.00,16941.00,90",
Arg3 = "8964.49,641.00,19870.83,270",
Arg6 = "1000",
DramaName = "",
Face = 180,
IsHight = false,
TriggerId = 2123,
TriggerType = 0,
},
{
AreaId = 5020602,
AreaName = "世界临时npc",
AreaRadius = 30,
AreaX = 27333,
AreaY = 29037,
AreaZ = 2048,
Arg1 = 6660,
Arg2 = "sit",
Arg6 = "270",
Arg9 = "0",
DramaName = "",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 5020609,
AreaName = "世界临时npc",
AreaRadius = 30,
AreaX = 27520,
AreaY = 30031,
AreaZ = 2045,
Arg1 = 6654,
Arg2 = "show03",
Arg6 = "320",
Arg9 = "0",
Face = 320,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 5020601,
AreaName = "世界临时npc",
AreaRadius = 30,
AreaX = 27429,
AreaY = 29109,
AreaZ = 2058,
Arg1 = 6653,
Arg2 = "talk",
Arg6 = "75",
Arg9 = "0",
Face = 75,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 5020603,
AreaName = "世界临时npc",
AreaRadius = 30,
AreaX = 27893,
AreaY = 30228,
AreaZ = 2065,
Arg1 = 6655,
Arg2 = "idle",
Arg6 = "320",
Arg9 = "0",
Face = 320,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 5020604,
AreaName = "世界临时NPC",
AreaRadius = 30,
AreaX = 28406,
AreaY = 30529,
AreaZ = 2048,
Arg1 = 6656,
Arg2 = "show02",
Arg6 = "90",
Arg9 = "0",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 5020607,
AreaName = "世界临时npc",
AreaRadius = 30,
AreaX = 27314,
AreaY = 28138,
AreaZ = 2048,
Arg1 = 6659,
Arg2 = "idle5",
Arg6 = "90",
Arg9 = "0",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 5020608,
AreaName = "世界临时npc",
AreaRadius = 30,
AreaX = 28019,
AreaY = 28564,
AreaZ = 2048,
Arg1 = 6661,
Arg2 = "idle",
Arg6 = "140",
Arg9 = "0",
DramaName = "",
Face = 140,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 5020606,
AreaName = "世界临时npc",
AreaRadius = 30,
AreaX = 27196,
AreaY = 30124,
AreaZ = 2049,
Arg1 = 6658,
Arg2 = "idle",
Arg6 = "270",
Arg9 = "0",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 5020605,
AreaName = "世界临时npc",
AreaRadius = 30,
AreaX = 28298,
AreaY = 29214,
AreaZ = 2048,
Arg1 = 6657,
Arg2 = "idle",
Arg6 = "220",
Arg9 = "0",
Face = 220,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 50206,
AreaName = "Σ╕ûτòîΣ╗╗σèíσ»╗Φ╖»ΦºªσÅæσÖ\168",
AreaRadius = 5000,
AreaX = 27960,
AreaY = 29291,
AreaZ = 2048,
IsHight = false,
TriggerId = 2200,
TriggerType = 1,
},
{
AreaId = 502061,
AreaName = "Σ╕ûτòî_σ뺵âàΦºªσÅæσÖ\168",
AreaRadius = 200,
AreaX = 27561,
AreaY = 30032,
AreaZ = 2048,
Arg1 = "50206",
Arg3 = "zx_50206_1",
Arg4 = "1",
IsHight = false,
TriggerId = 2073,
TriggerType = 1,
},
{
AreaId = 1915008,
AreaRadius = 30,
AreaX = 21348,
AreaY = 21715,
AreaZ = 2048,
Arg1 = 4567,
Arg2 = "censure",
Arg5 = "1",
Arg6 = "60",
Arg7 = "5005大妈",
Arg9 = "2",
Face = 60,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915001,
AreaName = "路人蓝色大妈",
AreaRadius = 30,
AreaX = 17265,
AreaY = 21861,
AreaZ = 2048,
Arg1 = 6001,
Arg2 = "idle",
Arg5 = "1",
Arg6 = 0,
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915011,
AreaRadius = 30,
AreaX = 20844,
AreaY = 21281,
AreaZ = 2048,
Arg1 = 6080,
Arg2 = "idle_sad",
Arg5 = "1",
Arg6 = "320",
Arg7 = "5011σ┐½Θ\128Ƶƒ£σÑ╢σÑ╢σ¡ªτöƒ",
Arg9 = "2",
Face = 320,
GuideDisable = true,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915006,
AreaRadius = 30,
AreaX = 21228,
AreaY = 21647,
AreaZ = 2048,
Arg1 = 6031,
Arg2 = "cry",
Arg5 = "1",
Arg6 = "180",
Arg9 = "1",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915052,
AreaName = "",
AreaRadius = 30,
AreaX = 25719,
AreaY = 9233,
AreaZ = 2049,
Arg1 = 6076,
Arg2 = "idle",
Arg6 = "140",
Arg9 = "2",
Face = 140,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 1915069,
AreaRadius = 30,
AreaX = 25771,
AreaY = 17362,
AreaZ = 2048,
Arg1 = 6041,
Arg2 = "daxiao",
Arg5 = "1",
Arg6 = "180",
Arg9 = "2",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915019,
AreaName = "",
AreaRadius = 30,
AreaX = 16892,
AreaY = 15478,
AreaZ = 2048,
Arg1 = 6009,
Arg2 = "act01",
Arg5 = "1",
Arg6 = "0",
Arg7 = "50181",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915077,
AreaName = "",
AreaRadius = 30,
AreaX = 16154,
AreaY = 12700,
AreaZ = 2049,
Arg1 = 6045,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "120",
Arg9 = "2",
DramaName = "",
Face = 120,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915015,
AreaRadius = 30,
AreaX = 25394,
AreaY = 18528,
AreaZ = 2048,
Arg1 = 6031,
Arg2 = "acy01",
Arg6 = "0",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915017,
AreaName = "σñ⌐µíÑτ£ïΘúĵÖ\175",
AreaRadius = 30,
AreaX = 22299,
AreaY = 14868,
AreaZ = 2457,
Arg1 = 6036,
Arg2 = "idle3",
Arg5 = "1",
Arg6 = "10",
Arg8 = "2",
DramaName = "",
Face = 10,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 117,
AreaRadius = 30,
AreaX = 16811,
AreaY = 16429,
AreaZ = 2048,
Arg1 = 6379,
Arg2 = "show",
Arg5 = "1",
Arg6 = 70,
Arg7 = "µáæΣ╕ïµïìτàºσÑ\179",
Arg9 = "3",
Face = 70,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915060,
AreaRadius = 30,
AreaX = 16530,
AreaY = 14601,
AreaZ = 2048,
Arg1 = 6318,
Arg10 = "5613",
Arg2 = "idle",
Arg5 = "1",
Arg6 = "45",
Face = 45,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915027,
AreaRadius = 30,
AreaX = 20661,
AreaY = 23286,
AreaZ = 2058,
Arg1 = 3087,
Arg6 = "30",
Face = 30,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1510,
AreaRadius = 400,
AreaX = 20512,
AreaY = 23150,
AreaZ = 2035,
Arg1 = "3087",
Arg2 = "act02",
DramaName = "",
IsHight = false,
TriggerId = 2332,
},
{
AreaId = 1915027,
AreaRadius = 30,
AreaX = 20464,
AreaY = 23252,
AreaZ = 2058,
Arg1 = 3087,
Arg6 = "300",
Face = 300,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1915039,
AreaRadius = 30,
AreaX = 28399,
AreaY = 21695,
AreaZ = 2269,
Arg1 = 6071,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "330",
Arg9 = "2",
Face = 330,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915029,
AreaRadius = 30,
AreaX = 29737,
AreaY = 20667,
AreaZ = 2237,
Arg1 = 6069,
Arg2 = "sit",
Arg6 = "270",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915032,
AreaRadius = 30,
AreaX = 31073,
AreaY = 20433,
AreaZ = 2264,
Arg1 = 6049,
Arg2 = "sit",
Arg6 = 90,
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915021,
AreaName = "",
AreaRadius = 30,
AreaX = 16077,
AreaY = 12430,
AreaZ = 2049,
Arg1 = 6076,
Arg2 = "idle",
Arg6 = 80,
Arg9 = "2",
Face = 80,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915073,
AreaName = "",
AreaRadius = 30,
AreaX = 23770,
AreaY = 17679,
AreaZ = 2038,
Arg1 = 3087,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "0",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915058,
AreaRadius = 30,
AreaX = 12876,
AreaY = 15742,
AreaZ = 2136,
Arg1 = 6075,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "330",
Arg7 = "σñºΦâîσñ┤Θ\128Üτö¿",
Arg9 = "2",
Face = 330,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1915073,
AreaName = "喷泉3鸽子2",
AreaRadius = 30,
AreaX = 23665,
AreaY = 17622,
AreaZ = 2038,
Arg1 = 3087,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "200",
Arg9 = "2",
Face = 200,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915038,
AreaRadius = 30,
AreaX = 28470,
AreaY = 21493,
AreaZ = 2268,
Arg1 = 6026,
Arg2 = "idle5",
Arg5 = "1",
Arg6 = "150",
Arg9 = "2",
Face = 150,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1522,
AreaRadius = 500,
AreaX = 23690,
AreaY = 17778,
AreaZ = 2038,
Arg1 = "3087",
Arg2 = "act02",
IsHight = false,
TriggerId = 2332,
},
{
AreaId = 1915031,
AreaName = "",
AreaRadius = 30,
AreaX = 30100,
AreaY = 18197,
AreaZ = 2228,
Arg1 = 6033,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "0",
Arg9 = "3",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915059,
AreaRadius = 30,
AreaX = 12536,
AreaY = 15436,
AreaZ = 2136,
Arg1 = 4553,
Arg2 = "idle2",
Arg5 = "1",
Arg6 = "300",
Arg9 = "2",
Face = 300,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1915066,
AreaName = "",
AreaRadius = 30,
AreaX = 25956,
AreaY = 13227,
AreaZ = 2048,
Arg1 = 6345,
Arg10 = "301002",
Arg2 = "idle",
Arg5 = "1",
Arg6 = "120",
Arg7 = "5066路口单车三人马尾",
Arg9 = "2",
Face = 120,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912009,
AreaName = "",
AreaRadius = 30,
AreaX = 13832,
AreaY = 12298,
AreaZ = 2049,
Arg1 = 6001,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "270",
Arg7 = "2009Φ┐çΘ⌐¼Φ╖»µ»ìσÑ\179",
Arg9 = "2",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915064,
AreaName = "喷泉老头",
AreaRadius = 30,
AreaX = 24916,
AreaY = 15129,
AreaZ = 2048,
Arg1 = 6015,
Arg10 = "301002",
Arg2 = "idle",
Arg5 = "1",
Arg6 = "180",
Arg7 = "5064喷泉老头小孩",
Arg9 = "3",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915067,
AreaName = "µáæΣ╕ïΣ╕ëΣ║║Φç¬ΦíîΦ╜\166",
AreaRadius = 30,
AreaX = 25662,
AreaY = 13299,
AreaZ = 2056,
Arg1 = 6027,
Arg10 = "301002",
Arg2 = "idle5",
Arg6 = "220",
Arg9 = "2",
Face = 220,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915045,
AreaName = "",
AreaRadius = 30,
AreaX = 29321,
AreaY = 17739,
AreaZ = 2208,
Arg1 = 3087,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "60",
Arg9 = "3",
Face = 60,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915045,
AreaName = "喷泉3鸽子",
AreaRadius = 30,
AreaX = 29242,
AreaY = 17566,
AreaZ = 2207,
Arg1 = 3087,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "200",
Arg9 = "2",
Face = 200,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1912014,
AreaRadius = 30,
AreaX = 24198,
AreaY = 22346,
AreaZ = 2048,
Arg1 = 6066,
Arg2 = "censure",
Arg5 = "1",
Arg6 = 30,
Arg7 = "5014橙胖",
Arg9 = "2",
Face = 30,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1915045,
AreaName = "",
AreaRadius = 30,
AreaX = 29347,
AreaY = 17623,
AreaZ = 2201,
Arg1 = 3087,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "0",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1522,
AreaRadius = 500,
AreaX = 29267,
AreaY = 17722,
AreaZ = 2198,
Arg1 = "3087",
Arg2 = "act02",
IsHight = false,
TriggerId = 2332,
},
{
AreaId = 1532,
AreaName = "Σ╕╗σƒÄσƒ║τ½Öσ╝\128σÉ»ΦºªσÅæσÖ¿",
AreaRadius = 380,
AreaX = 12174,
AreaY = 7364,
AreaZ = 4584,
Arg1 = "1100",
Arg2 = "jzjt_2",
Arg3 = "1",
IsHight = false,
TriggerId = 2255,
TriggerType = 1,
},
{
AreaId = 1915025,
AreaRadius = 30,
AreaX = 17742,
AreaY = 11861,
AreaZ = 2048,
Arg1 = 6001,
Arg2 = "idle",
Arg6 = "300",
Arg7 = "502425大妈",
Arg9 = "2",
Face = 300,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1915076,
AreaRadius = 30,
AreaX = 17894,
AreaY = 11742,
AreaZ = 2048,
Arg1 = 6031,
Arg2 = "act01",
Arg6 = "350",
Arg7 = "502476小孩",
Arg9 = "2",
Face = 350,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1915024,
AreaRadius = 30,
AreaX = 17883,
AreaY = 11584,
AreaZ = 2048,
Arg1 = 6043,
Arg2 = "idle",
Arg6 = "180",
Arg7 = "5024地铁站接妈妈",
Arg9 = "2",
Face = 180,
IsHight = false,
TriggerId = 2106,
},
{
AreaId = 1915020,
AreaName = "",
AreaRadius = 30,
AreaX = 16271,
AreaY = 12844,
AreaZ = 2049,
Arg1 = 6018,
Arg2 = "idle",
Arg5 = "1",
Arg6 = "150",
Arg9 = "2",
Face = 150,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1533,
AreaRadius = 400,
AreaX = 10262,
AreaY = 4411,
AreaZ = 2041,
Arg1 = "3087",
Arg2 = "act02",
IsHight = false,
TriggerId = 2332,
},
{
AreaId = 1915092,
AreaRadius = 30,
AreaX = 21742,
AreaY = 16884,
AreaZ = 2769,
Arg1 = 6013,
Arg2 = "sit",
Arg6 = 0,
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1535,
AreaRadius = 400,
AreaX = 12113,
AreaY = 12309,
AreaZ = 1983,
Arg1 = "3087",
Arg2 = "act02",
IsHight = false,
TriggerId = 2332,
},
{
AreaId = 107,
AreaRadius = 30,
AreaX = 6000,
AreaY = 25199,
AreaZ = 2954,
Arg1 = 3087,
Arg2 = "idle",
Arg6 = "0",
Arg9 = "2",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 0,
},
{
AreaId = 1522,
AreaRadius = 400,
AreaX = 10001,
AreaY = 28517,
AreaZ = 2034,
Arg1 = "3086",
Arg2 = "act02",
IsHight = false,
TriggerId = 2332,
},
{
AreaId = 1522,
AreaRadius = 400,
AreaX = 8561,
AreaY = 24873,
AreaZ = 2038,
Arg1 = "3087",
Arg2 = "act02",
IsHight = false,
TriggerId = 2332,
},
{
AreaId = 1522,
AreaRadius = 400,
AreaX = 5511,
AreaY = 27794,
AreaZ = 2987,
Arg1 = "3087",
Arg2 = "act02",
IsHight = false,
TriggerId = 2332,
},
{
AreaId = 1522,
AreaRadius = 400,
AreaX = 9121,
AreaY = 20680,
AreaZ = 2034,
Arg1 = "3086",
Arg2 = "act02",
IsHight = false,
TriggerId = 2332,
},
{
AreaId = 1522,
AreaRadius = 400,
AreaX = 5827,
AreaY = 25340,
AreaZ = 2956,
Arg1 = "3087",
Arg2 = "act02",
IsHight = false,
TriggerId = 2332,
},
{
AreaId = 1522,
AreaRadius = 400,
AreaX = 4514,
AreaY = 29544,
AreaZ = 2987,
Arg1 = "3087",
Arg2 = "act02",
IsHight = false,
TriggerId = 2332,
},
{
AreaId = 1522,
AreaRadius = 400,
AreaX = 8601,
AreaY = 21789,
AreaZ = 2034,
Arg1 = "3086",
Arg2 = "act02",
IsHight = false,
TriggerId = 2332,
},
{
AreaId = 1522,
AreaRadius = 400,
AreaX = 5457,
AreaY = 30401,
AreaZ = 2987,
Arg1 = "3087",
Arg2 = "act02",
IsHight = false,
TriggerId = 2332,
},
{
AreaId = 1061,
AreaName = "Σ╕╗τ║┐_NPCσÑ│σ¡ªτö\159",
AreaRadius = 30,
AreaX = 5882,
AreaY = 19716,
AreaZ = 2040,
Arg1 = 6669,
Arg12 = "1",
Arg6 = "60",
Arg9 = "0",
DramaName = "",
Face = 60,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 5010701,
AreaName = "世界任务临时npc_物业大叔",
AreaRadius = 30,
AreaX = 19704,
AreaY = 9207,
AreaZ = 2048,
Arg1 = 6671,
Arg12 = "1",
Arg6 = "90",
Arg9 = "0",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 20210102,
AreaName = "世界临时NPC",
AreaRadius = 256,
AreaX = 8499,
AreaY = 5023,
AreaZ = 2080,
Arg1 = 6690,
Arg6 = "180",
Arg9 = "0",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 20210402,
AreaName = "世界临时NPC",
AreaRadius = 256,
AreaX = 23545,
AreaY = 2467,
AreaZ = 2040,
Arg1 = 6700,
Arg2 = "act01",
Arg6 = "225",
Arg9 = "0",
Face = 225,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 20210101,
AreaName = "世界临时NPC",
AreaRadius = 256,
AreaX = 8186,
AreaY = 7000,
AreaZ = 2050,
Arg1 = 6689,
Arg6 = "70",
Arg9 = "0",
Face = 70,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 20210104,
AreaName = "世界临时NPC",
AreaRadius = 256,
AreaX = 8675,
AreaY = 7295,
AreaZ = 2380,
Arg1 = 6692,
Arg6 = "140",
Arg9 = "0",
Face = 140,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 20210106,
AreaName = "世界临时NPC",
AreaRadius = 30,
AreaX = 9688,
AreaY = 6060,
AreaZ = 2034,
Arg1 = 6693,
Arg12 = "1",
Arg6 = "270",
Arg9 = "0",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 20210105,
AreaName = "世界临时NPC",
AreaRadius = 256,
AreaX = 8463,
AreaY = 7256,
AreaZ = 2070,
Arg1 = 6694,
Arg6 = "90",
Arg9 = "0",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 20210502,
AreaName = "支线临时npc",
AreaRadius = 30,
AreaX = 22649,
AreaY = 2934,
AreaZ = 2034,
Arg1 = 6698,
Arg2 = "idle2",
Arg6 = "270",
Arg9 = "0",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 20210501,
AreaName = "支线临时npc",
AreaRadius = 30,
AreaX = 22710,
AreaY = 2839,
AreaZ = 2034,
Arg1 = 6695,
Arg2 = "idle6",
Arg6 = "270",
Arg9 = "0",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 50403,
AreaName = "世界任务_救狗",
AreaRadius = 160,
AreaX = 27843,
AreaY = 5175,
AreaZ = 2136,
Arg1 = "50403|501403|2",
IsHight = false,
TriggerId = 2047,
},
{
AreaHeight = 10000,
AreaId = 6,
AreaName = "枝庆大道",
AreaWidth = 1500,
AreaX = 15000,
AreaY = 21837,
AreaZ = 2034,
Arg1 = "8001",
Arg3 = "15007.60",
Arg4 = "2034.00",
Arg5 = "23860.64",
Arg6 = "2",
IsHight = false,
TriggerId = 2000,
TriggerType = 0,
},
{
AreaHeight = 700,
AreaId = 6,
AreaName = "地铁",
AreaWidth = 2500,
AreaX = 10216,
AreaY = 19877,
AreaZ = 1041,
Arg1 = "8003",
Arg3 = "10216.24",
Arg4 = "1041.00",
Arg5 = "19877.97",
Arg6 = "2",
IsHight = false,
TriggerId = 2000,
TriggerType = 0,
},
{
AreaHeight = 1500,
AreaId = 6,
AreaName = "露天餐厅",
AreaWidth = 1200,
AreaX = 25463,
AreaY = 20976,
AreaZ = 2039,
Arg1 = "8007",
Arg3 = "10216.24",
Arg4 = "1041.00",
Arg5 = "19877.97",
Arg6 = "2",
IsHight = false,
TriggerId = 2000,
TriggerType = 0,
},
{
AreaId = 202101,
AreaName = "µÄóµ╡ïτÄ⌐µ│òΦºªσÅæσÖ\168",
AreaRadius = 160,
AreaX = 9667,
AreaY = 5621,
AreaZ = 2041,
Arg1 = "202101",
Arg2 = "202101",
Arg3 = "tc_202101_1",
IsHight = false,
TriggerId = 2254,
TriggerType = 1,
},
{
AreaId = 202104,
AreaName = "µö»τ║┐σ뺵âàΦºªσÅæσÖ\168",
AreaRadius = 160,
AreaX = 23117,
AreaY = 2806,
AreaZ = 2034,
Arg1 = "202104",
Arg3 = "zx_202104_1",
IsHight = false,
TriggerId = 2073,
TriggerType = 1,
},
{
AreaId = 20210103,
AreaName = "世界临时NPC",
AreaRadius = 256,
AreaX = 8171,
AreaY = 5915,
AreaZ = 2070,
Arg1 = 6691,
Arg6 = "225",
Arg9 = "0",
Face = 225,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 20210403,
AreaName = "世界临时NPC",
AreaRadius = 256,
AreaX = 24229,
AreaY = 2491,
AreaZ = 2040,
Arg1 = 6701,
Arg2 = "act01",
Arg6 = "225",
Arg9 = "0",
Face = 225,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 20210404,
AreaName = "世界临时NPC",
AreaRadius = 256,
AreaX = 25091,
AreaY = 3335,
AreaZ = 2040,
Arg1 = 6702,
Arg2 = "act01",
Arg6 = "225",
Arg9 = "0",
Face = 225,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 20210401,
AreaName = "世界临时NPC",
AreaRadius = 256,
AreaX = 22953,
AreaY = 3347,
AreaZ = 2100,
Arg1 = 6699,
Arg2 = "act01",
Arg6 = "225",
Arg9 = "0",
Face = 225,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 20210405,
AreaName = "世界临时NPC",
AreaRadius = 256,
AreaX = 22641,
AreaY = 1849,
AreaZ = 2020,
Arg1 = 6703,
Arg2 = "act01",
Arg6 = "225",
Arg9 = "0",
Face = 225,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 202005,
AreaName = "µö»τ║┐2_2_7µùáσ»╗Φ╖\175",
AreaRadius = 6000,
AreaX = 13015,
AreaY = 10325,
AreaZ = 1954,
IsHight = false,
TriggerId = 2200,
TriggerType = 1,
},
{
AreaId = 202102,
AreaName = "µö»τ║┐σ뺵âàΦºªσÅæσÖ\168",
AreaRadius = 160,
AreaX = 13015,
AreaY = 10325,
AreaZ = 1954,
Arg1 = "202102",
Arg3 = "zx_202102_1",
IsHight = false,
TriggerId = 2073,
TriggerType = 1,
},
{
AreaId = 202106,
AreaName = "µö»τ║┐σ뺵âàΦºªσÅæσÖ\168",
AreaRadius = 256,
AreaX = 22732,
AreaY = 2890,
AreaZ = 2034,
Arg1 = "202106",
Arg3 = "zx_202105_2",
Arg4 = "1",
IsHight = false,
TriggerId = 2073,
TriggerType = 1,
},
{
AreaId = 19998,
AreaName = "支线临时npc",
AreaRadius = 200,
AreaX = 10935,
AreaY = 23515,
AreaZ = 2049,
Arg1 = 6847,
Arg14 = "xiangzi1",
Arg6 = "90",
Arg9 = "0",
Face = 90,
IsHight = false,
TriggerId = 2114,
TriggerType = 1,
},
{
AreaId = 30220201,
AreaName = "支线临时npc",
AreaRadius = 30,
AreaX = 18294,
AreaY = 21736,
AreaZ = 2048,
Arg1 = 6705,
Arg12 = "1",
Arg2 = "idle",
Arg6 = "180",
Arg9 = "0",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 50108,
AreaName = "Σ╕ûτòîΣ╗╗σèíσ»╗Φ╖»ΦºªσÅæσÖ\168",
AreaRadius = 5000,
AreaX = 23497,
AreaY = 20766,
AreaZ = 2048,
IsHight = false,
TriggerId = 2200,
TriggerType = 1,
},
{
AreaId = 50109,
AreaName = "Σ╕ûτòîΣ╗╗σèíσ»╗Φ╖»ΦºªσÅæσÖ\168",
AreaRadius = 5000,
AreaX = 25444,
AreaY = 20582,
AreaZ = 2034,
IsHight = false,
TriggerId = 2200,
TriggerType = 1,
},
{
AreaId = 51505,
AreaName = "",
AreaRadius = 4000,
AreaX = 25876,
AreaY = 20562,
AreaZ = 2048,
IsHight = false,
TriggerId = 2200,
TriggerType = 1,
},
{
AreaId = 51506,
AreaName = "",
AreaRadius = 6500,
AreaX = 30316,
AreaY = 18590,
AreaZ = 2228,
IsHight = false,
TriggerId = 2200,
TriggerType = 1,
},
{
AreaId = 30300301,
AreaName = "临时npc",
AreaRadius = 30,
AreaX = 2043,
AreaY = 10775,
AreaZ = 2614,
Arg1 = 6815,
Arg12 = "1",
Arg6 = "270",
Arg9 = "0",
Face = 270,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 5030201,
AreaName = "世界临时npc",
AreaRadius = 30,
AreaX = 2176,
AreaY = 12036,
AreaZ = 2048,
Arg1 = 6820,
Arg12 = "1",
Arg6 = "140",
Arg9 = "0",
Face = 140,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 90100104,
AreaName = "µ╡ïΦ»òσ뺵âàΦºªσÅæσÖ\168",
AreaRadius = 256,
AreaX = 9858,
AreaY = 1996,
AreaZ = 2034,
Arg1 = "90100101",
Arg3 = "cs_901001_3",
Arg4 = "1",
DramaName = "",
IsHight = false,
TriggerId = 2073,
TriggerType = 1,
},
{
AreaId = 90100103,
AreaName = "µ╡ïΦ»òσ뺵âàΦºªσÅæσÖ\168",
AreaRadius = 256,
AreaX = 7112,
AreaY = 1979,
AreaZ = 2034,
Arg1 = "90100101",
Arg3 = "cs_901001_2",
Arg4 = "1",
DramaName = "",
IsHight = false,
TriggerId = 2073,
TriggerType = 1,
},
{
AreaId = 90100101,
AreaName = "µ╡ïΦ»òσ░ÅΘ╗äτï\151",
AreaRadius = 30,
AreaX = 4304,
AreaY = 1925,
AreaZ = 2034,
Arg1 = 4396,
Arg14 = "xiaohuang",
Arg2 = "idle",
Arg6 = "0",
Arg9 = "0",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 90100102,
AreaName = "µ╡ïΦ»òσ뺵âàΦºªσÅæσÖ\168",
AreaRadius = 256,
AreaX = 4293,
AreaY = 1941,
AreaZ = 2034,
Arg1 = "90100101",
Arg3 = "cs_901001_1",
Arg4 = "1",
DramaName = "",
IsHight = false,
TriggerId = 2073,
TriggerType = 1,
},
{
AreaId = 10001011,
AreaRadius = 200,
AreaX = 9851,
AreaY = 15205,
AreaZ = 2140,
Arg1 = 6828,
Arg14 = "nan1_1",
Arg16 = "200",
Arg6 = "220",
Arg9 = "0",
Face = 220,
IsHight = false,
TriggerId = 2114,
TriggerType = 1,
},
{
AreaId = 10001012,
AreaRadius = 200,
AreaX = 9945,
AreaY = 15318,
AreaZ = 2136,
Arg1 = 6833,
Arg14 = "niudan",
Arg16 = "300",
Arg6 = "0",
Arg9 = "0",
Face = 0,
IsHight = false,
TriggerId = 2114,
TriggerType = 1,
},
{
AreaId = 10002015,
AreaName = "",
AreaRadius = 30,
AreaX = -156,
AreaY = 25410,
AreaZ = 3300,
Arg1 = 6830,
Arg14 = "ge",
Arg6 = "180",
Arg9 = "3",
Face = 180,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 10002016,
AreaRadius = 200,
AreaX = 107,
AreaY = 25573,
AreaZ = 3221,
Arg1 = 6831,
Arg14 = "wuya",
Arg16 = "150",
Arg6 = "100",
Arg9 = "0",
Face = 100,
IsHight = false,
TriggerId = 2114,
TriggerType = 1,
},
{
AreaId = 10002014,
AreaRadius = 30,
AreaX = -74,
AreaY = 25789,
AreaZ = 3300,
Arg1 = 6832,
Arg14 = "ya",
Arg6 = "30",
Arg9 = "3",
Face = 30,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 10002013,
AreaRadius = 30,
AreaX = -268,
AreaY = 25515,
AreaZ = 3221,
Arg1 = 6832,
Arg14 = "ya",
Arg6 = "250",
Arg7 = "围攻乌鸦",
Arg9 = "3",
Face = 250,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 10002012,
AreaRadius = 30,
AreaX = -82,
AreaY = 25655,
AreaZ = 3221,
Arg1 = 6830,
Arg14 = "ge",
Arg6 = "100",
Arg7 = "围攻鸽子1",
Arg9 = "3",
Face = 100,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 10002011,
AreaRadius = 30,
AreaX = -197,
AreaY = 25583,
AreaZ = 3218,
Arg1 = 6829,
Arg14 = "guangtou",
Arg2 = "idle2",
Arg6 = "80",
Arg7 = "µÇòΘ╕ƒτÜäσñºσÅ\148",
Arg9 = "0",
Face = 80,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 10110301,
AreaName = "支线临时npc",
AreaRadius = 30,
AreaX = 11006,
AreaY = 23126,
AreaZ = 2049,
Arg1 = 6704,
Arg12 = "1",
Arg6 = "90",
Arg9 = "0",
Face = 90,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 10006013,
AreaName = "世界临时npc小车司机",
AreaRadius = 30,
AreaX = 1718,
AreaY = 21503,
AreaZ = 2034,
Arg1 = 9500,
Arg6 = "75",
Arg9 = "3",
Face = 75,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 10008021,
AreaRadius = 200,
AreaX = 992,
AreaY = 22590,
AreaZ = 2729,
Arg1 = 6840,
Arg14 = "cangpingou",
Arg16 = "150",
Arg2 = "home_dog_idle",
Arg6 = "270",
Arg9 = "0",
Face = 90,
IsHight = false,
TriggerId = 2114,
TriggerType = 1,
},
{
AreaId = 10008014,
AreaRadius = 600,
AreaX = 6685,
AreaY = 27430,
AreaZ = 2983,
Arg1 = "1000801",
Arg3 = "cp_1000801_3",
Arg4 = "1",
IsHight = false,
TriggerId = 2073,
TriggerType = 1,
},
{
AreaId = 10008011,
AreaName = "藏品小狗",
AreaRadius = 30,
AreaX = 1175,
AreaY = 25594,
AreaZ = 2983,
Arg1 = 6841,
Arg14 = "xiaogou",
Arg2 = "home_dog_idle",
Arg6 = "0",
Face = 0,
IsHight = false,
TriggerId = 2106,
TriggerType = 1,
},
{
AreaId = 10008012,
AreaRadius = 500,
AreaX = 1196,
AreaY = 25614,
AreaZ = 2983,
Arg1 = "1000801",
Arg3 = "cp_1000801_1",
Arg4 = "1",
IsHight = false,
TriggerId = 2073,
TriggerType = 1,
},
{
AreaId = 10008013,
AreaRadius = 600,
AreaX = 2233,
AreaY = 27548,
AreaZ = 2983,
Arg1 = "1000801",
Arg3 = "cp_1000801_2",
Arg4 = "1",
IsHight = false,
TriggerId = 2073,
TriggerType = 1,
},
{
AreaId = 19999,
AreaName = "Φ╖│ΦÉ╜ΦºªσÅæσÖ\168",
AreaRadius = 300,
AreaX = 10935,
AreaY = 23509,
AreaZ = 2049,
Arg1 = "1001201",
Face = 90,
IsHight = false,
TriggerId = 2353,
TriggerType = 1,
},
{
AreaId = 10012012,
AreaName = "ΦùÅσôüµùáσ»╗Φ╖\175",
AreaRadius = 0,
AreaX = 10700,
AreaY = 23750,
AreaZ = 2049,
IsHight = false,
TriggerId = 2200,
TriggerType = 1,
},
{
AreaId = 10012011,
AreaName = "藏品NPC跳楼",
AreaRadius = 200,
AreaX = 10719,
AreaY = 23765,
AreaZ = 2049,
Arg1 = 6858,
Arg16 = "280",
Arg2 = "idle,0.9",
Arg6 = "310",
Arg9 = "0",
Face = 310,
IsHight = false,
TriggerId = 2114,
TriggerType = 1,
},
{
AreaId = 1691,
AreaRadius = 350,
AreaX = 6885,
AreaY = 27843,
AreaZ = 2990,
Arg1 = "3086",
Arg2 = "act02",
IsHight = false,
TriggerId = 2332,
},
{
AreaId = 10015011,
AreaName = "Φ╖│ΦÉ╜ΦºªσÅæσÖ\168",
AreaRadius = 300,
AreaX = 13733,
AreaY = 7367,
AreaZ = 2049,
Arg1 = "1001501",
Face = 90,
IsHight = false,
TriggerId = 2353,
TriggerType = 1,
},
{
AreaId = 10015013,
AreaRadius = 0,
AreaX = 13775,
AreaY = 7373,
AreaZ = 2049,
IsHight = false,
TriggerId = 2200,
TriggerType = 1,
},
{
AreaId = 10015012,
AreaRadius = 200,
AreaX = 13789,
AreaY = 7366,
AreaZ = 2049,
Arg1 = 6850,
Arg14 = "xiangzi3",
Arg6 = "0",
Arg9 = "0",
Face = 0,
IsHight = false,
TriggerId = 2114,
TriggerType = 1,
},
{
AreaId = 2000002,
AreaName = "µ╡ïΦ»òµ┤╗σè¿Σ╗╗σèíΦºªσÅæσÖ\168",
AreaRadius = 4000,
AreaX = 5097,
AreaY = 26241,
AreaZ = 2989,
Arg1 = "2000002",
IsHight = false,
TriggerId = 2200,
TriggerType = 1,
},
{
AreaId = 2000003,
AreaName = "µ╡ïΦ»òµ┤╗σè¿Σ╗╗σèíΦºªσÅæσÖ\168",
AreaRadius = 2000,
AreaX = 23777,
AreaY = 20765,
AreaZ = 2059,
Arg1 = "2000003",
IsHight = false,
TriggerId = 2200,
TriggerType = 1,
},
{
AreaId = 2000004,
AreaName = "µ╡ïΦ»òµ┤╗σè¿Σ╗╗σèíΦºªσÅæσÖ\168",
AreaRadius = 2400,
AreaX = 20077,
AreaY = 12815,
AreaZ = 2773,
Arg1 = "2000004",
IsHight = false,
TriggerId = 2200,
TriggerType = 1,
},
{
AreaId = 2000005,
AreaName = "µ╡ïΦ»òµ┤╗σè¿Σ╗╗σèíΦºªσÅæσÖ\168",
AreaRadius = 4600,
AreaX = 11141,
AreaY = 10510,
AreaZ = 1983,
Arg1 = "2000005",
IsHight = false,
TriggerId = 2200,
TriggerType = 1,
},
{
AreaId = 2000001,
AreaName = "µ╡ïΦ»òµ┤╗σè¿Σ╗╗σèíΦºªσÅæσÖ\168",
AreaRadius = 6400,
AreaX = 10493,
AreaY = 25337,
AreaZ = 2033,
IsHight = false,
TriggerId = 2200,
TriggerType = 1,
},
{
AreaId = 2000007,
AreaName = "µ╡ïΦ»òµ┤╗σè¿Σ╗╗σèíΦºªσÅæσÖ\168",
AreaRadius = 4000,
AreaX = 11462,
AreaY = 5981,
AreaZ = 2038,
IsHight = false,
TriggerId = 2200,
TriggerType = 1,
},
{
AreaId = 2000006,
AreaName = "µ╡ïΦ»òµ┤╗σè¿Σ╗╗σèíΦºªσÅæσÖ\168",
AreaRadius = 3600,
AreaX = 26182,
AreaY = 5306,
AreaZ = 2041,
IsHight = false,
TriggerId = 2200,
TriggerType = 1,
},
{
AreaId = 1726,
AreaName = "医院巴士站触发器",
AreaRadius = 256,
AreaX = 16075,
AreaY = 24138,
AreaZ = 2042,
Arg1 = "bus_1_1",
Arg2 = "主城互动_巴士按钮",
IsHight = false,
TriggerId = 2084,
},
{
AreaId = 1727,
AreaName = "花园巴士站触发器",
AreaRadius = 256,
AreaX = 8301,
AreaY = 14436,
AreaZ = 2042,
Arg1 = "bus_2_1",
Arg2 = "主城互动_巴士按钮",
IsHight = false,
TriggerId = 2084,
},
{
AreaId = 1728,
AreaName = "地铁巴士站触发器",
AreaRadius = 256,
AreaX = 20804,
AreaY = 10285,
AreaZ = 2042,
Arg1 = "bus_3_1",
Arg2 = "主城互动_巴士按钮",
IsHight = false,
TriggerId = 2084,
},
},
}
|
local base = require("ansi.base")
local term = {}
local csi = {
moveUp = "A",
moveDown = "B",
moveBack = "C",
moveFwd = "D",
setPos = "H",
eraseDisplay = "J",
eraseLine = "K",
scrollUp = "S",
scrollDown = "T",
saveCursor = "s",
restoreCursor = "u"
}
term.erase = {
cursorToEnd = 0,
cursorToStart = 1,
all = 2
}
function term.moveUp(lines, handle)
return base.buildCode({ lines }, csi.moveUp, handle)
end
function term.moveDown(lines, handle)
return base.buildCode({ lines }, csi.moveDown, handle)
end
function term.moveBack(cols, handle)
return base.buildCode({ lines }, csi.moveBack, handle)
end
function term.moveFwd(cols, handle)
return base.buildCode({ cols }, csi.moveFwd, handle)
end
function term.setCursor(line, col, handle)
return base.buildCode({ line, col }, csi.setPos, handle)
end
function term.eraseDisplay(mode, handle)
return base.buildCode({ mode }, csi.eraseDisplay, handle)
end
function term.eraseScreen(mode, handle)
return base.buildCode({ mode }, csi.eraseScreen, handle)
end
function term.scrollUp(lines, handle)
return base.buildCode({ lines }, csi.scrollUp, handle)
end
function term.scrollDown(lines, handle)
return base.buildCode({ lines }, csi.scrollDown, handle)
end
function term.saveCursor(handle)
return base.buildCode(nil, csi.saveCursor, handle)
end
function term.restoreCursor(handle)
return base.buildCode(nil, csi.restoreCursor, handle)
end
function term.clearScreen(handle)
return term.eraseScreen(term.erase.all)
end
return term
|
local litcord = require('litcord')
local client = litcord('TOKEN')
client:on('ready', function()
print('Logged in as '..client.user.username)
end)
client:on('messageCreate', function(message)
if message.clean == 'hello world' then
message.channel.sendMessage('Hello, World! litcord!')
end
end)
litcord:run()
|
local inside = false
local currentpos = nil
local currentgarage = 0
local garages = {
[1] = { locked = false, camera = {x = -330.945, y = -135.471, z = 39.01, heading = 102.213}, driveout = {x = -350.376,y = -136.76, z = 38.294, heading = 70.226}, drivein = {x = -350.655,y = -136.55, z = 38.295, heading = 249.532}, outside = { x = -362.7962, y = -132.4005, z = 38.25239, heading = 71.187133}, inside = {x = -337.3863,y = -136.9247,z = 38.5737, heading = 269.455}},
[2] = { locked = false, camera = {x = 737.09, y = -1085.721, z = 22.169, heading = 114.86}, driveout = {x = 725.46,y = -1088.822, z = 21.455, heading = 89.395}, drivein = {x = 726.157, y = -1088.768, z = 22.169, heading = 270.288}, outside = {x = 716.54,y = -1088.757, z = 21.651, heading = 89.248}, inside = {x = 733.69,y = -1088.74, z = 21.733, heading = 270.528}},
[3] = { locked = false, camera = {x = -1154.902, y = -2011.438, z = 13.18, heading = 95.49}, driveout = {x = -1150.379,y = -1995.845, z = 12.465, heading = 313.594}, drivein = {x = -1150.26,y = -1995.642, z = 12.466, heading = 136.859}, outside = {x = -1140.352,y = -1985.89, z = 12.45, heading = 314.406}, inside = {x = -1155.077,y = -2006.61, z = 12.465, heading = 162.58}},
[4] = { locked = false, camera = {x = 1177.98, y = 2636.059, z = 37.754, heading = 37.082}, driveout = {x = 1175.003,y = 2642.175, z = 37.045, heading = 0.759}, drivein = {x = 1174.701,y = 2643.764, z = 37.048, heading = 178.119}, outside = {x = 1175.565,y = 2652.819, z = 37.941, heading = 351.579}, inside = {x = 1174.823,y = 2637.807, z = 37.045, heading = 181.19}},
[5] = { locked = false, camera = {x = 105.825, y = 6627.562, z = 31.787, heading = 266.692}, driveout = {x = 112.326,y = 6625.148, z = 31.073, heading = 224.641}, drivein = {x = 112.738,y = 6624.644, z = 31.072, heading = 44.262}, outside = {x = 118.493,y = 6618.897, z = 31.13, heading = 224.701}, inside = {x = 108.842,y = 6628.447, z = 31.072, heading = 45.504}},
[6]= { locked = false, camera = {x = -215.518, y = -1329.135, z = 30.89, heading = 329.092}, driveout = {x = -205.935,y = -1316.642, z = 30.176, heading = 356.495}, drivein = {x = -205.626,y = -1314.99, z = 30.247, heading = 179.395}, outside = {x = -205.594,y = -1304.085, z = 30.614, heading = 359.792}, inside = {x = -212.368,y = -1325.486, z = 30.176, heading = 141.107} }
}
local Menu = SetMenu()
local myveh = {}
local gameplaycam = nil
local cam = nil
local function Notify(text)
SetNotificationTextEntry('STRING')
AddTextComponentString(text)
DrawNotification(false, false)
end
local function f(n)
return (n + 0.00001)
end
local function LocalPed()
return GetPlayerPed(-1)
end
local function firstToUpper(str)
return (str:gsub("^%l", string.upper))
end
function myveh.repair()
SetVehicleFixed(myveh.vehicle)
end
local function round(num, idp)
if idp and idp>0 then
local mult = 10^idp
return math.floor(num * mult + 0.5) / mult
end
return math.floor(num + 0.5)
end
local function StartFade()
Citizen.CreateThread(function()
DoScreenFadeOut(0)
while IsScreenFadingOut() do
Citizen.Wait(0)
end
end)
end
local function EndFade()
Citizen.CreateThread(function()
ShutdownLoadingScreen()
DoScreenFadeIn(500)
while IsScreenFadingIn() do
Citizen.Wait(0)
end
end)
end
--Setup main menu
local LSCMenu = Menu.new("Los Santos Customs","CATEGORIES", 0.16,0.13,0.24,0.36,0,{255,255,255,255})
LSCMenu.config.pcontrol = false
--Add mod to menu
local function AddMod(mod,parent,header,name,info,stock)
local veh = myveh.vehicle
SetVehicleModKit(veh,0)
if (GetNumVehicleMods(veh,mod) ~= nil and GetNumVehicleMods(veh,mod) > 0) or mod == 18 or mod == 22 then
local m = parent:addSubMenu(header, name, info,true)
if stock then
local btn = m:addPurchase("Stock")
btn.modtype = mod
btn.mod = -1
end
if LSC_Config.prices.mods[mod].startprice then
local price = LSC_Config.prices.mods[mod].startprice
for i = 0, tonumber(GetNumVehicleMods(veh,mod)) -1 do
local lbl = GetModTextLabel(veh,mod,i)
if lbl ~= nil then
local mname = tostring(GetLabelText(lbl))
if mname ~= "NULL" then
local btn = m:addPurchase(mname,price)
btn.modtype = mod
btn.mod = i
price = price + LSC_Config.prices.mods[mod].increaseby
end
end
end
else
for n, v in pairs(LSC_Config.prices.mods[mod]) do
btn = m:addPurchase(v.name,v.price)btn.modtype = mod
btn.mod = v.mod
end
end
end
end
--Set up inside camera
local function SetupInsideCam()
local ped = LocalPed()
local coords = currentpos.camera
cam = CreateCam("DEFAULT_SCRIPTED_CAMERA",true,2)
SetCamCoord(cam, coords.x, coords.y, coords.z + 1.0)
coords = currentpos.inside
PointCamAtCoord(cam, coords.x, coords.y, coords.z)
--PointCamAtEntity(cam, GetVehiclePedIsUsing(ped), p2, p3, p4, 1)
SetCamActive(cam, true)
RenderScriptCams( 1, 0, cam, 0, 0)
end
--So we can actually enter it?
local function DriveInGarage()
--Lock the garage
TriggerServerEvent('lockGarage',true,currentgarage)
SetPlayerControl(PlayerId(),false,256)
StartFade()
local pos = currentpos
local ped = LocalPed()
local veh = GetVehiclePedIsUsing(ped)
LSCMenu.buttons = {}
DisplayRadar(false)
if DoesEntityExist(veh) then
--Set menu title
if currentgarage == 4 or currentgarage == 5 then
LSCMenu:setTitle("Beeker's Garage")
LSCMenu.title_sprite = "shopui_title_carmod2"
elseif currentgarage == 6 then
LSCMenu:setTitle("Benny's Motorworks")
LSCMenu.title_sprite = "shopui_title_supermod"
else
LSCMenu:setTitle("Los Santos Customs")
LSCMenu.title_sprite = "shopui_title_carmod"
end
-------------------------------Load some settings-----------------------------------
--Controls
LSCMenu.config.controls = LSC_Config.menu.controls
SetIbuttons({
{GetControlInstructionalButton(1,LSCMenu.config.controls.menu_back, 0),"Back"},
{GetControlInstructionalButton(1,LSCMenu.config.controls.menu_select, 0),"Select"},
{GetControlInstructionalButton(1,LSCMenu.config.controls.menu_up, 0),"Up"},
{GetControlInstructionalButton(1,LSCMenu.config.controls.menu_down, 0),"Down"},
{GetControlInstructionalButton(1,LSCMenu.config.controls.menu_left, 0),"Left"},
{GetControlInstructionalButton(1,LSCMenu.config.controls.menu_right, 0),"Right"},
},0)
--Max buttons
LSCMenu:setMaxButtons(LSC_Config.menu.maxbuttons)
--Width, height of menu
LSCMenu.config.size.width = f(LSC_Config.menu.width) or 0.24;
LSCMenu.config.size.height = f(LSC_Config.menu.height) or 0.36;
--Position
if type(LSC_Config.menu.position) == 'table' then
LSCMenu.config.position = { x = LSC_Config.menu.position.x, y = LSC_Config.menu.position.y}
elseif type(LSC_Config.menu.position) == 'string' then
if LSC_Config.menu.position == "left" then
LSCMenu.config.position = { x = 0.16, y = 0.13}
elseif LSC_Config.menu.position == "right" then
LSCMenu.config.position = { x = 1-0.16, y = 0.13}
end
end
--Theme
if type(LSC_Config.menu.theme) == "table" then
LSCMenu:setColors(LSC_Config.menu.theme.text_color,LSC_Config.menu.theme.stext_color,LSC_Config.menu.theme.bg_color,LSC_Config.menu.theme.sbg_color)
elseif type(LSC_Config.menu.theme) == "string" then
if LSC_Config.menu.theme == "light" then
--text_color,stext_color,bg_color,sbg_color
LSCMenu:setColors({ r = 255,g = 255, b = 255, a = 255},{ r = 0,g = 0, b = 0, a = 255},{ r = 0,g = 0, b = 0, a = 155},{ r = 255,g = 255, b = 255, a = 255})
elseif LSC_Config.menu.theme == "darkred" then
LSCMenu:setColors({ r = 255,g = 255, b = 255, a = 255},{ r = 0,g = 0, b = 0, a = 255},{ r = 0,g = 0, b = 0, a = 155},{ r = 200,g = 15, b = 15, a = 200})
elseif LSC_Config.menu.theme == "bluish" then
LSCMenu:setColors({ r = 255,g = 255, b = 255, a = 255},{ r = 255,g = 255, b = 255, a = 255},{ r = 0,g = 0, b = 0, a = 100},{ r = 0,g = 100, b = 255, a = 200})
elseif LSC_Config.menu.theme == "greenish" then
LSCMenu:setColors({ r = 255,g = 255, b = 255, a = 255},{ r = 0,g = 0, b = 0, a = 255},{ r = 0,g = 0, b = 0, a = 100},{ r = 0,g = 200, b = 0, a = 200})
end
end
LSCMenu:addSubMenu("CATEGORIES", "categories",nil, false)
LSCMenu.categories.buttons = {}
--Calculate price for vehicle repair and add repair button
local maxvehhp = 1000
local damage = 0
damage = (maxvehhp - GetVehicleBodyHealth(veh))/100
LSCMenu:addPurchase("Repair vehicle",round(250+150*damage,0), "Full body repair and engine service.")
--Setup table for vehicle with all mods, colors etc.
SetVehicleModKit(veh,0)
myveh.vehicle = veh
myveh.model = GetDisplayNameFromVehicleModel(GetEntityModel(veh)):lower()
myveh.color = table.pack(GetVehicleColours(veh))
myveh.extracolor = table.pack(GetVehicleExtraColours(veh))
myveh.neoncolor = table.pack(GetVehicleNeonLightsColour(veh))
myveh.smokecolor = table.pack(GetVehicleTyreSmokeColor(veh))
myveh.plateindex = GetVehicleNumberPlateTextIndex(veh)
myveh.mods = {}
for i = 0, 48 do
myveh.mods[i] = {mod = nil}
end
for i,t in pairs(myveh.mods) do
if i == 22 or i == 18 then
if IsToggleModOn(veh,i) then
t.mod = 1
else
t.mod = 0
end
elseif i == 23 or i == 24 then
t.mod = GetVehicleMod(veh,i)
t.variation = GetVehicleModVariation(veh, i)
else
t.mod = GetVehicleMod(veh,i)
end
end
if GetVehicleWindowTint(veh) == -1 or GetVehicleWindowTint(veh) == 0 then
myveh.windowtint = false
else
myveh.windowtint = GetVehicleWindowTint(veh)
end
myveh.wheeltype = GetVehicleWheelType(veh)
myveh.bulletProofTyres = GetVehicleTyresCanBurst(veh)
--Menu stuff
local chassis,interior,bumper,fbumper,rbumper = false,false,false,false
for i = 0,48 do
if GetNumVehicleMods(veh,i) ~= nil and GetNumVehicleMods(veh,i) ~= false and GetNumVehicleMods(veh,i) > 0 then
if i == 1 then
bumper = true
fbumper = true
elseif i == 2 then
bumper = true
rbumper = true
elseif (i >= 42 and i <= 46) or i == 5 then --If any chassis mod exist then add chassis menu
chassis = true
elseif i >= 27 and i <= 37 then --If any interior mod exist then add interior menu
interior = true
end
end
end
AddMod(0,LSCMenu.categories,"SPOILER", "Spoiler", "Increase downforce.",true)
AddMod(3,LSCMenu.categories,"SKIRTS", "Skirts", "Enhance your vehicle's look with custom side skirts.",true)
AddMod(4,LSCMenu.categories,"EXHAUST", "Exhausts", "Customized sports exhausts.",true)
AddMod(6,LSCMenu.categories,"GRILLE", "Grille", "Improved engine cooling.",true)
AddMod(7,LSCMenu.categories,"HOOD", "Hood", "Enhance car engine cooling.",true)
AddMod(8,LSCMenu.categories,"FENDERS", "Fenders", "Enhance body paneling with custom fenders.",true)
AddMod(10,LSCMenu.categories,"ROOF", "Roof", "Lower your center of gravity with lightweight roof panels.",true)
AddMod(12,LSCMenu.categories,"BRAKES", "Brakes", "Increase stopping power and eliminate brake fade.",true)
AddMod(13,LSCMenu.categories,"TRANSMISSION", "Transmission", "Improved acceleration with close ratio transmission.",true)
AddMod(14,LSCMenu.categories,"HORN", "Horn", "Custom air horns.",true)
AddMod(15,LSCMenu.categories,"SUSPENSION","Suspension","Upgrade to a sports oriented suspension setup.",true)
AddMod(16,LSCMenu.categories,"ARMOR","Armor","Protect your car's occupants with military spec composite body panels.",true)
AddMod(18, LSCMenu.categories, "TURBO", "Turbo", "Reduced lag turbocharger.",false)
if chassis then
LSCMenu.categories:addSubMenu("CHASSIS", "Chassis",nil, true)
AddMod(42, LSCMenu.categories.Chassis, "ARCH COVER", "Arch cover", "",true) --headlight trim
AddMod(43, LSCMenu.categories.Chassis, "AERIALS", "Aerials", "",true) --foglights
AddMod(44, LSCMenu.categories.Chassis, "ROOF SCOOPS", "Roof Scoops", "",true) --roof scoops
AddMod(45, LSCMenu.categories.Chassis, "Tank", "Tank", "",true)
AddMod(46, LSCMenu.categories.Chassis, "DOORS", "Doors", "",true)-- windows
AddMod(5,LSCMenu.categories.Chassis,"ROLL CAGE", "Roll cage", "Stiffen your chassis with a rollcage.",true)
end
LSCMenu.categories:addSubMenu("ENGINE", "Engine",nil, true)
AddMod(39, LSCMenu.categories.Engine, "ENGINE BLOCK", "Engine Block", "Custom engine block casings.",true)
AddMod(40, LSCMenu.categories.Engine, "CAM COVER", "Cam Cover", "Optional cam covers.",true)
AddMod(41, LSCMenu.categories.Engine, "STRUT BRACE", "Strut Brace", "A selection of support struts.",true)
AddMod(11,LSCMenu.categories.Engine,"ENGINE TUNES", "Engine Tunes", "Increases horsepower.",true)
if interior then
LSCMenu.categories:addSubMenu("INTERIOR", "Interior","Products for maximum style and comfort.", true)
--LSCMenu.categories.Interior:addSubMenu("TRIM", "Trim","A selection of interior designs.", true)
AddMod(27, LSCMenu.categories.Interior, "TRIM DESIGN", "Trim Design", "",true)
--There are'nt any working natives that could change interior color :(
--LSCMenu.categories.Interior.Trim:addSubMenu("TRIM COLOR", "Trim Color","", true)
AddMod(28, LSCMenu.categories.Interior, "ORNAMENTS", "Ornaments", "Add decorative items to your dash.",true)
AddMod(29, LSCMenu.categories.Interior, "DASHBOARD", "Dashboard", "Custom control panel designs.",true)
AddMod(30, LSCMenu.categories.Interior, "DIAL DESIGN", "Dials", "Customize the look of your dials.",true)
AddMod(31, LSCMenu.categories.Interior, "DOORS", "Doors", "Install door upgrades.",true)
AddMod(32, LSCMenu.categories.Interior, "SEATS", "Seats", "Options where style meets comfort.",true)
AddMod(33, LSCMenu.categories.Interior, "STEERING WHEELS", "Steering Wheels", "Customize the link between you and your vehicle.",true)
AddMod(34, LSCMenu.categories.Interior, "Shifter leavers", "Shifter leavers", "",true)
AddMod(35, LSCMenu.categories.Interior, "Plaques", "Plaques", "",true)
AddMod(36, LSCMenu.categories.Interior, "Speakers", "Speakers", "",true)
AddMod(37, LSCMenu.categories.Interior, "Trunk", "Trunk", "",true)
end
LSCMenu.categories:addSubMenu("PLATES", "Plates","Decorative identification.", true)
LSCMenu.categories.Plates:addSubMenu("LICENSE", "License", "",true)
for n, mod in pairs(LSC_Config.prices.plates) do
local btn = LSCMenu.categories.Plates.License:addPurchase(mod.name,mod.price)btn.plateindex = mod.plateindex
end
--Customize license plates
AddMod(25, LSCMenu.categories.Plates, "Plate holder", "Plate holder", "",true) --
AddMod(26, LSCMenu.categories.Plates, "Vanity plates", "Vanity plates", "",true) --
--AddMod(47, LSCMenu.categories, "UNK47", "unk47", "",true)
--AddMod(49, LSCMenu.categories, "UNK49", "unk49", "",true)
AddMod(38,LSCMenu.categories,"HYDRAULICS","Hydraulics","",true)
AddMod(48,LSCMenu.categories,"Liveries", "Liveries", "A selection of decals for your vehicle.",true)
if bumper then
LSCMenu.categories:addSubMenu("BUMPERS", "Bumpers", "Custom front and rear bumpers.",true)
if fbumper then
AddMod(1,LSCMenu.categories.Bumpers,"FRONT BUMPERS", "Front bumpers", "Custom front bumpers.",true)
end
if rbumper then
AddMod(2,LSCMenu.categories.Bumpers,"REAR BUMPERS", "Rear bumpers", "Custom rear bumpers.",true)
end
end
local m = LSCMenu.categories:addSubMenu("LIGHTS", "Lights", "Improved night time visibility.",true)
AddMod(22,LSCMenu.categories.Lights,"HEADLIGHTS", "Headlights", nil, false)
if not IsThisModelABike(GetEntityModel(veh)) then
m = m:addSubMenu("NEON KITS", "Neon kits", nil, true)
m:addSubMenu("NEON LAYOUT", "Neon layout", nil, true)
local btn = m["Neon layout"]:addPurchase("None")
for n, mod in pairs(LSC_Config.prices.neonlayout) do
local btn = m["Neon layout"]:addPurchase(mod.name,mod.price)
end
m = m:addSubMenu("NEON COLOR", "Neon color", nil, true)
for n, mod in pairs(LSC_Config.prices.neoncolor) do
local btn = m:addPurchase(mod.name,mod.price)btn.neon = mod.neon
end
end
respray = LSCMenu.categories:addSubMenu("RESPRAY", "Respray", "Transforms vehicle appearance.",true)
pcol = respray:addSubMenu("PRIMARY COLORS", "Primary color", nil,true)
pcol:addSubMenu("CHROME", "Chrome", nil,true)
for n, c in pairs(LSC_Config.prices.chrome.colors) do
local btn = pcol.Chrome:addPurchase(c.name,LSC_Config.prices.chrome.price)btn.colorindex = c.colorindex
if btn.colorindex == myveh.color[1] then
btn.purchased = true
end
end
pcol:addSubMenu("CLASSIC", "Classic", nil,true)
for n, c in pairs(LSC_Config.prices.classic.colors) do
local btn = pcol.Classic:addPurchase(c.name,LSC_Config.prices.classic.price)btn.colorindex = c.colorindex
if btn.colorindex == myveh.color[1] then
btn.purchased = true
end
end
pcol:addSubMenu("MATTE", "Matte", nil,true)
for n, c in pairs(LSC_Config.prices.matte.colors) do
local btn = pcol.Matte:addPurchase(c.name,LSC_Config.prices.matte.price)btn.colorindex = c.colorindex
if btn.colorindex == myveh.color[1] then
btn.purchased = true
end
end
pcol:addSubMenu("METALLIC", "Metallic", nil,true)
for n, c in pairs(LSC_Config.prices.metallic.colors) do
local btn = pcol.Metallic:addPurchase(c.name,LSC_Config.prices.metallic.price)btn.colorindex = c.colorindex
if btn.colorindex == myveh.color[1] and myveh.extracolor[1] == myveh.color[2] then
btn.purchased = true
end
end
pcol:addSubMenu("METALS", "Metals", nil,true)
for n, c in pairs(LSC_Config.prices.metal.colors) do
local btn = pcol.Metals:addPurchase(c.name,LSC_Config.prices.metal.price)btn.colorindex = c.colorindex
if btn.colorindex == myveh.color[1] then
btn.purchased = true
end
end
scol = respray:addSubMenu("SECONDARY COLORS", "Secondary color", nil,true)
scol:addSubMenu("CHROME", "Chrome", nil,true)
for n, c in pairs(LSC_Config.prices.chrome2.colors) do
local btn = scol.Chrome:addPurchase(c.name,LSC_Config.prices.chrome2.price)btn.colorindex = c.colorindex
if btn.colorindex == myveh.color[2] then
btn.purchased = true
end
end
scol:addSubMenu("CLASSIC", "Classic", nil,true)
for n, c in pairs(LSC_Config.prices.classic2.colors) do
local btn = scol.Classic:addPurchase(c.name,LSC_Config.prices.classic2.price)btn.colorindex = c.colorindex
if btn.colorindex == myveh.color[2] then
btn.purchased = true
end
end
scol:addSubMenu("MATTE", "Matte", nil,true)
for n, c in pairs(LSC_Config.prices.chrome2.colors) do
local btn = scol.Matte:addPurchase(c.name,LSC_Config.prices.matte2.price)btn.colorindex = c.colorindex
if btn.colorindex == myveh.color[2] then
btn.purchased = true
end
end
scol:addSubMenu("METALLIC", "Metallic", nil,true)
for n, c in pairs(LSC_Config.prices.metallic2.colors) do
local btn = scol.Metallic:addPurchase(c.name,LSC_Config.prices.metallic2.price)btn.colorindex = c.colorindex
if btn.colorindex == myveh.color[2] and myveh.extracolor[1] == btn.colorindex then
btn.purchased = true
end
end
scol:addSubMenu("METALS", "Metals", nil,true)
for n, c in pairs(LSC_Config.prices.metal2.colors) do
local btn = scol.Metals:addPurchase(c.name,LSC_Config.prices.metal2.price)btn.colorindex = c.colorindex
if btn.colorindex == myveh.color[2] then
btn.purchased = true
end
end
LSCMenu.categories:addSubMenu("WHEELS", "Wheels", "Custom rims, tires and colors.",true)
wtype = LSCMenu.categories.Wheels:addSubMenu("WHEEL TYPE", "Wheel type", "Custom rims in all styles and sizes.",true)
if IsThisModelABike(GetEntityModel(veh)) then
fwheels = wtype:addSubMenu("FRONT WHEEL", "Front wheel", nil,true)
for n, w in pairs(LSC_Config.prices.frontwheel) do
btn = fwheels:addPurchase(w.name,w.price)btn.wtype = w.wtype btn.modtype = 23 btn.mod = w.mod
end
bwheels = wtype:addSubMenu("BACK WHEEL", "Back wheel", nil,true)
for n, w in pairs(LSC_Config.prices.backwheel) do
btn = bwheels:addPurchase(w.name,w.price)btn.wtype = w.wtype btn.modtype = 24 btn.mod = w.mod
end
else
sportw = wtype:addSubMenu("SPORT WHEELS", "Sport", nil,true)
for n, w in pairs(LSC_Config.prices.sportwheels) do
local btn = sportw:addPurchase(w.name,w.price)btn.wtype = w.wtype btn.modtype = 23 btn.mod = w.mod
end
musclew = wtype:addSubMenu("MUSCLE WHEELS", "Muscle", nil,true)
for n, w in pairs(LSC_Config.prices.musclewheels) do
local btn = musclew:addPurchase(w.name,w.price)btn.wtype = w.wtype btn.modtype = 23 btn.mod = w.mod
end
lowriderw = wtype:addSubMenu("LOWRIDER WHEELS", "Lowrider", nil,true)
for n, w in pairs(LSC_Config.prices.lowriderwheels) do
local btn = lowriderw:addPurchase(w.name,w.price)btn.wtype = w.wtype btn.modtype = 23 btn.mod = w.mod
end
suvw = wtype:addSubMenu("SUV WHEELS", "Suv", nil,true)
for n, w in pairs(LSC_Config.prices.suvwheels) do
local btn = suvw:addPurchase(w.name,w.price)btn.wtype = w.wtype btn.modtype = 23 btn.mod = w.mod
end
offroadw = wtype:addSubMenu("OFFROAD WHEELS", "Offroad", nil,true)
for n, w in pairs(LSC_Config.prices.offroadwheels) do
local btn = offroadw:addPurchase(w.name,w.price)btn.wtype = w.wtype btn.modtype = 23 btn.mod = w.mod
end
tunerw = wtype:addSubMenu("TUNER WHEELS", "Tuner", nil,true)
for n, w in pairs(LSC_Config.prices.tunerwheels) do
local btn = tunerw:addPurchase(w.name,w.price)btn.wtype = w.wtype btn.modtype = 23 btn.mod = w.mod
end
hughendw = wtype:addSubMenu("HIGHEND WHEELS", "Highend", nil,true)
for n, w in pairs(LSC_Config.prices.highendwheels) do
local btn = hughendw:addPurchase(w.name,w.price)btn.wtype = w.wtype btn.modtype = 23 btn.mod = w.mod
end
end
m = LSCMenu.categories.Wheels:addSubMenu("WHEEL COLOR", "Wheel color", "Custom wheel colors.",true)
for n, c in pairs(LSC_Config.prices.wheelcolor.colors) do
local btn = m:addPurchase(c.name,LSC_Config.prices.wheelcolor.price)btn.colorindex = c.colorindex
end
m = LSCMenu.categories.Wheels:addSubMenu("WHEEL ACCESSORIES", "Wheel accessories", "Bulletproof tires and custom burnout smoke.",true)
for n, mod in pairs(LSC_Config.prices.wheelaccessories) do
local btn = m:addPurchase(mod.name,mod.price)btn.smokecolor = mod.smokecolor
end
m = LSCMenu.categories:addSubMenu("WINDOWS", "Windows", "A selection of tinted windows.",true)
btn = m:addPurchase("None")btn.tint = false
for n, tint in pairs(LSC_Config.prices.windowtint) do
btn = m:addPurchase(tint.name,tint.price)btn.tint = tint.tint
end
Citizen.CreateThread(function()
--NetworkSetEntityVisibleToNetwork(entity, toggle)
NetworkFadeOutEntity(veh, 1,1)
FadeOutLocalPlayer(1)
--NetworkUnregisterNetworkedEntity(veh)
--NetworkSetEntityVisibleToNetwork(veh, true)
--SetEntityVisible(veh, true, 0)
--SetNetworkIdExistsOnAllMachines(NetworkGetNetworkIdFromEntity(veh), false)
--SetEntityLocallyVisible(veh,true)
--SetEntityLocallyInvisible(veh,false)
SetEntityCoordsNoOffset(veh,pos.drivein.x,pos.drivein.y,pos.drivein.z)
SetEntityHeading(veh,pos.drivein.heading)
SetVehicleOnGroundProperly(veh)
SetVehicleLights(veh, 2)
SetVehicleInteriorlight(veh, true)
SetVehicleDoorsLocked(veh,4)
SetPlayerInvincible(GetPlayerIndex(),true)
SetEntityInvincible(veh,true)
SetVehRadioStation(veh, 255)
gameplaycam = GetRenderingCam()
SetupInsideCam()
Citizen.Wait(50)
TaskVehicleDriveToCoord(ped, veh, pos.inside.x, pos.inside.y, pos.inside.z, f(3), f(1), GetEntityModel(veh), 16777216, f(0.1), true)
EndFade()Citizen.Wait(3000)
local c = 0
while not IsVehicleStopped(veh) do
Citizen.Wait(0)
c = c + 1
if c > 5000 then
ClearPedTasks(ped)
break
end
end
Citizen.Wait(100)
SetCamCoord(cam,GetGameplayCamCoords())
SetCamRot(cam, GetGameplayCamRot(2), 2)
RenderScriptCams( 1, 1, 0, 0, 0)
RenderScriptCams( 0, 1, 1000, 0, 0)
SetCamActive(gameplaycam, true)
EnableGameplayCam(true)
SetCamActive(cam, false)
--If vehicle is damaged then it will open repair menu
if IsVehicleDamaged(veh) then
LSCMenu:Open("main")
else
LSCMenu:Open("categories")
end
FreezeEntityPosition(veh, true)
SetEntityCollision(veh,false,false)
SetPlayerControl(PlayerId(),true)
end)
end
end
--We actually need to get out of garage? o_O
local function DriveOutOfGarage(pos)
Citizen.CreateThread(function()
local ped = LocalPed()
local veh = GetVehiclePedIsUsing(ped)
pos = currentpos
TaskVehicleDriveToCoord(ped, veh, pos.outside.x, pos.outside.y, pos.outside.z, f(5), f(0.1), GetEntityModel(veh), 16777216, f(0.1), true)
pos = currentpos.driveout
--The vehicle customization is finished, so we send to server our vehicle data
TriggerServerEvent("LSC:finished", myveh)
StartFade()
Citizen.Wait(500)
SetEntityCollision(veh,true,true)
FreezeEntityPosition(ped, false)
FreezeEntityPosition(veh, false)
SetEntityCoords(veh,pos.x,pos.y,pos.z)
SetEntityHeading(veh,pos.heading)
SetVehicleOnGroundProperly(veh)
SetVehicleDoorsLocked(veh,0)
SetPlayerInvincible(GetPlayerIndex(),false)
SetEntityInvincible(veh,false)
SetVehicleLights(veh, 0)
NetworkLeaveTransition()
EndFade()
NetworkFadeInEntity(veh, 1)
Citizen.Wait(3000)
NetworkRegisterEntityAsNetworked(veh)
SetEntityVisible(ped, true,0)
ClearPedTasks(ped)
inside = false
--Unlock the garage
TriggerServerEvent('lockGarage',false,currentgarage)
currentgarage = 0
DisplayRadar(true)
SetPlayerControl(PlayerId(),true)
end)
end
--Draw text on screen
local function drawTxt(text,font,centre,x,y,scale,r,g,b,a)
SetTextFont(font)
SetTextProportional(0)
SetTextScale(scale, scale)
SetTextColour(r, g, b, a)
SetTextDropShadow(0, 0, 0, 0,255)
SetTextEdge(1, 0, 0, 0, 255)
SetTextDropShadow()
SetTextOutline()
SetTextCentre(centre)
SetTextEntry("STRING")
AddTextComponentString(text)
DrawText(x , y)
end
--Get the length of table
local function tablelength(T)
local count = 0
for _ in pairs(T) do count = count + 1 end
return count
end
--Check if table contains value
local function tableContains(t,val)
for k,v in pairs(t) do
if v == val then
return true
end
end
return false
end
--Magical loop that allows you to drive in garage if you successfully go through checks
Citizen.CreateThread(function()
while true do
Citizen.Wait(0)
--If you are not already in garage
if inside == false then
local ped = LocalPed()
--Well... yes... we actually need a car to do something
if IsPedSittingInAnyVehicle(ped) then
local veh = GetVehiclePedIsUsing(ped)
--If the vehicle exist, player is in driver seat and if this vehicle is a car or bike then we are good to go
if DoesEntityExist(veh) and GetPedInVehicleSeat(veh, -1) == ped and (IsThisModelACar(GetEntityModel(veh)) or IsThisModelABike(GetEntityModel(veh))) then
--So lets go through every garage
for i,pos in ipairs(garages) do
--Lets take the outside coords of garage
outside = pos.drivein
--Old enter:If vehicle is close enough, then text will be displayed - Press ENTER to enter garage
if LSC_Config.oldenter then
--So, if vehicle is close enough then we can continue
if GetDistanceBetweenCoords(outside.x,outside.y,outside.z,GetEntityCoords(ped)) <= f(5) then
--Lets check if our vehicle is not in the model black list, and if it is not then we can go further
if not tableContains(LSC_Config.ModelBlacklist,GetDisplayNameFromVehicleModel(GetEntityModel(veh)):lower()) then
--If the garage is locked
if pos.locked then
--If the config lock system is not enabled then we can go traight in garage, but if it is enabled then not
if not LSC_Config.lock then
if IsControlJustPressed(1,201) then
inside = true
currentpos = pos
currentgarage = i
DriveInGarage()
else
drawTxt("Press ~b~ENTER~w~ to enter ~b~Los Santos Customs ",4,1,0.5,0.8,1.0,255,255,255,255)
end
else
drawTxt("~r~Locked, please wait",4,1,0.5,0.8,1.0,255,255,255,255)
end
else
if IsControlJustPressed(1,201) then
inside = true
currentpos = pos
currentgarage = i
DriveInGarage()
else
drawTxt("Press ~b~ENTER~w~ to enter ~b~Los Santos Customs ",4,1,0.5,0.8,1.0,255,255,255,255)
end
end
else
drawTxt("~r~This vehicle can't be upgraded",4,1,0.5,0.8,1.0,255,255,255,255)
end
end
else
--So, if vehicle is close enough and it's facing the garage then we can continue
if math.abs(GetEntityHeading(veh)-outside.heading) <= 90 and IsVehicleStopped(veh) and GetDistanceBetweenCoords(outside.x,outside.y,outside.z,GetEntityCoords(ped)) <= f(5) then
--Lets check if our vehicle is not in the model black list, and if it is not then we can go further
if not tableContains(LSC_Config.ModelBlacklist,GetDisplayNameFromVehicleModel(GetEntityModel(veh)):lower()) then
--If the garage is locked
if pos.locked then
--If the config lock system is not enabled then we can go traight in garage, but if it is enabled then not
if not LSC_Config.lock then
inside = true
currentpos = pos
currentgarage = i
DriveInGarage()
else
drawTxt("~r~Locked, please wait",4,1,0.5,0.8,1.0,255,255,255,255)
end
else
inside = true
currentpos = pos
currentgarage = i
DriveInGarage()
end
else
drawTxt("~r~This vehicle can't be upgraded",4,1,0.5,0.8,1.0,255,255,255,255)
end
end
end
end
end
end
end
end
end)
--Lets drive out of the garage
function LSCMenu:OnMenuClose(m)
DriveOutOfGarage(currentpos.outside)
end
function LSCMenu:onSelectedIndexChanged(name, button)
name = name:lower()
local m = LSCMenu.currentmenu
local price = button.price or 0
local veh = myveh.vehicle
p = m.parent or self.name
if m == "main" then
m = self
end
CheckPurchases(m)
m = m.name:lower()
p = p:lower()
--set up temporary shitt, or in other words show preview of selected mod
if m == "chrome" or m == "classic" or m == "matte" or m == "metals" then
if p == "primary color" then
SetVehicleColours(veh,button.colorindex,myveh.color[2])
else
SetVehicleColours(veh,myveh.color[1],button.colorindex)
end
elseif m == "metallic" then
if p == "primary color" then
SetVehicleColours(veh,button.colorindex,myveh.color[2])
SetVehicleExtraColours(veh, myveh.color[2], myveh.extracolor[2])
else
SetVehicleColours(veh,myveh.color[1],button.colorindex)
SetVehicleExtraColours(veh, button.colorindex, myveh.extracolor[2])
end
elseif m == "wheel color" then
SetVehicleExtraColours(veh,myveh.extracolor[1], button.colorindex)
elseif button.modtype and button.mod then
if button.modtype ~= 18 and button.modtype ~= 22 then
if button.wtype then
SetVehicleWheelType(veh,button.wtype)
end
SetVehicleMod(veh,button.modtype, button.mod)
elseif button.modtype == 22 then
ToggleVehicleMod(veh,button.modtype, button.mod)
elseif button.modtype == 18 then
end
elseif m == "license" then
SetVehicleNumberPlateTextIndex(veh,button.plateindex)
elseif m == "neon color" then
SetVehicleNeonLightsColour(veh,button.neon[1], button.neon[2], button.neon[3])
elseif m == "windows" then
SetVehicleWindowTint(veh, button.tint)
else
end
if m == "horn" then
--Maybe some way of playing the horn?
OverrideVehHorn(veh,false,0)
if IsHornActive(veh) or IsControlPressed(1,86) then
StartVehicleHorn(veh, 10000, "HELDDOWN", 1)
end
end
end
--Didnt even need to use this
function LSCMenu:OnMenuOpen(menu)
end
function LSCMenu:onButtonSelected(name, button)
--Send the selected button to server
TriggerServerEvent("LSC:buttonSelected", name, button)
end
--So we get the button back from server + bool that determines if we can prchase specific item or not
RegisterNetEvent("LSC:buttonSelected")
AddEventHandler("LSC:buttonSelected", function(name, button, canpurchase)
name = name:lower()
local m = LSCMenu.currentmenu
local price = button.price or 0
local veh = myveh.vehicle
if m == "main" then
m = LSCMenu
end
mname = m.name:lower()
--Bunch of button shitt, that gets executed if button is selected + goes through checks
if mname == "chrome" or mname == "classic" or mname == "matte" or mname == "metals" then
if m.parent == "Primary color" then
if button.name == "Stock" or button.purchased or CanPurchase(price, canpurchase) then
myveh.color[1] = button.colorindex
end
else
if button.name == "Stock" or button.purchased or CanPurchase(price, canpurchase) then
myveh.color[2] = button.colorindex
end
end
elseif mname == "metallic" then
if m.parent == "Primary color" then
if button.name == "Stock" or button.purchased or CanPurchase(price, canpurchase)then
myveh.color[1] = button.colorindex
myveh.extracolor[1] = myveh.color[2]
end
else
if button.name == "Stock" or button.purchased or CanPurchase(price, canpurchase)then
myveh.extracolor[1] = button.colorindex
myveh.color[2] = button.colorindex
end
end
elseif mname == "liveries" or mname == "hydraulics" or mname == "horn" or mname == "tank" or mname == "ornaments" or mname == "arch cover" or mname == "aerials" or mname == "roof scoops" or mname == "doors" or mname == "roll cage" or mname == "engine block" or mname == "cam cover" or mname == "strut brace" or mname == "trim design" or mname == "ormnametns" or mname == "dashboard" or mname == "dials" or mname == "seats" or mname == "steering wheels" or mname == "plate holder" or mname == "vanity plates" or mname == "shifter leavers" or mname == "plaques" or mname == "speakers" or mname == "trunk" or mname == "armor" or mname == "suspension" or mname == "transmission" or mname == "brakes" or mname == "engine tunes" or mname == "roof" or mname == "hood" or mname == "grille" or mname == "roll cage" or mname == "exhausts" or mname == "skirts" or mname == "rear bumpers" or mname == "front bumpers" or mname == "spoiler" then
if button.name == "Stock" or button.purchased or CanPurchase(price, canpurchase)then
myveh.mods[button.modtype].mod = button.mod
SetVehicleMod(veh,button.modtype,button.mod)
end
elseif mname == "fenders" then
if button.name == "Stock" or button.purchased or CanPurchase(price, canpurchase)then
if button.name == "Stock" then
myveh.mods[8].mod = button.mod
myveh.mods[9].mod = button.mod
SetVehicleMod(veh,9,button.mod)
SetVehicleMod(veh,8,button.mod)
else
myveh.mods[button.modtype].mod = button.mod
SetVehicleMod(veh,button.modtype,button.mod)
end
end
elseif mname == "turbo" or mname == "headlights" then
if button.name == "None" or button.name == "Stock Lights" or button.purchased or CanPurchase(price, canpurchase) then
myveh.mods[button.modtype].mod = button.mod
ToggleVehicleMod(veh, button.modtype, button.mod)
end
elseif mname == "neon layout" then
if button.name == "None" then
SetVehicleNeonLightEnabled(veh,0,false)
SetVehicleNeonLightEnabled(veh,1,false)
SetVehicleNeonLightEnabled(veh,2,false)
SetVehicleNeonLightEnabled(veh,3,false)
myveh.neoncolor[1] = 255
myveh.neoncolor[2] = 255
myveh.neoncolor[3] = 255
SetVehicleNeonLightsColour(veh,255,255,255)
elseif button.purchased or CanPurchase(price, canpurchase) then
if not myveh.neoncolor[1] then
myveh.neoncolor[1] = 255
myveh.neoncolor[2] = 255
myveh.neoncolor[3] = 255
end
SetVehicleNeonLightsColour(veh,myveh.neoncolor[1],myveh.neoncolor[2],myveh.neoncolor[3])
SetVehicleNeonLightEnabled(veh,0,true)
SetVehicleNeonLightEnabled(veh,1,true)
SetVehicleNeonLightEnabled(veh,2,true)
SetVehicleNeonLightEnabled(veh,3,true)
end
elseif mname == "neon color" then
if button.purchased or CanPurchase(price, canpurchase) then
myveh.neoncolor[1] = button.neon[1]
myveh.neoncolor[2] = button.neon[2]
myveh.neoncolor[3] = button.neon[3]
SetVehicleNeonLightsColour(veh,button.neon[1],button.neon[2],button.neon[3])
end
elseif mname == "windows" then
if button.name == "None" or button.purchased or CanPurchase(price, canpurchase) then
myveh.windowtint = button.tint
SetVehicleWindowTint(veh, button.tint)
end
elseif mname == "sport" or mname == "muscle" or mname == "lowrider" or mname == "back wheel" or mname == "front wheel" or mname == "highend" or mname == "suv" or mname == "offroad" or mname == "tuner" then
if button.purchased or CanPurchase(price, canpurchase) then
myveh.wheeltype = button.wtype
myveh.mods[button.modtype].mod = button.mod
SetVehicleWheelType(veh,button.wtype)
SetVehicleMod(veh,button.modtype,button.mod)
end
elseif mname == "wheel color" then
if button.purchased or CanPurchase(price, canpurchase) then
myveh.extracolor[2] = button.colorindex
SetVehicleExtraColours(veh, myveh.extracolor[1], button.colorindex)
end
elseif mname == "wheel accessories" then
if button.name == "Stock Tires" then
SetVehicleModKit(veh,0)
SetVehicleMod(veh,23,myveh.mods[23].mod,false)
myveh.mods[23].variation = false
if IsThisModelABike(GetEntityModel(veh)) then
SetVehicleModKit(veh,0)
SetVehicleMod(veh,24,myveh.mods[24].mod,false)
myveh.mods[24].variation = false
end
elseif button.name == "Custom Tires" and (button.purchased or CanPurchase(price, canpurchase)) then
SetVehicleModKit(veh,0)
SetVehicleMod(veh,23,myveh.mods[23].mod,true)
myveh.mods[23].variation = true
if IsThisModelABike(GetEntityModel(veh)) then
SetVehicleModKit(veh,0)
SetVehicleMod(veh,24,myveh.mods[24].mod,true)
myveh.mods[24].variation = true
end
elseif button.name == "Bulletproof Tires" and (button.purchased or CanPurchase(price, canpurchase)) then
if GetVehicleTyresCanBurst(myveh.vehicle) then
myveh.bulletProofTyres = false
SetVehicleTyresCanBurst(veh,false)
else
myveh.bulletProofTyres = true
SetVehicleTyresCanBurst(veh,true)
end
elseif button.smokecolor ~= nil and (button.purchased or CanPurchase(price, canpurchase)) then
SetVehicleModKit(veh,0)
myveh.mods[20].mod = true
ToggleVehicleMod(veh,20,true)
myveh.smokecolor = button.smokecolor
SetVehicleTyreSmokeColor(veh,button.smokecolor[1],button.smokecolor[2],button.smokecolor[3])
end
elseif mname == "license" then
if button.purchased or CanPurchase(price, canpurchase) then
myveh.plateindex = button.plateindex
SetVehicleNumberPlateTextIndex(veh,button.plateindex)
end
elseif mname == "main" then
if name == "repair vehicle" then
if CanPurchase(price, canpurchase) then
myveh.repair()
LSCMenu:ChangeMenu("categories")
end
end
end
CheckPurchases(m)
end)
--This was perfect until I tried different vehicles
local function PointCamAtBone(bone,ox,oy,oz)
SetIbuttons({
{GetControlInstructionalButton(1,LSCMenu.config.controls.menu_back, 0),"Back"},
{GetControlInstructionalButton(1,LSCMenu.config.controls.menu_select, 0),"Select"},
{GetControlInstructionalButton(1,LSCMenu.config.controls.menu_up, 0),"Up"},
{GetControlInstructionalButton(1,LSCMenu.config.controls.menu_down, 0),"Down"},
{GetControlInstructionalButton(1,LSCMenu.config.controls.menu_left, 0),"Left"},
{GetControlInstructionalButton(1,LSCMenu.config.controls.menu_right, 0),"Right"},
{GetControlInstructionalButton(1,0, 0),"Free camera"}
},0)
SetCamActive(cam, true)
local veh = myveh.vehicle
local b = GetEntityBoneIndexByName(veh, bone)
local bx,by,bz = table.unpack(GetWorldPositionOfEntityBone(veh, b))
local ox2,oy2,oz2 = table.unpack(GetOffsetFromEntityGivenWorldCoords(veh, bx, by, bz))
local x,y,z = table.unpack(GetOffsetFromEntityInWorldCoords(veh, ox2 + f(ox), oy2 + f(oy), oz2 +f(oz)))
SetCamCoord(cam, x, y, z)
PointCamAtCoord(cam,GetOffsetFromEntityInWorldCoords(veh, 0, oy2, oz2))
RenderScriptCams( 1, 1, 1000, 0, 0)
end
local function MoveVehCam(pos,x,y,z)
SetIbuttons({
{GetControlInstructionalButton(1,LSCMenu.config.controls.menu_back, 0),"Back"},
{GetControlInstructionalButton(1,LSCMenu.config.controls.menu_select, 0),"Select"},
{GetControlInstructionalButton(1,LSCMenu.config.controls.menu_up, 0),"Up"},
{GetControlInstructionalButton(1,LSCMenu.config.controls.menu_down, 0),"Down"},
{GetControlInstructionalButton(1,LSCMenu.config.controls.menu_left, 0),"Left"},
{GetControlInstructionalButton(1,LSCMenu.config.controls.menu_right, 0),"Right"},
{GetControlInstructionalButton(1,0, 0),"Free camera"}
},0)
SetCamActive(cam, true)
local veh = myveh.vehicle
local vx,vy,vz = table.unpack(GetEntityCoords(veh))
local d = GetModelDimensions(GetEntityModel(veh))
local length,width,height = d.y*-2, d.x*-2, d.z*-2
local ox,oy,oz
if pos == 'front' then
ox,oy,oz= table.unpack(GetOffsetFromEntityInWorldCoords(veh, f(x), (length/2)+ f(y), f(z)))
elseif pos == "front-top" then
ox,oy,oz= table.unpack(GetOffsetFromEntityInWorldCoords(veh, f(x), (length/2) + f(y),(height) + f(z)))
elseif pos == "back" then
ox,oy,oz= table.unpack(GetOffsetFromEntityInWorldCoords(veh, f(x), -(length/2) + f(y),f(z)))
elseif pos == "back-top" then
ox,oy,oz= table.unpack(GetOffsetFromEntityInWorldCoords(veh, f(x), -(length/2) + f(y),(height/2) + f(z)))
elseif pos == "left" then
ox,oy,oz= table.unpack(GetOffsetFromEntityInWorldCoords(veh, -(width/2) + f(x), f(y), f(z)))
elseif pos == "right" then
ox,oy,oz= table.unpack(GetOffsetFromEntityInWorldCoords(veh, (width/2) + f(x), f(y), f(z)))
elseif pos == "middle" then
ox,oy,oz= table.unpack(GetOffsetFromEntityInWorldCoords(veh, f(x), f(y), (height/2) + f(z)))
end
SetCamCoord(cam, ox, oy, oz)
PointCamAtCoord(cam,GetOffsetFromEntityInWorldCoords(veh, 0, 0, f(0)))
RenderScriptCams( 1, 1, 1000, 0, 0)
end
function LSCMenu:OnMenuChange(last,current)
UnfakeVeh()
if last == "main" then
last = self
end
if last.name == "categories" and current.name == "main" then
LSCMenu:Close()
end
c = current.name:lower()
--Camera,door stuff
if c == "front bumpers" then
MoveVehCam('front',-0.6,1.5,0.4)
elseif c == "rear bumpers" then
MoveVehCam('back',-0.5,-1.5,0.2)
elseif c == "Engine Tunes" then
--PointCamAtBone('engine',0,-1.5,1.5)
elseif c == "exhausts" then
--PointCamAtBone("exhaust",0,-1.5,0)
elseif c == "hood" then
MoveVehCam('front-top',-0.5,1.3,1.0)
elseif c == "headlights" then
MoveVehCam('front',-0.6,1.3,0.6)
elseif c == "license" or c == "plate holder" then
MoveVehCam('back',0,-1,0.2)
elseif c == "vanity plates" then
MoveVehCam('front',-0.3,0.8,0.3)
elseif c == "roof" then
--MoveVehCam('middle',-1.2,2,1.5)
elseif c == "fenders" then
MoveVehCam('left',-1.8,-1.3,0.7)
elseif c == "grille" then
--MoveVehCam('front',-0.3,0.8,0.6)
elseif c == "skirts" then
MoveVehCam('left',-1.8,-1.3,0.7)
elseif c == "spoiler" then
MoveVehCam('back',0.5,-1.6,1.3)
elseif c == "back wheel" then
PointCamAtBone("wheel_lr",-1.4,0,0.3)
elseif c == "front wheel" or c == "wheel accessories" or c == "wheel color" or c == "sport" or c == "muscle" or c == "lowrider" or c == "highend" or c == "suv" or c == "offroad" or c == "tuner" then
PointCamAtBone("wheel_lf",-1.4,0,0.3)
--[[elseif c == "windows" then
if not IsThisModelABike(GetEntityModel(myveh.vehicle)) then
PointCamAtBone("window_lf",-2.0,0,0.3)
end]]
elseif c == "neon color" then
PointCamAtBone("neon_l",-2.0,2.0,0.4)
elseif c == "shifter leavers" or c == "trim design" or c == "ornaments" or c == "dashboard" or c == "dials" or c == "seats" or c =="steering wheels" then
--Set view mode to first person
SetFollowVehicleCamViewMode(4)
elseif c == "doors" and last.name:lower() == "interior" then
--Open both front doors
SetVehicleDoorOpen(myveh.vehicle, 0, 0, 0)
SetVehicleDoorOpen(myveh.vehicle, 1, 0, 0)
elseif c == "trunk" then
--- doorIndex:
-- 0 = Front Left Door
-- 1 = Front Right Door
-- 2 = Back Left Door
-- 3 = Back Right Door
-- 4 = Hood
-- 5 = Trunk
-- 6 = Back
-- 7 = Back2
SetVehicleDoorOpen(myveh.vehicle, 5, 0, 0)
elseif c == "speakers" or c == "engine block" or c == "air filter" or c == "strut brace" or c == "cam cover" then
--Open hood and trunk
SetVehicleDoorOpen(myveh.vehicle, 5, 0, 0)
SetVehicleDoorOpen(myveh.vehicle, 4, 0, 0)
elseif IsCamActive(cam) then
--Go back to gameplaycam
SetCamCoord(cam,GetGameplayCamCoords())
SetCamRot(cam, GetGameplayCamRot(2), 2)
RenderScriptCams( 1, 1, 0, 0, 0)
RenderScriptCams( 0, 1, 1000, 0, 0)
SetCamActive(gameplaycam, true)
EnableGameplayCam(true)
SetCamActive(cam, false)
SetIbuttons({
{GetControlInstructionalButton(1,LSCMenu.config.controls.menu_back, 0),"Back"},
{GetControlInstructionalButton(1,LSCMenu.config.controls.menu_select, 0),"Select"},
{GetControlInstructionalButton(1,LSCMenu.config.controls.menu_up, 0),"Up"},
{GetControlInstructionalButton(1,LSCMenu.config.controls.menu_down, 0),"Down"},
{GetControlInstructionalButton(1,LSCMenu.config.controls.menu_left, 0),"Left"},
{GetControlInstructionalButton(1,LSCMenu.config.controls.menu_right, 0),"Right"}
},0)
else
--Close all doors
SetVehicleDoorShut(myveh.vehicle, 0, 0)
SetVehicleDoorShut(myveh.vehicle, 1, 0)
SetVehicleDoorShut(myveh.vehicle, 4, 0)
SetVehicleDoorShut(myveh.vehicle, 5, 0)
SetFollowVehicleCamViewMode(0)
end
end
--Bunch of checks
function CheckPurchases(m)
name = m.name:lower()
if name == "chrome" or name == "classic" or name == "matte" or name == "metals" then
if m.parent == "Primary color" then
for i,b in pairs(m.buttons) do
if b.purchased and b.colorindex ~= myveh.color[1] then
if b.purchased ~= nil then b.purchased = false end
b.sprite = nil
elseif b.purchased == false and b.colorindex == myveh.color[1] then
if b.purchased ~= nil then b.purchased = true end
b.sprite = "garage"
end
end
else
for i,b in pairs(m.buttons) do
if b.purchased and (b.colorindex ~= myveh.color[1] or myveh.extracolor[1] ~= myveh.color[2]) then
if b.purchased ~= nil then b.purchased = false end
b.sprite = nil
elseif b.purchased == false and b.colorindex == myveh.color[1] and myveh.extracolor[1] == myveh.color[2] then
if b.purchased ~= nil then b.purchased = true end
b.sprite = "garage"
end
end
end
elseif name == "metallic" then
if m.parent == "Primary color" then
for i,b in pairs(m.buttons) do
if b.purchased and b.colorindex ~= myveh.color[1] then
if b.purchased ~= nil then b.purchased = false end
b.sprite = nil
elseif b.purchased == false and b.colorindex == myveh.color[1] then
if b.purchased ~= nil then b.purchased = true end
b.sprite = "garage"
end
end
else
for i,b in pairs(m.buttons) do
if b.purchased and (b.colorindex ~= myveh.color[2] or myveh.extracolor[1] ~= b.colorindex) then
if b.purchased ~= nil then b.purchased = false end
b.sprite = nil
elseif b.purchased == false and b.colorindex == myveh.color[2] and myveh.extracolor[1] == b.colorindex then
if b.purchased ~= nil then b.purchased = true end
b.sprite = "garage"
end
end
end
elseif name == "armor" or name == "suspension" or name == "transmission" or name == "brakes" or name == "engine tunes" or name == "roof" or name == "fenders" or name == "hood" or name == "grille" or name == "roll cage" or name == "exhausts" or name == "skirts" or name == "rear bumpers" or name == "front bumpers" or name == "spoiler" then
for i,b in pairs(m.buttons) do
if b.mod == -1 then
if myveh.mods[b.modtype].mod == -1 then
if b.purchased ~= nil then b.purchased = true end
b.sprite = "garage"
else
if b.purchased ~= nil then b.purchased = false end
b.sprite = nil
end
elseif b.mod == 0 or b.mod == false then
if myveh.mods[b.modtype].mod == false or myveh.mods[b.modtype].mod == 0 then
if b.purchased ~= nil then b.purchased = true end
b.sprite = "garage"
else
if b.purchased ~= nil then b.purchased = false end
b.sprite = nil
end
else
if myveh.mods[b.modtype].mod == b.mod then
if b.purchased ~= nil then b.purchased = true end
b.sprite = "garage"
else
if b.purchased ~= nil then b.purchased = false end
b.sprite = nil
end
end
end
elseif name == "neon layout" then
for i,b in pairs(m.buttons) do
if b.name == "None" then
if IsVehicleNeonLightEnabled(myveh.vehicle, 0) == false and IsVehicleNeonLightEnabled(myveh.vehicle, 1) == false and IsVehicleNeonLightEnabled(myveh.vehicle, 2) == false and IsVehicleNeonLightEnabled(myveh.vehicle, 3) == false then
b.sprite = "garage"
else
b.sprite = nil
end
elseif b.name == "Front,Back and Sides" then
if IsVehicleNeonLightEnabled(myveh.vehicle, 0) and IsVehicleNeonLightEnabled(myveh.vehicle, 1) and IsVehicleNeonLightEnabled(myveh.vehicle, 2) and IsVehicleNeonLightEnabled(myveh.vehicle, 3) then
b.sprite = "garage"
else
b.sprite = nil
end
end
end
elseif name == "neon color" then
for i,b in pairs(m.buttons) do
if b.neon[1] == myveh.neoncolor[1] and b.neon[2] == myveh.neoncolor[2] and b.neon[3] == myveh.neoncolor[3] then
b.sprite = "garage"
else
b.sprite = nil
end
end
elseif name == "windows" then
for i,b in pairs(m.buttons) do
if myveh.windowtint == b.tint then
b.sprite = "garage"
else
b.sprite = nil
end
end
elseif name == "sport" or name == "muscle" or name == "lowrider" or name == "back wheel" or name == "front wheel" or name == "highend" or name == "suv" or name == "offroad" or name == "tuner" then
for i,b in pairs(m.buttons) do
if myveh.mods[b.modtype].mod == b.mod and myveh.wheeltype == b.wtype then
b.sprite = "garage"
else
b.sprite = nil
end
end
elseif name == "wheel color" then
for i,b in pairs(m.buttons) do
if b.colorindex == myveh.extracolor[2] then
b.sprite = "garage"
else
b.sprite = nil
end
end
elseif name == "wheel accessories" then
for i,b in pairs(m.buttons) do
if b.name == "Stock Tires" then
if GetVehicleModVariation(myveh.vehicle,23) == false then
b.sprite = "garage"
else
b.sprite = nil
end
elseif b.name == "Custom Tires" then
if GetVehicleModVariation(myveh.vehicle,23) then
b.sprite = "garage"
else
b.sprite = nil
end
elseif b.name == "Bulletproof Tires" then
if GetVehicleTyresCanBurst(myveh.vehicle) == false then
b.sprite = "garage"
else
b.sprite = nil
end
elseif b.smokecolor ~= nil then
local col = table.pack(GetVehicleTyreSmokeColor(myveh.vehicle))
if col[1] == b.smokecolor[1] and col[2] == b.smokecolor[2] and col[3] == b.smokecolor[3] then
b.sprite = "garage"
else
b.sprite = nil
end
end
end
elseif name == "license" then
for i,b in pairs(m.buttons) do
if myveh.plateindex == b.plateindex then
b.sprite = "garage"
else
b.sprite = nil
end
end
elseif name == "tank" or name == "ornaments" or name == "arch cover" or name == "aerials" or name == "roof scoops" or name == "doors" or name == "roll cage" or name == "engine block" or name == "cam cover" or name == "strut brace" or name == "trim design" or name == "ornametns" or name == "dashboard" or name == "dials" or name == "seats" or name == "steering wheels" or name == "plate holder" or name == "vanity plates" or name == "shifter leavers" or name == "plaques" or name == "speakers" or name == "trunk" or name == "headlights" or name == "turbo" or name == "hydraulics" or name == "liveries" or name == "horn" then
for i,b in pairs(m.buttons) do
if myveh.mods[b.modtype].mod == b.mod then
b.sprite = "garage"
else
b.sprite = nil
end
end
end
end
--Show notifications and return if item can be purchased
function CanPurchase(price, canpurchase)
if canpurchase then
if LSCMenu.currentmenu == "main" then
LSCMenu:showNotification("Your vehicle has been repaired.")
else
LSCMenu:showNotification("Item purchased.")
end
return true
else
LSCMenu:showNotification("~r~You cannot afford this purchase.")
return false
end
end
--Unfake vehicle, or in other words reset vehicle stuff to real so all the preview stuff would be gone
function UnfakeVeh()
local veh = myveh.vehicle
SetVehicleModKit(veh,0)
SetVehicleWheelType(veh, myveh.wheeltype)
for i,m in pairs(myveh.mods) do
if i == 22 or i == 18 then
ToggleVehicleMod(veh,i,m.mod)
elseif i == 23 or i == 24 then
SetVehicleMod(veh,i,m.mod,m.variation)
else
SetVehicleMod(veh,i,m.mod)
end
end
SetVehicleColours(veh,myveh.color[1], myveh.color[2])
SetVehicleExtraColours(veh,myveh.extracolor[1], myveh.extracolor[2])
SetVehicleNeonLightsColour(veh,myveh.neoncolor[1],myveh.neoncolor[2],myveh.neoncolor[3])
SetVehicleNumberPlateTextIndex(veh, myveh.plateindex)
SetVehicleWindowTint(veh, myveh.windowtint)
end
--Still the good old way of adding blips
local function AddBlips()
for i,pos in ipairs(garages) do
local blip = AddBlipForCoord(pos.inside.x,pos.inside.y,pos.inside.z)
SetBlipSprite(blip, 72)
SetBlipAsShortRange(blip,true)
if i == 5 then
BeginTextCommandSetBlipName("STRING")
AddTextComponentString("Beeker's Garage")
EndTextCommandSetBlipName(blip)
elseif i == 6 then
BeginTextCommandSetBlipName("STRING")
AddTextComponentString("Benny's Motorworks")
EndTextCommandSetBlipName(blip)
end
end
end
--Adding all blips on first spawn
local firstspawn = 0
AddEventHandler('playerSpawned', function(spawn)
if firstspawn == 0 then
AddBlips()
TriggerServerEvent('getGarageInfo')
firstspawn = 1
end
end)
--Locks the garage if someone enters it
RegisterNetEvent('lockGarage')
AddEventHandler('lockGarage', function(tbl)
for i,garage in ipairs(tbl) do
garages[i].locked = garage.locked
end
end)
--This is something new o_O, just some things to draw instructional buttons
local Ibuttons = nil
--Set up scaleform
function SetIbuttons(buttons, layout)
Citizen.CreateThread(function()
if not HasScaleformMovieLoaded(Ibuttons) then
Ibuttons = RequestScaleformMovie("INSTRUCTIONAL_BUTTONS")
while not HasScaleformMovieLoaded(Ibuttons) do
Citizen.Wait(0)
end
else
Ibuttons = RequestScaleformMovie("INSTRUCTIONAL_BUTTONS")
while not HasScaleformMovieLoaded(Ibuttons) do
Citizen.Wait(0)
end
end
local sf = Ibuttons
local w,h = GetScreenResolution()
PushScaleformMovieFunction(sf,"CLEAR_ALL")
PopScaleformMovieFunction()
PushScaleformMovieFunction(sf,"SET_DISPLAY_CONFIG")
PushScaleformMovieFunctionParameterInt(w)
PushScaleformMovieFunctionParameterInt(h)
PushScaleformMovieFunctionParameterFloat(0.03)
PushScaleformMovieFunctionParameterFloat(0.98)
PushScaleformMovieFunctionParameterFloat(0.01)
PushScaleformMovieFunctionParameterFloat(0.95)
PushScaleformMovieFunctionParameterBool(true)
PushScaleformMovieFunctionParameterBool(false)
PushScaleformMovieFunctionParameterBool(false)
PushScaleformMovieFunctionParameterInt(w)
PushScaleformMovieFunctionParameterInt(h)
PopScaleformMovieFunction()
PushScaleformMovieFunction(sf,"SET_MAX_WIDTH")
PushScaleformMovieFunctionParameterInt(1)
PopScaleformMovieFunction()
for i,btn in pairs(buttons) do
PushScaleformMovieFunction(sf,"SET_DATA_SLOT")
PushScaleformMovieFunctionParameterInt(i-1)
PushScaleformMovieFunctionParameterString(btn[1])
PushScaleformMovieFunctionParameterString(btn[2])
PopScaleformMovieFunction()
end
if layout ~= 1 then
PushScaleformMovieFunction(sf,"SET_PADDING")
PushScaleformMovieFunctionParameterInt(10)
PopScaleformMovieFunction()
end
PushScaleformMovieFunction(sf,"DRAW_INSTRUCTIONAL_BUTTONS")
PushScaleformMovieFunctionParameterInt(layout)
PopScaleformMovieFunction()
end)
end
--Draw the scaleform
function DrawIbuttons()
if HasScaleformMovieLoaded(Ibuttons) then
DrawScaleformMovie(Ibuttons, 0.5, 0.5, 1.0, 1.0, 255, 255, 255, 255)
end
end
Citizen.CreateThread(function()
while true do
Citizen.Wait(0)
if inside then
SetLocalPlayerVisibleLocally(1)
end
if LSCMenu:isVisible() then
DrawIbuttons()--Draw the scaleform if menu is visible
if IsDisabledControlJustPressed(1,0) or IsControlJustPressed(1,0) then -- V
if cam and IsCamActive(cam) then --If the script cam is active then we can change back to gameplay cam
SetCamCoord(cam,GetGameplayCamCoords())
SetCamRot(cam, GetGameplayCamRot(2), 2)
RenderScriptCams( 1, 1, 0, 0, 0)
RenderScriptCams( 0, 1, 1000, 0, 0)
SetCamActive(gameplaycam, true)
EnableGameplayCam(true)
SetCamActive(cam, false)
SetIbuttons({
{GetControlInstructionalButton(1,LSCMenu.config.controls.menu_back, 0),"Back"},
{GetControlInstructionalButton(1,LSCMenu.config.controls.menu_select, 0),"Select"},
{GetControlInstructionalButton(1,LSCMenu.config.controls.menu_up, 0),"Up"},
{GetControlInstructionalButton(1,LSCMenu.config.controls.menu_down, 0),"Down"},
{GetControlInstructionalButton(1,LSCMenu.config.controls.menu_left, 0),"Left"},
{GetControlInstructionalButton(1,LSCMenu.config.controls.menu_right, 0),"Right"}
},0)
end
end
end
end
end)
|
local sourcenode = nil;
local intelligencenode = nil;
local willpowernode = nil;
local fellowshipnode = nil;
local indicatorwidget = nil;
function onInit()
-- initialize the base class
super.onInit();
-- get the source node
sourcenode = getDatabaseNode();
if sourcenode then
-- get the intelligence node
intelligencenode = sourcenode.getChild("..intelligence.current");
if intelligencenode then
intelligencenode.onUpdate = onUpdate;
end
-- get the willpower node
willpowernode = sourcenode.getChild("..willpower.current");
if willpowernode then
willpowernode.onUpdate = onUpdate;
end
-- get the fellowship node
fellowshipnode = sourcenode.getChild("..fellowship.current");
if fellowshipnode then
fellowshipnode.onUpdate = onUpdate;
end
-- create the indicator widget
indicatorwidget = addBitmapWidget("indicator_stress");
indicatorwidget.setPosition("bottomleft", 0, -4);
-- force an update now
update();
end
end
function onUpdate(source)
update();
end
function onValueChanged()
super.onValueChanged();
update();
end
function update()
if sourcenode then
local stressvalue = nil;
if intelligencenode then
if not stressvalue or intelligencenode.getValue() < stressvalue then
stressvalue = intelligencenode.getValue();
end
end
if willpowernode then
if not stressvalue or willpowernode.getValue() < stressvalue then
stressvalue = willpowernode.getValue();
end
end
if fellowshipnode then
if not stressvalue or fellowshipnode.getValue() < stressvalue then
stressvalue = fellowshipnode.getValue();
end
end
if not stressvalue or stressvalue >= getValue() then
indicatorwidget.setVisible(false);
else
indicatorwidget.setVisible(true);
end
end
end |
#!/usr/bin/env luajit
--[[
rFoldLoadDB.lua
Copyright 2016, 2017 Robert T. Miller
Licensed under the Apache License, Version 2.0 (the "License");
you may not use these files except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
]]
--- rFoldLoadDB.lua [ options ] [<PDB file | PIC file>] ...
--
-- Default action is to read a PDB file and load into configured rFold database.
--
-- options:
--
-- -f=<list of PDB codes> : read PDB codes and optional chain IDs
-- from file and use to form filename to read
-- from PDB_repository (location specified below),
-- e.g. 7RSA becomes
-- /media/data/pdb/rs/pdb7rsa.ent.gz
--
-- -nd : do not run dssp on PDB files
-- -u : update if entry in database already (default is to skip on chain by chain basis)
--
local parsers = require 'rfold.parsers'
local protein = require "rfold.protein"
local utils = require 'rfold.utils'
local chemdata = require 'rfold.chemdata'
local ps = require 'pipe_simple'
local PDB_repository_base = '/media/data/pdb/'
local mkdssp = 'dssp/rtm-dssp-2.2.1/mkdssp'
local rfpg = require 'rfold.rfPostgresql' -- autocommit false by default
--rfpg.dbReconnect(1)
------- schema initialisation routines --------
function atomPairValueString(a1,a2)
local t = utils.orderPair(a1,a2)
local vals = "'{" .. '"' .. t[1] .. '", "' .. t[2] .. '"' .. "}'"
return vals
end
function bondPairValueString(a1,a3,b1,b2)
local t = utils.orderPair(a1,a3) -- order bond pair by end atom sorting
local vals
if (a1 == t[1]) then -- orderis b1=a1-a2, b2=a2-a3
vals = "'{" .. b1 .. ", " .. b2 .. "}'"
else -- orderis b2=a2-a3, b1=a1-a2
vals = "'{" .. b2 .. ", " .. b1 .. "}'"
end
return vals
end
--- ensure there is an angle_class entry and subsidiary bond_class entries in database for passed angle string specification
-- @param(a) table 3 strings specifying order of residue-atoms comprising angle
-- @return database ID for angle_class
function getOrCreateAngleId(a)
local angleAtomStr = rfpg.pgArrayOfStrings(a[1],a[2],a[3])
local qry = rfpg.Q("select id from angle_string where atom_string = '" .. angleAtomStr .. "'")
local rid
if (not qry) then -- angle not already configured
local b = {}
for k=1,2 do
local bondAtomStr = rfpg.pgArrayOfStrings(a[k],a[k+1])
qry = rfpg.Q("select id from bond_string where atom_string = '" .. bondAtomStr .. "'")
if (qry) then -- bond already configured for this string
b[k] = qry[1]
else -- need to possibly create bond, or just attach ID to different order for string
local vals = atomPairValueString(a[k],a[k+1])
b[k] = rfpg.Q("insert into bond_class (res_atoms) values (" .. vals .. ") on conflict(res_atoms) do update set res_atoms = " .. vals .. " returning id;")[1] -- id may exist already for different order, update will not change
rfpg.Qcur("insert into bond_string (atom_string, id) values ('" .. bondAtomStr .. "'," .. b[k] ..')')
end
end
-- now create the angle and set string for ID, as we know it is not already configured if here
local bpvstr = bondPairValueString(a[1],a[3],b[1],b[2])
rid = rfpg.Q('insert into angle_class (res_bonds) values (' .. bpvstr .. ') on conflict(res_bonds) do update set res_bonds = ' .. bpvstr .. ' returning id' )[1]
rfpg.Qcur("insert into angle_string (atom_string,id) values ('" .. angleAtomStr .. "'," .. rid .. ')')
else
-- get existing ID for angle string from successful database query
rid = qry[1]
end
return rid
end
--- ensure there is a dihedral_class entry and subsidiary angle_class and bond_class entries in database for passed dihedral angle string specification
-- @param(a) table 4 strings specifying order of residue-atoms comprising dihedral angle
-- @param(res) string indicating residue and adjacent neighbour if involved in bond
-- @param(nameId) int optional database id referencing name of dihedral angle (e.g. psi or chi1)
function getOrCreateDihedralId(a,res,nameId)
local dihedralAtomStr = rfpg.pgArrayOfStrings(a[1],a[2],a[3],a[4])
local qry = rfpg.Q("select id from dihedral_string where atom_string = '" .. dihedralAtomStr .. "'")
if (not qry) then
local angIDs={}
for j=1,2 do
angIDs[j] = getOrCreateAngleId({a[j],a[j+1],a[j+2]})
--rfpg.Q("select id from angle_string where atom_string='" .. rfpg.pgArrayOfStrings(a[j],a[j+1],a[j+2]) .."'")[1]
end
-- figure out how bonds and angles got ordered
local bndNdx={}
for i=1,3 do
bndNdx[i] = (a[i] == utils.orderPair(a[i],a[i+1])[1] and '{1,2}' or '{2,1}')
end
local angNdx={}
angNdx[1] = (a[1] == utils.orderPair(a[1],a[3]) and "{" .. bndNdx[1] .. ',' .. bndNdx[2] .. "}" or "{" .. bndNdx[2] .. ',' .. bndNdx[1] .. "}")
angNdx[2] = (a[2] == utils.orderPair(a[2],a[4]) and "{" .. bndNdx[2] .. ',' .. bndNdx[3] .. "}" or "{" .. bndNdx[3] .. ',' .. bndNdx[2] .. "}")
-- order angles within dihedral and log
local dihedNdx
local dihedIDs
if (a[1] == utils.orderPair(a[1],a[4])) then
dihedNdx = '{' .. angNdx[1] .. ',' .. angNdx[2] .. '}'
dihedIDs = '{' .. angIDs[1] .. ',' .. angIDs[2] .. '}'
else
dihedNdx = '{' .. angNdx[2] .. ',' .. angNdx[1] .. '}'
dihedIDs = '{' .. angIDs[2] .. ',' .. angIDs[1] .. '}'
end
local dihedId = rfpg.Q('insert into dihedral_class(res_angles, angle_atom_order, res3' .. (nameId and ',name' or '') .. ") values ('" .. dihedIDs .. "','" .. dihedNdx .. "','" .. res .. (nameId and "'," .. nameId or "'" ) .. ") on conflict(res_angles) do update set res3='" .. res .. "' returning id")[1]
rfpg.Qcur("insert into dihedral_string (atom_string, id) values ('" .. dihedralAtomStr .. "'," .. dihedId .. ')')
end
end
--- deterministically populate database tables for bond, angle and dihedral angle classes with serial IDs so IDs do not change with change in protein sets
function verifyDb()
--[[
local warn
local dihed_count = tonumber(rfpg.Q('select count(*) from dihedral_class')[1])
local angle_count = tonumber(rfpg.Q('select count(*) from angle_class')[1])
if (dihed_count < 500) or (angle_count < 500) then
warn=true
print('creating support tables in database')
end
--]]
rfpg.Qcur('begin')
-- load dihedral_names
rfpg.Qcur("insert into dihedral_name (name) values ('psi') on conflict (name) do nothing")
rfpg.Qcur("insert into dihedral_name (name) values ('omega') on conflict (name) do nothing")
rfpg.Qcur("insert into dihedral_name (name) values ('phi') on conflict (name) do nothing")
for i=1,5 do
rfpg.Qcur("insert into dihedral_name (name) values ('chi" .. i .. "') on conflict (name) do nothing")
end
-- load periodic_table
local c=0
for _ in pairs(chemdata.atomic_weight) do c = c + 1 end
local rows = tonumber(rfpg.Q('select count(*) from periodic_table;')[1]);
--print('periodic_table:', rows)
if (rows < c) then
for k,v in pairs(chemdata.atomic_weight) do
rfpg.Qcur("insert into periodic_table (atom, weight, electronegativity) values ('" .. k .. "'," .. v .. "," .. chemdata.electronegativity[k] .. ") on conflict (atom) do update set weight=" .. v .. ", electronegativity = " .. chemdata.electronegativity[k] .. ";")
end
end
-- load atom_bond_state (atom classes based on Heyrovska, Raji covalent radii paper https://arxiv.org/pdf/0804.2488.pdf )
c=0
for _ in pairs(chemdata.covalent_radii) do c = c + 1 end
rows = tonumber(rfpg.Q('select count(*) from atom_bond_state;')[1]);
if (rows < c) then
for k,v in pairs(chemdata.covalent_radii) do
rfpg.Qcur("insert into atom_bond_state (state, r_covalent, v_covalent) values ('" .. k .. "'," .. v .. "," .. chemdata.covalent_volume(k) .. ") on conflict (state) do update set r_covalent=" .. v .. ", v_covalent = " .. chemdata.covalent_volume(k) .. ";")
end
end
for r1,r3 in pairs(chemdata.res3) do -- first round through all residues: sidechain atoms into res_atoms, backbone+Cbeta into res_atoms
-- load backbone and c-beta (Ala atoms) into res_atoms
local ala_atoms = { 'N', 'CA', 'C', 'O', 'CB', 'OXT', 'H' }
local backbone = chemdata.residue_atom_bond_state['X']
for i,pa in ipairs(ala_atoms) do
--if (not (r1 == 'G' and pa == 'CB')) then
rfpg.Qcur("insert into res_atoms (name, bond_state, atom) values ('" .. r1 .. pa .. "','" .. backbone[pa] .. "','" .. string.sub(pa,1,1) .. "') on conflict (name) do nothing;")
--end
end
-- load sidechain atoms int res_atoms
local sidechain = (r1 == 'G' or r1 == 'A' or r1 == 'X' or r1 == '_') and {} or chemdata.residue_atom_bond_state[r1]
for an,ac in pairs(sidechain) do
--print('an[1]', string.sub(an,1,1))
rfpg.Qcur("insert into res_atoms (name, bond_state, atom) values ('" .. r1 .. an .. "','" .. ac .. "','" .. string.sub(an,1,1) .. "') on conflict (name) do nothing;")
end
end
for r1,r3 in pairs(chemdata.res3) do -- second round through all residues: populate bond_class
-- load res_bond_class, res_angle_class for backbone and c-beta (ala atoms)
-- if _ in any atom position in triple, then need to cycle that position for all 20 neighbouring residues
for r12,r32 in pairs(chemdata.res3) do
for i,aset in ipairs(chemdata.backbone_angles) do
local a = {}
for j=1,3 do
a[j] = string.gsub(aset[j], '_', r12) -- substitute _ with each of 20 amino acids (r12)
if (a[j] == aset[j]) then a[j] = r1 .. a[j] end -- if no substitution, atom key is for current r1 residue
end
getOrCreateAngleId(a)
end
end
end
for r1,r3 in pairs(chemdata.res3) do -- third round through all residues: populate dihedral_class
-- same scan for loading dihedral_class
for r12,r32 in pairs(chemdata.res3) do
for i,dset in ipairs(chemdata.backbone_dihedrals) do
local subpos=nil
local a = {}
for j=1,4 do
a[j] = string.gsub(dset[j], '_', r12) -- substitute _ with each of 20 amino acids (r12)
if (a[j] == dset[j]) then -- if no substitution, atom key is for current r1 residue
a[j] = r1 .. a[j]
else
subpos = j
end
end
-- get central residue and neighbour if specified
local res = (subpos and (2<subpos and "{ NULL," .. '"' .. r1 .. '","' .. r12 .. '"}' or "{" ..'"' .. r12 .. '","' .. r1 .. '", NULL}') or "{ NULL, " .. '"' .. r1 .. '", NULL}')
local nameId = nil
if (dset[5]) then nameId = rfpg.Q("select id from dihedral_name where name='" .. dset[5] .."'")[1] end
getOrCreateDihedralId(a,res,nameId)
end
end
end
for r,set in pairs(chemdata.sidechains) do
for i,v in ipairs(set) do
local a = {}
if (v[4]) then -- dihedral angle
for k=1,4 do
a[k] = r .. v[k]
end
local nameId = nil
if (v[5]) then nameId = rfpg.Q("select id from dihedral_name where name='" .. v[5] .."'")[1] end
getOrCreateDihedralId(a,"{ NULL, " .. '"' .. r .. '", NULL}', nameId)
else -- regular angle
for k=1,3 do
a[k] = r .. v[k]
end
getOrCreateAngleId(a)
end
end
end
rfpg.Qcur('commit')
--if warn then print('done creating support tables.') end
end
--------- end schema initialisation routines ------------------
--------- begin schema support routines ------------------
function dropIndexes()
rfpg.Qcur('DROP INDEX IF EXISTS public.pdb_chain_pdb_ndx CASCADE')
rfpg.Qcur('DROP INDEX IF EXISTS public.residue_ndx_res_respos CASCADE')
rfpg.Qcur('DROP INDEX IF EXISTS public.residue_ndx_pdb_no CASCADE')
rfpg.Qcur('DROP INDEX IF EXISTS public.dihedral_ndx_res_id CASCADE')
rfpg.Qcur('DROP INDEX IF EXISTS public.angle_ndx_dihedral_id CASCADE')
rfpg.Qcur('DROP INDEX IF EXISTS public.bond_ndx_angle_id CASCADE')
end
function restoreIndexes()
rfpg.Qcur('CREATE INDEX pdb_chain_pdb_ndx ON public.pdb_chain USING btree ( pdbid )')
rfpg.Qcur('CREATE INDEX residue_ndx_res_respos ON public.residue USING btree ( res, res_ndx ASC NULLS LAST )')
rfpg.Qcur('CREATE INDEX residue_ndx_pdb_no ON public.residue USING btree ( pdb_no )')
rfpg.Qcur('CREATE INDEX dihedral_ndx_res_id ON public.dihedral USING btree ( res_id )')
rfpg.Qcur('CREATE INDEX angle_ndx_dihedral_id ON public.angle USING btree ( dihedral_id )')
rfpg.Qcur('CREATE INDEX bond_ndx_angle_id ON public.bond USING btree ( angle_id )')
end
--------- end schema support routines ------------------
--------- main ------
local args = parsers.parseCmdLine(
'[ <pdbid[chain id]> | <pdb file> | <pic file> ] ...',
'convert PDB file to internal coordinates and load into database. repository base: ' .. PDB_repository_base .. ' db: ' .. rfpg.db .. ' on ' .. rfpg.host .. ' (' ..utils.getHostname() .. ')',
{
['nd'] = 'do not run dssp on PDB input file',
['u'] = 'update database (default is skip if entry already exists)',
['wa'] = 'write all intermediate files in validation testing',
['t'] = 'test only - do not write to database, just validate input file'
},
{
['f'] = '<input file> : process files listed in <input file> (1 per line) followed by any on command line',
['s'] = '<skip count> : number of PDB[chain] lines in <input file> to skip'
}
)
local toProcess={}
local skipCount = (args['s'] and tonumber(args['s'][#args['s']]) or 0)
if args['f'] then
for i,f in ipairs(args['f']) do
local fh
local fname
if f:match('%.gz$') then
fh,err = io.popen('zcat ' .. f)
fname = f:match('(%S+).gz$')
else
fh=io.open(f)
fname = f
end
table.insert(toProcess, 'src=' .. fname)
for line in fh:lines() do
table.insert(toProcess, line)
end
end
end
for i,a in ipairs(args) do table.insert(toProcess, a) end
local count=0
local count2=0
for i,a in ipairs(toProcess) do
if a:match('^IDs%s') then toProcess[i]='' end -- header line for Dunbrack list : 'IDs length Exptl. resolution R-factor FreeRvalue'
if a:match('^#') then -- comment line starts with '#'
count = count+1 --- assume commented out a skipped entry
toProcess[i]=''
end
if a:ematch('^(%d%w%w%w)(%w?)%s+') then -- looks like pdbcode with optional chain, read as compressed file from PDB_repository_base
if skipCount > 0 then
skipCount = skipCount-1
count=count+1
toProcess[i]=''
else
local pdbid, chn = _1:lower(), _2
local subdir = pdbid:match('^%w(%w%w)%w$')
toProcess[i] = PDB_repository_base .. subdir .. '/pdb' .. pdbid:lower() .. '.ent.gz'
if (chn) then
toProcess[i] = toProcess[i] .. ' ' .. chn
end
end
end
end
verifyDb()
--dropIndexes() -- indexes definitely help loading
local src
for i,arg in ipairs(toProcess) do
if '' ~= arg then
--print('arg= ' .. arg)
if 'quit' == arg then -- so can insert 'quit' in input file of PDB IDs for testing and debugging
-- restoreIndexes()
os.exit()
end
local pdbid
local prot
local pdbid2
local prot2
local dsspCount
local coordsInternal
local coords3D
local s1
local s2
local loadedPDB
local loadedPIC
local file
local chain
local tsrc = arg:match('^src=(.+)$')
if tsrc then
src = tsrc
--print('src= ' .. src)
goto continue
end
count=count+1
count2=count2+1
io.write(count .. ' (' .. count2 .. ') ' .. arg .. ' : ')
file,chain = arg:match('^(%S+)%s?(%w?)%s*$') -- needs space at end if doing on command line, e.g. '7RSAA '
if chain == '' then chain = nil end
if chain and chain:match('%d') then goto continue end -- no numeric chain IDs so 1qqp is out
-- load current file
pdbid = parsers.parseProteinData(file, function (t) protein.load(t) end, chain)
if not pdbid then goto continue end
prot = protein.get(pdbid)
--print()
--print(pdbid,prot,prot:countDihedra())
--print(prot:tostring())
--goto continue
--- need dihedra and (optionally not) DSSP data
-- have either PDB coords (pdb file), dihedra data only (pic file), or dihedra and DSSP data (rtm mkdssp output file)
-- want to test for data consistency each way
dsspCount = prot:countDSSPs()
prot:setStartCoords() -- copy residue 1 N, CA, C coordinates from input data to each chain residue 1 initCoords list
if prot:countDihedra() > 0 then -- did read internal coordinates, either from .pic file or rtm DSSP output
loadedPIC = true
--- test if we can generate PDB coordinates and match back:
coordsInternal = prot:writeInternalCoords(true) -- get output for internal coordinate data as loaded
if args['wa'] then utils.writeFile('in1.pic',coordsInternal) end
prot:internalToAtomCoords() -- generate PDB atom coordinates from internal coordinates (needs dihedron data structures to complete chain)
prot:clearInternalCoords() -- wipe internal coordinates as loaded
coords3D = prot:writePDB(true)
if args['wa'] then utils.writeFile('gen2.pdb',coords3d) end
prot:atomsToInternalCoords() -- generate internal coordinates from PDB atom coordinates
s1 = prot:writeInternalCoords(true) -- get output for internal coordinate data as generated
if args['wa'] then utils.writeFile('gen3.pic',s1) end
if not utils.lineByLineCompare(coordsInternal,s1) then
print('Reject: ' .. (0 == dsspCount and 'PIC' or 'DSSP') .. ' file ' .. arg .. ' failed to regenerate matching internal coordinates from calculated 3D coordinates.')
goto continue
end
else -- did read PDB file
loadedPDB=true
--- test if we can get internal coordinates and regenerate input pdb file
prot:atomsToInternalCoords() -- calculate bond lengths, bond angles and dihedral angles from input coordinates
coords3D = prot:writePDB(true) -- loaded PDB format text without REMARK RFOLD record (timestamp may not match)
if args['wa'] then utils.writeFile('in1.pdb',coords3D) end
prot:clearAtomCoords()
coordsInternal = prot:writeInternalCoords(true)
if args['wa'] then utils.writeFile('gen2.pic',coordsInternal) end
prot:internalToAtomCoords()
s1 = prot:writePDB(true)
if args['wa'] then utils.writeFile('gen3.pdb',s1) end
if not utils.lineByLineCompare(coords3D,s1) then
print('Reject: PDB file ' .. arg .. ' failed to regenerate matching 3D coordinates from calculated internal coordinates')
goto continue
end
end
--- if here then can interconvert 3D coordinates <-> internal coordinates and have both in prot: object and formatted output strings coordsInternal / coords3D
-- now get mkdssp secondary structure assignments and check mkdssp also matches calculated internal coordinates unless mkdssp disabled or initial input was dssp file
pdbid2 = protein.stashId(pdbid) -- loading new file with same PDB code will wipe existing data, so change protein.proteins[] tag here
if 0 == dsspCount and not args['nd'] then -- did read pic or pdb file, need dssp results
local dsspstatus,dsspresult,dssperr = ps.pipe_simple(coords3D,mkdssp,unpack({'-i','-'}))
if args['wa'] then utils.writeFile('gen4.dssp',dsspresult) end
pdbid = parsers.parseProteinData(dsspresult, function (t) protein.load(t) end, chain, prot['filename']) -- now we get new structure loaded from dssp data
dsspstatus=nil
dsspresult=nil
dssperr=nil
prot2 = protein.get(pdbid) -- dssp data in prot2: object
print(prot2:report())
prot2:setStartCoords()
prot2:linkResidues()
s1 = prot2:writeInternalCoords(true) -- get output for internal coordinate data as read from dssp
if args['wa'] then utils.writeFile('gen5dssp.pic',s1) end
if not utils.lineByLineCompare(coordsInternal,s1) then
print('Reject: ' .. arg .. ' failed to generate matching DSSP internal coordinates from 3D coordinates.')
goto continue
end
protein.copyDSSP(prot2,prot) -- DSSP does not pass as many PDB records so prefer .pdb or .pic
protein.drop(pdbid) -- dssp loaded data no longer needed or desired
prot2=nil
end
--- if here then we have happy data for prot:
-- print('we have happy data for ' .. arg)
--print('input: ' .. prot:tostring())
--os.exit()
if args['t'] then
print (pdbid .. ' validates and can be loaded to database\n')
print('input: ' .. prot:tostring())
end
prot:clearAtomCoords()
rfpg.Qcur('begin')
prot:writeDb(rfpg,args['u'],src)
if args['t'] then
print(prot:reportDb(rfpg))
end
prot2 = protein.get(pdbid) -- initialise a new prot object with pdbid just loaded to database
if chain then prot2['chain'] = chain end
--print('cleared : ' .. prot2:tostring())
prot2:dbLoad(rfpg)
--print('database: ' .. prot2:tostring())
if args['t'] then
print('db read: ' .. prot:tostring())
end
if loadedPIC or args['wa'] then
s1 = prot2:writeInternalCoords(true)
if args['wa'] then utils.writeFile('gen6.pic',s1) end
end
if loadedPDB then
prot2:internalToAtomCoords()
s2 = prot2:writePDB(true)
if args['wa'] then utils.writeFile('gen7.pdb',s2) end
end
if loadedPIC and not utils.lineByLineCompare(coordsInternal,s1) then
print('Reject: ' .. arg .. ' failed to load back matching internal coordinates from database.')
--rfpg.Qcur('commit')
rfpg.Qcur('rollback')
--os.exit()
elseif loadedPDB and not utils.lineByLineCompare(coords3D,s2) then
print('Reject: ' .. arg .. ' failed to calculate matching 3D coordinates from database internal coordinates.')
-- rfpg.Qcur('commit')
rfpg.Qcur('rollback')
--os.exit()
else
if args['t'] then
rfpg.Qcur('rollback')
print('Success: could have loaded ' .. arg .. (src and ' [src= ' .. src ..']' or '') .. ' but rolled back due to -t flag' )
else
rfpg.Qcur('commit')
print('Success: loaded ' .. arg .. (src and ' [src= ' .. src ..']' or '') )
end
end
::continue::
--protein.drop(pdbid2)
protein.clean()
end
--collectgarbage()
--print(collectgarbage('count'))
end
--restoreIndexes()
|
id = 'V-38610'
severity = 'low'
weight = 10.0
title = 'The SSH daemon must set a timeout count on idle sessions.'
description = 'This ensures a user login will be terminated as soon as the "ClientAliveCountMax" is reached.'
fixtext = [=[To ensure the SSH idle timeout occurs precisely when the "ClientAliveCountMax" is set, edit "/etc/ssh/sshd_config" as follows:
ClientAliveCountMax 0]=]
checktext = [=[To ensure the SSH idle timeout will occur when the "ClientAliveCountMax" is set, run the following command:
# grep ClientAliveCountMax /etc/ssh/sshd_config
If properly configured, output should be:
ClientAliveCountMax 0
If it is not, this is a finding.]=]
function test()
end
function fix()
end
|
local skynet = require "skynet"
local sc = require "socketchannel"
local socket = require "socket"
local cluster = require "cluster.core"
local config_name = skynet.getenv "cluster"
local node_address = {}
local function loadconfig()
local f = assert(io.open(config_name))
local source = f:read "*a"
f:close()
assert(load(source, "@"..config_name, "t", node_address))()
end
local node_session = {}
local command = {}
local function read_response(sock)
local sz = socket.header(sock:read(2))
local msg = sock:read(sz)
return cluster.unpackresponse(msg) -- session, ok, data
end
local function open_channel(t, key)
local host, port = string.match(node_address[key], "([^:]+):(.*)$")
local c = sc.channel {
host = host,
port = tonumber(port),
response = read_response,
}
assert(c:connect(true))
t[key] = c
node_session[key] = 1
return c
end
local node_channel = setmetatable({}, { __index = open_channel })
function command.reload()
loadconfig()
skynet.ret(skynet.pack(nil))
end
function command.listen(source, addr, port)
local gate = skynet.newservice("gate")
if port == nil then
addr, port = string.match(node_address[addr], "([^:]+):(.*)$")
end
skynet.call(gate, "lua", "open", { address = addr, port = port })
skynet.ret(skynet.pack(nil))
end
local function send_request(source, node, addr, msg, sz)
local request
local c = node_channel[node]
local session = node_session[node]
-- msg is a local pointer, cluster.packrequest will free it
request, node_session[node] = cluster.packrequest(addr, session , msg, sz)
return c:request(request, session)
end
function command.req(...)
local ok, msg, sz = pcall(send_request, ...)
if ok then
skynet.ret(msg, sz)
else
skynet.error(msg)
skynet.response()(false)
end
end
local proxy = {}
function command.proxy(source, node, name)
local fullname = node .. "." .. name
if proxy[fullname] == nil then
proxy[fullname] = skynet.newservice("clusterproxy", node, name)
end
skynet.ret(skynet.pack(proxy[fullname]))
end
local request_fd = {}
function command.socket(source, subcmd, fd, msg)
if subcmd == "data" then
local addr, session, msg = cluster.unpackrequest(msg)
local ok , msg, sz = pcall(skynet.rawcall, addr, "lua", msg)
local response
if ok then
response = cluster.packresponse(session, true, msg, sz)
else
response = cluster.packresponse(session, false, msg)
end
socket.write(fd, response)
elseif subcmd == "open" then
skynet.error(string.format("socket accept from %s", msg))
skynet.call(source, "lua", "accept", fd)
else
skynet.error(string.format("socket %s %d : %s", subcmd, fd, msg))
end
end
skynet.start(function()
loadconfig()
skynet.dispatch("lua", function(session , source, cmd, ...)
local f = assert(command[cmd])
f(source, ...)
end)
end)
|
-- Copyright (c) 2017, The OctNet authors
-- All rights reserved.
--
-- Redistribution and use in source and binary forms, with or without
-- modification, are permitted provided that the following conditions are met:
-- * Redistributions of source code must retain the above copyright
-- notice, this list of conditions and the following disclaimer.
-- * Redistributions in binary form must reproduce the above copyright
-- notice, this list of conditions and the following disclaimer in the
-- documentation and/or other materials provided with the distribution.
-- * Neither the name of the <organization> nor the
-- names of its contributors may be used to endorse or promote products
-- derived from this software without specific prior written permission.
--
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND
-- ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
-- WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
-- DISCLAIMED. IN NO EVENT SHALL OCTNET AUTHORS BE LIABLE FOR ANY
-- DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES
-- (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES;
-- LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND
-- ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
-- (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS
-- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
local ffi = require 'ffi'
--------------------------------------------------------------------------------
-- TH functions
--------------------------------------------------------------------------------
ffi.cdef[[
void* THAlloc(long size);
void THFloatStorage_free(THFloatStorage* storage);
]]
--------------------------------------------------------------------------------
-- Octree struct and types
--------------------------------------------------------------------------------
ffi.cdef[[
typedef int ot_size_t;
typedef int ot_tree_t;
typedef float ot_data_t;
typedef struct {
ot_size_t* data;
ot_size_t capacity;
} ot_size_t_buffer;
typedef struct {
ot_data_t* data;
ot_size_t capacity;
} ot_data_t_buffer;
typedef struct {
ot_size_t n;
ot_size_t grid_depth;
ot_size_t grid_height;
ot_size_t grid_width;
ot_size_t feature_size;
ot_size_t n_leafs;
ot_tree_t* trees;
ot_size_t* prefix_leafs;
ot_data_t* data;
ot_size_t grid_capacity;
ot_size_t data_capacity;
} octree;
void *malloc(size_t size);
]]
--------------------------------------------------------------------------------
-- Octree CPU
--------------------------------------------------------------------------------
ffi.cdef[[
// -----------------------------------------------------------------------------
ot_size_t_buffer* new_ot_size_t_buffer_gpu();
void free_ot_size_t_buffer_gpu(ot_size_t_buffer* buf);
void resize_ot_size_t_buffer_gpu(ot_size_t_buffer* buf, ot_size_t N);
// -----------------------------------------------------------------------------
void tree_set_bit_cpu(ot_tree_t* num, int pos);
void tree_unset_bit_cpu(ot_tree_t* num, const int pos);
bool tree_isset_bit_cpu(const ot_tree_t* num, int pos) { return tree_isset_bit(num, pos); }
int tree_n_leafs_cpu(const ot_tree_t* tree);
int tree_data_idx_cpu(const ot_tree_t* tree, const int bit_idx, ot_size_t feature_size);
int octree_mem_capacity_cpu(const octree* grid);
int octree_mem_using_cpu(const octree* grid);
int leaf_idx_to_grid_idx_cpu(const octree* grid, const int leaf_idx);
int data_idx_to_bit_idx_cpu(const ot_tree_t* tree, int data_idx);
int depth_from_bit_idx_cpu(const int bit_idx);
void octree_split_grid_idx_cpu(const octree* in, const int grid_idx, int* n, int* d, int* h, int* w);
void bdhw_from_idx_l1_cpu(const int bit_idx, int* d, int* h, int* w);
void bdhw_from_idx_l2_cpu(const int bit_idx, int* d, int* h, int* w);
void bdhw_from_idx_l3_cpu(const int bit_idx, int* d, int* h, int* w);
ot_tree_t* octree_get_tree_cpu(const octree* grid, ot_size_t grid_idx);
void octree_clr_trees_cpu(octree* grid_h);
void octree_cpy_trees_cpu_cpu(const octree* src_h, octree* dst_h);
void octree_cpy_prefix_leafs_cpu_cpu(const octree* src_h, octree* dst_h);
void octree_cpy_data_cpu_cpu(const octree* src_h, octree* dst_h);
void octree_copy_cpu(const octree* src, octree* dst);
void octree_upd_n_leafs_cpu(octree* grid_h);
void octree_upd_prefix_leafs_cpu(octree* grid_h);
void octree_fill_data_cpu(octree* grid_h, ot_data_t fill_value);
void octree_cpy_sup_to_sub_cpu(const octree* sup, octree* sub);
void octree_print_cpu(const octree* grid_h);
octree* octree_new_cpu();
void octree_free_cpu(octree* grid_h);
void octree_resize_cpu(int n, int grid_depth, int grid_height, int grid_width, int feature_size, int n_leafs, octree* dst);
void octree_resize_as_cpu(const octree* src, octree* dst);
void octree_read_header_cpu(const char* path, octree* grid_h);
void octree_read_cpu(const char* path, octree* grid_h);
void octree_write_cpu(const char* path, const octree* grid_h);
void octree_read_batch_cpu(int n_paths, const char** paths, int n_threads, octree* grid_h);
void octree_dhwc_write_cpu(const char* path, const octree* grid_h);
void octree_cdhw_write_cpu(const char* path, const octree* grid_h);
void dense_write_cpu(const char* path, int n_dim, const int* dims, const ot_data_t* data);
ot_data_t* dense_read_cpu(const char* path, int n_dim);
void dense_read_prealloc_cpu(const char* path, int n_dim, const int* dims, ot_data_t* data);
void dense_read_prealloc_batch_cpu(int n_paths, const char** paths, int n_threads, int n_dim, const int* dims, ot_data_t* data);
void octree_to_dhwc_cpu(const octree* grid_h, const int dense_depth, const int dense_height, const int dense_width, ot_data_t* data);
void octree_to_dhwc_bwd_cpu(const octree* grid_h, const int dense_depth, const int dense_height, const int dense_width, const ot_data_t* grad_out_data, octree* grad_grid_in_h);
void octree_to_cdhw_cpu(const octree* grid_h, const int dense_depth, const int dense_height, const int dense_width, ot_data_t* data);
void octree_to_cdhw_bwd_cpu(const octree* grid_h, const int dense_depth, const int dense_height, const int dense_width, const ot_data_t* grad_out_data, octree* grad_grid_in_h);
void dhwc_to_octree_sum_cpu(const octree* grid_h_in, const int dense_depth, const int dense_height, const int dense_width, const ot_data_t* data, int out_feature_size, octree* grid_h_out);
void dhwc_to_octree_avg_cpu(const octree* grid_h_in, const int dense_depth, const int dense_height, const int dense_width, const ot_data_t* data, int out_feature_size, octree* grid_h_out);
void dhwc_to_octree_sum_bwd_cpu(const octree* grad_out_grid_h, const int dense_depth, const int dense_height, const int dense_width, ot_data_t* grad_in_data);
void dhwc_to_octree_avg_bwd_cpu(const octree* grad_out_grid_h, const int dense_depth, const int dense_height, const int dense_width, ot_data_t* grad_in_data);
void cdhw_to_octree_sum_cpu(const octree* grid_h_in, const int dense_depth, const int dense_height, const int dense_width, const ot_data_t* data, int out_feature_size, octree* grid_h_out);
void cdhw_to_octree_avg_cpu(const octree* grid_h_in, const int dense_depth, const int dense_height, const int dense_width, const ot_data_t* data, int out_feature_size, octree* grid_h_out);
void cdhw_to_octree_sum_bwd_cpu(const octree* grad_out_grid_h, const int dense_depth, const int dense_height, const int dense_width, ot_data_t* grad_in_data);
void cdhw_to_octree_avg_bwd_cpu(const octree* grad_out_grid_h, const int dense_depth, const int dense_height, const int dense_width, ot_data_t* grad_in_data);
void octree_conv3x3x3_sum_cpu(const octree* grid_in_h, const ot_data_t* weights, const ot_data_t* bias, int out_feature_size, octree* grid);
void octree_conv3x3x3_sum_bwd_cpu(const ot_data_t* weights, const octree* grad_out, int channels_in, octree* grad_in);
void octree_conv3x3x3_sum_wbwd_cpu(const octree* grid_in, const octree* grad_out, ot_data_t scale, ot_data_t* grad_weights, ot_data_t* grad_bias);
void octree_conv3x3x3_avg_cpu(const octree* grid_in_h, const ot_data_t* weights, const ot_data_t* bias, int out_feature_size, octree* grid);
void octree_conv3x3x3_avg_bwd_cpu(const ot_data_t* weights, const octree* grad_out, int channels_in, octree* grad_in);
void octree_conv3x3x3_avg_wbwd_cpu(const octree* grid_in, const octree* grad_out, ot_data_t scale, ot_data_t* grad_weights, ot_data_t* grad_bias);
void octree_pool2x2x2_avg_cpu(const octree* in, bool level_0, bool level_1, bool level_2, octree* out);
void octree_pool2x2x2_max_cpu(const octree* in, bool level_0, bool level_1, bool level_2, octree* out);
void octree_pool2x2x2_avg_bwd_cpu(const octree* grid_in, const octree* grid_grad_out, octree* grid_grad_in);
void octree_pool2x2x2_max_bwd_cpu(const octree* grid_in, const octree* grid_grad_out, octree* grid_grad_in);
void octree_gridpool2x2x2_avg_cpu(const octree* in, octree* out);
void octree_gridpool2x2x2_max_cpu(const octree* in, octree* out);
void octree_gridpool2x2x2_avg_bwd_cpu(const octree* in, const octree* grad_out, octree* grad_in);
void octree_gridpool2x2x2_max_bwd_cpu(const octree* in, const octree* grad_out, octree* grad_in);
void octree_gridunpool2x2x2_cpu(const octree* in, octree* out);
void octree_gridunpool2x2x2_bwd_cpu(const octree* in, const octree* grad_out, octree* grad_in);
void octree_gridunpoolguided2x2x2_cpu(const octree* in, const octree* in_struct, octree* out);
void octree_gridunpoolguided2x2x2_bwd_cpu(const octree* in, const octree* in_struct, const octree* grad_out, octree* grad_in);
void octree_relu_cpu(const octree* grid_in, bool inplace, octree* grid_out);
void octree_relu_bwd_cpu(const octree* grid_in, const octree* grad_out, bool inplace, octree* grad_in);
void octree_sigmoid_cpu(const octree* in, bool inplace, octree* out);
void octree_sigmoid_bwd_cpu(const octree* in, const octree* out, const octree* grad_out, bool inplace, octree* grad_in);
void octree_logsoftmax_cpu(const octree* in, octree* out);
void octree_logsoftmax_bwd_cpu(const octree* in, const octree* out, const octree* grad_out, octree* grad_in);
void octree_add_cpu(const octree* in1, ot_data_t fac1, const octree* in2, ot_data_t fac2, bool check, octree* out);
void octree_scalar_mul_cpu(octree* grid, const ot_data_t scalar);
void octree_scalar_add_cpu(octree* grid, const ot_data_t scalar);
ot_data_t octree_min_cpu(const octree* grid_in);
ot_data_t octree_max_cpu(const octree* grid_in);
void octree_concat_cpu(const octree* grid_in1, const octree* grid_in2, bool check, octree* grid_out);
void octree_concat_bwd_cpu(const octree* in1, const octree* in2, const octree* grad_out, bool do_grad_in2, octree* grad_in1, octree* grad_in2);
void octree_concat_dense_cpu(const octree* in1, const ot_data_t* in2, ot_size_t feature_size2, octree* out);
void octree_concat_dense_bwd_cpu(const octree* in1, const ot_data_t* in2, ot_size_t feature_size2, const octree* grad_out, bool do_grad_in2, octree* grad_in1, ot_data_t* grad_in2);
void octree_combine_n_cpu(const octree** in, const int n, octree* out);
void octree_extract_n_cpu(const octree* in, int from, int to, octree* out);
ot_data_t octree_mse_loss_cpu(const octree* input, const octree* target, bool size_average, bool check);
void octree_mse_loss_bwd_cpu(const octree* input, const octree* target, bool size_average, bool check, octree* grad);
void octree_nll_loss_cpu(const octree* input, const octree* target, const ot_data_t* weights, int class_base, bool size_average, bool check, ot_data_t* output, ot_data_t* total_weight);
void octree_nll_loss_bwd_cpu(const octree* input, const octree* target, const ot_data_t* weights, const ot_data_t total_weight, int class_base, bool size_average, bool check, octree* grad);
void octree_bce_loss_cpu(const octree* input, const octree* target, bool size_average, bool check, ot_data_t* output, ot_data_t* total_weight);
void octree_bce_loss_bwd_cpu(const octree* input, const octree* target, bool size_average, bool check, octree* grad);
void octree_bce_dense_loss_cpu(const octree* input, const ot_data_t* target, bool size_average, ot_data_t* output, ot_data_t* total_weight);
void octree_bce_dense_loss_bwd_cpu(const octree* input, const ot_data_t* target, bool size_average, octree* grad);
void octree_bce_ds_loss_cpu(const octree* input, const octree* target, const octree* weights, bool size_average, ot_data_t* output, ot_data_t* total_weight);
void octree_bce_ds_loss_bwd_cpu(const octree* input, const octree* target, const octree* weights, bool size_average, ot_data_t total_weight, octree* grad);
// -----------------------------------------------------------------------------
void volumetric_nn_upsampling_cdhw_cpu(const ot_data_t* in, int n, int in_depth, int in_height, int in_width, int feature_size, int upsampling_factor, ot_data_t* out);
void volumetric_nn_upsampling_cdhw_bwd_cpu(const ot_data_t* grad_out, int n, int in_depth, int in_height, int in_width, int feature_size, int upsampling_factor, ot_data_t* grad_in);
// -----------------------------------------------------------------------------
THFloatStorage* octree_data_torch_cpu(octree* grid);
// -----------------------------------------------------------------------------
octree* octree_create_from_dense_cpu(const ot_data_t* data, int depth, int height, int width);
]]
--------------------------------------------------------------------------------
-- Octree GPU
--------------------------------------------------------------------------------
if cutorch then
ffi.cdef[[
// -----------------------------------------------------------------------------
ot_data_t_buffer* new_ot_data_t_buffer_gpu();
void free_ot_data_t_buffer_gpu(ot_data_t_buffer* buf);
void resize_ot_data_t_buffer_gpu(ot_data_t_buffer* buf, ot_size_t N);
// -----------------------------------------------------------------------------
cublasHandle_t octree_torch_current_cublas_handle_gpu(THCState* state);
// -----------------------------------------------------------------------------
void octree_upd_n_leafs_gpu(octree* grid_h);
void octree_upd_prefix_leafs_gpu(octree* grid_h);
void octree_cpy_trees_gpu_gpu(const octree* src_h, octree* dst_h);
void octree_cpy_prefix_leafs_gpu_gpu(const octree* src_h, octree* dst_h);
void octree_copy_gpu(const octree* src, octree* dst);
void octree_fill_data_gpu(octree* grid_h, ot_data_t fill_value);
void octree_cpy_sup_to_sub_gpu(const octree* sup, octree* sub);
octree* octree_new_gpu();
void octree_free_gpu(octree* grid_d);
void octree_to_gpu(const octree* grid_h, octree* grid_d);
void octree_to_cpu(const octree* grid_d, octree* grid_h);
void octree_resize_gpu(int n, int grid_depth, int grid_height, int grid_width, int feature_size, int n_leafs, octree* dst);
void octree_resize_as_gpu(const octree* src, octree* dst);
void octree_to_dhwc_gpu(const octree* grid_d, const int dense_depth, const int dense_height, const int dense_width, ot_data_t* data);
void octree_to_dhwc_bwd_gpu(const octree* grid_d, const int dense_depth, const int dense_height, const int dense_width, const ot_data_t* grad_out_data, octree* grad_grid_in_h);
void octree_to_cdhw_gpu(const octree* grid_d, const int dense_depth, const int dense_height, const int dense_width, ot_data_t* data);
void octree_to_cdhw_bwd_gpu(const octree* grid_d, const int dense_depth, const int dense_height, const int dense_width, const ot_data_t* grad_out_data, octree* grad_grid_in_h);
void dhwc_to_octree_sum_gpu(const octree* grid_d_in, const int dense_depth, const int dense_height, const int dense_width, const ot_data_t* data, int out_feature_size, octree* grid_d_out);
void dhwc_to_octree_avg_gpu(const octree* grid_d_in, const int dense_depth, const int dense_height, const int dense_width, const ot_data_t* data, int out_feature_size, octree* grid_d_out);
void dhwc_to_octree_sum_bwd_gpu(const octree* grad_out_grid_d, const int dense_depth, const int dense_height, const int dense_width, ot_data_t* grad_in_data);
void dhwc_to_octree_avg_bwd_gpu(const octree* grad_out_grid_d, const int dense_depth, const int dense_height, const int dense_width, ot_data_t* grad_in_data);
void cdhw_to_octree_sum_gpu(const octree* grid_d_in, const int dense_depth, const int dense_height, const int dense_width, const ot_data_t* data, int out_feature_size, octree* grid_d_out);
void cdhw_to_octree_avg_gpu(const octree* grid_d_in, const int dense_depth, const int dense_height, const int dense_width, const ot_data_t* data, int out_feature_size, octree* grid_d_out);
void cdhw_to_octree_sum_bwd_gpu(const octree* grad_out_grid_d, const int dense_depth, const int dense_height, const int dense_width, ot_data_t* grad_in_data);
void cdhw_to_octree_avg_bwd_gpu(const octree* grad_out_grid_d, const int dense_depth, const int dense_height, const int dense_width, ot_data_t* grad_in_data);
void octree_conv3x3x3_sum_gpu(const octree* grid_in_h, const ot_data_t* weights, const ot_data_t* bias, int out_feature_size, octree* grid);
void octree_conv3x3x3_sum_bwd_gpu(const ot_data_t* weights, const octree* grad_out, int channels_in, octree* grad_in);
void octree_conv3x3x3_sum_wbwd_gpu(const octree* grid_in, const octree* grad_out, ot_data_t scale, ot_data_t* grad_weights, ot_data_t* grad_bias);
void octree_conv3x3x3_avg_gpu(const octree* grid_in_h, const ot_data_t* weights, const ot_data_t* bias, int out_feature_size, octree* grid);
void octree_conv3x3x3_avg_bwd_gpu(const ot_data_t* weights, const octree* grad_out, int channels_in, octree* grad_in);
void octree_conv3x3x3_avg_wbwd_gpu(const octree* grid_in, const octree* grad_out, ot_data_t scale, ot_data_t* grad_weights, ot_data_t* grad_bias);
void octree_conv_mm_gpu(cublasHandle_t cublas_handle, const octree* grid_in, const ot_data_t* weights, const ot_data_t* bias, int channels_out, int n_grids, octree* grid);
void octree_conv_mm_bwd_gpu(cublasHandle_t cublas_handle, const octree* grad_out, const ot_data_t* weights, int channels_in, int n_grids, octree* grad_in);
void octree_conv_mm_wbwd_gpu(cublasHandle_t cublas_handle, const octree* in, const octree* grad_out, const float scale, int n_grids, ot_data_t* grad_weights, ot_data_t* grad_bias);
void octree_pool2x2x2_avg_gpu(const octree* in, bool level_0, bool level_1, bool level_2, octree* out);
void octree_pool2x2x2_max_gpu(const octree* in, bool level_0, bool level_1, bool level_2, octree* out);
void octree_pool2x2x2_avg_bwd_gpu(const octree* grid_in, const octree* grid_grad_out, octree* grid_grad_in);
void octree_pool2x2x2_max_bwd_gpu(const octree* grid_in, const octree* grid_grad_out, octree* grid_grad_in);
void octree_gridpool2x2x2_avg_gpu(const octree* in, octree* out);
void octree_gridpool2x2x2_max_gpu(const octree* in, octree* out);
void octree_gridpool2x2x2_avg_bwd_gpu(const octree* in, const octree* grad_out, octree* grad_in);
void octree_gridpool2x2x2_max_bwd_gpu(const octree* in, const octree* grad_out, octree* grad_in);
void octree_gridunpool2x2x2_gpu(const octree* in, octree* out);
void octree_gridunpool2x2x2_bwd_gpu(const octree* in, const octree* grad_out, octree* grad_in);
void octree_gridunpoolguided2x2x2_gpu(const octree* in, const octree* in_struct, octree* out);
void octree_gridunpoolguided2x2x2_bwd_gpu(const octree* in, const octree* in_struct, const octree* grad_out, octree* grad_in);
void octree_relu_gpu(const octree* grid_in, bool inplace, octree* grid_out);
void octree_relu_bwd_gpu(const octree* grid_in, const octree* grad_out, bool inplace, octree* grad_in);
void octree_sigmoid_gpu(const octree* in, bool inplace, octree* out);
void octree_sigmoid_bwd_gpu(const octree* in, const octree* out, const octree* grad_out, bool inplace, octree* grad_in);
void octree_logsoftmax_gpu(const octree* in, octree* out);
void octree_logsoftmax_bwd_gpu(const octree* in, const octree* out, const octree* grad_out, octree* grad_in);
void octree_add_gpu(const octree* in1, ot_data_t fac1, const octree* in2, ot_data_t fac2, bool check, octree* out);
void octree_scalar_mul_gpu(octree* grid, const ot_data_t scalar);
void octree_scalar_add_gpu(octree* grid, const ot_data_t scalar);
ot_data_t octree_min_gpu(const octree* grid_in);
ot_data_t octree_max_gpu(const octree* grid_in);
void octree_concat_gpu(const octree* grid_in1, const octree* grid_in2, bool check, octree* grid_out);
void octree_concat_bwd_gpu(const octree* in1, const octree* in2, const octree* grad_out, bool do_grad_in2, octree* grad_in1, octree* grad_in2);
void octree_concat_ds_gpu(const octree* in1, const octree* in2, octree* out);
void octree_concat_ds_bwd_gpu(const octree* in1, const octree* in2, const octree* grad_out, bool do_grad_in2, octree* grad_in1, octree* grad_in2);
void octree_concat_dense_gpu(const octree* in1, const ot_data_t* in2, ot_size_t feature_size2, octree* out);
void octree_concat_dense_bwd_gpu(const octree* in1, const ot_data_t* in2, ot_size_t feature_size2, const octree* grad_out, bool do_grad_in2, octree* grad_in1, ot_data_t* grad_in2);
ot_data_t octree_mse_loss_gpu(const octree* input, const octree* target, bool size_average, bool check);
void octree_mse_loss_bwd_gpu(const octree* input, const octree* target, bool size_average, bool check, octree* grad);
ot_data_t octree_mse_ds_loss_gpu(const octree* input, const octree* target, bool size_average);
void octree_mse_loss_ds_bwd_gpu(const octree* input, const octree* target, bool size_average, octree* grad);
void octree_nll_loss_gpu(const octree* input, const octree* target, const ot_data_t* weights, int class_base, bool size_average, bool check, ot_data_t* output, ot_data_t* total_weight);
void octree_nll_loss_bwd_gpu(const octree* input, const octree* target, const ot_data_t* weights, const ot_data_t total_weight, int class_base, bool size_average, bool check, octree* grad);
void octree_bce_loss_gpu(const octree* input, const octree* target, bool size_average, bool check, ot_data_t* output, ot_data_t* total_weight);
void octree_bce_loss_bwd_gpu(const octree* input, const octree* target, bool size_average, bool check, octree* grad);
void octree_bce_dense_loss_gpu(const octree* input, const ot_data_t* target, bool size_average, ot_data_t* output, ot_data_t* total_weight);
void octree_bce_dense_loss_bwd_gpu(const octree* input, const ot_data_t* target, bool size_average, octree* grad);
void octree_bce_ds_loss_gpu(const octree* input, const octree* target, const octree* weights, bool size_average, ot_data_t* output, ot_data_t* total_weight);
void octree_bce_ds_loss_bwd_gpu(const octree* input, const octree* target, const octree* weights, bool size_average, ot_data_t total_weight, octree* grad);
void dense_bce_loss_gpu(const ot_data_t* input, const ot_data_t* target, const ot_data_t* weights, ot_size_t N, ot_data_t* output, ot_data_t* total_weight);
void dense_bce_loss_bwd_gpu(const ot_data_t* input, const ot_data_t* target, const ot_data_t* weights, ot_size_t N, ot_data_t total_weight, ot_data_t* grad);
// -----------------------------------------------------------------------------
void volumetric_nn_upsampling_cdhw_gpu(const ot_data_t* in, int n, int in_depth, int in_height, int in_width, int feature_size, int upsampling_factor, ot_data_t* out);
void volumetric_nn_upsampling_cdhw_bwd_gpu(const ot_data_t* grad_out, int n, int in_depth, int in_height, int in_width, int feature_size, int upsampling_factor, ot_data_t* grad_in);
]]
end
--------------------------------------------------------------------------------
-- Octree load CPU and GPU lib
--------------------------------------------------------------------------------
local function script_path()
local str = debug.getinfo(2, "S").source:sub(2)
return str:match("(.*/)")
end
local sp = script_path()
local libnames = {sp..'../../core/build/liboctnet_core.so', sp..'../../core/build/liboctnet_core.dylib'}
local ok = false
for i = 1, #libnames do
ok = pcall(function () oc.cpu = ffi.load(libnames[i]) end)
if ok then break; end
end
if not ok then
error('[ERROR] could not find liboctnet_core')
end
local libnames = {sp..'../../th/cpu/build/liboctnet_torch_cpu.so', sp..'../../th/cpu/build/liboctnet_torch_cpu.dylib'}
local ok = false
for i = 1, #libnames do
ok = pcall(function () oc.torch_cpu = ffi.load(libnames[i]) end)
if ok then break; end
end
if not ok then
error('[ERROR] could not find liboctnet_torch_cpu')
end
if cutorch then
local libnames = {sp..'../../core_gpu/build/liboctnet_core_gpu.so', sp..'../../core_gpu/build/liboctnet_core_gpu.dylib'}
local ok = false
for i = 1, #libnames do
ok = pcall(function () oc.gpu = ffi.load(libnames[i]) end)
if ok then break; end
end
if not ok then
error('[ERROR] could not find liboctnet_core_gpu')
end
local libnames = {sp..'../../th/gpu/build/liboctnet_torch_gpu.so', sp..'../../th/gpu/build/liboctnet_torch_gpu.dylib'}
local ok = false
for i = 1, #libnames do
ok = pcall(function () oc.torch_gpu = ffi.load(libnames[i]) end)
if ok then break; end
end
if not ok then
error('[ERROR] could not find liboctnet_torch_gpu')
end
function get_cublas_handle()
local state = ffi.cast('THCState*', cutorch.getState())
return oc.torch_gpu.octree_torch_current_cublas_handle_gpu(state)
end
end
|
function SpawnPoints()
return {
constructionworker = {
{ worldX = 30, worldY = 50, posX = 244, posY = 192, posZ = 0 },
{ worldX = 29, worldY = 46, posX = 117, posY = 127, posZ = 0 },
},
fireofficer = {
{ worldX = 30, worldY = 49, posX = 16, posY = 207, posZ = 0 },
{ worldX = 28, worldY = 46, posX = 236, posY = 100, posZ = 0 },
},
parkranger = {
{ worldX = 31, worldY = 45, posX = 7, posY = 310, posZ = 0 },
},
policeofficer = {
{ worldX = 30, worldY = 50, posX = 19, posY = 243, posZ = 0 },
{ worldX = 29, worldY = 44, posX = 279, posY = 273, posZ = 0 },
},
securityguard = {
{ worldX = 30, worldY = 50, posX = 140, posY = 241, posZ = 0 },
{ worldX = 29, worldY = 45, posX = 150, posY = 139, posZ = 0 },
},
unemployed = {
{ worldX = 30, worldY = 45, posX = 71, posY = 183, posZ = 0 },
},
}
end
|
local Array = require('array')
local function printTable(t)
if type(t[1]) == 'table' then
for _, row in ipairs(t) do
printTable(row)
end
elseif type(t) == 'table' then
print(table.concat(t, "\t"))
else
print(t)
end
end
local function genTable(fillValue, ...)
local fillValue = fillValue or 0
local axes = {...}
local numDim = #axes
if numDim < 1 then
error("Dimension < 1")
end
if numDim == 1 then
local outTable = {}
for i = 1, axes[1] do
outTable[i] = fillValue
end
return outTable
else
local outTable = {}
for i = 1, table.remove(axes, 1) do
outTable[i] = genTable(fillValue, unpack(axes))
end
return outTable
end
end
function genArray(fillValue, ...)
local outArray = Array()
outArray._data = genTable(fillValue, ...)
outArray._shape = {...}
return outArray
end
local function zeros(...)
return genTable(0, ...)
end
local function ones(...)
return genTable(1, ...)
end
-- expose table containing functions
return {
printTable = printTable,
genTable = genTable,
genArray = genArray,
zeros = zeros,
ones = ones,
shape = shape,
} |
module('jam', package.seeall)
function CreateLibJamfile(lib_number, classes)
os.chdir(cppcodebase.lib_name(lib_number))
local handle = io.open("Jamfile", "w")
handle:write ("SubDir TOP lib_" .. lib_number .. " ;\n\n")
handle:write ("SubDirHdrs $(INCLUDES) ;\n\n")
handle:write ("Library lib_" .. lib_number .. " :\n")
for i = 0, classes - 1 do
handle:write(' class_' .. i .. '.cpp\n')
end
handle:write (' ;\n')
os.chdir('..')
end
function CreateFullJamfile(libs)
local handle = io.open("Jamfile", "w")
handle:write ("SubDir TOP ;\n\n")
for i = 0, libs - 1 do
handle:write('SubInclude TOP ' .. cppcodebase.lib_name(i) .. ' ;\n')
end
handle = io.open("Jamrules", "w")
handle:write ('INCLUDES = $(TOP) ;\n')
end
function CreateCodebase(libs, classes, internal_includes, external_includes)
cppcodebase.SetDir('jam')
cppcodebase.CreateSetOfLibraries(libs, classes, internal_includes, external_includes, CreateLibJamfile)
CreateFullJamfile(libs)
local handle = io.open('jam.bat', 'wt');
handle:write('jam.exe -f ../../Jambase')
os.chdir('..')
end
|
vim.cmd[[packadd packer.nvim]]
require('packer').startup({function()
use {'wbthomason/packer.nvim', opt=true}
use {'vim-denops/denops.vim'}
-- completion
use {'Shougo/ddc.vim', tag='v1.0.0',
requires={
{'Shougo/ddc-around'},
{'Shougo/ddc-matcher_head'},
{'Shougo/ddc-sorter_rank'},
{'Shougo/ddc-converter_remove_overlap'},
{'Shougo/ddc-nvim-lsp'},
{'Shougo/ddc-omni'},
{'Shougo/pum.vim'},
{'tani/ddc-fuzzy'},
},
config=[[require('config.ddc')]]
}
use {'matsui54/denops-popup-preview.vim',
requires={
{'ray-x/lsp_signature.nvim',
config=[[require'lsp_signature'.setup()]]
},
},
config=[[vim.fn['popup_preview#enable']()]],
}
-- snip
use {'hrsh7th/vim-vsnip',
requires={'hrsh7th/vim-vsnip-integ'},
}
-- input method
use {'vim-skk/skkeleton', opt=true, event='VimEnter',
requires={
-- {'vim-denops/denops.vim'},
},
config=function()
vim.fn['skkeleton#config']({
globalJisyo=vim.env.XDG_DATA_HOME..'/skk/SKK-JISYO.L',
userJisyo=vim.env.XDG_DATA_HOME..'/skk/skkeleton',
})
vim.api.nvim_set_keymap('i', '<C-j>', '<Plug>(skkeleton-enable)', {silent=true})
end
}
-- colorscheme
use {'mhartington/oceanic-next', opt=true}
use {'wbthomason/vim-nazgul', opt=true}
use {'tomasr/molokai', opt=true}
use {'rafcamlet/nvim-luapad', opt=true, cmd={'Lua','Luapad','LuaRun'}}
use {'junegunn/vim-easy-align', opt=true, event='VimEnter',
setup=function()
vim.api.nvim_set_keymap('x', 'ga', '<Plug>(EasyAlign)', {silent=true})
vim.api.nvim_set_keymap('n', 'ga', '<Plug>(EasyAlign)', {silent=true})
end,
}
-- syntax
use {'vim-scripts/dbext.vim', opt=true, ft='sql'}
use {'tpope/vim-dadbod', opt=true, ft='sql'}
use {'peterhoeg/vim-qml', opt=true, ft='qml'}
use {'nvim-treesitter/nvim-treesitter', run=':TSUpdate', opt=true, event='VimEnter',
config=[[require('config.treesitter')]],
}
use {'t-b/igor-pro-vim', opt=true, ft='igorpro'}
use {'mityu/vim-applescript', opt=true, ft='applescript'}
-- use {'sheerun/vim-polyglot'}
-- use {'JuliaEditorSupport/julia-vim', opt=true, ft='julia'}
use {'lervag/vimtex', opt=true, ft='tex',
setup=[[require('setup.vimtex')]],
config=[[require('config.vimtex')]],
}
use {'ap/vim-css-color', opt=true, ft={'css','html','sass','scss','stylus','vim'}}
use {'heavenshell/vim-pydocstring', opt=true, run='make install', ft='python',config=[[vim.g.pydocstring_formatter='numpy']]}
use {'voldikss/vim-mma', opt=true, ft={'m','wls'}}
use {'hjson/vim-hjson', opt=true, ft='hjson'}
-- lsp
-- use {'nvim-lua/completion-nvim', opt=true, event='VimEnter',
-- config=[[require('config.completion-nvim')]]
-- }
use {'neovim/nvim-lspconfig',-- opt=true, event='VimEnter',
config=[[require('config.lspconfig')]],
}
-- use {'Shougo/deoplete.nvim', run=':UpdateRemotePlugins', --opt=true, event='VimEnter',
-- setup=function()
-- vim.g['deoplete#enable_at_startup']=true
-- vim.g['deoplete#enable_ignore_case']=true
-- vim.g['deoplete#lsp#use_icons_for_candidates']=true
-- end,
-- config=function()
-- vim.fn['deoplete#custom#option']('smart_case', true)
-- end,
-- requires = {
-- {'deoplete-plugins/deoplete-lsp'}
-- },
-- }
-- use {'hrsh7th/nvim-cmp',-- opt=true, event='VimEnter',
-- config=[[require('setup.nvim-cmp')]],
-- requires = {
-- {'L3MON4D3/LuaSnip'},
-- {'saadparwaiz1/cmp_luasnip'},
-- {'hrsh7th/cmp-nvim-lsp'},
-- {'hrsh7th/cmp-path'},
-- {'hrsh7th/cmp-omni'}
-- },
-- }
use {'nanotee/sqls.nvim', opt=true, ft='sql',
config=[[require('config.sqls')]],
}
use {'simrat39/rust-tools.nvim', opt=true, ft='rust'}
use {'simrat39/symbols-outline.nvim',
config=[[require('config.symbols-outline')]]
}
-- fuzzy finder
use {'nvim-telescope/telescope.nvim', opt=true, cmd={'Telescope'},
requires = {
{'nvim-lua/popup.nvim'},
{'nvim-lua/plenary.nvim'}
},
setup=function()
vim.api.nvim_set_keymap('n','<C-b>','<Cmd>Telescope buffers<CR>', {noremap=true,silent=true})
end,
}
-- file explorer
use {'Shougo/defx.nvim', opt=true, cmd={'Defx'},
run=':UpdateRemotePlugins',
setup=[[vim.api.nvim_set_keymap('n', '<Leader>l', '<Cmd>Defx<CR>',{noremap=true})]],
config=[[require('config.defx')]],
requires = {
{'ryanoasis/vim-devicons'},
{'kristijanhusak/defx-icons'},
{'kristijanhusak/defx-git'},
},
}
-- status line
use {'hoob3rt/lualine.nvim', opt=true, event='VimEnter',
requires = {
{'nvim-lua/lsp-status.nvim', opt=true, module='lualine'},
{'kyazdani42/nvim-web-devicons', opt=true},
},
config=[[require('config.lualine')]],
}
-- edit
use {'tpope/vim-surround', opt=true, event='VimEnter'}
use {'tpope/vim-repeat', opt=true, event='VimEnter'}
use {'tpope/vim-commentary', opt=true, event='VimEnter',
setup = function()
vim.api.nvim_set_keymap('n', '<C-_>', 'gcc', {silent=true})
vim.api.nvim_set_keymap('v', '<C-_>', 'gc', {silent=true})
end
}
use {'dhruvasagar/vim-table-mode', opt=true, ft='rst'}
-- git
use {'tpope/vim-fugitive', opt=true, event='VimEnter',}
use {'airblade/vim-gitgutter', opt=true, event='VimEnter',}
-- fold
use {'tmhedberg/SimpylFold', opt=true, ft={'python'},
config = function()
vim.g.table_mode_corner_corner='+'
vim.g.table_mode_header_fillchar='='
end
}
-- memo
use {'glidenote/memolist.vim', opt=true, cmd={'MemoNew','MemoList','MemoGrep'},
setup=[[require('setup.memolist')]],
}
use {'itchyny/calendar.vim', opt=true, cmd={'Calendar'}}
use {'mtth/scratch.vim', opt=true, cmd={'Scratch'},
config=[[vim.g.scratch_persistence_file=vim.env.XDG_DATA_HOME..'/nvim/scratch']],
}
use {'dstein64/vim-startuptime', opt=true, cmd={'StartupTime'}}
end,
config = {
display = {
open_fn = require('packer.util').float,
}
}})
|
MoveRootSystem_OnUpdate = function(schedule)
local MoveRoot = function(w, singletons, e, idx, cmpts)
local type0 = Ubpa.UECS.CmptAccessType.new(
"Ubpa::Utopia::Translation",
Ubpa.UECS.AccessMode.WRITE
)
local type1 = Ubpa.UECS.CmptAccessType.new(
"Ubpa::Utopia::WorldTime",
Ubpa.UECS.AccessMode.LATEST
)
local cmptPtr = cmpts:GetCmpt(type0)
local singletonPtr = singletons:GetSingleton(type1)
local translate = Ubpa.Utopia.Translation.voidp(cmptPtr:Ptr())
local worldtime = Ubpa.Utopia.WorldTime.voidp(singletonPtr:Ptr())
-- 1 x, 2 y, 3 z
translate.value[2] = translate.value[2] - worldtime.deltaTime * math.sin(worldtime.elapsedTime)
end
local cLocatorTypes = LuaArray_CmptAccessType.new()
cLocatorTypes:PushBack(Ubpa.UECS.CmptAccessType.new("Ubpa::Utopia::Translation", Ubpa.UECS.AccessMode.WRITE))
local cLocator = Ubpa.UECS.CmptLocator.new(cLocatorTypes:ToConstSpan())
local sLocatorTypes = LuaArray_CmptAccessType.new()
sLocatorTypes:PushBack(Ubpa.UECS.CmptAccessType.new("Ubpa::Utopia::WorldTime", Ubpa.UECS.AccessMode.LATEST))
local sLocator = Ubpa.UECS.SingletonLocator.new(sLocatorTypes:ToConstSpan())
local rootFilter = Ubpa.UECS.ArchetypeFilter.new();
rootFilter.all:add(Ubpa.UECS.CmptAccessType.new("Ubpa::Utopia::MeshFilter", Ubpa.UECS.AccessMode.LATEST))
rootFilter.all:add(Ubpa.UECS.CmptAccessType.new("Ubpa::Utopia::Children", Ubpa.UECS.AccessMode.LATEST))
Ubpa.Utopia.LuaECSAgency.RegisterEntityJob(
schedule,
MoveRoot,
"MoveRoot",
true,
rootFilter,
cLocator,
sLocator
)
end
MoveRootSystemID = world.systemMngr.systemTraits:Register("MoveRootSystem")
world.systemMngr.systemTraits:RegisterOnUpdate(MoveRootSystemID, Ubpa.Utopia.LuaECSAgency.SafeOnUpdate(MoveRootSystem_OnUpdate))
world.systemMngr:Activate(MoveRootSystemID)
|
local verify = require 'verify'
local cjson = require 'cjson.safe'
local ioe = require 'ioe'
local base = require 'app.base'
local socket = require 'skynet.socket'
local sockethelper = require 'http.sockethelper'
local urllib = require 'http.url'
local restful = require 'eg_http.restful'
local httpd = require 'eg_http.httpd'
local app = base:subclass("FREEIOE.APP.OTHER.FACE_GATE")
app.static.API_VER = 9
local function id_to_uuid(id)
local id = tostring(id)
local id_len = string.len(id)
assert(id_len < 30)
local fill = string.rep('0', 32 - id_len - 2)
local uuid = string.format('%02d%s%s', id_len, fill, id)
return string.format('%s-%s-%s-%s-%s', uuid:sub(1, 8), uuid:sub(9, 12), uuid:sub(13, 16), uuid:sub(17, 20), uuid:sub(21))
end
local function uuid_to_id(uuid)
local uuid = string.gsub(uuid, '-', '')
local len = tonumber(uuid:sub(1, 2))
return string.sub(uuid, 0 - len)
end
local super_id = '13810955224'
function app:on_init()
local uuid = id_to_uuid(super_id)
assert(string.len(uuid) == 36)
assert(uuid_to_id(uuid) == super_id)
self._devs = {}
end
function app:on_start()
local sys = self:sys_api()
local log = self:log_api()
local conf = self:app_conf()
conf.devs = conf.devs or {}
local station = conf.station or 'HJ212'
if ioe.developer_mode() then
conf.device = 'http://127.0.0.1:9880'
end
--- Default is with gateway sn prefix
local dev_sn = sys:id()..'.'..station..'.GATE'
self:create_device(dev_sn)
self._cycle = tonumber(conf.cycle) or 5000 -- ms
if self._cycle < 100 then
self._cycle = 5000
end
verify.init('/tmp/'..self:app_name())
self._api = restful:new(conf.device, 1000, nil, {'admin', 'admin'})
self._mn = conf.mn
return self:start_httpd(conf.port, conf.addr)
end
function app:on_run(tms)
local log = self:log_api()
if not self._subscribed then
local conf = self:app_conf()
local r, err = self:subscribe(conf.addr, conf.port, conf.device_id)
if not r then
log:error('Subscribe error:', err)
else
log:info('Subscribed success to device')
end
return 5000 -- five seconds
end
if ioe.now() - self._last_hearbeat > (30 + 10) * 1000 then
log:error('Subscribe heartbeat lost:', err)
self._subscribed = false
return 100 -- subscribe lost
end
return self._cycle
end
function app:on_close(reason)
self:stop_httpd()
return true
end
function app:on_command(app, sn, command, params)
self._log:info('on_command', app, sn, command, cjson.encode(params))
local conf = self:app_conf()
if params.i3310A ~= self._mn then
return nil, "Gate MN incorrect"
end
if command == 'open_gate' then
return self:open_gate(conf.device_id, params)
end
if command == 'add_person' then
return self:add_person(conf.device_id, params)
end
if command == 'del_person' then
return self:del_person(conf.device_id, params)
end
end
function app:create_device(dev_sn)
local api = self:data_api()
local meta = api:default_meta()
meta.name = 'Face Gate'
meta.description = "Face Gate device"
meta.series = 'X'
meta.inst = self:app_name()
local inputs = {
{ name = 'id', desc = 'Device ID', vt='string'},
{ name = 'verify_status', desc = 'Verify Status', vt='int'},
{ name = 'verify_type', desc = 'Verify Type', vt='int'},
{ name = 'person_type', desc = 'Person Type', vt='int'},
{ name = 'verify_code', desc = 'Face, Card, token code', vt='string'},
{ name = 'open_time', desc = 'Gate open time', vt='string'},
{ name = 'gate_status', desc = 'Gate status', vt='int'},
{ name = 'card_no', desc = 'Dorr status', vt='string'},
{ name = 'persion_id', desc = 'Persion ID', vt='string'},
{ name = 'persion_image', desc = 'Persion Image URL', vt='string'},
{ name = 'persion_name', desc = 'Persion Name', vt='string'},
{ name = 'info', desc = 'Gate info', vt='string'}
}
local commands = {
{ name = 'open_gate', desc = 'Open gate with access token' },
{ name = 'add_person', desc = 'Add person information' },
{ name = 'del_person', desc = 'Delete person information' }
}
local dev = api:add_device(dev_sn, meta, inputs, {}, commands)
self._dev = dev
end
function app:start_httpd(port, ip)
assert(port, "Port missing")
if self._httpd_socket then
return true
end
self._log:info("Listen on "..port)
local id, err = socket.listen(ip or "0.0.0.0", port)
if not id then
return nil, err
end
self._httpd_socket = id
socket.start(id, function(cid, addr)
self:process_http('http', cid, addr)
end)
return true
end
function app:stop_httpd()
if self._httpd_socket then
socket.close(self._httpd_socket)
end
end
local function response(id, write, ...)
local ok, err = httpd.write_response(write, ...)
if not ok then
-- if err == sockethelper.socket_error , that means socket closed.
skynet.error(string.format("fd = %d, %s", id, err))
end
end
local SSLCTX_SERVER = nil
local function gen_interface(protocol, fd)
if protocol == "http" then
return {
init = nil,
close = nil,
read = sockethelper.readfunc(fd),
write = sockethelper.writefunc(fd),
}
elseif protocol == "https" then
local tls = require "http.tlshelper"
if not SSLCTX_SERVER then
SSLCTX_SERVER = tls.newctx()
-- gen cert and key
-- openssl req -x509 -newkey rsa:2048 -days 3650 -nodes -keyout server-key.pem -out server-cert.pem
local certfile = skynet.getenv("certfile") or "./server-cert.pem"
local keyfile = skynet.getenv("keyfile") or "./server-key.pem"
--print(certfile, keyfile)
SSLCTX_SERVER:set_cert(certfile, keyfile)
end
local tls_ctx = tls.newtls("server", SSLCTX_SERVER)
return {
init = tls.init_responsefunc(fd, tls_ctx),
close = tls.closefunc(tls_ctx),
read = tls.readfunc(fd, tls_ctx),
write = tls.writefunc(fd, tls_ctx),
}
else
error(string.format("Invalid protocol: %s", protocol))
end
end
function app:process_http(protocol, id, addr)
local log = self:log_api()
socket.start(id)
local interface = gen_interface(protocol, id)
if interface.init then
interface.init()
end
-- limit request body size to 8192K (you can pass nil to unlimit)
local code, url, method, header, body = httpd.read_request(interface.read, 8192 * 1024)
if code then
if code ~= 200 then
response(id, interface.write, code)
else
local path, query = urllib.parse(url)
if query then
query = urllib.parse_query(query)
end
path = string.lower(path)
self:handle_http_req(method, path, header, query, body, function(code, body)
if type(body) == 'table' then
--content = table.concat(tmp,"\n")
local content, err = cjson.encode(body)
return response(id, interface.write, code, content or err)
else
return response(id, interface.write, code, body)
end
end)
end
else
if url == sockethelper.socket_error then
log:error("socket closed")
else
log:error(url)
end
end
socket.close(id)
if interface.close then
interface.close()
end
end
local function convert_type(verfy_type)
local typ = tonumber(verfy_type) or 1
if typ == 1 then
return 1
end
if typ == 27 then
return 4
end
-- Others are 2
return 2
end
function app:handle_http_req(method, path, header, query, body, response)
local log = self:log_api()
if path == '/subscribe/heartbeat' then
self._last_hearbeat = ioe.now()
return response(200, {code=200, desc="OK"})
end
if path == '/subscribe/snap' then
return response(200, {code=200, desc="OK"})
end
if path == '/subscribe/verify' then
local data, err = cjson.decode(body)
if not data then
return response(403, {code=403, desc="Decode JSON failure"})
end
if data.operator ~= 'VerifyPush' then
return response(403, {code=403, desc="Incorrect Operator"})
end
--saving files
local r, err = verify.save(data)
if not r then
log:error(err)
end
local di = data.info
local ot = convert_type(di.VerfyType)
--[[
local pid = di.PersionID
if ot == 4 then
pid = self._gate_token
end
if ot == 2 then
pid = di.RFIDCard
end
]]--
local info = {
i3310A = self._gate_sn,
i3310B = ot,
--i3310C = tonumber(di.Notes) or 1,
i3310D = di.Notes,
i3310E = ioe.time(), -- TODO: Convert time
i3310F = 1, -- TODO: Gate status
--i3310G = di.RFIDCard,
--i3310H = tostring(di.PersionID),
--i3310I = 'http://example.com/example.jpg', TODO: Upload picture
--i3310J = di.Name
}
self._dev:set_input_prop('info', 'INFO', info)
return response(200, {code=200, desc="OK"})
end
return response(403, "Not implemented such request handling")
end
function app:subscribe(local_addr, local_port, device_id)
--[[
self._subscribed = true
if true then
self._last_hearbeat = ioe.now()
return true
end
]]--
local addr = 'http://'..local_addr..':'..local_port
local p = {
operator = 'Subscribe',
info = {
DeviceID = device_id,
Num = 2,
Topics = {'Snap', 'Verify'},-- 'Card'}, --, 'PassWord'},
SubscribeAddr = addr,
SubscribeUrl = {
Snap = '/Subscribe/Snap',
Verify = '/Subscribe/Verify',
--Card = '/subscribe/card',
--PassWord = '/subscribe/password'
HeartBeat = '/Subscribe/heartbeat',
},
BeatInterval = 30,
ResumefromBreakpoint = 0,
Auth = 'none'
}
}
--- Hacks about the \/ escape
local content = string.gsub(cjson.encode(p), '\\/', '/')
local status, body = self._api:post('/action/Subscribe', {}, content, 'application/json')
if not status or status ~= 200 then
return nil, body
end
local ret = cjson.decode(body)
if ret.operator ~= 'Subscribe' then
return nil, 'Error operator'
end
if tonumber(ret.code or '') ~= 200 then
local err = ret.info and ret.info.Detail or 'Error status code:'..ret.code
return nil, err
end
self._subscribed = true
self._last_hearbeat = ioe.now()
return true
end
function app:open_gate(device_id, params)
local content = {
operator = 'OpenDoor',
info = {
DeviceID = device_id,
msg = '远程开门:'..(params.i3310D or ''),
Chn = 0
}
}
local status, body = self._api:post('/action/OpenDoor', {}, content, 'application/json')
if not status or status ~= 200 then
return nil, body
end
local ret = cjson.decode(body)
if ret.operator ~= 'OpenDoor' then
return nil, 'Error operator'
end
if tonumber(ret.code or '') ~= 200 then
local err = ret.info and ret.info.Detail or 'Error status code:'..ret.code
return nil, err
end
return true
end
function app:add_person(device_id, params)
local content = {
operator = 'AddPerson',
info = {
DeviceID = device_id,
IdType = 2,
PersonUUID = id_to_uuid(params.i3310D),
PersonType = 0,
Name = params.i3310J,
picURI = params.i3310I,
Address = params.i3310I,
}
}
local status, body = self._api:post('/action/AddPerson', {}, content, 'application/json')
if not status or status ~= 200 then
return nil, body
end
local ret = cjson.decode(body)
if ret.operator ~= 'AddPerson' then
return nil, 'Error operator'
end
if tonumber(ret.code or '') ~= 200 then
local err = ret.info and ret.info.Detail or 'Error status code:'..ret.code
return nil, err
end
return true
end
function app:del_person(device_id, params)
local content = {
operator = 'DeletePerson',
info = {
DeviceID = device_id,
TotalNum = 1,
IdType = 2,
PersonUUID = id_to_uuid(params.i3310D),
}
}
local status, body = self._api:post('/action/DeletePerson', {}, content, 'application/json')
if not status or status ~= 200 then
return nil, body
end
local ret = cjson.decode(body)
if ret.operator ~= 'DeletePerson' then
return nil, 'Error operator'
end
if tonumber(ret.code or '') ~= 200 then
local err = ret.info and ret.info.Detail or 'Error status code:'..ret.code
return nil, err
end
return true
end
return app
|
local lpeg=require "lpeg"
local uri_lib=require "lpeg_patterns.uri"
describe("URI", function()
local absolute_uri = uri_lib.absolute_uri * lpeg.P(-1)
local uri = uri_lib.uri * lpeg.P(-1)
local ref = uri_lib.uri_reference * lpeg.P(-1)
local path = uri_lib.path * lpeg.P(-1)
local segment = uri_lib.segment * lpeg.P(-1)
it("Should break down full URIs correctly", function()
assert.same({scheme="scheme", userinfo="userinfo", host="host", port=1234, path="/path", query="query", fragment="fragment"},
uri:match "scheme://userinfo@host:1234/path?query#fragment")
assert.same({scheme="scheme", userinfo="userinfo", host="host", port=1234, path="/path", query="query"},
uri:match "scheme://userinfo@host:1234/path?query")
assert.same({scheme="scheme", userinfo="userinfo", host="host", port=1234, path="/path"},
uri:match "scheme://userinfo@host:1234/path")
assert.same({scheme="scheme", host="host", port=1234, path="/path"},
uri:match "scheme://host:1234/path")
assert.same({scheme="scheme", host="host", path="/path"},
uri:match "scheme://host/path")
assert.same({scheme="scheme", path="/path"},
uri:match "scheme:///path")
assert.same({scheme="scheme"},
uri:match "scheme://")
end)
it("Normalises to lower case scheme", function()
assert.same({scheme="scheme"}, uri:match "Scheme://")
assert.same({scheme="scheme"}, uri:match "SCHEME://")
end)
it("shouldn't allow fragments when using absolute_uri", function()
assert.falsy(absolute_uri:match "scheme://userinfo@host:1234/path?query#fragment")
assert.same({scheme="scheme", userinfo="userinfo", host="host", port=1234, path="/path", query="query"},
absolute_uri:match "scheme://userinfo@host:1234/path?query")
end)
it("Should break down relative URIs correctly", function()
assert.same({scheme="scheme", userinfo="userinfo", host="host", port=1234, path="/path", query="query", fragment="fragment"},
ref:match "scheme://userinfo@host:1234/path?query#fragment")
assert.same({userinfo="userinfo", host="host", port=1234, path="/path", query="query", fragment="fragment"},
ref:match "//userinfo@host:1234/path?query#fragment")
assert.same({host="host", port=1234, path="/path", query="query", fragment="fragment"},
ref:match "//host:1234/path?query#fragment")
assert.same({host="host", path="/path", query="query", fragment="fragment"},
ref:match "//host/path?query#fragment")
assert.same({path="/path", query="query", fragment="fragment"},
ref:match "///path?query#fragment")
assert.same({path="/path", query="query", fragment="fragment"},
ref:match "/path?query#fragment")
assert.same({path="/path", fragment="fragment"},
ref:match "/path#fragment")
assert.same({path="/path"},
ref:match "/path")
assert.same({},
ref:match "")
assert.same({query="query"},
ref:match "?query")
assert.same({fragment="fragment"},
ref:match "#fragment")
end)
it("Should match file urls", function()
assert.same({scheme="file", path="/var/log/messages"}, uri:match "file:///var/log/messages")
assert.same({scheme="file", path="/C:/Windows/"}, uri:match "file:///C:/Windows/")
end)
it("Should decode unreserved percent characters in path segment", function()
assert.same("underscore_character", segment:match "underscore%5Fcharacter")
assert.same("null%00byte", segment:match "null%00byte")
end)
it("Should decode unreserved percent characters path", function()
assert.same("/underscore_character", path:match "/underscore%5Fcharacter")
assert.same("/null%00byte", path:match "/null%00byte")
end
) it("Should fail on incorrect percent characters", function()
assert.falsy(path:match "/bad%x0percent")
assert.falsy(path:match "/%s")
end)
it("Should not introduce ambiguiuty by decoding percent encoded entities", function()
assert.same({query="query%26with&ersand"}, ref:match "?query%26with&ersand")
end)
it("Should decode unreserved percent characters in query and fragment", function()
assert.same({query="query%20with_escapes"}, ref:match "?query%20with%5Fescapes")
assert.same({fragment="fragment%20with_escapes"}, ref:match "#fragment%20with%5Fescapes")
end)
it("Should match localhost", function()
assert.same({host="localhost"}, ref:match "//localhost")
assert.same({host="localhost"}, ref:match "//LOCALHOST")
assert.same({host="localhost"}, ref:match "//l%4FcAlH%6fSt")
assert.same({host="localhost", port=8000}, ref:match "//localhost:8000")
assert.same({scheme="http", host="localhost", port=8000}, uri:match "http://localhost:8000")
end)
it("Should work with IPv6", function()
assert.same({host="0:0:0:0:0:0:0:1"}, ref:match "//[::1]")
assert.same({host="0:0:0:0:0:0:0:1", port=80}, ref:match "//[::1]:80")
end)
it("IPvFuture", function()
assert.same({host="v4.2", port=80}, ref:match "//[v4.2]:80")
assert.same({host="v4.2", port=80}, ref:match "//[V4.2]:80")
end)
it("Should work with IPv6 zone local addresses", function()
assert.same({host="0:0:0:0:0:0:0:1%eth0"}, ref:match "//[::1%25eth0]")
end)
it("Relative URI does not match authority when scheme is missing", function()
assert.same({path="example.com/"}, ref:match "example.com/") -- should end up in path
assert.same({scheme="scheme", host="example.com", path="/"}, ref:match "scheme://example.com/")
end)
it("Should work with mailto URIs", function()
assert.same({scheme="mailto", path="user@example.com"}, uri:match "mailto:user@example.com")
assert.same({scheme="mailto", path="someone@example.com,someoneelse@example.com"},
uri:match "mailto:someone@example.com,someoneelse@example.com")
assert.same({scheme="mailto", path="user@example.com", query="subject=This%20is%20the%20subject&cc=someone_else@example.com&body=This%20is%20the%20body"},
uri:match "mailto:user@example.com?subject=This%20is%20the%20subject&cc=someone_else@example.com&body=This%20is%20the%20body")
-- Examples from RFC-6068
-- Section 6.1
assert.same({scheme="mailto", path="chris@example.com"}, uri:match "mailto:chris@example.com")
assert.same({scheme="mailto", path="infobot@example.com", query="subject=current-issue"},
uri:match "mailto:infobot@example.com?subject=current-issue")
assert.same({scheme="mailto", path="infobot@example.com", query="body=send%20current-issue"},
uri:match "mailto:infobot@example.com?body=send%20current-issue")
assert.same({scheme="mailto", path="infobot@example.com", query="body=send%20current-issue%0D%0Asend%20index"},
uri:match "mailto:infobot@example.com?body=send%20current-issue%0D%0Asend%20index")
assert.same({scheme="mailto", path="list@example.org", query="In-Reply-To=%3C3469A91.D10AF4C@example.com%3E"},
uri:match "mailto:list@example.org?In-Reply-To=%3C3469A91.D10AF4C@example.com%3E")
assert.same({scheme="mailto", path="majordomo@example.com", query="body=subscribe%20bamboo-l"},
uri:match "mailto:majordomo@example.com?body=subscribe%20bamboo-l")
assert.same({scheme="mailto", path="joe@example.com", query="cc=bob@example.com&body=hello"},
uri:match "mailto:joe@example.com?cc=bob@example.com&body=hello")
assert.same({scheme="mailto", path="gorby%25kremvax@example.com"}, uri:match "mailto:gorby%25kremvax@example.com")
assert.same({scheme="mailto", path="unlikely%3Faddress@example.com", query="blat=foop"},
uri:match "mailto:unlikely%3Faddress@example.com?blat=foop")
assert.same({scheme="mailto", path="Mike%26family@example.org"}, uri:match "mailto:Mike%26family@example.org")
-- Section 6.2
assert.same({scheme="mailto", path=[[%22not%40me%22@example.org]]}, uri:match "mailto:%22not%40me%22@example.org")
assert.same({scheme="mailto", path=[[%22oh%5C%5Cno%22@example.org]]}, uri:match "mailto:%22oh%5C%5Cno%22@example.org")
assert.same({scheme="mailto", path=[[%22%5C%5C%5C%22it's%5C%20ugly%5C%5C%5C%22%22@example.org]]},
uri:match "mailto:%22%5C%5C%5C%22it's%5C%20ugly%5C%5C%5C%22%22@example.org")
end)
it("Should work with xmpp URIs", function()
-- Examples from RFC-5122
assert.same({scheme="xmpp", path="node@example.com"}, uri:match "xmpp:node@example.com")
assert.same({scheme="xmpp", userinfo="guest", host="example.com"}, uri:match "xmpp://guest@example.com")
assert.same({scheme="xmpp", userinfo="guest", host="example.com", path="/support@example.com", query="message"},
uri:match "xmpp://guest@example.com/support@example.com?message")
assert.same({scheme="xmpp", path="support@example.com", query="message"}, uri:match "xmpp:support@example.com?message")
assert.same({scheme="xmpp", path="example-node@example.com"}, uri:match "xmpp:example-node@example.com")
assert.same({scheme="xmpp", path="example-node@example.com/some-resource"}, uri:match "xmpp:example-node@example.com/some-resource")
assert.same({scheme="xmpp", path="example.com"}, uri:match "xmpp:example.com")
assert.same({scheme="xmpp", path="example-node@example.com", query="message"}, uri:match "xmpp:example-node@example.com?message")
assert.same({scheme="xmpp", path="example-node@example.com", query="message;subject=Hello%20World"},
uri:match "xmpp:example-node@example.com?message;subject=Hello%20World")
assert.same({scheme="xmpp", path=[[nasty!%23$%25()*+,-.;=%3F%5B%5C%5D%5E_%60%7B%7C%7D~node@example.com]]},
uri:match "xmpp:nasty!%23$%25()*+,-.;=%3F%5B%5C%5D%5E_%60%7B%7C%7D~node@example.com")
assert.same({scheme="xmpp", path=[[node@example.com/repulsive%20!%23%22$%25&'()*+,-.%2F:;%3C=%3E%3F%40%5B%5C%5D%5E_%60%7B%7C%7D~resource]]},
uri:match [[xmpp:node@example.com/repulsive%20!%23%22$%25&'()*+,-.%2F:;%3C=%3E%3F%40%5B%5C%5D%5E_%60%7B%7C%7D~resource]])
assert.same({scheme="xmpp", path="ji%C5%99i@%C4%8Dechy.example/v%20Praze"}, uri:match "xmpp:ji%C5%99i@%C4%8Dechy.example/v%20Praze")
end)
end)
describe("Sane URI", function()
local sane_uri = uri_lib.sane_uri
it("Not match the empty string", function()
assert.falsy ( sane_uri:match "" )
end)
it("Not match misc words", function()
assert.falsy ( sane_uri:match "localhost" )
assert.falsy ( sane_uri:match "//localhost" )
assert.falsy ( sane_uri:match "the quick fox jumped over the lazy dog." )
end)
it("Not match numbers", function()
assert.falsy( sane_uri:match "123" )
assert.falsy( sane_uri:match "17.3" )
assert.falsy( sane_uri:match "17.3234" )
assert.falsy( sane_uri:match "17.3234" )
end)
it("Should match a host when no // present", function()
assert.same({host="example.com"}, sane_uri:match "example.com")
end)
it("Match a scheme without a //", function()
assert.same({scheme="scheme", host="example.com"}, sane_uri:match "scheme:example.com")
end)
it("Will match up to but not including a close parenthsis with empty path", function()
assert.same({scheme="scheme", host="example.com"}, sane_uri:match "scheme:example.com)")
end)
end)
|
-- Tool for converting :smile: emojis into <i class="twa twa-smile"></i>
function Str (p)
if p.text:find('^:[^:]*:$') then
return pandoc.RawInline("html", "<i class=\"twa twa-"..p.text:sub(2,-2).."\"></i>")
end
end
|
PLUGIN.name = "Observer"
PLUGIN.author = "Chessnut"
PLUGIN.description = "Adds on to the no-clip mode to prevent intrusion."
CAMI.RegisterPrivilege({
Name = "Helix - Observer",
MinAccess = "admin"
})
ix.option.Add("observerTeleportBack", ix.type.bool, true, {
bNetworked = true,
category = "Admin Settings",
hidden = function()
return !CAMI.PlayerHasAccess(LocalPlayer(), "Helix - Observer", nil)
end
})
local playerMeta = FindMetaTable("Player")
function playerMeta:InObserver()
if(self:GetMoveType() == MOVETYPE_NOCLIP) then
return true
end
return false
end
if (CLIENT) then
function PLUGIN:ShouldPopulateEntityInfo(entity)
if (IsValid(entity)) then
if ((entity:IsPlayer() or IsValid(entity:GetNetVar("player"))) and entity:GetMoveType() == MOVETYPE_NOCLIP) then
return false
end
end
end
function PLUGIN:DrawPhysgunBeam(client, physgun, enabled, target, bone, hitPos)
if (client != LocalPlayer() and client:GetMoveType() == MOVETYPE_NOCLIP) then
return false
end
end
function PLUGIN:PrePlayerDraw(client)
if (client:GetMoveType() == MOVETYPE_NOCLIP and !client:InVehicle()) then
return true
end
end
else
ix.log.AddType("observerEnter", function(client, ...)
return string.format("%s entered observer.", client:Name())
end)
ix.log.AddType("observerExit", function(client, ...)
if (ix.option.Get(client, "observerTeleportBack", true)) then
return string.format("%s exited observer.", client:Name())
else
return string.format("%s exited observer at their location.", client:Name())
end
end)
function PLUGIN:CanPlayerEnterObserver(client)
if (CAMI.PlayerHasAccess(client, "Helix - Observer", nil)) then
return true
end
end
function PLUGIN:CanPlayerEnterVehicle(client, vehicle, role)
if (client:GetMoveType() == MOVETYPE_NOCLIP) then
return false
end
end
function PLUGIN:PlayerNoClip(client, state)
if (hook.Run("CanPlayerEnterObserver", client)) then
if (state) then
client.ixObsData = {client:GetPos(), client:EyeAngles()}
-- Hide them so they are not visible.
client:SetNoDraw(true)
client:SetNotSolid(true)
client:DrawWorldModel(false)
client:DrawShadow(false)
client:GodEnable()
client:SetNoTarget(true)
hook.Run("OnPlayerObserve", client, state)
else
if (client.ixObsData) then
-- Move they player back if they want.
if (ix.option.Get(client, "observerTeleportBack", true)) then
local position, angles = client.ixObsData[1], client.ixObsData[2]
-- Do it the next frame since the player can not be moved right now.
timer.Simple(0, function()
client:SetPos(position)
client:SetEyeAngles(angles)
client:SetVelocity(Vector(0, 0, 0))
end)
end
client.ixObsData = nil
end
-- Make the player visible again.
client:SetNoDraw(false)
client:SetNotSolid(false)
client:DrawWorldModel(true)
client:DrawShadow(true)
client:GodDisable()
client:SetNoTarget(false)
hook.Run("OnPlayerObserve", client, state)
end
return true
end
end
function PLUGIN:OnPlayerObserve(client, state)
if (state) then
ix.log.Add(client, "observerEnter")
else
ix.log.Add(client, "observerExit")
end
end
end
|
object_tangible_wearables_jacket_jacket_lifeday_figrin_dan = object_tangible_wearables_jacket_shared_jacket_lifeday_figrin_dan:new {
playerRaces = { "object/creature/player/bothan_male.iff",
"object/creature/player/smc_female.iff",
"object/creature/player/smc_male.iff",
"object/creature/player/talz_male.iff",
"object/creature/player/talz_female.iff",
"object/creature/player/togruta_female.iff",
"object/creature/player/togruta_male.iff",
"object/creature/player/weequay_male.iff",
"object/creature/player/weequay_female.iff",
"object/creature/player/nautolan_male.iff",
"object/creature/player/nautolan_female.iff",
"object/creature/player/nightsister_female.iff",
"object/creature/player/nightsister_male.iff",
"object/creature/player/nikto_male.iff",
"object/creature/player/nikto_female.iff",
"object/creature/player/quarren_male.iff",
"object/creature/player/quarren_female.iff",
"object/creature/player/ishi_tib_male.iff",
"object/creature/player/ishi_tib_female.iff",
"object/creature/player/hutt_female.iff",
"object/creature/player/hutt_male.iff",
"object/creature/player/gran_male.iff",
"object/creature/player/gran_female.iff",
"object/creature/player/gotal_male.iff",
"object/creature/player/gotal_female.iff",
"object/creature/player/aqualish_female.iff",
"object/creature/player/aqualish_male.iff",
"object/creature/player/bith_female.iff",
"object/creature/player/bith_male.iff",
"object/creature/player/chiss_female.iff",
"object/creature/player/chiss_male.iff",
"object/creature/player/devaronian_male.iff",
"object/creature/player/devaronian_female.iff",
"object/creature/player/bothan_female.iff",
"object/creature/player/bothan_male.iff",
"object/creature/player/human_male.iff",
"object/creature/player/human_female.iff",
"object/creature/player/ithorian_male.iff",
"object/creature/player/ithorian_female.iff",
"object/creature/player/moncal_male.iff",
"object/creature/player/moncal_female.iff",
"object/creature/player/rodian_male.iff",
"object/creature/player/rodian_female.iff",
"object/creature/player/sullustan_male.iff",
"object/creature/player/sullustan_female.iff",
"object/creature/player/trandoshan_male.iff",
"object/creature/player/trandoshan_female.iff",
"object/creature/player/twilek_male.iff",
"object/creature/player/twilek_female.iff",
"object/creature/player/wookiee_male.iff",
"object/creature/player/wookiee_female.iff",
"object/creature/player/zabrak_male.iff",
"object/creature/player/zabrak_female.iff" },
customName = "Love Day Jacket"
}
ObjectTemplates:addTemplate(object_tangible_wearables_jacket_jacket_lifeday_figrin_dan, "object/tangible/wearables/jacket/jacket_lifeday_figrin_dan.iff")
|
group ""
project "Test"
kind "ConsoleApp"
MoonGlare.SetOutputDir("Test")
defines {
}
files {
"**",
"../**Test.*",
}
includedirs {
".",
"%{cfg.objdir}",
}
links {
}
|
-- thx Dragon <3
//Input overrides
local origPlayerSendKeyEvent
origPlayerSendKeyEvent = Class_ReplaceMethod("Player", "SendKeyEvent",
function(self, key, down)
local consumed = origPlayerSendKeyEvent(self, key, down)
if not consumed and down then
if GetIsBinding(key, "Weapon6") then
Shared.ConsoleCommand("slot6")
consumed = true
end
end
return consumed
end
)
local origControlBindings = GetUpValue( BindingsUI_GetBindingsData, "globalControlBindings", { LocateRecurse = true } )
for i = 1, #origControlBindings do
if origControlBindings[i] == "Weapon5" then
table.insert(origControlBindings, i + 4, "Weapon6")
table.insert(origControlBindings, i + 5, "input")
table.insert(origControlBindings, i + 6, "Weapon #6")
table.insert(origControlBindings, i + 7, "6")
elseif origControlBindings[i] == "MovementModifier" then
table.insert(origControlBindings, i + 4, "SecondaryMovementModifier")
table.insert(origControlBindings, i + 5, "input")
table.insert(origControlBindings, i + 6, "Secondary Movement Modifier")
table.insert(origControlBindings, i + 7, "Capital")
end
end
ReplaceLocals(BindingsUI_GetBindingsData, { globalControlBindings = origControlBindings })
local defaults = GetUpValue( GetDefaultInputValue, "defaults", { LocateRecurse = true } )
table.insert(defaults, { "Weapon6", "6" })
table.insert(defaults, { "SecondaryMovementModifier", "Capital" }) |
Dot = require "dot"
local Shot = Dot:extend()
function Shot:new(x, y, c, colorTab, dir)
self.dir = dir or "up"
self.color = colorTab[c] or {0, 0, 0}
Shot.super.new(self, x, y, 2)
self.fixture:setUserData({typeF = "shot", color = self.color})
end
function Shot:update(dt)
self.body:setY(self.body:getY() - 240 * dt)
local newX = self.body:getX()
if self.dir == "left" then
newX = newX - 240 * dt
elseif self.dir == "right" then
newX = newX + 240 * dt
end
if self.body:getY() < -5 then
self.body:setY(-5)
end
if newX < 2 then
newX = 2
if self.dir == "left" then
self.dir = "right"
end
elseif newX + 2 > width then
newX = width - 2
if self.dir == "right" then
self.dir = "left"
end
end
self.body:setX(newX)
end
return Shot
|
local MAJOR,MINOR = "GuiSkin-1.0", 1
local GuiSkin, oldminor = LibStub:NewLibrary(MAJOR, MINOR);
local GS =GuiSkin;
if not GuiSkin then return end -- No upgrade needed
local function printTable(t,s)
if s==nil then s=""; end;
for i,v in pairs(t) do
print (s..i.."=",v);
if type(v)=="table" then printTable(v,s.." ") end
end;
end
function GS:GetLayout()
return GS.layouts[GS.layoutName];
end
function GS:SetLayout(name)
if GS.layouts[name]~=nil then
GS.layoutName=name;
else
self:Print("There is no such layout.");--todo maybe print available layouts
end;
end;
function GS:SetFontLook(f)
local l=self:GetLayout();
local font=CreateFont(tostring(self).."guiskinfont");
if f:IsObjectType("FontString") then
font:SetFont(l.font,l.fontsize);
font:SetTextColor(unpack(l.fontcolor))
f:SetFontObject(font)
elseif f:IsObjectType("Button") then
local fontHighlight=CreateFont(tostring(self).."guiskinfonthighlight");
local fontDisabled=CreateFont(tostring(self).."guiskinfontdiabled");
font:SetFont(l.font,l.fontsize);
fontDisabled:SetFont(l.font,l.fontsize);
fontHighlight:SetFont(l.font,l.fontsize);
font:SetTextColor(unpack(l.fontbuttonnormal));
fontDisabled:SetTextColor(unpack(l.fontbuttondisabled));
fontHighlight:SetTextColor(unpack(l.fontbuttonhighlight));
f:SetNormalFontObject(font);
f:SetDisabledFontObject(fontDisabled);
f:SetHighlightFontObject(fontHighlight);
end
end
function GS:SetButtonLook(f)
local l=self:GetLayout();
self:SetFontLook(f)
if l.skinbuttons==true then
self:SetFrameLook(f, true)
f:SetNormalTexture("")
f:SetHighlightTexture("")
f:SetPushedTexture("")
f:SetDisabledTexture("")
f:SetScript("OnEnter",function()
f:SetBackdropColor(unpack(l.buttonbackdropcolorin))
f:SetBackdropBorderColor(unpack(l.buttonbordercolorin))
end)
f:SetScript("OnLeave",function()
f:SetBackdropColor(unpack(l.buttonbackdropcolorout))
f:SetBackdropBorderColor(unpack(l.buttonbordercolorout))
end)
f:SetBackdropColor(unpack(l.buttonbackdropcolorout))
f:SetBackdropBorderColor(unpack(l.buttonbordercolorout))
else
self:SetFrameLook(f, true)
f:SetNormalTexture("Interface\\Buttons\\UI-Panel-Button-Up")
f:SetHighlightTexture("Interface\\Buttons\\UI-Panel-Button-Highlight")
f:SetPushedTexture("Interface\\Buttons\\UI-Panel-Button-Down")
f:SetDisabledTexture("Interface\\Buttons\\UI-Panel-Button-Disabled")
f:SetScript("OnEnter",function()
end)
f:SetScript("OnLeave",function()
end)
end
end
-- set Frame look
function GS:SetFrameLook(f,backgroundPicture)
local l=GS:GetLayout();
if (f:IsObjectType("Button") or backgroundPicture==nil) then --goNormal is used mainly for buttons - cuz they are also frames, but we dont want them to be skinned as other frames :)
f:SetBackdrop({
bgFile = GS.blank,
edgeFile = GS.blank,
tile = false, tileSize = 0, edgeSize = 1,
insets = { left = -1, right = -1, top = -1, bottom = -1}
})
f:SetBackdropColor(unpack(l.backdropcolor))
f:SetBackdropBorderColor(unpack(l.bordercolor))
else
local bgpic=backgroundPicture;
f:SetBackdrop( {
bgFile =bgpic, -- DkpBidder["media"].blank, -- path to the background texture
edgeFile = "Interface\\Tooltips\\UI-Tooltip-Border", -- path to the border texture
tile = false, -- true to repeat the background texture to fill the frame, false to scale it
tileSize = 32, -- size (width or height) of the square repeating background tiles (in pixels)
edgeSize =12, -- thickness of edge segments and square size of edge corners (in pixels)
insets = { left = 3, right = 3, top = 3, bottom = 3}
})
if backgroundPicture==nil then f:SetBackdropColor(unpack(l.backdropcolor)) end;
end
end
-- create Texture function
function GS:CreateTexture(name,level,width,height,point,relativeTo,point2,x,y,texturePath)
local texture=self:CreateTexture(name,level);
texture:SetWidth(width);
texture:SetHeight(height);
texture:SetTexCoord(0, 1, 0, 1);
texture:SetPoint(point,relativeTo,point2,x,y);
texture:SetTexture(texturePath);--[[Interface\TaxiFrame\UI-TaxiFrame-TopRight]]
texture:SetAlpha(1);
texture:Show();
return texture;
end
function GS:CreateFontString(name,level,text,point,relativeTo,point2,x,y)
local fs=self:CreateFontString(name,level,"GameFontNormal");
if point then fs:SetPoint(point,relativeTo,point2,x,y); end
fs:SetText(text);
return fs;
end;
function GS:CreateCheckBox(text)
local frame = CreateFrame("CheckButton", nil, self,"InterfaceOptionsCheckButtonTemplate");
frame:SetWidth(24);
frame:SetHeight(24);
frame.text=GS.CreateFontString(self,nil,"ARTWORK",text,"LEFT",frame,"RIGHT",0,0);
frame.text:SetTextColor(1,1,1,1);
return frame;
end;
function GS:CreateFrame(name,title,frameType,width,height,point,relativeTo,point2,x,y)-- naming should be adjusted
local f=CreateFrame("Frame",name,UIParent,"GameTooltipTemplate");
table.insert(_G.UISpecialFrames, name);
f:SetWidth(width);
f:SetHeight(height);
f:Show();
f:EnableMouse(true);
f:SetMovable(true);
f:SetPoint(point,relativeTo,point2,x,y)
f:SetScript("OnMouseDown",
function(self)
self:StartMoving();
end)
f:SetScript("OnMouseUp",
function(self)
self:StopMovingOrSizing();
end)
f:SetFrameStrata("MEDIUM");
f:SetToplevel(true);
if frameType=="BASIC" then
f:SetBackdrop( {
bgFile =[[Interface\DialogFrame\UI-DialogBox-Background]],
edgeFile = "Interface\\DialogFrame\\UI-DialogBox-Border",
tile = false,
tileSize = 32,
edgeSize =32,
insets = { left=11,right=11, top=12, bottom=10}
})
end;
--close button
f.view={};
f.view["closeButton"]= CreateFrame("Button",name.."closeButton", f, "UIPanelCloseButton");
local cb=f.view["closeButton"];
cb:SetPoint("TOPRIGHT",f,"TOPRIGHT",-4,-4);
cb:SetWidth(32);
cb:SetHeight(32);
--//
--titleframe and text
local v=f.view;
v.titleFrame = CreateFrame("Frame",name.."_titleFrame",f)
v.titleString=self.CreateFontString(v.titleFrame,name.."_title","ARTWORK",title,"TOP",v.titleFrame,"TOP",18,-14);
v.titleString:SetFont([[Fonts\MORPHEUS.ttf]],14);
v.titleString:SetTextColor(1,1,1,1);--shadow??
v.titleFrame:SetHeight(40)
v.titleFrame:SetWidth(width/3);--v.titleString:GetWidth() + 40);
----print("TUTAJ "..v.Title:GetWidth())
v.titleString:SetPoint("TOP", f, "TOP", 0,2);
v.titleFrame:SetPoint("TOP",v.titleString, "TOP", 0, 12);
v.titleFrame:SetMovable(true)
v.titleFrame:EnableMouse(true)
v.titleFrame:SetScript("OnMouseDown",function()
f:StartMoving()
end)
v.titleFrame:SetScript("OnMouseUp",function()
f:StopMovingOrSizing()
end)
v.titleFrame.texture=self.CreateTexture(v.titleFrame,name.."_titleFrameTexture","ARTWORK",300,68,"TOP", v.titleFrame, "TOP", 0,2,[[Interface\DialogFrame\UI-DialogBox-Header]]);
return f;
end;
|
-- Copyright (C) Dejiang Zhu(doujiang24)
local bit = require("bit")
local request = require("resty.kafka.request")
local setmetatable = setmetatable
local byte = string.byte
local sub = string.sub
local band = bit.band
local lshift = bit.lshift
local arshift = bit.arshift
local bor = bit.bor
local bxor = bit.bxor
local strbyte = string.byte
local floor = math.floor
local _M = {}
local mt = { __index = _M }
function _M.new(self, str, api_version)
local resp = setmetatable({
str = str,
offset = 1,
correlation_id = 0,
api_version = api_version,
}, mt)
resp.correlation_id = resp:int32()
return resp
end
local function _int8(str, offset)
return byte(str, offset)
end
function _M.int8(self)
local str = self.str
local offset = self.offset
self.offset = offset + 1
return _int8(str, offset)
end
local function _int16(str, offset)
local high = byte(str, offset)
-- high padded
return bor((high >= 128) and 0xffff0000 or 0,
lshift(high, 8),
byte(str, offset + 1))
end
function _M.int16(self)
local str = self.str
local offset = self.offset
self.offset = offset + 2
return _int16(str, offset)
end
local function _int32(str, offset)
local offset = offset or 1
local a, b, c, d = strbyte(str, offset, offset + 3)
return bor(lshift(a, 24), lshift(b, 16), lshift(c, 8), d)
end
_M.to_int32 = _int32
function _M.int32(self)
local str = self.str
local offset = self.offset
self.offset = offset + 4
return _int32(str, offset)
end
local function _int64(str, offset)
local a, b, c, d, e, f, g, h = strbyte(str, offset, offset + 7)
--[[
-- only 52 bit accuracy
local hi = bor(lshift(a, 24), lshift(b, 16), lshift(c, 8), d)
local lo = bor(lshift(f, 16), lshift(g, 8), h)
return hi * 4294967296 + 16777216 * e + lo
--]]
return 4294967296LL * bor(lshift(a, 56), lshift(b, 48), lshift(c, 40), lshift(d, 32))
+ 16777216LL * e
+ bor(lshift(f, 16), lshift(g, 8), h)
end
-- XX return cdata: LL
function _M.int64(self)
local str = self.str
local offset = self.offset
self.offset = offset + 8
return _int64(str, offset)
end
-- Get a fixed-length integer from an offset position without
-- modifying the global offset of the response
-- The lengths of offset and length are in byte
function _M.peek_int(self, peek_offset, length)
local str = self.str
local offset = self.offset + peek_offset
if length == 8 then
return _int64(str, offset)
elseif length == 4 then
return _int32(str, offset)
elseif length == 2 then
return _int16(str. offset)
else
return _int8(str, offset)
end
end
function _M.string(self)
local len = self:int16()
-- len = -1 means null
if len < 0 then
return nil
end
local offset = self.offset
self.offset = offset + len
return sub(self.str, offset, offset + len - 1)
end
function _M.bytes(self)
local len = self:int32()
if len < 0 then
return nil
end
local offset = self.offset
self.offset = offset + len
return sub(self.str, offset, offset + len - 1)
end
function _M.correlation_id(self)
return self.correlation_id
end
-- The following code is referenced in this section.
-- https://github.com/Neopallium/lua-pb/blob/master/pb/standard/unpack.lua#L64-L133
local function _uvar64(self, num)
-- encode first 48bits
local b1 = band(num, 0xFF)
num = floor(num / 256)
local b2 = band(num, 0xFF)
num = floor(num / 256)
local b3 = band(num, 0xFF)
num = floor(num / 256)
local b4 = band(num, 0xFF)
num = floor(num / 256)
local b5 = band(num, 0xFF)
num = floor(num / 256)
local b6 = band(num, 0xFF)
num = floor(num / 256)
local seg = self:int8()
local base_factor = 2 -- still one bit in 'num'
num = num + (band(seg, 0x7F) * base_factor)
while seg >= 128 do
base_factor = base_factor * 128
seg = self:int8()
num = num + (band(seg, 0x7F) * base_factor)
end
-- encode last 16bits
local b7 = band(num, 0xFF)
num = floor(num / 256)
local b8 = band(num, 0xFF)
return 4294967296LL * bor(lshift(b8, 56), lshift(b7, 48), lshift(b6, 40), lshift(b5, 32))
+ 16777216LL * b4
+ bor(lshift(b3, 16), lshift(b2, 8), b1)
end
-- Decode bytes as Zig-Zag encoded unsigned integer (32-bit or 64-bit)
local function _uvar(self)
local seg = self:int8()
local num = band(seg, 0x7F)
-- In every 1byte (i.e., in every 8 bit), the first bit is used to
-- identify whether there is data to follow, and the remaining 7 bits
-- indicate the actual data.
-- So the maximum value that can be expressed per byte is 128, and when
-- the next byte is fetched, factor will be squared to calculate the
-- correct value.
local base_factor = 128
-- The value of the first bit of the per byte (8 bit) is 1, marking the
-- next byte as still a segment of this varint. Keep taking values until
-- there are no remaining segments.
while seg >= 128 do
seg = self:int8()
-- When out of range, change to 64-bit parsing mode.
if base_factor > 128 ^ 6 and seg > 0x1F then
return _uvar64(self, num)
end
num = num + (band(seg, 0x7F) * base_factor)
base_factor = base_factor * 128
end
return num
end
-- Decode Zig-Zag encoded unsigned 32-bit integer as 32-bit integer
function _M.varint(self)
local num = _uvar(self)
-- decode 32-bit integer Zig-Zag
return bxor(arshift(num, 1), -band(num, 1))
end
-- Decode Zig-Zag encoded unsigned 64-bit integer as 64-bit integer
function _M.varlong(self)
local num = _uvar(self)
-- decode 64-bit integer Zig-Zag
local high_bit = false
-- we need to work with a positive number
if num < 0 then
high_bit = true
num = 0x8000000000000000 + num
end
if num % 2 == 1 then
num = -(num + 1)
end
if high_bit then
return (num / 2) + 0x4000000000000000
end
return num / 2
end
function _M.peek_bytes(self, offset, len)
offset = offset or self.offset
return sub(self.str, offset, offset + len - 1)
end
-- Decode the fixed-length bytes used in Record indicate the length by varint.
function _M.varint_bytes(self)
local len = self:varint()
if len < 0 then
return nil
end
local offset = self.offset
self.offset = offset + len
return self:peek_bytes(offset, len)
end
-- Get the number of data in the response that has not yet been parsed
function _M.remain(self)
return #self.str - self.offset
end
-- Forcibly close the response and set the offset to the end so that
-- it can no longer read more data.
function _M.close(self)
self.offset = #self.str
end
return _M
|
local m_cyl = mtrequire("ds2.minetest.vectorextras.is_in_cylinder")
local is_in_cylinder = m_cyl.raw
local test_bounds = function(...)
assert(is_in_cylinder(...))
end
local mkbounds = function(ax, ay, az, bx, by, bz, radius)
local test = function(px, py, pz)
return is_in_cylinder(ax, ay, az, bx, by, bz, radius, px, py, pz)
end
local accept = function(...)
assert(test(...))
end
local reject = function(...)
assert(not test(...))
end
return accept, reject
end
-- a simple cylinder of height and radius one.
-- the origin ought to lie inside this point
local r = 1
local accept, reject = mkbounds(0, 0, 0, 0, 1, 0, r)
accept(0, 0, 0)
-- as should the top point
accept(0, 1, 0)
-- and the mid-point
accept(0, 0.5, 0)
-- points just outside this height range should NOT work
reject(0, -0.1, 0)
reject(0, -1, 0)
reject(0, 1.1, 0)
reject(0, 2.0, 0)
-- point that will lie off-centre but within the circle should work.
accept(1.0, 0, 0)
accept(0, 0, 1.0)
accept(-0.5, 0, -0.5)
-- however, points outside that circle should NOT work
reject(1.0, 0, 1.0)
reject(-1, 0, -1)
-- circular cross section should not change with height
accept(1.0, 1, 0)
accept(0, 1, 1.0)
accept(-0.5, 1, -0.5)
reject(1.0, 1, 1.0)
reject(-1, 1, -1)
-- now test some more diagonal pointing cylinders, offset from origin.
local accept, reject = mkbounds(1, 1, 1, 2, 2, 2, 1)
accept(1, 1, 1)
-- argh, rounding errors strike again
accept(1.99, 1.99, 1.99)
accept(1.5, 1.5, 1.5)
reject(2.1, 2.1, 2.1)
-- just to show this isn't the same as above...
reject(0, 0, 0)
reject(0, 1, 0)
accept(2, 1.5, 1.5)
reject(3, 1.5, 1.5)
|
project "Crowny"
kind "StaticLib"
language "C++"
cppdialect "C++17"
staticruntime "off"
characterset ("MBCS")
targetdir ("%{wks.location}/bin/" .. outputdir .. "/%{prj.name}")
objdir ("%{wks.location}/bin-int/" .. outputdir .. "/%{prj.name}")
pchheader "cwpch.h"
pchsource "Source/cwpch.cpp"
files
{
"Source/**.h",
"Source/**.cpp",
"Dependencies/stb_image/**.h",
"Dependencies/stb_image/**.cpp",
"Dependencies/glm/glm/**.hpp",
"Dependencies/glm/glm/**.inl",
"Dependencies/cereal/include/cereal/**.h"
}
defines
{
"CW",
"_CRT_NONSTDC_NO_DEPRECATE",
"_CRT_SECURE_NO_WARNINGS"
}
includedirs
{
"Source",
"Dependencies/spdlog/include",
"%{IncludeDir.glfw}",
"%{IncludeDir.freetypegl}",
"%{IncludeDir.glad}",
"%{IncludeDir.entt}",
"%{IncludeDir.imgui}",
"%{IncludeDir.glm}",
"%{IncludeDir.stb_image}",
"%{IncludeDir.assimp}",
"%{IncludeDir.mono}",
"%{IncludeDir.vulkan}",
"%{IncludeDir.yamlcpp}",
"%{IncludeDir.ImGuizmo}",
"%{IncludeDir.openal}",
"%{IncludeDir.cereal}",
"%{IncludeDir.libvorbis}",
"%{IncludeDir.libogg}",
"%{IncludeDir.Box2D}",
"%{IncludeDir.vkalloc}"
}
links
{
"assimp",
"Box2D",
"imgui",
"ImGuizmo",
"freetype-gl",
"freetype2",
"glfw",
"glad",
"yaml-cpp",
}
filter "system:windows"
systemversion "latest"
defines
{
"CW",
"CW_WINDOWS",
"GLFW_INCLUDE_NONE"
}
libdirs
{
"%{wks.location}/Crowny/Dependencies/vorbis/bin/Debug-windows-x86_64/libvorbis",
"C:/Program Files/Mono/lib",
"C:/VulkanSDK/1.3.204.1/Lib",
"C:/Program Files (x86)/OpenAL 1.1 SDK/libs/Win64",
"C:/dev/Crowny/Crowny/Dependencies/libogg/bin/Debug-windows-x86_64/libogg"
}
links
{
"OpenAL32.lib",
"vorbisenc.lib",
"libvorbisfile_static.lib",
"libvorbis.lib",
"libvorbis_static.lib",
"libogg.lib",
"mono-2.0-sgen.lib",
"vulkan-1.lib",
"shaderc_sharedd.lib",
"spirv-cross-cored.lib",
"Rpcrt4.lib"
}
filter { "platforms:Linux64"}
--links { "freetype2", "glfw", "glad" }
defines
{
"CW_PLATFORM_LINUX",
}
system("linux")
filter { "platforms:MacOS64"}
--links { "freetype2", "glfw", "glad" }
defines
{
"CW_MACOSX"
}
system("macosx")
filter { "platforms:Web" }
defines
{
"CW_EMSCRIPTEN",
"GLFW_INCLUDE_ES31"
}
linkoptions { "-s USE_FREETYPE=1", "-s MAX_WEBGL_VERSION=2", "-s USE_GLFW=3", "-s TOTAL_MEMORY=512MB", "-s SAFE_HEAP=1" }
filter "system:windows"
systemversion "latest"
defines
{
"CW_WINDOWS",
"GLFW_INCLUDE_NONE"
}
filter "system:linux"
systemversion "latest"
defines
{
"CW_PLATFORM_LINUX",
"GLFW_INCLUDE_NONE"
}
filter "configurations:Debug"
defines { "CW_DEBUG" }
runtime "Debug"
symbols "on"
filter "configurations:Release"
defines "CW_RELEASE"
runtime "Release"
optimize "on"
|
-- module for netfilter code
-- will cover iptables, ip6tables, ebtables, arptables eventually
-- even less documentation than for netlink but it does not look too bad...
local require, error, assert, tonumber, tostring,
setmetatable, pairs, ipairs, unpack, rawget, rawset,
pcall, type, table, string =
require, error, assert, tonumber, tostring,
setmetatable, pairs, ipairs, unpack, rawget, rawset,
pcall, type, table, string
local nf = {} -- exports
local ffi = require "ffi"
local bit = require "syscall.bit"
local S = require "syscall"
local helpers = require "syscall.helpers"
local c = S.c
local types = S.types
local t, pt, s = types.t, types.pt, types.s
function nf.socket(family)
return S.socket(family, "raw", "raw")
end
local level = {
[c.AF.INET] = c.IPPROTO.IP,
[c.AF.INET6] = c.IPPROTO.IPV6,
}
function nf.version(family)
family = family or c.AF.INET
local sock, err = nf.socket(family)
if not sock then return nil, err end
local rev = t.xt_get_revision()
local max, err = sock:getsockopt(level[family], c.IPT_SO_GET.REVISION_TARGET, rev, s.xt_get_revision);
local ok, cerr = sock:close()
if not ok then return nil, cerr end
if not max then return nil, err end
return max
end
return nf
|
local microtest = require("microtest")
local suite = microtest.suite
local equal = microtest.equal
local test = microtest.test
local wildcards = require("lettersmith.wildcards")
suite("wildcards.parse(wildcard_path_string)", function()
local pattern = wildcards.parse("foo/*.md")
test(string.find("foo/bar.md", pattern), "* matched path correctly")
test(not string.find("baz/foo/bar.md", pattern), "* matched from beginning")
local pattern_b = wildcards.parse("foo/**.md")
test(string.find("foo/bar/baz/bing.md", pattern_b), "** matched path correctly")
test(not string.find("baz/foo/bar.md", pattern_b), "** matched from beginning")
local pattern_c = wildcards.parse("foo/?.md")
test(string.find("foo/b.md", pattern_c), "? matched path correctly")
test(not string.find("foo/bar.md", pattern_c), "? did not match more than one char")
end)
|
vim.api.nvim_set_keymap("i", "<C-e>", "copilot#Accept('\\<CR>')", { script = true, silent = true, expr = true })
vim.g.copilot_no_tab_map = true
|
InventorySlotStyles = {
[InventorySlotHead] = "HeadSlot",
[InventorySlotNeck] = "NeckSlot",
[InventorySlotBack] = "BackSlot",
[InventorySlotBody] = "BodySlot",
[InventorySlotRight] = "RightSlot",
[InventorySlotLeft] = "LeftSlot",
[InventorySlotLeg] = "LegSlot",
[InventorySlotFeet] = "FeetSlot",
[InventorySlotFinger] = "FingerSlot", --FingerSlot
[InventorySlotAmmo] = "AmmoSlot"
}
inventoryWindow = nil
inventoryPanel = nil
inventoryButton = nil
function init()
connect(LocalPlayer, { onInventoryChange = onInventoryChange })
connect(g_game, { onGameStart = refresh })
g_keyboard.bindKeyDown('Ctrl+I', toggle)
inventoryButton = modules.client_topmenu.addRightGameToggleButton('inventoryButton', tr('Inventory') .. ' (Ctrl+I)', '/images/topbuttons/inventory', toggle)
inventoryButton:setOn(true)
inventoryWindow = g_ui.loadUI('inventory', modules.game_interface.getRightPanel())
inventoryWindow:disableResize()
inventoryPanel = inventoryWindow:getChildById('contentsPanel')
refresh()
inventoryWindow:setup()
end
function terminate()
disconnect(LocalPlayer, { onInventoryChange = onInventoryChange })
disconnect(g_game, { onGameStart = refresh })
g_keyboard.unbindKeyDown('Ctrl+I')
inventoryWindow:destroy()
inventoryButton:destroy()
end
function refresh()
local player = g_game.getLocalPlayer()
for i=InventorySlotFirst,InventorySlotLast do
if g_game.isOnline() then
onInventoryChange(player, i, player:getInventoryItem(i))
else
onInventoryChange(player, i, nil)
end
end
end
function toggle()
if inventoryButton:isOn() then
inventoryWindow:close()
inventoryButton:setOn(false)
else
inventoryWindow:open()
inventoryButton:setOn(true)
end
end
function onMiniWindowClose()
inventoryButton:setOn(false)
end
-- hooked events
function onInventoryChange(player, slot, item, oldItem)
if slot >= InventorySlotPurse then return end
local itemWidget = inventoryPanel:getChildById('slot' .. slot)
if itemWidget then
if item then
itemWidget:setStyle('Item')
itemWidget:setItem(item)
else
itemWidget:setStyle(InventorySlotStyles[slot])
itemWidget:setItem(nil)
end
end
end
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.