content
stringlengths 5
1.05M
|
---|
local HelpText = [[
HotSwap allows objects in the game tree to be "marked", running them as plugins
when Studio's run mode is enabled.
When HotSwap is enabled and active, each marked object is treated as a Plugin
object, and all descendant Scripts are run in a plugin-like environment. As an
exception, if a marked object is a Script, it runs as a child of the Plugin
object. Note that the marked state of an object is saved with the object as a
tag.
Each running script has a 'script' and 'plugin' variable, pointing to the
current script and the current plugin, respectively. Note that all objects under
a running plugin are isolated copies that exist outside the game tree.
The HotSwap panel lists all marked objects in the current place. When active,
the current status of each plugin is displayed. A plugin can fail to run for
several reasons, such as when the plugin contains unsafe objects that throw
errors when accessed, or when a descendant cannot be copied.
HotSwap runs plugins only when enabled, and when Studio's run mode is active.
Run mode is required so that running plugins can be properly cleaned up when
they are no longer needed.
]]
return {
Action_Add_StatusTip = "Mark each selection as a plugin to be run by HotSwap.",
Action_Add_Text = "Mark Selection as Plugin",
Action_Remove_StatusTip = "Unmark each selection as a plugin to be run by HotSwap.",
Action_Remove_Text = "Unmark Selection as Plugin",
Action_RemoveAll_StatusTip = "Unmark all HotSwap plugins.",
Action_RemoveAll_Text = "Unmark All Plugins",
Action_ToggleEnabled_StatusTip = "Toggle whether HotSwap will run marked plugins.",
Action_ToggleEnabled_Text = "Toggle HotSwap Enabled",
Action_TogglePanel_StatusTip = "Toggle the visibility of the HotSwap panel.",
Action_TogglePanel_Text = "Toggle HotSwap Panel",
Button_Add_Tooltip = "Mark each selection as a plugin.",
Button_Changelog_Tooltip = "Display the changelog panel.",
Button_Help_Tooltip = "Display the help panel.",
Button_Remove_Tooltip = "Unmark this plugin.",
Button_RemoveAll_Tooltip = "Unmark all plugins.",
Button_ToggleEnabled_Tooltip = "Toggle whether HotSwap is enabled when run mode is active.",
Error_Plugin_Reserve_Limit = "exceeded reserved plugin limit of {1:int}",
Error_Plugin_Unclonable = "plugin contains objects that cannot be copied",
Error_Plugin_Unsafe = "plugin contains unsafe objects",
HelpPanel_Content = HelpText,
HelpPanel_Title = "Help - HotSwap",
Label_Status_Disabled_Tooltip = "Status: disabled (HotSwap is not enabled)",
Label_Status_Failed_Tooltip = "Status: failed ({1})",
Label_Status_Pending_Tooltip = "Status: pending (plugin is not yet active)",
Label_Status_Running_Tooltip = "Status: running (plugin is active)",
Panel_Title = "HotSwap",
Panel_Title_Status = "Running {1:int} plugins - HotSwap",
Toolbar_Name = "HotSwap",
Toolbar_TogglePanel_Text = "Toggle Panel",
Toolbar_TogglePanel_Tooltip = "Toggle the visibility of the HotSwap panel.",
}
|
function onEvent()
function onUpdate(elapsed) if curStep == 0 then
started = true
end
songPos = getSongPosition()
local currentBeat = (songPos/5000)*(curBpm/60)
doTweenY('opponentmove', 'dad', -100 - 150*math.sin((currentBeat+12*12)*math.pi), 2)
doTweenX('disruptor2', 'disruptor2.scale', 0 - 50*math.sin((currentBeat+1*0.1)*math.pi), 6)
doTweenY('disruptor2', 'disruptor2.scale', 0 - 31*math.sin((currentBeat+1*1)*math.pi), 6)
end
end
|
local blacklist = {
"path-scan", "tile-scan", "unit-scan", "unitdata-scan", "zone-scan", -- aai programmable structures
"big_brother-surveillance-center", "big_brother-surveillance-small", -- big brother
"or_radar", -- cargo ships (oil rig radar)
"creative-mod_super-radar", "creative-mod_super-radar-2", -- creative mod
"watchtower", -- industrial revolution
"kr-sentinel", "advanced-radar", -- krastorio 2
"py-local-radar", "megadar", -- py industry
"robosubstation-radar", -- robosubstation
"scanning-radar", "scanning-radar-powerdump", -- scanning radar
"Schall-pickup-tower-R32-upper", "Schall-pickup-tower-R64-upper", -- schall pickup tower
"vehicular-tracker", "train-tracker", -- vehicle-radar
}
local function blacklisted(name)
for _,n in pairs(blacklist) do
if name == n then return true end
end
return false
end
local function get_current_name()
if not game.forces["player"].technologies["rt-upgrade-tech-1"].researched then
return "radar"
elseif not game.forces["player"].technologies["rt-upgrade-tech-2"].researched then
return "rt-radar-1"
elseif not game.forces["player"].technologies["rt-upgrade-tech-3"].researched then
return "rt-radar-2"
elseif not game.forces["player"].technologies["rt-upgrade-tech-4"].researched then
return "rt-radar-3"
elseif not game.forces["player"].technologies["rt-upgrade-tech-5"].researched then
return "rt-radar-4"
elseif not game.forces["player"].technologies["rt-upgrade-tech-6"].researched then
return "rt-radar-5"
elseif not game.forces["player"].technologies["rt-upgrade-tech-7"].researched then
return "rt-radar-" .. game.forces["player"].technologies["rt-upgrade-tech-7"].level - 1
else
return "rt-radar-" .. game.forces["player"].technologies["rt-upgrade-tech-7"].level
end
end
local function upgrade(from_entity, to_name)
if not blacklisted(from_entity.name) and from_entity.surface.create_entity{ name = to_name, position = from_entity.position, force = from_entity.force } then
from_entity.destroy()
end
end
local function on_built(event)
local name = get_current_name()
local entity = event.created_entity
if entity.type == "radar" and entity.name ~= name then
upgrade(entity, name)
end
end
local function on_research(event)
if not event.research or string.sub(event.research.name, 1, 15) == "rt-upgrade-tech" then
local name = get_current_name()
for _, surface in pairs(game.surfaces) do
for _, radar in pairs(surface.find_entities_filtered{type="radar"}) do
upgrade(radar, name)
end
end
end
end
script.on_event(defines.events.on_built_entity, on_built)
script.on_event(defines.events.on_robot_built_entity, on_built)
script.on_event(defines.events.on_research_finished, on_research)
script.on_event(defines.events.on_technology_effects_reset, on_research)
commands.add_command("resetradars", { "rt-radar.command" }, function(event)
local name = get_current_name()
for _, surface in pairs(game.surfaces) do
for _, radar in pairs(surface.find_entities_filtered { name = name }) do
if radar.surface.create_entity { name = "radar", position = radar.position, force = radar.force } then
radar.destroy()
end
end
end
game.print({ "rt-radar.removed" })
end)
|
--@ commonstargets commons control planarvector quadraticintercept getbearingtopoint evasion
--@ dodgeyaw avoidance waypointmove
-- Cruise Missile AI
DodgeAltitudeOffset = nil
CruiseIsClosing = false
CruiseArmed = false
CruiseDetonationTime = nil
CruiseSpeedSamples = {}
CruiseSpeedIndex = 0
CruiseSpeedMax = -math.huge
-- Pre-square
CruiseMissileConfig.ArmingRange = CruiseMissileConfig.ArmingRange^2
if CruiseMissileConfig.DetonationRange then
CruiseMissileConfig.DetonationRange = CruiseMissileConfig.DetonationRange^2
end
-- And pre-negate (because deceleration)
if CruiseMissileConfig.DetonationDecel then
CruiseMissileConfig.DetonationDecel = -CruiseMissileConfig.DetonationDecel
end
CruiseSpeedLength = 40 / CruiseMissileConfig.UpdateRate
function CruiseAI_Detonator(I)
local CMC = CruiseMissileConfig
if CMC.DetonationKey and CruiseArmed and CruiseDetonationTime and (CruiseDetonationTime + CMC.DetonationDelay) <= C:Now() then
I:RequestComplexControllerStimulus(CMC.DetonationKey)
end
end
function CruiseAI_Detonate()
if not CruiseDetonationTime then CruiseDetonationTime = C:Now() end
end
function CruiseArmingReset()
CruiseSpeedSamples = {}
CruiseSpeedIndex = 0
CruiseSpeedMax = -math.huge
end
function CruiseGetTarget()
local MinAltitude = CruiseMissileConfig.MinTargetAltitude
for _,Target in ipairs(C:Targets()) do
-- Always take the first one (highest priority)
if Target.AimPoint.y > MinAltitude then
return Target
end
end
return nil
end
function CruiseGuidance(I, Target)
local CMC = CruiseMissileConfig
local TargetPosition = Target.AimPoint
local SqrRange = (TargetPosition - C:CoM()).sqrMagnitude
local Distance = PlanarVector(C:CoM(), TargetPosition).magnitude
if not CruiseArmed and SqrRange < CMC.ArmingRange then
CruiseArmed = true
CruiseArmingReset()
elseif CruiseArmed and SqrRange >= CMC.ArmingRange then
CruiseArmed = false
end
-- Detonation check
if CMC.DetonationKey and CMC.DetonationRange and CruiseArmed and SqrRange < CMC.DetonationRange then
CruiseAI_Detonate()
end
-- Guidance
local Velocity = C:Velocity()
CruiseIsClosing = false
-- 3D guidance
if Distance < CMC.TerminalDistance then
-- Terminal phase
if CMC.TerminalKey then
I:RequestComplexControllerStimulus(CMC.TerminalKey)
end
if CMC.DetonationKey and CMC.DetonationDecel and CruiseArmed then
local Speed = Vector3.Dot(Velocity, C:ForwardVector())
-- Detonate if magnitude of deceleration is > config
if (Speed - CruiseSpeedMax) < CMC.DetonationDecel then
CruiseAI_Detonate()
end
-- If buffer full and oldest sample was >= max, recalculate
--# Also don't bother doing this if current speed >= max
if #CruiseSpeedSamples >= CruiseSpeedLength and Speed < CruiseSpeedMax and CruiseSpeedSamples[1+CruiseSpeedIndex] >= CruiseSpeedMax then
-- (Better way to do this?)
CruiseSpeedMax = -math.huge
for i = 0,#CruiseSpeedSamples-1 do
-- Be sure to ignore outgoing sample
if i ~= CruiseSpeedIndex then
CruiseSpeedMax = math.max(CruiseSpeedMax, CruiseSpeedSamples[1+i])
end
end
else
CruiseSpeedMax = math.max(CruiseSpeedMax, Speed)
end
-- Save speed sample
CruiseSpeedSamples[1+CruiseSpeedIndex] = Speed
CruiseSpeedIndex = (CruiseSpeedIndex + 1) % CruiseSpeedLength
end
-- Textbook proportional navigation
local Offset = TargetPosition - C:CoM()
local RelativeVelocity = Target.Velocity - Velocity
local Omega = Vector3.Cross(Offset, RelativeVelocity) / Vector3.Dot(Offset, Offset)
local Direction = Velocity.normalized
local Acceleration = Vector3.Cross(Direction * CMC.Gain * -RelativeVelocity.magnitude, Omega)
-- Add augmented term
-- (just offset our gravity for now)
local TargetAcceleration = -I:GetGravityForAltitude(C:Altitude())
-- Project onto LOS
local LOS = Offset.normalized
local Proj = LOS * Vector3.Dot(TargetAcceleration, LOS)
-- And use rejection (which should be ortho LOS) for augmented term
Acceleration = Acceleration + (TargetAcceleration - Proj) * CMC.Gain * 0.5
--# Fixing the time step at 1 second was a lot better for
--# vehicle pro-nav. Why?
V.AdjustPosition(Velocity + Acceleration * 0.5)
V.SetThrottle(CMC.TerminalThrottle)
return
end
-- 2D guidance
local AimPoint = QuadraticIntercept(C:CoM(), Vector3.Dot(Velocity, Velocity), TargetPosition, Target.Velocity)
local TargetBearing = GetBearingToPoint(AimPoint)
-- Start with target's ground
local TargetAltitude = Target:Ground(I)
local Throttle
if CMC.MiddleDistance and Distance < CMC.MiddleDistance then
-- Middle phase
TargetAltitude = math.max(TargetAltitude + CMC.MiddleAltitude, AimPoint.y)
Throttle = CMC.MiddleThrottle
if CMC.MiddleKey then
I:RequestComplexControllerStimulus(CMC.MiddleKey)
end
else
-- Cruise phase
TargetAltitude = math.max(TargetAltitude + CMC.CruiseAltitude, AimPoint.y)
Throttle = CMC.CruiseThrottle
-- Dodging
local DodgeAngle,DodgeY,Dodging = Dodge()
if Dodging then
TargetBearing = DodgeAngle
-- If you really want to dodge in reverse, go right ahead...
--# But this is really here to quell unused warnings
if DodgeDrive then Throttle = DodgeDrive end
DodgeAltitudeOffset = DodgeY * VehicleRadius
else
-- Evasion
TargetBearing = TargetBearing + CalculateEvasion(CMC.CruiseEvasion)
TargetBearing = NormalizeBearing(TargetBearing)
DodgeAltitudeOffset = nil
end
if CMC.CruiseKey then
I:RequestComplexControllerStimulus(CMC.CruiseKey)
end
CruiseIsClosing = true
end
V.AdjustHeading(Avoidance(I, TargetBearing))
V.SetThrottle(Throttle)
--# A hack, but eh.
DesiredAltitudeCombat = TargetAltitude
end
function CruiseAI_Reset()
DodgeAltitudeOffset = nil
CruiseIsClosing = false
CruiseArmed = false
CruiseDetonationTime = nil
CruiseArmingReset()
end
function Control_MoveToWaypoint(I, Waypoint, WaypointVelocity)
MoveToWaypoint(Waypoint, function (Bearing) V.AdjustHeading(Avoidance(I, Bearing)) end, WaypointVelocity)
end
function FormationMove(I)
local Flagship = I.Fleet.Flagship
if not I.IsFlagship and Flagship.Valid then
Control_MoveToWaypoint(I, Flagship.ReferencePosition + Flagship.Rotation * I.IdealFleetPosition, Flagship.Velocity)
else
Control_MoveToWaypoint(I, I.Waypoint) -- Waypoint assumed to be stationary
end
end
function CruiseAI_Update(I)
V.Reset()
local AIMode = I.AIMode
if AIMode ~= "fleetmove" then
local Target = CruiseGetTarget()
if Target then
CruiseGuidance(I, Target)
elseif ReturnToOrigin then
CruiseAI_Reset()
FormationMove(I)
else
CruiseAI_Reset()
-- Just continue along with avoidance active
V.AdjustHeading(Avoidance(I, 0))
end
else
CruiseAI_Reset()
FormationMove(I)
end
end
|
--[[ Mirana AI ]]
require( "ai/ai_core" )
function Spawn( entityKeyValues )
thisEntity:SetContextThink( "AIThink", AIThink, 0.25 )
behaviorSystem = AICore:CreateBehaviorSystem( { BehaviorNone, BehaviorShootArrow, BehaviorRunAway } )
end
function AIThink() -- For some reason AddThinkToEnt doesn't accept member functions
return behaviorSystem:Think()
end
function CollectRetreatMarkers()
local result = {}
local i = 1
local wp = nil
while true do
wp = Entities:FindByName( nil, string.format( "waypoint_0%d", i ) )
if not wp then
return result
end
table.insert( result, wp:GetOrigin() )
i = i + 1
end
end
POSITIONS_retreat = CollectRetreatMarkers()
--------------------------------------------------------------------------------------------------------
BehaviorNone = {}
function BehaviorNone:Evaluate()
return 1 -- must return a value > 0, so we have a default
end
function BehaviorNone:Begin()
self.endTime = GameRules:GetGameTime() + 1
local ancient = Entities:FindByName( nil, "dota_goodguys_fort" )
if ancient then
self.order =
{
UnitIndex = thisEntity:entindex(),
OrderType = DOTA_UNIT_ORDER_ATTACK_MOVE,
Position = ancient:GetOrigin()
}
else
self.order =
{
UnitIndex = thisEntity:entindex(),
OrderType = DOTA_UNIT_ORDER_STOP
}
end
end
function BehaviorNone:Continue()
self.endTime = GameRules:GetGameTime() + 1
end
--------------------------------------------------------------------------------------------------------
BehaviorShootArrow = {}
function BehaviorShootArrow:Evaluate()
local desire = 0
-- let's not choose this twice in a row
if currentBehavior == self then return desire end
self.arrowAbility = thisEntity:FindAbilityByName( "mirana_arrow" )
if self.arrowAbility and self.arrowAbility:IsFullyCastable() then
self.target = AICore:RandomEnemyHeroInRange( thisEntity, self.arrowAbility:GetCastRange() )
if self.target and self.target:IsStunned() then
desire = 1
end
if self.target then
desire = 4
end
end
local enemies = FindUnitsInRadius( DOTA_TEAM_GOODGUYS, thisEntity:GetOrigin(), nil, 400, DOTA_UNIT_TARGET_TEAM_ENEMY, DOTA_UNIT_TARGET_HERO, 0, 0, false )
if #enemies > 0 then
for _,enemy in pairs(enemies) do
local enemyVec = enemy:GetOrigin() - thisEntity:GetOrigin()
local myForward = thisEntity:GetForwardVector()
local dotProduct = enemyVec:Dot( myForward )
if dotProduct > 0 then
desire = 2
end
end
end
return desire
end
function BehaviorShootArrow:Begin()
self.endTime = GameRules:GetGameTime() + 1
self.target = AICore:RandomEnemyHeroInRange( thisEntity, self.arrowAbility:GetCastRange() )
if self.target and self.target:IsAlive() then
local targetPoint = self.target:GetOrigin() + RandomVector( 100 )
if self.arrowAbility and self.arrowAbility:IsFullyCastable() then
self.order =
{
UnitIndex = thisEntity:entindex(),
OrderType = DOTA_UNIT_ORDER_CAST_POSITION,
AbilityIndex = self.arrowAbility:entindex(),
Position = targetPoint
}
end
end
end
BehaviorShootArrow.Continue = BehaviorShootArrow.Begin
--------------------------------------------------------------------------------------------------------
BehaviorRunAway = {}
function BehaviorRunAway:Evaluate()
local desire = 0
local happyPlaceIndex = RandomInt( 1, #POSITIONS_retreat )
escapePoint = POSITIONS_retreat[ happyPlaceIndex ]
-- let's not choose this twice in a row
if currentBehavior == self then
return desire
end
self.leapAbility = thisEntity:FindAbilityByName( "mirana_leap" )
local enemies = FindUnitsInRadius( DOTA_TEAM_GOODGUYS, thisEntity:GetOrigin(), nil, 700, DOTA_UNIT_TARGET_TEAM_ENEMY, DOTA_UNIT_TARGET_HERO, 0, 0, false )
local friendlies = FindUnitsInRadius( DOTA_TEAM_BADGUYS, thisEntity:GetOrigin(), nil, 700, DOTA_UNIT_TARGET_TEAM_FRIENDLY, DOTA_UNIT_TARGET_BASIC + DOTA_UNIT_TARGET_HERO, 0, 0, false )
--print( string.format( "found %d enemies and %d friendlies near us", #enemies, #friendlies ) )
if ( #enemies >= 2 ) and ( #friendlies <= 1 ) then
desire = #enemies
end
for i = 0, DOTA_ITEM_MAX - 1 do
local item = thisEntity:GetItemInSlot( i )
if item and item:GetAbilityName() == "item_phase_boots" then
self.phaseAbility = item
end
end
return desire
end
function BehaviorRunAway:Begin()
self.endTime = GameRules:GetGameTime() + 6
self.startEscapeTime = GameRules:GetGameTime()
-- move towards our escape point
ExecuteOrderFromTable({
UnitIndex = thisEntity:entindex(),
OrderType = DOTA_UNIT_ORDER_MOVE_TO_POSITION,
Position = escapePoint
})
-- phase right away
if self.phaseAbility and self.phaseAbility:IsFullyCastable() then
ExecuteOrderFromTable({
UnitIndex = thisEntity:entindex(),
OrderType = DOTA_UNIT_ORDER_CAST_NO_TARGET,
AbilityIndex = self.phaseAbility:entindex()
})
end
end
function BehaviorRunAway:Think(dt)
-- keep moving towards our escape point
ExecuteOrderFromTable({
UnitIndex = thisEntity:entindex(),
OrderType = DOTA_UNIT_ORDER_MOVE_TO_POSITION,
Position = escapePoint
})
-- give ourselves time to turn towards escape point before leaping
if GameRules:GetGameTime() >= self.startEscapeTime + 0.5 then
if self.leapAbility and self.leapAbility:IsFullyCastable() then
ExecuteOrderFromTable({
UnitIndex = thisEntity:entindex(),
OrderType = DOTA_UNIT_ORDER_CAST_NO_TARGET,
AbilityIndex = self.leapAbility:entindex()
})
end
end
end
BehaviorRunAway.Continue = BehaviorRunAway.Begin
--------------------------------------------------------------------------------------------------------
AICore.possibleBehaviors = { BehaviorNone, BehaviorShootArrow, BehaviorRunAway }
|
--
-- Author: zhong
-- Date: 2016-12-31 09:41:59
--
local CreateLayerModel = class("CreateLayerModel", ccui.Layout)
local ExternalFun = appdf.req(appdf.EXTERNAL_SRC .. "ExternalFun")
local cmd_private = appdf.req(appdf.CLIENT_SRC .. "privatemode.header.CMD_Private")
function CreateLayerModel:ctor(scene)
ExternalFun.registerNodeEvent(self)
self._scene = scene
self._cmd_pri_login = cmd_private.login
self._cmd_pri_game = cmd_private.game
end
-- 刷新界面
function CreateLayerModel:onRefreshInfo()
print("base refresh")
end
-- 获取邀请分享内容
function CreateLayerModel:getInviteShareMsg( roomDetailInfo )
print("base get invite")
return {title = "", content = ""}
end
------
-- 网络消息
------
-- 私人房创建成功
function CreateLayerModel:onRoomCreateSuccess()
-- 创建成功
if 0 == PriRoom:getInstance().m_tabRoomOption.cbIsJoinGame then
-- 非必须加入
PriRoom:getInstance():getTagLayer(PriRoom.LAYTAG.LAYER_CREATERESULT, nil, self._scene)
end
self:onRefreshInfo()
end
-- 私人房登陆完成
function CreateLayerModel:onLoginPriRoomFinish()
print("base login finish")
return false
end
---------------------------------------------------------------------------------------------------------
--界面接口
--[LUA-print] - "<var>" = {
--[LUA-print] - "cbCardOrBean" = 1
--[LUA-print] - "cbIsJoinGame" = 0
--[LUA-print] - "cbMaxPeople" = 0
--[LUA-print] - "cbMinPeople" = 0
--[LUA-print] - "dwPlayTimeLimit" = 0
--[LUA-print] - "dwPlayTurnCount" = 0
--[LUA-print] - "dwTimeAfterBeginCount" = 0
--[LUA-print] - "dwTimeAfterCreateRoom" = 0
--[LUA-print] - "dwTimeNotBeginGame" = 0
--[LUA-print] - "dwTimeOffLineCount" = 0
--[LUA-print] - "lFeeCardOrBeanCount" = 0
--[LUA-print] - "lIniScore" = 0
--[LUA-print] - "lMaxCellScore" = 0
--[LUA-print] - "wCanCreateCount" = 5
--[LUA-print] - }
--[LUA-print] - "<var>" = {
--[LUA-print] - 1 = {
--[LUA-print] - "dwDrawCountLimit" = 5
--[LUA-print] - "dwDrawTimeLimit" = 0
--[LUA-print] - "lFeeScore" = 1
--[LUA-print] - "lIniScore" = 1000
--[LUA-print] - }
--[LUA-print] - 2 = {
--[LUA-print] - "dwDrawCountLimit" = 10
--[LUA-print] - "dwDrawTimeLimit" = 0
--[LUA-print] - "lFeeScore" = 2
--[LUA-print] - "lIniScore" = 1000
--[LUA-print] - }
--[LUA-print] - }
--创建详细参数视图
function CreateLayerModel:createDetailParamView(roomParam, roomFeeParam, detailParams)
--设置背景颜色
-- self:setBackGroundColorType(ccui.LayoutBackGroundColorType.solid)
-- self:setBackGroundColor(cc.c3b(100, 100, 100))
-- self:setBackGroundColorOpacity(255)
--保存参数
self._roomParam = roomParam
self._roomFeeParam = roomFeeParam
self._detailParams = detailParams
--计算高度
self._height = 0
for i = 1, #detailParams do
self._height = self._height + (detailParams[i].height or 0)
end
self:setContentSize(appdf.WIDTH, self._height)
local yOffset = 40
local check_0 = "Room/PrivateMode/Create/check_1_0.png"
local check_1 = "Room/PrivateMode/Create/check_1_1.png"
local normalColor = cc.c3b(120, 90, 75)
local selectedColor = cc.c3b(226, 84, 40)
for i = 1, #detailParams do
local param = detailParams[i]
--参数名称
local txtName = ccui.Text:create(param.name .. ":", "fonts/round_body.ttf", 26)
txtName:setColor(normalColor)
txtName:setPosition(100, self._height - yOffset)
txtName:addTo(self)
--参数选项
local options = param.options
for j = 1, options and #options or 0 do
local option = param.options[j]
local row = math.floor((j - 1) / 4)
local column = (j - 1) % 4
local x = 180 + column * 200
local y = yOffset + row * 68
--点击事件
local checkListener = function(ref)
for k = 1, #options do
local option = options[k]
local isChecked = (ref == option.checkCtrl)
--更新选项状态
if option.checkCtrl then
option.checkCtrl:setSelected(isChecked)
end
--更新选项颜色
if option.nameCtrl then
option.nameCtrl:setColor(isChecked and selectedColor or normalColor)
end
--更新房间费用
if option.fee and isChecked and self._txtFee then
self._txtFee:setString(option.fee .. (self._roomParam.cbCardOrBean == 1 and "房卡" or "游戏豆"))
end
end
end
--选项状态
local checkOption = ccui.CheckBox:create(check_0, check_0, check_1, check_0, check_1)
checkOption:setAnchorPoint(0, 0.5)
checkOption:setPosition(x, self._height - y)
checkOption:addTo(self)
checkOption:addEventListener(checkListener)
--选项文本
local txtOption = ccui.Text:create(option.name, "fonts/round_body.ttf", 26)
txtOption:setAnchorPoint(0, 0.5)
txtOption:setColor(normalColor)
txtOption:setPosition(x + 52, self._height - y)
txtOption:addTo(self)
--保存控件
option.checkCtrl = checkOption
option.nameCtrl = txtOption
--默认选中第一个
if j == 1 then
checkListener(checkOption)
end
end
yOffset = yOffset + (param.height or 0)
end
--费用
self._txtFee = ccui.Text:create("1房卡", "fonts/round_body.ttf", 26)
self._txtFee:setAnchorPoint(0, 0.5)
self._txtFee:setColor(selectedColor)
self._txtFee:setPosition(190, self._height - yOffset)
self._txtFee:addTo(self)
end
---------------------------------------------------------------------------------------------------------
--数据接口
--获取创建桌子数据
function CreateLayerModel:getCreateTableData()
return nil
end
--获取房间详细参数值数组
function CreateLayerModel:getDetailParamValueArray(paramIndex)
local values = {}
local options = self._detailParams[paramIndex].options
for i = 1, #options do
local option = options[i]
local checkCtrl = option.checkCtrl
if checkCtrl:isSelected() then
table.insert(values, option.value)
end
end
return values
end
--获取房间详细参数值
function CreateLayerModel:getDetailParamValue(paramIndex)
local options = self._detailParams[paramIndex].options
for i = 1, #options do
local option = options[i]
local checkCtrl = option.checkCtrl
if checkCtrl:isSelected() then
return option.value
end
end
return nil
end
--检查数据有效性
function CreateLayerModel:checkDetailParamValues()
return nil
end
return CreateLayerModel
|
-- inculdes
local Prompt = require 'prompt'
local Timer = require 'vendor/timer'
local controls = require('inputcontroller').get()
local Gamestate = require 'vendor/gamestate'
return {
width = 24,
height = 48,
nocommands = 'I only take commands from a laser lotus above level 7 or the Great Buddha himself!',
animations = {
default = {
'loop',{'1,1','1,1','1,1','1,1','1,1','1,1','1,1','1,1','2,1','1,1','1,1','1,1','1,1','1,1','1,1','4-5,1'},.25,
},
walking = {
'loop',{'1,1','2,1','3,1'},.2,
},
},
stare = false,
talk_items = {
{ ['text']='i am done with you' },
{ ['text']='Who are you?' },
{ ['text']='What cult is this?' },
{ ['text']='Why are you in a cave?' },
},
talk_responses = {
["inventory"]={
"These are my wares. Every laser lotus above level five must carry a licensed sacred Buddha incense holder!",
"Press {{yellow}}".. string.upper(controls:getKey('INTERACT')) .."{{white}} to view item information.",
},
["Who are you?"]={
"I am a follower of the {{blue_light}}Reformed Neo Buddhism Church{{white}}!",
"I am merely a level 3 laser lotus at the moment, but I'll get there!",
},
["What cult is this?"]={
"It is not a cult, it's a way of life!",
"When Buddha arrived in a meteor, he taught us forgiveness, love and lasers!",
"When he returns, we shall bathe in the shimmering ocean of knowledge together!",
},
["Why are you in a cave?"]={
"Our headquarters is actually situated in a hidden valley in the mountains.",
"This is simply just one of the many outposts we have.",
},
},
inventory = function(npc, player)
local screenshot = love.graphics.newImage( love.graphics.newScreenshot() )
Gamestate.stack("shopping", player, screenshot, "laserlotus")
end,
}
|
local _, ADDONSELF = ...
local L = ADDONSELF.L
ADDONSELF.print = function(msg)
DEFAULT_CHAT_FRAME:AddMessage("|CFFFF0000<|r|CFFFFD100MiraiLedger|r|CFFFF0000>|r"..(msg or "nil"))
end
local function GetMoneyStringL(money, separateThousands)
local goldString, silverString, copperString;
local gold = floor(money / (COPPER_PER_SILVER * SILVER_PER_GOLD));
local silver = floor((money - (gold * COPPER_PER_SILVER * SILVER_PER_GOLD)) / COPPER_PER_SILVER);
local copper = mod(money, COPPER_PER_SILVER);
if (separateThousands) then
goldString = FormatLargeNumber(gold)..GOLD_AMOUNT_SYMBOL;
else
goldString = gold..GOLD_AMOUNT_SYMBOL;
end
silverString = silver..SILVER_AMOUNT_SYMBOL;
copperString = copper..COPPER_AMOUNT_SYMBOL;
local moneyString = "";
local separator = "";
if ( gold > 0 ) then
moneyString = goldString;
separator = " ";
end
if ( silver > 0 ) then
moneyString = moneyString..separator..silverString;
separator = " ";
end
if ( copper > 0 or moneyString == "" ) then
moneyString = moneyString..separator..copperString;
end
return moneyString;
end
ADDONSELF.GetMoneyStringL = GetMoneyStringL
local function SendToCurrrentChannel(msg)
local chatType = DEFAULT_CHAT_FRAME.editBox:GetAttribute("chatType")
local whisperTo = DEFAULT_CHAT_FRAME.editBox:GetAttribute("tellTarget")
if chatType == "WHISPER" then
SendChatMessage(msg, chatType, nil, whisperTo)
elseif chatType == "CHANNEL" then
SendChatMessage(msg, chatType, nil, DEFAULT_CHAT_FRAME.editBox:GetAttribute("channelTarget"))
elseif chatType == "BN_WHISPER" then
BNSendWhisper(BNet_GetBNetIDAccount(whisperTo), msg)
else
if chatType == "SAY" or chatType "YELL" or chatType == "CHANNEL" then
if not IsInInstance() then
ADDONSELF.print(L["You can send messages to this channel when you are in an instance only"])
return
end
end
SendChatMessage(msg, chatType)
end
end
local function noop() end
local CRLF = "\r\n"
ADDONSELF.CRLF = CRLF
local calcavg = function(items, n, oncredit, ondebit, conf, groupMode, category)
oncredit = oncredit or noop
ondebit = ondebit or noop
conf = conf or {}
local revenue = 0
local expense = 0
local totalpaid = 0
local saltN = n
local profitPercentItems = {}
local revenuePercentItems = {}
local mulAvgItems = {}
for _, item in pairs(items or {}) do
if (not groupMode)
or (category == L["All"])
or (groupMode == 'boss' and item["detail"] and item["detail"]["category"] == category)
or (groupMode == 'consumer' and item["beneficiary"] == category) then
local c = item["cost"] or 0
local t = item["type"]
local ct = item["costtype"] or "GOLD"
local paid = 0
if item["paid"] and type(item["paid"]) == 'number' then
paid = item["paid"]
end
if t == "CREDIT" then
c = math.floor( c * 10000 )
item["costcache"] = c
revenue = revenue + c
paid = math.floor(paid * 10000)
item["paidcache"] = paid
totalpaid = totalpaid + paid
oncredit(item, c)
elseif t == "DEBIT" then
if ct == "GOLD" then
c = math.floor( c * 10000 )
expense = expense + c
item["costcache"] = c
ondebit(item, c)
elseif ct == "PROFIT_PERCENT" then
table.insert( profitPercentItems, item)
elseif ct == "REVENUE_PERCENT" then
table.insert( revenuePercentItems, item)
elseif ct == "MUL_AVG" then
saltN = saltN + c
table.insert(mulAvgItems, item)
end
end
end
end
-- before profit
do
for _, item in pairs(revenuePercentItems) do
local p = item["cost"] or 0
local c = math.floor(revenue * (p / 100.0))
expense = expense + c
item["costcache"] = c
ondebit(item, c)
end
end
local profit = math.max(revenue - expense, 0)
-- after profit
do
-- recalculate expense
for _, item in pairs(profitPercentItems) do
local p = item["cost"] or 0
local c = math.floor(profit * (p / 100.0))
expense = expense + c
item["costcache"] = c
ondebit(item, c)
end
end
profit = math.max(revenue - expense, 0)
local avg = 0
if saltN > 0 then
avg = 1.0 * profit / saltN
avg = math.max( avg, 0)
avg = math.floor( avg )
end
if conf.rounddown then
avg = math.floor(avg / 10000) * 10000
end
do
-- recalculate expense
for _, item in pairs(mulAvgItems) do
local m = item["cost"] or 0
local c = math.floor(m * avg)
expense = expense + c
item["costcache"] = c
ondebit(item, c)
end
end
profit = math.max(revenue - expense, 0)
return profit, avg, revenue, expense, totalpaid
end
ADDONSELF.calcavg = calcavg
local function GenExportLine(item, c, uselink, allowDebt)
local l = item["beneficiary"] or L["[Unknown]"]
local i = item["detail"]["item"] or ""
local cnt = item["detail"]["count"] or 1
local d = item["detail"]["displayname"] or ""
local t = item["type"]
local ct = item["costtype"]
local n, link = GetItemInfo(i)
if uselink then
n = link
end
n = n or d
n = n ~= "" and n or L["Other"]
if t == "DEBIT" then
n = d or L["Compensation"]
end
if not uselink then
n = "[" .. n .. "]"
end
local s = n .. " (" .. cnt .. ") " .. l .. " " .. GetMoneyStringL(c)
if ct == "PROFIT_PERCENT" then
s = s .. " (" .. (item["cost"] or 0) .. " % " .. L["Net Profit"] .. ")"
elseif ct == "REVENUE_PERCENT" then
s = s .. " (" .. (item["cost"] or 0) .. " % " .. L["Revenue"] .. ")"
elseif ct == "MUL_AVG" then
s = s .. " (" .. (item["cost"] or 0) .. " *" .. L["Per Member credit"] .. ")"
end
return s
end
ADDONSELF.GenExportLine = GenExportLine
local function sendchat(lines, channel)
local SendToChat = SendToCurrrentChannel
if channel then
SendToChat = function(msg)
SendChatMessage(msg, channel)
end
end
local SendToChatTimer = function(t)
SendToChat(t.Arg1)
end
-- borrow from [details]
for i = 1, #lines do
local timer = C_Timer.NewTimer (i * 200 / 1000, SendToChatTimer)
timer.Arg1 = lines[i]
end
end
ADDONSELF.sendchat = sendchat
local function csv(items, number)
local s = ""
local line = function(item, c)
local l = item["beneficiary"] or L["[Unknown]"]
local i = item["detail"]["item"] or ""
local cnt = item["detail"]["count"] or 1
local d = item["detail"]["displayname"] or ""
local loot = item["detail"]["category"] or ""
local t = item["type"]
local ct = item["costtype"]
local pc = ""
if item["player"] then
pc = item["player"]["className"]
end
local n = GetItemInfo(i)
n = n or d
n = n ~= "" and n or L["Other"]
if t == "DEBIT" then
n = d or L["Compensation"]
end
local itemName, itemGuid = GetItemInfo(n);
if itemGuid then
itemGuid = string.sub(itemGuid, string.find(itemGuid, "Hitem:") + 6, string.find(itemGuid, ":::") - 1);
n = n .."(ItemId:"..itemGuid..")"
end
local note = ""
if ct == "PROFIT_PERCENT" then
note = (item["cost"] or 0) .. " % " .. L["Net Profit"]
elseif ct == "REVENUE_PERCENT" then
note = (item["cost"] or 0) .. " % " .. L["Revenue"]
elseif ct == "MUL_AVG" then
note = (item["cost"] or 0) .. " *" .. L["Per Member credit"]
end
return string.join(",", n, cnt, l, c/10000, note, loot, pc) .. CRLF
end
calcavg(items, number, function(item, c)
s = s .. L["Credit"] .. "," .. line(item, c)
end, function(item, c)
s = s .. L["Debit"] .. "," .. line(item, c)
end)
s = s .. "Split," .. number
return s
end
ADDONSELF.genexport = function(items, n, conf, allowDebt)
-- TODO code struct
if conf.format == "csv" then
return csv(items, n)
end
local s = L["Mirai Ledger"] .. CRLF
s = s .. L["Feedback"] .. ": https://mwow.org" .. CRLF
s = s .. CRLF
local l = function(item, c)
s = s .. GenExportLine(item, c) .. CRLF
end
local profit, avg, revenue, expense, paid = calcavg(items, n, l, l, {
rounddown = conf.rounddown,
})
local debt = revenue - paid
revenue = GetMoneyStringL(revenue)
expense = GetMoneyStringL(expense)
profit = GetMoneyStringL(profit)
avg = GetMoneyStringL(avg)
debt = GetMoneyStringL(debt)
s = s .. CRLF
s = s .. L["Revenue"] .. ":" .. revenue .. CRLF
s = s .. L["Expense"] .. ":" .. expense .. CRLF
s = s .. L["Net Profit"] .. ":" .. profit .. CRLF
if allowDebt then
s = s .. L["Debt"] .. ":" .. debt .. CRLF
end
s = s .. L["Split into"] .. ":" .. n .. CRLF
s = s .. L["Per Member credit"] .. ":" .. avg .. (conf.rounddown and (" (" .. L["Round down"] .. ")") or "") .. CRLF
return s
end
ADDONSELF.genreport = function(items, n, channel, conf, allowDebt)
local lines = {}
local grp = {}
local profit, avg, revenue, expense, paid = calcavg(items, n, function(item, c)
local l = item["beneficiary"] or L["[Unknown]"]
local i = item["detail"]["item"] or ""
local d = item["detail"]["displayname"] or ""
local cnt = item["detail"]["count"] or 1
if not grp[l] then
grp[l] = {
["cost"] = 0,
["items"] = {},
["citems"] = {},
["compensation"] = 0,
}
end
grp[l]["cost"] = grp[l]["cost"] + c
if not GetItemInfoFromHyperlink(i) then
i = d
end
if conf.filterzero and c == 0 then
-- skip
else
table.insert( grp[l]["items"], i .. " (" .. cnt .. ") " .. GetMoneyStringL(c))
end
-- table.insert(lines, string.format(L["Credit"] .. ": %s -> [%s] %s", i, l, GetMoneyStringL(c)))
end, function(item, c)
local l = item["beneficiary"] or L["[Unknown]"]
local d = item["detail"]["displayname"] or ""
local ct = item["costtype"] or "GOLD"
if not grp[l] then
grp[l] = {
["cost"] = 0,
["items"] = {},
["citems"] = {},
["compensation"] = 0,
}
end
-- local s = string.format(L["Debit"] .. ": [%s] -> [%s] %s", d, l, GetMoneyStringL(c))
local s = d .. " " .. GetMoneyStringL(c)
if ct == "PROFIT_PERCENT" then
s = s .. " (" .. (item["cost"] or 0) .. " % " .. L["Net Profit"] .. ")"
elseif ct == "REVENUE_PERCENT" then
s = s .. " (" .. (item["cost"] or 0) .. " % " .. L["Revenue"] .. ")"
elseif ct == "MUL_AVG" then
s = s .. " (" .. (item["cost"] or 0) .. " * " .. L["Per Member credit"] .. ")"
end
grp[l]["compensation"] = grp[l]["compensation"] + c
table.insert( grp[l]["citems"], s)
-- table.insert(lines, s)
end, {
rounddown = conf.rounddown,
})
local looter = {}
local compensation = {}
for l, k in pairs(grp) do
table.insert( looter, {
["cost"] = k["cost"],
["items"] = k["items"],
["looter"] = l,
})
if k["compensation"] > 0 then
table.insert( compensation, {
["beneficiary"] = l,
["compensation"] = k["compensation"],
["citems"] = k["citems"],
})
end
end
table.sort( looter, function(a, b)
return a["cost"] > b["cost"]
end)
table.sort( compensation, function(a, b)
return a["compensation"] > b["compensation"]
end)
if #looter > 0 then
local c = math.min(#looter, 40)
while c > 0 and looter[c]["cost"] == 0 do
c = c - 1
end
if c > 0 then
table.insert(lines, L["Mirai Ledger"]..":.... " .. L["Credit"] .. " ....")
end
for i = 1, c do
if looter[i] then
local l = looter[i]
table.insert(lines, i .. ". " .. L["Credit"] .. " " .. l["looter"] .. " [" .. GetMoneyStringL(l["cost"]) .. "]")
for j, item in pairs(l["items"]) do
table.insert(lines, "... " .. j .. ". " .. l["looter"] .. " " .. item)
end
end
end
end
if conf.expenseonly then
wipe(lines)
end
if expense > 0 then
table.insert(lines, L["Mirai Ledger"]..":.... " .. L["Debit"] .. " ....")
local c = math.min( #compensation, 40)
for i = 1, c do
local l = compensation[i]
table.insert(lines, i .. ". " .. L["Debit"] .. " " .. l["beneficiary"] .. " [" .. GetMoneyStringL(l["compensation"]) .. "]")
for _, item in pairs(l["citems"]) do
table.insert(lines, "... " .. l["beneficiary"] .. " " .. item)
end
end
end
if conf.expenseonly then
sendchat(lines, channel)
return
end
if conf.short then
wipe(lines)
end
local debt = revenue - paid
revenue = GetMoneyStringL(revenue)
expense = GetMoneyStringL(expense)
profit = GetMoneyStringL(profit)
avg = GetMoneyStringL(avg)
debt = GetMoneyStringL(debt)
table.insert(lines, L["Revenue"] .. ": " .. revenue)
table.insert(lines, L["Expense"] .. ": " .. expense)
table.insert(lines, L["Net Profit"] .. ": " .. profit)
if allowDebt then
table.insert(lines, L["Debt"] .. ": " .. debt)
end
table.insert(lines, L["Split into"] .. ": " .. n)
table.insert(lines, "==================")
table.insert(lines, L["Mirai Ledger"]..": <<<" .. L["Per Member credit"] .. ": [" .. avg .. (conf.rounddown and (" (" .. L["Round down"] .. ")]>>>") or "]>>>"))
sendchat(lines, channel)
end
|
function sorting( a, b )
return a[1] < b[1]
end
tab = { {"C++", 1979}, {"Ada", 1983}, {"Ruby", 1995}, {"Eiffel", 1985} }
table.sort( tab, sorting )
for _, v in ipairs( tab ) do
print( unpack(v) )
end
|
--忘却の海底神殿
function c43889633.initial_effect(c)
aux.AddCodeList(c,22702055)
--Activate
local e1=Effect.CreateEffect(c)
e1:SetType(EFFECT_TYPE_ACTIVATE)
e1:SetCode(EVENT_FREE_CHAIN)
c:RegisterEffect(e1)
--instant(chain)
local e2=Effect.CreateEffect(c)
e2:SetDescription(aux.Stringid(43889633,1))
e2:SetProperty(EFFECT_FLAG_CARD_TARGET)
e2:SetCategory(CATEGORY_REMOVE)
e2:SetType(EFFECT_TYPE_QUICK_O)
e2:SetRange(LOCATION_SZONE)
e2:SetCode(EVENT_FREE_CHAIN)
e2:SetCountLimit(1)
e2:SetTarget(c43889633.target)
e2:SetOperation(c43889633.operation)
c:RegisterEffect(e2)
--code
aux.EnableChangeCode(c,22702055)
end
function c43889633.filter(c)
return c:IsFaceup() and c:IsLevelBelow(4) and c:IsRace(RACE_FISH+RACE_SEASERPENT+RACE_AQUA) and c:IsAbleToRemove()
end
function c43889633.target(e,tp,eg,ep,ev,re,r,rp,chk,chkc)
if chkc then return chkc:IsLocation(LOCATION_MZONE) and chkc:IsControler(tp) and c43889633.filter(chkc) end
if chk==0 then return Duel.IsExistingTarget(c43889633.filter,tp,LOCATION_MZONE,0,1,nil) end
Duel.Hint(HINT_SELECTMSG,tp,HINTMSG_REMOVE)
local g=Duel.SelectTarget(tp,c43889633.filter,tp,LOCATION_MZONE,0,1,1,nil)
Duel.SetOperationInfo(0,CATEGORY_REMOVE,g,1,0,0)
end
function c43889633.operation(e,tp,eg,ep,ev,re,r,rp)
local tc=Duel.GetFirstTarget()
if tc and tc:IsRelateToEffect(e) and Duel.Remove(tc,POS_FACEUP,REASON_EFFECT)~=0 and tc:IsLocation(LOCATION_REMOVED) then
tc:RegisterFlagEffect(43889634,RESET_EVENT+RESETS_STANDARD+RESET_PHASE+PHASE_END+RESET_SELF_TURN,0,1)
local e1=Effect.CreateEffect(e:GetHandler())
e1:SetDescription(aux.Stringid(43889633,2))
e1:SetType(EFFECT_TYPE_FIELD+EFFECT_TYPE_TRIGGER_F)
e1:SetRange(LOCATION_SZONE)
e1:SetCode(EVENT_PHASE+PHASE_END)
e1:SetCountLimit(1)
e1:SetLabelObject(tc)
e1:SetCondition(c43889633.spcon)
e1:SetTarget(c43889633.sptg)
e1:SetOperation(c43889633.spop)
e1:SetReset(RESET_EVENT+RESETS_STANDARD+RESET_PHASE+PHASE_END+RESET_SELF_TURN)
e:GetHandler():RegisterEffect(e1)
end
end
function c43889633.spcon(e,tp,eg,ep,ev,re,r,rp)
local tc=e:GetLabelObject()
return tc and tc:GetFlagEffect(43889634)~=0 and Duel.GetTurnPlayer()==tp
end
function c43889633.sptg(e,tp,eg,ep,ev,re,r,rp,chk)
if chk==0 then return true end
local tc=e:GetLabelObject()
Duel.SetTargetCard(tc)
e:SetLabelObject(nil)
Duel.SetOperationInfo(0,CATEGORY_SPECIAL_SUMMON,tc,1,0,0)
end
function c43889633.spop(e,tp,eg,ep,ev,re,r,rp)
local tc=Duel.GetFirstTarget()
if tc and tc:IsRelateToEffect(e) then
Duel.SpecialSummon(tc,0,tp,tp,false,false,POS_FACEUP)
end
end
|
PLUGIN.name = "Farming System"
PLUGIN.author = "DrodA & AleXXX_007"
PLUGIN.desc = "New Brand Farming System."
function PLUGIN:SaveData()
local savedTable = {}
for k, v in ipairs(ents.GetAll()) do
if (v:GetClass() == "nut_culture") then
table.insert(savedTable, {
pos = v:GetPos(),
ang = v:GetAngles(),
model = v:GetModel(),
spawn = v:getNetVar("spawn"),
grow = v:getNetVar("grow"),
uid = v.uid,
})
end
end
self:setData(savedTable)
end
function PLUGIN:LoadData()
local savedTable = self:getData() or {}
for k, v in ipairs(savedTable) do
local culture = ents.Create("nut_culture")
culture:SetPos(v.pos)
culture:SetAngles(v.ang)
culture:setNetVar("spawn", v.spawn)
culture:setNetVar("grow", v.grow)
culture:Spawn()
culture:Activate()
culture:SetModel(v.model)
culture.uid = v.uid
end
end
|
Properties = GuiElement:extend("Properties")
function Properties:init(parent, name)
GuiElement.init(self, parent, name, 0, 0);
self.inputs = {}; -- Table that stores the elements that give the properties
self.p = {}; -- The table of properties extracted from the different elements
self.add = true; -- Indicates if the properties should register elements
end
function Properties:update(dt)
for i,v in pairs(self.inputs) do
-- TODO : Add more stuff like checkboxes and the like
self.p[v.name] = v:get_text();
end
end
function Properties:stencil_box()
return 0, 0, 0, 0, self.uuid
end
function Properties:full_box()
return 0, 0, 0, 0
end
function Properties:added_element(node, number)
if node:instanceOf(TextInput) and self.add then
print("Added " .. node.name .. " to properties.");
self.inputs[node.name] = node;
end
end
function Properties:disable()
self.add = true
end
function Properties:enable()
self.add = false
end
|
QuickMenu = QuickMenu or class()
QuickMenu._menu_id_key = "quick_menu_id_"
QuickMenu._menu_id_index = 0
function QuickMenu:new( ... )
return self:init( ... )
end
function QuickMenu:init( title, text, options, show_immediately )
QuickMenu._menu_id_index = QuickMenu._menu_id_index + 1
self.dialog_data = {
id = QuickMenu._menu_id_key .. tostring( QuickMenu._menu_id_index ),
title = title,
text = text,
button_list = {},
}
self.visible = false
local add_default = false
if (not options) or (options ~= nil and type(options) ~= "table") or (options ~= nil and type(options) == "table" and #options == 0) then
add_default = true
end
if add_default then
local tbl = {
text = "OK",
is_cancel_button = true,
}
table.insert( options, tbl )
end
for k, option in ipairs( options ) do
option.data = option.data
option.callback = option.callback
local button = {}
local callback_data = {
data = option.data,
callback = option.callback
}
button.text = option.text
button.callback_func = callback( self, self, "_callback", callback_data )
button.cancel_button = option.is_cancel_button or false
if option.is_focused_button then
self.dialog_data.focus_button = #self.dialog_data.button_list + 1
end
table.insert( self.dialog_data.button_list, button )
end
if show_immediately then
self:show()
end
return self
end
function QuickMenu:_callback( callback_data )
if callback_data.callback then
callback_data.callback( callback_data.data )
end
self.visible = false
end
function QuickMenu:Show()
if not self.visible then
self.visible = true
managers.system_menu:show( self.dialog_data )
end
end
function QuickMenu:show()
self:Show()
end
function QuickMenu:Hide()
if self.visible then
managers.system_menu:close( self.dialog_data.id )
self.visible = false
end
end
function QuickMenu:hide()
self:Hide()
end
|
--[[
.______ ______ _______. _______. ____ ____ _______. .______ __ ___ ____ ____ _______ .______ _______.
| _ \ / __ \ / | / | \ \ / / / | | _ \ | | / \ \ \ / / | ____|| _ \ / |
| |_) | | | | | | (----` | (----` \ \/ / | (----` | |_) | | | / ^ \ \ \/ / | |__ | |_) | | (----`
| _ < | | | | \ \ \ \ \ / \ \ | ___/ | | / /_\ \ \_ _/ | __| | / \ \
| |_) | | `--' | .----) | .----) | \ / .----) | | | | `----./ _____ \ | | | |____ | |\ \----.----) |
|______/ \______/ |_______/ |_______/ \__/ |_______/ | _| |_______/__/ \__\ |__| |_______|| _| `._____|_______/
.______ ____ ____ _______ ___ __ ___ ___ ___ __ .______
| _ \ \ \ / / | ____| / \ | | / \ \ \ / / | | | _ \
| |_) | \ \/ / | |__ / ^ \ | | / ^ \ \ V / | | | |_) |
| _ < \_ _/ | __| / /_\ \ | | / /_\ \ > < | | | /
| |_) | | | | | / _____ \ | `----./ _____ \ / . \ | | | |\ \----.
|______/ |__| |__| /__/ \__\ |_______/__/ \__\ /__/ \__\ |__| | _| `._____|
--]]
Events.Subscribe("BVP_Client_Rage_Calculation", function(BossData)
if Client.GetLocalPlayer():GetControlledCharacter() == nil then return end
if Client.GetLocalPlayer():GetControlledCharacter():GetTeam() ~= 1 then return end
local playerChara = Client.GetLocalPlayer():GetControlledCharacter()
MainHUD:CallEvent("BVP_HUD_Boss_Container_Display", 0)
if (playerChara ~= nil) then
MainHUD:CallEvent("BVP_HUD_Boss_Container_Display", 1)
local boss_health = playerChara:GetMaxHealth()
local players = Player.GetAll()
playerChara:Subscribe("TakeDamage", function(character, damage, bone, type, from_direction, player)
local result = math.ceil((damage * 0.2) + (#players))
if BossData.BossRageMultiplier ~= nil then
result = result * BossData.BossRageMultiplier
end
Client_Rage_Check(result)
end)
end
end)
function Client_Rage_Check(result)
local RageLevel = Client.GetValue("BVP_RageReady")
local newRage = RageLevel + result
if newRage > 100 then
Client.SetValue("BVP_RageReady", 100)
else
Client.SetValue("BVP_RageReady", newRage)
end
if newRage >= 100 then
local ChoosenLanguage = Client.GetLocalPlayer():GetValue("BVP_Language")
if ChoosenLanguage == nil then
Events.CallRemote("BVP_GetLanguageOnNill")
return
end
MainHUD:CallEvent("BVP_HUD_Boss_Rage", ChoosenLanguage["HUD_Ability_Rage_Ready"])
return
end
local ChoosenLanguage = Client.GetLocalPlayer():GetValue("BVP_Language")
if ChoosenLanguage == nil then
Events.CallRemote("BVP_GetLanguageOnNill")
return
end
local text = ChoosenLanguage["HUD_Ability_Rage_Loading"]
text = string.gsub(text, "%__PERCENTAGE__", tostring(newRage))
MainHUD:CallEvent("BVP_HUD_Boss_Rage", text)
end
function Client_Rage_Do()
local RageLevel = Client.GetValue("BVP_RageReady")
local playerChara = Client.GetLocalPlayer():GetControlledCharacter()
if playerChara ~= nil then
if playerChara:GetTeam() ~= 1 then
return
end
else
return
end
if RageLevel == nil then return end
if RageLevel >= 100 then
Client.SetValue("BVP_RageReady", 0)
Events.CallRemote("BVP_BossAbilityExecute_Rage", Client.GetLocalPlayer())
local ChoosenLanguage = Client.GetLocalPlayer():GetValue("BVP_Language")
if ChoosenLanguage == nil then
Events.CallRemote("BVP_GetLanguageOnNill")
return
end
local text = ChoosenLanguage["HUD_Ability_Rage_Loading"]
text = string.gsub(text, "%__PERCENTAGE__", "0")
MainHUD:CallEvent("BVP_HUD_Boss_Rage", text)
end
end
|
minetest.register_on_joinplayer(function(player)
minetest.after(0, function(name)
local unreadflag = false
if mail.messages[name] then
for _, message in ipairs(mail.messages[name]) do
if message.unread then
unreadflag = true
end
end
end
if unreadflag then
minetest.show_formspec(name, "mail:unreadnag",
"size[3,2]" ..
"label[0,0;You have unread messages in your inbox.]" ..
"label[0,0.5;Go there now?]" ..
"button[0.5,0.75;2,1;yes;Yes]" ..
"button_exit[0.5,1.5;2,1;no;No]"
)
end
end, player:get_player_name())
end)
|
local class = require "xgame.class"
local window = require "xgame.window"
local Align = require "xgame.ui.Align"
local UILayer = require "xgame.ui.UILayer"
local SWFNode = require "xgame.swf.SWFNode"
local swf = require "xgame.swf.swf"
local SWFUI = class("SWFUI", UILayer)
function SWFUI:ctor()
self.horizontalAlign = Align.CENTER
self.contentLoader = self:addChild(SWFNode.new())
self:_loadRootSWF()
end
function SWFUI:assets()
error(string.format("'%s' need supply assets list", self.classname))
end
function SWFUI.Get:rootswf() return self.contentLoader.rootswf end
function SWFUI.Set:rootswf(value)
self.contentLoader.rootswf = value
end
function SWFUI:_loadRootSWF()
self.rootswf = swf.new(self.rootswfPath)
self.width = self.rootswf.movieWidth
self.height = self.rootswf.movieHeight
end
function SWFUI.Get:rootswfPath()
error("sub class must implement!!!")
end
function SWFUI:scheduleUpdate()
self.contentLoader:scheduleUpdate()
end
function SWFUI:unscheduleUpdate()
self.contentLoader:unscheduleUpdate()
end
function SWFUI:checkLabels(target, ...)
return swf.checkLabels(target, ...)
end
return SWFUI
|
local w3xparser = require 'w3xparser'
local mpq_path = require 'mpq_path'
local lni = require 'lni'
local lml = require 'lml'
local progress = require 'progress'
local lang = require 'lang'
local proxy = require 'proxy'
local slk = w3xparser.slk
local txt = w3xparser.txt
local ini = w3xparser.ini
local pairs = pairs
local mt = {}
local keydata
local function load_file(path)
local f = io.open(path)
if f then
local buf = f:read 'a'
f:close()
return buf
end
return nil
end
function mt:parse_lni(buf, filename, ...)
return lni(buf, filename, ...)
end
function mt:parse_lml(buf)
return lml(buf)
end
function mt:parse_slk(buf)
return slk(buf)
end
function mt:parse_txt(...)
return txt(...)
end
function mt:parse_ini(buf)
return ini(buf)
end
function mt:metadata()
if not self.cache_metadata then
self.cache_metadata = lni(load_file 'defined\\metadata.ini')
end
return self.cache_metadata
end
function mt:we_metadata()
if not self.cache_we_metadata then
if self.setting.data_meta == '${DEFAULT}' then
self.cache_we_metadata = self.cache_metadata
else
self.cache_we_metadata = lni(self:data_load('prebuilt\\metadata.ini'))
end
end
return self.cache_we_metadata
end
function mt:keydata()
if not keydata then
keydata = lni(self:data_load('prebuilt\\keydata.ini'))
end
return keydata
end
function mt:get_editstring(source)
local str = source:upper()
if str:sub(1, 9) ~= 'WESTRING_' then
return source
end
if not self.editstring then
self.editstring = {}
if self.setting.data_wes == '${DEFAULT}' then
local t = ini(load_file('defined\\WorldEditStrings.txt'))['WorldEditStrings']
for k, v in pairs(t) do
self.editstring[k:upper()] = v
end
else
local t = ini(self:data_load('mpq\\ui\\WorldEditStrings.txt'))['WorldEditStrings']
for k, v in pairs(t) do
self.editstring[k:upper()] = v
end
local t = ini(self:data_load('mpq\\ui\\WorldEditGameStrings.txt'))['WorldEditStrings']
for k, v in pairs(t) do
self.editstring[k:upper()] = v
end
end
end
if self.editstring[str] then
repeat
str = self.editstring[str]
until not self.editstring[str]
return str:gsub('%c+', '')
end
local text = lang.wes[str]
if text ~= str then
return text
end
if not self.editstring_reported then
self.editstring_reported = {}
end
if not self.editstring_reported[str] then
self.editstring_reported[str] = true
--self.editstring_reported[#self.editstring_reported+1] = str
self.messager.report(lang.report.OTHER, 9, lang.report.NO_WES_STRING, source)
end
return source
end
local function create_default(w2l)
local default = {}
local need_build = false
for _, name in ipairs {'ability', 'buff', 'unit', 'item', 'upgrade', 'doodad', 'destructable', 'txt', 'misc'} do
local str = w2l:data_load(('prebuilt\\%s\\%s.ini'):format(w2l.setting.version, name))
if str then
default[name] = lni(str)
else
need_build = true
break
end
end
if need_build then
default = w2l:frontend_buildslk()
w2l.messager.report(lang.report.OTHER, 9, lang.report.NO_PREBUILT)
end
return default
end
function mt:get_default(create)
if create then
return create_default(self)
end
if not self.default_data then
self.default_data = create_default(self)
end
return self.default_data
end
-- 同时有英文逗号和英文双引号的字符串存在txt里会解析出错
-- 包含右大括号的字符串存在wts里会解析出错
-- 超过256字节的字符串存在二进制里会崩溃
function mt:load_wts(wts, content, max, reason, fmter)
if not wts then
return content
end
local str, count = content:gsub('TRIGSTR_(%d+)', function(i)
local str_data = wts[tonumber(i)]
if not str_data then
self.messager.report(lang.report.OTHER, 9, lang.report.NO_TRIGSTR:format(i))
return
end
local text = str_data.text
if fmter then
text = fmter(text)
end
if max and #text > max then
return self:save_wts(wts, str_data.text, reason)
end
return text
end)
if count == 0 and max and #str > max then
str = self:save_wts(wts, str, reason)
end
return str
end
function mt:save_wts(wts, text, reason)
self.messager.report(lang.report.TEXT_IN_WTS, 7, reason, ('%s\r\n%s...\r\n-------------------------'):format(lang.report.TEXT_IN_WTS_HINT, text:sub(1, 1000)))
if text:find('}', 1, false) then
self.messager.report(lang.report.WARN, 2, lang.report.WTS_NEED_ESCAPE, text:sub(1, 1000))
text = text:gsub('}', '|')
end
local index = #wts.mark + 1
wts.mark[index] = text
return ('TRIGSTR_%03d'):format(index-1)
end
function mt:refresh_wts(wts)
if not wts then
return
end
local lines = {}
for index, text in ipairs(wts.mark) do
lines[#lines+1] = ('STRING %d\r\n{\r\n%s\r\n}'):format(index-1, text)
end
return table.concat(lines, '\r\n\r\n')
end
local function hasFile(name)
return nil ~= package.searchpath(name, package.path)
end
function mt:__index(name)
local value = mt[name]
if value then
return value
end
if self.loaded[name] then
return nil
end
if name == 'info' then
self.info = require 'info'
return self.info
end
if hasFile('slk.'..name) then
self[name] = require('slk.'..name)
return self[name]
end
self.loaded[name] = true
return nil
end
function mt:mpq_load(filename)
return self.mpq_path:each_path(function(path)
return self:data_load(('mpq\\%s\\%s'):format(path, filename))
end)
end
function mt:add_plugin(source, plugin)
self.plugins[#self.plugins + 1] = plugin
self.messager.report(lang.report.OTHER, 9, lang.report.USED_PLUGIN:format(plugin.info.name, source), plugin.info.description)
end
function mt:call_plugin(event, ...)
for _, plugin in ipairs(self.plugins) do
if plugin[event] then
local ok, res = pcall(plugin[event], plugin, self, ...)
if ok then
if res ~= nil then
return res
end
else
self.messager.report(lang.report.OTHER, 2, lang.report.PLUGIN_FAILED:format(plugin.info.name), res)
end
end
end
end
function mt:init_proxy()
if self.inited_proxy then
return
end
self.inited_proxy = true
self.input_proxy = proxy(self, self.input_ar, self.input_mode, 'input')
self.output_proxy = proxy(self, self.output_ar, self.setting.mode, 'output')
if self:file_load('w3x2lni', 'locale\\w3i.lng') then
lang:set_lng_file('w3i', self:file_load('w3x2lni', 'locale\\w3i.lng'))
end
if self:file_load('w3x2lni', 'locale\\lml.lng') then
lang:set_lng_file('lml', self:file_load('w3x2lni', 'locale\\lml.lng'))
end
if self.setting.mode == 'lni' then
self:file_save('w3x2lni', 'locale\\w3i.lng', lang:get_lng_file 'w3i')
self:file_save('w3x2lni', 'locale\\lml.lng', lang:get_lng_file 'lml')
else
self:file_remove('w3x2lni', 'locale\\w3i.lng')
self:file_remove('w3x2lni', 'locale\\lml.lng')
end
end
function mt:file_save(type, name, buf)
self:init_proxy()
self.input_proxy:save(type, name, buf)
self.output_proxy:save(type, name, buf)
end
function mt:file_load(type, name)
self:init_proxy()
return self.input_proxy:load(type, name)
end
function mt:file_remove(type, name)
self:init_proxy()
self.input_proxy:remove(type, name)
self.output_proxy:remove(type, name)
end
function mt:file_pairs()
self:init_proxy()
return self.input_proxy:pairs()
end
function mt:save()
local save = require 'map-builder.save'
save(self)
local total = self.input_ar:number_of_files()
local count = 0
for _ in pairs(self.input_ar) do
count = count + 1
end
if count ~= total then
self.messager.report(lang.report.ERROR, 1, lang.report.FILE_LOST:format(total - count), lang.report.FILE_LOST_HINT)
self.messager.report(lang.report.ERROR, 1, lang.report.FILE_READ:format(count, total))
end
end
function mt:failed(msg)
self.messager.exit('failed', msg or lang.script.UNKNOWN_REASON)
os.exit(1, true)
end
mt.setting = {}
local function toboolean(v)
if v == 'true' or v == true then
return true
elseif v == 'false' or v == false then
return false
end
return nil
end
function mt:set_setting(setting)
local default = self:parse_lni(load_file 'config.ini')
local setting = setting or {}
local dir
local function choose(k, f)
local a = setting[k]
local b = dir and dir[k]
if f then
a = f(a)
b = f(b)
end
if a == nil then
setting[k] = b
else
setting[k] = a
end
end
dir = default.global
choose('data')
choose('data_meta')
choose('data_wes')
dir = default[setting.mode]
choose('read_slk', toboolean)
choose('find_id_times', math.tointeger)
choose('remove_same', toboolean)
choose('remove_we_only', toboolean)
choose('remove_unuse_object', toboolean)
choose('mdx_squf', toboolean)
choose('slk_doodad', toboolean)
choose('optimize_jass', toboolean)
choose('confused', toboolean)
choose('confusion')
choose('target_storage')
choose('computed_text', toboolean)
choose('export_lua', toboolean)
self.setting = setting
self.mpq_path = mpq_path()
if self.setting.version == 'Custom' then
self.mpq_path:open 'Custom_V1'
end
self.data_load = require 'data_load'
end
function mt:set_messager(messager)
if type(messager) == 'table' then
if getmetatable(messager) then
self.messager = messager
else
self.messager = setmetatable(messager, { __index = function () return function () end end })
end
else
self.messager = setmetatable({}, { __index = function (_, tp)
return function (...)
messager(tp, ...)
end
end })
end
self.progress:set_messager(self.messager)
end
return function ()
local self = setmetatable({}, mt)
self.progress = progress()
self.loaded = {}
self.plugins = {}
self.lang = require 'lang'
self:set_messager(function () end)
self:set_setting()
return self
end
|
--- A Compound composed of @{MiniConsole}s and tabs that can be echoed to.
-- One @{MiniConsole} is displayed at a time. The tabs are used to switch the active @{MiniConsole}.
-- @classmod Chat
local Background = require("vyzor.component.background")
local Base = require("vyzor.base")
local Box = require("vyzor.compound.box")
local BoxMode = require("vyzor.enum.box_mode")
local Brush = require("vyzor.component.brush")
local Color = require("vyzor.component.color")
local ColorMode = require("vyzor.enum.color_mode")
local Frame = require("vyzor.base.frame")
local Lib = require("vyzor.lib")
local MiniConsole = require("vyzor.component.mini_console")
local TabLocation = require("vyzor.enum.tab_location")
local Chat = Base("Compound", "Chat")
--- A dirty global function used as a callback for tabs.
-- Vyzor creates one of these functions for each Chat Compound.
--
-- Replace the underscore with the Chat Compound's name.
-- @function _ChatSwitch
-- @string channel The channel to be switched to.
--- A global function, registered as an event handler for the VyzorDrawnEvent.
-- Makes sure the proper consoles are visible.
--
-- Replace the underscore with the Chat Compound's name.
-- @function _InitializeChat
--- Chat constructor.
-- @function Chat
-- @string _name Name of the Chat Compound. Used to create unique event handler functions.
-- @tparam Frame initialBackground The Background @{Frame} for this Chat Compound.
-- @tparam table initialChannels The names of the channels managed by this Compound. Passed as a table.
-- @tparam[opt=TabLocation.Top] TabLocation initialTabLocation A @{TabLocation} @{Enum} that determines on which side of the consoles the tabs sit.
-- @number[opt=0.05] initialSize This is the size of the unmanaged portion of the tabs. Must be between 0.0 and 1.0.
-- @tparam[opt="dynamic"] number|string initialWordWrap This is the word wrap of the @{MiniConsole} text.
-- @tparam[opt=10] number|string initialFont This is the font size of the @{MiniConsole} text.
-- @tparam[opt] table initialComponents A table of Components. These are used to decorate the tabs.
-- @treturn Chat
local function new (_, _name, initialBackground, initialChannels, initialTabLocation, initialTabSize, initialWordWrap, initialFont, initialComponents)
--- @type Chat
local self = {}
local _background = initialBackground
local _channelList = {}
for _, channel in ipairs(initialChannels) do
_channelList[#_channelList + 1] = channel
end
local _miniConsoles = {}
local _tabSize = initialTabSize or 0.05
local _fontSize = initialFont or 10
local _wordWrap = initialWordWrap or "dynamic"
local _tabLocation = initialTabLocation or TabLocation.Top
local _tabs = Lib.OrderedTable()
local _tabContainer
local _components = initialComponents
local _activeBackground = Background(Brush(Color(ColorMode.RGB, 130, 130, 130)))
local _inactiveBackground = Background(Brush(Color(ColorMode.RGB, 50, 50, 50)))
local _pendingBackground = Background(Brush(Color(ColorMode.RGB, 200, 200, 200)))
local _currentChannel = _channelList["All"] or _channelList[1]
local _pendingChannels = {}
local _switchFunction = _name .. "ChatSwitch"
local _initializeFunction = _name .. "InitializeChat"
-- Here we set up the parent->child hierarchy that makes the Chat Compound work.
do
local activeSet = false
for _, channel in ipairs(_channelList) do
local consoleName = _name .. channel .. "Console"
local tabName = _name .. channel .. "Tab"
if _tabLocation == TabLocation.Top then
_miniConsoles[channel] = MiniConsole(consoleName,
0, _tabSize, 1, (1.0 - _tabSize),
_wordWrap, _fontSize)
_background:Add(_miniConsoles[channel])
elseif _tabLocation == TabLocation.Bottom then
_miniConsoles[channel] = MiniConsole(consoleName,
0, 0, 1, (1.0 - _tabSize),
_wordWrap, _fontSize)
_background:Add(_miniConsoles[channel])
elseif _tabLocation == TabLocation.Left then
_miniConsoles[channel] = MiniConsole(consoleName,
_tabSize, 0, (1.0 - _tabSize), 1,
_wordWrap, _fontSize)
_background:Add(_miniConsoles[channel])
else
_miniConsoles[channel] = MiniConsole(consoleName,
0, 0, (1.0 - _tabSize), 1,
_wordWrap, _fontSize)
_background:Add(_miniConsoles[channel])
end
_tabs[channel] = Frame(tabName)
_tabs[channel].Callback = _switchFunction
_tabs[channel].CallbackArguments = channel
if _components then
for _, component in ipairs(_components) do
_tabs[channel]:Add(component)
if not activeSet then
if component.Subtype == "Background" then
_activeBackground = component
activeSet = true
end
end
end
else
_tabs[channel]:Add(_inactiveBackground)
end
end
local tabBox
local indexedTabs = {}
for i, tab in _tabs:ipairs() do
indexedTabs[i] = tab
end
local tabContainerName = _name .. "TabsBackground"
local tabBoxName = _name .. "TabsBox"
if _tabLocation == TabLocation.Top then
_tabContainer = Frame(tabContainerName,
0, 0, 1, _tabSize)
tabBox = Box(tabBoxName, BoxMode.Horizontal, _tabContainer, indexedTabs)
elseif _tabLocation == TabLocation.Bottom then
_tabContainer = Frame(tabContainerName,
0, (1.0 - _tabSize), 1, _tabSize)
tabBox = Box(tabBoxName, BoxMode.Horizontal, _tabContainer, indexedTabs)
elseif _tabLocation == TabLocation.Right then
_tabContainer = Frame(tabContainerName,
(1.0 - _tabSize), 0, _tabSize, 1)
tabBox = Box(tabBoxName, BoxMode.Vertical, _tabContainer, indexedTabs)
else
_tabContainer = Frame(tabContainerName,
0, 0, _tabSize, 1)
tabBox = Box(tabBoxName, BoxMode.Vertical, _tabContainer, indexedTabs)
end
for _, console in ipairs(_miniConsoles) do
_background:Add(console)
end
_background:Add(tabBox)
end
--- Properties
--- @section
local properties = {
Name = {
--- Returns the name of the Chat Compound.
-- @function self.Name.get
-- @treturn string
get = function ()
return _name
end,
},
Background = {
--- Returns the background @{Frame} of the Chat Compound.
-- @function self.Background.get
-- @treturn Frame
get = function ()
return _background
end,
},
Container = {
--- Returns the parent @{Frame} of the Chat Compound.
-- @function self.Container.get
-- @treturn Frame
get = function ()
return _background.Container
end,
--- Sets the parent @{Frame} of the Chat Compound.
-- @function self.Container.set
-- @tparam Frame value
set = function (value)
_background.Container = value
end
},
Channels = {
--- Returns the channels this Chat Compound manages.
-- @function self.Channels.get
-- @treturn table
get = function ()
local copy = {}
for i, channel in ipairs(_channelList) do
copy[i] = channel
end
return copy
end,
},
TabSize = {
--- Returns the size of the Chat Compound's tabs.
-- @function self.TabSize.get
-- @treturn number
get = function ()
return _tabSize
end,
--- Sets the size of the Chat Compound's tabs.
-- @function self.TabSize.set
-- @tparam number value
set = function (value)
_tabSize = value
for tab in _tabs:each() do
if _tabLocation == TabLocation.Top or _tabLocation == TabLocation.Bottom then
tab.Height = _tabSize
else
tab.Width = _tabSize
end
end
end,
},
FontSize = {
--- Returns the font size of the Chat Compound's @{MiniConsole}s.
-- @function self.FontSize.get
-- @treturn number
get = function ()
return _fontSize
end,
--- Sets the font size of the Chat Compound's @{MiniConsole}s.
-- @function self.FontSize.set
-- @tparam number value
set = function (value)
_fontSize = value
for _, console in pairs(_miniConsoles) do
console.FontSize = _fontSize
end
end,
},
WordWrap = {
--- Returns the word wrap of the Chat Compound's @{MiniConsole}s.
-- @function self.WordWrap.get
-- @treturn number
get = function ()
return _wordWrap
end,
--- Sets the word wrap of the Chat Compoound's @{MiniConsole}s.
-- @function self.WordWrap.set
-- @tparam number value
set = function (value)
_wordWrap = value
for _, console in pairs(_miniConsoles) do
console.WordWrap = _wordWrap
end
end,
},
TabLocation = {
--- Returns the Chat Compound's @{TabLocation}.
-- @function self.TabLocation.get
-- @treturn TabLocation
get = function ()
return _tabLocation
end,
--- Sets the Chat Compound's @{TabLocation}.
-- @function self.TabLocation.set
-- @tparam TabLocation value
set = function (value)
_tabLocation = value
end
},
Components = {
--- Returns the Components used to decorate the Chat Compound's tabs.
-- @function self.Components.get
-- @treturn table
get = function ()
local copy = {}
for i, component in ipairs(_components) do
copy[i] = component
end
return copy
end
},
ActiveBackground = {
--- Returns the @{Background} used to style the active tab.
-- @function self.ActiveBackground.get
-- @treturn Background
get = function ()
return _activeBackground
end,
--- Sets the @{Background} used to style the active tab.
-- @function self.ActiveBackground.set
-- @tparam Background value
set = function (value)
_activeBackground = value
end
},
InactiveBackground = {
--- Returns the @{Background} used to style inactive tabs.
-- @function self.InactiveBackgrounds.get
-- @treturn Background
get = function ()
return _inactiveBackground
end,
--- Sets the @{Background} used to style style inactive tabs.
-- @function self.InactiveBackground.set
-- @tparam Background value
set = function (value)
_inactiveBackground = value
end
},
PendingBackground = {
--- Returns the @{Background} used to style a tab with new text.
-- @function self.PendingBackground.get
-- @treturn Background
get = function ()
return _pendingBackground
end,
--- Sets the @{Background} used to style a tab with new text.
-- @function self.PendingBackground.set
-- @tparam Background value
set = function (value)
_pendingBackground = value
end
},
CurrentChannel = {
--- Returns the channel of the active @{MiniConsole}.
-- @function self.CurrentChannel.get
-- @treturn string
get = function ()
return _currentChannel
end
},
MiniConsoles = {
--- Returns the @{MiniConsole}s the Chat Compound manages.
-- @function self.MiniConsoles.get
-- @treturn table
get = function ()
local copy = {}
local index = 1
for _, miniConsole in pairs(_miniConsoles) do
copy[index] = miniConsole
index = index + 1
end
return copy
end
},
Tabs = {
--- Returns the tabs the Chat Compound manages.
-- @function self.Tabs.get
-- @treturn table
get = function ()
local copy = {}
for i, tab in _tabs:ipairs() do
copy[i] = tab
end
return copy
end
},
}
--- @section end
--- Echos any kind of text into a specific channel.
-- @string channel The channel into which to echo.
-- @string text
function self:Echo (channel, text)
if _miniConsoles["All"] then
_miniConsoles["All"]:Echo(text)
end
if channel and channel ~= "All" then
_miniConsoles[channel]:Echo(text)
if channel ~= _currentChannel and _currentChannel ~= "All" then
if _tabs[channel].Components["Background"] then
_tabs[channel]:Remove("Background")
end
_tabs[channel]:Add(_pendingBackground)
_pendingChannels[channel] = true
end
end
end
--- Appends text to a channel from the buffer.
-- @string channel The channel into which the text should be appended.
function self:Append (channel)
if _miniConsoles["All"] then
_miniConsoles["All"]:Append()
end
if channel and channel ~= "All" then
_miniConsoles[channel]:Append()
if channel ~= _currentChannel and _currentChannel ~= "All" then
if _tabs[channel].Components["Background"] then
_tabs[channel]:Remove("Background")
end
_tabs[channel]:Add(_pendingBackground)
_pendingChannels[channel] = true
end
end
end
--- Pastes copy()'d text into a channel.
-- @string channel The channel into which the text should be pasted.
function self:Paste (channel)
if _miniConsoles["All"] then
_miniConsoles["All"]:Paste()
end
if channel and channel ~= "All" then
_miniConsoles[channel]:Paste()
if channel ~= _currentChannel and _currentChannel ~= "All" then
if _tabs[channel].Components["Background"] then
_tabs[channel]:Remove("Background")
end
_tabs[channel]:Add(_pendingBackground)
_pendingChannels[channel] = true
end
end
end
--- Removes all text from a channel.
-- @string[opt="All"] channel The channel to be cleared.
function self:Clear (channel)
if channel and channel ~= "All" then
_miniConsoles[channel]:Clear()
else
for _, console in pairs(_miniConsoles) do
console:Clear()
end
end
end
-- Documented above.
_G[_switchFunction] = function (channel)
if channel == _currentChannel then
return
end
for name, console in pairs(_miniConsoles) do
if name == channel then
console:Show()
else
console:Hide()
end
end
for name, tab in _tabs:pairs() do
if name == channel then
if tab.Components["Background"] then
tab:Remove("Background")
end
tab:Add(_activeBackground)
if _pendingChannels[name] then
_pendingChannels[name] = nil
end
else
if not _pendingChannels[name] or channel == "All" then
if tab.Components["Background"] then
tab:Remove("Background")
end
tab:Add(_inactiveBackground)
end
end
end
_currentChannel = channel
end
-- Documented above.
_G[_initializeFunction] = function ()
for name, console in pairs(_miniConsoles) do
if name == _currentChannel then
console:Show()
else
console:Hide()
end
end
for name, tab in _tabs:pairs() do
tab:Echo("<center>" .. name .. "</center>")
if name == _currentChannel then
if tab.Components["Background"] then
tab:Remove("Background")
end
tab:Add(_activeBackground)
else
if tab.Components["Background"] then
tab:Remove("Background")
end
tab:Add(_inactiveBackground)
end
end
end
registerAnonymousEventHandler("VyzorDrawnEvent", _initializeFunction)
setmetatable(self, {
__index = function (_, key)
return (properties[key] and properties[key].get()) or Chat[key]
end,
__newindex = function (_, key, value)
if properties[key] and properties[key].set then
properties[key].set(value)
end
end,
})
return self
end
setmetatable(Chat, {
__index = getmetatable(Chat).__index,
__call = new,
})
return Chat
|
require("engine/test/bustedhelper")
describe('pico8api', function ()
describe('camera', function ()
after_each(function ()
camera()
end)
it('should the camera to a floored pixel-perfect position', function ()
camera(5.1, -11.5)
assert.are_same({5, -12}, {pico8.camera_x, pico8.camera_y})
end)
it('should reset the camera with no arguments', function ()
camera(5.1, -11.5)
camera()
assert.are_same({0, 0}, {pico8.camera_x, pico8.camera_y})
end)
end)
describe('clip', function ()
after_each(function ()
clip()
end)
it('should set clip to floored pixel-perfect (x, y, w, h)', function ()
clip(5.7, 12.4, 24.2, 48.1)
assert.are_same({5, 12, 24, 48}, pico8.clip)
end)
it('should reset the clip to fullscreen when no argument is passed', function ()
clip()
assert.are_same({0, 0, 128, 128}, pico8.clip)
end)
it('should return the previous state as 4 values (x, y, w, h) on reset (no arguments)', function ()
clip(40, 50, 20, 30)
local previous_state = {clip()}
assert.are_same({40, 50, 20, 30}, previous_state)
end)
end)
describe('cls', function ()
it('should reset the clip to fullscreen', function ()
cls()
assert.are_same({0, 0, 128, 128}, pico8.clip)
end)
end)
describe('pset', function ()
it('should set the current color', function ()
pset(5, 8, 7)
assert.are_equal(7, pico8.color)
end)
end)
describe('pget', function ()
it('should return 0 (no simulation)', function ()
assert.are_equal(0, pget(8, 5))
end)
end)
describe('color', function ()
it('should set the current color', function ()
color(9)
assert.are_equal(9, pico8.color)
end)
it('should set the current color (with modulo 16)', function ()
color(17)
assert.are_equal(1, pico8.color)
end)
it('should reset the current color with no arguments', function ()
color()
assert.are_equal(0, pico8.color)
end)
end)
describe('tonum', function ()
it('should return the number corresponding to a number', function ()
assert.are_equal(-25.34, tonum(-25.34))
end)
it('should return the positive number corresponding to a string', function ()
assert.are_equal(25, tonum("25"))
end)
it('should return the negative number corresponding to a string (not fractional power of 2)', function ()
assert.are_equal(-25.34, tonum("-25.34"))
end)
-- this one is for native Lua only: PICO-8 itself doesn't pass it
-- because tonum fails on negative number strings of 0x0000.0001!
it('should return the negative number corresponding to a string (fractional power of 2)', function ()
assert.are_equal(-25.25, tonum("-25.25"))
end)
end)
describe('tostr', function ()
it('nil => "[nil]"', function ()
assert.are_equal("[nil]", tostr(nil)) -- or tostr()
end)
-- this one works for native Lua only; it differs from pico8
-- which would return "[no value]", indicating a special value
it('empty function return => "[nil]"', function ()
function f() end
assert.are_equal("[nil]", tostr(f()))
end)
it('"string" => "string"', function ()
assert.are_equal("string", tostr("string"))
end)
it('true => "true"', function ()
assert.are_equal("true", tostr(true))
end)
it('false => "false"', function ()
assert.are_equal("false", tostr(false))
end)
it('56 => "56"', function ()
assert.are_equal("56", tostr(56))
end)
it('56.2 => "56.2"', function ()
assert.are_equal("56.2", tostr(56.2))
end)
it('0x58cb.fd85, hex: true => "0x58cb.fd85"', function ()
assert.are_equal("0x58cb.fd85", tostr(0x58cb.fd85, true))
end)
-- this one is only useful to test robustness with native Lua:
-- in PICO-8, floats have 16:16 fixed point precision,
-- so they can never get more than 4 hex figures after the point
-- with busted, we need to cut the extra hex figures to avoid
-- error "number (local 'val') has no integer representation"
-- when applying binary operations
it('0x58cb.fd8524 => "0x58cb.fd85" (hex)', function ()
assert.are_equal("0x58cb.fd85", tostr(0x58cb.fd8524, true))
end)
-- since PICO-8 0.2.0, table and function addresses can be obtained via tostr/tostring
-- but only when passing hex: true
-- interestingly, it doesn't do it for coroutines (type "thread"),
-- but you can still use tostring if you need to see their address
it('{}, hex: false => "[table]"', function ()
assert.are_equal("[table]", tostr({}))
end)
it('function, hex: false => "[function]"', function ()
local f = function ()
end
assert.are_equal("[function]", tostr(f))
end)
it('#solo {}, hex: true => "table: 0x..."', function ()
local t = {}
assert.are_equal(tostring(t), tostr(t, true))
end)
it('function, hex: true => "function: 0x..."', function ()
local f = function () end
assert.are_equal(tostring(f), tostr(f, true))
end)
it('thread, hex: false => "[thread]"', function ()
local f = function () end
local c = cocreate(f)
assert.are_equal("[thread]", tostr(c))
end)
it('thread, hex: true => "[thread]"', function ()
local f = function () end
local c = cocreate(f)
assert.are_equal("[thread]", tostr(c))
end)
end)
describe('(testing color)', function ()
after_each(function ()
color()
end)
describe('api.print', function ()
it('should set the color if passed', function ()
api.print("hello", 45, 78, 7)
assert.are_equal(7, pico8.color)
end)
it('should preserve the color if not passed', function ()
color(5)
api.print("hello", 45, 78)
assert.are_equal(5, pico8.color)
end)
it('should handle the 2nd argument as color if there are no further arguments', function ()
color(5)
api.print("hello", 7)
assert.are_equal(7, pico8.color)
end)
it('should still handle the 2nd argument as x and 4th as color if there is even nil as 3rd argument', function ()
color(5)
api.print("hello", 45, nil, 7)
assert.are_equal(7, pico8.color)
end)
end)
describe('rect', function ()
it('should set the color if passed', function ()
rect(1, 2, 3, 4, 7)
assert.are_equal(7, pico8.color)
end)
it('should preserve the color if not passed', function ()
color(5)
rect(1, 2, 3, 4)
assert.are_equal(5, pico8.color)
end)
end)
describe('rectfill', function ()
it('should set the color if passed', function ()
rectfill(1, 2, 3, 4, 7)
assert.are_equal(7, pico8.color)
end)
it('should preserve the color if not passed', function ()
color(5)
rectfill(1, 2, 3, 4)
assert.are_equal(5, pico8.color)
end)
end)
describe('circ', function ()
it('should set the color if passed', function ()
circ(1, 2, 10, 7)
assert.are_equal(7, pico8.color)
end)
it('should preserve the color if not passed', function ()
color(5)
circ(1, 2, 3)
assert.are_equal(5, pico8.color)
end)
end)
describe('circfill', function ()
it('should set the color if passed', function ()
circfill(1, 2, 10, 7)
assert.are_equal(7, pico8.color)
end)
it('should preserve the color if not passed', function ()
color(5)
circfill(1, 2, 10)
assert.are_equal(5, pico8.color)
end)
end)
describe('line', function ()
it('should set the color if passed', function ()
line(1, 2, 10, 12, 7)
assert.are_equal(7, pico8.color)
end)
it('should preserve the color if not passed', function ()
color(5)
line(1, 2, 10, 12)
assert.are_equal(5, pico8.color)
end)
end)
describe('pal', function ()
it('should reset the transparency with no arguments', function ()
pal()
assert.are_same({[0] = true, false, false, false, false, false, false, false, false, false, false, false, false, false, false, false},
pico8.pal_transparent)
end)
end)
describe('palt', function ()
it('should set the color to transparent', function ()
palt(3, true)
assert.are_equal(true, pico8.pal_transparent[3])
end)
it('should set the color to opaque', function ()
palt(3, false)
assert.are_equal(false, pico8.pal_transparent[3])
end)
it('should reset the transparency with no arguments', function ()
palt()
assert.are_same({[0] = true, false, false, false, false, false, false, false, false, false, false, false, false, false, false, false},
pico8.pal_transparent)
end)
end)
end)
describe('mget', function ()
before_each(function ()
pico8.map[14] = { [27] = 5 }
end)
after_each(function ()
pico8.map[14][27] = 0
end)
it('should return the sprite id at a map coordinate', function ()
assert.are_equal(5, mget(27, 14))
end)
it('should return 0 if out of bounds', function ()
assert.are_equal(0, mget(-1, 15))
end)
end)
describe('mset', function ()
after_each(function ()
pico8.map[14] = 0
end)
it('should set the sprite id at a map coordinate', function ()
mset(27, 14, 9)
assert.are_equal(9, mget(27, 14))
end)
end)
describe('fget', function ()
before_each(function ()
pico8.spriteflags[3] = 0xa2
end)
after_each(function ()
pico8.spriteflags[3] = 0
end)
it('should return the sprite flags for the passed sprite id', function ()
assert.are_equal(0xa2, fget(3))
end)
it('should return 0 for a sprite id outside [0-255]', function ()
assert.are_same({0x0, 0x0}, {fget(-1), fget(256)})
end)
it('should return if a specific sprite flag is set on a passed sprite id', function ()
assert.are_same({true, true, true, false}, {fget(3, 1), fget(3, 5), fget(3, 7), fget(3, 6)})
end)
it('should return false for unset sprite flag (just to simplify simulation without setup)', function ()
assert.are_same({false, false, false, false}, {fget(1, 1), fget(2, 5), fget(4, 7), fget(5, 6)})
end)
it('should return false for unset sprite flag (just to simplify simulation without setup)', function ()
assert.are_same({false, false, false, false}, {fget(1, 1), fget(2, 5), fget(4, 7), fget(5, 6)})
end)
it('should return false for any flag for a sprite id outside [0-255]', function ()
assert.are_same({false, false}, {fget(-1, 1), fget(256, 10)})
end)
end)
describe('fset', function ()
after_each(function ()
pico8.spriteflags[3] = 0
end)
it('should set the sprite flags for the passed sprite id', function ()
fset(3, 0xa2)
assert.are_equal(0xa2, fget(3))
end)
it('should set a specific sprite flag on a passed sprite id', function ()
fset(3, 1, false)
fset(3, 3, true)
fset(3, 5, true)
fset(3, 7, true)
fset(3, 7, false)
assert.are_same({false, true, true, false, false}, {fget(3, 1), fget(3, 3), fget(3, 5), fget(3, 6), fget(3, 7)})
end)
end)
describe('sget', function ()
it('should return 0 (no simulation)', function ()
assert.are_equal(0, sget(3))
end)
end)
describe('music', function ()
it('should set the current music with defaults', function ()
music(4, 14, 6)
assert.are_same({music=4, fadems=14, channel_mask=6}, pico8.current_music)
music(7)
assert.are_same({music=7, fadems=0, channel_mask=0}, pico8.current_music)
end)
it('should reset the current music with -1', function ()
music(-1)
assert.is_nil(pico8.current_music)
end)
it('should fallback to music pattern 0 if < -1 is passed', function ()
music(-2)
assert.are_same({music=0, fadems=0, channel_mask=0}, pico8.current_music)
end)
end)
describe('(memory setup)', function ()
before_each(function ()
pico8.poked_addresses[4] = 0xa2
pico8.poked_addresses[5] = 0x00
pico8.poked_addresses[6] = 0x10
pico8.poked_addresses[7] = 0x01
pico8.poked_addresses[8] = 0x00
pico8.poked_addresses[9] = 0x00
pico8.poked_addresses[10] = 0x00
pico8.poked_addresses[11] = 0x00
pico8.poked_addresses[12] = 0x14
pico8.poked_addresses[13] = 0xde
pico8.poked_addresses[14] = 0x48
pico8.poked_addresses[15] = 0x3a
pico8.poked_addresses[16] = 0xc5
pico8.poked_addresses[17] = 0x97
pico8.poked_addresses[18] = 0xb2
pico8.poked_addresses[19] = 0x01
end)
after_each(function ()
clear_table(pico8.poked_addresses)
end)
describe('peek', function ()
it('should return the memory at the address', function ()
assert.are_equal(0xa2, peek(4))
end)
end)
describe('poke', function ()
it('should set the memory at the address', function ()
poke(4, 0xb3)
assert.are_equal(0xb3, peek(4))
end)
end)
describe('peek4', function ()
it('should return the batch memory at the address', function ()
assert.are_equal(0x0110.00a2, peek4(4))
end)
end)
describe('poke4', function ()
it('should set the batch memory at the address', function ()
poke4(4, 0x12bc.30b3)
assert.are_equal(0x12bc.30b3, peek4(4))
assert.are_same({0x12, 0xbc, 0x30, 0xb3}, {peek(7), peek(6), peek(5), peek(4)})
end)
end)
describe('memcpy', function ()
it('should copy the memory at the address for length', function ()
memcpy(8, 4, 4)
assert.are_equal(0x0110.00a2, peek4(4))
assert.are_equal(0x0110.00a2, peek4(8))
end)
it('should copy the memory at the address for length to address earlier in memory with overlap', function ()
memcpy(8, 12, 8)
assert.are_equal(0x01b2.97c5, peek4(16))
assert.are_equal(0x01b2.97c5, peek4(12))
assert.are_equal(0x3a48.de14, peek4(8))
end)
it('should do nothing if len < 1 or dest_addr == source_addr', function ()
memcpy(8, 12, 0)
memcpy(8, 8, 0)
assert.are_equal(0x0, peek4(8))
end)
end)
describe('memset', function ()
it('should set the same byte in memory at the address along length', function ()
memset(8, 0x24, 4)
assert.are_equal(0x2424.2424, peek4(8))
end)
it('should do nothing if len < 1', function ()
memset(8, 0x24, 0)
assert.are_equal(0x0, peek4(8))
end)
end)
end)
describe('rnd', function ()
it('should return a number between 0 and 1 by default', function ()
assert.is_true(0 <= rnd())
assert.is_true(rnd() < 1)
end)
it('should return a number between 0 and x (positive)', function ()
assert.is_true(0 <= rnd(10))
assert.is_true(rnd() < 10)
end)
-- negative input returns a random float from MIN to MAX, but this is undocumented
-- below: new rnd(array) added in v0.2.0d
it('should return nil if the table is empty', function ()
assert.is_nil(rnd({}))
end)
it('should return the single table element if of length 1', function ()
assert.are_equal(146, rnd({146}))
end)
-- testing a random function is hard, so stub math.random
-- with the two extreme cases
describe('(math.random returns lower bound)', function ()
setup(function ()
stub(math, "random", function (upper)
return 1
end)
end)
teardown(function ()
math.random:revert()
end)
it('should return the first element', function ()
assert.are_equal(100, rnd({100, 200, 300}))
end)
end)
describe('(math.random returns upper bound)', function ()
setup(function ()
stub(math, "random", function (upper)
return upper
end)
end)
teardown(function ()
math.random:revert()
end)
it('should return the last element', function ()
assert.are_equal(300, rnd({100, 200, 300}))
end)
end)
end)
describe('srand', function ()
local randomseed_stub
setup(function ()
randomseed_stub = stub(math, "randomseed")
end)
teardown(function ()
randomseed_stub:revert()
end)
after_each(function ()
randomseed_stub:clear()
end)
it('should call math.randomseed', function ()
srand(0x.425a)
assert.spy(randomseed_stub).was_called(1)
assert.spy(randomseed_stub).was_called_with(0x425a)
end)
end)
describe('flr', function ()
it('should return a floored value', function ()
assert.are_same({2, 5, -4}, {flr(2), flr(5.5), flr(-3.1)})
end)
it('should return 0 by default', function ()
assert.are_equal(0, flr())
end)
end)
describe('ceil', function ()
it('should return a ceiled value', function ()
assert.are_same({-1, 6, -3}, {ceil(-1), ceil(5.5), ceil(-3.1)})
end)
it('should return 0 by default', function ()
assert.are_equal(0, ceil())
end)
end)
describe('sgn', function ()
it('should return 1 for a positive value', function ()
assert.are_equal(1, sgn(1.5))
end)
it('should return 1 for 0', function ()
assert.are_equal(1, sgn(0))
end)
it('should return -1 for a negative value', function ()
assert.are_equal(-1, sgn(-1.5))
end)
end)
describe('min', function ()
it('should return the minimum of two values', function ()
assert.are_equal(-4, min(-4, 1.5))
assert.are_equal(1.5, min(5, 1.5))
end)
it('should return 0 by default', function ()
assert.are_equal(0, min())
end)
end)
describe('max', function ()
it('should return the maximum of two values', function ()
assert.are_equal(1.5, max(-4, 1.5))
end)
it('should return 0 by default', function ()
assert.are_equal(0, max())
end)
end)
describe('mid', function ()
it('should return the mid of 3 values', function ()
assert.are_equal(1.5, mid(3, -4, 1.5))
assert.are_equal(3, mid(3, 5, 1.5))
assert.are_equal(2, mid(3, 2, 1.5))
end)
end)
describe('cos', function ()
it('should return 1 by default (0 angle)', function ()
assert.are_equal(1, cos())
end)
it('should return 1 for 0 turn ratio', function ()
assert.are_equal(1, cos(0))
end)
it('should return 0 for 0.25 turn ratio', function ()
assert.is_true(almost_eq_with_message(0, cos(0.25)))
end)
it('should return -1 for 0.5 turn ratio', function ()
assert.is_true(almost_eq_with_message(-1, cos(0.5)))
end)
it('should return 0 for 0.75 turn ratio', function ()
assert.is_true(almost_eq_with_message(0, cos(0.75)))
end)
it('should return 1 for 1 turn ratio', function ()
assert.is_true(almost_eq_with_message(1, cos(1)))
end)
end)
describe('sin (clockwise)', function ()
it('should return 0 by default (0 angle)', function ()
assert.are_equal(0, sin())
end)
it('should return 0 for 0 turn ratio', function ()
assert.are_equal(0, sin(0))
end)
it('should return -1 for 0.25 turn ratio', function ()
assert.is_true(almost_eq_with_message(-1, sin(0.25)))
end)
it('should return 0 for 0.5 turn ratio', function ()
assert.is_true(almost_eq_with_message(0, sin(0.5)))
end)
it('should return 1 for 0.75 turn ratio', function ()
assert.is_true(almost_eq_with_message(1, sin(0.75)))
end)
it('should return 0 for 1 turn ratio', function ()
assert.is_true(almost_eq_with_message(0, sin(1)))
end)
end)
describe('atan2 (clockwise)', function ()
it('should return 0 for (1, 0)', function ()
assert.is_true(almost_eq_with_message(0, atan2(1, 0)))
end)
it('should return 0.875 for (1, 1)', function ()
assert.is_true(almost_eq_with_message(0.875, atan2(1, 1)))
end)
it('should return 0.75 for (0, 1)', function ()
assert.is_true(almost_eq_with_message(0.75, atan2(0, 1)))
end)
it('should return 0.625 for (-1, 1)', function ()
assert.is_true(almost_eq_with_message(0.625, atan2(-1, 1)))
end)
it('should return.0.5 for (-1, 0)', function ()
assert.is_true(almost_eq_with_message(0.5, atan2(-1, 0)))
end)
it('should return 0.375 for (-1, -1)', function ()
assert.is_true(almost_eq_with_message(0.375, atan2(-1, -1)))
end)
it('should return 0.25 for (0, -1)', function ()
assert.is_true(almost_eq_with_message(0.25, atan2(0, -1)))
end)
it('should return 0.125 for (1, -1)', function ()
assert.is_true(almost_eq_with_message(0.125, atan2(1, -1)))
end)
it('should return 0.875 for (99, 99)', function ()
assert.is_true(almost_eq_with_message(0.875, atan2(99, 99)))
end)
it('should return 0.25 for (0, 0) (special case, equivalent to (0, -1))', function ()
assert.is_true(almost_eq_with_message(0.25, atan2(0, 0)))
end)
end)
describe('band', function ()
it('should return binary and result', function ()
assert.are_equal(0xa0, band(0xa2, 0xa0))
assert.are_equal(0, band(0xa2, 0x01))
end)
it('should return binary or result', function ()
assert.are_equal(0xa2, bor(0xa2, 0xa0))
assert.are_equal(0xa3, bor(0xa2, 0x01))
end)
it('should return binary xor result', function ()
assert.are_equal(0x2, bxor(0xa2, 0xa0))
assert.are_equal(0xa3, bxor(0xa2, 0x01))
assert.are_equal(0xa2, bxor(0xa3, 0x01))
end)
-- be careful, as native Lua doesn't use the same float representation
-- we simulate what we can in pico8api but negative values will appear differently
-- so instead of playing with ffff... we use the minus sign for testing
it('should return binary not result', function ()
assert.are_equal(-0xb.0001, bnot(0xb))
end)
it('should return binary shl result', function ()
assert.are_equal(0xa200, shl(0xa2, 8))
end)
it('should return binary right arithmetic shift result', function ()
assert.are_equal(0x2, shr(0x200, 8))
assert.are_equal(0xffa2, shr(0xa200, 8))
end)
it('should return binary right logical shift result', function ()
assert.are_equal(0xa2, lshr(0xa200, 8))
end)
it('should return binary rol result', function ()
assert.are_equal(0x0000.0f00, rotl(0xf000.0000, 12))
end)
it('should return binary ror result', function ()
assert.are_equal(0xf000.0000, rotr(0x0000.0f00, 12))
end)
end)
describe('time', function ()
setup(function ()
pico8.frames = 120
end)
teardown(function ()
pico8.frames = 0
end)
it('should return the time in sec', function ()
assert.are_equal(2, time())
end)
end)
describe('buttons', function ()
setup(function ()
pico8.keypressed[0] = {
[0] = true, -- left
false, -- right
true, -- up
false, -- down
false, -- o
false -- x
}
pico8.keypressed[1] = {
[0] = false, -- left
false, -- right
true, -- up
true, -- down
false, -- o
true -- x
}
end)
teardown(function ()
clear_table(pico8.keypressed[0])
clear_table(pico8.keypressed[1])
end)
after_each(function ()
pico8.keypressed.counter = 0
end)
describe('btn', function ()
it('should return the pressed buttons bitfield for both players with no arguments', function ()
assert.are_equal(1 << 0 | 1 << 2 | 1 << (8+2)| 1 << (8+3) | 1 << (8+5), btn())
end)
it('should return whether a player pressed a button (player 0 by default)', function ()
assert.is_true(btn(2))
assert.is_false(btn(1))
end)
it('should return whether a player pressed a button', function ()
assert.is_true(btn(2, 0))
assert.is_true(btn(5, 1))
assert.is_false(btn(5, 2))
end)
end)
describe('btnp', function ()
it('should return the just pressed buttons bitfield for both players with no arguments', function ()
pico8.keypressed.counter = 1
assert.are_equal(1 << 0 | 1 << 2 | 1 << (8+2)| 1 << (8+3) | 1 << (8+5), btnp())
pico8.keypressed.counter = 0
assert.are_equal(0x0, btnp())
end)
it('should return whether a player pressed a button (player 0 by default)', function ()
pico8.keypressed.counter = 1
assert.is_true(btnp(2))
assert.is_false(btnp(1))
pico8.keypressed.counter = 0
assert.is_false(btnp(2))
end)
it('should return whether a player pressed a button', function ()
pico8.keypressed.counter = 1
assert.is_true(btnp(2, 0))
assert.is_true(btnp(5, 1))
assert.is_false(btnp(5, 2))
pico8.keypressed.counter = 0
assert.is_false(btnp(2, 0))
assert.is_false(btnp(5, 1))
end)
end)
end)
describe('cartridge data', function ()
before_each(function ()
pico8.cartdata[60] = 468
end)
after_each(function ()
pico8.cartdata[60] = nil
end)
describe('dget', function ()
it('should return persistent cartridge data at the given index', function ()
assert.are_equal(468, dget(60))
end)
it('should return nil for index out of range', function ()
assert.is_nil(dget(70))
end)
end)
describe('dset', function ()
it('should set persistent cartridge data at the given index', function ()
dset(60, 42)
assert.are_equal(42, dget(60))
end)
it('should do nothing if index is out of range', function ()
dset(70, 42)
assert.is_nil(pico8.cartdata[70])
end)
end)
end)
describe('stat data', function ()
setup(function ()
pico8.memory_usage = 124
pico8.total_cpu = 542
pico8.system_cpu = 530
pico8.clipboard = "nice"
pico8.mousepos.x = 78
pico8.mousepos.y = 54
pico8.mousebtnpressed = {false, true, false}
pico8.mwheel = -2
end)
after_each(function ()
pico8.cartdata[60] = nil
end)
describe('stat', function ()
it('0: memory usage', function ()
assert.are_equal(124, stat(0))
end)
it('1: total cpu', function ()
assert.are_equal(542, stat(1))
end)
it('2: system cpu', function ()
assert.are_equal(530, stat(2))
end)
it('4: clipboard', function ()
assert.are_equal("nice", stat(4))
end)
it('6: 0 (load param not supported)', function ()
assert.are_equal(0, stat(6))
end)
it('7-9: fps (don\'t mind variants)', function ()
assert.are_equal(60, stat(7))
assert.are_equal(60, stat(8))
assert.are_equal(60, stat(9))
end)
it('16-23: 0 (audio channels not supported)', function ()
assert.are_equal(0, stat(20))
end)
it('30: 0 (devkit keyboard not supported)', function ()
assert.are_equal(0, stat(30))
end)
it('31: "" (devkit keyboard not supported)', function ()
assert.are_equal("", stat(31))
end)
it('32-33: mouse position', function ()
assert.are_same({78, 54}, {stat(32), stat(33)})
end)
it('31: "" (devkit keyboard not supported)', function ()
assert.are_equal("", stat(31))
end)
it('34: devkit mouse bitfield', function ()
assert.are_equal(2, stat(34))
end)
it('34: devkit mousewheel speed', function ()
assert.are_equal(-2, stat(36))
end)
it('80-85: utc time', function ()
assert.are_equal(os.date("!*t")["year"], stat(80))
end)
it('90-95: local time', function ()
assert.are_equal(os.date("*t")["year"], stat(90))
end)
it('100: nil (load breadcrumb not supported)', function ()
assert.is_nil(stat(100))
end)
it('other: 0', function ()
assert.are_equal(0, stat(257))
end)
end) -- stat
end) -- stat data
describe('ord', function ()
it('nil => error (unlike pico8 which returns nothing, for better debug)', function ()
assert.has_error(function ()
ord()
end)
end)
it('{} => error (unlike pico8 which returns nothing, for better debug)', function ()
assert.has_error(function ()
ord({})
end)
end)
it('"" => error (unlike pico8 which returns nothing, for better debug)', function ()
assert.has_error(function ()
ord({})
end)
end)
it('"a" => 97', function ()
assert.are_equal(97, ord("a"))
end)
it('"ab", 1 => 97', function ()
assert.are_equal(97, ord("ab", 1))
end)
it('"ab", 2 => 98', function ()
assert.are_equal(98, ord("ab", 2))
end)
it('12, 1 => 49', function ()
assert.are_equal(49, ord(12, 1))
end)
it('12, 2 => 50', function ()
assert.are_equal(50, ord(12, 2))
end)
it('ord(chr(255)) => 255', function ()
assert.are_equal(255, ord(chr(255)))
end)
end)
describe('chr', function ()
it('nil => error (unlike pico8 which returns "\0", for better debug)', function ()
assert.has_error(function ()
chr()
end)
end)
it('{} => error (unlike pico8 which returns "\0", for better debug)', function ()
assert.has_error(function ()
chr({})
end)
end)
it('"" => error (unlike pico8 which returns "\0", for better debug)', function ()
assert.has_error(function ()
chr()
end)
end)
it('97 => "a"', function ()
assert.are_equal("a", chr(97))
end)
it('" 97 " => "a"', function ()
assert.are_equal("a", chr(" 97 "))
end)
it('256 + 97 => "a"', function ()
assert.are_equal("a", chr(256+97))
end)
it('chr(ord("a")) => "a', function ()
assert.are_equal("a", chr(ord("a")))
end)
end)
describe('all', function ()
it('should return an iterator function over a sequence', function ()
local t = {4, 5, 9}
local result = {}
for value in all(t) do
result[#result+1] = value
end
assert.are_same(t, result)
end)
it('should return an empty iterator for nil', function ()
for value in all(nil) do
-- should never be called
assert.is_true(false)
end
end)
it('should return an empty iterator for an empty sequence', function ()
for value in all({}) do
-- should never be called
assert.is_true(false)
end
end)
end)
describe('foreach', function ()
it('should apply a callback function to a sequence', function ()
local t = {4, 5, 9}
local result = {}
foreach(t, function (value)
result[#result+1] = value
end)
assert.are_same(t, result)
end)
end)
describe('count', function ()
it('should return the number of non-nil elements in a sequence', function ()
local t = {1, 2, 3, 4, nil}
assert.are_equal(4, count(t))
end)
end)
describe('add', function ()
it('should add an element in a sequence', function ()
local t = {1, 2, 3, 4}
add(t, 5)
assert.are_same({1, 2, 3, 4, 5}, t)
end)
-- we are not testing the behavior when the passed table is nil, as it does nothing in PICO-8,
-- but asserts in our implementation to help debugging
end)
describe('del', function ()
it('should remove an element from a sequence', function ()
local t = {1, 2, 3, 4}
del(t, 2)
assert.are_same({1, 3, 4}, t)
end)
it('should remove an element from a sequence (by equality)', function ()
local t = {1, 2, vector(4, 5), 4}
del(t, vector(4, 5))
assert.are_same({1, 2, 4}, t)
end)
end)
describe('printh', function ()
-- caution: this will hide *all* native prints, including debug logs
-- so we only do this for the utests that really need it
describe('(stubbing print)', function ()
local native_print_stub
setup(function ()
native_print_stub = stub(_G, "print") -- native print
end)
teardown(function ()
native_print_stub:revert()
end)
after_each(function ()
native_print_stub:clear()
end)
it('should call native print', function ()
printh("hello")
assert.spy(native_print_stub).was_called(1)
assert.spy(native_print_stub).was_called_with("hello")
end)
end)
describe('(with temp file', function ()
-- in general we should use os.tmpname, but because of the fact
-- that printh prints to a log folder, we prefer using a custom path
-- make sure to use a temp dir name that is not an actual folder in the project
local temp_dirname = "_temp"
local temp_file_basename = "temp"
local temp_filepath = temp_dirname.."/"..temp_file_basename..".txt"
local temp_file = nil
local function is_dir(dirpath)
local attr = lfs.attributes(dirpath)
return attr and attr.mode == "directory"
end
-- https://stackoverflow.com/questions/37835565/lua-delete-non-empty-directory
local function remove_dir_recursive(dirpath)
for file in lfs.dir(dirpath) do
local file_path = dirpath..'/'..file
if file ~= "." and file ~= ".." then
if lfs.attributes(file_path, 'mode') == 'file' then
os.remove(file_path)
elseif lfs.attributes(file_path, 'mode') == 'directory' then
-- just a safety net (if you apply coverage to utest files you'll see it's never called)
remove_dir_recursive(file_path)
end
end
end
lfs.rmdir(dirpath)
end
local function remove_if_exists(path)
local attr = lfs.attributes(path)
if attr then
if attr.mode == "directory" then
remove_dir_recursive(path)
else
os.remove(path)
end
end
end
local function get_lines(file)
local lines = {}
for line in file:lines() do
add(lines, line)
end
return lines
end
before_each(function ()
remove_if_exists(temp_dirname)
end)
after_each(function ()
if temp_file then
-- an error occurred (maybe the assert failed) and the temp file wasn't closed and set to nil
-- this is never called in working tests
print("WARNING: emergency close needed, the last write operation likely failed")
temp_file:close()
end
remove_if_exists(temp_dirname)
end)
it('should create log directory if it doesn\'t exist', function ()
printh("hello", temp_file_basename, true, temp_dirname)
assert.is_true(is_dir(temp_dirname))
end)
it('should assert if a non-directory "log" already exists', function ()
local f,error = io.open(temp_dirname, "w")
f:close()
assert.has_error(function ()
printh("hello", temp_file_basename, true, temp_dirname)
end, "'_temp' is not a directory but a file")
end)
it('should overwrite a file with filepath and true', function ()
printh("hello", temp_file_basename, true, temp_dirname)
temp_file = io.open(temp_filepath)
assert.is_not_nil(temp_file)
assert.are_same({"hello"}, get_lines(temp_file))
temp_file = nil
end)
it('should append to a file with filepath and false', function ()
lfs.mkdir(temp_dirname)
temp_file = io.open(temp_filepath, "w")
temp_file:write("hello1\n")
temp_file:close()
temp_file = nil
printh("hello2", temp_file_basename, false, temp_dirname)
temp_file = io.open(temp_filepath)
assert.is_not_nil(temp_file)
assert.are_same({"hello1", "hello2"}, get_lines(temp_file))
temp_file = nil
end)
it('should append to a file with filepath and false, adding newline at the end', function ()
printh("hello1", temp_file_basename, false, temp_dirname)
printh("hello2", temp_file_basename, false, temp_dirname)
printh("hello3", temp_file_basename, false, temp_dirname)
temp_file = io.open(temp_filepath)
assert.is_not_nil(temp_file)
assert.are_same({"hello1", "hello2", "hello3"}, get_lines(temp_file))
temp_file = nil
end)
end)
end)
end)
|
function onBeatHit()
if curBeat == 32 then
setProperty('defaultCamZoom', 0.7);
doTweenAlpha('lightTween', 'vignette2', 0, 1, 'circOut')
end
end
function onStartCountdown()
makeLuaSprite('vignette2', 'vignette', 0, 0)
setScrollFactor('vignette2', 0, 0)
setObjectCamera('vignette2', 'hud')
addLuaSprite('vignette2', true)
return Function_Continue;
end
|
local TYPE="double" --define the type for computations
local root=love.filesystem.getSourceBaseDirectory()
return {
runtime={
initial_pop_size=10,
max_pop_size=math.huge,--the maximum size the population will grow to. If this size is hit, the weakest members of the population will all be killed off each epoch. math.huge=infinity
add_node_p=.1,
memory_node_p=.1,--probability given a node is added that it is a memory node (new input-output pair)
change_node_p=.05,
add_link_p=.1,
change_link_p=.1,
spontaneous_combustion=.0001,--chance a member of the population will randomly die
network_distance={'monte carlo'},--network distance must be a table with first element the method name and remaining elements named options [currently supports: 'monte carlo', ]
memory_activation={'sigmoid'}, --table of output activations for memory nodes to be chosen from randomly
mating_method={'average', type='fitness'} --[[method that will be used when mating two networks. average [types: fitness- weighted average proportional to fitness]: takes a weighted average of the activations and link weights
]]
},
version='0.0.1',
basic_path="C:/Prometheus/Prometheus.love/Basic",
blas_path=root.."/Prometheus.love/OpenBLAS",
opencl_path=root.."/Prometheus.love/OpenCL",
root=root,
TYPE=TYPE
}
|
--[[
Name: cl_init.lua
For: SantosRP
By: TalosLife
]]--
include "shared.lua"
function ENT:Initialize()
self.m_vecScreenPos = Vector( -10.6, -12.68, 17.174713 )
self.m_angScreenAng = Angle( 0, 90, 76.45 )
self.m_vecCamPos = Vector( 4.881836, 0.503906, 12.813683 )
self.m_angCamAng = Angle( 13.858, -179.99, 0 )
self.m_pnlMenu = vgui3D.Create( "SRPComputer_Desktop" )
self.m_pnlMenu:SetSize( 800, 515 ) --800x515
self.m_pnlMenu:SetPos( self.m_pnlMenu:GetWide() *-1 -1, self.m_pnlMenu:GetTall() *-1 -1 )
self.m_pnlMenu:SetEntity( self )
self.m_pnlMenu:SetPaintedManually( true )
self.m_pnlMenu:SetMouseInputEnabled( false )
self:ChildInit()
end
function ENT:ChildInit()
end
local function ClearInput( ent )
if vgui3D.GetInputWindows()[ent.m_pnlMenu] then
ent.m_pnlMenu:OnInputLost()
end
vgui3D.GetInputWindows()[ent.m_pnlMenu] = nil
end
local function EnableInput( ent )
if not vgui3D.GetInputWindows()[ent.m_pnlMenu] then
ent.m_pnlMenu:OnInputGained()
end
vgui3D.GetInputWindows()[ent.m_pnlMenu] = true
end
local function RenderMenu( ent )
if not ValidPanel( ent.m_pnlMenu ) then return end
local angs = ent:LocalToWorldAngles( ent.m_angScreenAng )
local pos = ent:LocalToWorld( ent.m_vecScreenPos )
local zmode
if vgui3D.GetInputWindows()[ent.m_pnlMenu] then
cam.IgnoreZ( true )
zmode = true
end
vgui3D.Start3D2D( pos, angs, 0.031875 )
vgui3D.Paint3D2D( ent.m_pnlMenu )
vgui3D.End3D2D()
if zmode then
cam.IgnoreZ( false )
end
end
function ENT:Draw()
self:DrawModel()
if self:GetPos():DistToSqr( LocalPlayer():EyePos() ) > self.m_intMaxRenderRange ^2 then
return
end
local old = render.GetToneMappingScaleLinear()
render.SetToneMappingScaleLinear( Vector(1, 1, 1) )
render.SuppressEngineLighting( true )
--render.PushFilterMag( 3 )
--render.PushFilterMin( 3 )
RenderMenu( self )
--render.PopFilterMag()
--render.PopFilterMin()
render.SuppressEngineLighting( false )
render.SetToneMappingScaleLinear( old )
end
-- Netcode
-- ----------------------------------------------------------------
GAMEMODE.Net:RegisterEventHandle( "ent", "comp_use", function( intMsgLen, pPlayer )
local currentComp = net.ReadEntity()
if not IsValid( currentComp ) then return end
local numApps = net.ReadUInt( 8 )
local apps = {}
if numApps > 0 then
for i = 1, numApps do
local appName = net.ReadString()
apps[appName] = GAMEMODE.Apps:GetComputerApp( appName )
end
end
GAMEMODE.CiniCam:JumpFromToFollow( currentComp, LocalPlayer():EyePos(), EyeAngles(), LocalPlayer():GetFOV(),
currentComp.m_vecCamPos,
currentComp.m_angCamAng,
LocalPlayer():GetFOV(),
1,
function()
end
)
EnableInput( currentComp )
if ValidPanel( currentComp.m_pnlMenu ) then
currentComp.m_pnlMenu:OnPlayerOpenMenu( pPlayer, currentComp, apps )
end
g_ActiveComputer = currentComp
end )
GAMEMODE.Net:RegisterEventHandle( "ent", "comp_quit", function( intMsgLen, pPlayer )
GAMEMODE.CiniCam:ClearCamera()
local currentComp = net.ReadEntity()
if not IsValid( currentComp ) then return end
ClearInput( currentComp )
g_ActiveComputer = nil
end )
function GAMEMODE.Net:RequestQuitComputerUI()
self:NewEvent( "ent", "comp_rquit" )
self:FireEvent()
end
local pmeta = debug.getregistry().Player
function pmeta:IsUsingComputer()
return IsValid( g_ActiveComputer )
end
function pmeta:GetActiveComputer()
return g_ActiveComputer
end
|
nut.crafting = nut.crafting or {}
nut.crafting.list = nut.crafting.list or {}
function nut.crafting.loadFromDir(directory)
for k, v in ipairs(file.Find(directory.."/*.lua", "LUA")) do
local niceName = v:sub(4, -5)
CRAFTING = nut.crafting.list[niceName] or {}
if (PLUGIN) then
CRAFTING.plugin = PLUGIN.uniqueID
end
CRAFTING.name = CRAFTING.name or ""
CRAFTING.recipe = CRAFTING.recipe or {}
CRAFTING.result = CRAFTING.result or {}
nut.util.include(directory.."/"..v)
nut.crafting.list[niceName] = CRAFTING
CRAFTING = nil
end
end
hook.Add("DoPluginIncludes", "nutCraftingLib", function(path)
nut.crafting.loadFromDir(path.."/recipes")
end)
|
--Libromancer Bonded
--Script by Lyris12
local s,id,o=GetID()
function s.initial_effect(c)
aux.AddCodeList(c,45001322,101108087)
--ritual summon
aux.AddRitualProcGreater(c,aux.FilterBoolFunction(Card.IsSetCard,0x17c),LOCATION_HAND,nil,nil,false,s.extraop)
end
function s.filter(c)
return c:IsCode(45001322) and c:IsPreviousLocation(LOCATION_ONFIELD)
end
function s.extraop(e,tp,eg,ep,ev,re,r,rp,tc,mat)
if not (tc and tc:IsCode(101108087) and mat:IsExists(s.filter,1,nil)) then return end
local c=e:GetHandler()
local e1=Effect.CreateEffect(c)
e1:SetDescription(aux.Stringid(id,0))
e1:SetProperty(EFFECT_FLAG_CLIENT_HINT)
e1:SetType(EFFECT_TYPE_SINGLE)
e1:SetCode(EFFECT_INDESTRUCTABLE_EFFECT)
e1:SetReset(RESET_EVENT+RESETS_STANDARD)
e1:SetValue(1)
tc:RegisterEffect(e1)
local e2=Effect.CreateEffect(c)
e2:SetType(EFFECT_TYPE_FIELD)
e2:SetCode(EFFECT_CANNOT_REMOVE)
e2:SetRange(LOCATION_MZONE)
e2:SetProperty(EFFECT_FLAG_PLAYER_TARGET)
e2:SetTargetRange(1,1)
e2:SetTarget(s.rmlimit)
e2:SetReset(RESET_EVENT+RESETS_STANDARD)
tc:RegisterEffect(e2)
end
function s.rmlimit(e,c,tp,r,re)
return c==e:GetHandler() and r&REASON_EFFECT>0
end
|
-- This is the optimized version.
local Queue = {}
Queue.ClassName = "Queue"
Queue.__index = Queue
function Queue.new()
return setmetatable({
Head = nil;
Tail = nil;
}, Queue)
end
function Queue:Push(Value)
local Entry = {
Value = Value;
Next = nil;
}
local Tail = self.Tail
if Tail ~= nil then
Tail.Next = Entry
end
self.Tail = Entry
if self.Head == nil then
self.Head = Entry
end
end
function Queue:Pop()
local Head = self.Head
if Head == nil then
return nil
end
local Value = Head.Value
self.Head = Head.Next
return Value
end
function Queue:__tostring()
return "Queue"
end
export type Queue = typeof(Queue.new())
table.freeze(Queue)
return Queue
|
return {
name = 'HintingMode',
description = 'True Type hinting mode.',
constants = {
{
name = 'normal',
description = 'Default hinting. Should be preferred for typical antialiased fonts.',
},
{
name = 'light',
description = 'Results in fuzzier text but can sometimes preserve the original glyph shapes of the text better than normal hinting.',
},
{
name = 'mono',
description = 'Results in aliased / unsmoothed text with either full opacity or completely transparent pixels. Should be used when antialiasing is not desired for the font.',
},
{
name = 'none',
description = 'Disables hinting for the font. Results in fuzzier text.',
},
},
}
|
local Nightmare = {}
local Theme = require'nightmare.theme'
local highlight = function(group, color)
local fg = color.fg and 'guifg=' .. color.fg or 'guifg=NONE'
local bg = color.bg and 'guibg=' .. color.bg or 'guibg=NONE'
local style = color.style and 'gui=' .. color.style or 'gui=NONE'
local sp = color.sp and 'guisp=' .. color.sp or ''
vim.api.nvim_command(string.format(
'highlight %s %s %s %s %s',
group, fg, bg, style, sp
))
end
function Nightmare.apply()
vim.api.nvim_command('highlight clear')
if vim.fn.exists('syntax_on') then
vim.api.nvim_command('syntax reset')
end
vim.o.background = 'dark'
vim.o.termguicolors = true
vim.g.colors_name = 'nightmare'
local async
async = vim.loop.new_async(
vim.schedule_wrap(
function ()
Theme.terminal()
for group, color in pairs(Theme.plugins()) do
highlight(group, color)
end
for group, color in pairs(Theme.treesitter()) do
highlight(group, color)
end
for group, color in pairs(Theme.lsp()) do
highlight(group, color)
end
for group, color in pairs(Theme.filetypes()) do
highlight(group, color)
end
async:close()
end
)
)
for group, color in pairs(Theme.editor()) do
highlight(group, color)
end
for group, color in pairs(Theme.syntax()) do
highlight(group, color)
end
async:send()
end
return Nightmare
|
require "app.hotfix.hotfix"
|
circle_gizmo_mat =
{
passes =
{
base =
{
queue='opaque',
shader="debug",
--depthTest=false, --Don't use depth test false otherwise it doesn't render because of the skydome
depthFunc='always',
topology='lines'
}
},
}
|
print(const)
print('tos',tos())
s = slice()
--~ mt = debug.getmetatable(s)
--~ print(mt,mt.__index)
print("slice index",s[2],#s)
m = mapr()
print("map index",m.one,#m)
m.four = '4'
print(m.four,#m )
print(gotslice{10,20,30})
st = structz()
print("struct fields", st.Name,st.Age)
print("calling method",st.Method("h"),st.GetName())
any(10)
any("hello")
--any {5,2,3}
mapit ({one=1,two=2},{[2]="hello",[3]="dolly"})
-- mapit {one=1,two=2}
|
--[[
Copyright (c) 2015 Frank Edelhaeuser
This file is part of lua-mdns.
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
SOFTWARE.
]]--
local mdns = require('../mdns')
-- Query all MDNS printers
local res = mdns.query('_printer._tcp')
if (res) then
for k,v in pairs(res) do
print(k)
for k1,v1 in pairs(v) do
print(' '..k1..': '..v1)
end
end
else
print('no result')
end
|
ITEM.name = "Самогон из мандрагоры"
ITEM.desc = "Уникальный алкоголь."
ITEM.force = 90
ITEM.thirst = 15
ITEM.quantity = 3
|
--- @class GISave
--- The object used in the saverestore, mainly in saverestore.AddSaveHook.
--- It allows you to write blocks directly into the save game files used by Half-Life 2 save system when such save is being saved.
local GISave = {}
--- Ends current data block started with ISave:StartBlock and returns to the parent block.
--- To avoid all sorts of errors, you **must** end all blocks you start.
function GISave:EndBlock()
end
--- Starts a new block of data that you can write to inside current block. Blocks **must** be ended with ISave:EndBlock.
--- @param name string @Name of the new block
function GISave:StartBlock(name)
end
--- Writes an Angle to the save object.
--- @param ang GAngle @The angle to write.
function GISave:WriteAngle(ang)
end
--- Writes a boolean to the save object.
--- @param bool boolean @The boolean to write.
function GISave:WriteBool(bool)
end
--- Writes an Entity to the save object.
--- @param ent GEntity @The entity to write.
function GISave:WriteEntity(ent)
end
--- Writes a floating point number to the save object.
--- @param float number @The floating point number to write.
function GISave:WriteFloat(float)
end
--- Writes an integer number to the save object.
--- @param int number @The integer number to write.
function GISave:WriteInt(int)
end
--- Writes a string to the save object.
--- @param str string @The string to write
function GISave:WriteString(str)
end
--- Writes a Vector to the save object.
--- @param vec GVector @The vector to write.
function GISave:WriteVector(vec)
end
|
local Inventory, super = Class()
function Inventory:init()
self.storage_for_type = {}
self.storage_enabled = true
self:clear()
end
function Inventory:clear()
self.storages = {}
self.stored_items = {}
end
function Inventory:addItem(item, ignore_convert)
if type(item) == "string" then
item = Registry.createItem(item)
end
return self:addItemTo(self:getDefaultStorage(item, ignore_convert), item)
end
function Inventory:addItemTo(storage, index, item, allow_fallback)
if type(index) ~= "number" then
allow_fallback = item
item = index
index = nil
end
allow_fallback = (allow_fallback == nil and self.storage_enabled) or allow_fallback
local item_id, storage_id = item, storage
if type(item) == "string" then
item = Registry.createItem(item)
end
if type(storage) == "string" then
storage = self:getStorage(storage)
end
if item and storage then
if not index then
-- No index specified, find the next free slot
local free_storage, free_index = self:getNextIndex(storage, 1, allow_fallback)
return self:setItem(free_storage, free_index, item)
else
if index <= 0 or index > storage.max then
-- Index out of bounds
return
end
if storage.sorted then
if self:isFull(storage, allow_fallback) then
-- Attempt to insert into full storage
return
end
index = math.min(#storage + 1, index)
table.insert(storage, index, item)
if storage[storage.max + 1] then
-- Inserting pushed item out-of-bounds, move it to fallback storage
local overflow, overflow_index = self:getNextIndex(storage, storage.max + 1, allow_fallback)
if not overflow or not self:setItem(overflow, overflow_index, storage[storage.max + 1]) then
print("[WARNING] Deleted item by overflow - THIS SHOULDNT HAPPEN")
else
self:updateStoredItems(self:getStorage(overflow))
end
storage[storage.max + 1] = nil
end
self:updateStoredItems(storage)
return item
else
if storage[index] then
-- Attempt to add to non-empty slot
return
end
return self:setItem(storage, index, item)
end
end
end
end
function Inventory:getNextIndex(storage, index, allow_fallback)
allow_fallback = (allow_fallback == nil and self.storage_enabled) or allow_fallback
if type(storage) == "string" then
storage = self:getStorage(storage)
end
index = index or 1
while index <= storage.max do
if not storage[index] then
return storage.id, index
end
index = index + 1
end
if storage.fallback and allow_fallback then
return self:getNextIndex(storage.fallback, index - storage.max)
end
end
function Inventory:removeItem(item)
local stored = self.stored_items[item]
if type(item) == "string" then
for k,v in pairs(self.stored_items) do
if k.id == item then
stored = v
break
end
end
end
return self:removeItemFrom(stored.storage, stored.index)
end
function Inventory:removeItemFrom(storage, index)
if type(storage) == "string" then
storage = self:getStorage(storage)
end
if storage then
if not index or index <= 0 or index > storage.max then
return
elseif storage.sorted then
local item = table.remove(storage, index)
self:updateStoredItems(storage)
return item
else
local item = storage[index]
storage[index] = nil
self:updateStoredItems(storage)
return item
end
end
end
function Inventory:setItem(storage, index, item)
if type(storage) == "string" then
storage = self:getStorage(storage)
end
if type(item) == "string" then
item = Registry.createItem(item)
end
if storage then
if not index or index <= 0 or index > storage.max then
return
elseif storage.sorted then
index = math.min(#storage + 1, index)
if storage[index] then
table.remove(storage, index)
end
if item then
table.insert(storage, index, item)
end
self:updateStoredItems(storage)
return item
else
storage[index] = item
self:updateStoredItems(storage)
return item
end
end
end
function Inventory:updateStoredItems(storage)
if not storage then
for k,v in pairs(self.storages) do
self:updateStoredItems(v)
end
else
for k,v in pairs(self.stored_items) do
if v.storage == storage.id then
self.stored_items[k] = nil
end
end
for i = 1, storage.max do
if storage[i] then
self.stored_items[storage[i]] = {storage = storage.id, index = i}
end
end
end
end
function Inventory:getItemIndex(item)
if type(item) == "string" then
for k,v in pairs(self.stored_items) do
if k.id == item then
return v.storage, v.index
end
end
else
local stored = self.stored_items[item]
if stored then
return stored.storage, stored.index
end
end
end
function Inventory:replaceItem(item, new)
local storage, index = self:getItemIndex(item)
if storage and new then
return self:setItem(storage, index, new)
end
end
function Inventory:swapItems(storage1, index1, storage2, index2)
if type(storage1) == "string" then
storage1 = self:getStorage(storage1)
end
if type(storage2) == "string" then
storage2 = self:getStorage(storage2)
end
if storage1 and storage2 then
if not index1 or index1 <= 0 or index1 > storage1.max then
return
end
if not index2 or index2 <= 0 or index2 > storage2.max then
return
end
if storage1.sorted then
index1 = math.min(#storage1 + 1, index1)
end
if storage2.sorted then
index2 = math.min(#storage2 + 1, index2)
end
local item1 = storage1[index1]
local item2 = storage2[index2]
if storage1.sorted then
table.remove(storage1, index1)
if item2 then
table.insert(storage1, index1, item2)
end
else
storage1[index1] = item2
end
if storage2.sorted then
table.remove(storage2, index2)
if item1 then
table.insert(storage2, index2, item1)
end
else
storage2[index2] = item1
end
self:updateStoredItems(storage1)
if storage2 ~= storage1 then
self:updateStoredItems(storage2)
end
end
end
function Inventory:getItem(storage, index)
if type(storage) == "string" then
storage = self:getStorage(storage)
end
if storage then
return storage[index]
end
end
function Inventory:hasItem(item)
if type(item) == "string" then
for k,v in pairs(self.stored_items) do
if k.id == item then
return true, k
end
end
return false
else
return self.stored_items[item] ~= nil, item
end
end
function Inventory:getItemByID(item)
for k,v in pairs(self.stored_items) do
if k.id == item then
return k
end
end
end
function Inventory:isFull(storage, allow_fallback)
allow_fallback = (allow_fallback == nil and self.storage_enabled) or allow_fallback
if type(storage) == "string" then
storage = self:getStorage(storage)
end
if storage then
local full = false
if storage.sorted then
full = #storage >= storage.max
else
for i = 1, storage.max do
if not storage[i] then
return false
end
end
full = true
end
if full and storage.fallback and allow_fallback then
return self:isFull(storage.fallback, true)
end
return full
else
return true
end
end
function Inventory:getItemCount(storage, allow_fallback)
allow_fallback = (allow_fallback == nil and self.storage_enabled) or allow_fallback
if type(storage) == "string" then
storage = self:getStorage(storage)
end
if storage then
local count = 0
if storage.sorted then
count = #storage
else
for i = 1, storage.max do
if storage[i] then
count = count + 1
end
end
end
if storage.fallback and allow_fallback then
return count + self:getItemCount(storage.fallback, true)
end
return count
else
return 0
end
end
function Inventory:getFreeSpace(storage, allow_fallback)
allow_fallback = (allow_fallback == nil and self.storage_enabled) or allow_fallback
if type(storage) == "string" then
storage = self:getStorage(storage)
end
if storage then
local count = 0
if storage.sorted then
count = storage.max - #storage
else
for i = 1, storage.max do
if not storage[i] then
count = count + 1
end
end
end
if storage.fallback and allow_fallback then
return count + self:getFreeSpace(storage.fallback, true)
else
return count
end
end
return 0
end
function Inventory:tryGiveItem(item, ignore_convert)
if type(item) == "string" then
item = Registry.createItem(item)
end
local result = self:addItem(item, ignore_convert)
if result then
local destination = self:getStorage(self.stored_items[result].storage)
return true, "* ([color:yellow]"..item:getName().."[color:reset] was added to your [color:yellow]"..destination.name.."[color:reset].)"
else
local destination = self:getDefaultStorage(item)
return false, "* (You have too many [color:yellow]"..destination.name.."[color:reset] to take [color:yellow]"..item:getName().."[color:reset].)"
end
end
function Inventory:getDefaultStorage(item_type, ignore_convert)
if isClass(item_type) then -- Passing in an item
item_type = item_type.type
end
return self:getStorage(self.storage_for_type[item_type])
end
function Inventory:getStorage(type)
return self.storages[type]
end
function Inventory:load(data)
self:clear()
self.storage_enabled = data.storage_enabled or self.storage_enabled
data.storages = data.storages or {}
for id,storage in pairs(self.storages) do
if data.storages[id] then
self:loadStorage(storage, data.storages[id])
end
end
self:updateStoredItems()
end
function Inventory:save()
local data = {
storage_enabled = self.storage_enabled,
storages = {}
}
for id,storage in pairs(self.storages) do
data.storages[id] = self:saveStorage(storage)
end
return data
end
function Inventory:loadStorage(storage, data)
storage.max = data.max
for i = 1, storage.max do
local item = data.items[tostring(i)]
if item then
if Registry.getItem(item.id) then
storage[i] = Registry.createItem(item.id)
storage[i]:load(item)
else
print("LOAD ERROR: Could not load item \""..item.id.."\"")
end
end
end
end
function Inventory:saveStorage(storage)
local saved = {
max = storage.max,
items = {}
}
for i = 1, storage.max do
if storage[i] then
saved.items[tostring(i)] = storage[i]:save()
end
end
return saved
end
return Inventory
|
local ffi = require "ffi"
local C = ffi.C
local ffi_gc = ffi.gc
local ffi_new = ffi.new
local ffi_str = ffi.string
local floor = math.floor
require "resty.openssl.include.bn"
local crypto_macro = require("resty.openssl.include.crypto")
local format_error = require("resty.openssl.err").format_error
local _M = {}
local mt = {__index = _M}
local bn_ptr_ct = ffi.typeof('BIGNUM*')
function _M.new(bn)
local ctx = C.BN_new()
ffi_gc(ctx, C.BN_free)
if type(bn) == 'number' then
if C.BN_set_word(ctx, bn) ~= 1 then
return nil, format_error("bn.new")
end
elseif bn then
return nil, "expect nil or a number at #1"
end
return setmetatable( { ctx = ctx }, mt), nil
end
function _M.istype(l)
return l and l.ctx and ffi.istype(bn_ptr_ct, l.ctx)
end
function _M:to_binary()
local length = (C.BN_num_bits(self.ctx)+7)/8
-- align to bytes
length = floor(length)
local buf = ffi_new('unsigned char[?]', length)
local sz = C.BN_bn2bin(self.ctx, buf)
if sz == 0 then
return nil, format_error("bn:to_binary")
end
buf = ffi_str(buf, length)
return buf, nil
end
function _M:to_hex()
local buf = C.BN_bn2hex(self.ctx)
if buf == nil then
return nil, format_error("bn:to_hex")
end
local s = ffi_str(buf)
crypto_macro.OPENSSL_free(buf)
return s, nil
end
function _M.from_binary(s)
if type(s) ~= "string" then
return nil, "expect a string at #1"
end
local ctx = C.BN_bin2bn(s, #s, nil)
if ctx == nil then
return nil, format_error("bn.from_binary")
end
ffi_gc(ctx, C.BN_free)
return setmetatable( { ctx = ctx }, mt), nil
end
function _M.dup(ctx)
if not ffi.istype(bn_ptr_ct, ctx) then
return nil, "expect a bn ctx at #1"
end
local ctx = C.BN_dup(ctx)
ffi_gc(ctx, C.BN_free)
local self = setmetatable({
ctx = ctx,
}, mt)
return self, nil
end
return _M
|
local handler = require("handler")
local services = require("services")
services.call("backend")
handler.writeStatus(200)
handler.writeBody("from LUA!")
|
---------------------------------------------------------------------------
--
-- A circular progressbar wrapper.
--
-- If no child `widget` is set, then the radialprogressbar will take all the
-- available size. Use a `wibox.container.constraint` to prevent this.
--
--
-- @author Emmanuel Lepage Vallee <[email protected]>
-- @copyright 2013 Emmanuel Lepage Vallee
-- @classmod wibox.container.radialprogressbar
---------------------------------------------------------------------------
local setmetatable = setmetatable
local base = require("wibox.widget.base")
local shape = require("gears.shape" )
local gtable = require( "gears.table" )
local color = require( "gears.color" )
local beautiful = require("beautiful" )
local default_outline_width = 2
local radialprogressbar = { mt = {} }
--- The progressbar border background color.
-- @beautiful beautiful.radialprogressbar_border_color
--- The progressbar foreground color.
-- @beautiful beautiful.radialprogressbar_color
--- The progressbar border width.
-- @beautiful beautiful.radialprogressbar_border_width
--- The padding between the outline and the progressbar.
-- @beautiful beautiful.radialprogressbar_paddings
-- @tparam[opt=0] table|number paddings A number or a table
-- @tparam[opt=0] number paddings.top
-- @tparam[opt=0] number paddings.bottom
-- @tparam[opt=0] number paddings.left
-- @tparam[opt=0] number paddings.right
local function outline_workarea(self, width, height)
local border_width = self._private.border_width or
beautiful.radialprogressbar_border_width or default_outline_width
local x, y = 0, 0
-- Make sure the border fit in the clip area
local offset = border_width/2
x, y = x + offset, y+offset
width, height = width-2*offset, height-2*offset
return {x=x, y=y, width=width, height=height}, offset
end
-- The child widget area
local function content_workarea(self, width, height)
local padding = self._private.paddings or {}
local wa = outline_workarea(self, width, height)
wa.x = wa.x + (padding.left or 0)
wa.y = wa.y + (padding.top or 0)
wa.width = wa.width - (padding.left or 0) - (padding.right or 0)
wa.height = wa.height - (padding.top or 0) - (padding.bottom or 0)
return wa
end
-- Draw the radial outline and progress
function radialprogressbar:after_draw_children(_, cr, width, height)
cr:restore()
local border_width = self._private.border_width or
beautiful.radialprogressbar_border_width or default_outline_width
local wa = outline_workarea(self, width, height)
cr:translate(wa.x, wa.y)
-- Draw the outline
shape.rounded_bar(cr, wa.width, wa.height)
cr:set_source(color(self:get_border_color() or "#0000ff"))
cr:set_line_width(border_width)
cr:stroke()
-- Draw the progress
cr:set_source(color(self:get_color() or "#ff00ff"))
shape.radial_progress(cr, wa.width, wa.height, self._percent or 0)
cr:set_line_width(border_width)
cr:stroke()
end
-- Set the clip
function radialprogressbar:before_draw_children(_, cr, width, height)
cr:save()
local wa = content_workarea(self, width, height)
cr:translate(wa.x, wa.y)
shape.rounded_bar(cr, wa.width, wa.height)
cr:clip()
cr:translate(-wa.x, -wa.y)
end
-- Layout this layout
function radialprogressbar:layout(_, width, height)
if self._private.widget then
local wa = content_workarea(self, width, height)
return { base.place_widget_at(
self._private.widget, wa.x, wa.y, wa.width, wa.height
) }
end
end
-- Fit this layout into the given area
function radialprogressbar:fit(context, width, height)
if self._private.widget then
local wa = content_workarea(self, width, height)
local w, h = base.fit_widget(self, context, self._private.widget, wa.width, wa.height)
return wa.x + w, wa.y + h
end
return width, height
end
--- The widget to wrap in a radial proggressbar.
-- @property widget
-- @tparam widget widget The widget
function radialprogressbar:set_widget(widget)
if widget then
base.check_widget(widget)
end
self._private.widget = widget
self:emit_signal("widget::layout_changed")
end
--- Get the children elements
-- @treturn table The children
function radialprogressbar:get_children()
return {self._private.widget}
end
--- Replace the layout children
-- This layout only accept one children, all others will be ignored
-- @tparam table children A table composed of valid widgets
function radialprogressbar:set_children(children)
self._private.widget = children and children[1]
self:emit_signal("widget::layout_changed")
end
--- Reset this container.
function radialprogressbar:reset()
self:set_widget(nil)
end
for _,v in ipairs {"left", "right", "top", "bottom"} do
radialprogressbar["set_"..v.."_padding"] = function(self, val)
self._private.paddings = self._private.paddings or {}
self._private.paddings[v] = val
self:emit_signal("widget::redraw_needed")
self:emit_signal("widget::layout_changed")
end
end
--- The padding between the outline and the progressbar.
--
-- @property paddings
-- @tparam[opt=0] table|number paddings A number or a table
-- @tparam[opt=0] number paddings.top
-- @tparam[opt=0] number paddings.bottom
-- @tparam[opt=0] number paddings.left
-- @tparam[opt=0] number paddings.right
--- The progressbar value.
--
-- @property value
-- @tparam number value Between min_value and max_value
function radialprogressbar:set_value(val)
if not val then self._percent = 0; return end
if val > self._private.max_value then
self:set_max_value(val)
elseif val < self._private.min_value then
self:set_min_value(val)
end
local delta = self._private.max_value - self._private.min_value
self._percent = val/delta
self:emit_signal("widget::redraw_needed")
end
--- The border background color.
--
-- @property border_color
--- The border foreground color.
--
-- @property color
--- The border width.
--
-- @property border_width
-- @tparam[opt=3] number border_width
--- The minimum value.
-- @property min_value
--- The maximum value.
-- @property max_value
for _, prop in ipairs {"max_value", "min_value", "border_color", "color",
"border_width", "paddings"} do
radialprogressbar["set_"..prop] = function(self, value)
self._private[prop] = value
self:emit_signal("property::"..prop)
self:emit_signal("widget::redraw_needed")
end
radialprogressbar["get_"..prop] = function(self)
return self._private[prop] or beautiful["radialprogressbar_"..prop]
end
end
function radialprogressbar:set_paddings(val)
self._private.paddings = type(val) == "number" and {
left = val,
right = val,
top = val,
bottom = val,
} or val or {}
self:emit_signal("property::paddings")
self:emit_signal("widget::redraw_needed")
self:emit_signal("widget::layout_changed")
end
--- Returns a new radialprogressbar layout. A radialprogressbar layout
-- radialprogressbars a given widget. Use `.widget` to set the widget.
-- @param[opt] widget The widget to display.
-- @function wibox.container.radialprogressbar
local function new(widget)
local ret = base.make_widget(nil, nil, {
enable_properties = true,
})
gtable.crush(ret, radialprogressbar)
ret._private.max_value = 1
ret._private.min_value = 0
ret:set_widget(widget)
return ret
end
function radialprogressbar.mt:__call(_, ...)
return new(...)
end
--
--
return setmetatable(radialprogressbar, radialprogressbar.mt)
-- vim: filetype=lua:expandtab:shiftwidth=4:tabstop=8:softtabstop=4:textwidth=80
|
cc = cc or {}
cc.WEBSOCKET_OPEN = 0
cc.WEBSOCKET_MESSAGE = 1
cc.WEBSOCKET_CLOSE = 2
cc.WEBSOCKET_ERROR = 3
cc.WEBSOCKET_STATE_CONNECTING = 0
cc.WEBSOCKET_STATE_OPEN = 1
cc.WEBSOCKET_STATE_CLOSING = 2
cc.WEBSOCKET_STATE_CLOSED = 3
|
--binding to the DynASM encoding engine.
--Written by Cosmin Apreutesei. Public Domain.
local ffi = require'ffi'
local bit = require'bit'
local arch = ffi.arch
if arch == 'x64' then arch = 'x86' end --same linker for x64
local C = ffi.C
local M = {C = C}
M._VERSION = 10300
ffi.cdef[[
enum {
DASM_S_OK = 0x00000000,
DASM_S_NOMEM = 0x01000000,
DASM_S_PHASE = 0x02000000,
DASM_S_MATCH_SEC = 0x03000000,
DASM_S_RANGE_I = 0x11000000,
DASM_S_RANGE_SEC = 0x12000000,
DASM_S_RANGE_LG = 0x13000000,
DASM_S_RANGE_PC = 0x14000000,
DASM_S_RANGE_VREG = 0x15000000,
DASM_S_UNDEF_L = 0x21000000,
DASM_S_UNDEF_PC = 0x22000000,
};
/* Internal DynASM encoder state. */
typedef struct dasm_State_Ref { struct dasm_State *p; } dasm_State_Ref;
typedef dasm_State_Ref *Dst_DECL;
/* Initialize and free DynASM state. */
void dasm_init(Dst_DECL, int maxsection);
void dasm_free(Dst_DECL);
/* Setup global array. Must be called before dasm_setup(). */
void dasm_setupglobal(Dst_DECL, void **gl, unsigned int maxgl);
/* Grow PC label array. Can be called after dasm_setup(), too. */
void dasm_growpc(Dst_DECL, unsigned int maxpc);
/* Setup encoder. */
void dasm_setup(Dst_DECL, const void *actionlist);
/* Feed encoder with actions. Calls are generated by pre-processor. */
void dasm_put(Dst_DECL, int start, ...);
/* Link sections and return the resulting size. */
int dasm_link(Dst_DECL, size_t *szp);
/* Encode sections into buffer. */
int dasm_encode(Dst_DECL, void *buffer);
/* Get PC label offset. */
int dasm_getpclabel(Dst_DECL, unsigned int pc);
/* Optional sanity checker to call between isolated encoding steps. */
int dasm_checkstep(Dst_DECL, int secmatch);
typedef int (*DASM_EXTERN_TYPE) (void *ctx, unsigned char *addr, int idx, int type);
DASM_EXTERN_TYPE DASM_EXTERN_FUNC;
]]
local function err(...)
io.stderr:setvbuf'no'
io.stderr:write('dasm error: ', ...)
io.stderr:write'\n'
os.exit(1)
end
--status check helper
local status_map = {
[C.DASM_S_NOMEM] = 'out of memory',
[C.DASM_S_PHASE] = 'phase error',
[C.DASM_S_MATCH_SEC] = 'section not found',
[C.DASM_S_RANGE_I] = 'immediate value out of range',
[C.DASM_S_RANGE_SEC] = 'too many sections',
[C.DASM_S_RANGE_LG] = 'too many global labels',
[C.DASM_S_RANGE_PC] = 'too many pclabels',
[C.DASM_S_RANGE_VREG] = 'variable register out of range',
[C.DASM_S_UNDEF_L] = 'undefined global label',
[C.DASM_S_UNDEF_PC] = 'undefined pclabel',
}
local function checkst(st)
if st == C.DASM_S_OK then return end
local status, arg = status_map[bit.band(st, 0xff000000)], bit.band(st, 0x00ffffff)
if status then
err(status, '. :', arg)
else
err(string.format('0x%08X', st))
end
end
--low level API
M.init = C.dasm_init
M.free = C.dasm_free
M.setupglobal = C.dasm_setupglobal
M.growpc = C.dasm_growpc
M.setup = C.dasm_setup
local int_ct = ffi.typeof'int'
local function convert_arg(arg) --dasm_put() accepts only int32 varargs.
if type(arg) == "number" then --but we make it accept uint32 too by normalizing the arg.
arg = bit.tobit(arg) --non-number args are converted to int32 according to ffi rules.
end
return ffi.cast(int_ct, arg)
end
local function convert_args(...) --not a tailcall but at least it doesn't make any garbage
if select('#', ...) == 0 then return end
return convert_arg(...), convert_args(select(2, ...))
end
function M.put(state, start, ...)
C.dasm_put(state, start, convert_args(...))
end
function M.link(state, sz)
sz = sz or ffi.new'size_t[1]'
checkst(C.dasm_link(state, sz))
return tonumber(sz[0])
end
function M.encode(state, buf)
checkst(C.dasm_encode(state, buf))
end
jit.off(M.encode) --calls the DASM_EXTERN_FUNC callback
local voidptr_ct = ffi.typeof'void*'
local byteptr_ct = ffi.typeof'int8_t*'
function M.getpclabel(state, pc, buf)
local offset = C.dasm_getpclabel(state, pc)
if buf then
return ffi.cast(voidptr_ct, ffi.cast(byteptr_ct, buf) + offset)
end
return offset
end
function M.checkstep(state, section)
checkst(C.dasm_checkstep(state, section or -1))
end
--get the address of a standard symbol.
--TODO: ask Mike to expose clib_getsym() in ffi so we can get the address
--of symbols without having to declare them first.
local function getsym(name)
return ffi.C[name]
end
local getsym = function(name)
local ok, sym = pcall(getsym, name)
if not ok then --not found or not defined: define it and try again
ffi.cdef(string.format('void %s();', name))
return getsym(name)
else
return sym
end
end
--DASM_EXTERN callback plumbing
local extern_names --t[idx] -> name
local extern_get --f(name) -> ptr
local byteptr_ct = ffi.typeof'uint8_t*'
local function DASM_EXTERN_FUNC(ctx, addr, idx, type)
if not extern_names or not extern_get then
err'extern callback not initialized.'
end
local name = extern_names[idx]
local ptr = extern_get(name)
if ptr == nil then
err('extern not found: ', name, '.')
end
if type ~= 0 then
return ffi.cast(byteptr_ct, ptr) - addr - 4
else
return ptr
end
end
function M.setupextern(_, names, getter)
extern_names = names
extern_get = getter or getsym
if C.DASM_EXTERN_FUNC == nil then
C.DASM_EXTERN_FUNC = DASM_EXTERN_FUNC
end
end
--hi-level API
function M.new(actionlist, externnames, sectioncount, globalcount, externget, globals)
local state = ffi.new'dasm_State_Ref'
M.init(state, sectioncount or 1)
globalcount = globalcount or 256
globals = globals or ffi.new('void*[?]', globalcount)
ffi.gc(state, function(state)
local _ = actionlist, externnames, globals, externget --anchor those: don't rely on the user doing so
M.free(state)
end)
M.setupglobal(state, globals, globalcount)
M.setupextern(state, externnames, externget)
M.setup(state, actionlist)
return state, globals
end
function M.build(state)
state:checkstep(-1)
local sz = state:link()
if sz == 0 then err'no code?' end
local mm = require'dasm_mm' --runtime dependency
local buf = mm.new(sz)
state:encode(buf)
mm.protect(buf, sz)
return buf, sz
end
function M.dump(addr, size, out)
local disass = require('jit.dis_'..jit.arch).disass
disass(ffi.string(addr, size), tonumber(ffi.cast('uintptr_t', addr)), out)
end
--given the globals array from dasm.new() and the globalnames list
--from the `.globalnames` directive, return a map {global_name -> global_addr}.
function M.globals(globals, globalnames)
local t = {}
for i = 0, #globalnames do
if globals[i] ~= nil then
t[globalnames[i]] = globals[i]
end
end
return t
end
--object interface
ffi.metatype('dasm_State_Ref', {__index = {
--low-level API
init = M.init,
free = M.free,
setupglobal = M.setupglobal,
setupextern = M.setupextern,
growpc = M.growpc,
setup = M.setup,
put = M.put,
link = M.link,
encode = M.encode,
getpclabel = M.getpclabel,
checkstep = M.checkstep,
--hi-level API
build = M.build,
}})
if not ... then --demo
local dasm = M
local actions = ffi.new('const uint8_t[19]', {254,0,102,184,5,0,254,1,102,187,3,0,254,2,102,187,3,0,255})
local Dst, globals = dasm.new(actions, nil, 3)
--|.code
dasm.put(Dst, 0)
--| mov ax, 5
--|.sub1
dasm.put(Dst, 2)
--| mov bx, 3
--|.sub2
dasm.put(Dst, 8)
--| mov bx, 3
dasm.put(Dst, 14)
local addr, size = Dst:build()
dasm.dump(addr, size)
end
return M
|
-- Prosody IM
-- Copyright (C) 2008-2010 Matthew Wild
-- Copyright (C) 2008-2010 Waqas Hussain
--
-- This project is MIT/X11 licensed. Please see the
-- COPYING file in the source package for more information.
--
local host = module:get_host();
local welcome_text = module:get_option("welcome_message") or "Hello $username, welcome to the $host IM server!";
local st = require "util.stanza";
module:hook("user-registered",
function (user)
local welcome_stanza =
st.message({ to = user.username.."@"..user.host, from = host })
:tag("body"):text(welcome_text:gsub("$(%w+)", user));
module:send(welcome_stanza);
module:log("debug", "Welcomed user %s@%s", user.username, user.host);
end);
|
local function handleBranch(line, branch)
local key, value = line:match("^# branch%.(%w+) (.*)")
if not key then return end
if key == "oid" then
branch.id = value
elseif key == "head" then
branch.name = value
elseif key == "upstream" then
branch.upstream = value
elseif key == "ab" then
local ahead, behind = value:match('%+(%d+) %-(%d+)')
branch.ahead = tonumber(ahead, 10)
branch.behind = tonumber(behind, 10)
end
end
local function parseHeader(line, status)
if line:match("^#") then
handleBranch(line, status.branch)
return true
end
return false
end
-- <sub> <mH> <mI> <mW> <hH> <hI>
local modeField = "[0-7]+"
local objectNameField = "%x+"
local statusChar = "[.MADRCU]"
-- captures statuses for index and working
local statusField = "(" .. statusChar .. ")(" .. statusChar .. ")"
local submoduleField = "[NS][.C][.M][.U]"
-- build patterns
local normalPattern = table.concat({
"^1", -- leader
statusField, -- index [1] and working [2] status
submoduleField, -- submodule state
modeField, -- mode head
modeField, -- mode index
modeField, -- mode working
objectNameField, -- object name head
objectNameField, -- object name index
"(.*)$" -- path to file (captured) [3]
}, " ")
local renamedPattern = table.concat({
"^2", -- leader
statusField, -- index [1] and working [2] status
submoduleField, -- submodule state
modeField, -- mode head
modeField, -- mode index
modeField, -- mode working
objectNameField, -- object name head
objectNameField, -- object name index
"[RC](%d+)", -- rename/copy score [3]
"(.*)\t(.*)$" -- path to destination [4] from source [5]
}, " ")
-- merge pattern
local unmergedPattern = table.concat({
"^u", -- leader
statusField, -- index [1] and working [2] status
submoduleField, -- submodule state
modeField, -- mode stage 1
modeField, -- mode stage 2
modeField, -- mode stage 3
modeField, -- mode working
objectNameField, -- object name stage 1
objectNameField, -- object name stage 2
objectNameField, -- object name stage 3
"(.*)$" -- path to file (captured) [3]
}, " ")
local function addStatePath(status, state, path, renamedFrom, renameScore)
if state == "." then return end
if state == "A" then
table.insert(status.added, path)
elseif state == "M" then
table.insert(status.modified, path)
elseif state == "D" then
table.insert(status.deleted, path)
elseif state == "R" then
table.insert(status.renamed,
{path = path, from = renamedFrom, score = renameScore})
elseif state == "C" then
table.insert(status.copied,
{path = path, from = renamedFrom, score = renameScore})
end
end
local function handleNormal(line, status)
local index, working, path = line:match(normalPattern)
if not path then return false end
addStatePath(status.index, index, path)
addStatePath(status.working, working, path)
return true
end
local function handleRenamed(line, status)
local index, working, score, path, from = line:match(renamedPattern)
if not path then return false end
addStatePath(status.index, index, path, from, score)
addStatePath(status.working, working, path, from, score)
return true
end
local function handleUnmerged(line, status)
local _, _, path = line:match(unmergedPattern)
if not path then return false end
table.insert(status.unmerged, path)
return true
end
local function handleUntracked(line, status)
local kind, path = line:match("^([?!]) (.*)$")
if not path then return false end
if kind == "?" then
table.insert(status.working.added, path)
else
table.insert(status.ignored, path)
end
return true
end
local function parseBody(line, status)
-- if handleStatus(line, status) then end
if handleNormal(line, status) then return true end
if handleRenamed(line, status) then return true end
if handleUnmerged(line, status) then return true end
if handleUntracked(line, status) then return true end
return true
end
local function consume(file, fn, startLine)
local line = startLine or file:read("*l")
while line and fn(line) do line = file:read("*l") end
return line
end
local function parser(fn, context)
local function parse(line) return fn(line, context) end
return parse
end
local function createStatus()
return {added = {}, modified = {}, deleted = {}, renamed = {}, copied = {}}
end
-- get the git status (renames/copies are tracked as modifies and deletes)
function GIT_status(trackRenamed, untracked, ignored)
local status = {
-- branch information
branch = {
-- branch commit id
id = nil,
-- name of branch
name = nil,
-- upstream branch
upstream = nil,
-- commits ahead and behind
ahead = 0,
behind = 0
},
-- staged status
index = createStatus(),
-- working status (untracked files are under added)
working = createStatus(),
-- unmerged
unmerged = {},
ignored = {}
}
local gitCmd = "git status --porcelain=2 --branch"
-- track renames by default - overide users git config
if trackRenamed or trackRenamed == nil then
gitCmd = gitCmd .. " --renames"
else
gitCmd = gitCmd .. " --no-renames"
end
if untracked == nil or untracked == true then
untracked = "all"
elseif untracked == false then
untracked = "no"
end
gitCmd = gitCmd .. " --untracked-files=" .. untracked
if not ignored then
ignored = "no"
elseif ignored == true then
ignored = "traditional"
end
gitCmd = gitCmd .. " --ignored=" .. ignored .. " 2>nul"
local output = io.popen(gitCmd)
local headers = parser(parseHeader, status)
local body = parser(parseBody, status)
local unprocessed = consume(output, headers)
if unprocessed then unprocessed = consume(output, body, unprocessed) end
output:close()
return status
end
|
bakedanuki_futatsuiwas_curse = class({})
LinkLuaModifier( "modifier_bakedanuki_futatsuiwas_curse", "custom_abilities/bakedanuki_futatsuiwas_curse/modifier_bakedanuki_futatsuiwas_curse", LUA_MODIFIER_MOTION_NONE )
--------------------------------------------------------------------------------
-- Ability Phase Start
function bakedanuki_futatsuiwas_curse:OnAbilityPhaseStart()
self:PlayEffects1()
return true -- if success
end
--------------------------------------------------------------------------------
-- Ability Start
function bakedanuki_futatsuiwas_curse:OnSpellStart()
-- unit identifier
local caster = self:GetCaster()
-- load data
local hexDuration = self:GetSpecialValueFor( "hex_duration" )
local radius = self:GetSpecialValueFor( "search_radius" )
local range = self:GetSpecialValueFor( "search_range" )
local point = caster:GetOrigin() + caster:GetForwardVector() * range
-- find enemies in front of caster
local enemies = FindUnitsInRadius(
caster:GetTeamNumber(), -- int, your team number
point, -- point, center point
nil, -- handle, cacheUnit. (not known)
radius, -- float, radius. or use FIND_UNITS_EVERYWHERE
DOTA_UNIT_TARGET_TEAM_ENEMY, -- int, team filter
DOTA_UNIT_TARGET_HERO + DOTA_UNIT_TARGET_BASIC, -- int, type filter
0, -- int, flag filter
FIND_FARTHEST, -- int, order filter
false -- bool, can grow cache
)
-- if no unit found, return
if #enemies<1 then
return
end
-- filter target unit: hero, creep-hero, illusion, summon, creep
local filter = {}
local target = nil
for _,enemy in pairs(enemies) do
if enemy:IsRealHero() then
filter[1] = enemy
elseif enemy:IsConsideredHero() then
filter[2] = enemy
elseif enemy:IsOwnedByAnyPlayer() then
filter[3] = enemy
else
filter[4] = enemy
end
end
for i=1,4 do
if filter[i] then
target = filter[i]
break
end
end
-- Add modifier
target:AddNewModifier(
caster, -- player source
self, -- ability source
"modifier_bakedanuki_futatsuiwas_curse", -- modifier name
{ duration = hexDuration } -- kv
)
self:PlayEffects2()
end
--------------------------------------------------------------------------------
-- Ability Considerations
function bakedanuki_futatsuiwas_curse:AbilityConsiderations()
-- Scepter
local bScepter = caster:HasScepter()
-- Linken & Lotus
local bBlocked = target:TriggerSpellAbsorb( self )
-- Break
local bBroken = caster:PassivesDisabled()
-- Advanced Status
local bInvulnerable = target:IsInvulnerable()
local bInvisible = target:IsInvisible()
local bHexed = target:IsHexed()
local bMagicImmune = target:IsMagicImmune()
-- Illusion Copy
local bIllusion = target:IsIllusion()
end
--------------------------------------------------------------------------------
function bakedanuki_futatsuiwas_curse:PlayEffects1()
-- Get Resources
local particle_cast = "particles/units/heroes/hero_dark_willow/dark_willow_wisp_spell_marker.vpcf"
local sound_cast = "Hero_DarkWillow.Fear.Location"
-- Get data
local caster = self:GetCaster()
local radius = self:GetSpecialValueFor( "search_radius" )
local range = self:GetSpecialValueFor( "search_range" )
local point = caster:GetOrigin() + caster:GetForwardVector() * range
-- Create Particle
local effect_cast = ParticleManager:CreateParticle( particle_cast, PATTACH_WORLDORIGIN, nil )
ParticleManager:SetParticleControl( effect_cast, 0, point )
ParticleManager:SetParticleControl( effect_cast, 1, Vector(radius+50, radius+50, radius+50) )
ParticleManager:ReleaseParticleIndex( effect_cast )
EmitSoundOnLocationWithCaster( point, sound_cast, caster )
end
function bakedanuki_futatsuiwas_curse:PlayEffects2()
-- Get Resources
local particle_cast = "particles/units/heroes/hero_dark_willow/dark_willow_wisp_spell.vpcf"
-- Get data
local caster = self:GetCaster()
local radius = self:GetSpecialValueFor( "search_radius" )
local range = self:GetSpecialValueFor( "search_range" )
local point = caster:GetOrigin() + caster:GetForwardVector() * range
-- Create Particle
local effect_cast = ParticleManager:CreateParticle( particle_cast, PATTACH_WORLDORIGIN, nil )
ParticleManager:SetParticleControl( effect_cast, 0, point )
ParticleManager:SetParticleControl( effect_cast, 1, Vector(radius, radius, radius) )
ParticleManager:ReleaseParticleIndex( effect_cast )
end
|
-- Copyright (C) idevz (idevz.org)
local utils = require "motan.utils"
local consts = require "motan.consts"
local singletons = require "motan.singletons"
local setmetatable = setmetatable
local tab_concat = table.concat
local tab_insert = table.insert
local tab_sort = table.sort
local _M = {
_VERSION = "0.1.0"
}
local mt = {__index = _M}
function _M.new(self, opts)
local url = {}
local opt_type = type(opts)
if opt_type == "table" and not utils.is_empty(opts) then
url = {
protocol = opts.protocol or "",
host = opts.host or singletons.var.LOCAL_IP,
port = opts.port or 0,
path = opts.path or "",
group = opts.group or "",
params = opts.params or {}
}
local check_arr = {
"protocol",
"host",
"port",
"path",
"group",
"params"
}
for k, v in pairs(opts) do
if not utils.is_in_table(k, check_arr) then
url.params[k] = v
end
end
-- elseif opt_type == "string" then
-- @TODO
end
return setmetatable(url, mt)
end
function _M.get_addr(self)
local addr_info = {
self.protocol,
consts.PROTOCOL_SEPARATOR,
self.host,
consts.COLON_SEPARATOR,
self.port,
consts.PATH_SEPARATOR
}
return tab_concat(addr_info)
end
function _M.copy(self)
local url = {}
local params = {}
for k, v in pairs(self.params) do
params[k] = v
end
url.protocol, url.host, url.port, url.path, url.group, url.params =
self.protocol,
self.host,
self.port,
self.path,
self.group,
params
return self:new(url)
end
function _M.get_identity(self)
local url_info = self:get_urlinfo()
return tab_concat(url_info)
end
function _M.get_urlinfo(self, with_params_str)
local url_info = {
self.protocol,
consts.PROTOCOL_SEPARATOR,
self.host,
consts.COLON_SEPARATOR,
self.port,
consts.PATH_SEPARATOR,
self.path,
consts.QMARK_SEPARATOR,
"group=",
self.group
}
if with_params_str then
local params_arr = {}
if self.params ~= nil then
for k, v in pairs(self.params) do
tab_insert(params_arr, consts.QUERY_PARAM_SEPARATOR)
tab_insert(params_arr, k)
tab_insert(params_arr, consts.EQUAL_SIGN_SEPERATOR)
tab_insert(params_arr, v)
end
end
tab_insert(url_info, tab_concat(params_arr))
end
return url_info
end
function _M.to_extinfo(self)
return tab_concat(self:get_urlinfo(true))
end
function _M.get_filters(self)
local filter_str
if self.params[consts.MOTAN_FILTER_KEY] ~= nil then
filter_str = self.params[consts.MOTAN_FILTER_KEY]
else
return nil, nil
end
local filter_keys
filter_keys = assert(utils.split(filter_str, consts.COMMA_SEPARATOR), "Error parse filter conf.")
local cluster_filters = {}
local endpoint_filters = {}
local cluster_filter = {}
if not utils.is_empty(filter_keys) then
for _, filter_key in ipairs(filter_keys) do
local filter = singletons.motan_ext:get_filter(filter_key)
if filter:get_type() == consts.MOTAN_FILTER_TYPE_CLUSTER then
local nfilter = filter:new_filter(self)
tab_insert(cluster_filters, nfilter)
else
tab_insert(endpoint_filters, filter)
end
end
if #cluster_filters > 0 then
tab_sort(
cluster_filters,
function(filter1, filter2)
return filter1:get_index() > filter2:get_index()
end
)
local last_cluster_filter
last_cluster_filter = singletons.motan_ext:get_last_cluster_filter()
for _, filter in ipairs(cluster_filters) do
filter:set_next(last_cluster_filter)
last_cluster_filter = filter
end
cluster_filter = last_cluster_filter
end
if #endpoint_filters > 0 then
tab_sort(
endpoint_filters,
function(filter1, filter2)
return filter1:get_index() > filter2:get_index()
end
)
end
return cluster_filter, endpoint_filters
end
return nil, nil
end
return _M
|
SWEP.Base = "draconic_gun_base"
SWEP.HoldType = "ar2"
SWEP.Category = "Draconic: Extras"
SWEP.PrintName = "Ma5"
SWEP.WepSelectIcon = "vgui/entities/drchalo_ma5d"
SWEP.Manufacturer = "Misriah Armory"
SWEP.InfoName = "Assault Rifle"
SWEP.InfoDescription = "The MA5 is a variant of the MA5 series that has minimal electronics as possible.\nThis makes the weapon as lightweight as possible."
SWEP.CrosshairColor = Color(127, 220, 255, 255)
SWEP.CrosshairShadow = true
SWEP.CrosshairStatic = "models/vuthakral/halo/HUD/reticles/ret_ma5c.vmt"
SWEP.CrosshairDynamic = "models/vuthakral/halo/HUD/reticles/ret_ma5c_dyn.vmt"
SWEP.Spawnable = false
SWEP.AdminSpawnable = false
SWEP.Slot = 2
SWEP.SlotPos = 0
SWEP.ViewModelFOV = 60
SWEP.ViewModelFlip = false
SWEP.UseHands = true
SWEP.ViewModel = "models/snowysnowtime/dsb/meme/c_hum_ma5.mdl"
SWEP.WorldModel = "models/vuthakral/halo/weapons/w_ma5d.mdl"
SWEP.VMPos = Vector(0, 0, -1)
SWEP.VMAng = Vector(0, 0, 0)
SWEP.VMPosCrouch = Vector(0, -3, 0.5)
SWEP.VMAngCrouch = Vector(0, 0, 0)
SWEP.IronSightsPos = Vector(-3.75, 0, -1.02)
SWEP.IronSightsAng = Vector(1, 0, 0)
SWEP.PassivePos = Vector(2, 3, 0)
SWEP.PassiveAng = Vector(-15, 25, 0)
SWEP.SprintPos = Vector(0, 0, 0)
SWEP.SprintAng = Vector(0, 0, 0)
SWEP.DoesPassiveSprint = true
SWEP.SS = 1
SWEP.BS = 0.23
SWEP.FireModes_CanAuto = true
SWEP.FireModes_CanBurst = false
SWEP.FireModes_CanSemi = false
SWEP.FireModes_BurstShots = 3
SWEP.Primary.NumShots = 1
SWEP.Primary.Spread = 3
SWEP.Primary.SpreadDiv = 52
SWEP.Primary.Kick = 0.16
SWEP.Primary.RecoilUp = 0.12
SWEP.Primary.RecoilDown = 5
SWEP.Primary.RecoilHoriz = 25
SWEP.Primary.Force = 0.2
SWEP.Primary.Damage = 12
SWEP.Primary.Automatic = true
SWEP.Primary.RPM = 600
SWEP.Primary.ClipSize = 36
SWEP.Primary.DefaultClip = 36
SWEP.Primary.APS = 1
SWEP.Primary.Tracer = 0 -- https://wiki.garrysmod.com/page/Enums/TRACER
SWEP.Primary.TracerEffect = "drc_halo_ar_bullet" -- https://wiki.garrysmod.com/page/Enums/TRACER
SWEP.Primary.ReloadHoldType = "ar2"
SWEP.Primary.EmptySound = Sound("drc.halo_mag_empty")
SWEP.Primary.Sound = Sound("snow.ma5_fire")
SWEP.Primary.DistSound = Sound("drc.ma5c_fire_dist")
SWEP.Primary.SoundDistance = 1500
SWEP.FireModes_CanAuto = true
SWEP.FireModes_CanBurst = false
SWEP.FireModes_CanSemi = false
SWEP.FireModes_BurstShots = 0
SWEP.Primary.CanMelee = true
SWEP.Primary.MeleeSwingSound = Sound( "" )
SWEP.Primary.MeleeHitSoundWorld = Sound( "weapon.ImpactSoft" )
SWEP.Primary.MeleeHitSoundFlesh = Sound( "flesh.ImpactSoft" )
SWEP.Primary.MeleeHitSoundEnt = Sound( "weapon.ImpactHard" )
SWEP.Primary.MeleeImpactDecal = ""
SWEP.Primary.MeleeDamage = 25
SWEP.Primary.MeleeDamageType = DMG_CLUB
SWEP.Primary.MeleeRange = 16.5
SWEP.Primary.MeleeForce = 13
SWEP.Primary.MeleeDelayMiss = 1
SWEP.Primary.MeleeDelayHit = 1
SWEP.Primary.MeleeMissActivity = ACT_VM_HITCENTER
SWEP.Secondary.Disabled = true
SWEP.Secondary.Ironsights = true
SWEP.Secondary.Scoped = false
SWEP.Secondary.ScopeMat = "overlays/draconic_scope"
SWEP.Secondary.IronFOV = 90
SWEP.AttachmentTable = {
AmmunitionTypes = {"drc_att_bprofile_haloar"}
}
SWEP.VElements = {
["ammo_counterV"] = { type = "Quad", bone = "b_gun", rel = "", pos = Vector(4.693, 0, 6.386), angle = Angle(180, 90, -116.362), size = 0.012, draw_func = nil}
}
SWEP.WElements = {
["ammo_counterW"] = { type = "Quad", bone = "ValveBiped.Bip01_R_Hand", rel = "", pos = Vector(5.58, 0.64, -5.9), angle = Angle(0, 90, -105), size = 0.012, draw_func = nil}
}
function SWEP:DoCustomInitialize()
local ply = self:GetOwner()
if CLIENT then
self.VElements["ammo_counterV"].draw_func = function( weapon )
if self:Clip1() < 10 then
draw.SimpleTextOutlined("0".. self:Clip1() .."", "343_ammocounter", 0, 12.5, Color(37,141,170,255), TEXT_ALIGN_CENTER, TEXT_ALIGN_BOTTOM, 1, Color(16, 60, 80))
else
draw.SimpleTextOutlined(self:Clip1(), "343_ammocounter", 0, 12.5, Color(37,141,170,255), TEXT_ALIGN_CENTER, TEXT_ALIGN_BOTTOM, 1, Color(16, 60, 80))
end
end
self.WElements["ammo_counterW"].draw_func = function( weapon )
if self:Clip1() < 10 then
draw.SimpleTextOutlined("0".. self:Clip1() .."", "343_ammocounter", 0, 12.5, Color(37,141,170,255), TEXT_ALIGN_CENTER, TEXT_ALIGN_BOTTOM, 1, Color(16, 60, 80))
else
draw.SimpleTextOutlined(self:Clip1(), "343_ammocounter", 0, 12.5, Color(37,141,170,255), TEXT_ALIGN_CENTER, TEXT_ALIGN_BOTTOM, 1, Color(16, 60, 80))
end
end
end
if ply:EntIndex() == 0 then
else
if ply:GetModel() == "models/vuthakral/halo/custom/usp/sangheili_h3.mdl" then
self.ViewModel = "models/vuthakral/halo/weapons/c_hum_ma5d.mdl"
else
self.ViewModel = "models/vuthakral/halo/weapons/c_hum_ma5d.mdl"
end
end
end
function SWEP:DoCustomDeploy()
local ply = self:GetOwner()
if ply:EntIndex() == 0 && !ply:IsNPC() then
else
if ply:GetModel() == "models/vuthakral/halo/custom/usp/sangheili_h3.mdl" then
self.ViewModel = "models/vuthakral/halo/weapons/c_hum_ma5d.mdl"
else
self.ViewModel = "models/vuthakral/halo/weapons/c_hum_ma5d.mdl"
end
end
end
|
-- An Elepower Mod
-- Copyright 2018 Evert "Diamond" Prants <[email protected]>
local modpath = minetest.get_modpath(minetest.get_current_modname())
elefarm = rawget(_G, "elefarm") or {}
elefarm.modpath = modpath
dofile(modpath.."/treecutter.lua")
dofile(modpath.."/craftitems.lua")
dofile(modpath.."/nodes.lua")
dofile(modpath.."/fluids.lua")
dofile(modpath.."/machines/init.lua")
dofile(modpath.."/crafting.lua")
|
pg = pg or {}
pg.enemy_data_statistics_68 = {
[101011] = {
cannon = 45,
reload = 150,
speed_growth = 0,
cannon_growth = 1100,
pilot_ai_template_id = 10001,
air = 0,
rarity = 2,
dodge = 11,
torpedo = 64,
durability_growth = 12000,
antiaircraft = 66,
reload_growth = 0,
dodge_growth = 156,
hit_growth = 210,
star = 3,
hit = 14,
antisub_growth = 0,
air_growth = 0,
battle_unit_type = 55,
base = 182,
durability = 240,
armor_growth = 0,
torpedo_growth = 2808,
luck_growth = 0,
speed = 20,
luck = 0,
id = 101011,
antiaircraft_growth = 3933,
antisub = 0,
armor = 0,
appear_fx = {
"appearQ"
},
equipment_list = {
311025,
311026,
311027
}
},
[101012] = {
cannon = 45,
reload = 150,
speed_growth = 0,
cannon_growth = 1100,
pilot_ai_template_id = 10001,
air = 0,
rarity = 2,
dodge = 11,
torpedo = 115,
durability_growth = 12000,
antiaircraft = 65,
reload_growth = 0,
dodge_growth = 162,
hit_growth = 210,
star = 3,
hit = 14,
antisub_growth = 0,
air_growth = 0,
battle_unit_type = 55,
base = 188,
durability = 240,
armor_growth = 0,
torpedo_growth = 3366,
luck_growth = 0,
speed = 20,
luck = 0,
id = 101012,
antiaircraft_growth = 3744,
antisub = 0,
armor = 0,
appear_fx = {
"appearQ"
},
equipment_list = {
100211,
100411
}
},
[101013] = {
cannon = 70,
reload = 150,
speed_growth = 0,
cannon_growth = 1800,
pilot_ai_template_id = 10001,
air = 0,
rarity = 3,
dodge = 6,
torpedo = 80,
durability_growth = 16800,
antiaircraft = 54,
reload_growth = 0,
dodge_growth = 84,
hit_growth = 210,
star = 4,
hit = 14,
antisub_growth = 0,
air_growth = 0,
battle_unit_type = 60,
base = 205,
durability = 480,
armor_growth = 0,
torpedo_growth = 2250,
luck_growth = 0,
speed = 16,
luck = 0,
id = 101013,
antiaircraft_growth = 2340,
antisub = 0,
armor = 0,
appear_fx = {
"appearQ"
},
equipment_list = {
100201,
311034,
311035,
311036
}
},
[101014] = {
cannon = 70,
reload = 150,
speed_growth = 0,
cannon_growth = 1800,
pilot_ai_template_id = 10001,
air = 0,
rarity = 3,
dodge = 6,
torpedo = 80,
durability_growth = 16800,
antiaircraft = 54,
reload_growth = 0,
dodge_growth = 84,
hit_growth = 210,
star = 4,
hit = 14,
antisub_growth = 0,
air_growth = 0,
battle_unit_type = 60,
base = 206,
durability = 480,
armor_growth = 0,
torpedo_growth = 2250,
luck_growth = 0,
speed = 16,
luck = 0,
id = 101014,
antiaircraft_growth = 2340,
antisub = 0,
armor = 0,
appear_fx = {
"appearQ"
},
equipment_list = {
100201,
311034,
311035,
311036
}
},
[101015] = {
cannon = 70,
reload = 150,
speed_growth = 0,
cannon_growth = 1800,
rarity = 4,
air = 0,
torpedo = 0,
dodge = 0,
durability_growth = 22400,
antiaircraft = 32,
luck = 0,
reload_growth = 0,
dodge_growth = 0,
hit_growth = 120,
star = 5,
hit = 8,
antisub_growth = 0,
air_growth = 0,
battle_unit_type = 55,
base = 118,
durability = 480,
armor_growth = 0,
torpedo_growth = 0,
luck_growth = 0,
speed = 15,
armor = 0,
id = 101015,
antiaircraft_growth = 1521,
antisub = 0,
fx_container = {
{
1.47,
0,
0
},
{
0,
0,
0
},
{
0.1,
0.137,
-0.7175
},
{
0,
0,
0
}
},
appear_fx = {
"appearbig"
},
equipment_list = {
300007,
311037
}
},
[101016] = {
cannon = 70,
reload = 150,
speed_growth = 0,
cannon_growth = 1800,
rarity = 4,
air = 0,
torpedo = 0,
dodge = 0,
durability_growth = 22400,
antiaircraft = 32,
luck = 0,
reload_growth = 0,
dodge_growth = 0,
hit_growth = 120,
star = 5,
hit = 8,
antisub_growth = 0,
air_growth = 0,
battle_unit_type = 55,
base = 119,
durability = 480,
armor_growth = 0,
torpedo_growth = 0,
luck_growth = 0,
speed = 15,
armor = 0,
id = 101016,
antiaircraft_growth = 1521,
antisub = 0,
fx_container = {
{
1.47,
0,
0
},
{
0,
0,
0
},
{
0.1,
0.137,
-0.7175
},
{
0,
0,
0
}
},
appear_fx = {
"appearbig"
},
equipment_list = {
300007,
311038
}
},
[101017] = {
cannon = 76,
hit_growth = 210,
rarity = 4,
speed_growth = 0,
pilot_ai_template_id = 10001,
air = 0,
luck = 0,
dodge = 3,
cannon_growth = 2500,
speed = 15,
reload = 150,
reload_growth = 0,
dodge_growth = 48,
id = 101017,
star = 5,
hit = 14,
antisub_growth = 0,
air_growth = 0,
torpedo = 0,
base = 220,
durability = 480,
armor_growth = 0,
torpedo_growth = 0,
luck_growth = 0,
battle_unit_type = 65,
armor = 0,
durability_growth = 22400,
antiaircraft = 66,
antisub = 0,
antiaircraft_growth = 3744,
bound_bone = {
cannon = {
{
0.82,
0.67,
0
}
},
torpedo = {
{
0,
0,
0
}
}
},
appear_fx = {
"appearQ"
},
equipment_list = {
100201,
311039
},
buff_list = {
{
ID = 50510,
LV = 1
}
}
},
[101018] = {
cannon = 76,
hit_growth = 210,
rarity = 4,
speed_growth = 0,
pilot_ai_template_id = 10001,
air = 0,
luck = 0,
dodge = 3,
cannon_growth = 2500,
speed = 15,
reload = 150,
reload_growth = 0,
dodge_growth = 48,
id = 101018,
star = 5,
hit = 14,
antisub_growth = 0,
air_growth = 0,
torpedo = 0,
base = 222,
durability = 480,
armor_growth = 0,
torpedo_growth = 0,
luck_growth = 0,
battle_unit_type = 65,
armor = 0,
durability_growth = 22400,
antiaircraft = 66,
antisub = 0,
antiaircraft_growth = 3744,
appear_fx = {
"appearQ"
},
equipment_list = {
100201,
311040
},
buff_list = {
{
ID = 50510,
LV = 1
}
}
},
[101019] = {
cannon = 0,
reload = 150,
speed_growth = 0,
cannon_growth = 0,
rarity = 5,
air = 18,
torpedo = 0,
dodge = 0,
durability_growth = 22400,
antiaircraft = 45,
luck = 0,
reload_growth = 0,
dodge_growth = 0,
hit_growth = 120,
star = 6,
hit = 8,
antisub_growth = 0,
air_growth = 1476,
battle_unit_type = 60,
base = 120,
durability = 600,
armor_growth = 0,
torpedo_growth = 0,
luck_growth = 0,
speed = 15,
armor = 0,
id = 101019,
antiaircraft_growth = 1521,
antisub = 0,
appear_fx = {
"appearbig"
},
equipment_list = {
100201,
311041,
311042,
311043
}
},
[101020] = {
cannon = 0,
reload = 150,
speed_growth = 0,
cannon_growth = 0,
rarity = 5,
air = 18,
torpedo = 0,
dodge = 0,
durability_growth = 22400,
antiaircraft = 45,
luck = 0,
reload_growth = 0,
dodge_growth = 0,
hit_growth = 120,
star = 6,
hit = 8,
antisub_growth = 0,
air_growth = 1476,
battle_unit_type = 60,
base = 121,
durability = 600,
armor_growth = 0,
torpedo_growth = 0,
luck_growth = 0,
speed = 15,
armor = 0,
id = 101020,
antiaircraft_growth = 1521,
antisub = 0,
appear_fx = {
"appearbig"
},
equipment_list = {
100201,
311044,
311045,
311046
}
},
[101021] = {
cannon = 64,
reload = 150,
speed_growth = 0,
cannon_growth = 0,
pilot_ai_template_id = 10001,
air = 88,
rarity = 4,
dodge = 5,
torpedo = 0,
durability_growth = 19800,
antiaircraft = 60,
reload_growth = 0,
dodge_growth = 72,
hit_growth = 210,
star = 5,
hit = 14,
antisub_growth = 0,
air_growth = 3627,
battle_unit_type = 70,
base = 242,
durability = 480,
armor_growth = 0,
torpedo_growth = 0,
luck_growth = 0,
speed = 17,
luck = 0,
id = 101021,
antiaircraft_growth = 3744,
antisub = 0,
armor = 0,
appear_fx = {
"appearQ"
},
equipment_list = {
100201,
311047,
311048,
311049,
311051
}
},
[101022] = {
cannon = 64,
reload = 150,
speed_growth = 0,
cannon_growth = 0,
pilot_ai_template_id = 10001,
air = 88,
rarity = 4,
dodge = 5,
torpedo = 0,
durability_growth = 19800,
antiaircraft = 60,
reload_growth = 0,
dodge_growth = 72,
hit_growth = 210,
star = 5,
hit = 14,
antisub_growth = 0,
air_growth = 3627,
battle_unit_type = 70,
base = 241,
durability = 480,
armor_growth = 0,
torpedo_growth = 0,
luck_growth = 0,
speed = 17,
luck = 0,
id = 101022,
antiaircraft_growth = 3744,
antisub = 0,
armor = 0,
appear_fx = {
"appearQ"
},
equipment_list = {
100201,
311050,
311051,
311052,
311053
}
},
[101023] = {
cannon = 64,
reload = 150,
speed_growth = 0,
cannon_growth = 0,
pilot_ai_template_id = 10001,
air = 88,
rarity = 5,
dodge = 5,
torpedo = 0,
durability_growth = 19800,
antiaircraft = 60,
reload_growth = 0,
dodge_growth = 72,
hit_growth = 210,
star = 6,
hit = 14,
antisub_growth = 0,
air_growth = 3627,
battle_unit_type = 70,
base = 243,
durability = 480,
armor_growth = 0,
torpedo_growth = 0,
luck_growth = 0,
speed = 17,
luck = 0,
id = 101023,
antiaircraft_growth = 3744,
antisub = 0,
armor = 0,
appear_fx = {
"appearQ"
},
equipment_list = {
100201,
311054,
311055,
311056,
311057
}
},
[101024] = {
cannon = 64,
reload = 150,
speed_growth = 0,
cannon_growth = 0,
pilot_ai_template_id = 10001,
air = 88,
rarity = 5,
dodge = 5,
torpedo = 0,
durability_growth = 19800,
antiaircraft = 60,
reload_growth = 0,
dodge_growth = 72,
hit_growth = 210,
star = 6,
hit = 14,
antisub_growth = 0,
air_growth = 3627,
battle_unit_type = 70,
base = 244,
durability = 480,
armor_growth = 0,
torpedo_growth = 0,
luck_growth = 0,
speed = 17,
luck = 0,
id = 101024,
antiaircraft_growth = 3744,
antisub = 0,
armor = 0,
appear_fx = {
"appearQ"
},
equipment_list = {
100201,
311058,
311059,
311060,
311061
}
},
[101025] = {
cannon = 64,
reload = 150,
speed_growth = 0,
cannon_growth = 0,
pilot_ai_template_id = 10001,
air = 88,
rarity = 4,
dodge = 4,
torpedo = 0,
durability_growth = 19800,
antiaircraft = 60,
reload_growth = 0,
dodge_growth = 66,
hit_growth = 210,
star = 5,
hit = 14,
antisub_growth = 0,
air_growth = 3627,
battle_unit_type = 70,
base = 238,
durability = 480,
armor_growth = 0,
torpedo_growth = 0,
luck_growth = 0,
speed = 17,
luck = 0,
id = 101025,
antiaircraft_growth = 3933,
antisub = 0,
armor = 0,
appear_fx = {
"appearQ"
},
equipment_list = {
100201,
311062,
311063,
311064,
311065
}
},
[101027] = {
cannon = 0,
reload = 150,
speed_growth = 0,
cannon_growth = 0,
pilot_ai_template_id = 20001,
air = 0,
rarity = 1,
dodge = 0,
torpedo = 0,
durability_growth = 7000,
antiaircraft = 0,
reload_growth = 0,
dodge_growth = 0,
speed = 30,
star = 2,
hit = 8,
antisub_growth = 0,
air_growth = 0,
hit_growth = 120,
base = 90,
durability = 240,
armor_growth = 0,
torpedo_growth = 0,
luck_growth = 0,
antiaircraft_growth = 0,
luck = 0,
battle_unit_type = 20,
id = 101027,
antisub = 0,
armor = 0,
appear_fx = {
"appearsmall"
}
}
}
return
|
Script.ReloadScript("scripts/gamerules/SinglePlayer.lua");
function GameRulesSetStandardFuncs(gamerules)
if (not gamerules) then
return;
end;
gamerules.actionableEntityList = {}
-- ///////// Server/Client /////////
if (not gamerules.Server) then
gamerules.Server={};
end;
if (not gamerules.Client) then
gamerules.Client={};
end;
if(not gamerules.AreUsable) then
gamerules.AreUsable = SinglePlayer.AreUsable;
end
-- Functions that unfortunately are called by CryAction (Interactor.cpp:47) and thus can't be
-- moved into c++ without engine changes
-- ///////// IsUsable /////////
if (not gamerules.IsUsable) then
gamerules.IsUsable = function (self, srcId, objId)
if not objId then return 0 end;
local obj = System.GetEntity(objId);
if (obj.IsUsable) then
if (obj:IsHidden()) then
return 0;
end;
local src = System.GetEntity(srcId);
if (src and src.actor and (src:IsDead() or (src.actor:GetSpectatorMode()~=0))) then
return 0;
end
return obj:IsUsable(src);
end
return 0;
end
end
-- ///////// OnNewUsable /////////
if (not gamerules.OnNewUsable) then
gamerules.OnNewUsable = function (self, srcId, objId, usableId)
if not srcId then return end
if objId and not System.GetEntity(objId) then objId = nil end
local src = System.GetEntity(srcId)
if src and src.SetOnUseData then
src:SetOnUseData(objId or NULL_ENTITY, usableId)
end
if srcId ~= g_localActorId then return end
if self.UsableMessage then
self.UsableMessage = nil
end
end
end
-- ///////// OnUsableMessage /////////
if (not gamerules.OnUsableMessage) then
gamerules.OnUsableMessage = SinglePlayer.OnUsableMessage;
end
-- ///////// OnLongHover /////////
if (not gamerules.OnLongHover) then
gamerules.OnLongHover = function(self, srcId, objId)
end
end
if (not gamerules.ProcessActorDamage) then
gamerules.ProcessActorDamage = function(self, hit)
-- Using SinglePlayer ProcessActorDamage
gamerules.GetDamageAbsorption = SinglePlayer.GetDamageAbsorption;
local died = SinglePlayer.ProcessActorDamage(self, hit);
return died;
end
end
if (not gamerules.Createhit) then
gamerules.CreateHit = SinglePlayer.CreateHit;
end
if (not gamerules.CreateExplosion) then
gamerules.CreateExplosion = SinglePlayer.CreateExplosion;
end
-- // EI Begin
if (not gamerules.AreActionable) then
gamerules.AreActionable = function(self, src, objs)
if (objs) then
for i,entity in ipairs(objs) do
self.actionableEntityList[i] = entity:IsActionable(src);
end
end
return self.actionableEntityList;
end
end
if (not gamerules.IsActionable) then
gamerules.IsActionable = function(self, srcId, objId)
if not objId then return 0 end;
local obj = System.GetEntity(objId);
if (obj and obj.IsActionable) then
if (obj:IsHidden()) then
return 0;
end;
local src = System.GetEntity(srcId);
if (src and src.actor and (src:IsDead() or (src.actor:GetSpectatorMode()~=0) or src.actorStats.isFrozen)) then
return 0;
end
return obj:IsActionable(src);
end
return 0;
end
end
if (not gamerules.DidActionsChange) then
gamerules.DidActionsChange = function(self, objId)
if not objId then return 0 end;
local obj = System.GetEntity(objId);
if (obj and obj.DidActionsChange) then
return obj:DidActionsChange();
end
return 0;
end
end
if (not gamerules.OnNewActionable) then
gamerules.OnNewActionable = function(self, srcId, objId, usableId)
if not srcId then return end
if objId and not System.GetEntity(objId) then objId = nil end
local src = System.GetEntity(srcId)
if src and src.SetOnActionData then
src:SetOnActionData(objId or NULL_ENTITY, usableId)
end
end
end
if (not gamerules.GetActions) then
gamerules.GetActions = function(self, srcId, objId)
if not objId then return 0 end;
local obj = System.GetEntity(objId);
if (obj and obj.IsActionable) then
if (obj:IsHidden()) then
return 0;
end;
local src = System.GetEntity(srcId);
if (src and src.actor and (src:IsDead() or (src.actor:GetSpectatorMode()~=0) or src.actorStats.isFrozen)) then
return 0;
end
return obj:GetActions(src);
end
return 0;
end
end
if (not gamerules.PerformAction) then
gamerules.PerformAction = function(self, srcId, objId, name)
if not objId then return 0 end;
local obj = System.GetEntity(objId);
if (obj and obj.IsActionable) then
-- The ~="" is needed to the user can press a hotkey to perform the default action
if (obj:IsHidden() and name ~="") then
return 0;
end;
local src = System.GetEntity(srcId);
if (src and src.actor and (src:IsDead() or (src.actor:GetSpectatorMode()~=0) or src.actorStats.isFrozen)) then
return 0;
end
return obj:PerformAction(src, name);
end
return 0;
end
end
if (not gamerules.DisplayActionableMenu) then
gamerules.DisplayActionableMenu = function(self, srcId, objId, index)
if srcId ~= g_localActorId then return end
local actions = {};
if objId then
obj = System.GetEntity(objId)
if obj then
local src = System.GetEntity(srcId);
if obj.GetActions then
actions = obj:GetActions(src)
else
local state = obj:GetState()
if state ~= "" then
state = obj[state]
if state.GetActions then
actions = state.GetActions(obj, src)
end
end
end
end
end
self.game:DisplayActionableMenu(actions);
end
end
-- // EI End
end
|
if script.active_mods["repair-fish"] then
script.on_event(defines.events.on_player_used_capsule, function(event)
if event.item.name == "raw-crab" then
local player = game.get_player(event.player_index)
local selected = player.selected
if selected and selected.health then
selected.health = selected.health - 60
end
end
if event.item.name == "raw-flounder" then
local player = game.get_player(event.player_index)
local selected = player.selected
if selected and selected.health then
selected.health = selected.health + 80
end
end
if event.item.name == "raw-salmon" and not script.active_mods["more-fish"] then
local player = game.get_player(event.player_index)
local selected = player.selected
if selected and selected.health then
selected.health = selected.health + 80
end
end
if event.item.name == "raw-squid" then
local player = game.get_player(event.player_index)
local selected = player.selected
if selected and selected.health then
selected.health = selected.health + 100
end
end
if event.item.name == "raw-jellyfish" then
local player = game.get_player(event.player_index)
local selected = player.selected
if selected and selected.health then
selected.health = selected.health - 120
end
end
end)
end
|
local Env = require "Env"
local SpottedControl = require "SpottedStrip.Control"
local Class = require "Base.Class"
local ply = app.SECTION_PLY
local MondrianMenu = Class {}
MondrianMenu:include(SpottedControl)
function MondrianMenu:init(left, bottom, width, height)
SpottedControl.init(self)
self:setClassName("MondrianMenu.AsSpottedControl")
self:addSpotDescriptor{
center = 0.5 * width,
radius = width
}
self.mlist = app.MondrianList(left, bottom, width, height)
self.mlist:setPadding(1, 1)
self.mlist:setCornerRadius(5, 5, 5, 5)
self:setControlGraphic(self.mlist)
self:setMainCursorController(self.mlist)
self.controls = {}
end
function MondrianMenu:invalidateLayout()
self.mlist:invalidateLayout()
end
function MondrianMenu:clear()
self.mlist:clear()
self.controls = {}
end
function MondrianMenu:addText(...)
local text = string.format(...)
local graphic = app.FittedTextBox(text)
self.mlist:addGraphic(graphic)
end
function MondrianMenu:addHeaderText(...)
self.mlist:startNewRow()
self.mlist:beginSelectableOff()
self.mlist:beginJustifyLeft()
local text = string.format(...)
local graphic = app.Label(text)
self.mlist:addGraphic(graphic)
self.mlist:startNewRow()
self.mlist:endJustify()
self.mlist:endSelectable()
end
function MondrianMenu:addControl(control, isHeader)
self:addChildWidget(control)
if control.controlGraphic then
if isHeader then
self.mlist:startNewRow()
self.mlist:beginSelectableOff()
self.mlist:beginJustifyLeft()
end
self.mlist:addGraphic(control.controlGraphic)
self.controls[control.controlGraphic:handle()] = control
if isHeader then
self.mlist:startNewRow()
self.mlist:endJustify()
self.mlist:endSelectable()
end
end
end
function MondrianMenu:startNewRow()
self.mlist:startNewRow()
end
function MondrianMenu:beginSelectable(value)
if value then
self.mlist:beginSelectableOn()
else
self.mlist:beginSelectableOff()
end
end
function MondrianMenu:endSelectable()
self.mlist:endSelectable()
end
function MondrianMenu:beginJustify(value)
if value == "left" then
self.mlist:beginJustifyLeft()
elseif value == "center" then
self.mlist:beginJustifyCenter()
else
self.mlist:beginJustifyRight()
end
end
function MondrianMenu:endJustify()
self.mlist:endJustify()
end
local threshold = Env.EncoderThreshold.Default
function MondrianMenu:encoder(change, shifted)
self.mlist:encoder(change, shifted, threshold)
return true
end
function MondrianMenu:upReleased(shifted)
if not shifted then self:unfocus() end
return true
end
function MondrianMenu:mainPressed(i, shifted)
if i == 6 then
self:unfocus()
return false
end
if not self.focused then return true end
local graphic = self.mlist:selectByButton(i - 1)
if graphic then
graphic:setBorderColor(app.WHITE)
local control = self.controls[graphic:handle()]
if control then
for j = 1, 6 do
if graphic:intersectsWithButton(j - 1) then
if control.enabled then
control:onPressed(i - j + 1, shifted)
else
control:onPressedWhenDisabled(i - j + 1, shifted)
end
return true
end
end
end
end
return true
end
function MondrianMenu:mainRepeated(i, shifted)
local graphic = self.mlist:selectByButton(i - 1)
if graphic then
local control = self.controls[graphic:handle()]
if control then
for j = 1, 6 do
if graphic:intersectsWithButton(j - 1) then
if control.enabled then
control:onRepeated(i - j + 1, shifted)
end
return true
end
end
end
end
return true
end
function MondrianMenu:mainReleased(i, shifted)
if i == 6 then
self:unfocus()
return false
end
if not self.focused and i < 6 then
self:focus()
return false
end
local graphic = self.mlist:selectByButton(i - 1)
if graphic then
graphic:setBorderColor(app.GRAY7)
local control = self.controls[graphic:handle()]
if control then
for j = 1, 6 do
if graphic:intersectsWithButton(j - 1) then
if control.enabled then
control:onReleased(i - j + 1, shifted)
else
control:onReleasedWhenDisabled(i - j + 1, shifted)
end
return true
end
end
end
end
return true
end
function MondrianMenu:onCursorEnter(spot)
self:grabFocus("mainPressed", "mainReleased")
end
function MondrianMenu:onCursorLeave(spot)
self:releaseFocus("mainPressed", "mainReleased", "upReleased", "encoder")
self:disableHighlight()
end
function MondrianMenu:focus()
self:grabFocus("encoder", "upReleased")
self:enableHighlight()
end
function MondrianMenu:unfocus()
self:releaseFocus("encoder", "upReleased")
self:disableHighlight()
end
function MondrianMenu:enableHighlight()
self.controlGraphic:setBorder(1)
self.focused = true
end
function MondrianMenu:disableHighlight()
self.controlGraphic:setBorder(0)
self.focused = false
end
return MondrianMenu
|
CC_CONTENT_SCALE_FACTOR = function()
return cc.Director:getInstance():getContentScaleFactor()
end
CC_POINT_PIXELS_TO_POINTS = function(pixels)
return cc.p(pixels.x/CC_CONTENT_SCALE_FACTOR(), pixels.y/CC_CONTENT_SCALE_FACTOR())
end
CC_POINT_POINTS_TO_PIXELS = function(points)
return cc.p(points.x*CC_CONTENT_SCALE_FACTOR(), points.y*CC_CONTENT_SCALE_FACTOR())
end
-- cclog
cclog = function(...)
print(string.format(...))
end
-- change table to enum type
function CreateEnumTable(tbl, index)
local enumTable = {}
local enumIndex = index or -1
for i, v in ipairs(tbl) do
enumTable[v] = enumIndex + i
end
return enumTable
end
Helper = {
index = 1,
createFunctioinTable = nil,
currentLayer = nil,
titleLabel = nil,
subtitleLabel = nil
}
function Helper.nextAction()
Helper.index = Helper.index + 1
if Helper.index > table.getn(Helper.createFunctionTable) then
Helper.index = 1
end
return Helper.newScene()
end
function Helper.backAction()
Helper.index = Helper.index - 1
if Helper.index == 0 then
Helper.index = table.getn(Helper.createFunctionTable)
end
return Helper.newScene()
end
function Helper.restartAction()
return Helper.newScene()
end
function Helper.newScene()
local scene
if Helper.usePhysics then
scene = cc.Scene:createWithPhysics()
else
scene = cc.Scene:create()
end
Helper.currentLayer = Helper.createFunctionTable[Helper.index]()
scene:addChild(Helper.currentLayer)
scene:addChild(CreateBackMenuItem())
cc.Director:getInstance():replaceScene(scene)
end
function Helper.initWithLayer(layer)
Helper.currentLayer = layer
local size = cc.Director:getInstance():getWinSize()
Helper.titleLabel = cc.Label:createWithTTF("", s_arialPath, 28)
Helper.titleLabel:setAnchorPoint(cc.p(0.5, 0.5))
layer:addChild(Helper.titleLabel, 1)
Helper.titleLabel:setPosition(size.width / 2, size.height - 50)
Helper.subtitleLabel = cc.Label:createWithTTF("", s_thonburiPath, 16)
Helper.subtitleLabel:setAnchorPoint(cc.p(0.5, 0.5))
layer:addChild(Helper.subtitleLabel, 1)
Helper.subtitleLabel:setPosition(size.width / 2, size.height - 80)
-- menu
local item1 = cc.MenuItemImage:create(s_pPathB1, s_pPathB2)
local item2 = cc.MenuItemImage:create(s_pPathR1, s_pPathR2)
local item3 = cc.MenuItemImage:create(s_pPathF1, s_pPathF2)
item1:registerScriptTapHandler(Helper.backAction)
item2:registerScriptTapHandler(Helper.restartAction)
item3:registerScriptTapHandler(Helper.nextAction)
local menu = cc.Menu:create()
menu:addChild(item1)
menu:addChild(item2)
menu:addChild(item3)
menu:setPosition(cc.p(0, 0))
item1:setPosition(cc.p(size.width / 2 - item2:getContentSize().width * 2, item2:getContentSize().height / 2))
item2:setPosition(cc.p(size.width / 2, item2:getContentSize().height / 2))
item3:setPosition(cc.p(size.width / 2 + item2:getContentSize().width * 2, item2:getContentSize().height / 2))
layer:addChild(menu, 1)
local background = cc.Layer:create()
layer:addChild(background, -10)
end
-- back menu callback
local function MainMenuCallback()
local scene = cc.Scene:create()
scene:addChild(CreateTestMenu())
Helper.usePhysics = false
cc.Director:getInstance():setDepthTest(false)
cc.Director:getInstance():replaceScene(scene)
end
-- add the menu item for back to main menu
function CreateBackMenuItem()
local label = cc.Label:createWithTTF("MainMenu", s_arialPath, 20)
label:setAnchorPoint(cc.p(0.5, 0.5))
local MenuItem = cc.MenuItemLabel:create(label)
MenuItem:registerScriptTapHandler(MainMenuCallback)
local s = cc.Director:getInstance():getWinSize()
local Menu = cc.Menu:create()
Menu:addChild(MenuItem)
Menu:setPosition(0, 0)
MenuItem:setPosition(s.width - 50, 25)
return Menu
end
function createTestLayer(title, subtitle)
local layer = cc.Layer:create()
Helper.initWithLayer(layer)
local titleStr = title == nil and "No title" or title
local subTitleStr = subtitle == nil and "" or subtitle
Helper.titleLabel:setString(titleStr)
Helper.subtitleLabel:setString(subTitleStr)
return layer
end
TestCastScene = {
index = 1,
createFunctioinTable = nil,
titleLabel = nil,
subtitleLabel = nil
}
function TestCastScene.nextAction()
TestCastScene.index = TestCastScene.index + 1
if TestCastScene.index > table.getn(TestCastScene.createFunctionTable) then
TestCastScene.index = 1
end
return TestCastScene.newScene()
end
function TestCastScene.backAction()
TestCastScene.index = TestCastScene.index - 1
if TestCastScene.index == 0 then
TestCastScene.index = table.getn(TestCastScene.createFunctionTable)
end
return TestCastScene.newScene()
end
function TestCastScene.restartAction()
return TestCastScene.newScene()
end
function TestCastScene.newScene()
local scene = TestCastScene.createFunctionTable[TestCastScene.index]()
scene:addChild(CreateBackMenuItem())
cc.Director:getInstance():replaceScene(scene)
end
function TestCastScene.initWithLayer(scene)
local size = cc.Director:getInstance():getWinSize()
TestCastScene.titleLabel = cc.Label:createWithTTF("", s_arialPath, 28)
TestCastScene.titleLabel:setAnchorPoint(cc.p(0.5, 0.5))
scene:addChild(TestCastScene.titleLabel, 1)
TestCastScene.titleLabel:setPosition(size.width / 2, size.height - 50)
TestCastScene.subtitleLabel = cc.Label:createWithTTF("", s_thonburiPath, 16)
TestCastScene.subtitleLabel:setAnchorPoint(cc.p(0.5, 0.5))
scene:addChild(TestCastScene.subtitleLabel, 1)
TestCastScene.subtitleLabel:setPosition(size.width / 2, size.height - 80)
-- menu
local item1 = cc.MenuItemImage:create(s_pPathB1, s_pPathB2)
local item2 = cc.MenuItemImage:create(s_pPathR1, s_pPathR2)
local item3 = cc.MenuItemImage:create(s_pPathF1, s_pPathF2)
item1:registerScriptTapHandler(TestCastScene.backAction)
item2:registerScriptTapHandler(TestCastScene.restartAction)
item3:registerScriptTapHandler(TestCastScene.nextAction)
local menu = cc.Menu:create()
menu:addChild(item1)
menu:addChild(item2)
menu:addChild(item3)
menu:setPosition(cc.p(0, 0))
item1:setPosition(cc.p(size.width / 2 - item2:getContentSize().width * 2, item2:getContentSize().height / 2))
item2:setPosition(cc.p(size.width / 2, item2:getContentSize().height / 2))
item3:setPosition(cc.p(size.width / 2 + item2:getContentSize().width * 2, item2:getContentSize().height / 2))
scene:addChild(menu, 1)
local background = cc.Layer:create()
scene:addChild(background, -10)
end
|
local function laser_turret_extension(inputs)
return {
filename = "__BzztyFloors__/graphics/entities/exposed-turret/gun-start.png",
priority = "medium",
width = 32,
height = 32,
frame_count = inputs.frame_count and inputs.frame_count or 15,
line_length = inputs.line_length and inputs.line_length or 0,
run_mode = inputs.run_mode and inputs.run_mode or "forward",
axially_symmetrical = false,
direction_count = 1,
-- shift = {-0.03125, -0.984375}
}
end
local beam = table.deepcopy(data.raw.beam["electric-beam"])
beam.name = "bzzty-floors-exposed-turret-beam"
beam.damage_interval = 20
beam.action = {
type = "direct",
action_delivery = {
type = "instant",
target_effects = {{
type = "damage",
damage = {amount = 10, type = "electric"}
}}
}
}
local turret = {
type = "electric-turret",
name = "bzzty-floors-exposed-turret",
localised_name = {"entity-name.bzzty-floors-exposed"},
localised_description = {"entity-description.bzzty-floors-exposed"},
icons = {{
icon = "__BzztyFloors__/graphics/entities/exposed-icon.png"
},{
icon = "__BzztyFloors__/graphics/entities/exposed-turret/icon.png"
}},
flags = {"player-creation", "not-on-map"},
minable = { mining_time = 10, result = "bzzty-floors-exposed" },
max_health = 1000,
corpse = "small-remnants",
dying_explosion = "explosion",
collision_box = {{-0.4, -0.4}, {0.4, 0.4}},
selection_box = {{-0.25, -0.25}, {0.25, 0.25}},
collision_mask = {},
rotation_speed = 1,
preparing_speed = 0.01,
folding_speed = 0.1,
resistances = {{
type = "physical",
decrease = 8,
percent = 80
},{
type = "impact",
percent = 100
},{
type = "explosion",
percent = 30
},{
type = "fire",
percent = 30
},{
type = "laser",
percent = 60
}},
energy_source = {
type = "electric",
buffer_capacity = "200kJ",
input_flow_limit = "1MW",
drain = "10kW",
usage_priority = "primary-input"
},
folded_animation = {
layers = {
laser_turret_extension{frame_count=1, line_length=1}
}
},
preparing_animation = {
layers = {
laser_turret_extension{}
}
},
prepared_animation = {
layers = {{
filename = "__BzztyFloors__/graphics/entities/exposed-turret/gun.png",
line_length = 16,
width = 32,
height = 32,
frame_count = 1,
axially_symmetrical = false,
direction_count = 64,
}}
},
folding_animation = {
layers = {
laser_turret_extension{run_mode="backward"}
}
},
base_picture =
{
layers = {{
filename = "__BzztyFloors__/graphics/entities/exposed-turret/base-mask.png",
flags = { "mask" },
line_length = 1,
width = 32,
height = 32,
axially_symmetrical = false,
apply_runtime_tint = true,
direction_count = 1,
frame_count = 1,
-- shift = {-0.046875, -0.109375},
},{
filename = "__BzztyFloors__/graphics/entities/exposed-turret/base.png",
priority = "high",
width = 32,
height = 32,
axially_symmetrical = false,
direction_count = 1,
frame_count = 1,
-- shift = {0.015625, 0.03125}
}}
},
attack_parameters = {
type = "beam",
ammo_category = "electric",
cooldown = 20,
range = 5,
damage_modifier = 2, --added
ammo_type = {
energy_consumption = "200kJ", --added
category = "combat-robot-beam",
action = {
type = "direct",
action_delivery = {
type = "beam",
beam = "bzzty-floors-exposed-turret-beam",
max_length = 20,
duration = 20,
-- source_offset = {0.15, -0.5},
}
}
}
},
call_for_help_radius = 20
}
local pole = {
type = "electric-pole",
name = "bzzty-floors-exposed-pole",
localised_name = {"entity-name.bzzty-floors-exposed"},
localised_description = {"entity-description.bzzty-floors-exposed"},
icons = {{
icon = "__BzztyFloors__/graphics/entities/exposed-icon.png"
},{
icon = "__BzztyFloors__/graphics/entities/exposed-pole-icon.png"
}},
flags = {"player-creation", "not-on-map"},
collision_box = {{-0.4, -0.4}, {0.4, 0.4}},
selection_box = {{-0.5, -0.5}, {0.5, 0.5}},
collision_mask = {},
maximum_wire_distance = 1.5,
supply_area_distance = 0.5,
pictures = {
filename = "__BzztyFloors__/graphics/entities/exposed-pole.png",
priority = "high",
width = 32,
height = 32,
direction_count = 1,
},
connection_points = {{
shadow = {
copper = {0, 0},
green = {-0.4, -0.4},
red = {0.4, 0.4}
},
wire = {
copper = {0, 0},
green = {-0.4, -0.4},
red = {0.4, 0.4}
}
}},
radius_visualisation_picture = table.deepcopy(data.raw["electric-pole"]["medium-electric-pole"].radius_visualisation_picture)
}
data:extend {beam, turret, pole}
|
local config = {}
-- Reads the config.json file and returns a parsed config object
-- If the config file doesn't contain a valid JSON it'll return false
function config.read()
local parsedJson
if file.open("config.json", "r") then
local status
status, parsedJson = pcall(sjson.decode, file.read())
if not status then
return false
end
file.close()
end
print(parsedJson)
if type(parsedJson) ~= "table" then
parsedJson = {}
end
parsedJson.id = node.chipid()
return parsedJson
end
-- Writes the given string to the config.json file
function config.write(configString)
if file.open("config.json", "w+") then
file.write(configString)
file.close()
end
return true
end
return config
|
-- Copyright (C) Kong Inc.
local access = require "kong.plugins.basic-auth.access"
local BasicAuthHandler = {
PRIORITY = 1001,
VERSION = "2.2.0",
}
function BasicAuthHandler:access(conf)
access.execute(conf)
end
return BasicAuthHandler
|
pg = pg or {}
pg.activity_month_sign = {
{
id = 1,
resign_count = 0,
day_and_drop = {
{
5,
10000
},
{
10,
10000
},
{
15,
10000
}
},
front_drops = {
{
5,
1,
1,
100
},
{
10,
1,
1,
100
},
{
15,
1,
1,
100
}
},
day1 = {
{
1,
2,
300
}
},
day2 = {
{
1,
1,
1200
}
},
day3 = {
{
2,
15003,
3
}
},
day4 = {
{
2,
20001,
3
}
},
day5 = {
{
2,
18012,
4
}
},
day6 = {
{
2,
20012,
1
}
},
day7 = {
{
2,
15008,
15
}
},
day8 = {
{
4,
100001,
1
}
},
day9 = {
{
1,
2,
350
}
},
day10 = {
{
1,
1,
1500
}
},
day11 = {
{
2,
15003,
5
}
},
day12 = {
{
2,
20001,
6
}
},
day13 = {
{
2,
18002,
4
}
},
day14 = {
{
2,
30014,
1
}
},
day15 = {
{
2,
15008,
30
}
},
day16 = {
{
4,
100001,
1
}
},
day17 = {
{
1,
2,
400
}
},
day18 = {
{
2,
20012,
1
}
},
day19 = {
{
2,
15003,
7
}
},
day20 = {
{
2,
20001,
9
}
},
day21 = {
{
5,
100023,
1
}
},
day22 = {
{
2,
18012,
6
}
},
day23 = {
{
2,
15008,
45
}
},
day24 = {
{
4,
100011,
1
}
},
day25 = {
{
2,
20013,
1
}
},
day26 = {
{
2,
20001,
12
}
},
day27 = {
{
2,
18002,
6
}
},
day28 = {
{
2,
15008,
60
}
},
day29 = {
{
2,
30015,
1
}
},
day30 = {
{
1,
2,
450
}
},
day31 = {
{
1,
1,
2100
}
}
},
{
id = 2,
resign_count = 0,
day_and_drop = {
{
5,
10000
},
{
10,
10000
},
{
15,
10000
}
},
front_drops = {
{
5,
1,
1,
100
},
{
10,
1,
1,
100
},
{
15,
1,
1,
100
}
},
day1 = {
{
1,
2,
300
}
},
day2 = {
{
1,
1,
1200
}
},
day3 = {
{
2,
15003,
3
}
},
day4 = {
{
2,
20001,
3
}
},
day5 = {
{
2,
18012,
4
}
},
day6 = {
{
2,
20012,
1
}
},
day7 = {
{
2,
15008,
15
}
},
day8 = {
{
4,
100001,
1
}
},
day9 = {
{
1,
2,
350
}
},
day10 = {
{
1,
1,
1500
}
},
day11 = {
{
2,
15003,
5
}
},
day12 = {
{
2,
20001,
6
}
},
day13 = {
{
2,
18002,
4
}
},
day14 = {
{
2,
30014,
1
}
},
day15 = {
{
2,
15008,
30
}
},
day16 = {
{
4,
100001,
1
}
},
day17 = {
{
1,
2,
400
}
},
day18 = {
{
2,
20012,
1
}
},
day19 = {
{
2,
20001,
9
}
},
day20 = {
{
2,
18012,
6
}
},
day21 = {
{
4,
701061,
1
}
},
day22 = {
{
2,
15008,
45
}
},
day23 = {
{
2,
20001,
12
}
},
day24 = {
{
4,
100011,
1
}
},
day25 = {
{
2,
20013,
1
}
},
day26 = {
{
2,
18002,
6
}
},
day27 = {
{
2,
15008,
60
}
},
day28 = {
{
2,
30025,
1
}
},
day29 = {
{
1,
1,
1
}
},
day30 = {
{
1,
1,
1
}
},
day31 = {
{
1,
1,
1
}
}
},
{
id = 3,
resign_count = 0,
day_and_drop = {
{
5,
10000
},
{
10,
10000
},
{
15,
10000
}
},
front_drops = {
{
5,
1,
1,
100
},
{
10,
1,
1,
100
},
{
15,
1,
1,
100
}
},
day1 = {
{
1,
2,
300
}
},
day2 = {
{
1,
1,
1200
}
},
day3 = {
{
2,
15003,
3
}
},
day4 = {
{
2,
20001,
3
}
},
day5 = {
{
2,
18012,
4
}
},
day6 = {
{
2,
20012,
1
}
},
day7 = {
{
2,
15008,
15
}
},
day8 = {
{
4,
100001,
1
}
},
day9 = {
{
1,
2,
350
}
},
day10 = {
{
1,
1,
1500
}
},
day11 = {
{
2,
15003,
5
}
},
day12 = {
{
2,
20001,
6
}
},
day13 = {
{
2,
18002,
4
}
},
day14 = {
{
2,
30034,
1
}
},
day15 = {
{
2,
15008,
30
}
},
day16 = {
{
4,
100001,
1
}
},
day17 = {
{
1,
2,
400
}
},
day18 = {
{
2,
20012,
1
}
},
day19 = {
{
2,
15003,
7
}
},
day20 = {
{
2,
20001,
9
}
},
day21 = {
{
5,
100024,
1
}
},
day22 = {
{
2,
18012,
6
}
},
day23 = {
{
2,
15008,
45
}
},
day24 = {
{
4,
100011,
1
}
},
day25 = {
{
2,
20013,
1
}
},
day26 = {
{
2,
20001,
12
}
},
day27 = {
{
2,
18002,
6
}
},
day28 = {
{
2,
15008,
60
}
},
day29 = {
{
2,
30035,
1
}
},
day30 = {
{
1,
2,
450
}
},
day31 = {
{
1,
1,
2100
}
}
},
{
id = 4,
resign_count = 0,
day_and_drop = {
{
5,
10000
},
{
10,
10000
},
{
15,
10000
}
},
front_drops = {
{
5,
1,
1,
100
},
{
10,
1,
1,
100
},
{
15,
1,
1,
100
}
},
day1 = {
{
1,
2,
300
}
},
day2 = {
{
1,
1,
1200
}
},
day3 = {
{
2,
15003,
3
}
},
day4 = {
{
2,
20001,
3
}
},
day5 = {
{
2,
18012,
4
}
},
day6 = {
{
2,
20012,
1
}
},
day7 = {
{
2,
15008,
15
}
},
day8 = {
{
4,
100001,
1
}
},
day9 = {
{
1,
2,
350
}
},
day10 = {
{
1,
1,
1500
}
},
day11 = {
{
2,
15003,
5
}
},
day12 = {
{
2,
20001,
6
}
},
day13 = {
{
2,
18002,
4
}
},
day14 = {
{
2,
30044,
1
}
},
day15 = {
{
2,
15008,
30
}
},
day16 = {
{
4,
100001,
1
}
},
day17 = {
{
1,
2,
400
}
},
day18 = {
{
2,
20012,
1
}
},
day19 = {
{
2,
15003,
7
}
},
day20 = {
{
2,
20001,
9
}
},
day21 = {
{
4,
301851,
1
}
},
day22 = {
{
2,
18012,
6
}
},
day23 = {
{
2,
15008,
45
}
},
day24 = {
{
4,
100011,
1
}
},
day25 = {
{
2,
20013,
1
}
},
day26 = {
{
2,
20001,
12
}
},
day27 = {
{
2,
18002,
6
}
},
day28 = {
{
2,
15008,
60
}
},
day29 = {
{
2,
30045,
1
}
},
day30 = {
{
1,
2,
450
}
},
day31 = {
{
1,
1,
1
}
}
},
{
id = 5,
resign_count = 0,
day_and_drop = {
{
5,
10000
},
{
10,
10000
},
{
15,
10000
}
},
front_drops = {
{
5,
1,
1,
100
},
{
10,
1,
1,
100
},
{
15,
1,
1,
100
}
},
day1 = {
{
1,
2,
300
}
},
day2 = {
{
1,
1,
1200
}
},
day3 = {
{
2,
15003,
3
}
},
day4 = {
{
2,
20001,
3
}
},
day5 = {
{
2,
18012,
4
}
},
day6 = {
{
2,
20012,
1
}
},
day7 = {
{
2,
15008,
15
}
},
day8 = {
{
4,
100001,
1
}
},
day9 = {
{
1,
2,
350
}
},
day10 = {
{
1,
1,
1500
}
},
day11 = {
{
2,
15003,
5
}
},
day12 = {
{
2,
20001,
6
}
},
day13 = {
{
2,
18002,
4
}
},
day14 = {
{
2,
30014,
1
}
},
day15 = {
{
2,
15008,
30
}
},
day16 = {
{
4,
100001,
1
}
},
day17 = {
{
1,
2,
400
}
},
day18 = {
{
2,
20012,
1
}
},
day19 = {
{
2,
15003,
7
}
},
day20 = {
{
2,
20001,
9
}
},
day21 = {
{
5,
100025,
1
}
},
day22 = {
{
2,
18012,
6
}
},
day23 = {
{
2,
15008,
45
}
},
day24 = {
{
4,
100011,
1
}
},
day25 = {
{
2,
20013,
1
}
},
day26 = {
{
2,
20001,
12
}
},
day27 = {
{
2,
18002,
6
}
},
day28 = {
{
2,
15008,
60
}
},
day29 = {
{
2,
30015,
1
}
},
day30 = {
{
1,
2,
450
}
},
day31 = {
{
1,
1,
2100
}
}
},
{
id = 6,
resign_count = 0,
day_and_drop = {
{
5,
10000
},
{
10,
10000
},
{
15,
10000
}
},
front_drops = {
{
5,
1,
1,
100
},
{
10,
1,
1,
100
},
{
15,
1,
1,
100
}
},
day1 = {
{
1,
2,
300
}
},
day2 = {
{
1,
1,
1200
}
},
day3 = {
{
2,
15003,
3
}
},
day4 = {
{
2,
20001,
3
}
},
day5 = {
{
2,
18012,
4
}
},
day6 = {
{
2,
20012,
1
}
},
day7 = {
{
2,
15008,
15
}
},
day8 = {
{
4,
100001,
1
}
},
day9 = {
{
1,
2,
350
}
},
day10 = {
{
1,
1,
1500
}
},
day11 = {
{
2,
15003,
5
}
},
day12 = {
{
2,
20001,
6
}
},
day13 = {
{
2,
18002,
4
}
},
day14 = {
{
2,
30024,
1
}
},
day15 = {
{
2,
15008,
30
}
},
day16 = {
{
4,
100001,
1
}
},
day17 = {
{
1,
2,
400
}
},
day18 = {
{
2,
20012,
1
}
},
day19 = {
{
2,
15003,
7
}
},
day20 = {
{
2,
20001,
9
}
},
day21 = {
{
5,
100026,
1
}
},
day22 = {
{
2,
18012,
6
}
},
day23 = {
{
2,
15008,
45
}
},
day24 = {
{
4,
100011,
1
}
},
day25 = {
{
2,
20013,
1
}
},
day26 = {
{
2,
20001,
12
}
},
day27 = {
{
2,
18002,
6
}
},
day28 = {
{
2,
15008,
60
}
},
day29 = {
{
2,
30025,
1
}
},
day30 = {
{
1,
2,
450
}
},
day31 = {
{
1,
1,
1
}
}
},
{
id = 7,
resign_count = 0,
day_and_drop = {
{
5,
10000
},
{
10,
10000
},
{
15,
10000
}
},
front_drops = {
{
5,
1,
1,
100
},
{
10,
1,
1,
100
},
{
15,
1,
1,
100
}
},
day1 = {
{
1,
2,
300
}
},
day2 = {
{
1,
1,
1200
}
},
day3 = {
{
2,
15003,
3
}
},
day4 = {
{
2,
20001,
3
}
},
day5 = {
{
2,
18012,
4
}
},
day6 = {
{
2,
20012,
1
}
},
day7 = {
{
2,
15008,
15
}
},
day8 = {
{
4,
100001,
1
}
},
day9 = {
{
1,
2,
350
}
},
day10 = {
{
1,
1,
1500
}
},
day11 = {
{
2,
15003,
5
}
},
day12 = {
{
2,
20001,
6
}
},
day13 = {
{
2,
18002,
4
}
},
day14 = {
{
2,
30034,
1
}
},
day15 = {
{
2,
15008,
30
}
},
day16 = {
{
4,
100001,
1
}
},
day17 = {
{
1,
2,
400
}
},
day18 = {
{
2,
20012,
1
}
},
day19 = {
{
2,
15003,
7
}
},
day20 = {
{
2,
20001,
9
}
},
day21 = {
{
5,
100027,
1
}
},
day22 = {
{
2,
18012,
6
}
},
day23 = {
{
2,
15008,
45
}
},
day24 = {
{
4,
100011,
1
}
},
day25 = {
{
2,
20013,
1
}
},
day26 = {
{
2,
20001,
12
}
},
day27 = {
{
2,
18002,
6
}
},
day28 = {
{
2,
15008,
60
}
},
day29 = {
{
2,
30035,
1
}
},
day30 = {
{
1,
2,
450
}
},
day31 = {
{
1,
1,
2100
}
}
},
{
id = 8,
resign_count = 0,
day_and_drop = {
{
5,
10000
},
{
10,
10000
},
{
15,
10000
}
},
front_drops = {
{
5,
1,
1,
100
},
{
10,
1,
1,
100
},
{
15,
1,
1,
100
}
},
day1 = {
{
1,
2,
300
}
},
day2 = {
{
1,
1,
1200
}
},
day3 = {
{
2,
15003,
3
}
},
day4 = {
{
2,
20001,
3
}
},
day5 = {
{
2,
18012,
4
}
},
day6 = {
{
2,
20012,
1
}
},
day7 = {
{
2,
15008,
15
}
},
day8 = {
{
4,
100001,
1
}
},
day9 = {
{
1,
2,
350
}
},
day10 = {
{
1,
1,
1500
}
},
day11 = {
{
2,
15003,
5
}
},
day12 = {
{
2,
20001,
6
}
},
day13 = {
{
2,
18002,
4
}
},
day14 = {
{
2,
30044,
1
}
},
day15 = {
{
2,
15008,
30
}
},
day16 = {
{
4,
100001,
1
}
},
day17 = {
{
1,
2,
400
}
},
day18 = {
{
2,
20012,
1
}
},
day19 = {
{
2,
15003,
7
}
},
day20 = {
{
2,
20001,
9
}
},
day21 = {
{
5,
100028,
1
}
},
day22 = {
{
2,
18012,
6
}
},
day23 = {
{
2,
15008,
45
}
},
day24 = {
{
4,
100011,
1
}
},
day25 = {
{
2,
20013,
1
}
},
day26 = {
{
2,
20001,
12
}
},
day27 = {
{
2,
18002,
6
}
},
day28 = {
{
2,
15008,
60
}
},
day29 = {
{
2,
30045,
1
}
},
day30 = {
{
1,
2,
450
}
},
day31 = {
{
1,
1,
2100
}
}
},
{
id = 9,
resign_count = 0,
day_and_drop = {
{
5,
10000
},
{
10,
10000
},
{
15,
10000
}
},
front_drops = {
{
5,
1,
1,
100
},
{
10,
1,
1,
100
},
{
15,
1,
1,
100
}
},
day1 = {
{
1,
2,
300
}
},
day2 = {
{
1,
1,
1200
}
},
day3 = {
{
2,
15003,
3
}
},
day4 = {
{
2,
20001,
3
}
},
day5 = {
{
2,
18012,
4
}
},
day6 = {
{
2,
20012,
1
}
},
day7 = {
{
2,
15008,
15
}
},
day8 = {
{
4,
100001,
1
}
},
day9 = {
{
1,
2,
350
}
},
day10 = {
{
1,
1,
1500
}
},
day11 = {
{
2,
15003,
5
}
},
day12 = {
{
2,
20001,
6
}
},
day13 = {
{
2,
18002,
4
}
},
day14 = {
{
2,
30014,
1
}
},
day15 = {
{
2,
15008,
30
}
},
day16 = {
{
4,
100001,
1
}
},
day17 = {
{
1,
2,
400
}
},
day18 = {
{
2,
20012,
1
}
},
day19 = {
{
2,
15003,
7
}
},
day20 = {
{
2,
20001,
9
}
},
day21 = {
{
5,
100029,
1
}
},
day22 = {
{
2,
18012,
6
}
},
day23 = {
{
2,
15008,
45
}
},
day24 = {
{
4,
100011,
1
}
},
day25 = {
{
2,
20013,
1
}
},
day26 = {
{
2,
20001,
12
}
},
day27 = {
{
2,
18002,
6
}
},
day28 = {
{
2,
15008,
60
}
},
day29 = {
{
2,
30015,
1
}
},
day30 = {
{
1,
2,
450
}
},
day31 = {
{
1,
1,
1
}
}
},
{
id = 10,
resign_count = 0,
day_and_drop = {
{
5,
10000
},
{
10,
10000
},
{
15,
10000
}
},
front_drops = {
{
5,
1,
1,
100
},
{
10,
1,
1,
100
},
{
15,
1,
1,
100
}
},
day1 = {
{
1,
2,
300
}
},
day2 = {
{
1,
1,
1200
}
},
day3 = {
{
2,
15003,
3
}
},
day4 = {
{
2,
20001,
3
}
},
day5 = {
{
2,
18012,
4
}
},
day6 = {
{
2,
20012,
1
}
},
day7 = {
{
2,
15008,
15
}
},
day8 = {
{
4,
100001,
1
}
},
day9 = {
{
1,
2,
350
}
},
day10 = {
{
1,
1,
1500
}
},
day11 = {
{
2,
15003,
5
}
},
day12 = {
{
2,
20001,
6
}
},
day13 = {
{
2,
18002,
4
}
},
day14 = {
{
2,
30024,
1
}
},
day15 = {
{
2,
15008,
30
}
},
day16 = {
{
4,
100001,
1
}
},
day17 = {
{
1,
2,
400
}
},
day18 = {
{
2,
20012,
1
}
},
day19 = {
{
2,
15003,
7
}
},
day20 = {
{
2,
20001,
9
}
},
day21 = {
{
5,
100020,
1
}
},
day22 = {
{
2,
18012,
6
}
},
day23 = {
{
2,
15008,
45
}
},
day24 = {
{
4,
100011,
1
}
},
day25 = {
{
2,
20013,
1
}
},
day26 = {
{
2,
20001,
12
}
},
day27 = {
{
2,
18002,
6
}
},
day28 = {
{
2,
15008,
60
}
},
day29 = {
{
2,
30025,
1
}
},
day30 = {
{
1,
2,
450
}
},
day31 = {
{
1,
1,
2100
}
}
},
{
id = 11,
resign_count = 0,
day_and_drop = {
{
5,
10000
},
{
10,
10000
},
{
15,
10000
}
},
front_drops = {
{
5,
1,
1,
100
},
{
10,
1,
1,
100
},
{
15,
1,
1,
100
}
},
day1 = {
{
1,
2,
300
}
},
day2 = {
{
1,
1,
1200
}
},
day3 = {
{
2,
15003,
3
}
},
day4 = {
{
2,
20001,
3
}
},
day5 = {
{
2,
18012,
4
}
},
day6 = {
{
2,
20012,
1
}
},
day7 = {
{
2,
15008,
15
}
},
day8 = {
{
4,
100001,
1
}
},
day9 = {
{
1,
2,
350
}
},
day10 = {
{
1,
1,
1500
}
},
day11 = {
{
2,
15003,
5
}
},
day12 = {
{
2,
20001,
6
}
},
day13 = {
{
2,
18002,
4
}
},
day14 = {
{
2,
30034,
1
}
},
day15 = {
{
2,
15008,
30
}
},
day16 = {
{
4,
100001,
1
}
},
day17 = {
{
1,
2,
400
}
},
day18 = {
{
2,
20012,
1
}
},
day19 = {
{
2,
15003,
7
}
},
day20 = {
{
2,
20001,
9
}
},
day21 = {
{
5,
100021,
1
}
},
day22 = {
{
2,
18012,
6
}
},
day23 = {
{
2,
15008,
45
}
},
day24 = {
{
4,
100011,
1
}
},
day25 = {
{
2,
20013,
1
}
},
day26 = {
{
2,
20001,
12
}
},
day27 = {
{
2,
18002,
6
}
},
day28 = {
{
2,
15008,
60
}
},
day29 = {
{
2,
30035,
1
}
},
day30 = {
{
1,
2,
450
}
},
day31 = {
{
1,
1,
1
}
}
},
{
id = 12,
resign_count = 0,
day_and_drop = {
{
5,
10000
},
{
10,
10000
},
{
15,
10000
}
},
front_drops = {
{
5,
1,
1,
100
},
{
10,
1,
1,
100
},
{
15,
1,
1,
100
}
},
day1 = {
{
1,
2,
300
}
},
day2 = {
{
1,
1,
1200
}
},
day3 = {
{
2,
15003,
3
}
},
day4 = {
{
2,
20001,
3
}
},
day5 = {
{
2,
18012,
4
}
},
day6 = {
{
2,
20012,
1
}
},
day7 = {
{
2,
15008,
15
}
},
day8 = {
{
4,
100001,
1
}
},
day9 = {
{
1,
2,
350
}
},
day10 = {
{
1,
1,
1500
}
},
day11 = {
{
2,
15003,
5
}
},
day12 = {
{
2,
20001,
6
}
},
day13 = {
{
2,
18002,
4
}
},
day14 = {
{
2,
30044,
1
}
},
day15 = {
{
2,
15008,
30
}
},
day16 = {
{
4,
100001,
1
}
},
day17 = {
{
1,
2,
400
}
},
day18 = {
{
2,
20012,
1
}
},
day19 = {
{
2,
15003,
7
}
},
day20 = {
{
2,
20001,
9
}
},
day21 = {
{
5,
100022,
1
}
},
day22 = {
{
2,
18012,
6
}
},
day23 = {
{
2,
15008,
45
}
},
day24 = {
{
4,
100011,
1
}
},
day25 = {
{
2,
20013,
1
}
},
day26 = {
{
2,
20001,
12
}
},
day27 = {
{
2,
18002,
6
}
},
day28 = {
{
2,
15008,
60
}
},
day29 = {
{
2,
30045,
1
}
},
day30 = {
{
1,
2,
450
}
},
day31 = {
{
1,
1,
2100
}
}
},
all = {
1,
2,
3,
4,
5,
6,
7,
8,
9,
10,
11,
12
}
}
return
|
--[[
zhCN.lua
@Author : DengSir ([email protected])
@Link : https://dengsir.github.io
]]
local L = LibStub('AceLocale-3.0'):NewLocale('tdBattlePetScript', 'zhCN')
if not L then return end
L.ADDON_NAME = '小宠物战斗脚本'
L['Auto'] = '自动'
L['Create script'] = '创建脚本'
L['Debugging script'] = '调试脚本'
L['Debugging script'] = '调试脚本'
L['Edit script'] = '修改脚本'
L['Export'] = '导出'
L['Font face'] = '字体'
L['Font size'] = '字体大小'
L['Found error'] = '发现错误'
L['Import'] = '导入'
L['New script'] = '新建脚本'
L['No script'] = '没有脚本'
L['Options'] = '设置'
L['Run'] = '运行'
L['Save success'] = '保存成功'
L['Script author'] = '作者名称'
L['Script editor'] = '脚本编辑器'
L['Script name'] = '脚本名称'
L['Script notes'] = '脚本备注'
L['Script selector'] = '脚本选择器'
L['Script'] = '脚本'
L['Select script'] = '选择脚本'
L['Beauty script'] = '美化脚本'
L['Script manager'] = '脚本管理器'
L.TOGGLE_SCRIPT_MANAGER = '切换脚本管理器'
L.TOGGLE_SCRIPT_SELECTOR = '切换脚本选择器'
L.SCRIPT_SELECTOR_LOST_TOOLTIP = '脚本选择器开发者没有定义 OnTooltipFormatting'
L.SCRIPT_EDITOR_LABEL_TOGGLE_EXTRA = '切换扩展信息编辑器'
L.SCRIPT_EDITOR_DELETE_SCRIPT = '你确定要|cffff0000删除|r脚本 |cffffd000[%s - %s]|r 么?'
L.TOOLTIP_CREATE_OR_DEBUG_SCRIPT = '创建或调试脚本'
L.SCRIPT_SELECTOR_NOT_MATCH = '没有脚本选择器匹配到当前战斗'
L.SCRIPT_IMPORT_LABEL_COVER = '这个匹配模式下已存在脚本,继续导入将覆盖当前脚本。'
L.SCRIPT_IMPORT_LABEL_EXTRA = '继续导入扩展信息'
L.SCRIPT_IMPORT_LABEL_GOON = '覆盖并继续导入'
L.OPTION_GENERAL_NOTES = '这里是一些常规设置。'
L.OPTION_SCRIPTSELECTOR_NOTES = '在这里你可以管理脚本选择器是否开启以及脚本选择器的优先级。'
L.OPTION_SETTINGS_AUTO_SELECT_SCRIPT_ONLY_ONE = '只有一个脚本时自动选择'
L.OPTION_SETTINGS_AUTO_SELECT_SCRIPT_BY_ORDER = '自动根据脚本选择器优先级选择脚本'
L.OPTION_SETTINGS_HIDE_SELECTOR_NO_SCRIPT = '没有脚本时不显示脚本选择器'
L.OPTION_SETTINGS_NO_WAIT_DELETE_SCRIPT = '删除脚本时不等待'
L.OPTION_SETTINGS_AUTOBUTTON_HOTKEY = '自动按钮快捷键'
L.OPTION_SCRIPTEDITOR_NOTES = '这里是脚本编辑器的偏好设置'
L.OPTION_SETTINGS_TEST_BREAK = 'Debug: test 命令中断脚本'
L.OPTION_SETTINGS_HIDE_MINIMAP = '隐藏小地图图标'
L.OPTION_SETTINGS_HIDE_MINIMAP_TOOLTIP = '检测到了插件“MinimapButtonBag”, 修改设置需要重新载入UI,是否继续?'
L.PLUGINBASE_TITLE = '基础'
L.PLUGINBASE_NOTES = '这个脚本选择器将脚本绑定到对阵双方的完整阵容。'
L.PLUGINBASE_TEAM_ALLY = '我方阵容'
L.PLUGINBASE_TEAM_ENEMY = '敌方阵容'
L.PLUGINBASE_TOOLTIP_CREATE_SCRIPT = '基础:为当前对阵创建脚本'
|
-----------------------------------
-- Area: Southern Sandoria
-- NPC: Estiliphire
-- Type: Event Sideshow NPC
-- !pos -41.550 1.999 -2.845 230
--
-----------------------------------
local ID = require("scripts/zones/Southern_San_dOria/IDs");
require("scripts/globals/settings");
require("scripts/globals/quests");
-----------------------------------
function onTrade(player,npc,trade)
local FlyerForRegine = player:getQuestStatus(SANDORIA,tpz.quest.id.sandoria.FLYERS_FOR_REGINE);
if (FlyerForRegine == 1) then
local count = trade:getItemCount();
local MagicFlyer = trade:hasItemQty(532,1);
if (MagicFlyer == true and count == 1) then
player:messageSpecial(ID.text.FLYER_REFUSED);
end
end
end;
function onTrigger(player,npc)
player:startEvent(897);
end;
function onEventUpdate(player,csid,option)
end
function onEventFinish(player,csid,option)
end;
|
return {
ABEncoder = {
Encode = 3671,
MoveLeft = 3673,
MoveRight = 3674,
Decode = 3672
},
AiriJPSdkMgr = {
get_isPlatform = 3071,
get_channelUID = 8087,
callSdkApi = 8088,
GoLoginScene = 3073,
set_isPlatform = 3072,
get_inst = 3069,
get_loginType = 3070
},
AiriJPSdkMgrWrap = {
get_ANDROID_AMAZON_CHANNEL_ID = 8543,
get_IOS_CHANNEL_ID = 7620,
get_channelUID = 7622,
get_ANDROID_AU_CHANNEL_ID = 7621,
callSdkApi = 7618,
get_ANDROID_CHANNEL_ID = 7619,
get_inst = 495,
get_loginType = 496,
get_isPlatform = 497,
GoLoginScene = 494,
Register = 492,
set_isPlatform = 498,
_CreateAiriJPSdkMgr = 493
},
["Airisdk.webrequest.HttpWebMananger"] = {
CreatePostHttpResponse = 8082,
RespCallback = 8083,
CheckValidationResult = 8081
},
["Airisdk.webrequest.RequestState"] = {
get_onRespone = 8080,
get_request = 8079
},
AiriUserEvent = {
AddParam = 8089
},
AiriUSSdkMgr = {
get_isPlatform = 8092,
get_channelUID = 8094,
callSdkApi = 8096,
GoLoginScene = 8095,
set_isPlatform = 8093,
get_inst = 8090,
get_loginType = 8091
},
AiriUSSdkMgrWrap = {
get_ANDROID_AMAZON_CHANNEL_ID = 8544,
get_IOS_CHANNEL_ID = 7628,
get_channelUID = 7632,
GoLoginScene = 7625,
callSdkApi = 7626,
get_ANDROID_CHANNEL_ID = 7627,
get_inst = 7629,
get_loginType = 7630,
get_isPlatform = 7631,
Register = 7623,
set_isPlatform = 7633,
_CreateAiriUSSdkMgr = 7624
},
AlDelay = {
NcEffectReset = 955,
ResetToBegin = 953,
get_CacheGameObject = 956,
DelayFunc = 954,
Start = 952
},
AliOSSMgr = {
DeleteObject = 9256,
UpdateLoadAsynHandler = 9255,
get_ins = 8060,
UpdateLoadAsyn = 8063,
GetObjectToLocal = 9257,
UpdateLoad = 8062,
Init = 8061
},
AliOSSMgrWrap = {
UpdateLoadAsyn = 7638,
DeleteObject = 8546,
Register = 7634,
_CreateAliOSSMgr = 7635,
UpdateLoadAsynHandler = 8545,
get_ins = 7639,
GetObjectToLocal = 8547,
UpdateLoad = 7637,
Init = 7636
},
AlphaCheck = {
OnEnable = 3135
},
AlphaCheckImage = {
IsRaycastLocationValid = 3137,
get_activeSprite = 3136,
MapCoordinate = 3138,
GetAdjustedBorders = 3139
},
AlphaCheckImageWrap = {
get_alphaThreshold = 502,
IsRaycastLocationValid = 500,
Register = 499,
op_Equality = 501,
set_alphaThreshold = 503
},
AlphaRaycaster = {
OnEnable = 3140,
Raycast = 3141
},
["Amazon.AWSConfigs"] = {
get_ProxyConfig = 3975,
OnPropertyChanged = 3978,
LoadConfigFromResource = 3950,
set_AWSProfileName = 3960,
set_RegionEndpoint = 3977,
set_UseSdkCache = 3973,
set_ResponseLogging = 3967,
set_ApplicationName = 3944,
get_ResponseLogging = 3966,
get_UseSdkCache = 3972,
GetConfig = 3945,
set_EndpointDefinition = 3971,
get_AWSProfileName = 3959,
set_ClockOffset = 3956,
set_CorrectForClockSkew = 3954,
get_LogMetrics = 3968,
get_LoggingConfig = 3974,
RemoveTraceListener = 3948,
AddTraceListener = 3947,
GetUnresolvedElements = 3952,
set_LogMetrics = 3969,
set_AWSRegion = 3958,
get_Logging = 3963,
get_AWSRegion = 3957,
TraceListeners = 3949,
get_AWSProfilesLocation = 3961,
XmlSectionExists = 3946,
get_CorrectForClockSkew = 3953,
GetLoggingSetting = 3965,
get_EndpointDefinition = 3970,
GetConfigBool = 3979,
get_ApplicationName = 3943,
set_AWSProfilesLocation = 3962,
get_ClockOffset = 3955,
set_Logging = 3964,
get_RegionEndpoint = 3976,
GetObject = 3951
},
["Amazon.AWSConfigsS3"] = {
set_UseSignatureVersion4 = 5680,
Configure = 5681,
get_UseSignatureVersion4 = 5679
},
["Amazon.AWSSection"] = {
set_ProfileName = 4011,
get_ServiceSections = 4016,
get_ProfileName = 4010,
get_Region = 4002,
set_CorrectForClockSkew = 4007,
set_ServiceSections = 4017,
set_UseSdkCache = 4005,
set_ApplicationName = 4015,
get_CorrectForClockSkew = 4006,
get_UseSdkCache = 4004,
get_ApplicationName = 4014,
set_ProfilesLocation = 4013,
get_Proxy = 4008,
get_EndpointDefinition = 4000,
set_Proxy = 4009,
get_ProfilesLocation = 4012,
set_Logging = 3999,
set_EndpointDefinition = 4001,
get_Logging = 3998,
set_Region = 4003
},
["Amazon.LoggingSection"] = {
get_LogMetricsCustomFormatter = 4036,
get_LogResponsesSizeLimit = 4030,
get_LogTo = 4026,
get_LogMetricsFormat = 4034,
get_LogMetrics = 4032,
set_LogTo = 4027,
set_LogResponses = 4029,
set_LogMetricsFormat = 4035,
set_LogMetrics = 4033,
get_LogResponses = 4028,
set_LogMetricsCustomFormatter = 4037,
set_LogResponsesSizeLimit = 4031
},
["Amazon.ProxySection"] = {
set_Password = 4025,
set_Host = 4019,
get_Username = 4022,
set_Port = 4021,
get_Password = 4024,
get_Host = 4018,
set_Username = 4023,
get_Port = 4020
},
["Amazon.RegionEndpoint"] = {
set_SystemName = 5378,
get_EnumerableAllRegions = 5371,
GetBySystemName = 5372,
LoadEndpointDefinitions = 5373,
get_SystemName = 5377,
LoadEndpointDefinitionsFromEmbeddedResource = 5375,
ToString = 5381,
ReadEndpointFile = 5374,
set_DisplayName = 5380,
GetEndpointRule = 5369,
NewEndpoint = 5370,
GetEndpointForService = 5368,
get_DisplayName = 5379,
UnloadEndpointDefinitions = 5376
},
["Amazon.RegionEndpoint.Endpoint"] = {
set_AuthRegion = 5364,
ToString = 5365,
set_Hostname = 5362,
get_SignatureVersionOverride = 5366,
get_AuthRegion = 5363,
get_Hostname = 5361,
set_SignatureVersionOverride = 5367
},
["Amazon.Runtime.AmazonServiceClient"] = {
get_SupportResponseLogging = 4105,
Dispose_bool = 4114,
CustomizeRuntimePipeline = 4116,
ThrowIfDisposed = 4115,
get_Config = 4102,
ProcessResponseHandlers = 4111,
Initialize = 4108,
BuildRuntimePipeline = 4117,
set_RuntimePipeline = 4099,
ProcessPreRequestHandlers = 4109,
CloneConfig = 4120,
ProcessExceptionHandlers = 4112,
DontUnescapePathDotsAndSlashes = 4119,
get_Signer = 4106,
get_Credentials = 4100,
get_RuntimePipeline = 4098,
get_Logger = 4104,
set_Config = 4103,
ComposeUrl = 4118,
ProcessRequestHandlers = 4110,
Dispose = 4113,
set_Signer = 4107,
set_Credentials = 4101
},
["Amazon.Runtime.AmazonServiceException"] = {
set_ErrorType = 4123,
set_StatusCode = 4129,
get_ErrorCode = 4124,
get_RequestId = 4126,
set_ErrorCode = 4125,
BuildGenericErrorMessage = 4121,
get_ErrorType = 4122,
get_StatusCode = 4128,
set_RequestId = 4127
},
["Amazon.Runtime.AmazonUnityServiceClient"] = {
CustomizeRuntimePipeline = 3992,
BuildRuntimePipeline = 3993
},
["Amazon.Runtime.AmazonUnmarshallingException"] = {
get_LastKnownLocation = 4130,
get_ResponseBody = 4132,
get_Message = 4134,
AppendFormat = 4135,
set_LastKnownLocation = 4131,
set_ResponseBody = 4133
},
["Amazon.Runtime.AmazonWebServiceRequest"] = {
FireBeforeRequestEvent = 4141,
get_IncludeSHA256Header = 4146,
GetExpect100Continue = 4145,
GetIncludeSHA256Header = 4147,
["Amazon.Runtime.Internal.IAmazonWebServiceRequest.set_UseSigV4"] = 4143,
["Amazon.Runtime.Internal.IAmazonWebServiceRequest.get_StreamUploadProgressCallback"] = 4136,
["Amazon.Runtime.Internal.IAmazonWebServiceRequest.get_RequestState"] = 4138,
["Amazon.Runtime.Internal.IAmazonWebServiceRequest.get_UseSigV4"] = 4142,
["Amazon.Runtime.Internal.IAmazonWebServiceRequest.AddBeforeRequestHandler"] = 4139,
["Amazon.Runtime.Internal.IAmazonWebServiceRequest.set_StreamUploadProgressCallback"] = 4137,
get_Expect100Continue = 4144,
["Amazon.Runtime.Internal.IAmazonWebServiceRequest.RemoveBeforeRequestHandler"] = 4140
},
["Amazon.Runtime.AmazonWebServiceResponse"] = {
get_HttpStatusCode = 4152,
set_ContentLength = 4151,
get_ResponseMetadata = 4148,
set_HttpStatusCode = 4153,
get_ContentLength = 4150,
set_ResponseMetadata = 4149
},
["Amazon.Runtime.AnonymousAWSCredentials"] = {
GetCredentials = 4211
},
["Amazon.Runtime.AsyncOptions"] = {
get_State = 3996,
set_State = 3997,
set_ExecuteCallbackOnMainThread = 3995,
get_ExecuteCallbackOnMainThread = 3994
},
["Amazon.Runtime.BasicAWSCredentials"] = {
GetCredentials = 4164
},
["Amazon.Runtime.ClientConfig"] = {
set_AllowAutoRedirect = 4080,
get_MaxErrorRetry = 4067,
get_DisableLogging = 4083,
set_ConnectionLimit = 4046,
set_AuthenticationServiceName = 4066,
get_SignatureMethod = 4051,
get_ConnectionLimit = 4045,
get_AllowAutoRedirect = 4079,
set_ProxyPort = 4042,
get_AuthenticationServiceName = 4065,
set_ProgressUpdateInterval = 4076,
get_ResignRetries = 4077,
set_AuthenticationRegion = 4064,
set_SignatureVersion = 4054,
get_UseNagleAlgorithm = 4047,
get_MaxIdleTime = 4043,
set_UseHttp = 4060,
SetUseNagleIfAvailable = 4090,
set_ProxyHost = 4040,
GetDefaultRegionEndpoint = 4038,
get_UseHttp = 4059,
get_SignatureVersion = 4053,
GetUrl = 4062,
get_BufferSize = 4073,
set_ReadEntireResponse = 4072,
Initialize = 4087,
set_LogMetrics = 4082,
set_MaxIdleTime = 4044,
GetTimeoutValue = 4093,
get_ProgressUpdateInterval = 4075,
set_ReadWriteTimeout = 4050,
set_RegionEndpoint = 4056,
set_LogResponse = 4070,
get_ProxyCredentials = 4085,
get_RegionEndpoint = 4055,
get_ReadEntireResponse = 4071,
get_AuthenticationRegion = 4063,
get_LogMetrics = 4081,
set_DisableLogging = 4084,
set_UseNagleAlgorithm = 4048,
get_ServiceURL = 4057,
get_ProxyPort = 4041,
set_ProxyCredentials = 4086,
set_ResignRetries = 4078,
set_ServiceURL = 4058,
set_SignatureMethod = 4052,
set_BufferSize = 4074,
DetermineServiceURL = 4061,
Validate = 4091,
get_ProxyHost = 4039,
set_Timeout = 4089,
ValidateTimeout = 4092,
get_ReadWriteTimeout = 4049,
get_Timeout = 4088,
get_LogResponse = 4069,
set_MaxErrorRetry = 4068
},
["Amazon.Runtime.ConstantClass"] = {
Equals_ConstantClass = 4225,
ToString = 4219,
LoadFields = 4222,
Equals_object = 4224,
Intern = 4221,
get_Value = 4217,
GetHashCode = 4223,
ToString_IFormatProvider = 4220,
set_Value = 4218
},
["Amazon.Runtime.FallbackCredentialsFactory"] = {
set_CredentialsGenerators = 4213,
GetCredentials_bool = 4216,
Reset = 4214,
get_CredentialsGenerators = 4212,
GetCredentials = 4215
},
["Amazon.Runtime.HeadersRequestEventArgs"] = {
get_Headers = 5069,
Create = 5071,
set_Headers = 5070
},
["Amazon.Runtime.ImmutableCredentials"] = {
get_UseToken = 4160,
get_Token = 4158,
set_SecretKey = 4157,
Copy = 4161,
set_Token = 4159,
set_AccessKey = 4155,
get_SecretKey = 4156,
Equals = 4163,
get_AccessKey = 4154,
GetHashCode = 4162
},
["Amazon.Runtime.InstanceProfileAWSCredentials"] = {
get_CurrentRoleUri = 4202,
get_InfoUri = 4203,
ValidateResponse = 4208,
GetFirstRole = 4210,
GetContents = 4209,
GetServiceInfo = 4206,
GetEarlyRefreshState = 4204,
get_Role = 4197,
GetRoleCredentials = 4207,
get_RolesUri = 4201,
GetAvailableRoles = 4200,
set_Role = 4198,
GetRefreshState = 4205,
GenerateNewCredentials = 4199
},
["Amazon.Runtime.InstanceProfileAWSCredentials.SecurityBase"] = {
get_LastUpdated = 4181,
get_Message = 4179,
set_Code = 4178,
set_LastUpdated = 4182,
set_Message = 4180,
get_Code = 4177
},
["Amazon.Runtime.InstanceProfileAWSCredentials.SecurityCredentials"] = {
set_Type = 4188,
get_Token = 4193,
set_Token = 4194,
get_SecretAccessKey = 4191,
set_AccessKeyId = 4190,
set_Expiration = 4196,
get_Type = 4187,
set_SecretAccessKey = 4192,
get_AccessKeyId = 4189,
get_Expiration = 4195
},
["Amazon.Runtime.InstanceProfileAWSCredentials.SecurityInfo"] = {
get_InstanceProfileArn = 4183,
set_InstanceProfileArn = 4184,
get_InstanceProfileId = 4185,
set_InstanceProfileId = 4186
},
["Amazon.Runtime.Internal.AsyncExecutionContext"] = {
set_RequestContext = 4878,
set_ResponseContext = 4876,
get_RuntimeState = 4879,
get_RequestContext = 4877,
get_ResponseContext = 4875,
set_RuntimeState = 4880
},
["Amazon.Runtime.Internal.AsyncRequestContext"] = {
get_AsyncOptions = 4860,
get_State = 4858,
set_AsyncOptions = 4861,
set_Action = 4863,
set_Callback = 4857,
get_Callback = 4856,
set_State = 4859,
get_Action = 4862
},
["Amazon.Runtime.Internal.AsyncResponseContext"] = {
get_AsyncResult = 4868,
set_AsyncResult = 4869
},
["Amazon.Runtime.Internal.AsyncResult"] = {
set_IsCompleted = 4274,
get_Request = 4259,
get_Metrics = 4269,
get_Exception = 4249,
get_Id = 4281,
HandleException = 4279,
get_FinalResponse = 4255,
Dispose_bool = 4282,
InvokeCallback = 4280,
get_CompletedSynchronously = 4271,
set_RequestState = 4254,
set_State = 4266,
set_Metrics = 4270,
get_AsyncWaitHandle = 4276,
get_AsyncState = 4275,
SignalWaitHandle = 4278,
get_Signer = 4263,
get_Callback = 4261,
set_RetriesAttempt = 4252,
get_RequestName = 4267,
set_RequestName = 4268,
get_Unmarshaller = 4257,
SetCompletedSynchronously = 4277,
get_RetriesAttempt = 4251,
set_FinalResponse = 4256,
set_Exception = 4250,
get_State = 4265,
set_Unmarshaller = 4258,
get_IsCompleted = 4273,
set_CompletedSynchronously = 4272,
set_Callback = 4262,
get_RequestState = 4253,
Dispose = 4283,
set_Request = 4260,
set_Signer = 4264
},
["Amazon.Runtime.Internal.AsyncResult.AsyncRequestState"] = {
set_RequestData = 4242,
get_GetRequestStreamCallbackCalled = 4245,
get_GetResponseCallbackCalled = 4247,
set_GetRequestStreamCallbackCalled = 4246,
set_GetResponseCallbackCalled = 4248,
get_WebRequest = 4239,
get_RequestStream = 4243,
set_WebRequest = 4240,
get_RequestData = 4241,
set_RequestStream = 4244
},
["Amazon.Runtime.Internal.Auth.AbstractAWSSigner"] = {
get_AWS4SignerInstance = 4284,
["ComputeHash_byte[]_string_SigningAlgorithm"] = 4286,
ComputeHash_string_string_SigningAlgorithm = 4285,
SelectSigner_AbstractAWSSigner_bool_IRequest_ClientConfig = 4289,
SelectSigner_IRequest_ClientConfig = 4288,
UseV4Signing = 4287
},
["Amazon.Runtime.Internal.Auth.AWS3Signer"] = {
SignHttps = 4294,
Sign = 4293,
GetCanonicalizedResourcePath = 4296,
IsHttpsRequest = 4297,
GetCanonicalizedQueryString = 4298,
GetHeadersForStringToSign = 4301,
GetCanonicalizedHeadersForStringToSign = 4302,
get_UseAws3Https = 4290,
set_UseAws3Https = 4291,
GetSignedHeadersComponent = 4300,
SignHttp = 4295,
get_Protocol = 4292,
GetRequestPayload = 4299
},
["Amazon.Runtime.Internal.Auth.AWS4PreSignedUrlSigner"] = {
Sign = 4335,
SignRequest_IRequest_ClientConfig_RequestMetrics_string_string_string_string = 4337,
SignRequest_IRequest_ClientConfig_RequestMetrics_string_string = 4336
},
["Amazon.Runtime.Internal.Auth.AWS4Signer"] = {
CanonicalizeHeaderNames = 4327,
SortHeaders = 4325,
["ComputeKeyedHash_SigningAlgorithm_byte[]_string"] = 4317,
ComputeHash_string = 4319,
["CanonicalizeQueryParameters_IDictionary<string,string>"] = 4331,
ComposeSigningKey = 4313,
["InitializeHeaders_IDictionary<string,string>_Uri"] = 4306,
["ComputeHash_byte[]"] = 4320,
GetParametersToCanonicalize = 4328,
CanonicalizeHeaders = 4326,
SignRequest = 4305,
CanonicalizeRequest = 4323,
SetRequestBodyHash = 4314,
["SignBlob_byte[]_byte[]"] = 4316,
["SignBlob_byte[]_string"] = 4315,
GetRequestPayloadBytes = 4334,
ComputeSignature_string_string_string_DateTime_string_string_string_RequestMetrics = 4311,
Sign = 4304,
DetermineService = 4322,
ComputeSignature_ImmutableCredentials_string_DateTime_string_string_string = 4309,
DetermineSigningRegion = 4321,
["ComputeKeyedHash_SigningAlgorithm_byte[]_byte[]"] = 4318,
FormatDateTime = 4312,
["CanonicalizeQueryParameters_IDictionary<string,string>_bool"] = 4332,
CanonicalizeQueryParameters_string_bool = 4330,
CanonicalizeRequestUrl = 4324,
CanonicalizeQueryParameters_string = 4329,
CleanHeaders = 4308,
["InitializeHeaders_IDictionary<string,string>_Uri_DateTime"] = 4307,
ComputeSignature_string_string_string_DateTime_string_string_string = 4310,
get_Protocol = 4303,
CompressSpaces = 4333
},
["Amazon.Runtime.Internal.Auth.AWS4SigningResult"] = {
get_ISO8601Date = 4340,
get_ISO8601DateTime = 4339,
get_SignedHeaders = 4341,
get_SigningKey = 4343,
get_ForAuthorizationHeader = 4346,
get_Scope = 4342,
get_ForQueryParameters = 4347,
get_Signature = 4344,
get_AccessKeyId = 4338,
get_SignatureBytes = 4345
},
["Amazon.Runtime.Internal.Auth.CloudFrontSigner"] = {
get_Protocol = 4348,
Sign = 4349
},
["Amazon.Runtime.Internal.Auth.NullSigner"] = {
get_Protocol = 4351,
Sign = 4350
},
["Amazon.Runtime.Internal.Auth.QueryStringSigner"] = {
get_Protocol = 4352,
Sign = 4353
},
["Amazon.Runtime.Internal.CallbackHandler"] = {
set_OnPreInvoke = 4891,
InvokeAsyncCallback = 4896,
PostInvoke = 4898,
InvokeAsync = 4895,
InvokeSync = 4894,
PreInvoke = 4897,
RaiseOnPreInvoke = 4899,
set_OnPostInvoke = 4893,
get_OnPreInvoke = 4890,
get_OnPostInvoke = 4892,
RaiseOnPostInvoke = 4900
},
["Amazon.Runtime.Internal.ClientContext"] = {
AddCustomAttributes = 4096,
get_AppID = 4094,
set_AppID = 4095,
ToJsonString = 4097
},
["Amazon.Runtime.Internal.CredentialsRetriever"] = {
get_Credentials = 4901,
InvokeAsync = 4905,
InvokeSync = 4904,
PreInvoke = 4903,
set_Credentials = 4902
},
["Amazon.Runtime.Internal.DefaultRequest"] = {
get_CanonicalResource = 4369,
set_ContentStream = 4376,
set_AlternateEndpoint = 4382,
get_UseSigV4 = 4391,
set_HttpMethod = 4356,
set_OriginalStreamPosition = 4378,
AddSubResource_string = 4363,
set_ResourcePath = 4368,
set_CanonicalResourcePrefix = 4390,
get_AlternateEndpoint = 4381,
get_OriginalRequest = 4359,
ComputeContentStreamHash = 4379,
get_Endpoint = 4365,
set_SetContentFromParameters = 4374,
set_CanonicalResource = 4370,
get_AWS4SignerResult = 4385,
set_Suppress404Exceptions = 4384,
get_OriginalStreamPosition = 4377,
get_SetContentFromParameters = 4373,
set_Content = 4372,
get_CanonicalResourcePrefix = 4389,
get_ContentStream = 4375,
get_ResourcePath = 4367,
get_Content = 4371,
set_UseChunkEncoding = 4388,
set_AuthenticationRegion = 4394,
get_RequestName = 4354,
MayContainRequestBody = 4396,
set_UseQueryString = 4358,
get_Suppress404Exceptions = 4383,
get_SubResources = 4362,
HasRequestBody = 4397,
get_Parameters = 4361,
get_ServiceName = 4380,
get_AuthenticationRegion = 4393,
AddSubResource_string_string = 4364,
get_UseQueryString = 4357,
IsRequestStreamRewindable = 4395,
get_HttpMethod = 4355,
set_Endpoint = 4366,
set_AWS4SignerResult = 4386,
set_UseSigV4 = 4392,
get_Headers = 4360,
get_UseChunkEncoding = 4387
},
["Amazon.Runtime.Internal.DefaultRetryPolicy"] = {
CanRetry = 4994,
WaitBeforeRetry_IExecutionContext = 4997,
get_ErrorCodesToRetryOn = 4992,
set_MaxBackoffInMilliseconds = 4991,
RetryLimitReached = 4996,
RetryForException = 4995,
get_WebExceptionStatusesToRetryOn = 4993,
get_MaxBackoffInMilliseconds = 4990,
WaitBeforeRetry_int_int = 4998
},
["Amazon.Runtime.Internal.EndpointResolver"] = {
DetermineEndpoint_IRequestContext = 4909,
InvokeAsync = 4907,
InvokeSync = 4906,
PreInvoke = 4908,
DetermineEndpoint_ClientConfig_IRequest = 4910
},
["Amazon.Runtime.Internal.ErrorCallbackHandler"] = {
set_OnError = 4912,
get_OnError = 4911,
InvokeSync = 4913,
InvokeAsyncCallback = 4914,
HandleException = 4915
},
["Amazon.Runtime.Internal.ErrorHandler"] = {
InvokeAsyncCallback = 4884,
InvokeSync = 4883,
get_ExceptionHandlers = 4881,
DisposeReponse = 4885,
ProcessException = 4886,
set_ExceptionHandlers = 4882
},
["Amazon.Runtime.Internal.ErrorResponse"] = {
set_Type = 4399,
get_Message = 4402,
set_Code = 4401,
get_Type = 4398,
get_RequestId = 4404,
set_Message = 4403,
get_Code = 4400,
set_RequestId = 4405
},
["Amazon.Runtime.Internal.ExecutionContext"] = {
set_RequestContext = 4871,
set_ResponseContext = 4873,
get_RequestContext = 4870,
get_ResponseContext = 4872,
CreateFromAsyncContext = 4874
},
["Amazon.Runtime.Internal.HttpErrorResponseException"] = {
get_Response = 4936,
set_Response = 4937
},
["Amazon.Runtime.Internal.HttpErrorResponseExceptionHandler"] = {
HandleSuppressed404 = 4888,
HandleException = 4887
},
["Amazon.Runtime.Internal.Marshaller"] = {
InvokeAsync = 4917,
InvokeSync = 4916,
PreInvoke = 4918
},
["Amazon.Runtime.Internal.MetricsHandler"] = {
InvokeAsyncCallback = 4921,
InvokeSync = 4919,
InvokeAsync = 4920
},
["Amazon.Runtime.Internal.PipelineHandler"] = {
set_OuterHandler = 4984,
set_Logger = 4980,
AsyncCallback = 4987,
InvokeAsyncCallback = 4988,
InvokeAsync = 4986,
InvokeSync = 4985,
get_Logger = 4979,
LogMetrics = 4989,
set_InnerHandler = 4982,
get_OuterHandler = 4983,
get_InnerHandler = 4981
},
["Amazon.Runtime.Internal.RedirectHandler"] = {
InvokeAsyncCallback = 4923,
FinalizeForRedirect = 4925,
HandleRedirect = 4924,
InvokeSync = 4922
},
["Amazon.Runtime.Internal.RequestContext"] = {
set_Retries = 4842,
set_ClientConfig = 4840,
get_Metrics = 4835,
get_Unmarshaller = 4851,
get_Retries = 4841,
set_IsSigned = 4844,
get_Request = 4833,
get_Marshaller = 4849,
set_Request = 4834,
set_Signer = 4838,
get_IsAsync = 4845,
get_RequestName = 4855,
get_ClientConfig = 4839,
set_Unmarshaller = 4852,
set_IsAsync = 4846,
set_OriginalRequest = 4848,
get_Signer = 4837,
get_OriginalRequest = 4847,
set_ImmutableCredentials = 4854,
get_IsSigned = 4843,
get_ImmutableCredentials = 4853,
set_Marshaller = 4850,
set_Metrics = 4836
},
["Amazon.Runtime.Internal.ResponseContext"] = {
get_Response = 4864,
set_Response = 4865,
get_HttpResponse = 4866,
set_HttpResponse = 4867
},
["Amazon.Runtime.Internal.RetryHandler"] = {
LogForError = 5007,
PrepareForRetry = 5005,
set_Logger = 5000,
get_Logger = 4999,
InvokeAsyncCallback = 5004,
InvokeSync = 5003,
get_RetryPolicy = 5001,
set_RetryPolicy = 5002,
LogForRetry = 5006
},
["Amazon.Runtime.Internal.RuntimeAsyncResult"] = {
set_AsyncCallback = 5019,
get_Request = 5031,
Dispose_bool = 5040,
get_Exception = 5027,
set_Exception = 5028,
set_Response = 5030,
get_AsyncWaitHandle = 5022,
get_Action = 5033,
get_Response = 5029,
get_AsyncState = 5020,
set_AsyncState = 5021,
get_AsyncOptions = 5035,
get_CompletedSynchronously = 5023,
InvokeCallback = 5039,
get_IsCompleted = 5025,
set_CompletedSynchronously = 5024,
SignalWaitHandle = 5037,
set_Action = 5034,
set_AsyncOptions = 5036,
HandleException = 5038,
set_IsCompleted = 5026,
Dispose = 5041,
get_AsyncCallback = 5018,
set_Request = 5032
},
["Amazon.Runtime.Internal.RuntimePipeline"] = {
ThrowIfDisposed = 5053,
Dispose_bool = 5052,
GetInnermostHandler = 5047,
InsertHandler = 5046,
InvokeAsync = 5044,
get_Handlers = 5049,
InvokeSync = 5043,
AddHandler = 5045,
EnumerateHandlers = 5050,
SetHandlerProperties = 5048,
Dispose = 5051,
get_Handler = 5042
},
["Amazon.Runtime.Internal.ServiceClientHelpers"] = {
CreateServiceConfig = 4407,
LoadServiceClientType = 4406
},
["Amazon.Runtime.Internal.Signer"] = {
ShouldSign = 4929,
SignRequest = 4930,
InvokeAsync = 4927,
InvokeSync = 4926,
PreInvoke = 4928
},
["Amazon.Runtime.Internal.SimpleAsyncResult"] = {
get_IsCompleted = 4978,
set_AsyncState = 4975,
get_CompletedSynchronously = 4977,
get_AsyncWaitHandle = 4976,
get_AsyncState = 4974
},
["Amazon.Runtime.Internal.StreamReadTracker"] = {
ReadProgress = 4408
},
["Amazon.Runtime.Internal.ThreadPoolExecutionHandler"] = {
InvokeAsync = 4815,
ErrorCallback = 4817,
InvokeAsyncHelper = 4816
},
["Amazon.Runtime.Internal.Transform.BoolUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 4487,
GetInstance = 4485,
get_Instance = 4484,
Unmarshall_XmlUnmarshallerContext = 4486
},
["Amazon.Runtime.Internal.Transform.ByteUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 4495,
GetInstance = 4493,
get_Instance = 4492,
Unmarshall_XmlUnmarshallerContext = 4494
},
["Amazon.Runtime.Internal.Transform.DateTimeEpochLongMillisecondsUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 4503,
GetInstance = 4501,
get_Instance = 4500,
Unmarshall_XmlUnmarshallerContext = 4502
},
["Amazon.Runtime.Internal.Transform.DateTimeUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 4499,
GetInstance = 4497,
get_Instance = 4496,
Unmarshall_XmlUnmarshallerContext = 4498
},
["Amazon.Runtime.Internal.Transform.DoubleUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 4483,
GetInstance = 4481,
get_Instance = 4480,
Unmarshall_XmlUnmarshallerContext = 4482
},
["Amazon.Runtime.Internal.Transform.EC2ResponseUnmarshaller"] = {
ConstructUnmarshallerContext = 4463,
Unmarshall = 4462
},
["Amazon.Runtime.Internal.Transform.EC2UnmarshallerContext"] = {
Read = 4548,
get_RequestId = 4546,
set_RequestId = 4547
},
["Amazon.Runtime.Internal.Transform.ErrorResponseUnmarshaller"] = {
Unmarshall = 4424,
GetInstance = 4425
},
["Amazon.Runtime.Internal.Transform.FloatUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 4479,
GetInstance = 4477,
get_Instance = 4476,
Unmarshall_XmlUnmarshallerContext = 4478
},
["Amazon.Runtime.Internal.Transform.IntUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 4471,
GetInstance = 4469,
get_Instance = 4468,
Unmarshall_XmlUnmarshallerContext = 4470
},
["Amazon.Runtime.Internal.Transform.JsonErrorResponseUnmarshaller"] = {
Unmarshall = 4432,
GetInstance = 4433
},
["Amazon.Runtime.Internal.Transform.JsonMarshallerContext"] = {
get_Writer = 4430,
set_Writer = 4431
},
["Amazon.Runtime.Internal.Transform.JsonResponseUnmarshaller"] = {
Unmarshall = 4464,
ShouldReadEntireResponse = 4467,
ConstructUnmarshallerContext = 4466,
UnmarshallException = 4465
},
["Amazon.Runtime.Internal.Transform.JsonUnmarshallerContext"] = {
get_Stream = 4449,
get_CurrentPath = 4444,
get_IsEndElement = 4441,
Peek_JsonToken = 4446,
get_IsStartOfDocument = 4440,
get_CurrentDepth = 4443,
Peek = 4450,
Read = 4445,
get_CurrentTokenType = 4448,
UpdateContext = 4452,
get_IsStartElement = 4442,
Dispose = 4453,
ReadText = 4447,
StreamPeek = 4451
},
["Amazon.Runtime.Internal.Transform.JsonUnmarshallerContext.JsonPathStack"] = {
Pop = 4437,
get_CurrentDepth = 4434,
Peek = 4438,
Push = 4436,
get_CurrentPath = 4435,
get_Count = 4439
},
["Amazon.Runtime.Internal.Transform.LongUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 4475,
GetInstance = 4473,
get_Instance = 4472,
Unmarshall_XmlUnmarshallerContext = 4474
},
["Amazon.Runtime.Internal.Transform.MarshallerContext"] = {
get_Request = 4426,
set_Request = 4427
},
["Amazon.Runtime.Internal.Transform.MemoryStreamUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 4507,
GetInstance = 4505,
get_Instance = 4504,
Unmarshall_XmlUnmarshallerContext = 4506
},
["Amazon.Runtime.Internal.Transform.ResponseMetadataUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 4511,
GetInstance = 4509,
get_Instance = 4508,
Unmarshall_XmlUnmarshallerContext = 4510
},
["Amazon.Runtime.Internal.Transform.ResponseUnmarshaller"] = {
get_HasStreamingProperty = 4455,
CreateContext = 4454,
UnmarshallException = 4456,
ShouldReadEntireResponse = 4458,
UnmarshallResponse = 4457
},
["Amazon.Runtime.Internal.Transform.StringUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 4491,
GetInstance = 4489,
get_Instance = 4488,
Unmarshall_XmlUnmarshallerContext = 4490
},
["Amazon.Runtime.Internal.Transform.UnityWebResponseData"] = {
set_ContentLength = 4410,
IsHeaderPresent = 4418,
get_ContentLength = 4409,
set_IsSuccessStatusCode = 4416,
set_StatusCode = 4414,
OpenResponse = 4422,
get_IsResponseBodyPresent = 4421,
GetHeaderNames = 4417,
GetHeaderValue = 4419,
get_ResponseBody = 4420,
get_ContentType = 4411,
Dispose = 4423,
get_StatusCode = 4413,
set_ContentType = 4412,
get_IsSuccessStatusCode = 4415
},
["Amazon.Runtime.Internal.Transform.UnmarshallerContext"] = {
set_MaintainResponseBody = 4513,
Dispose_bool = 4531,
TestExpression_string_int_string_int = 4530,
get_WebResponseData = 4518,
get_ResponseData = 4523,
get_MaintainResponseBody = 4512,
get_CrcStream = 4514,
TestExpression_string_string = 4529,
TestExpression_string = 4526,
set_Crc32Result = 4517,
ReadAtDepth = 4528,
get_Crc32Result = 4516,
set_WrappingStream = 4521,
set_CrcStream = 4515,
get_WrappingStream = 4520,
get_ResponseBody = 4522,
ValidateCRC32IfAvailable = 4524,
Dispose = 4532,
TestExpression_string_int = 4527,
SetupCRCStream = 4525,
set_WebResponseData = 4519
},
["Amazon.Runtime.Internal.Transform.XmlMarshallerContext"] = {
get_Writer = 4428,
set_Writer = 4429
},
["Amazon.Runtime.Internal.Transform.XmlResponseUnmarshaller"] = {
Unmarshall = 4459,
ConstructUnmarshallerContext = 4461,
UnmarshallException = 4460
},
["Amazon.Runtime.Internal.Transform.XmlUnmarshallerContext"] = {
get_XmlReader = 4534,
StackToPath = 4543,
get_IsEndElement = 4540,
get_CurrentDepth = 4536,
get_Stream = 4533,
get_CurrentPath = 4535,
get_IsStartOfDocument = 4541,
Read = 4537,
get_IsAttribute = 4542,
Dispose = 4545,
get_IsStartElement = 4539,
ReadText = 4538,
ReadElement = 4544
},
["Amazon.Runtime.Internal.UnityHttpErrorResponseException"] = {
get_Response = 4818,
get_Request = 4820,
set_Request = 4821,
set_Response = 4819
},
["Amazon.Runtime.Internal.UnityMainThreadDispatcher"] = {
ProcessRequests = 4824,
Update = 4823,
Awake = 4822,
InvokeRequest = 4825
},
["Amazon.Runtime.Internal.UnityRequestQueue"] = {
EnqueueRequest = 4827,
DequeueMainThreadOperation = 4832,
EnqueueCallback = 4829,
DequeueRequest = 4828,
get_Instance = 4826,
DequeueCallback = 4830,
ExecuteOnMainThread = 4831
},
["Amazon.Runtime.Internal.UnityWebRequest"] = {
["WriteToRequestBody_string_byte[]_IDictionary<string,string>"] = 4967,
Abort = 4968,
get_AsyncResult = 4950,
set_RequestUri = 4941,
get_WaitHandle = 4952,
EndGetRequestContent = 4970,
get_Exception = 4958,
GetRequestContent = 4964,
get_Response = 4956,
set_WaitHandle = 4953,
set_AsyncResult = 4951,
set_Headers = 4947,
set_RequestContent = 4945,
set_Response = 4957,
Dispose = 4973,
EndGetResponse = 4972,
set_Method = 4961,
BeginGetRequestContent = 4969,
set_WwwRequest = 4943,
get_Callback = 4948,
ConfigureRequest = 4962,
set_IsSync = 4955,
["WriteToRequestBody_string_Stream_IDictionary<string,string>_IRequestContext"] = 4966,
get_IsSync = 4954,
get_Method = 4960,
set_Exception = 4959,
GetResponse = 4965,
get_RequestContent = 4944,
get_WwwRequest = 4942,
BeginGetResponse = 4971,
set_Callback = 4949,
SetRequestHeaders = 4963,
get_Headers = 4946,
get_RequestUri = 4940
},
["Amazon.Runtime.Internal.UnityWebRequestFactory"] = {
CreateHttpRequest = 4938,
Dispose = 4939
},
["Amazon.Runtime.Internal.Unmarshaller"] = {
ShouldLogResponseBody = 4935,
Unmarshall = 4933,
InvokeAsyncCallback = 4932,
InvokeSync = 4931,
UnmarshallResponse = 4934
},
["Amazon.Runtime.Internal.Util.CachingWrapperStream"] = {
get_AllReadBytes = 4580,
set_Position = 4585,
get_CanSeek = 4583,
set_AllReadBytes = 4581,
Read = 4582,
get_Position = 4584,
Seek = 4586
},
["Amazon.Runtime.Internal.Util.ChunkedUploadWrapperStream"] = {
get_HeaderSigningResult = 4588,
get_PreviousChunkSignature = 4590,
get_CanSeek = 4594,
CalculateChunkHeaderLength = 4596,
FillInputBuffer = 4597,
Read = 4587,
set_HeaderSigningResult = 4589,
get_Length = 4593,
set_PreviousChunkSignature = 4591,
ConstructOutputBufferChunk = 4592,
ComputeChunkedContentLength = 4595
},
["Amazon.Runtime.Internal.Util.EventStream"] = {
SetLength = 4623,
set_Position = 4615,
get_CanWrite = 4612,
get_CanSeek = 4610,
Read = 4621,
get_CanRead = 4609,
set_WriteTimeout = 4619,
Flush = 4620,
get_WriteTimeout = 4618,
Close = 4628,
get_CanTimeout = 4611,
get_Length = 4613,
Write = 4624,
get_ReadTimeout = 4616,
Seek = 4622,
BeginRead = 4626,
BeginWrite = 4627,
set_ReadTimeout = 4617,
EndRead = 4629,
get_Position = 4614,
WriteByte = 4625,
Dispose = 4608,
EndWrite = 4630
},
["Amazon.Runtime.Internal.Util.EventStream.AsyncResult"] = {
set_CompletedSynchronously = 4603,
set_AsyncState = 4599,
get_IsCompleted = 4604,
set_Return = 4607,
get_CompletedSynchronously = 4602,
get_Return = 4606,
set_AsyncWaitHandle = 4601,
set_IsCompleted = 4605,
get_AsyncWaitHandle = 4600,
get_AsyncState = 4598
},
["Amazon.Runtime.Internal.Util.Extensions"] = {
GetElapsedDateTimeTicks = 4631,
HasRequestData = 4632
},
["Amazon.Runtime.Internal.Util.Hashing"] = {
CombineHashes = 4634,
Hash = 4633,
CombineHashesInternal = 4635
},
["Amazon.Runtime.Internal.Util.HashingWrapper"] = {
Clear = 4550,
Dispose_bool = 4555,
ComputeHash_Stream = 4552,
["AppendLastBlock_byte[]_int_int"] = 4554,
["AppendBlock_byte[]"] = 4556,
["ComputeHash_byte[]"] = 4551,
["AppendLastBlock_byte[]"] = 4557,
Dispose = 4558,
["AppendBlock_byte[]_int_int"] = 4553,
Init = 4549
},
["Amazon.Runtime.Internal.Util.HashStream"] = {
set_ExpectedHash = 4644,
get_CurrentPosition = 4639,
get_CanSeek = 4650,
get_CalculatedHash = 4641,
Read = 4647,
set_CurrentPosition = 4640,
set_Position = 4652,
CompareHashes = 4658,
get_Position = 4651,
set_Algorithm = 4637,
CalculateHash = 4655,
get_Length = 4654,
Reset = 4656,
Seek = 4653,
get_ExpectedLength = 4645,
Close = 4648,
get_FinishedHashing = 4638,
ValidateBaseStream = 4657,
set_CalculatedHash = 4642,
get_ExpectedHash = 4643,
get_Algorithm = 4636,
Dispose = 4649,
set_ExpectedLength = 4646
},
["Amazon.Runtime.Internal.Util.InternalLog4netLogger"] = {
Debug = 4688,
get_IsDebugEnabled = 4687,
loadStatics = 4683,
Error = 4686,
DebugFormat = 4689,
Flush = 4684,
get_IsInfoEnabled = 4690,
InfoFormat = 4691,
get_IsErrorEnabled = 4685
},
["Amazon.Runtime.Internal.Util.InternalLogger"] = {
set_DeclaringType = 4677,
get_IsEnabled = 4678,
get_IsDebugEnabled = 4681,
get_DeclaringType = 4676,
get_IsInfoEnabled = 4682,
set_IsEnabled = 4679,
get_IsErrorEnabled = 4680
},
["Amazon.Runtime.Internal.Util.Logger"] = {
Error = 4672,
Debug = 4673,
GetLogger = 4668,
get_EmptyLogger = 4670,
ClearLoggerCache = 4669,
DebugFormat = 4674,
Flush = 4671,
ConfigsChanged = 4666,
InfoFormat = 4675,
ConfigureLoggers = 4667
},
["Amazon.Runtime.Internal.Util.LogMessage"] = {
set_Format = 4664,
ToString = 4665,
get_Provider = 4661,
set_Args = 4660,
get_Format = 4663,
set_Provider = 4662,
get_Args = 4659
},
["Amazon.Runtime.Internal.Util.MetricError"] = {
set_Time = 4728,
get_Message = 4723,
get_Metric = 4721,
get_Exception = 4725,
get_Time = 4727,
set_Message = 4724,
set_Metric = 4722,
set_Exception = 4726
},
["Amazon.Runtime.Internal.Util.NonDisposingWrapperStream"] = {
Close = 4729,
Dispose = 4730
},
["Amazon.Runtime.Internal.Util.PartialReadOnlyWrapperStream"] = {
Read = 4753,
get_Position = 4755,
get_Length = 4754,
get_RemainingSize = 4752
},
["Amazon.Runtime.Internal.Util.PartialWrapperStream"] = {
SetLength = 4737,
set_Position = 4734,
get_RemainingPartSize = 4731,
Read = 4735,
get_Position = 4733,
WriteByte = 4739,
get_Length = 4732,
Write = 4738,
Seek = 4736
},
["Amazon.Runtime.Internal.Util.ReadOnlyWrapperStream"] = {
SetLength = 4747,
BeginWrite = 4740,
get_CanWrite = 4744,
get_CanRead = 4742,
get_CanSeek = 4743,
get_Position = 4749,
set_Position = 4750,
get_Length = 4748,
Flush = 4751,
Write = 4746,
EndWrite = 4741,
Seek = 4745
},
["Amazon.Runtime.Internal.Util.RequestMetrics"] = {
["Log_StringBuilder_Metric_List<object>"] = 4695,
ToString = 4712,
get_Properties = 4698,
LogHelper = 4696,
ToJSON = 4713,
set_Counters = 4703,
ObjectToString = 4697,
Log_StringBuilder_Metric_object = 4694,
IncrementCounter = 4710,
set_Timings = 4701,
get_CurrentTime = 4692,
StartEvent = 4706,
StopEvent = 4707,
set_Properties = 4699,
set_IsEnabled = 4705,
get_Timings = 4700,
GetErrors = 4711,
get_IsEnabled = 4704,
AddProperty = 4708,
SetCounter = 4709,
get_Counters = 4702,
LogError_Locked = 4693
},
["Amazon.Runtime.Internal.Util.S3Uri"] = {
set_Bucket = 4759,
set_IsPathStyle = 4757,
Decode_string = 4764,
get_Region = 4762,
get_IsPathStyle = 4756,
get_Key = 4760,
FromHex = 4767,
get_Bucket = 4758,
Decode_string_int = 4765,
AppendDecoded = 4766,
set_Key = 4761,
set_Region = 4763
},
["Amazon.Runtime.Internal.Util.SdkCache"] = {
Clear = 4780,
Clear_object = 4781
},
["Amazon.Runtime.Internal.Util.SdkCache.CacheKey"] = {
set_CacheType = 4775,
get_ImmutableCredentials = 4768,
get_ServiceUrl = 4772,
Create_AmazonServiceClient_object = 4776,
get_CacheType = 4774,
set_ServiceUrl = 4773,
set_ImmutableCredentials = 4769,
Create_object = 4777,
Equals = 4779,
get_RegionEndpoint = 4770,
GetHashCode = 4778,
set_RegionEndpoint = 4771
},
["Amazon.Runtime.Internal.Util.StringUtils"] = {
FromDateTime = 4789,
FromDouble = 4790,
FromString_string = 4782,
["FromInt_Nullable<int>"] = 4786,
FromMemoryStream = 4784,
FromLong = 4787,
FromInt_int = 4785,
FromBool = 4788,
Utf8ByteLength = 4791,
FromString_ConstantClass = 4783
},
["Amazon.Runtime.Internal.Util.Timing"] = {
set_IsFinished = 4716,
get_IsFinished = 4715,
get_ElapsedTicks = 4717,
get_ElapsedTime = 4718,
Stop = 4714
},
["Amazon.Runtime.Internal.Util.TimingEvent"] = {
Dispose = 4720,
Dispose_bool = 4719
},
["Amazon.Runtime.Internal.Util.UnityDebugLogger"] = {
get_IsDebugEnabled = 4564,
DebugFormat = 4562,
Debug = 4561,
Flush = 4559,
get_IsInfoEnabled = 4566,
Error = 4560,
InfoFormat = 4563,
get_IsErrorEnabled = 4565
},
["Amazon.Runtime.Internal.Util.UnityDebugTraceListener"] = {
["TraceData_TraceEventCache_string_TraceEventType_int_object[]"] = 4572,
Fail_string_string = 4574,
["TraceEvent_TraceEventCache_string_TraceEventType_int_string_object[]"] = 4569,
TraceData_TraceEventCache_string_TraceEventType_int_object = 4570,
WriteLine_object_string = 4577,
LogMessage = 4579,
Write_object = 4575,
get_IsThreadSafe = 4578,
Write_string = 4567,
TraceEvent_TraceEventCache_string_TraceEventType_int_string = 4571,
WriteLine_string = 4568,
WriteLine_object = 4576,
Fail_string = 4573
},
["Amazon.Runtime.Internal.Util.WrapperStream"] = {
get_BaseStream = 4792,
set_Position = 4805,
get_CanRead = 4799,
["SearchWrappedStream_Stream_Func<Stream,bool>"] = 4798,
Read = 4811,
get_CanSeek = 4800,
["SearchWrappedStream_Func<Stream,bool>"] = 4797,
GetNonWrapperBaseStream = 4794,
get_CanWrite = 4801,
get_Length = 4803,
get_ReadTimeout = 4806,
Flush = 4810,
set_BaseStream = 4793,
Write = 4814,
GetSeekableBaseStream = 4795,
Seek = 4812,
set_WriteTimeout = 4809,
Close = 4802,
set_ReadTimeout = 4807,
SetLength = 4813,
get_WriteTimeout = 4808,
get_Position = 4804,
GetNonWrapperBaseStream_Stream = 4796
},
["Amazon.Runtime.Internal.WebExceptionHandler"] = {
HandleException = 4889
},
["Amazon.Runtime.PreRequestEventArgs"] = {
Create = 5056,
get_Request = 5054,
set_Request = 5055
},
["Amazon.Runtime.RefreshingAWSCredentials"] = {
get_PreemptExpiryTime = 4170,
set_PreemptExpiryTime = 4171,
UpdateToGeneratedCredentials = 4173,
GenerateNewCredentials = 4175,
GetCredentials = 4172,
ClearCredentials = 4176,
get_ShouldUpdate = 4174
},
["Amazon.Runtime.RefreshingAWSCredentials.CredentialsRefreshState"] = {
get_Expiration = 4168,
get_Credentials = 4166,
set_Expiration = 4169,
set_Credentials = 4167
},
["Amazon.Runtime.ResponseMetadata"] = {
get_Metadata = 5089,
get_RequestId = 5087,
set_RequestId = 5088
},
["Amazon.Runtime.RetryPolicy"] = {
set_MaxRetries = 5009,
set_Logger = 5011,
TryParseExceptionMessage = 5016,
get_Logger = 5010,
get_MaxRetries = 5008,
Retry = 5012,
RetryForExceptionHelper = 5013,
TryParseDateHeader = 5015,
IsClockskew = 5014,
GetWebData = 5017
},
["Amazon.Runtime.SessionAWSCredentials"] = {
GetCredentials = 4165
},
["Amazon.Runtime.StreamTransferProgressArgs"] = {
get_TransferredBytes = 5092,
ToString = 5094,
get_IncrementTransferred = 5091,
get_PercentDone = 5090,
get_TotalBytes = 5093
},
["Amazon.Runtime.WebServiceExceptionEventArgs"] = {
set_Endpoint = 4233,
get_ServiceName = 4230,
get_Request = 4234,
get_Exception = 4236,
set_Parameters = 4229,
set_ServiceName = 4231,
get_Parameters = 4228,
set_Exception = 4237,
set_Headers = 4227,
Create = 4238,
get_Headers = 4226,
get_Endpoint = 4232,
set_Request = 4235
},
["Amazon.Runtime.WebServiceRequestEventArgs"] = {
set_Endpoint = 5064,
get_ServiceName = 5061,
get_Request = 5065,
get_OriginalRequest = 5067,
set_Parameters = 5060,
set_ServiceName = 5062,
get_Parameters = 5059,
set_Headers = 5058,
Create = 5068,
get_Headers = 5057,
get_Endpoint = 5063,
set_Request = 5066
},
["Amazon.Runtime.WebServiceResponseEventArgs"] = {
set_Endpoint = 5081,
get_ServiceName = 5078,
get_ResponseHeaders = 5074,
set_Parameters = 5077,
set_Response = 5085,
set_ServiceName = 5079,
get_Request = 5082,
get_Parameters = 5076,
get_Response = 5084,
Create = 5086,
set_RequestHeaders = 5073,
get_Endpoint = 5080,
set_Request = 5083,
set_ResponseHeaders = 5075,
get_RequestHeaders = 5072
},
["Amazon.S3.AmazonS3Client"] = {
CustomizeRuntimePipeline = 5626,
["GetACLAsync_GetACLRequest_AmazonServiceCallback<GetACLRequest,GetACLResponse>_AsyncOptions"] = 5630,
["GetBucketRequestPaymentAsync_GetBucketRequestPaymentRequest_AmazonServiceCallback<GetBucketRequestPaymentRequest,GetBucketRequestPaymentResponse>_AsyncOptions"] = 5640,
["GetObjectAsync_string_string_string_AmazonServiceCallback<GetObjectRequest,GetObjectResponse>_AsyncOptions"] = 5651,
["ListVersionsAsync_string_string_AmazonServiceCallback<ListVersionsRequest,ListVersionsResponse>_AsyncOptions"] = 5661,
DeleteObjectsAsync = 5628,
["GetBucketNotificationAsync_string_AmazonServiceCallback<GetBucketNotificationRequest,GetBucketNotificationResponse>_AsyncOptions"] = 5635,
["RestoreObjectAsync_string_string_int_AmazonServiceCallback<RestoreObjectRequest,RestoreObjectResponse>_AsyncOptions"] = 5664,
ProcessPostResponse = 5623,
["GetObjectAsync_string_string_AmazonServiceCallback<GetObjectRequest,GetObjectResponse>_AsyncOptions"] = 5650,
["ListVersionsAsync_ListVersionsRequest_AmazonServiceCallback<ListVersionsRequest,ListVersionsResponse>_AsyncOptions"] = 5662,
["RestoreObjectAsync_string_string_string_int_AmazonServiceCallback<RestoreObjectRequest,RestoreObjectResponse>_AsyncOptions"] = 5666,
["GetBucketPolicyAsync_string_AmazonServiceCallback<GetBucketPolicyRequest,GetBucketPolicyResponse>_AsyncOptions"] = 5637,
["ListObjectsAsync_ListObjectsRequest_AmazonServiceCallback<ListObjectsRequest,ListObjectsResponse>_AsyncOptions"] = 5659,
["GetObjectTorrentAsync_string_string_AmazonServiceCallback<GetObjectTorrentRequest,GetObjectTorrentResponse>_AsyncOptions"] = 5653,
["GetBucketWebsiteAsync_GetBucketWebsiteRequest_AmazonServiceCallback<GetBucketWebsiteRequest,GetBucketWebsiteResponse>_AsyncOptions"] = 5645,
GetBucketTaggingAsync = 5641,
["ListBucketsAsync_AmazonServiceCallback<ListBucketsRequest,ListBucketsResponse>_AsyncOptions"] = 5655,
["ListBucketsAsync_ListBucketsRequest_AmazonServiceCallback<ListBucketsRequest,ListBucketsResponse>_AsyncOptions"] = 5656,
["GetLifecycleConfigurationAsync_string_AmazonServiceCallback<GetLifecycleConfigurationRequest,GetLifecycleConfigurationResponse>_AsyncOptions"] = 5648,
PostObject = 5622,
["GetObjectTorrentAsync_GetObjectTorrentRequest_AmazonServiceCallback<GetObjectTorrentRequest,GetObjectTorrentResponse>_AsyncOptions"] = 5654,
["ListVersionsAsync_string_AmazonServiceCallback<ListVersionsRequest,ListVersionsResponse>_AsyncOptions"] = 5660,
CreateSigner = 5625,
["GetCORSConfigurationAsync_string_AmazonServiceCallback<GetCORSConfigurationRequest,GetCORSConfigurationResponse>_AsyncOptions"] = 5646,
["GetBucketLocationAsync_string_AmazonServiceCallback<GetBucketLocationRequest,GetBucketLocationResponse>_AsyncOptions"] = 5631,
["GetBucketPolicyAsync_GetBucketPolicyRequest_AmazonServiceCallback<GetBucketPolicyRequest,GetBucketPolicyResponse>_AsyncOptions"] = 5638,
["GetBucketLoggingAsync_string_AmazonServiceCallback<GetBucketLoggingRequest,GetBucketLoggingResponse>_AsyncOptions"] = 5633,
PostResponseHelper = 5624,
["RestoreObjectAsync_string_string_AmazonServiceCallback<RestoreObjectRequest,RestoreObjectResponse>_AsyncOptions"] = 5663,
CreateSignedPolicy = 5621,
["GetBucketLoggingAsync_GetBucketLoggingRequest_AmazonServiceCallback<GetBucketLoggingRequest,GetBucketLoggingResponse>_AsyncOptions"] = 5634,
["RestoreObjectAsync_RestoreObjectRequest_AmazonServiceCallback<RestoreObjectRequest,RestoreObjectResponse>_AsyncOptions"] = 5667,
["GetLifecycleConfigurationAsync_GetLifecycleConfigurationRequest_AmazonServiceCallback<GetLifecycleConfigurationRequest,GetLifecycleConfigurationResponse>_AsyncOptions"] = 5649,
["GetBucketNotificationAsync_GetBucketNotificationRequest_AmazonServiceCallback<GetBucketNotificationRequest,GetBucketNotificationResponse>_AsyncOptions"] = 5636,
["GetBucketRequestPaymentAsync_string_AmazonServiceCallback<GetBucketRequestPaymentRequest,GetBucketRequestPaymentResponse>_AsyncOptions"] = 5639,
PostObjectAsync = 5620,
["ListObjectsAsync_string_string_AmazonServiceCallback<ListObjectsRequest,ListObjectsResponse>_AsyncOptions"] = 5658,
["ListObjectsAsync_string_AmazonServiceCallback<ListObjectsRequest,ListObjectsResponse>_AsyncOptions"] = 5657,
["GetBucketVersioningAsync_GetBucketVersioningRequest_AmazonServiceCallback<GetBucketVersioningRequest,GetBucketVersioningResponse>_AsyncOptions"] = 5643,
["GetBucketVersioningAsync_string_AmazonServiceCallback<GetBucketVersioningRequest,GetBucketVersioningResponse>_AsyncOptions"] = 5642,
["GetACLAsync_string_AmazonServiceCallback<GetACLRequest,GetACLResponse>_AsyncOptions"] = 5629,
["GetBucketWebsiteAsync_string_AmazonServiceCallback<GetBucketWebsiteRequest,GetBucketWebsiteResponse>_AsyncOptions"] = 5644,
["RestoreObjectAsync_string_string_string_AmazonServiceCallback<RestoreObjectRequest,RestoreObjectResponse>_AsyncOptions"] = 5665,
["GetBucketLocationAsync_GetBucketLocationRequest_AmazonServiceCallback<GetBucketLocationRequest,GetBucketLocationResponse>_AsyncOptions"] = 5632,
["GetCORSConfigurationAsync_GetCORSConfigurationRequest_AmazonServiceCallback<GetCORSConfigurationRequest,GetCORSConfigurationResponse>_AsyncOptions"] = 5647,
Dispose = 5627,
["GetObjectAsync_GetObjectRequest_AmazonServiceCallback<GetObjectRequest,GetObjectResponse>_AsyncOptions"] = 5652
},
["Amazon.S3.AmazonS3Config"] = {
get_ForcePathStyle = 5668,
get_RegionEndpointServiceName = 5671,
Initialize = 5670,
set_ForcePathStyle = 5669,
get_ServiceVersion = 5672,
get_UserAgent = 5673
},
["Amazon.S3.AmazonS3Exception"] = {
get_Message = 5678,
get_ResponseBody = 5676,
get_AmazonId2 = 5674,
set_ResponseBody = 5677,
set_AmazonId2 = 5675
},
["Amazon.S3.DeleteObjectsException"] = {
get_Response = 6162,
CreateMessage = 6164,
set_Response = 6163
},
["Amazon.S3.EncodingType"] = {
FindValue = 7574
},
["Amazon.S3.EventType"] = {
FindValue = 7575
},
["Amazon.S3.GranteeType"] = {
FindValue = 7571
},
["Amazon.S3.Internal.AmazonS3ExceptionHandler"] = {
InvokeAsyncCallback = 5687,
HandleException = 5688,
InvokeSync = 5686
},
["Amazon.S3.Internal.AmazonS3KmsHandler"] = {
InvokeAsync = 5690,
InvokeSync = 5689,
PreInvoke = 5691,
EvaluateIfSigV4Required = 5692
},
["Amazon.S3.Internal.AmazonS3PostMarshallHandler"] = {
IsDnsCompatibleBucketName = 5702,
GetBucketName = 5700,
IsValidBucketName = 5701,
ValidateSseKeyHeaders = 5699,
InvokeAsync = 5694,
InvokeSync = 5693,
PreInvoke = 5695,
ValidateHttpsOnlyHeaders = 5697,
StringContainsAny = 5703,
ProcessRequestHandlers = 5696,
ValidateSseHeaderValue = 5698
},
["Amazon.S3.Internal.AmazonS3PreMarshallHandler"] = {
DetermineBucketRegionCode = 5708,
ProcessPreRequestHandlers = 5707,
InvokeAsync = 5705,
InvokeSync = 5704,
PreInvoke = 5706
},
["Amazon.S3.Internal.AmazonS3RedirectHandler"] = {
FinalizeForRedirect = 5709
},
["Amazon.S3.Internal.AmazonS3ResponseHandler"] = {
HasSSEHeaders = 5714,
CompareHashes = 5715,
ProcessResponseHandlers = 5713,
PostInvoke = 5712,
InvokeAsyncCallback = 5711,
InvokeSync = 5710
},
["Amazon.S3.Internal.AmazonS3RetryPolicy"] = {
RetryForException = 5716
},
["Amazon.S3.Internal.S3Signer"] = {
BuildCanonicalizedHeaders = 5721,
BuildCanonicalizedResource = 5722,
SignRequest = 5719,
Sign = 5718,
BuildStringToSign = 5720,
get_Protocol = 5717
},
["Amazon.S3.LifecycleRuleStatus"] = {
FindValue = 7572
},
["Amazon.S3.Model.AbortMultipartUploadRequest"] = {
get_BucketName = 5853,
get_Key = 5856,
IsSetBucketName = 5855,
get_UploadId = 5859,
IsSetKey = 5858,
IsSetUploadId = 5861,
set_UploadId = 5860,
set_BucketName = 5854,
set_Key = 5857
},
["Amazon.S3.Model.ByteRange"] = {
get_Start = 5862,
set_End = 5865,
get_End = 5864,
set_Start = 5863,
get_FormattedByteRange = 5866
},
["Amazon.S3.Model.CloudFunctionConfiguration"] = {
IsSetCloudFunction = 5875,
set_InvocationRole = 5877,
IsSetId = 5869,
IsSetInvocationRole = 5878,
IsSetEvents = 5872,
set_Id = 5868,
get_InvocationRole = 5876,
set_CloudFunction = 5874,
set_Events = 5871,
get_CloudFunction = 5873,
get_Events = 5870,
get_Id = 5867
},
["Amazon.S3.Model.CompleteMultipartUploadRequest"] = {
["AddPartETags_IEnumerable<PartETag>"] = 5888,
get_Key = 5882,
["AddPartETags_CopyPartResponse[]"] = 5891,
get_UploadId = 5893,
IsSetKey = 5884,
IsSetUploadId = 5895,
["AddPartETags_PartETag[]"] = 5887,
set_BucketName = 5880,
set_Key = 5883,
["AddPartETags_IEnumerable<UploadPartResponse>"] = 5890,
set_PartETags = 5886,
IsSetBucketName = 5881,
get_PartETags = 5885,
get_BucketName = 5879,
set_UploadId = 5894,
["AddPartETags_UploadPartResponse[]"] = 5889,
["AddPartETags_IEnumerable<CopyPartResponse>"] = 5892
},
["Amazon.S3.Model.CompleteMultipartUploadResponse"] = {
set_Key = 5903,
IsSetLocation = 5898,
set_ServerSideEncryptionMethod = 5911,
get_ServerSideEncryptionMethod = 5910,
set_VersionId = 5913,
get_Key = 5902,
IsSetKey = 5904,
IsSetBucketName = 5901,
get_VersionId = 5912,
IsSetVersionId = 5914,
get_Location = 5896,
set_BucketName = 5900,
IsSetETag = 5907,
get_ServerSideEncryptionKeyManagementServiceKeyId = 5915,
get_ETag = 5905,
set_ServerSideEncryptionKeyManagementServiceKeyId = 5916,
set_Location = 5897,
set_ETag = 5906,
get_BucketName = 5899,
set_Expiration = 5909,
get_Expiration = 5908,
IsSetServerSideEncryptionKeyManagementServiceKeyId = 5917
},
["Amazon.S3.Model.CopyObjectRequest"] = {
IsSetServerSideEncryptionCustomerProvidedKey = 5971,
IsSetServerSideEncryptionMethod = 5952,
set_ServerSideEncryptionMethod = 5951,
set_StorageClass = 5957,
set_CannedACL = 5934,
IsSetStorageClass = 5958,
set_CopySourceServerSideEncryptionCustomerProvidedKeyMD5 = 5982,
set_ModifiedSinceDate = 5943,
IsSetServerSideEncryptionCustomerMethod = 5968,
set_ETagToMatch = 5937,
get_UnmodifiedSinceDate = 5945,
IsSetCannedACL = 5935,
get_CopySourceServerSideEncryptionCustomerProvidedKeyMD5 = 5981,
IsSetDestinationKey = 5932,
get_ServerSideEncryptionKeyManagementServiceKeyId = 5953,
IsSetWebsiteRedirectLocation = 5961,
IsSetETagToMatch = 5938,
get_ServerSideEncryptionCustomerProvidedKeyMD5 = 5972,
set_ServerSideEncryptionKeyManagementServiceKeyId = 5954,
get_CopySourceServerSideEncryptionCustomerMethod = 5975,
IsSetModifiedSinceDate = 5944,
IsSetETagToNotMatch = 5941,
IsSetServerSideEncryptionKeyManagementServiceKeyId = 5955,
IsSetSourceKey = 5923,
set_ServerSideEncryptionCustomerProvidedKeyMD5 = 5973,
IsSetCopySourceServerSideEncryptionCustomerMethod = 5977,
IsSetCopySourceServerSideEncryptionCustomerProvidedKey = 5980,
IsSetSourceBucket = 5920,
set_CopySourceServerSideEncryptionCustomerProvidedKey = 5979,
set_MetadataDirective = 5949,
get_ServerSideEncryptionCustomerProvidedKey = 5969,
get_ServerSideEncryptionMethod = 5950,
get_Metadata = 5963,
set_ContentType = 5965,
set_ServerSideEncryptionCustomerMethod = 5967,
get_ModifiedSinceDate = 5942,
IsSetSourceVersionId = 5926,
get_DestinationBucket = 5927,
get_StorageClass = 5956,
get_ContentType = 5964,
get_SourceKey = 5921,
set_WebsiteRedirectLocation = 5960,
get_WebsiteRedirectLocation = 5959,
set_SourceVersionId = 5925,
IsSetDestinationBucket = 5929,
get_MetadataDirective = 5948,
set_UnmodifiedSinceDate = 5946,
set_SourceBucket = 5919,
set_DestinationBucket = 5928,
IsSetUnmodifiedSinceDate = 5947,
set_ServerSideEncryptionCustomerProvidedKey = 5970,
get_DestinationKey = 5930,
get_CannedACL = 5933,
get_ETagToMatch = 5936,
set_CopySourceServerSideEncryptionCustomerMethod = 5976,
set_SourceKey = 5922,
get_CopySourceServerSideEncryptionCustomerProvidedKey = 5978,
set_DestinationKey = 5931,
IsSetServerSideEncryptionCustomerProvidedKeyMD5 = 5974,
get_SourceVersionId = 5924,
get_ServerSideEncryptionCustomerMethod = 5966,
get_SourceBucket = 5918,
set_ETagToNotMatch = 5940,
get_ETagToNotMatch = 5939,
IsSetCopySourceServerSideEncryptionCustomerProvidedKeyMD5 = 5983,
get_Headers = 5962
},
["Amazon.S3.Model.CopyObjectResponse"] = {
get_SourceVersionId = 5990,
set_ServerSideEncryptionMethod = 5993,
set_ServerSideEncryptionKeyManagementServiceKeyId = 5995,
get_LastModified = 5986,
set_ETag = 5985,
set_SourceVersionId = 5991,
get_ServerSideEncryptionMethod = 5992,
set_LastModified = 5987,
get_Expiration = 5988,
get_ETag = 5984,
set_Expiration = 5989,
get_ServerSideEncryptionKeyManagementServiceKeyId = 5994,
IsSetServerSideEncryptionKeyManagementServiceKeyId = 5996
},
["Amazon.S3.Model.CopyPartRequest"] = {
get_UnmodifiedSinceDate = 6024,
IsSetServerSideEncryptionCustomerProvidedKey = 6044,
set_ServerSideEncryptionMethod = 6037,
set_ETagToMatch = 6016,
IsSetDestinationBucket = 6008,
IsSetSourceVersionId = 6005,
set_CopySourceServerSideEncryptionCustomerProvidedKeyMD5 = 6058,
set_ModifiedSinceDate = 6022,
IsSetServerSideEncryptionMethod = 6038,
IsSetPartNumber = 6029,
set_DestinationKey = 6010,
get_ETagToMatch = 6015,
get_ServerSideEncryptionCustomerProvidedKeyMD5 = 6045,
get_DestinationKey = 6009,
get_ServerSideEncryptionKeyManagementServiceKeyId = 6048,
get_CopySourceServerSideEncryptionCustomerProvidedKeyMD5 = 6057,
set_FirstByte = 6031,
set_DestinationBucket = 6007,
set_ServerSideEncryptionKeyManagementServiceKeyId = 6049,
IsSetUnmodifiedSinceDate = 6026,
IsSetServerSideEncryptionKeyManagementServiceKeyId = 6050,
IsSetETagToNotMatch = 6020,
IsSetLastByte = 6035,
IsSetSourceKey = 6002,
get_CopySourceServerSideEncryptionCustomerMethod = 6051,
set_UploadId = 6013,
IsSetCopySourceServerSideEncryptionCustomerMethod = 6053,
IsSetModifiedSinceDate = 6023,
set_CopySourceServerSideEncryptionCustomerProvidedKey = 6055,
get_ETagsToNotMatch = 6018,
set_PartNumber = 6028,
IsSetFirstByte = 6032,
IsSetCopySourceServerSideEncryptionCustomerProvidedKey = 6056,
get_PartNumber = 6027,
get_ServerSideEncryptionCustomerProvidedKey = 6042,
get_FirstByte = 6030,
set_CopySourceServerSideEncryptionCustomerMethod = 6052,
get_UploadId = 6012,
get_ServerSideEncryptionMethod = 6036,
IsSetUploadId = 6014,
get_CopySourceServerSideEncryptionCustomerProvidedKey = 6054,
get_SourceVersionId = 6003,
set_ServerSideEncryptionCustomerProvidedKey = 6043,
set_LastByte = 6034,
IsSetServerSideEncryptionCustomerMethod = 6041,
IsSetServerSideEncryptionCustomerProvidedKeyMD5 = 6047,
set_ServerSideEncryptionCustomerProvidedKeyMD5 = 6046,
set_ServerSideEncryptionCustomerMethod = 6040,
IsSetSourceBucket = 5999,
get_SourceBucket = 5997,
get_DestinationBucket = 6006,
get_ServerSideEncryptionCustomerMethod = 6039,
IsSetETagToMatch = 6017,
set_ETagsToNotMatch = 6019,
IsSetDestinationKey = 6011,
get_LastByte = 6033,
set_SourceBucket = 5998,
set_SourceKey = 6001,
IsSetCopySourceServerSideEncryptionCustomerProvidedKeyMD5 = 6059,
get_SourceKey = 6000,
set_SourceVersionId = 6004,
set_UnmodifiedSinceDate = 6025,
get_ModifiedSinceDate = 6021
},
["Amazon.S3.Model.CopyPartResponse"] = {
IsSetETag = 6065,
get_PartNumber = 6072,
get_CopySourceVersionId = 6060,
get_LastModified = 6066,
set_ServerSideEncryptionMethod = 6070,
IsSetCopySourceVersionId = 6062,
get_ServerSideEncryptionMethod = 6069,
get_ServerSideEncryptionKeyManagementServiceKeyId = 6074,
set_LastModified = 6067,
set_PartNumber = 6073,
IsSetServerSideEncryptionMethod = 6071,
get_ETag = 6063,
set_ServerSideEncryptionKeyManagementServiceKeyId = 6075,
set_ETag = 6064,
IsSetLastModified = 6068,
set_CopySourceVersionId = 6061,
IsSetServerSideEncryptionKeyManagementServiceKeyId = 6076
},
["Amazon.S3.Model.CORSConfiguration"] = {
IsSetRules = 6079,
get_Rules = 6077,
set_Rules = 6078
},
["Amazon.S3.Model.CORSRule"] = {
set_Id = 6087,
get_Id = 6086,
get_AllowedMethods = 6080,
IsSetAllowedMethods = 6082,
IsSetExposeHeaders = 6091,
set_AllowedHeaders = 6096,
set_AllowedOrigins = 6084,
IsSetId = 6088,
set_AllowedMethods = 6081,
IsSetAllowedOrigins = 6085,
get_ExposeHeaders = 6089,
set_MaxAgeSeconds = 6093,
get_MaxAgeSeconds = 6092,
get_AllowedHeaders = 6095,
get_AllowedOrigins = 6083,
IsSetMaxAgeSeconds = 6094,
set_ExposeHeaders = 6090,
IsSetAllowedHeaders = 6097
},
["Amazon.S3.Model.DeleteBucketPolicyRequest"] = {
set_BucketName = 6099,
IsSetBucketName = 6100,
get_BucketName = 6098
},
["Amazon.S3.Model.DeleteBucketReplicationRequest"] = {
set_BucketName = 6102,
IsSetBucketName = 6103,
get_BucketName = 6101
},
["Amazon.S3.Model.DeleteBucketRequest"] = {
IsSetBucketRegion = 6109,
set_UseClientRegion = 6111,
IsSetBucketName = 6106,
set_BucketRegion = 6108,
set_BucketName = 6105,
get_UseClientRegion = 6110,
get_BucketName = 6104,
get_BucketRegion = 6107
},
["Amazon.S3.Model.DeleteBucketTaggingRequest"] = {
set_BucketName = 6113,
IsSetBucketName = 6114,
get_BucketName = 6112
},
["Amazon.S3.Model.DeleteBucketWebsiteRequest"] = {
set_BucketName = 6116,
IsSetBucketName = 6117,
get_BucketName = 6115
},
["Amazon.S3.Model.DeleteCORSConfigurationRequest"] = {
set_BucketName = 6119,
IsSetBucketName = 6120,
get_BucketName = 6118
},
["Amazon.S3.Model.DeletedObject"] = {
get_DeleteMarker = 6121,
set_Key = 6128,
get_DeleteMarkerVersionId = 6124,
get_VersionId = 6130,
set_DeleteMarker = 6122,
set_VersionId = 6131,
IsSetKey = 6129,
IsSetVersionId = 6132,
get_Key = 6127,
IsSetDeleteMarker = 6123,
set_DeleteMarkerVersionId = 6125,
IsSetDeleteMarkerVersionId = 6126
},
["Amazon.S3.Model.DeleteError"] = {
set_Message = 6140,
get_Message = 6139,
set_Code = 6138,
get_VersionId = 6135,
get_Key = 6133,
set_Key = 6134,
get_Code = 6137,
set_VersionId = 6136
},
["Amazon.S3.Model.DeleteLifecycleConfigurationRequest"] = {
set_BucketName = 6142,
IsSetBucketName = 6143,
get_BucketName = 6141
},
["Amazon.S3.Model.DeleteObjectRequest"] = {
set_MfaCodes = 6154,
get_BucketName = 6144,
IsSetBucketName = 6146,
get_VersionId = 6150,
set_VersionId = 6151,
get_MfaCodes = 6153,
IsSetKey = 6149,
IsSetVersionId = 6152,
get_Key = 6147,
IsSetMfaCodes = 6155,
set_BucketName = 6145,
set_Key = 6148
},
["Amazon.S3.Model.DeleteObjectResponse"] = {
get_DeleteMarker = 6156,
IsSetDeleteMarker = 6158,
IsSetVersionId = 6161,
get_VersionId = 6159,
set_DeleteMarker = 6157,
set_VersionId = 6160
},
["Amazon.S3.Model.DeleteObjectsRequest"] = {
IsSetQuiet = 6173,
set_Quiet = 6172,
IsSetBucketName = 6167,
get_Objects = 6168,
get_MfaCodes = 6174,
IsSetObjects = 6170,
get_Quiet = 6171,
get_BucketName = 6165,
AddKey_KeyVersion = 6179,
IsSetMfaCodes = 6176,
AddKey_string = 6177,
set_BucketName = 6166,
set_MfaCodes = 6175,
AddKey_string_string = 6178,
set_Objects = 6169
},
["Amazon.S3.Model.DeleteObjectsResponse"] = {
IsSetDeletedObjects = 6182,
set_DeletedObjects = 6181,
IsSetDeleteErrors = 6185,
get_DeleteErrors = 6183,
set_DeleteErrors = 6184,
get_DeletedObjects = 6180
},
["Amazon.S3.Model.Expiration"] = {
UrlDecode = 6190,
get_ExpiryDate = 6186,
set_RuleId = 6189,
set_ExpiryDate = 6187,
get_RuleId = 6188
},
["Amazon.S3.Model.Filter"] = {
get_S3KeyFilter = 6191,
set_S3KeyFilter = 6192,
IsSetS3KeyFilter = 6193
},
["Amazon.S3.Model.FilterRule"] = {
get_Value = 6197,
IsSetValue = 6199,
get_Name = 6194,
set_Name = 6195,
IsSetName = 6196,
set_Value = 6198
},
["Amazon.S3.Model.GetACLRequest"] = {
set_VersionId = 6207,
get_BucketName = 6200,
get_Key = 6203,
get_VersionId = 6206,
IsSetKey = 6205,
IsSetVersionId = 6208,
set_BucketName = 6201,
set_Key = 6204,
IsSetBucket = 6202
},
["Amazon.S3.Model.GetACLResponse"] = {
get_AccessControlList = 6209,
set_AccessControlList = 6210
},
["Amazon.S3.Model.GetBucketLocationRequest"] = {
set_BucketName = 6212,
IsSetBucketName = 6213,
get_BucketName = 6211
},
["Amazon.S3.Model.GetBucketLocationResponse"] = {
get_Location = 6214,
set_Location = 6215
},
["Amazon.S3.Model.GetBucketLoggingRequest"] = {
set_BucketName = 6217,
IsSetBucketName = 6218,
get_BucketName = 6216
},
["Amazon.S3.Model.GetBucketLoggingResponse"] = {
get_BucketLoggingConfig = 6219,
set_BucketLoggingConfig = 6220
},
["Amazon.S3.Model.GetBucketNotificationRequest"] = {
set_BucketName = 6222,
IsSetBucketName = 6223,
get_BucketName = 6221
},
["Amazon.S3.Model.GetBucketNotificationResponse"] = {
set_TopicConfigurations = 6225,
get_TopicConfigurations = 6224,
set_LambdaFunctionConfigurations = 6229,
get_LambdaFunctionConfigurations = 6228,
set_QueueConfigurations = 6227,
get_QueueConfigurations = 6226
},
["Amazon.S3.Model.GetBucketPolicyRequest"] = {
set_BucketName = 6231,
get_BucketName = 6230,
IsSetBucket = 6232
},
["Amazon.S3.Model.GetBucketPolicyResponse"] = {
get_Policy = 6233,
set_Policy = 6234,
IsSetPolicy = 6235
},
["Amazon.S3.Model.GetBucketReplicationRequest"] = {
set_BucketName = 6237,
IsSetBucketName = 6238,
get_BucketName = 6236
},
["Amazon.S3.Model.GetBucketReplicationResponse"] = {
get_Configuration = 6239,
set_Configuration = 6240
},
["Amazon.S3.Model.GetBucketRequestPaymentRequest"] = {
set_BucketName = 6242,
IsSetBucketName = 6243,
get_BucketName = 6241
},
["Amazon.S3.Model.GetBucketRequestPaymentResponse"] = {
get_Payer = 6244,
IsSetPayer = 6246,
set_Payer = 6245
},
["Amazon.S3.Model.GetBucketTaggingRequest"] = {
set_BucketName = 6248,
IsSetBucketName = 6249,
get_BucketName = 6247
},
["Amazon.S3.Model.GetBucketTaggingResponse"] = {
get_TagSet = 6250,
set_TagSet = 6251,
IsSetTagSet = 6252
},
["Amazon.S3.Model.GetBucketVersioningRequest"] = {
set_BucketName = 6254,
IsSetBucketName = 6255,
get_BucketName = 6253
},
["Amazon.S3.Model.GetBucketVersioningResponse"] = {
get_VersioningConfig = 6256,
set_VersioningConfig = 6257
},
["Amazon.S3.Model.GetBucketWebsiteRequest"] = {
set_BucketName = 6259,
IsSetBucketName = 6260,
get_BucketName = 6258
},
["Amazon.S3.Model.GetBucketWebsiteResponse"] = {
get_WebsiteConfiguration = 6261,
set_WebsiteConfiguration = 6262
},
["Amazon.S3.Model.GetCORSConfigurationRequest"] = {
set_BucketName = 6264,
IsSetBucketName = 6265,
get_BucketName = 6263
},
["Amazon.S3.Model.GetCORSConfigurationResponse"] = {
get_Configuration = 6266,
IsSetConfiguration = 6268,
set_Configuration = 6267
},
["Amazon.S3.Model.GetLifecycleConfigurationRequest"] = {
set_BucketName = 6270,
IsSetBucketName = 6271,
get_BucketName = 6269
},
["Amazon.S3.Model.GetLifecycleConfigurationResponse"] = {
get_Configuration = 6272,
set_Configuration = 6273
},
["Amazon.S3.Model.GetObjectMetadataRequest"] = {
get_UnmodifiedSinceDate = 6286,
get_ModifiedSinceDate = 6280,
get_ServerSideEncryptionCustomerProvidedKey = 6298,
IsSetServerSideEncryptionCustomerProvidedKey = 6300,
IsSetUnmodifiedSinceDate = 6288,
IsSetServerSideEncryptionCustomerMethod = 6297,
IsSetKey = 6291,
set_ModifiedSinceDate = 6281,
get_EtagToMatch = 6277,
set_BucketName = 6275,
IsSetEtagToMatch = 6279,
set_Key = 6290,
get_ServerSideEncryptionCustomerProvidedKeyMD5 = 6301,
get_Key = 6289,
get_VersionId = 6292,
set_ServerSideEncryptionCustomerMethod = 6296,
IsSetServerSideEncryptionCustomerProvidedKeyMD5 = 6303,
IsSetEtagToNotMatch = 6285,
IsSetBucketName = 6276,
get_ServerSideEncryptionCustomerMethod = 6295,
get_BucketName = 6274,
set_EtagToNotMatch = 6284,
set_ServerSideEncryptionCustomerProvidedKey = 6299,
IsSetVersionId = 6294,
set_ServerSideEncryptionCustomerProvidedKeyMD5 = 6302,
get_EtagToNotMatch = 6283,
set_EtagToMatch = 6278,
IsSetModifiedSinceDate = 6282,
set_UnmodifiedSinceDate = 6287,
set_VersionId = 6293
},
["Amazon.S3.Model.GetObjectMetadataResponse"] = {
IsSetReplicationStatus = 6348,
get_ReplicationStatus = 6346,
get_WebsiteRedirectLocation = 6334,
get_LastModified = 6319,
set_Expires = 6332,
IsSetStorageClass = 6351,
IsSetServerSideEncryptionMethod = 6339,
IsSetWebsiteRedirectLocation = 6336,
IsSetExpiration = 6314,
set_ETag = 6323,
IsSetExpires = 6333,
set_RestoreInProgress = 6318,
set_ReplicationStatus = 6347,
set_LastModified = 6320,
get_ServerSideEncryptionKeyManagementServiceKeyId = 6343,
get_ETag = 6322,
set_ServerSideEncryptionMethod = 6338,
IsSetServerSideEncryptionKeyManagementServiceKeyId = 6345,
set_ServerSideEncryptionKeyManagementServiceKeyId = 6344,
get_VersionId = 6328,
set_StorageClass = 6350,
get_MissingMeta = 6325,
IsSetLastModified = 6321,
get_RestoreInProgress = 6317,
get_Expires = 6331,
IsSetDeleteMarker = 6308,
set_VersionId = 6329,
get_Metadata = 6305,
get_DeleteMarker = 6306,
get_ServerSideEncryptionCustomerMethod = 6340,
get_Expiration = 6312,
IsSetMissingMeta = 6327,
get_AcceptRanges = 6309,
set_MissingMeta = 6326,
IsSetVersionId = 6330,
get_ServerSideEncryptionMethod = 6337,
set_AcceptRanges = 6310,
IsSetServerSideEncryptionCustomerMethod = 6342,
IsSetETag = 6324,
set_ServerSideEncryptionCustomerMethod = 6341,
IsSetAcceptRanges = 6311,
set_RestoreExpiration = 6316,
set_DeleteMarker = 6307,
get_StorageClass = 6349,
set_Expiration = 6313,
get_Headers = 6304,
set_WebsiteRedirectLocation = 6335,
get_RestoreExpiration = 6315
},
["Amazon.S3.Model.GetObjectRequest"] = {
IsSetServerSideEncryptionCustomerProvidedKey = 6386,
IsSetByteRange = 6372,
get_ResponseExpires = 6375,
set_BucketName = 6353,
get_ServerSideEncryptionCustomerMethod = 6381,
get_VersionId = 6378,
get_UnmodifiedSinceDate = 6364,
set_ModifiedSinceDate = 6359,
get_EtagToMatch = 6355,
IsSetResponseExpires = 6377,
set_EtagToNotMatch = 6362,
get_ByteRange = 6370,
get_ServerSideEncryptionCustomerProvidedKeyMD5 = 6387,
get_Key = 6367,
set_UnmodifiedSinceDate = 6365,
set_ResponseHeaderOverrides = 6374,
get_ResponseHeaderOverrides = 6373,
set_VersionId = 6379,
IsSetBucketName = 6354,
IsSetUnmodifiedSinceDate = 6366,
set_EtagToMatch = 6356,
IsSetEtagToNotMatch = 6363,
set_ServerSideEncryptionCustomerProvidedKey = 6385,
set_Key = 6368,
set_ServerSideEncryptionCustomerProvidedKeyMD5 = 6388,
get_EtagToNotMatch = 6361,
set_ResponseExpires = 6376,
IsSetModifiedSinceDate = 6360,
get_BucketName = 6352,
get_ServerSideEncryptionCustomerProvidedKey = 6384,
IsSetKey = 6369,
IsSetEtagToMatch = 6357,
IsSetServerSideEncryptionCustomerMethod = 6383,
IsSetServerSideEncryptionCustomerProvidedKeyMD5 = 6389,
set_ServerSideEncryptionCustomerMethod = 6382,
get_ModifiedSinceDate = 6358,
IsSetVersionId = 6380,
set_ByteRange = 6371
},
["Amazon.S3.Model.GetObjectResponse"] = {
IsSetReplicationStatus = 6438,
get_ReplicationStatus = 6436,
get_WebsiteRedirectLocation = 6424,
get_LastModified = 6409,
set_Expires = 6422,
IsSetStorageClass = 6432,
IsSetServerSideEncryptionMethod = 6429,
IsSetWebsiteRedirectLocation = 6426,
IsSetExpiration = 6404,
set_LastModified = 6410,
IsSetExpires = 6423,
set_RestoreInProgress = 6408,
set_BucketName = 6391,
get_Key = 6392,
get_ServerSideEncryptionKeyManagementServiceKeyId = 6433,
get_ETag = 6412,
set_ReplicationStatus = 6437,
IsSetServerSideEncryptionKeyManagementServiceKeyId = 6435,
set_ServerSideEncryptionKeyManagementServiceKeyId = 6434,
get_VersionId = 6418,
get_StorageClass = 6430,
get_MissingMeta = 6415,
IsSetLastModified = 6411,
get_RestoreInProgress = 6407,
get_Expires = 6421,
IsSetDeleteMarker = 6396,
set_ETag = 6413,
set_ServerSideEncryptionMethod = 6428,
set_StorageClass = 6431,
set_VersionId = 6419,
get_Expiration = 6402,
IsSetMissingMeta = 6417,
IsSetETag = 6414,
set_MissingMeta = 6416,
get_DeleteMarker = 6394,
get_ServerSideEncryptionCustomerMethod = 6439,
get_AcceptRanges = 6399,
IsSetVersionId = 6420,
get_ServerSideEncryptionMethod = 6427,
set_AcceptRanges = 6400,
get_Metadata = 6398,
set_Key = 6393,
set_ServerSideEncryptionCustomerMethod = 6440,
IsSetAcceptRanges = 6401,
set_RestoreExpiration = 6406,
set_DeleteMarker = 6395,
get_BucketName = 6390,
set_Expiration = 6403,
get_Headers = 6397,
set_WebsiteRedirectLocation = 6425,
get_RestoreExpiration = 6405
},
["Amazon.S3.Model.GetObjectTorrentRequest"] = {
get_Key = 6444,
IsSetBucketName = 6443,
set_BucketName = 6442,
set_Key = 6445,
IsSetKey = 6446,
get_BucketName = 6441
},
["Amazon.S3.Model.GetPreSignedUrlRequest"] = {
set_BucketName = 6448,
set_Metadata = 6478,
set_ServerSideEncryptionMethod = 6466,
IsSetKey = 6452,
set_Expires = 6456,
get_Metadata = 6477,
get_ServerSideEncryptionMethod = 6465,
set_Headers = 6476,
get_Key = 6450,
get_ServerSideEncryptionKeyManagementServiceKeyId = 6467,
IsSetExpires = 6457,
set_Protocol = 6459,
IsSetServerSideEncryptionCustomerMethod = 6472,
set_Key = 6451,
set_ContentType = 6454,
set_ResponseHeaderOverrides = 6474,
get_ServerSideEncryptionCustomerMethod = 6470,
get_Verb = 6460,
IsSetBucketName = 6449,
get_VersionId = 6462,
set_ServerSideEncryptionKeyManagementServiceKeyId = 6468,
set_Verb = 6461,
get_BucketName = 6447,
IsSetVersionId = 6464,
get_Expires = 6455,
get_Headers = 6475,
get_ContentType = 6453,
get_ResponseHeaderOverrides = 6473,
set_ServerSideEncryptionCustomerMethod = 6471,
set_VersionId = 6463,
get_Protocol = 6458,
IsSetServerSideEncryptionKeyManagementServiceKeyId = 6469
},
["Amazon.S3.Model.HeadBucketRequest"] = {
set_BucketName = 6480,
IsSetBucketName = 6481,
get_BucketName = 6479
},
["Amazon.S3.Model.HeadersCollection"] = {
set_Expires = 6500,
get_Keys = 6485,
get_ContentDisposition = 6488,
get_Item = 6482,
set_ContentType = 6497,
IsSetContentType = 6498,
set_Item = 6483,
set_ContentLength = 6493,
set_CacheControl = 6487,
get_ContentLength = 6492,
get_Count = 6484,
get_ContentMD5 = 6494,
get_Expires = 6499,
get_ContentEncoding = 6490,
get_ContentType = 6496,
set_ContentMD5 = 6495,
set_ContentEncoding = 6491,
get_CacheControl = 6486,
set_ContentDisposition = 6489
},
["Amazon.S3.Model.InitiateMultipartUploadRequest"] = {
IsSetServerSideEncryptionCustomerProvidedKey = 6537,
set_EnvelopeKey = 6502,
get_WebsiteRedirectLocation = 6517,
get_IV = 6503,
IsSetServerSideEncryptionMethod = 6528,
IsSetStorageClass = 6516,
get_ServerSideEncryptionCustomerProvidedKeyMD5 = 6538,
set_CannedACL = 6506,
set_ServerSideEncryptionKeyManagementServiceKeyId = 6530,
set_ServerSideEncryptionMethod = 6527,
set_StorageClass = 6515,
IsSetCannedACL = 6507,
set_BucketName = 6509,
get_Key = 6511,
get_ServerSideEncryptionKeyManagementServiceKeyId = 6529,
IsSetWebsiteRedirectLocation = 6519,
set_IV = 6504,
IsSetKey = 6513,
IsSetBucketName = 6510,
get_Metadata = 6522,
set_Key = 6512,
get_StorageClass = 6514,
set_ServerSideEncryptionCustomerProvidedKey = 6536,
get_EnvelopeKey = 6501,
set_ServerSideEncryptionCustomerProvidedKeyMD5 = 6539,
get_CannedACL = 6505,
IsSetServerSideEncryptionKeyManagementServiceKeyId = 6531,
set_Metadata = 6523,
get_ServerSideEncryptionCustomerProvidedKey = 6535,
get_ServerSideEncryptionMethod = 6526,
set_Headers = 6521,
IsSetServerSideEncryptionCustomerMethod = 6534,
IsSetServerSideEncryptionCustomerProvidedKeyMD5 = 6540,
set_ContentType = 6525,
set_ServerSideEncryptionCustomerMethod = 6533,
get_ServerSideEncryptionCustomerMethod = 6532,
get_BucketName = 6508,
get_ContentType = 6524,
get_Headers = 6520,
set_WebsiteRedirectLocation = 6518
},
["Amazon.S3.Model.InitiateMultipartUploadResponse"] = {
set_ServerSideEncryptionKeyManagementServiceKeyId = 6553,
IsSetKey = 6546,
IsSetBucketName = 6543,
get_BucketName = 6541,
set_ServerSideEncryptionMethod = 6551,
get_UploadId = 6547,
get_ServerSideEncryptionMethod = 6550,
IsSetUploadId = 6549,
get_Key = 6544,
set_UploadId = 6548,
set_BucketName = 6542,
set_Key = 6545,
get_ServerSideEncryptionKeyManagementServiceKeyId = 6552,
IsSetServerSideEncryptionKeyManagementServiceKeyId = 6554
},
["Amazon.S3.Model.Initiator"] = {
set_DisplayName = 6556,
set_Id = 6559,
IsSetId = 6560,
get_Id = 6558,
get_DisplayName = 6555,
IsSetDisplayName = 6557
},
["Amazon.S3.Model.Internal.MarshallTransformations.AbortMultipartUploadRequestMarshaller"] = {
Marshall_AbortMultipartUploadRequest = 6562,
Marshall_AmazonWebServiceRequest = 6561
},
["Amazon.S3.Model.Internal.MarshallTransformations.AbortMultipartUploadResponseUnmarshaller"] = {
get_Instance = 6564,
Unmarshall = 6563
},
["Amazon.S3.Model.Internal.MarshallTransformations.BucketUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6566,
get_Instance = 6567,
Unmarshall_XmlUnmarshallerContext = 6565
},
["Amazon.S3.Model.Internal.MarshallTransformations.CommonPrefixesItemUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6572,
get_Instance = 6573,
Unmarshall_XmlUnmarshallerContext = 6571
},
["Amazon.S3.Model.Internal.MarshallTransformations.CompleteMultipartUploadRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6574,
Marshall_CompleteMultipartUploadRequest = 6575
},
["Amazon.S3.Model.Internal.MarshallTransformations.CompleteMultipartUploadResponseUnmarshaller"] = {
Unmarshall = 6576,
get_Instance = 6578,
UnmarshallResult = 6577
},
["Amazon.S3.Model.Internal.MarshallTransformations.ContentsItemUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6580,
get_Instance = 6581,
Unmarshall_XmlUnmarshallerContext = 6579
},
["Amazon.S3.Model.Internal.MarshallTransformations.CopyObjectRequestMarshaller"] = {
Marshall_CopyObjectRequest = 6583,
Marshall_AmazonWebServiceRequest = 6582,
ConstructCopySourceHeaderValue = 6584
},
["Amazon.S3.Model.Internal.MarshallTransformations.CopyObjectResponseUnmarshaller"] = {
Unmarshall = 6585,
get_Instance = 6587,
UnmarshallResult = 6586
},
["Amazon.S3.Model.Internal.MarshallTransformations.CopyPartRequestMarshaller"] = {
Marshall_CopyPartRequest = 6589,
ConstructCopySourceHeaderValue = 6590,
Marshall_AmazonWebServiceRequest = 6588,
ConstructCopySourceRangeHeader = 6591
},
["Amazon.S3.Model.Internal.MarshallTransformations.CopyPartResponseUnmarshaller"] = {
Unmarshall = 6592,
get_Instance = 6594,
UnmarshallResult = 6593
},
["Amazon.S3.Model.Internal.MarshallTransformations.CORSRuleUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6596,
get_Instance = 6597,
Unmarshall_XmlUnmarshallerContext = 6595
},
["Amazon.S3.Model.Internal.MarshallTransformations.DeleteBucketPolicyRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6600,
Marshall_DeleteBucketPolicyRequest = 6601
},
["Amazon.S3.Model.Internal.MarshallTransformations.DeleteBucketPolicyResponseUnmarshaller"] = {
get_Instance = 6603,
Unmarshall = 6602
},
["Amazon.S3.Model.Internal.MarshallTransformations.DeleteBucketReplicationRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6604,
Marshall_DeleteBucketReplicationRequest = 6605
},
["Amazon.S3.Model.Internal.MarshallTransformations.DeleteBucketReplicationResponseUnmarshaller"] = {
get_Instance = 6607,
Unmarshall = 6606
},
["Amazon.S3.Model.Internal.MarshallTransformations.DeleteBucketRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6608,
Marshall_DeleteBucketRequest = 6609
},
["Amazon.S3.Model.Internal.MarshallTransformations.DeleteBucketResponseUnmarshaller"] = {
get_Instance = 6611,
Unmarshall = 6610
},
["Amazon.S3.Model.Internal.MarshallTransformations.DeleteBucketTaggingRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6612,
Marshall_DeleteBucketTaggingRequest = 6613
},
["Amazon.S3.Model.Internal.MarshallTransformations.DeleteBucketTaggingResponseUnmarshaller"] = {
get_Instance = 6615,
Unmarshall = 6614
},
["Amazon.S3.Model.Internal.MarshallTransformations.DeleteBucketWebsiteRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6616,
Marshall_DeleteBucketWebsiteRequest = 6617
},
["Amazon.S3.Model.Internal.MarshallTransformations.DeleteBucketWebsiteResponseUnmarshaller"] = {
get_Instance = 6619,
Unmarshall = 6618
},
["Amazon.S3.Model.Internal.MarshallTransformations.DeleteCORSConfigurationRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6620,
Marshall_DeleteCORSConfigurationRequest = 6621
},
["Amazon.S3.Model.Internal.MarshallTransformations.DeleteCORSConfigurationResponseUnmarshaller"] = {
get_Instance = 6599,
Unmarshall = 6598
},
["Amazon.S3.Model.Internal.MarshallTransformations.DeletedObjectUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6623,
get_Instance = 6624,
Unmarshall_XmlUnmarshallerContext = 6622
},
["Amazon.S3.Model.Internal.MarshallTransformations.DeleteLifecycleConfigurationRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6625,
Marshall_DeleteLifecycleConfigurationRequest = 6626
},
["Amazon.S3.Model.Internal.MarshallTransformations.DeleteLifecycleConfigurationResponseUnmarshaller"] = {
get_Instance = 6628,
Unmarshall = 6627
},
["Amazon.S3.Model.Internal.MarshallTransformations.DeleteObjectRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6629,
Marshall_DeleteObjectRequest = 6630
},
["Amazon.S3.Model.Internal.MarshallTransformations.DeleteObjectResponseUnmarshaller"] = {
Unmarshall = 6631,
get_Instance = 6633,
UnmarshallResult = 6632
},
["Amazon.S3.Model.Internal.MarshallTransformations.DeleteObjectsRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6634,
Marshall_DeleteObjectsRequest = 6635
},
["Amazon.S3.Model.Internal.MarshallTransformations.DeleteObjectsResponseUnmarshaller"] = {
Unmarshall = 6636,
get_Instance = 6638,
UnmarshallResult = 6637
},
["Amazon.S3.Model.Internal.MarshallTransformations.ErrorsItemUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6640,
get_Instance = 6641,
Unmarshall_XmlUnmarshallerContext = 6639
},
["Amazon.S3.Model.Internal.MarshallTransformations.ExpirationUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6643,
get_Instance = 6644,
Unmarshall_XmlUnmarshallerContext = 6642
},
["Amazon.S3.Model.Internal.MarshallTransformations.FilterRuleUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6646,
get_Instance = 6647,
Unmarshall_XmlUnmarshallerContext = 6645
},
["Amazon.S3.Model.Internal.MarshallTransformations.FilterUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6649,
get_Instance = 6650,
Unmarshall_XmlUnmarshallerContext = 6648
},
["Amazon.S3.Model.Internal.MarshallTransformations.GetACLRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6651,
Marshall_GetACLRequest = 6652
},
["Amazon.S3.Model.Internal.MarshallTransformations.GetACLResponseUnmarshaller"] = {
Unmarshall = 6653,
get_Instance = 6655,
UnmarshallResult = 6654
},
["Amazon.S3.Model.Internal.MarshallTransformations.GetBucketLocationRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6656,
Marshall_GetBucketLocationRequest = 6657
},
["Amazon.S3.Model.Internal.MarshallTransformations.GetBucketLocationResponseUnmarshaller"] = {
Unmarshall = 6658,
get_Instance = 6660,
UnmarshallResult = 6659
},
["Amazon.S3.Model.Internal.MarshallTransformations.GetBucketLoggingRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6661,
Marshall_GetBucketLoggingRequest = 6662
},
["Amazon.S3.Model.Internal.MarshallTransformations.GetBucketLoggingResponseUnmarshaller"] = {
Unmarshall = 6663,
get_Instance = 6665,
UnmarshallResult = 6664
},
["Amazon.S3.Model.Internal.MarshallTransformations.GetBucketNotificationRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6666,
Marshall_GetBucketNotificationRequest = 6667
},
["Amazon.S3.Model.Internal.MarshallTransformations.GetBucketNotificationResponseUnmarshaller"] = {
Unmarshall = 6668,
get_Instance = 6670,
UnmarshallResult = 6669
},
["Amazon.S3.Model.Internal.MarshallTransformations.GetBucketPolicyRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6671,
Marshall_GetBucketPolicyRequest = 6672
},
["Amazon.S3.Model.Internal.MarshallTransformations.GetBucketPolicyResponseUnmarshaller"] = {
Unmarshall = 6673,
get_Instance = 6675,
UnmarshallResult = 6674
},
["Amazon.S3.Model.Internal.MarshallTransformations.GetBucketReplicationRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6676,
Marshall_GetBucketReplicationRequest = 6677
},
["Amazon.S3.Model.Internal.MarshallTransformations.GetBucketReplicationResponseUnmarshaller"] = {
Unmarshall = 6678,
get_Instance = 6680,
UnmarshallResult = 6679
},
["Amazon.S3.Model.Internal.MarshallTransformations.GetBucketRequestPaymentRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6681,
Marshall_GetBucketRequestPaymentRequest = 6682
},
["Amazon.S3.Model.Internal.MarshallTransformations.GetBucketRequestPaymentResponseUnmarshaller"] = {
Unmarshall = 6683,
get_Instance = 6685,
UnmarshallResult = 6684
},
["Amazon.S3.Model.Internal.MarshallTransformations.GetBucketTaggingRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6686,
Marshall_GetBucketTaggingRequest = 6687
},
["Amazon.S3.Model.Internal.MarshallTransformations.GetBucketTaggingResponseUnmarshaller"] = {
Unmarshall = 6688,
get_Instance = 6690,
UnmarshallResult = 6689
},
["Amazon.S3.Model.Internal.MarshallTransformations.GetBucketVersioningRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6691,
Marshall_GetBucketVersioningRequest = 6692
},
["Amazon.S3.Model.Internal.MarshallTransformations.GetBucketVersioningResponseUnmarshaller"] = {
Unmarshall = 6693,
get_Instance = 6695,
UnmarshallResult = 6694
},
["Amazon.S3.Model.Internal.MarshallTransformations.GetBucketWebsiteRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6696,
Marshall_GetBucketWebsiteRequest = 6697
},
["Amazon.S3.Model.Internal.MarshallTransformations.GetBucketWebsiteResponseUnmarshaller"] = {
Unmarshall = 6698,
get_Instance = 6700,
UnmarshallResult = 6699
},
["Amazon.S3.Model.Internal.MarshallTransformations.GetCORSConfigurationRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6701,
Marshall_GetCORSConfigurationRequest = 6702
},
["Amazon.S3.Model.Internal.MarshallTransformations.GetCORSConfigurationResponseUnmarshaller"] = {
Unmarshall = 6703,
get_Instance = 6705,
UnmarshallResult = 6704
},
["Amazon.S3.Model.Internal.MarshallTransformations.GetLifecycleConfigurationRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6706,
Marshall_GetLifecycleConfigurationRequest = 6707
},
["Amazon.S3.Model.Internal.MarshallTransformations.GetLifecycleConfigurationResponseUnmarshaller"] = {
Unmarshall = 6708,
get_Instance = 6710,
UnmarshallResult = 6709
},
["Amazon.S3.Model.Internal.MarshallTransformations.GetObjectMetadataRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6711,
Marshall_GetObjectMetadataRequest = 6712
},
["Amazon.S3.Model.Internal.MarshallTransformations.GetObjectMetadataResponseUnmarshaller"] = {
Unmarshall = 6713,
get_Instance = 6715,
UnmarshallResult = 6714
},
["Amazon.S3.Model.Internal.MarshallTransformations.GetObjectRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6716,
Marshall_GetObjectRequest = 6717
},
["Amazon.S3.Model.Internal.MarshallTransformations.GetObjectResponseUnmarshaller"] = {
get_HasStreamingProperty = 6720,
Unmarshall = 6718,
get_Instance = 6721,
UnmarshallResult = 6719
},
["Amazon.S3.Model.Internal.MarshallTransformations.GetObjectTorrentRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6722,
Marshall_GetObjectTorrentRequest = 6723
},
["Amazon.S3.Model.Internal.MarshallTransformations.GetObjectTorrentResponseUnmarshaller"] = {
get_HasStreamingProperty = 6726,
Unmarshall = 6724,
get_Instance = 6727,
UnmarshallResult = 6725
},
["Amazon.S3.Model.Internal.MarshallTransformations.GranteeUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6729,
get_Instance = 6730,
Unmarshall_XmlUnmarshallerContext = 6728
},
["Amazon.S3.Model.Internal.MarshallTransformations.GrantUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6732,
get_Instance = 6733,
Unmarshall_XmlUnmarshallerContext = 6731
},
["Amazon.S3.Model.Internal.MarshallTransformations.HeadBucketRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6734,
Marshall_HeadBucketRequest = 6735
},
["Amazon.S3.Model.Internal.MarshallTransformations.HeadBucketResponseUnmarshaller"] = {
get_Instance = 6737,
Unmarshall = 6736
},
["Amazon.S3.Model.Internal.MarshallTransformations.InitiateMultipartUploadRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6738,
Marshall_InitiateMultipartUploadRequest = 6739
},
["Amazon.S3.Model.Internal.MarshallTransformations.InitiateMultipartUploadResponseUnmarshaller"] = {
Unmarshall = 6740,
get_Instance = 6742,
UnmarshallResult = 6741
},
["Amazon.S3.Model.Internal.MarshallTransformations.InitiatorUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6744,
get_Instance = 6745,
Unmarshall_XmlUnmarshallerContext = 6743
},
["Amazon.S3.Model.Internal.MarshallTransformations.LambdaFunctionConfigurationUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6569,
get_Instance = 6570,
Unmarshall_XmlUnmarshallerContext = 6568
},
["Amazon.S3.Model.Internal.MarshallTransformations.LifecycleRuleNoncurrentVersionExpirationUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6747,
get_Instance = 6748,
Unmarshall_XmlUnmarshallerContext = 6746
},
["Amazon.S3.Model.Internal.MarshallTransformations.LifecycleRuleNoncurrentVersionTransitionUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6750,
get_Instance = 6751,
Unmarshall_XmlUnmarshallerContext = 6749
},
["Amazon.S3.Model.Internal.MarshallTransformations.ListBucketsRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6752,
Marshall_ListBucketsRequest = 6753
},
["Amazon.S3.Model.Internal.MarshallTransformations.ListBucketsResponseUnmarshaller"] = {
Unmarshall = 6754,
get_Instance = 6756,
UnmarshallResult = 6755
},
["Amazon.S3.Model.Internal.MarshallTransformations.ListMultipartUploadsRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6757,
Marshall_ListMultipartUploadsRequest = 6758
},
["Amazon.S3.Model.Internal.MarshallTransformations.ListMultipartUploadsResponseUnmarshaller"] = {
Unmarshall = 6759,
get_Instance = 6761,
UnmarshallResult = 6760
},
["Amazon.S3.Model.Internal.MarshallTransformations.ListObjectsRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6762,
Marshall_ListObjectsRequest = 6763
},
["Amazon.S3.Model.Internal.MarshallTransformations.ListObjectsResponseUnmarshaller"] = {
Unmarshall = 6764,
get_Instance = 6766,
UnmarshallResult = 6765
},
["Amazon.S3.Model.Internal.MarshallTransformations.ListPartsRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6767,
Marshall_ListPartsRequest = 6768
},
["Amazon.S3.Model.Internal.MarshallTransformations.ListPartsResponseUnmarshaller"] = {
Unmarshall = 6769,
get_Instance = 6771,
UnmarshallResult = 6770
},
["Amazon.S3.Model.Internal.MarshallTransformations.ListVersionsRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6772,
Marshall_ListVersionsRequest = 6773
},
["Amazon.S3.Model.Internal.MarshallTransformations.ListVersionsResponseUnmarshaller"] = {
Unmarshall = 6774,
get_Instance = 6776,
UnmarshallResult = 6775
},
["Amazon.S3.Model.Internal.MarshallTransformations.LoggingEnabledUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6778,
get_Instance = 6779,
Unmarshall_XmlUnmarshallerContext = 6777
},
["Amazon.S3.Model.Internal.MarshallTransformations.MultipartUploadUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6781,
get_Instance = 6782,
Unmarshall_XmlUnmarshallerContext = 6780
},
["Amazon.S3.Model.Internal.MarshallTransformations.OwnerUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6784,
get_Instance = 6785,
Unmarshall_XmlUnmarshallerContext = 6783
},
["Amazon.S3.Model.Internal.MarshallTransformations.PartDetailUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6787,
get_Instance = 6788,
Unmarshall_XmlUnmarshallerContext = 6786
},
["Amazon.S3.Model.Internal.MarshallTransformations.PutACLRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6789,
Marshall_PutACLRequest = 6790
},
["Amazon.S3.Model.Internal.MarshallTransformations.PutACLResponseUnmarshaller"] = {
get_Instance = 6792,
Unmarshall = 6791
},
["Amazon.S3.Model.Internal.MarshallTransformations.PutBucketLoggingRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6793,
Marshall_PutBucketLoggingRequest = 6794
},
["Amazon.S3.Model.Internal.MarshallTransformations.PutBucketLoggingResponseUnmarshaller"] = {
get_Instance = 6796,
Unmarshall = 6795
},
["Amazon.S3.Model.Internal.MarshallTransformations.PutBucketNotificationRequestMarshaller"] = {
Marshall_PutBucketNotificationRequest = 6798,
WriteConfigurationCommon = 6799,
Marshall_AmazonWebServiceRequest = 6797
},
["Amazon.S3.Model.Internal.MarshallTransformations.PutBucketNotificationResponseUnmarshaller"] = {
get_Instance = 6801,
Unmarshall = 6800
},
["Amazon.S3.Model.Internal.MarshallTransformations.PutBucketPolicyRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6802,
Marshall_PutBucketPolicyRequest = 6803
},
["Amazon.S3.Model.Internal.MarshallTransformations.PutBucketPolicyResponseUnmarshaller"] = {
get_Instance = 6805,
Unmarshall = 6804
},
["Amazon.S3.Model.Internal.MarshallTransformations.PutBucketReplicationRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6806,
Marshall_PutBucketReplicationRequest = 6807
},
["Amazon.S3.Model.Internal.MarshallTransformations.PutBucketReplicationResponseUnmarshaller"] = {
get_Instance = 6809,
Unmarshall = 6808
},
["Amazon.S3.Model.Internal.MarshallTransformations.PutBucketRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6810,
ConvertPutWithACLRequest = 6812,
Marshall_PutBucketRequest = 6811
},
["Amazon.S3.Model.Internal.MarshallTransformations.PutBucketRequestPaymentRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6813,
Marshall_PutBucketRequestPaymentRequest = 6814
},
["Amazon.S3.Model.Internal.MarshallTransformations.PutBucketRequestPaymentResponseUnmarshaller"] = {
get_Instance = 6816,
Unmarshall = 6815
},
["Amazon.S3.Model.Internal.MarshallTransformations.PutBucketResponseUnmarshaller"] = {
Unmarshall = 6817,
get_Instance = 6819,
UnmarshallResult = 6818
},
["Amazon.S3.Model.Internal.MarshallTransformations.PutBucketTaggingRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6820,
Marshall_PutBucketTaggingRequest = 6821
},
["Amazon.S3.Model.Internal.MarshallTransformations.PutBucketTaggingResponseUnmarshaller"] = {
get_Instance = 6823,
Unmarshall = 6822
},
["Amazon.S3.Model.Internal.MarshallTransformations.PutBucketVersioningRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6824,
Marshall_PutBucketVersioningRequest = 6825
},
["Amazon.S3.Model.Internal.MarshallTransformations.PutBucketVersioningResponseUnmarshaller"] = {
get_Instance = 6827,
Unmarshall = 6826
},
["Amazon.S3.Model.Internal.MarshallTransformations.PutBucketWebsiteRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6828,
Marshall_PutBucketWebsiteRequest = 6829
},
["Amazon.S3.Model.Internal.MarshallTransformations.PutBucketWebsiteResponseUnmarshaller"] = {
get_Instance = 6831,
Unmarshall = 6830
},
["Amazon.S3.Model.Internal.MarshallTransformations.PutCORSConfigurationRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6832,
Marshall_PutCORSConfigurationRequest = 6833
},
["Amazon.S3.Model.Internal.MarshallTransformations.PutCORSConfigurationResponseUnmarshaller"] = {
get_Instance = 6835,
Unmarshall = 6834
},
["Amazon.S3.Model.Internal.MarshallTransformations.PutLifecycleConfigurationRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6836,
Marshall_PutLifecycleConfigurationRequest = 6837
},
["Amazon.S3.Model.Internal.MarshallTransformations.PutLifecycleConfigurationResponseUnmarshaller"] = {
get_Instance = 6839,
Unmarshall = 6838
},
["Amazon.S3.Model.Internal.MarshallTransformations.PutObjectRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6840,
Marshall_PutObjectRequest = 6841,
GetStreamWithLength = 6842
},
["Amazon.S3.Model.Internal.MarshallTransformations.PutObjectResponseUnmarshaller"] = {
Unmarshall = 6843,
get_Instance = 6845,
UnmarshallResult = 6844
},
["Amazon.S3.Model.Internal.MarshallTransformations.QueueConfigurationUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6847,
get_Instance = 6848,
Unmarshall_XmlUnmarshallerContext = 6846
},
["Amazon.S3.Model.Internal.MarshallTransformations.ReplicationDestinationUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6850,
get_Instance = 6851,
Unmarshall_XmlUnmarshallerContext = 6849
},
["Amazon.S3.Model.Internal.MarshallTransformations.ReplicationRuleUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6853,
get_Instance = 6854,
Unmarshall_XmlUnmarshallerContext = 6852
},
["Amazon.S3.Model.Internal.MarshallTransformations.RestoreObjectRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6855,
Marshall_RestoreObjectRequest = 6856
},
["Amazon.S3.Model.Internal.MarshallTransformations.RestoreObjectResponseUnmarshaller"] = {
get_Instance = 6858,
Unmarshall = 6857
},
["Amazon.S3.Model.Internal.MarshallTransformations.RoutingRuleConditionUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6860,
get_Instance = 6861,
Unmarshall_XmlUnmarshallerContext = 6859
},
["Amazon.S3.Model.Internal.MarshallTransformations.RoutingRuleRedirectUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6863,
get_Instance = 6864,
Unmarshall_XmlUnmarshallerContext = 6862
},
["Amazon.S3.Model.Internal.MarshallTransformations.RoutingRuleUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6866,
get_Instance = 6867,
Unmarshall_XmlUnmarshallerContext = 6865
},
["Amazon.S3.Model.Internal.MarshallTransformations.RulesItemUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6869,
get_Instance = 6870,
Unmarshall_XmlUnmarshallerContext = 6868
},
["Amazon.S3.Model.Internal.MarshallTransformations.S3ErrorResponse"] = {
get_Id2 = 6875,
set_Resource = 6874,
set_ParsingException = 6878,
get_Resource = 6873,
get_ParsingException = 6877,
set_Id2 = 6876
},
["Amazon.S3.Model.Internal.MarshallTransformations.S3ErrorResponseUnmarshaller"] = {
get_Instance = 6872,
Unmarshall = 6871
},
["Amazon.S3.Model.Internal.MarshallTransformations.S3KeyFilterUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6880,
get_Instance = 6881,
Unmarshall_XmlUnmarshallerContext = 6879
},
["Amazon.S3.Model.Internal.MarshallTransformations.S3ReponseUnmarshaller"] = {
Unmarshall = 6883,
CreateContext = 6882,
ConstructUnmarshallerContext = 6884,
UnmarshallException = 6885
},
["Amazon.S3.Model.Internal.MarshallTransformations.S3Transforms"] = {
ToStringValue_int = 6890,
ToString = 6897,
ToInt = 6896,
ToDateTime = 6895,
ToXmlStringValue_string = 6892,
ToURLEncodedValue_DateTime_bool = 6888,
ToXmlStringValue_int = 6894,
ToStringValue_string = 6889,
ToStringValue_DateTime = 6891,
BuildQueryParameterMap = 6898,
ToURLEncodedValue_int_bool = 6887,
ToURLEncodedValue_string_bool = 6886,
ToXmlStringValue_DateTime = 6893
},
["Amazon.S3.Model.Internal.MarshallTransformations.S3UnmarshallerContext"] = {
Read = 6899
},
["Amazon.S3.Model.Internal.MarshallTransformations.TagUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6901,
get_Instance = 6902,
Unmarshall_XmlUnmarshallerContext = 6900
},
["Amazon.S3.Model.Internal.MarshallTransformations.TopicConfigurationUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6904,
get_Instance = 6905,
Unmarshall_XmlUnmarshallerContext = 6903
},
["Amazon.S3.Model.Internal.MarshallTransformations.TransitionUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6907,
get_Instance = 6908,
Unmarshall_XmlUnmarshallerContext = 6906
},
["Amazon.S3.Model.Internal.MarshallTransformations.UploadPartRequestMarshaller"] = {
Marshall_AmazonWebServiceRequest = 6909,
Marshall_UploadPartRequest = 6910
},
["Amazon.S3.Model.Internal.MarshallTransformations.UploadPartResponseUnmarshaller"] = {
Unmarshall = 6911,
get_Instance = 6913,
UnmarshallResult = 6912
},
["Amazon.S3.Model.Internal.MarshallTransformations.VersionsItemUnmarshaller"] = {
Unmarshall_JsonUnmarshallerContext = 6915,
get_Instance = 6916,
Unmarshall_XmlUnmarshallerContext = 6914
},
["Amazon.S3.Model.KeyVersion"] = {
get_Key = 6917,
IsSetVersionId = 6922,
get_VersionId = 6920,
set_Key = 6918,
IsSetKey = 6919,
set_VersionId = 6921
},
["Amazon.S3.Model.LambdaFunctionConfiguration"] = {
get_FunctionArn = 6926,
get_Id = 6923,
IsSetId = 6925,
set_FunctionArn = 6927,
set_Id = 6924,
IsSetFunctionArn = 6928
},
["Amazon.S3.Model.LifecycleConfiguration"] = {
IsSetRules = 6931,
get_Rules = 6929,
set_Rules = 6930
},
["Amazon.S3.Model.LifecycleRule"] = {
IsSetNoncurrentVersionTransition = 6952,
IsSetExpiration = 6934,
set_NoncurrentVersionTransition = 6951,
set_NoncurrentVersionExpiration = 6948,
set_Prefix = 6939,
set_Status = 6942,
IsSetNoncurrentVersionExpiration = 6949,
get_Transitions = 6953,
IsSetPrefix = 6940,
get_Status = 6941,
get_NoncurrentVersionExpiration = 6947,
IsSetTransition = 6946,
set_NoncurrentVersionTransitions = 6957,
get_NoncurrentVersionTransitions = 6956,
get_Id = 6935,
get_NoncurrentVersionTransition = 6950,
get_Transition = 6944,
set_Transition = 6945,
IsSetId = 6937,
set_Transitions = 6954,
set_Id = 6936,
IsSetStatus = 6943,
IsSetTransitions = 6955,
get_Prefix = 6938,
set_Expiration = 6933,
IsSetNoncurrentVersionTransitions = 6958,
get_Expiration = 6932
},
["Amazon.S3.Model.LifecycleRuleExpiration"] = {
set_Date = 6960,
IsSetDate = 6961,
get_Days = 6962,
IsSetDays = 6964,
get_Date = 6959,
set_Days = 6963
},
["Amazon.S3.Model.LifecycleRuleNoncurrentVersionExpiration"] = {
IsSetNoncurrentDays = 6967,
get_NoncurrentDays = 6965,
set_NoncurrentDays = 6966
},
["Amazon.S3.Model.LifecycleRuleNoncurrentVersionTransition"] = {
IsSetNoncurrentDays = 6970,
set_NoncurrentDays = 6969,
set_StorageClass = 6972,
get_NoncurrentDays = 6968,
IsSetStorageClass = 6973,
get_StorageClass = 6971
},
["Amazon.S3.Model.LifecycleTransition"] = {
set_StorageClass = 6981,
get_Date = 6974,
IsSetStorageClass = 6982,
get_StorageClass = 6980,
set_Date = 6975,
IsSetDate = 6976,
get_Days = 6977,
IsSetDays = 6979,
set_Days = 6978
},
["Amazon.S3.Model.ListBucketsResponse"] = {
set_Buckets = 6984,
IsSetOwner = 6988,
set_Owner = 6987,
get_Buckets = 6983,
get_Owner = 6986,
IsSetBuckets = 6985
},
["Amazon.S3.Model.ListMultipartUploadsRequest"] = {
set_Prefix = 7002,
get_MaxUploads = 6998,
get_KeyMarker = 6995,
IsSetUploadIdMarker = 7006,
get_UploadIdMarker = 7004,
IsSetDelimiter = 6994,
get_BucketName = 6989,
IsSetPrefix = 7003,
IsSetMaxUploads = 7000,
get_Delimiter = 6992,
set_BucketName = 6990,
set_Encoding = 7008,
IsSetKeyMarker = 6997,
set_UploadIdMarker = 7005,
set_KeyMarker = 6996,
IsSetBucketName = 6991,
set_MaxUploads = 6999,
get_Prefix = 7001,
get_Encoding = 7007,
IsSetEncoding = 7009,
set_Delimiter = 6993
},
["Amazon.S3.Model.ListMultipartUploadsResponse"] = {
IsSetIsTruncated = 7030,
set_IsTruncated = 7029,
get_KeyMarker = 7013,
set_MultipartUploads = 7032,
get_UploadIdMarker = 7016,
get_CommonPrefixes = 7037,
get_NextKeyMarker = 7019,
IsSetNextUploadIdMarker = 7024,
set_NextUploadIdMarker = 7023,
IsSetMaxUploads = 7027,
get_Delimiter = 7035,
get_MaxUploads = 7025,
get_NextUploadIdMarker = 7022,
IsSetUploadIdMarker = 7018,
IsSetNextKeyMarker = 7021,
IsSetKeyMarker = 7015,
set_UploadIdMarker = 7017,
set_KeyMarker = 7014,
IsSetBucketName = 7012,
set_NextKeyMarker = 7020,
set_BucketName = 7011,
get_IsTruncated = 7028,
get_BucketName = 7010,
get_MultipartUploads = 7031,
get_Prefix = 7033,
set_Prefix = 7034,
set_MaxUploads = 7026,
set_Delimiter = 7036
},
["Amazon.S3.Model.ListObjectsRequest"] = {
get_Marker = 7044,
get_Delimiter = 7041,
set_Marker = 7045,
set_Encoding = 7054,
set_Prefix = 7051,
IsSetBucketName = 7040,
IsSetPrefix = 7052,
IsSetMarker = 7046,
IsSetMaxKeys = 7049,
set_BucketName = 7039,
set_MaxKeys = 7048,
get_MaxKeys = 7047,
IsSetDelimiter = 7043,
get_BucketName = 7038,
get_Prefix = 7050,
get_Encoding = 7053,
IsSetEncoding = 7055,
set_Delimiter = 7042
},
["Amazon.S3.Model.ListObjectsResponse"] = {
IsSetIsTruncated = 7058,
set_IsTruncated = 7057,
set_MaxKeys = 7072,
set_NextMarker = 7060,
get_S3Objects = 7062,
set_Prefix = 7069,
get_CommonPrefixes = 7074,
get_Delimiter = 7077,
IsSetPrefix = 7070,
IsSetName = 7067,
IsSetContents = 7064,
IsSetMaxKeys = 7073,
IsSetCommonPrefixes = 7076,
get_Name = 7065,
set_S3Objects = 7063,
get_MaxKeys = 7071,
set_CommonPrefixes = 7075,
set_Name = 7066,
get_IsTruncated = 7056,
get_Prefix = 7068,
IsSetNextMarker = 7061,
get_NextMarker = 7059,
set_Delimiter = 7078
},
["Amazon.S3.Model.ListPartsRequest"] = {
IsSetMaxParts = 7087,
set_Key = 7083,
IsSetPartNumberMarker = 7090,
set_MaxParts = 7086,
get_Key = 7082,
get_UploadId = 7091,
IsSetKey = 7084,
IsSetUploadId = 7093,
get_Encoding = 7094,
set_BucketName = 7080,
set_Encoding = 7095,
get_PartNumberMarker = 7088,
get_MaxParts = 7085,
IsSetBucketName = 7081,
get_BucketName = 7079,
set_UploadId = 7092,
IsSetEncoding = 7096,
set_PartNumberMarker = 7089
},
["Amazon.S3.Model.ListPartsResponse"] = {
get_PartNumberMarker = 7106,
get_Initiator = 7121,
IsSetNextPartNumberMarker = 7111,
set_StorageClass = 7128,
set_Owner = 7125,
IsSetStorageClass = 7129,
set_MaxParts = 7113,
IsSetInitiator = 7123,
get_StorageClass = 7127,
set_BucketName = 7098,
get_Key = 7100,
get_Parts = 7118,
IsSetBucketName = 7099,
get_NextPartNumberMarker = 7109,
set_Initiator = 7122,
set_UploadId = 7104,
set_PartNumberMarker = 7107,
IsSetMaxParts = 7114,
set_IsTruncated = 7116,
IsSetPartNumberMarker = 7108,
IsSetParts = 7120,
IsSetIsTruncated = 7117,
get_UploadId = 7103,
IsSetKey = 7102,
IsSetUploadId = 7105,
get_Owner = 7124,
set_Key = 7101,
set_NextPartNumberMarker = 7110,
get_MaxParts = 7112,
set_Parts = 7119,
get_IsTruncated = 7115,
get_BucketName = 7097,
IsSetOwner = 7126
},
["Amazon.S3.Model.ListVersionsRequest"] = {
set_Prefix = 7143,
set_VersionIdMarker = 7146,
get_KeyMarker = 7136,
get_Delimiter = 7133,
IsSetVersionIdMarker = 7147,
set_Encoding = 7149,
get_MaxKeys = 7139,
IsSetDelimiter = 7135,
IsSetPrefix = 7144,
IsSetMaxKeys = 7141,
set_BucketName = 7131,
set_MaxKeys = 7140,
IsSetKeyMarker = 7138,
set_KeyMarker = 7137,
IsSetBucketName = 7132,
get_BucketName = 7130,
get_Prefix = 7142,
get_Encoding = 7148,
IsSetEncoding = 7150,
get_VersionIdMarker = 7145,
set_Delimiter = 7134
},
["Amazon.S3.Model.ListVersionsResponse"] = {
IsSetCommonPrefixes = 7180,
get_Versions = 7166,
get_KeyMarker = 7154,
get_NextKeyMarker = 7160,
IsSetIsTruncated = 7153,
set_Versions = 7167,
get_CommonPrefixes = 7178,
IsSetNextVersionIdMarker = 7165,
IsSetPrefix = 7174,
IsSetVersionIdMarker = 7159,
IsSetName = 7171,
get_Delimiter = 7181,
get_Name = 7169,
get_NextVersionIdMarker = 7163,
IsSetNextKeyMarker = 7162,
IsSetKeyMarker = 7156,
IsSetVersions = 7168,
get_MaxKeys = 7175,
set_CommonPrefixes = 7179,
set_Name = 7170,
set_KeyMarker = 7155,
get_IsTruncated = 7151,
set_MaxKeys = 7176,
set_IsTruncated = 7152,
get_Prefix = 7172,
set_NextKeyMarker = 7161,
set_NextVersionIdMarker = 7164,
set_Prefix = 7173,
get_VersionIdMarker = 7157,
set_VersionIdMarker = 7158,
IsSetMaxKeys = 7177,
set_Delimiter = 7182
},
["Amazon.S3.Model.MetadataCollection"] = {
get_Keys = 7187,
set_Item = 7184,
Add = 7185,
get_Item = 7183,
get_Count = 7186
},
["Amazon.S3.Model.MfaCodes"] = {
get_FormattedMfaCodes = 7192,
set_SerialNumber = 7189,
set_AuthenticationValue = 7191,
get_SerialNumber = 7188,
get_AuthenticationValue = 7190
},
["Amazon.S3.Model.MultipartUpload"] = {
set_Owner = 7203,
get_UploadId = 7208,
set_UploadId = 7209,
set_StorageClass = 7206,
set_Initiated = 7194,
IsSetStorageClass = 7207,
IsSetKey = 7201,
IsSetUploadId = 7210,
get_Initiated = 7193,
set_Key = 7200,
IsSetInitiated = 7195,
get_Initiator = 7196,
get_Owner = 7202,
get_Key = 7199,
IsSetInitiator = 7198,
set_Initiator = 7197,
get_StorageClass = 7205,
IsSetOwner = 7204
},
["Amazon.S3.Model.NotificationConfiguration"] = {
IsSetEvents = 7213,
get_Filter = 7214,
set_Events = 7212,
set_Filter = 7215,
get_Events = 7211,
IsSetFilter = 7216
},
["Amazon.S3.Model.Owner"] = {
set_DisplayName = 7217,
set_Id = 7221,
IsSetId = 7222,
get_Id = 7220,
get_DisplayName = 7218,
IsSetDisplayName = 7219
},
["Amazon.S3.Model.PartDetail"] = {
IsLastModified = 7225,
IsSize = 7228,
get_LastModified = 7223,
get_Size = 7226,
set_LastModified = 7224,
set_Size = 7227
},
["Amazon.S3.Model.PartETag"] = {
IsSetPartNumber = 7232,
get_PartNumber = 7230,
IsSetETag = 7235,
CompareTo = 7229,
set_ETag = 7234,
set_PartNumber = 7231,
get_ETag = 7233
},
["Amazon.S3.Model.PostObjectRequest"] = {
set_StorageClass = 5742,
set_Metadata = 5746,
set_Path = 5730,
get_Region = 5743,
WriteFormData = 5747,
get_Key = 5725,
set_ContentType = 5732,
set_CannedACL = 5734,
WriteFormDatum = 5748,
get_Bucket = 5723,
get_SuccessActionRedirect = 5737,
get_InputStream = 5727,
get_Metadata = 5745,
set_Key = 5726,
set_SuccessActionRedirect = 5738,
set_InputStream = 5728,
set_Bucket = 5724,
set_SuccessActionStatus = 5740,
get_StorageClass = 5741,
set_SignedPolicy = 5736,
get_SuccessActionStatus = 5739,
get_ContentType = 5731,
get_CannedACL = 5733,
get_SignedPolicy = 5735,
get_Path = 5729,
set_Region = 5744
},
["Amazon.S3.Model.PostObjectResponse"] = {
get_HostId = 5751,
get_RequestId = 5749,
set_HostId = 5752,
set_RequestId = 5750
},
["Amazon.S3.Model.PutACLRequest"] = {
IsSetAccessControlPolicy = 7241,
get_CannedACL = 7236,
IsSetBucketName = 7244,
get_VersionId = 7248,
get_BucketName = 7242,
set_AccessControlList = 7240,
IsSetKey = 7247,
IsSetVersionId = 7250,
set_CannedACL = 7237,
IsSetCannedACL = 7238,
get_Key = 7245,
get_AccessControlList = 7239,
set_BucketName = 7243,
set_Key = 7246,
set_VersionId = 7249
},
["Amazon.S3.Model.PutBucketLoggingRequest"] = {
IsSetLoggingConfig = 7256,
get_LoggingConfig = 7254,
IsSetBucketName = 7253,
set_BucketName = 7252,
set_LoggingConfig = 7255,
get_BucketName = 7251
},
["Amazon.S3.Model.PutBucketNotificationRequest"] = {
set_TopicConfigurations = 7261,
IsSetBucketName = 7259,
IsSetQueueConfigurations = 7265,
get_BucketName = 7257,
set_BucketName = 7258,
get_TopicConfigurations = 7260,
IsSetLambdaFunctionConfigurations = 7268,
set_LambdaFunctionConfigurations = 7267,
IsSetTopicConfigurations = 7262,
get_LambdaFunctionConfigurations = 7266,
set_QueueConfigurations = 7264,
get_QueueConfigurations = 7263
},
["Amazon.S3.Model.PutBucketPolicyRequest"] = {
get_BucketName = 7269,
get_IncludeSHA256Header = 7278,
IsSetPolicy = 7277,
IsSetContentMD5 = 7274,
get_ContentMD5 = 7272,
set_Policy = 7276,
set_ContentMD5 = 7273,
set_BucketName = 7270,
get_Policy = 7275,
IsSetBucket = 7271
},
["Amazon.S3.Model.PutBucketReplicationRequest"] = {
get_Configuration = 7282,
IsSetBucketName = 7281,
set_BucketName = 7280,
IsSetConfiguration = 7284,
set_Configuration = 7283,
get_BucketName = 7279
},
["Amazon.S3.Model.PutBucketRequest"] = {
IsSetBucketRegion = 7295,
IsSetBucketRegionName = 7298,
IsSetBucketName = 7292,
get_BucketName = 7290,
get_BucketRegionName = 7296,
get_UseClientRegion = 7288,
set_BucketRegion = 7294,
get_BucketRegion = 7293,
set_CannedACL = 7286,
set_UseClientRegion = 7289,
get_CannedACL = 7285,
IsSetCannedACL = 7287,
set_BucketName = 7291,
set_BucketRegionName = 7297
},
["Amazon.S3.Model.PutBucketRequestPaymentRequest"] = {
set_RequestPaymentConfiguration = 7303,
IsSetBucketName = 7301,
IsSetRequestPaymentConfiguration = 7304,
set_BucketName = 7300,
get_RequestPaymentConfiguration = 7302,
get_BucketName = 7299
},
["Amazon.S3.Model.PutBucketTaggingRequest"] = {
IsSetBucketName = 7307,
set_TagSet = 7309,
IsSetTagSet = 7310,
set_BucketName = 7306,
get_TagSet = 7308,
get_BucketName = 7305
},
["Amazon.S3.Model.PutBucketVersioningRequest"] = {
IsSetMfaCodes = 7316,
IsSetBucketName = 7313,
set_VersioningConfig = 7318,
get_BucketName = 7311,
get_MfaCodes = 7314,
get_VersioningConfig = 7317,
set_BucketName = 7312,
set_MfaCodes = 7315,
IsSetVersioningConfiguration = 7319
},
["Amazon.S3.Model.PutBucketWebsiteRequest"] = {
IsSetWebsiteConfiguration = 7325,
get_BucketName = 7320,
IsSetBucketName = 7322,
set_WebsiteConfiguration = 7324,
set_BucketName = 7321,
get_WebsiteConfiguration = 7323
},
["Amazon.S3.Model.PutCORSConfigurationRequest"] = {
get_Configuration = 7329,
IsSetBucketName = 7328,
set_BucketName = 7327,
IsSetConfiguration = 7331,
set_Configuration = 7330,
get_BucketName = 7326
},
["Amazon.S3.Model.PutLifecycleConfigurationRequest"] = {
get_Configuration = 7335,
IsSetBucketName = 7334,
set_BucketName = 7333,
IsSetConfiguration = 7337,
set_Configuration = 7336,
get_BucketName = 7332
},
["Amazon.S3.Model.PutObjectRequest"] = {
IsSetServerSideEncryptionCustomerProvidedKey = 5786,
get_BucketName = 5768,
get_WebsiteRedirectLocation = 5796,
set_MD5Digest = 5804,
get_StreamTransferProgress = 5799,
IsSetStorageClass = 5795,
IsSetWebsiteRedirectLocation = 5798,
set_CannedACL = 5755,
set_FilePath = 5761,
set_ServerSideEncryptionCustomerProvidedKey = 5785,
get_CannedACL = 5754,
IsSetCannedACL = 5756,
get_ServerSideEncryptionCustomerProvidedKeyMD5 = 5787,
get_Key = 5775,
IsSetServerSideEncryptionMethod = 5780,
IsSetBucket = 5770,
get_ServerSideEncryptionKeyManagementServiceKeyId = 5790,
set_BucketName = 5769,
set_ServerSideEncryptionKeyManagementServiceKeyId = 5791,
get_MD5Digest = 5803,
get_IncludeSHA256Header = 5806,
set_ServerSideEncryptionMethod = 5779,
IsSetMD5Digest = 5805,
set_StorageClass = 5794,
set_ServerSideEncryptionCustomerProvidedKeyMD5 = 5788,
IsSetKey = 5777,
set_StreamTransferProgress = 5800,
set_ContentBody = 5763,
IsSetServerSideEncryptionCustomerMethod = 5783,
get_Expect100Continue = 5807,
IsSetServerSideEncryptionCustomerProvidedKeyMD5 = 5789,
IsSetServerSideEncryptionKeyManagementServiceKeyId = 5792,
set_AutoCloseStream = 5765,
set_Metadata = 5774,
get_ServerSideEncryptionCustomerProvidedKey = 5784,
set_ServerSideEncryptionCustomerMethod = 5782,
get_ContentBody = 5762,
get_AutoResetStreamPosition = 5766,
get_ServerSideEncryptionMethod = 5778,
set_Headers = 5772,
get_InputStream = 5757,
get_FilePath = 5760,
get_Metadata = 5773,
set_Key = 5776,
set_ContentType = 5802,
SetupForFilePath = 5753,
get_ServerSideEncryptionCustomerMethod = 5781,
get_AutoCloseStream = 5764,
get_StorageClass = 5793,
IsSetInputStream = 5759,
set_AutoResetStreamPosition = 5767,
get_ContentType = 5801,
get_Headers = 5771,
set_InputStream = 5758,
set_WebsiteRedirectLocation = 5797
},
["Amazon.S3.Model.PutObjectResponse"] = {
set_ServerSideEncryptionMethod = 7341,
set_VersionId = 7346,
set_ServerSideEncryptionKeyManagementServiceKeyId = 7349,
get_VersionId = 7345,
set_ETag = 7343,
get_Expiration = 7338,
get_ServerSideEncryptionMethod = 7340,
IsSetVersionId = 7347,
get_ETag = 7342,
set_Expiration = 7339,
IsSetETag = 7344,
get_ServerSideEncryptionKeyManagementServiceKeyId = 7348,
IsSetServerSideEncryptionKeyManagementServiceKeyId = 7350
},
["Amazon.S3.Model.PutWithACLRequest"] = {
get_Grants = 7351,
set_Grants = 7352
},
["Amazon.S3.Model.QueueConfiguration"] = {
set_Id = 7354,
get_Id = 7353,
IsSetId = 7355,
get_Queue = 7356,
IsSetQueue = 7358,
set_Queue = 7357
},
["Amazon.S3.Model.ReplicationConfiguration"] = {
IsSetRole = 7361,
set_Rules = 7363,
set_Role = 7360,
IsSetRules = 7364,
get_Rules = 7362,
get_Role = 7359
},
["Amazon.S3.Model.ReplicationDestination"] = {
get_BucketArn = 7365,
IsSetStorageClass = 7370,
get_StorageClass = 7368,
set_StorageClass = 7369,
IsSetBucketArn = 7367,
set_BucketArn = 7366
},
["Amazon.S3.Model.ReplicationRule"] = {
IsSetDestination = 7382,
get_Prefix = 7374,
IsSetId = 7373,
IsSetStatus = 7379,
set_Prefix = 7375,
set_Status = 7378,
set_Id = 7372,
get_Destination = 7380,
IsSetPrefix = 7376,
get_Status = 7377,
set_Destination = 7381,
get_Id = 7371
},
["Amazon.S3.Model.RequestPaymentConfiguration"] = {
get_Payer = 7383,
IsSetPayer = 7385,
set_Payer = 7384
},
["Amazon.S3.Model.ResponseHeaderOverrides"] = {
get_ContentLanguage = 7388,
set_Expires = 7391,
set_CacheControl = 7393,
get_ContentType = 7386,
set_ContentLanguage = 7389,
get_CacheControl = 7392,
get_Expires = 7390,
get_ContentEncoding = 7396,
get_ContentDisposition = 7394,
set_ContentEncoding = 7397,
set_ContentType = 7387,
set_ContentDisposition = 7395
},
["Amazon.S3.Model.RestoreObjectRequest"] = {
set_VersionId = 7408,
get_BucketName = 7398,
IsSetBucketName = 7400,
get_VersionId = 7407,
IsSetDays = 7406,
get_Key = 7401,
IsSetKey = 7403,
IsSetVersionId = 7409,
get_Days = 7404,
set_BucketName = 7399,
set_Key = 7402,
set_Days = 7405
},
["Amazon.S3.Model.RoutingRule"] = {
get_Condition = 7410,
IsSetCondition = 7412,
get_Redirect = 7413,
IsSetRedirect = 7415,
set_Condition = 7411,
set_Redirect = 7414
},
["Amazon.S3.Model.RoutingRuleCondition"] = {
set_HttpErrorCodeReturnedEquals = 7417,
get_KeyPrefixEquals = 7419,
IsSetHttpErrorCodeReturnedEquals = 7418,
get_HttpErrorCodeReturnedEquals = 7416,
IsSetKeyPrefixEquals = 7421,
set_KeyPrefixEquals = 7420
},
["Amazon.S3.Model.RoutingRuleRedirect"] = {
get_ReplaceKeyWith = 7434,
IsSetHostName = 7424,
set_ReplaceKeyPrefixWith = 7432,
IsSetReplaceKeyPrefixWith = 7433,
IsSetReplaceKeyWith = 7436,
IsSetProtocol = 7430,
set_ReplaceKeyWith = 7435,
set_HostName = 7423,
get_Protocol = 7428,
get_HttpRedirectCode = 7425,
set_Protocol = 7429,
get_HostName = 7422,
IsSetHttpRedirectCode = 7427,
set_HttpRedirectCode = 7426,
get_ReplaceKeyPrefixWith = 7431
},
["Amazon.S3.Model.S3AccessControlList"] = {
set_Owner = 7441,
get_Grants = 7443,
IsSetGrants = 7445,
AddGrant = 7437,
set_Grants = 7444,
RemoveGrant_S3Grantee_S3Permission = 7438,
IsSetOwner = 7442,
get_Owner = 7440,
RemoveGrant_S3Grantee = 7439
},
["Amazon.S3.Model.S3Bucket"] = {
IsSetBucketName = 7451,
get_BucketName = 7449,
set_CreationDate = 7447,
set_BucketName = 7450,
get_CreationDate = 7446,
IsSetCreationDate = 7448
},
["Amazon.S3.Model.S3BucketLoggingConfig"] = {
get_TargetBucketName = 7452,
get_TargetPrefix = 7458,
IsSetTargetPrefix = 7460,
AddGrant = 7461,
set_Grants = 7456,
IsSetTargetBucket = 7454,
set_TargetPrefix = 7459,
RemoveGrant_S3Grantee_S3Permission = 7462,
set_TargetBucketName = 7453,
get_Grants = 7455,
IsSetGrants = 7457,
RemoveGrant_S3Grantee = 7463
},
["Amazon.S3.Model.S3BucketVersioningConfig"] = {
IsSetStatus = 7466,
get_Status = 7464,
get_EnableMfaDelete = 7467,
IsSetEnableMfaDelete = 7469,
set_EnableMfaDelete = 7468,
set_Status = 7465
},
["Amazon.S3.Model.S3Grant"] = {
IsSetPermission = 7475,
IsSetGrantee = 7472,
set_Grantee = 7471,
get_Permission = 7473,
set_Permission = 7474,
get_Grantee = 7470
},
["Amazon.S3.Model.S3Grantee"] = {
IsSetType = 7477,
get_EmailAddress = 7481,
set_URI = 7488,
IsSetCanonicalUser = 7486,
get_CanonicalUser = 7484,
IsSetURI = 7489,
IsSetDisplayName = 7480,
set_CanonicalUser = 7485,
set_DisplayName = 7479,
get_URI = 7487,
get_DisplayName = 7478,
get_Type = 7476,
set_EmailAddress = 7482,
IsSetEmailAddress = 7483
},
["Amazon.S3.Model.S3KeyFilter"] = {
get_FilterRules = 7490,
set_FilterRules = 7491,
IsSetFilterRules = 7492
},
["Amazon.S3.Model.S3Object"] = {
set_Owner = 7503,
get_Key = 7496,
set_StorageClass = 7509,
get_LastModified = 7499,
IsSetETag = 7495,
IsSetStorageClass = 7510,
IsSetKey = 7498,
set_Size = 7506,
set_ETag = 7494,
set_LastModified = 7500,
get_Owner = 7502,
set_Key = 7497,
get_ETag = 7493,
get_Size = 7505,
IsSetSize = 7507,
IsSetLastModified = 7501,
get_StorageClass = 7508,
IsSetOwner = 7504
},
["Amazon.S3.Model.S3ObjectVersion"] = {
set_IsDeleteMarker = 7516,
set_IsLatest = 7512,
get_IsDeleteMarker = 7515,
get_VersionId = 7513,
get_IsLatest = 7511,
set_VersionId = 7514
},
["Amazon.S3.Model.S3ReponseUnmarshaller"] = {
Unmarshall = 7518,
CreateContext = 7517,
ConstructUnmarshallerContext = 7519,
UnmarshallException = 7520
},
["Amazon.S3.Model.StreamResponse"] = {
IsSetResponseStream = 7525,
Dispose_bool = 7522,
Dispose = 7521,
set_ResponseStream = 7524,
get_ResponseStream = 7523
},
["Amazon.S3.Model.StreamSizeMismatchException"] = {
get_ExpectedSize = 7526,
get_ActualSize = 7528,
set_ActualSize = 7529,
set_ExpectedSize = 7527
},
["Amazon.S3.Model.Tag"] = {
get_Key = 7530,
IsSetValue = 7535,
get_Value = 7533,
set_Key = 7531,
IsSetKey = 7532,
set_Value = 7534
},
["Amazon.S3.Model.TopicConfiguration"] = {
IsSetId = 7538,
set_Topic = 7542,
IsSetTopic = 7543,
set_Event = 7540,
get_Id = 7536,
get_Event = 7539,
set_Id = 7537,
get_Topic = 7541
},
["Amazon.S3.Model.UploadPartRequest"] = {
IsSetServerSideEncryptionCustomerProvidedKey = 5838,
IsSetFilePath = 5844,
get_FilePosition = 5845,
set_MD5Digest = 5832,
get_PartSize = 5825,
IsSetPartSize = 5827,
set_IVSize = 5810,
get_ServerSideEncryptionCustomerProvidedKeyMD5 = 5839,
set_PartNumber = 5823,
IsSetPartNumber = 5824,
IsSetMD5Digest = 5848,
set_ServerSideEncryptionCustomerProvidedKeyMD5 = 5840,
set_BucketName = 5817,
get_Key = 5819,
set_FilePath = 5843,
get_IncludeSHA256Header = 5851,
set_FilePosition = 5846,
IsSetServerSideEncryptionCustomerMethod = 5835,
IsSetBucketName = 5818,
IsSetServerSideEncryptionCustomerProvidedKeyMD5 = 5841,
set_ServerSideEncryptionCustomerMethod = 5834,
get_IsLastPart = 5811,
set_ServerSideEncryptionCustomerProvidedKey = 5837,
get_IVSize = 5809,
set_StreamTransferProgress = 5850,
set_UploadId = 5829,
get_InputStream = 5813,
set_IsLastPart = 5812,
get_Expect100Continue = 5852,
get_MD5Digest = 5831,
get_PartNumber = 5822,
get_ServerSideEncryptionCustomerProvidedKey = 5836,
get_UploadId = 5828,
IsSetKey = 5821,
IsSetUploadId = 5830,
get_StreamTransferProgress = 5849,
set_Key = 5820,
SetupForFilePath = 5808,
set_PartSize = 5826,
IsSetFilePosition = 5847,
get_ServerSideEncryptionCustomerMethod = 5833,
get_BucketName = 5816,
IsSetInputStream = 5815,
get_FilePath = 5842,
set_InputStream = 5814
},
["Amazon.S3.Model.UploadPartResponse"] = {
IsSetETag = 7548,
get_PartNumber = 7549,
set_ServerSideEncryptionMethod = 7545,
set_ETag = 7547,
set_PartNumber = 7550,
get_ServerSideEncryptionMethod = 7544,
get_ETag = 7546
},
["Amazon.S3.Model.WebsiteConfiguration"] = {
IsSetRoutingRules = 7562,
get_RedirectAllRequestsTo = 7557,
get_ErrorDocument = 7551,
get_RoutingRules = 7560,
IsSetErrorDocument = 7553,
set_ErrorDocument = 7552,
set_RedirectAllRequestsTo = 7558,
IsSetRedirectAllRequestsTo = 7559,
set_IndexDocumentSuffix = 7555,
get_IndexDocumentSuffix = 7554,
IsSetIndexDocumentSuffix = 7556,
set_RoutingRules = 7561
},
["Amazon.S3.ReplicationRuleStatus"] = {
FindValue = 7577
},
["Amazon.S3.ReplicationStatus"] = {
FindValue = 7576
},
["Amazon.S3.S3CannedACL"] = {
FindValue = 7563
},
["Amazon.S3.S3Permission"] = {
FindValue = 7567,
get_HeaderName = 7565,
set_HeaderName = 7566
},
["Amazon.S3.S3Region"] = {
FindValue = 7564
},
["Amazon.S3.S3StorageClass"] = {
FindValue = 7568
},
["Amazon.S3.ServerSideEncryptionCustomerMethod"] = {
FindValue = 7569
},
["Amazon.S3.ServerSideEncryptionMethod"] = {
FindValue = 7570
},
["Amazon.S3.Util.AmazonS3Uri"] = {
set_Bucket = 7596,
IsAmazonS3Endpoint_Uri = 7602,
Decode_string = 7603,
get_Region = 7599,
get_IsPathStyle = 7593,
set_IsPathStyle = 7594,
FromHex = 7606,
get_Bucket = 7595,
get_Key = 7597,
IsAmazonS3Endpoint_string = 7601,
AppendDecoded = 7605,
Decode_string_int = 7604,
set_Key = 7598,
set_Region = 7600
},
["Amazon.S3.Util.AmazonS3Util"] = {
ValidateV2Bucket = 7614,
ParseAmzRestoreHeader = 7617,
AddQueryStringParameter_StringBuilder_string_string = 7615,
UrlEncode = 7608,
GenerateChecksumForContent = 7611,
ComputeEncodedMD5FromEncodedString = 7612,
MakeStreamSeekable = 7609,
SetMetadataHeaders = 7613,
get_FormattedCurrentTimestamp = 7610,
["AddQueryStringParameter_StringBuilder_string_string_IDictionary<string,string>"] = 7616,
MimeTypeFromExtension = 7607
},
["Amazon.S3.Util.S3PostUploadSignedPolicy"] = {
get_Policy = 7580,
GetSignedPolicyFromXml = 7592,
get_AccessKeyId = 7584,
set_SecurityToken = 7587,
ToXml = 7590,
GetSignedPolicy = 7578,
set_Signature = 7583,
set_AccessKeyId = 7585,
get_Signature = 7582,
set_Policy = 7581,
GetReadablePolicy = 7588,
GetSignedPolicyFromJson = 7591,
get_SecurityToken = 7586,
addTokenToPolicy = 7579,
ToJson = 7589
},
["Amazon.S3.VersionStatus"] = {
FindValue = 7573
},
["Amazon.UnityInitializer"] = {
set_IsEditorPlaying = 3988,
get_Instance = 3984,
IsMainThread = 3986,
set_IsEditorPaused = 3990,
get_IsEditorPlaying = 3987,
Awake = 3985,
HandleEditorPlayModeChange = 3991,
get_IsEditorPaused = 3989
},
["Amazon.Util.AWSPublicIpAddressRange"] = {
get_Region = 5195,
get_IpPrefix = 5193,
set_Service = 5198,
set_IpPrefix = 5194,
get_Service = 5197,
set_Region = 5196
},
["Amazon.Util.AWSPublicIpAddressRanges"] = {
set_AllAddressRanges = 5188,
get_CreateDate = 5185,
Parse = 5192,
set_CreateDate = 5186,
get_AllAddressRanges = 5187,
AddressRangesByServiceKey = 5189,
AddressRangesByRegion = 5190,
get_ServiceKeys = 5184,
Load = 5191
},
["Amazon.Util.AWSSDKUtils"] = {
DetermineValidPathCharacters = 5144,
Sleep_int = 5143,
ForceCanonicalPathAndQuery = 5139,
BytesToHexString = 5171,
ConvertToUnixEpochSeconds = 5153,
ConvertFromUnixEpochSeconds = 5152,
get_FormattedCurrentTimestampISO8601 = 5164,
ConvertToUnixEpochMilliSeconds = 5154,
get_FormattedCurrentTimestampGMT = 5163,
Join = 5149,
DetermineService = 5151,
CopyStream_Stream_Stream_int = 5162,
GenerateMemoryStreamFromString = 5160,
GetMaxIdleTime = 5142,
CalculateStringToSignV2 = 5147,
CopyStream_Stream_Stream = 5161,
AreEqual_object_object = 5159,
GetFormattedTimestampRFC822 = 5167,
PreserveStackTrace = 5140,
ParseQueryParameters = 5157,
Sleep_TimeSpan = 5170,
DetermineRegion = 5150,
UrlEncode_int_string_bool = 5169,
["AreEqual_object[]_object[]"] = 5158,
GetFormattedTimestampISO8601 = 5165,
HexStringToBytes = 5172,
IsPathSeparator = 5146,
UrlEncode_string_bool = 5168,
GetExtension = 5145,
GetConnectionLimit = 5141,
get_FormattedCurrentTimestampRFC822 = 5166,
get_Dispatcher = 5156,
ToHex = 5155,
get_IsIL2CPP = 5174,
GetParametersAsString = 5148,
get_CorrectedUtcNow = 5173
},
["Amazon.Util.CircularReferenceTracking"] = {
Track = 5330,
PopTracker = 5331,
TrackerExists = 5332
},
["Amazon.Util.CircularReferenceTracking.Tracker"] = {
Dispose_bool = 5328,
get_State = 5325,
get_Target = 5323,
Dispose = 5329,
ToString = 5327,
set_State = 5326,
set_Target = 5324
},
["Amazon.Util.CryptoUtilFactory"] = {
get_CryptoInstance = 5183
},
["Amazon.Util.CryptoUtilFactory.CryptoUtil"] = {
ComputeMD5Hash_Stream = 5180,
["HMACSign_byte[]_string_SigningAlgorithm"] = 5176,
ComputeSHA256Hash_Stream = 5178,
get_SHA256HashAlgorithmInstance = 5182,
["ComputeMD5Hash_byte[]"] = 5179,
HMACSign_string_string_SigningAlgorithm = 5175,
["ComputeSHA256Hash_byte[]"] = 5177,
HMACSignBinary = 5181
},
["Amazon.Util.Internal.AmazonHookedPlatformInfo"] = {
get_PackageName = 5108,
get_Model = 5097,
get_Locale = 5105,
set_VersionCode = 5113,
get_PersistentDataPath = 5103,
set_Model = 5098,
get_PlatformVersion = 5101,
get_Make = 5099,
set_Platform = 5096,
set_VersionName = 5111,
get_Title = 5114,
set_Make = 5100,
set_PackageName = 5109,
set_Locale = 5106,
Init = 5116,
get_VersionName = 5110,
get_Platform = 5095,
set_PersistentDataPath = 5104,
get_Instance = 5107,
set_PlatformVersion = 5102,
set_Title = 5115,
get_VersionCode = 5112
},
["Amazon.Util.Internal.ConfigurationElement"] = {
get_ElementInformation = 3980,
set_ElementInformation = 3981
},
["Amazon.Util.Internal.ElementInformation"] = {
get_IsPresent = 3982,
set_IsPresent = 3983
},
["Amazon.Util.Internal.InternalSDKUtils"] = {
SetUserAgent_string_string = 5203,
get_IsAndroid = 5200,
get_IsiOS = 5201,
SetUserAgent_string_string_string = 5204,
ApplyValues = 5207,
AsyncExecutor = 5208,
BuildCustomUserAgentString = 5205,
GetTypeFromUnityEngine = 5202,
SafeExecute = 5209,
GetMonoRuntimeVersion = 5199,
BuildUserAgentString = 5206
},
["Amazon.Util.Internal.PlatformServices.ApplicationInfo"] = {
get_AppTitle = 5248,
get_PackageName = 5251,
get_AppVersionCode = 5250,
get_AppVersionName = 5249
},
["Amazon.Util.Internal.PlatformServices.ApplicationSettings"] = {
GetValue = 5253,
RemoveValue = 5254,
SetValue = 5252
},
["Amazon.Util.Internal.PlatformServices.EnvironmentInfo"] = {
get_Locale = 5263,
set_PclPlatform = 5268,
set_Platform = 5256,
get_Model = 5257,
set_PlatformUserAgent = 5270,
set_Model = 5258,
get_PlatformVersion = 5261,
get_Make = 5259,
get_PclPlatform = 5267,
get_PlatformUserAgent = 5269,
set_Make = 5260,
set_Locale = 5264,
set_FrameworkUserAgent = 5266,
DetermineFramework = 5271,
get_FrameworkUserAgent = 5265,
get_Platform = 5255,
set_PlatformVersion = 5262
},
["Amazon.Util.Internal.PlatformServices.NetworkReachability"] = {
get_NetworkStatus = 5272
},
["Amazon.Util.Internal.PlatformServices.NetworkStatusEventArgs"] = {
get_Status = 5273,
set_Status = 5274
},
["Amazon.Util.Internal.RootConfig"] = {
Choose = 5295,
set_ApplicationName = 5294,
set_ProfileName = 5284,
get_Region = 5281,
set_CorrectForClockSkew = 5292,
set_ServiceSections = 5297,
set_ProfilesLocation = 5286,
get_ProfileName = 5283,
get_CorrectForClockSkew = 5291,
get_ServiceSections = 5296,
get_UseSdkCache = 5289,
set_UseSdkCache = 5290,
get_ApplicationName = 5293,
set_EndpointDefinition = 5280,
get_Proxy = 5277,
get_EndpointDefinition = 5279,
get_Logging = 5275,
set_Region = 5282,
set_Proxy = 5278,
get_ProfilesLocation = 5285,
set_Logging = 5276,
get_RegionEndpoint = 5287,
GetServiceSection = 5298,
set_RegionEndpoint = 5288
},
["Amazon.Util.Internal.TypeFactory"] = {
GetTypeInfo = 5247
},
["Amazon.Util.Internal.TypeFactory.AbstractTypeInfo"] = {
get_Type = 5235,
EnumGetUnderlyingType = 5241,
ArrayCreateInstance = 5243,
CreateInstance = 5242,
get_IsArray = 5239,
GetElementType = 5244,
get_FullName = 5245,
IsType = 5238,
Equals = 5237,
EnumToObject = 5240,
GetHashCode = 5236,
get_Name = 5246
},
["Amazon.Util.Internal.TypeFactory.TypeInfoWrapper"] = {
GetInterfaces = 5213,
get_IsGenericTypeDefinition = 5228,
get_IsClass = 5217,
get_ContainsGenericParameters = 5227,
GetInterface = 5212,
["GetMethod_string_ITypeInfo[]"] = 5223,
GetCustomAttributes_ITypeInfo_bool = 5233,
GetMethod_string = 5222,
GetGenericTypeDefinition = 5230,
GetProperties = 5214,
IsAssignableFrom = 5226,
get_IsValueType = 5218,
GetField = 5211,
GetConstructor = 5224,
get_BaseType = 5210,
get_Assembly = 5234,
GetMembers = 5216,
GetGenericArguments = 5231,
GetCustomAttributes_bool = 5232,
get_IsInterface = 5219,
get_IsEnum = 5221,
GetProperty = 5225,
get_IsAbstract = 5220,
get_IsGenericType = 5229,
GetFields = 5215
},
["Amazon.Util.LoggingConfig"] = {
Configure = 5126,
get_LogMetricsCustomFormatter = 5137,
get_LogResponsesSizeLimit = 5131,
get_LogTo = 5127,
get_LogMetricsFormat = 5135,
get_LogMetrics = 5133,
set_LogTo = 5128,
set_LogResponses = 5130,
set_LogMetricsFormat = 5136,
set_LogMetrics = 5134,
get_LogResponses = 5129,
set_LogMetricsCustomFormatter = 5138,
set_LogResponsesSizeLimit = 5132
},
["Amazon.Util.PaginatedResourceFactory"] = {
GetPropertyTypeFromPath = 5301,
SetPropertyValueAtPath = 5300
},
["Amazon.Util.PaginatedResourceInfo"] = {
VerifyProperty_string_Type_string_Type_bool = 5322,
get_Request = 5306,
VerifyProperty_string_Type_string_Type = 5321,
set_ItemListPropertyPath = 5313,
WithRequest = 5316,
get_Client = 5302,
get_ItemListPropertyPath = 5312,
Verify = 5320,
set_Client = 5303,
get_TokenResponsePropertyPath = 5310,
get_MethodName = 5304,
set_TokenRequestPropertyPath = 5309,
WithItemListPropertyPath = 5319,
set_MethodName = 5305,
WithMethodName = 5315,
WithTokenResponsePropertyPath = 5318,
WithTokenRequestPropertyPath = 5317,
get_TokenRequestPropertyPath = 5308,
set_Request = 5307,
set_TokenResponsePropertyPath = 5311,
WithClient = 5314
},
["Amazon.Util.ProxyConfig"] = {
Configure = 5117,
set_Username = 5123,
get_Host = 5118,
get_Port = 5120,
set_Password = 5125,
set_Host = 5119,
set_Port = 5121,
get_Password = 5124,
get_Username = 5122
},
["Amazon.Util.Storage.Internal.NetworkInfo"] = {
GetReachability = 5299
},
["Amazon.Util.Storage.Internal.PlayerPreferenceKVStore"] = {
GetHelper = 5338,
Put = 5334,
Clear = 5333,
Get = 5335,
PutHelper = 5336,
ClearHelper = 5337
},
["Amazon.Util.Storage.Internal.SQLiteDatabase"] = {
LastInsertRowid = 5344,
StringToUTF8ByteArray = 5339,
Exec = 5345,
OpenDatabase = 5343,
PtrToString = 5340,
ErrorMsg = 5346,
CloseDatabase = 5341,
Prepare = 5342
},
["Amazon.Util.Storage.Internal.SQLiteField"] = {
get_INTEGER = 5359,
get_BOOL = 5357,
IsNull = 5356,
get_TEXT = 5358,
Read = 5355,
get_DATETIME = 5360
},
["Amazon.Util.Storage.Internal.SQLiteStatement"] = {
FinalizeStm = 5354,
ClearBindings = 5353,
Reset = 5352,
BindInt = 5349,
Read = 5351,
BindDateTime = 5350,
BindText = 5348,
Step = 5347
},
["Amazon.V4ClientSection"] = {
get_UseSignatureVersion4 = 5684,
set_UseSignatureVersion4 = 5685
},
["Amazon.V4ClientSectionRoot"] = {
get_S3 = 5682,
set_S3 = 5683
},
AndroidSupportListener = {
onResume = 8098,
get_inMutilWindow = 3075,
set_inMutilWindow = 3074,
OnPause = 8097,
Awake = 3076,
ExitMultiWindow = 3078,
EnterMultiWindow = 3077
},
AssetBundleRef = {
get_refCount = 9779,
get_assetBundle = 9778,
release = 9781,
retain = 9780
},
AsyncUtil = {
WaitFinish = 3675,
OnNextFrame = 3676
},
AutoRegisterPhysics2DItem = {
OnDestroy = 9239,
Start = 9238
},
AutoRegisterPhysics2DItemWrap = {
op_Equality = 8549,
Register = 8548
},
AutoScaleWithScreen = {
Start = 3586
},
AutoSpacingHLayout = {
CalculateLayoutInputHorizontal = 3255
},
AwsIniter = {
Start = 8542,
UsedOnlyForAOTCodeGeneration = 9367
},
AwsOSSMgr = {
DeleteObject = 9258,
get_ins = 8064,
UpdateLoadAsyn = 8067,
GetObjectToLocal = 9259,
UpdateLoad = 8066,
Init = 8065
},
AwsOSSMgrWrap = {
_CreateAwsOSSMgr = 7641,
UpdateLoadAsyn = 7644,
get_ins = 7645,
Register = 7640,
GetObjectToLocal = 8551,
DeleteObject = 8550,
UpdateLoad = 7643,
Init = 7642
},
BaseResourceMgr = {
_loadAssetBundleAsync = 9764,
_LoadAssetAsync = 9772,
["LoadAssetAsync_AssetBundle_UnityAction<Object>_bool_bool"] = 9771,
loadAssetBundleAsync = 9763,
LoadAssetSync_AssetBundle_string_bool_bool = 9758,
_loadAssetBundleTotallyAsync = 9762,
ClearBundleRef_string_bool_bool = 9775,
AssetExist = 9755,
unloadUnusedAssetBundles = 9776,
["LoadAssetAsync_AssetBundle_string_UnityAction<Object>_bool_bool"] = 9770,
loadAssetBundleTotallyAsync = 9761,
ClearBundleRef_AssetBundle_bool = 9773,
getAssetSync_string_string_Type_bool_bool = 9759,
["getAssetAsync_string_string_Type_UnityAction<Object>_bool_bool"] = 9765,
CheckAsyncWaiting = 9768,
Init = 9753,
ClearBundleRefTotally = 9774,
["getAssetAsync_string_string_UnityAction<Object>_bool_bool"] = 9766,
dumpAssetBundles = 9777,
getAssetSync_string_string_bool_bool = 9760,
loadAssetBundleSync = 9756,
_getAssetAsync = 9767,
GetAllDependencies = 9754,
LoadAssetSync_AssetBundle_string_Type_bool_bool = 9757,
["LoadAssetAsync_AssetBundle_string_Type_UnityAction<Object>_bool_bool"] = 9769,
Awake = 9752
},
BaseResourceMgrWrap = {
op_Equality = 9486,
set_UseMultiDependence = 9492,
LoadAssetAsync = 9481,
loadAssetBundleAsync = 9479,
get_UnloadDependencyImmediately = 9488,
loadAssetBundleTotallyAsync = 9478,
unloadUnusedAssetBundles = 9484,
AssetExist = 9474,
set_UnloadDependencyImmediately = 9491,
loadAssetBundleSync = 9475,
LoadAssetSync = 9476,
getAssetAsync = 9480,
ClearBundleRef = 9482,
Init = 9472,
ClearBundleRefTotally = 9483,
get_UseMultiDependence = 9489,
get_LogLoad = 9487,
Register = 9471,
dumpAssetBundles = 9485,
getAssetSync = 9477,
GetAllDependencies = 9473,
set_LogLoad = 9490
},
BgInfoList = {
GetBgNameByindex = 7982
},
BilibiliCallBackListerner = {
AccountInvalid = 3084,
CloseAgreementView = 9796,
OnFetchFreeHostErro = 8101,
LoginFailed = 3082,
OnShowPrivateFailed = 9795,
LoginSuccess = 3081,
InitSuccess = 3079,
SetChannelId = 3085,
InitFailed = 3080,
OnBuglyInited = 9797,
OnFetchFreeHostFailed = 8100,
OnFetchFreeHostSuccess = 8099,
PayFailed = 3087,
OnShowPrivateSuccess = 9794,
GameExit = 3088,
OnShowLicenceSucces = 9792,
OnShowLicenceFailed = 9793,
PaySuccess = 3086,
LoginOut = 3083
},
BilibiliSdkMgr = {
EnterServer = 3125,
Logout = 3129,
LevelUp_int = 3126,
set_payId = 3104,
set_isTencent = 3102,
ShowLicence = 9800,
TryLogin = 3115,
get_loginType = 3111,
get_isTencent = 3103,
PrintJson = 3132,
ShowPrivate = 9799,
DCStop = 3122,
LoginPlatform = 3119,
LocalLogout = 3113,
get_sandboxKey = 3097,
get_serverName = 3095,
GetFreeUrl = 8104,
get_channelUID = 3108,
LevelUp = 3127,
GoLoginScene = 3112,
set_isPlatform = 3100,
onBackPressed = 3128,
get_inst = 3094,
Login = 3116,
get_isInitDataSDK = 3099,
Init = 3114,
set_isInitDataSDK = 3098,
ChooseServer = 3124,
set_channelUID = 3109,
get_isLocalExit = 3107,
set_sandboxKey = 3096,
callSdkApi = 3131,
OnLoginGatewayFailed = 3118,
ClearLoginData = 9798,
set_isLocalExit = 3106,
get_isPlatform = 3101,
InitData = 3121,
isHuawei = 3130,
OnLoginTimeOut = 3120,
get_payId = 3105,
set_isLoginGetWay = 8102,
get_serverId = 3110,
CreateRole = 3123,
GetKey = 3134,
Log = 3133,
get_isLoginGetWay = 8103,
OnGatewayLogined = 3117
},
blDelay = {
NcEffectReset = 3680,
ResetToBegin = 3678,
get_CacheGameObject = 3681,
DelayFunc = 3679,
Start = 3677
},
BrightnessHelper = {
GetMode = 9639,
SetScreenBrightness = 9641,
SetBrightnessMode = 9642,
GetValue = 9640
},
BrightnessHelperWrap = {
SetScreenBrightness = 9496,
GetMode = 9494,
GetValue = 9495,
Register = 9493,
SetBrightnessMode = 9497
},
BuglyAgent = {
SetUserId = 3690,
_RegisterExceptionHandler = 3714,
ConfigDefaultBeforeInit = 3700,
InitWithAppId = 3683,
_UnregisterExceptionHandler = 3715,
InitBuglyAgent = 3699,
SetLogCallbackExtrasHandler = 3686,
AddSceneData = 3692,
LogRecord = 3707,
AddKeyAndValueInScene = 3705,
RegisterLogCallback = 3685,
ReportException_string_string_string = 3688,
ReportException_Exception_string = 3687,
SetCurrentScene = 3704,
DebugLog = 3697,
SetScene = 3691,
_OnUncaughtExceptionHandler = 3717,
ConfigAutoReportLogLevel = 3695,
EnableDebugMode = 3701,
SetUnityVersion = 3708,
PrintLog = 3698,
UnregisterLogCallback = 3689,
SetUserInfo = 3702,
get_PluginVersion = 3709,
EnableExceptionHandler = 3684,
get_IsInitialized = 3710,
_reportException = 3719,
_OnLogCallbackHandler = 3716,
_HandleException_Exception_string_bool = 3718,
ConfigAutoQuitApplication = 3694,
AddExtraDataWithException = 3706,
ConfigCrashReporter = 3682,
ConfigDefault = 3696,
_HandleException_LogSeverity_string_string_string_bool = 3720,
get_AutoQuitApplicationAfterReport = 3711,
ReportException_int_string_string_string_bool = 3703,
_SetCrashReporterLogLevel = 3713,
ConfigDebugMode = 3693,
_SetCrashReporterType = 3712
},
BuglyInit = {
Awake = 3721,
MyLogCallbackExtrasHandler = 3722
},
BulletinBoardMgr = {
ClearCache = 2837,
StopLoader = 2840,
GetTexture = 7983,
GetCacheFolderName = 2842,
LoadTexture = 7984,
get_Inst = 2835,
GetSprite = 2838,
LoadSprite = 2839,
GetFileName = 2841,
Awake = 2836
},
BulletinBoardMgrWrap = {
ClearCache = 505,
GetSprite = 506,
op_Equality = 508,
Register = 504,
GetTexture = 7646,
get_Inst = 509,
StopLoader = 507
},
BulletRotation = {
SetSpeed = 3142,
Update = 3145,
Start = 3143,
OnEnable = 3144
},
ButtonEventExtend = {
get_onPointerDown = 8185,
OnPointerDown = 8187,
Start = 8184,
set_onPointerDown = 8186
},
ButtonEventExtendWrap = {
Register = 7647,
OnPointerDown = 7648,
set_onPointerDown = 7651,
op_Equality = 7649,
get_onPointerDown = 7650
},
ButtonExtend = {
get_grayOnDisabled = 3146,
DoStateTransition = 3152,
OnSetProperty = 3153,
InternalEvaluateAndTransitionToSelectionState = 3154,
get_onPointerDown = 8124,
set_grayOnDisabled = 3147,
set_externalGrayOnDisabled = 3149,
OnEnable = 3150,
OnPointerDown = 8126,
get_externalGrayOnDisabled = 3148,
set_onPointerDown = 8125,
OnDisable = 3151
},
ButtonExtendArchiver = {
Clear = 3614,
Filter = 3615,
PushDependency = 3616,
CanArchive = 3617,
Archive = 3618,
Load = 3613
},
CameraTextureSup = {
SetTexture = 947,
Update = 948,
OnDestroy = 949
},
CameraUtil = {
Adapt = 3723,
AdaptTo = 3724,
SetAdaptBattleCamera = 8188,
SetOnlyAdaptMainCam = 3726,
Revert = 3725
},
ChannelData = {
CheckSingleKey = 8015
},
ChannelDataWrap = {
set_channelType = 7660,
_CreateChannelData = 7653,
set_curCueDataKey = 7662,
Register = 7652,
set_channelName = 7659,
get_channelType = 7656,
get_channelPlayer = 7657,
get_channelName = 7655,
set_channelPlayer = 7661,
get_curCueDataKey = 7658,
CheckSingleKey = 7654
},
ChargeArea = {
Start = 3155,
Update = 3156
},
CircleList = {
SetRotateAngle = 8507,
BatchAddItem = 8504,
RotateItemToTarget = 8510,
AddItem = 8501,
Init = 8500,
get_ItemTransformList = 8498,
OnEnable = 8513,
SetItemToTargetDirectly = 8511,
assistItemComparison = 8506,
SetPosiztionByDistance = 8505,
AddToRotateAngle = 8508,
OnDisable = 8514,
InsertItem = 8503,
Update = 8512,
CalculateItemRealAngle = 8509,
set_ItemTransformList = 8499,
RemoveItem = 8502
},
CircleListWrap = {
get_onRotateToFace = 8391,
set_IsDragable = 8413,
get_MaxAlpha = 8378,
set_RadiusY = 8400,
CircleList_FinishInstantiateTpl = 8421,
set_onRotateToFace = 8417,
get_OriginalRotation = 8383,
set_TimeOnAutoRotateEndDrag = 8406,
set_CenterX = 8397,
get_RadiusX = 8373,
get_IsAutoSetDeltaAngle = 8388,
set_OriginalRotation = 8409,
get_RadiusY = 8374,
get_SpeedOnDrag = 8379,
set_ItemCount = 8393,
OnDisable = 8365,
get_ItemTransformList = 8392,
set_DeltaAngle = 8395,
set_CenterY = 8398,
get_MinDistanceStartDrag = 8381,
CircleList_FinishRotateToFace = 8419,
get_AdjustArg = 8382,
get_ItemRectTpl = 8368,
set_IsNeedRotateOnClick = 8410,
set_IsAutoMove = 8411,
get_IsDragable = 8387,
set_onItemInited = 8415,
get_ItemCount = 8367,
get_CenterX = 8371,
set_onFinishInited = 8416,
set_IsAutoSetDeltaAngle = 8414,
set_AdjustArg = 8408,
get_IsNeedRotateOnClick = 8384,
get_CenterY = 8372,
Init = 8353,
get_DeltaAngle = 8369,
Update = 8363,
set_MinScale = 8401,
set_MaxScale = 8402,
RemoveItem = 8355,
set_TargetAngle = 8396,
SetRotateAngle = 8358,
BatchAddItem = 8357,
RotateItemToTarget = 8361,
get_TargetAngle = 8370,
get_MinScale = 8375,
get_MaxScale = 8376,
OnEnable = 8364,
SetItemToTargetDirectly = 8362,
AddItem = 8354,
get_IsAutoMove = 8385,
set_RadiusX = 8399,
InsertItem = 8356,
Register = 8352,
op_Equality = 8366,
get_TimeOnAutoRotateEndDrag = 8380,
set_ItemRectTpl = 8394,
set_IsFade = 8412,
set_MinDistanceStartDrag = 8407,
set_MinAlpha = 8403,
get_onItemInited = 8389,
get_MinAlpha = 8377,
AddToRotateAngle = 8359,
get_IsFade = 8386,
CalculateItemRealAngle = 8360,
set_SpeedOnDrag = 8405,
set_MaxAlpha = 8404,
set_ItemTransformList = 8418,
CircleList_FinishInit = 8420,
get_onFinishInited = 8390
},
ClickEffect = {
Start = 3164,
Update = 3165,
UpdatePos_bool_Vector3 = 3168,
OnMobileDevices = 3166,
OnStandlone = 3167,
UpdatePos_Vector3 = 9811
},
["Coffee.UIExtensions.UIMirrorReflection"] = {
AddMirrorReflectedQuad = 9851,
GetLerpFactor = 9852,
get_etartColor = 9848,
get_height = 9842,
get_startColor = 9846,
set_height = 9843,
set_etartColor = 9849,
set_startColor = 9847,
set_spacing = 9845,
MirrorReflectVertex = 9853,
SetDirty = 9854,
get_spacing = 9844,
get_targetGraphic = 9841,
ModifyMesh = 9850
},
["Coffee.UIExtensions.UIVertexUtil"] = {
Bilerp_UIVertex_UIVertex_UIVertex_UIVertex_float_float = 9857,
AddQuadToStream = 9855,
Lerp = 9856,
Bilerp_Vector2_Vector2_Vector2_Vector2_float_float = 9858,
Bilerp_Vector3_Vector3_Vector3_Vector3_float_float = 9859,
Bilerp_Vector4_Vector4_Vector4_Vector4_float_float = 9860,
Bilerp_Color_Color_Color_Color_float_float = 9861
},
Collider2DFilter = {
Awake = 3169,
IsRaycastLocationValid = 3170
},
Collision2DEventWrap = {
_CreateCollision2DEvent = 8553,
Register = 8552
},
Connection = {
Disconnect = 3016,
OnReceive = 3018,
Send = 3019,
StartRecieve = 3017,
OnConnect = 3015,
StartSend = 3020,
get_isConnected = 3013,
InvokeOnMainThread = 3011,
Connect = 3014,
CheckSocket = 3012,
Dispose = 3010,
OnSend = 3021
},
["CriAtomDebugDetail.Utility"] = {
PtrToStringAutoOrNull = 223
},
CriAtomEx = {
SetOutputVolume_VITA = 18,
SetRandomSeed = 13,
GetGameVariableInfo = 8,
SetGlobalLabelToSelectorByIndex = 16,
SetGameVariable_uint_float = 11,
IsBgmPortAcquired_VITA = 19,
GetGameVariable_uint = 9,
UnregisterAcf = 3,
IsSoundStopped_IOS = 20,
RegisterAcf_CriFsBinder_string = 1,
AttachDspBusSetting = 4,
DetachDspBusSetting = 5,
GetPerformanceInfo = 15,
ApplyDspBusSnapshot = 6,
SetGameVariable_string_float = 12,
GetGameVariable_string = 10,
ResetPerformanceMonitor = 14,
GetNumGameVariables = 7,
SetGlobalLabelToSelectorByName = 17,
["RegisterAcf_byte[]"] = 2
},
CriAtomExAcbDebug = {
GetAcbInfo = 217
},
CriAtomExAcf = {
GetNumCategories = 3907,
GetGlobalAisacInfoByName = 3914,
GetDspBusLinkInformation = 3906,
GetSelectorInfoByIndex = 3919,
GetGlobalAisacGraphInfo = 3915,
GetSelectorInfoByName = 3920,
GetAcfInfo = 3917,
FindBusName = 3924,
GetCategoryInfoByName = 3910,
GetNumCategoriesPerPlayback = 3908,
GetNumSelectors = 3918,
GetMaxBusesOfDspBusSettings = 3923,
GetDspSettingSnapshotInformation = 3904,
GetSelectorLabelInfo = 3921,
GetDspSettingInformation = 3903,
GetAisacControlInfo = 3901,
GetNumAisacControls = 3900,
GetGlobalAisacValue = 3916,
GetNumDspSettings = 3902,
GetCategoryInfoByIndex = 3909,
GetNumGlobalAisacs = 3912,
GetGlobalAisacInfoByIndex = 3913,
GetNumBuses = 3922,
GetCategoryInfoById = 3911,
GetDspBusInformation = 3905
},
CriAtomExAcfDebug = {
GetGlobalAisacInfoByName = 212,
GetNumCategories = 200,
GetNumAisacControls = 206,
GetCategoryInfoByIndex = 201,
GetSelectorLabelInfo = 216,
GetSelectorInfoByName = 215,
GetCategoryInfoByName = 202,
GetNumSelectors = 213,
GetAisacControlIdByName = 208,
GetAisacControlInfo = 207,
GetAisacControlNameById = 209,
GetSelectorInfoByIndex = 214,
GetGlobalAisacInfo = 211,
GetNumGlobalAisacs = 210,
GetNumBuses = 204,
GetCategoryInfoById = 203,
GetDspBusInformation = 205
},
CriAtomExAsr = {
["SetBusMatrix_int_int_int_float[]"] = 56,
SetEffectParameter = 58,
["SetBusMatrix_string_int_int_float[]"] = 55,
SetEffectBypass = 57,
SetBusSendLevel_string_string_float = 53,
AttachBusAnalyzer_string_int_int = 45,
SetBusVolume_int_float = 52,
AttachBusAnalyzer_int_int = 46,
SetBusVolume_string_float = 51,
["GetBusAnalyzerInfo_string_BusAnalyzerInfo&"] = 49,
DetachBusAnalyzer_string = 47,
["GetBusAnalyzerInfo_int_BusAnalyzerInfo&"] = 50,
GetEffectParameter = 59,
DetachBusAnalyzer = 48,
RegisterEffectInterface = 60,
UnregisterEffectInterface = 61,
SetBusSendLevel_int_int_float = 54
},
CriAtomExAsr_BusAnalyzerInfoWrap = {
set_peakHoldLevels = 7672,
_CreateCriAtomExAsr_BusAnalyzerInfo = 7664,
set_numChannels = 7669,
Register = 7663,
set_rmsLevels = 7670,
get_rmsLevels = 7666,
get_peakLevels = 7667,
set_peakLevels = 7671,
get_numChannels = 7665,
get_peakHoldLevels = 7668
},
CriAtomExAuxIn = {
SetFormat = 68,
SetBusSendLevel = 72,
SetVolume = 70,
GetFormat = 69,
Start = 66,
Stop = 67,
Dispose = 65,
SetFrequencyRatio = 71,
SetInputReadStream = 73
},
CriAtomExCategory = {
GetVolume_int = 24,
SetReactParameter = 41,
IsPaused_string = 35,
IsSoloed_int = 32,
Pause_int_bool = 34,
IsSoloed_string = 31,
GetVolume_string = 23,
SetAisac_int_int_float = 40,
IsPaused_int = 36,
Mute_string_bool = 25,
IsMuted_string = 27,
Mute_int_bool = 26,
IsMuted_int = 28,
SetAisac_string_string_float = 38,
GetAttachedAisacInfoById = 43,
GetReactParameter = 42,
Solo_int_bool_float = 30,
SetAisacControl_int_int_float = 39,
GetAttachedAisacInfoByName = 44,
Pause_string_bool = 33,
Solo_string_bool_float = 29,
SetVolume_string_float = 21,
SetAisacControl_string_string_float = 37,
SetVolume_int_float = 22
},
CriAtomExLatencyEstimator = {
GetCurrentInfo = 64,
InitializeModule = 62,
FinalizeModule = 63
},
CriAtomExMic = {
AttachEffect = 97,
DetachEffect = 98,
Dispose_bool = 87,
get_isInitialized = 78,
["ReadData_float[]"] = 93,
GetNumChannels = 90,
GetDefaultDevice = 83,
Stop = 89,
InitializeModule = 80,
GetOutputReadStream = 96,
["ReadData_float[]_float[]"] = 94,
SetEffectBypass = 101,
SetEffectParameter = 99,
GetEffectParameter = 100,
IsFormatSupported = 84,
GetDevices = 82,
FinalizeModule = 81,
Dispose = 86,
GetSamplingRate = 91,
UpdateEffectParameters = 102,
Start = 88,
set_isInitialized = 79,
Create = 85,
SetOutputWriteStream = 95,
GetNumBufferredSamples = 92
},
["CriAtomExMic.Effect"] = {
get_afxInstance = 76,
get_handle = 74,
set_afxInstance = 77,
set_handle = 75
},
CriAtomExOutputAnalyzer = {
AttachExPlayer = 106,
Dispose_bool = 105,
ExecutePcmCaptureCallback = 114,
AttachDspBus = 108,
get_nativeHandle = 103,
GetRms = 110,
DetachDspBus = 109,
SetPcmCaptureCallback = 113,
Dispose = 104,
InitializeWithConfig = 116,
DetachExPlayer = 107,
Callback = 117,
GetPcmData = 112,
ExecutePcmCaptureCallback_PcmCaptureCallback = 115,
GetSpectrumLevels = 111
},
CriAtomExPlayback_StatusWrap = {
get_Playing = 7677,
IntToEnum = 7679,
get_Removed = 7678,
CheckType = 7675,
Push = 7674,
Register = 7673,
get_Prep = 7676
},
CriAtomExPlaybackDebug = {
["GetParameter_CriAtomExPlayback_Parameter_float&"] = 218,
["GetParameter_CriAtomExPlayback_Parameter_int&"] = 220,
["GetParameter_CriAtomExPlayback_Parameter_uint&"] = 219,
["GetAisacControl_CriAtomExPlayback_string_float&"] = 222,
["GetAisacControl_CriAtomExPlayback_uint_float&"] = 221
},
CriAudioReadStream = {
set_callbackFunction = 119,
get_callbackPointer = 120,
get_callbackFunction = 118,
set_callbackPointer = 121
},
CriAudioWriteStream = {
set_callbackFunction = 123,
get_callbackPointer = 124,
get_callbackFunction = 122,
set_callbackPointer = 125
},
CriDisposableWrap = {
get_guid = 512,
set_guid = 513,
Dispose = 511,
Register = 510
},
CriFsBindRequest = {
get_bindId = 9417,
Update = 9420,
get_path = 9415,
Dispose = 9421,
set_bindId = 9418,
set_path = 9416,
Stop = 9419
},
CriFsInstallRequest = {
get_destinationPath = 9404,
get_progress = 9406,
set_destinationPath = 9405,
set_sourcePath = 9403,
set_progress = 9407,
get_sourcePath = 9402
},
CriFsInstallRequestLegacy = {
Dispose = 9410,
Update = 9409,
Stop = 9408
},
CriFsLoadAssetBundleRequest = {
set_assetBundle = 9399,
Update = 9400,
get_path = 9396,
Dispose = 9401,
get_assetBundle = 9398,
set_path = 9397
},
CriFsLoadFileRequest = {
Dispose = 9390,
Update = 9392,
get_bytes = 9388,
set_bytes = 9389,
Stop = 9391,
get_path = 9386,
UpdateLoader = 9394,
OnError = 9395,
set_path = 9387,
UpdateBinder = 9393
},
CriFsPlugin = {
IsLibraryInitialized = 9447,
get_isInitialized = 9441,
FinalizeLibrary = 9448,
InitializeLibrary = 9446,
SetConfigParameters = 9442,
SetDataDecompressionThreadPriorityExperimentalAndroid = 9445,
SetConfigAdditionalParameters_ANDROID = 9443,
SetMemoryFileSystemThreadPriorityExperimentalAndroid = 9444
},
CriFsRequest = {
get_doneDelegate = 9371,
Dispose_bool = 9382,
CheckDone = 9385,
Stop = 9380,
Done = 9384,
Update = 9383,
get_error = 9375,
set_isDone = 9374,
set_error = 9376,
get_isDone = 9373,
set_isDisposed = 9378,
Dispose = 9379,
WaitForDone = 9381,
set_doneDelegate = 9372,
get_isDisposed = 9377
},
CriFsUtility = {
BindDirectory_CriFsBinder_CriFsBinder_string = 9435,
Install_CriFsBinder_string_string_DoneDelegate = 9430,
LoadAssetBundle_CriFsBinder_string_int = 9426,
Install_CriFsBinder_string_string = 9429,
LoadFile_CriFsBinder_string_int = 9424,
WebInstall = 9431,
Install_string_string_DoneDelegate = 9428,
SetUserAgentString = 9438,
BindFile_CriFsBinder_CriFsBinder_string = 9437,
BindCpk_CriFsBinder_string = 9432,
BindFile_CriFsBinder_string = 9436,
BindDirectory_CriFsBinder_string = 9434,
LoadAssetBundle_string_int = 9425,
BindCpk_CriFsBinder_CriFsBinder_string = 9433,
SetProxyServer = 9439,
SetPathSeparator = 9440,
LoadFile_string_int = 9422,
LoadFile_string_DoneDelegate_int = 9423,
Install_string_string = 9427
},
CriFsWebInstallRequest = {
Stop = 9411,
Update = 9413,
Dispose = 9414,
GetCRC32 = 9412
},
["CriMana.Player"] = {
SetExtraAudioTrack_AudioTrack = 173,
SetAudioTrack_AudioTrack = 169,
get_playerHolder = 146,
SetSubAudioTrack_AudioTrack = 171,
UpdateNativePlayer = 193,
get_maxFrameDrop = 131,
UpdateWithUserTime = 3929,
Pause = 155,
get_additiveMode = 129,
SetData = 158,
SetMasterTimerType = 3928,
Loop = 161,
SetMinBufferSize = 167,
get_applyTargetAlpha = 133,
PrepareNativePlayer = 192,
DeallocateSubtitleBuffer = 195,
CuePointCallbackFromNative = 196,
get_movieInfo = 136,
SetVolume = 174,
SetContentId = 159,
IsPaused = 156,
SetSpeed = 164,
SetFile = 157,
get_isFrameAvailable = 135,
get_subtitleSize = 142,
AllocateSubtitleBuffer = 194,
get_status = 138,
SetSubAudioTrack_int = 170,
get_atomEx3DsourceForAmbisonics = 145,
SetBufferingTime = 166,
SetExtraAudioVolume = 176,
OnWillRenderObject = 186,
SetAsrRackId = 184,
SetMovieEventSyncMode = 163,
SetSubAudioBusSendLevel = 178,
SetExtraAudioTrack_int = 172,
UpdateWithManualTimeAdvanced = 3931,
InternalUpdate = 3932,
SetExtraAudioBusSendLevel = 179,
SetSubtitleChannel = 180,
Update = 185,
SetMaxPictureDataSize = 165,
SetSeekPosition = 162,
get_frameInfo = 137,
Dispose = 148,
DisableInfos = 191,
IssuePluginEvent = 188,
SetManualTimerUnit = 3930,
SetAudioTrack_int = 168,
get_atomExPlayer = 144,
Stop = 154,
PrepareForRendering = 152,
StopForSeek = 3927,
SetFileRange = 160,
get_numberOfEntries = 139,
DisposeRendererResource = 150,
GetDisplayedFrameNo = 183,
set_maxFrameDrop = 132,
SetSubAudioVolume = 175,
set_subtitleSize = 143,
SetShaderDispatchCallback = 181,
Prepare = 151,
Dispose_bool = 189,
IssuePluginUpdatesForFrames = 190,
SetBusSendLevel = 177,
CreateRendererResource = 149,
UpdateMaterial = 187,
get_subtitleBuffer = 140,
GetTime = 182,
set_playerHolder = 147,
Start = 153,
set_applyTargetAlpha = 134,
set_additiveMode = 130,
set_subtitleBuffer = 141
},
CriManaAniCtrl = {
PlayMana = 8189,
StopMana = 8190
},
CriManaCpkUI = {
OnDisable = 8191,
Update = 9863,
PlayCpkHandler = 8194,
StopCpk = 8196,
GetCpkPath = 8195,
Start = 8192,
PlayCpk = 8193,
OnDestroy = 8197,
SetPlayEndHandler = 9862
},
CriManaCpkUIWrap = {
Register = 7680,
PlayCpk = 7681,
StopCpk = 7682,
op_Equality = 7683,
set_cpkPath = 7687,
set_cpkPlayOnStart = 7689,
get_cpkPath = 7684,
get_movieName = 7685,
get_cpkPlayOnStart = 7686,
set_movieName = 7688
},
CriManaEffect = {
OnDestroy = 3728,
Start = 3727
},
CriManaEffectUI = {
PrepareForUI = 3732,
OnDestroy = 3731,
Awake = 3729,
Start = 3730
},
CriManaMoviePlayerHolder = {
Awake = 127,
CriInternalUpdate = 3925,
CriInternalLateUpdate = 3926,
Start = 128,
set_player = 126
},
CriManaVp9 = {
SupportCurrentPlatform = 224,
SetupVp9Decoder = 225
},
CriMonoBehaviour = {
Awake = 3933,
OnDestroy = 3934
},
CriMonoBehaviourManager = {
GetIndex = 3937,
Update = 3941,
LateUpdate = 3942,
CreateInstance = 3936,
UnRegister = 3939,
get_instance = 3935,
Awake = 3940,
Register = 3938
},
CriMonoBehaviourWrap = {
get_guid = 7694,
CriInternalLateUpdate = 7692,
Register = 7690,
set_guid = 7695,
op_Equality = 7693,
CriInternalUpdate = 7691
},
CriWareDecrypter = {
Initialize_string_string_bool_bool = 198,
Initialize_CriWareDecrypterConfig = 197,
CallbackFromNative = 199
},
CriWareMgr = {
ChangeChannelType = 7994,
GetCueInfo = 7998,
SetDspBus = 7995,
StopVoice = 8010,
PlayAndCreatePlaybackInfo = 8005,
get_Inst = 7985,
CreateChannel = 7992,
CreateDefaultChannels = 7991,
PlayBattleSE = 8013,
GetInstance = 7987,
StopSE = 8012,
PlayVoice = 8009,
CheckHasCue = 9230,
RemoveDspBus = 7996,
StopSound = 8002,
Init = 7989,
PlayBGM = 8007,
Update = 8000,
PlaySound = 8001,
GetChannelData = 7997,
StopBattleSE = 8014,
LoadAndRegister = 7990,
DebugPrint = 8006,
RemoveChannel = 7993,
PlaySE = 8011,
Awake = 7986,
LoadCueSheet = 8003,
OnGUI = 7988,
TryGetCuePlayData = 7999,
StopBGM = 8008,
UnloadCueSheet = 8004
},
CriWareMgr_CRI_CHANNEL_TYPEWrap = {
IntToEnum = 7703,
get_MULTI_NOT_REPEAT = 7700,
Push = 7697,
CheckType = 7698,
get_SINGLE = 7699,
get_MULTI = 7701,
get_WITHOUT_LIMIT = 7702,
Register = 7696
},
CriWareMgr_CRI_FADE_TYPEWrap = {
Push = 7705,
IntToEnum = 7710,
CheckType = 7706,
get_FADE_INOUT = 7708,
get_FADE_CROSS = 7709,
Register = 7704,
get_NONE = 7707
},
CriWareMgrWrap = {
get_C_VOICE = 7740,
GetCueInfo = 7722,
PlaySound = 7723,
StopBattleSE = 7736,
PlayAndCreatePlaybackInfo = 7727,
get_Inst = 7745,
StopSound = 7724,
set_C_BATTLE_SE = 7750,
PlayBattleSE = 7735,
GetInstance = 7712,
GetChannelData = 7721,
ChangeChannelType = 7718,
CheckHasCue = 8554,
RemoveDspBus = 7720,
LoadAndRegister = 7714,
get_C_BATTLE_SE = 7742,
set_DEBUG_ENABLE = 7746,
set_C_SE = 7749,
PlayVoice = 7731,
Register = 7711,
set_C_BGM = 7747,
op_Equality = 7737,
get_DEBUG_ENABLE = 7738,
RemoveChannel = 7717,
PlaySE = 7733,
set_acfPath = 7752,
LoadCueSheet = 7725,
get_acfPath = 7744,
StopVoice = 7732,
CreateChannel = 7716,
CreateDefaultChannels = 7715,
SetDspBus = 7719,
StopSE = 7734,
get_fadeTime = 7743,
get_C_SE = 7741,
Init = 7713,
PlayBGM = 7729,
set_C_VOICE = 7748,
get_C_BGM = 7739,
DebugPrint = 7728,
StopBGM = 7730,
UnloadCueSheet = 7726,
set_fadeTime = 7751
},
CueData = {
GetKey = 8016,
ParseKey = 8017
},
CueDataWrap = {
get_channelName = 7757,
Register = 7753,
set_channelName = 7760,
GetKey = 7755,
_CreateCueData = 7754,
set_cueSheetName = 7761,
set_cueName = 7762,
ParseKey = 7756,
get_cueSheetName = 7758,
get_cueName = 7759
},
CuePlayData = {
ClearPlayback = 8029,
StopAllPlayback = 8024,
CheckDelayDispose = 8027,
Dispose = 8030,
CheckAllPlaybackEnd = 8023,
DelayDispose = 8026,
ResetDispose = 8025,
CheckDelayEnd = 8028
},
CueSheetLoadData = {
CallbackHander = 8018,
ClearEvent = 8019,
Reset = 8021,
Dispose = 8022,
CheckAllPlaybackEnd = 8020
},
CVUpdateMgr = {
Awake = 2847,
get_Inst = 2846
},
DebugMgr = {
get_AutoScroll = 2851,
PushProtoSent = 2859,
get_DebugPanel = 2849,
DeactiveQATool = 2858,
get_ToolPanel = 2850,
get_Inst = 2848,
set_AutoScroll = 2852,
Return2Debug = 2856,
HandleLog = 2861,
Switch2QATool = 2855,
Awake = 2860,
Active = 2853,
Deactive = 2854,
ActiveQATool = 2857
},
DftAniEvent = {
SetStartEvent = 943,
OnAniEnd = 942,
OnDestroy = 946,
SetEndEvent = 945,
SetTriggerEvent = 944,
OnAniStart = 940,
OnTrigger = 941
},
["DigitalSea.Scipio"] = {
www = 8201
},
DownloadMgr = {
DoCheckD = 2872,
CheckF = 2866,
DoUpdateD = 2873,
Clear = 2871,
NeedD = 2868,
UpdateF = 2867,
SetDisplayInfo = 8042,
StartVerify = 8039,
DoUpdateD_bool = 8038,
DisplayMsg = 8043,
UpdateHashFile = 2876,
CleanD = 2875,
VerifyResources = 8040,
FindF = 2865,
DoUpdateF = 2874,
DisplayDialog = 2880,
get_currentVersion = 2862,
FixVersion = 2879,
CheckD = 2869,
DisplayInfo = 8041,
GetCurrentServer = 2878,
SetV = 2864,
UpdateD = 2870,
OnError = 2877,
Awake = 2863
},
DownloadUI = {
SetCancelCallBack = 9705,
UpdateProgressBar = 9710,
UpdateProgressInfo = 9712,
UpdateInfoPanel = 9716,
SetCloseCallBack = 9704,
get_Inst = 9703,
ChangeBlur = 9717,
DisplayUpdatePanel = 9714,
DestroyUI = 9719,
DisplayDialog_string = 9708,
BackPress = 9718,
SetConfirmCallBack = 9706,
SetDialogCallBack = 9707,
["DisplayDialog_string_Action<bool>_bool"] = 9709,
DisplayProgress = 9713,
UpdateProgressBarDirect = 9711,
DisplayInfoPanel = 9715
},
DrawPolygon = {
Awake = 3181,
draw = 3182
},
Effect = {
get_ps = 9806,
Stop = 3160,
get_rtf = 9804,
animStoped = 3161,
get__go = 9802,
GetCurrLocalPosition = 9810,
updatePosition_Vector3_float = 3163,
get_isPlaying = 3158,
updatePosition_Vector3 = 3162,
set_rtf = 9803,
set_isPlaying = 3157,
AnimBeStoped = 9807,
set__go = 9801,
Play = 3159,
set_ps = 9805,
UpdatePosition_Vector3_float = 9809,
UpdatePosition_Vector3 = 9808
},
EffectScriptSample = {
Start = 2130,
CheckProperty = 2128,
LateUpdate = 2133,
Update = 2131,
Awake = 2129,
FixedUpdate = 2132,
OnDrawGizmos = 2134
},
EnhanceItem = {
Awake = 3183,
OnClickScrollViewItem = 3185,
Start = 3184,
UpdateScrollViewItems = 3186
},
EnhancelScrollView = {
Update = 3192,
SortDepth = 3195,
GetMoveCurveFactorCount = 3196,
SetHorizontalTargetItemIndex = 3197,
GetXPosValue = 3194,
Start = 3190,
GetInstance = 3188,
GetScaleValue = 3193,
Awake = 3189,
UpdateEnhanceScrollView = 3191
},
["EnhancelScrollView.CompareDepthMethod"] = {
Compare = 3187
},
EventTriggerListener = {
OnBeginDrag = 2770,
OnScroll = 2774,
OnDrop = 2773,
OnPointerUp = 2768,
OnPointerExit = 2766,
RemovePointClickFunc = 2736,
AddPointExitFunc = 2753,
OnPointerClick = 2764,
RemovePointEnterFunc = 2738,
OnInitializePotentialDrag = 2769,
RemovePointDownFunc = 2737,
AddPointDownFunc = 2751,
RemovePointExitFunc = 2739,
AddDragFunc = 2757,
OnUpdateSelected = 2777,
RemoveBeginDragFunc = 2742,
AddPointEnterFunc = 2752,
RemoveDropFunc = 2745,
RemovePointUpFunc = 2740,
ClearEvents = 2778,
AddDropFunc = 2759,
OnSelect = 2776,
RemoveScrollFunc = 2746,
OnMove = 2775,
OnPointerEnter = 2765,
OnPointerDown = 2767,
RemoveDragFunc = 2743,
AddCheckDragFunc = 2755,
AddBeginDragFunc = 2756,
OnDestroy = 2779,
RemoveMoveFunc = 2749,
Get = 2735,
AddSelectFunc = 2761,
AddPointClickFunc = 2750,
OnEndDrag = 2772,
AddMoveFunc = 2763,
OnDrag = 2771,
AddScrollFunc = 2760,
AddUpdateSelectFunc = 2762,
RemoveDragEndFunc = 2744,
RemoveSelectFunc = 2747,
AddDragEndFunc = 2758,
RemoveCheckDragFunc = 2741,
AddPointUpFunc = 2754,
RemoveUpdateSelectFunc = 2748
},
FaceMainCam = {
LateUpdate = 951,
Start = 950
},
FileTool = {
SearchPath = 3735,
GetAllFiles = 3734,
GetCurrentDirectiory = 3733
},
FixedDefine = {
CheckNextVersion = 9227
},
FixedDefineWrap = {
CheckNextVersion = 8557,
_CreateFixedDefine = 8556,
Register = 8555
},
FMultiSpriteRenderCtrl = {
UpdateAlpha = 8518,
Update = 8517,
Awake = 8515,
Init = 8516
},
FMultiSpriteRenderCtrlWrap = {
UpdateAlpha = 8424,
get_alpha = 8426,
Register = 8422,
op_Equality = 8425,
set_alpha = 8427,
Init = 8423
},
FreeConnectMgr = {
ConvertFreeUrl = 8112,
get_count = 8108,
set_count = 8107,
get_inst = 8109,
SetFreeHost = 8113,
SwitchToFreeUrl = 8111,
get_total = 8106,
set_total = 8105,
Init = 8110
},
FScrollItem = {
OnScrollInit = 8127,
OnPointerDown = 8130,
OnPointerUp = 8131,
OnScrollClick = 8128,
OnScrollPitch = 8129
},
FScrollItemWrap = {
OnScrollInit = 7764,
get_ItemID = 7771,
set_rectTF = 7777,
OnScrollClick = 7765,
set_lastPointer = 7776,
op_Equality = 7769,
get_rectTF = 7773,
OnScrollPitch = 7766,
get_lastPointer = 7772,
OnPointerDown = 7767,
Register = 7763,
get_scrollPage = 7770,
OnPointerUp = 7768,
set_ItemID = 7775,
set_scrollPage = 7774
},
FScrollPage = {
OnPointerUp = 8149,
moveToItem = 8143,
OnPointerExit = 8150,
getProgress = 8144,
SetMaxItemAsLast = 8135,
MouseMove = 8138,
MoveToItemID = 8134,
moveBack = 8142,
Init = 8133,
MoveScrollItem = 8139,
Update = 8137,
OnScrollUp = 8146,
BackEaseOut = 8132,
Start = 8136,
UpdataPostion = 8141,
OnScrollDown = 8147,
OnPointerDown = 8148,
PostionScrollItem = 8140,
sizeUpdata = 8145
},
FScrollPageWrap = {
set_ChildNum = 7809,
set_MiddleIndexOnInit = 7811,
set_PitchAlpha = 7824,
OnPointerUp = 7783,
get_itemPitchCallback = 7807,
get_itemInitedCallback = 7805,
get_SlideCoefficient = 7796,
Register = 7778,
get_IsBanItemClick = 7804,
set_NarrowScale = 7820,
set_itemInitedCallback = 7827,
set_IsPitchMod = 7821,
OnPointerDown = 7782,
set_PicthScale = 7819,
get_Margin = 7792,
get_ChildTpl = 7788,
set_ScrollSize = 7815,
OnPointerExit = 7784,
get_CenterAnchorPosition = 7791,
set_Content = 7812,
MoveToItemID = 7780,
op_Equality = 7785,
set_IsSlipMode = 7825,
get_Content = 7790,
set_itemPitchCallback = 7829,
set_NormalAlpha = 7823,
set_Margin = 7814,
set_SlideDis = 7817,
set_IsBanItemClick = 7826,
get_SlideType = 7794,
set_CenterAnchorPosition = 7813,
get_IsPitchMod = 7799,
get_NarrowScale = 7798,
get_IsAutoInit = 7786,
set_itemClickCallback = 7828,
get_itemClickCallback = 7806,
get_PicthScale = 7797,
get_NormalAlpha = 7801,
get_ScrollSize = 7793,
set_SlideCoefficient = 7818,
get_IsFadeMode = 7800,
set_SlideType = 7816,
get_IsSlipMode = 7803,
set_ChildTpl = 7810,
get_MiddleIndexOnInit = 7789,
Init = 7779,
SetMaxItemAsLast = 7781,
set_IsFadeMode = 7822,
get_PitchAlpha = 7802,
get_ChildNum = 7787,
FScrollPage_FScrollItemCallback = 7830,
set_IsAutoInit = 7808,
get_SlideDis = 7795
},
FXMakerAsset = {
DeleteEffectPrefab = 1311,
SaveEffectPrefab = 1312,
SetPingObject_Object_Object = 1317,
AssetDatabaseRefresh = 1314,
AssetDatabaseSaveAssets = 1315,
RenameEffectPrefab = 1313,
SetPingObject_Object = 1316,
["SetPingObject_Object[]"] = 1318,
CopyEffectPrefab = 1309,
CloneEffectPrefab = 1310
},
FXMakerBackground = {
RenameCurrentPrefab = 1348,
LoadProject = 1329,
BuildResourceContents = 1336,
ShowRightMenu = 1340,
LoadBackgroundFolder = 1334,
LoadResourceFolder = 1335,
winMenuToolbar = 1338,
OnEnable = 1322,
SaveBackgroundPrefab = 1347,
ClonePrefab = 1344,
Update = 1324,
SetCurrentBackgroundInfo = 1337,
GetBackgroundPrefabRect = 1325,
NewPrefab = 1343,
winResourceList = 1346,
OnDisable = 1323,
OnGUI = 1326,
winMenuEdit = 1339,
SelectToolbar_int_string = 1332,
SaveProject = 1330,
SetActiveBackground = 1333,
PingPrefab = 1342,
Start = 1321,
ShowBackground = 1327,
GetRect_Resources = 1319,
ThumbPrefab = 1345,
CheckRightMenu = 1341,
UpdateBackground = 1328,
SelectToolbar_int_int = 1331,
Awake = 1320
},
FXMakerCapture = {
GetExportSlitDir = 1351,
EndSpriteCapture = 1361,
EndSaveEffectThumb = 1353,
StartSaveBackThumb = 1356,
CaptureSprite = 1360,
EndSaveBackThumb = 1357,
GetCaptureScreenShotDir = 1349,
CaptureScreenShot = 1350,
EndSaveEffectThumbCoroutine = 1354,
StartSpriteCapture = 1359,
EndSaveBackThumbCoroutine = 1358,
GetThumbCaptureRect = 1355,
StartSaveEffectThumb = 1352
},
FXMakerClipboard = {
SetClipboardPrefab = 1374,
IsMaterial = 1368,
ObjectCopy_Transform_Transform_bool = 1385,
IsObject = 1364,
PasteObject = 1384,
IsPrefab = 1363,
GetName = 1370,
OnEnable = 1383,
SetClipboardObject = 1377,
SetClipboardTransform = 1380,
IsGameObject = 1366,
IsTransform = 1365,
OverwriteClipboardObject = 1379,
CheckDeletePrefab = 1375,
IsComponent = 1367,
SetClipboardComponent = 1382,
PasteClipboardColor = 1373,
PasteClipboardObject = 1378,
IsAnimationClip = 1369,
ObjectCopy_AnimationClip_Transform_int = 1388,
ClearClipboard = 1362,
SetClipboardGameObject = 1381,
ObjectCopy_Component_Transform_Object_bool_bool_bool = 1386,
ObjectCopy_Material_Transform_int = 1387,
SetClipboardColor = 1372,
PasteClipboardPrefab = 1376,
GetObject = 1371
},
FXMakerControls = {
OnGUIControl = 1403,
OnEnable = 1399,
GetLastAutoRetTime = 1390,
invokeStopTimer = 1405,
RotateFront = 1409,
OnActionTransEnd = 1408,
SetTimeScale = 1412,
IsRepeat = 1391,
DelayCreateInstanceEffect = 1410,
GetTimeScale = 1389,
GetRepeatTime = 1393,
SetStartTime = 1394,
LoadPrefs = 1395,
ResumeTimeScale = 1413,
Awake = 1398,
IsAliveAnimation = 1402,
Update = 1401,
IsAutoRepeat = 1392,
winActionToolbar = 1404,
Start = 1400,
RunActionControl = 1406,
CreateInstanceEffect = 1411,
SetTransIndex = 1396,
RunActionControl_int_int = 1407,
SetDeactiveRepeatPlay = 1397
},
FXMakerEffect = {
SelectToolbar_int_string_string = 1434,
LoadProject = 1426,
SetChangePrefab = 1431,
ShowRightMenu = 1446,
Start = 1421,
winMenuToolbar = 1441,
GetRect_Group = 1415,
OnEnable = 1420,
SetCurrentEffectPrefab = 1437,
RenameCurrentPrefab = 1458,
winTopRight = 1442,
SaveProject_bool = 1429,
GetGroupIndex_int = 1417,
PastePrefab = 1452,
ChangeActiveState = 1430,
LoadProject_string = 1427,
CutPrefab = 1451,
GetProjectContents = 1440,
SelectToolbar_int_int_string = 1433,
SaveProject = 1428,
BuildContents = 1439,
PingPrefab = 1448,
GetWindowRect = 1414,
ExportPrefab = 1457,
CopyPrefab = 1450,
ThumbPrefab = 1455,
SelectToolbar_int_int_int = 1432,
ShowNewMenu = 1444,
winEffectList = 1443,
LoadEffectFolder = 1438,
GetCurrentDirPath = 1449,
SetGroupIndex = 1418,
ClonePrefab = 1454,
SpritePrefab = 1456,
GetGroupIndex = 1416,
Update = 1422,
CheckNewMenu = 1445,
SetActiveEffect = 1436,
IsReadOnlyFolder_string = 1424,
NewPrefab = 1453,
LoadGroup = 1435,
OnGUI = 1423,
CheckRightMenu = 1447,
IsReadOnlyFolder = 1425,
Awake = 1419
},
FXMakerGizmo = {
AddScale = 1483,
GridMovePos = 1472,
IsGrayscale = 1462,
GetTempTransform = 1492,
OnDisable = 1468,
MoveTranslate = 1481,
IsLocalSpace = 1461,
OnEnable = 1467,
GetEuler = 1491,
DrawOriginalGizmo = 1474,
OnGUIGizmo = 1488,
IsWireframe = 1464,
IsGridMove = 1465,
GetPosition = 1485,
DrawGuiGizmo = 1478,
GetRotation = 1486,
SetSpriteCaptureState = 1493,
Awake = 1466,
DrawGizmoAxis_AXIS_bool_float_float = 1475,
GetInstanceObject = 1484,
GetScale = 1487,
DrawGizmoAxis_Transform_AXIS_float_bool = 1477,
AddTranslate = 1480,
DrawGuiGizmoAxis = 1479,
DrawLocalGizmo = 1476,
GetDirect = 1490,
AddRotation = 1482,
IsBoundsBox = 1463,
SetGizmoType = 1489,
GetGizmoContents = 1495,
Update = 1470,
LoadPrefs = 1459,
Start = 1469,
IsActiveAxis = 1460,
UpdateGrid = 1494,
UpdateGridMove = 1471,
OnDrawGizmos = 1473
},
FXMakerGrayscaleEffect = {
OnRenderImage = 1206
},
FXMakerHierarchy = {
DeleteHierarchyObject_Transform_Object_int = 1504,
IsMeshFromMeshList = 1535,
GetDragButtonRect = 1528,
DrawLinkVLine = 1531,
TrimObjectName = 1526,
OnAddGameObject = 1541,
SetColorscale = 1548,
OnEnable = 1499,
OnActiveHierarchy = 1540,
DrawWarringIcon = 1520,
DrawLinkHLine = 1530,
ResetScrollView = 1515,
SetDragObject = 1521,
OnEnableComponent = 1544,
ChangeBoundsBoxWireframe = 1549,
CheckMissing = 1524,
DropObject = 1523,
OnDeleteComponent = 1543,
AddGameObject = 1533,
CheckHierarchyRightPopup = 1517,
DrawAddOnButton = 1518,
ChangeActiveColor = 1527,
DeleteHierarchyObject_Object = 1503,
SetActiveGameObject = 1511,
OnAddComponent = 1542,
DrawEnableButton = 1519,
SetHoverComponent = 1510,
GetMeshFromMeshList = 1536,
GetSelectedGameObject = 1508,
AddTranslate = 1502,
SetBoundsBoxWireframe = 1550,
GetGridButtonRect = 1529,
winEffectHierarchy = 1514,
OnCreateInstanceEffect = 1545,
ShowHierarchy = 1507,
SetEnableGameObject = 1513,
GetShowGameObject = 1509,
NewChildGameObject = 1539,
OnChangeSelectGameObject = 1546,
ChangeColorscale = 1547,
ClearDragObject = 1522,
CheckInputArrow = 1525,
LoadPrefs = 1496,
DrawHierarchy = 1516,
GetWindowRect = 1497,
SetActiveComponent = 1512,
OnGUIHierarchy = 1505,
Update = 1501,
UpdateMeshList = 1534,
CheckAddObjectRightPopup = 1538,
ShowAddObjectRightPopup = 1537,
Start = 1500,
ChangeGameObjectSpeed = 1532,
Awake = 1498,
ShowUVIndex = 1506
},
FXMakerImageEffectBase = {
get_material = 1208,
Start = 1207,
OnDisable = 1209
},
FXMakerLayout = {
GetMenuTopRightRect = 1562,
ModalWindow = 1586,
GetMenuTestPanelRect = 1572,
GetAspectScrollViewRect = 1576,
GetToolMessageRect = 1567,
GetVaildInputKey = 1578,
GetTooltipRect = 1568,
GetChildVerticalRect = 1556,
GetEffectHierarchyRect = 1565,
GetChildTopRect = 1554,
GetMenuChangeRect = 1560,
GetFixedWindowWidth = 1551,
GetEffectListRect = 1564,
GetInnerVerticalRect = 1557,
GetAspectScrollGridRect = 1577,
GetActionToolbarRect = 1566,
GetChildHorizontalRect = 1558,
["TooltipSelectionGrid_Rect_Rect_int_GUIContent[]_int"] = 1582,
GetModalMessageRect = 1570,
setHotControl = 1587,
GetCursorTooltipRect = 1569,
GetWindowId = 1553,
["TooltipSelectionGrid_Rect_Rect_int_GUIContent[]_int_GUIStyle"] = 1583,
GetClientRect = 1573,
GetMenuToolbarRect = 1561,
["TooltipSelectionGrid_Rect_Rect_Rect_int_GUIContent[]_int"] = 1584,
GetInnerHorizontalRect = 1559,
GetChildBottomRect = 1555,
GetScrollGridRect = 1575,
GetScrollViewRect = 1574,
["TooltipToolbar_Rect_Rect_int_GUIContent[]_GUIStyle"] = 1581,
["TooltipToolbar_Rect_Rect_int_GUIContent[]"] = 1580,
GetGridHoverIndex = 1579,
["TooltipSelectionGrid_Rect_Rect_Rect_int_GUIContent[]_int_GUIStyle"] = 1585,
GetTopMenuHeight = 1552,
GetMenuGizmoRect = 1571,
GetResListRect = 1563
},
FXMakerMain = {
CaptureSpriteImage = 1607,
ToggleGlobalLangSkin = 1611,
UnactiveOriginalObject = 1653,
GetGrayscaleCamera = 1589,
LoadTool = 1626,
SaveTooltip_string = 1648,
GetFXMakerQuickMenu = 1592,
GetInstanceEffectObject = 1637,
OnHoverCommand_Popup = 1615,
StartSpriteCapture = 1602,
ProcessTooltip = 1652,
SetFocusInputKey = 1622,
winMenuChange = 1614,
ClearCurrentEffectObject = 1638,
IsWindowFocus = 1618,
CaptureSpriteImageCoroutine = 1606,
IsGUIMousePosition = 1597,
IsFrameCreateInstance = 1598,
IsCurrentEffectObject = 1632,
GetUnityFrameCount = 1595,
GetOriginalEffectPrefab = 1633,
OnApplicationQuit = 1610,
GetInstanceRoot = 1641,
GetFocusUnityWindow = 1650,
GetPrefabThumbTexture_GameObject = 1623,
OnGUIStart = 1612,
SetActiveTool = 1630,
GetPrefabThumbTexture_string = 1624,
OnGUIEnd = 1613,
Update = 1608,
OnHoverCommand_Button = 1616,
IsLoadingProject = 1625,
AutoFocusWindow = 1644,
Awake = 1603,
CreateCurrentInstanceEffect_GameObject = 1643,
IsSpriteCapture = 1601,
StartThumbCapture = 1600,
SetEmptyTooltip = 1594,
OnEnable = 1604,
SetCurrentEffectPrefab = 1639,
GetFXMakerMouse = 1590,
OnRuntimeIntance = 1617,
ModalMsgWindow = 1646,
PopupFocusWindow = 1645,
IsStartTooMain = 1599,
GetOriginalEffectObject = 1634,
GetFocusInputKey = 1621,
ChangeRoot_OriginalEffectObject = 1635,
GetPrevWindowFocus = 1620,
ChangeRoot_InstanceEffectObject = 1636,
ResetCamera = 1631,
GetOnGUICallCount = 1596,
OpenPrefab = 1627,
SaveTool_string_bool = 1629,
CreateCurrentInstanceEffect_bool = 1640,
RemoveInvaildComponent = 1642,
GetWindowFocus = 1619,
OnApplicationPause = 1609,
SavePriorityTooltip = 1649,
GetFXMakerHierarchy = 1593,
SaveTooltip = 1647,
Start = 1605,
GetFXMakerControls = 1591,
GetResourceDir = 1588,
CheckFocusedUnityWindow = 1651,
SaveTool_string = 1628
},
FXMakerMouse = {
ClampAngle = 1663,
OnEnable = 1659,
Update = 1661,
GetLeftButtonUp = 1666,
ChangeAngle_float_float = 1654,
GetRightButtonDown = 1668,
GetRightButton = 1670,
UpdatePosition = 1664,
SetHandControl = 1657,
ChangeAngleH = 1656,
GetLeftButtonDown = 1665,
GetLeftButton = 1667,
Start = 1660,
GetRightButtonUp = 1669,
UpdateCamera = 1662,
ChangeAngle_float = 1655,
SetDistance = 1658
},
FXMakerOption = {
NormalizeCurveTime = 1677,
Update = 1673,
LateUpdate = 1675,
FixedUpdate = 1674,
Awake = 1671,
Start = 1672,
OnDrawGizmos = 1676
},
FXMakerPicking = {
Awake = 1678,
OnDisable = 1680,
LateUpdate = 1682,
Start = 1681,
OnEnable = 1679
},
FXMakerQuickMenu = {
OnGUIControl = 1689,
Update = 1688,
RunReplayEffect = 1695,
IsParticleEmitterOneShot_ParticleEmitter = 1691,
CreateReplayEffect = 1694,
LoadPrefs = 1683,
Start = 1687,
OnEnable = 1685,
IsParticleEmitterOneShot_TempParticleEmitter = 9750,
CheckNotSupportComponents = 1693,
CheckNotSupportComponent = 1692,
winActionToolbar = 1690,
Awake = 1684,
OnDisable = 1686
},
FXMakerSimulate = {
GetArcPos = 1706,
SimulateCircle = 1701,
SimulateStart = 1705,
Start = 1708,
Awake = 1707,
FixedUpdate = 1710,
Stop = 1704,
SimulateScale = 1703,
SimulateMove = 1697,
Init = 1696,
SimulateRaise = 1700,
Update = 1709,
SimulateArc = 1698,
SimulateTornado = 1702,
SimulateFall = 1699,
LateUpdate = 1711,
OnMoveEnd = 1712
},
FXMakerTooltip = {
GetHsEditor_NcAttachSound = 1762,
GetHsFolderPopup_Texture = 1755,
GetHcFolderPopup_Texture = 1756,
GetHsEditor_NcParticleSpiral = 1769,
GetHcFolderPopup_Common = 1753,
AddPopupPreview = 1721,
CheckValid = 1728,
GetHcGizmo = 1745,
GetHsScriptMessage = 1731,
GetHcToolMain_string = 1733,
GetHcEffectControls_Rotate = 1744,
GetHsToolBackground = 1735,
GetGUIContentImage = 1714,
GetHcFolderPopup_NcInfoCurve = 1754,
GetHsToolMessage = 1729,
GetHsEditor_NcAutoDeactive = 1763,
GetHsEditor_NcAttachPrefab = 1761,
GetHsToolInspector = 1730,
GetHsEditor_NcDelayActive = 1766,
GetHcEffectHierarchy = 1747,
GetHsEditor_NcSpriteFactory = 1773,
GetHsEditor_NcCurveAnimation = 1758,
CheckAllFunction = 1727,
AddHintRect = 1722,
GetHcEffectControls_Trans = 1743,
GetHintRect = 1723,
WindowDescription = 1732,
GetHcToolEffect_CameraX = 1739,
GetHcToolEffect = 1738,
GetHsEditor_NcBillboard = 1765,
GetHcPopup_EffectScript = 1751,
GetHsEditor_NcAddForce = 1760,
GetHsEditor_NcSpriteAnimation = 1759,
GetHsEditor_NcParticleSystem = 1771,
GetHsEditor_NcRotation = 1772,
GetHsEditor_NcTilingTexture = 1775,
GetLang = 1726,
GetTooltip = 1719,
GetHsToolEffect = 1737,
GetHcEffectHierarchy_Box = 1748,
Tooltip_string_string = 1718,
GetHcToolMain_string_string = 1734,
AddCommand = 1720,
GetHcPopup_GameObject = 1750,
GetHsEditor_NcDetachParent = 1767,
TooltipError = 1725,
TooltipSplit = 1724,
GetHsEditor_NcParticleEmit = 1770,
GetGUIContentNoTooltip_string = 1716,
GetHcToolBackground = 1736,
GetHsEditor_NcUvAnimation = 1777,
GetHsEditor_NcAutoDestruct = 1764,
GetHcEffectControls_Play = 1742,
GetHcEffectControls = 1741,
GetHsEditor_FXMakerOption = 1757,
GetHsEditor_NcSpriteTexture = 1774,
GetGUIContent = 1713,
GetHsEditor_NcDuplicator = 1768,
GetHcPopup_Sprite = 1749,
Tooltip_string = 1717,
GetHcEffectGizmo = 1746,
GetGUIContentNoTooltip = 1715,
GetHsEditor_NcTrailTexture = 1776,
GetHcToolEffect_CameraY = 1740,
GetHcPopup_Transform = 1752
},
FXMakerWireframe = {
GetParticleComponent = 1780,
InitWireframe_Transform = 1781,
GetLastParticlePostions = 1784,
Update = 1787,
InitWireframe_Transform_bool_bool_bool = 1782,
CreateTempObject = 1790,
Start = 1786,
SetWireframe = 1791,
GetParticleCount = 1783,
GetParticlePostions = 1785,
IsLegacy = 1779,
InitLineMaterial = 1792,
RenderParticleWire = 1789,
IsShuriken = 1778,
OnRenderObject = 1788,
UpdateLines = 1793
},
FxmFolderPopup = {
winAlpha = 1806,
LoadGroups = 1815,
LoadObjects = 1818,
DrawFolderList = 1808,
invokeLoadObjects = 1817,
Start = 1800,
winPreview = 1804,
DrawBottomRect = 1811,
SetGroupIndex = 1816,
winPopup = 1807,
SetProjectIndex = 1814,
winColor = 1805,
IsReadOnlyFolder_string = 1820,
OnGUIPopup = 1802,
IsReadOnlyFolder = 1821,
UpdatePopupColumn = 1797,
GetHelpContent = 1822,
Update = 1801,
Awake = 1799,
SetPreviewTexture = 1798,
DrawObjectList = 1809,
LoadPrefs = 1795,
DrawOverObjectList = 1810,
GetPopupRect = 1812,
SavePrefs = 1796,
ShowPopupWindow = 1794,
LoadProjects = 1813,
SetActiveObject = 1819,
DrawPreviewTexture = 1803
},
FxmFolderPopup_NcCurveAnimation = {
AddObjects = 1830,
Update = 1826,
SetCurveAni = 1833,
DrawBottomRect = 1828,
BuildContents = 1831,
LoadObjects = 1829,
Start = 1825,
UndoCurveAni = 1834,
SaveCurveAniToPrefabFile = 1835,
SetActiveObject = 1832,
ShowPopupWindow = 1823,
OnGUIPopup = 1827,
Awake = 1824
},
FxmFolderPopup_NcInfoCurve = {
ShowRightMenu = 1842,
LoadGroups = 1847,
CheckRightMenu = 1843,
LoadObjects = 1848,
DrawCurve = 1844,
SaveAddCurvePrefab = 1853,
OnGUIPopup = 1840,
DeleteCurveInfo = 1854,
GetCurveInfo = 1849,
GetHelpContent = 1855,
Update = 1839,
SetCurveAni = 1851,
DrawBottomRect = 1845,
DrawObjectList = 1841,
Start = 1838,
UndoCurveAni = 1852,
ShowPopupWindow = 1836,
LoadProjects = 1846,
SetActiveObject = 1850,
Awake = 1837
},
FxmFolderPopup_Prefab = {
AyncLoadObject = 1872,
ShowSelectPopupWindow = 1857,
SaveCurrentObjectToPrefabFile = 1876,
LoadObjects = 1868,
GetAttachPrefab = 1877,
GetCurrentDirPath = 1869,
ShowSelectMeshPopupWindow = 1858,
ShowPrefabPopupWindow = 1856,
OnGUIPopup = 1865,
GetObjectInfo = 1873,
UndoObject = 1867,
GetObjectNodePrefab = 1861,
AddObjects = 1870,
SetShowOption = 1859,
Update = 1864,
ClosePopup = 1860,
DrawBottomRect = 1866,
BuildContents = 1871,
Start = 1863,
SetAttachPrefab = 1878,
GetMeshInfo = 1874,
SetActiveObject = 1875,
Awake = 1862
},
FxmFolderPopup_Texture = {
AyncLoadObject = 1910,
SaveMaterial = 1917,
SetSelectedTransformMaterial = 1906,
Start = 1885,
SetActiveObject_Texture_bool = 1902,
winAlpha1 = 1893,
winColor0 = 1890,
ShowPopupWindow_Transform_int = 1879,
BuildContents = 1909,
ChangeMaterialColor = 1880,
DrawOverObjectList = 1894,
CreateMaterials = 1916,
CreateDefaultMaterial = 1905,
CreateNewShaderMaterials = 1914,
Awake = 1884,
GetHelpContent = 1918,
winPreview0 = 1889,
DrawBottomMenuRect = 1899,
ShowPopupWindow_Object_bool = 1881,
SetActiveMaterial = 1903,
DrawBottomMaterialRect = 1898,
BuildNewShaderContents = 1915,
GetTextureInfo = 1911,
DrawOverBox = 1895,
winColor1 = 1891,
winAlpha0 = 1892,
LoadObjects = 1907,
UndoObject = 1900,
DrawBottomPaletteRect = 1897,
OnGUIPopup = 1887,
Update = 1886,
ClosePopup = 1882,
DrawBottomRect = 1896,
GetObjectNodeTexture = 1883,
AddObjects = 1908,
BuildCurrentTextureContents = 1913,
FindCurrentTextureMaterials = 1912,
SetActiveObject_int = 1901,
SetActiveMaterialColor = 1904,
DrawPreviewMaterial = 1888
},
FxmInfoBackground = {
SetPingObject = 1920,
Update = 1929,
SetCloneObject = 1925,
SetReferenceObject = 1926,
SetActive = 1919,
GetChildObject = 1921,
FixedUpdate = 1930,
ShowBackground = 1924,
GetReferenceObject = 1923,
Start = 1928,
LateUpdate = 1931,
GetClildThumbFilename = 1922,
Awake = 1927,
OnDrawGizmos = 1932
},
FxmInfoIndexing = {
FindInstanceIndexings = 1935,
IsParticle = 1939,
InitPicking = 1946,
SetOriginal = 1938,
Start = 1943,
CreateWireObject = 1948,
CreateInstanceIndexing = 1933,
OnAutoInitValue = 1936,
FindInstanceIndexing = 1934,
DrawBox = 1945,
OnDrawGizmos = 1944,
IsPickingParticle = 1942,
IsMesh = 1940,
GetParticleCount = 1941,
SetBoundsWire = 1947,
SetSelected = 1937
},
FxmMenuPopup = {
GetLineCount = 1952,
Update = 1955,
Awake = 1953,
GetSelectedIndex = 1951,
Start = 1954,
GetPopupRect = 1958,
winPopup = 1957,
["ShowPopupWindow_string_string[]"] = 1949,
GetHelpContent_string = 1959,
OnGUIPopup = 1956,
GetHelpContent_string_string = 1960,
["ShowPopupWindow_string_string[]_bool[]"] = 1950
},
FxmPopup = {
ClosePopup_bool = 1962,
RestoreGUIEnable = 1984,
UndoObject = 1965,
SetGUIEnable = 1983,
ClampWindow = 1981,
GetPopupRectLeftBottom = 1977,
IsShowPopup = 1963,
GetPopupRectTop = 1975,
UnwindowClose = 1972,
GetPopupRectRight2 = 1979,
UnscreenClose = 1973,
GetPopupRectCenter = 1980,
GetPopupRectBottom = 1976,
OnGUIPopup = 1971,
GetPopupListRect = 1982,
Update = 1970,
ClosePopup = 1961,
Start = 1969,
GetPopupRect = 1967,
UnfocusClose = 1974,
GetPopupRectRight = 1978,
ShowPopupWindow = 1964,
SetAddObject = 1966,
Awake = 1968
},
FxmPopup_GameObject = {
LoadScriptList = 1992,
Update = 1988,
Awake = 1986,
GetHelpContentScript = 1996,
Start = 1987,
GetPopupRect = 1991,
winPopup = 1990,
ShowPopupWindow = 1985,
GetHelpContent_string = 1994,
OnGUIPopup = 1989,
GetHelpContent_string_string = 1995,
AddScript = 1993
},
FxmPopup_Object = {
GetPopupRect = 2004,
Update = 2001,
Awake = 1999,
Start = 2000,
ShowPopupWindow_OBJECT_TYPE_Transform_Object_int = 1997,
winPopup = 2003,
ShowPopupWindow_Object = 1998,
GetHelpContent_string = 2005,
OnGUIPopup = 2002,
GetHelpContent_string_string = 2006
},
FxmPopup_Transform = {
CopyTransform = 2022,
GetNextValue_TRANS_TYPE_float = 2018,
GetNextValue_TRANS_TYPE_Vector3 = 2020,
SetLocalEulerAnglesHint = 2028,
SaveTransform = 2024,
RecreateInstance = 2029,
GetPrevValue_TRANS_TYPE_Vector3 = 2019,
CopyWorldScale = 2026,
GetNextName = 2016,
winPopup = 2013,
SetTransform = 2025,
ResetTransform = 2021,
GetPrevName = 2015,
OnGUIPopup = 2012,
InitFloatInput = 2008,
PasteTransform = 2023,
GetHelpContent = 2030,
Update = 2011,
GetPrevValue_TRANS_TYPE_float = 2017,
GetLocalEulerAnglesHint = 2027,
Start = 2010,
GetPopupRect = 2014,
ShowPopupWindow = 2007,
Awake = 2009
},
FxmPopupManager = {
ShowSavePrefabPopup = 2082,
GetCurrentMenuPopup = 2062,
GetCurrentFolderPopup = 2078,
ClearStaticBottomMessage = 2051,
GetSelectedIndex = 2066,
ShowAddPrefabPopup = 2081,
OnGUIToolMessage = 2037,
ShowNcInfoCurvePopup = 2090,
IsShowModalMessage = 2095,
HideHierarchyPopup = 2077,
IsShowCurrentMenuPopup = 2063,
ShowStaticMessage = 2056,
OnGUIFolderPopup = 2040,
ShowToolMessage_string_float = 2044,
["ShowMenuPopup_string_string[]_bool[]"] = 2065,
SetScriptTooltip = 2054,
IsGUIMousePosition = 2061,
OnGUIHierarchyPopup = 2041,
IsShowSpritePopup = 2068,
HideSpritePopup = 2071,
HideAllPopup = 2060,
ShowWarningMessage = 2045,
UpdateBringWindow = 2057,
GetModalMessageValue = 2094,
CloseNcPrefabPopup = 2091,
["ShowMenuPopup_string_string[]"] = 2064,
IsContainsHierarchyPopup = 2073,
GetSpritePopup = 2069,
HideModalMessage = 2096,
ShowMaterialPopup = 2087,
IsShowByInspector = 2032,
Update = 2036,
OnGUIScriptTooltip = 2039,
IsShowHierarchyPopup = 2074,
ClearDelayBottomMessage = 2053,
ShowHierarchyRightPopup = 2075,
Awake = 2033,
ShowSpritePopup = 2070,
ShowSelectPrefabPopup_NcEffectBehaviour_int_int_bool = 2084,
CloseNcCurvePopup = 2092,
OnEnable = 2034,
HideToolMessage = 2046,
HideFolderPopup = 2080,
ShowToolMessage_string = 2043,
ShowSelectMeshPopup = 2085,
OnClosePopup = 2100,
GetCurrentHierarchyPopup = 2072,
ShowScriptTooltip = 2055,
SetFxmFolderPopup = 2098,
OnHoverCommand_Popup = 2099,
IsShowCurrentFolderPopup = 2079,
ShowSelectAudioClipPopup = 2086,
SetDelayBottomMessage = 2052,
ChangeMaterialColor = 2088,
ShowHierarchyObjectPopup = 2076,
OnGUIModalMessage = 2038,
winModalMessage = 2097,
ShowModalOkCancelMessage = 2093,
ShowCursorTooltip = 2048,
ShowHintRect = 2047,
ShowBottomTooltip = 2049,
ShowSelectPrefabPopup_NcEffectBehaviour_bool_int = 2083,
HideMenuPopup = 2067,
IsShowPopupExcludeMenu = 2059,
IsShowPopup = 2058,
RecreateInstanceEffect = 2031,
SetStaticBottomMessage = 2050,
Start = 2035,
ShowNcCurveAnimationPopup = 2089,
winEmpty = 2042
},
FxmReplayDemo = {
OnGUI = 2125,
Update = 2122,
GetButtonRect = 2126,
SetActiveRecursively = 2127,
CreateEffect = 2123,
Start = 2121,
Replay = 2124
},
FxmSpritePopup = {
GetSpriteCaptureRect = 2115,
EndCapture = 2117,
LoadPrefs = 2103,
GetMultipleValue = 2114,
GetToggleRect = 2110,
GetScrollbarRect = 2109,
winPopup = 2112,
OnGUIPopup = 2108,
GetHelpContent = 2116,
Update = 2107,
ClosePopup = 2102,
GetFrameTime = 2111,
CreateMaterial = 2119,
Start = 2106,
GetPopupRect = 2113,
SavePrefs = 2104,
CreateSpriteThumb = 2120,
ShowPopupWindow = 2101,
UniquePrefabPath = 2118,
Awake = 2105
},
FxmTestControls = {
OnGUIControl = 1224,
invokeStopTimer = 1231,
IsRepeat = 1211,
GetHcEffectControls_Trans = 1228,
RotateFront = 1235,
OnActionTransEnd = 1234,
OnEnable = 1220,
GetHcEffectControls_Rotate = 1229,
DelayCreateInstanceEffect = 1236,
RunActionControl_int_int = 1233,
GetRepeatTime = 1213,
NextInstanceEffect = 1237,
IsAliveAnimation = 1223,
NgTooltipTooltip = 1226,
SetTimeScale = 1239,
GetActionToolbarRect = 1225,
GetTimeScale = 1210,
SetStartTime = 1214,
SetDefaultSetting = 1217,
IsAutoRepeat = 1212,
Update = 1222,
LoadPrefs = 1215,
Start = 1221,
RunActionControl = 1232,
SavePrefs = 1216,
winActionToolbar = 1230,
CreateInstanceEffect = 1238,
AutoSetting = 1218,
ResumeTimeScale = 1240,
Awake = 1219,
GetHcEffectControls_Play = 1227
},
FxmTestMain = {
CreateCurrentInstanceEffect_bool = 1256,
OnEnable = 1244,
ChangeGroup = 1249,
ClearCurrentEffectObject = 1255,
GetInstanceEffectObject = 1254,
GetFXMakerMouse = 1241,
ChangeEffect = 1248,
Update = 1246,
IsCurrentEffectObject = 1250,
GetOriginalEffectObject = 1251,
Start = 1245,
ChangeRoot_OriginalEffectObject = 1252,
GetFXMakerControls = 1242,
ChangeRoot_InstanceEffectObject = 1253,
OnGUI = 1247,
GetInstanceRoot = 1257,
Awake = 1243,
CreateCurrentInstanceEffect_GameObject = 1258
},
FxmTestMouse = {
ClampAngle = 1267,
Update = 1265,
IsGUIMousePosition = 1264,
SetHandControl = 1260,
Start = 1263,
OnEnable = 1262,
UpdatePosition = 1268,
UpdateCamera = 1266,
ChangeAngle = 1259,
SetDistance = 1261
},
FxmTestSetting = {
GetPlayContents = 1269
},
FxmTestSimulate = {
GetArcPos = 1280,
SimulateCircle = 1275,
SimulateStart = 1279,
Start = 1282,
Awake = 1281,
FixedUpdate = 1284,
Stop = 1278,
SimulateScale = 1277,
SimulateMove = 1271,
Init = 1270,
SimulateRaise = 1274,
Update = 1283,
SimulateArc = 1272,
SimulateTornado = 1276,
SimulateFall = 1273,
LateUpdate = 1285,
OnMoveEnd = 1286
},
FxmTestSingleMain = {
GetButtonRect = 1295,
Update = 1291,
GetButtonRect_int = 1296,
OnGUI = 1292,
Start = 1289,
OnEnable = 1288,
GetFXMakerMouse = 1293,
SetActiveRecursively = 1297,
CreateEffect = 1290,
GetInstanceRoot = 1294,
Awake = 1287
},
FxmTestSingleMouse = {
ClampAngle = 1306,
Update = 1304,
IsGUIMousePosition = 1303,
SetHandControl = 1299,
Start = 1302,
OnEnable = 1301,
UpdatePosition = 1307,
UpdateCamera = 1305,
ChangeAngle = 1298,
GetWorldPerScreenPixel = 1308,
SetDistance = 1300
},
GameMain = {
Splash = 2796,
Update = 2799,
InitMgr = 2795,
AddMgr = 9229,
InitCustonEditorSettings = 2792,
OnApplicationQuit = 2801,
Start = 2791,
InitSDK = 2794,
SeriesAsync = 2797,
Awake = 2790,
OnReceiveMemoryWarning = 2802,
OnApplicationFocus = 2800,
InitUnity = 2793,
Slience = 9228,
ParallelAsync = 2798
},
GlobalClickEventMgr = {
Update = 9784,
OnDestroy = 9786,
get_Inst = 9782,
Awake = 9783,
OnInputMouse = 9785
},
GlobalClickEventMgrWrap = {
OnDestroy = 9499,
op_Equality = 9500,
set_OnClick = 9503,
Register = 9498,
get_Inst = 9502,
get_OnClick = 9501
},
Gradient = {
ModifyMesh = 3198
},
GravitySensor = {
GetAcceleration = 3201,
Update = 3200,
Start = 3199
},
GravitySensorWrap = {
get_speed = 518,
GetAcceleration = 516,
set_range = 521,
Register = 514,
get_range = 519,
op_Equality = 517,
Start = 515,
set_speed = 520
},
GuideFollowTarget = {
setOnPointerEvent = 2814,
setButtonEvent = 2812,
setStick = 2808,
setFingerParent = 2810,
copyTarget = 2806,
DetectTarget = 2816,
setEnableDelegate = 2804,
setFingerPosition = 2811,
setTarget = 2805,
setTimeout = 2817,
setToggleEvent = 2807,
clearStickTarget = 2809,
searchTarget = 2815,
Awake = 2803,
DestroyTargetClone = 2813
},
GuideManager = {
Start = 2818
},
HashUtil = {
Compare = 3736,
CalcMD5_string = 3739,
HashFile = 3737,
BytesToString = 3738,
["CalcMD5_byte[]"] = 3740
},
HorizontalScrollSnap = {
get_curIndex = 3202,
MoveScreenImmediate = 3215,
get_preIndex = 3203,
MovePreScreen = 3212,
MoveToPosition = 3208,
GetPosByDistance = 3211,
Start = 3204,
MoveScreen = 3214,
MoveNextScreen = 3213,
OnDrag = 3209,
FindClosestFrom = 3210,
Reset = 3216,
OnEndDrag = 3207,
Update = 3206,
Init = 3205
},
HorizontalSlip = {
Update = 3217
},
HotUpdateBgSwitcher = {
_loadAssetBundleAsync = 8170,
set_sprites = 8157,
_LoadAssetAsync = 8171,
GetAssetAsyc = 8168,
SetBG = 8164,
get_bgInfoList = 8154,
set_bgImage = 8151,
set_changeBtn = 8155,
LoadAssetBundleSync = 8167,
OnDestroy = 8166,
Awake = 8161,
_getAssetAsyc = 8169,
get_sprites = 8158,
Start = 8162,
SwitchToNextBg = 8163,
set_bgIndex = 8159,
set_bgInfoList = 8153,
get_bgImage = 8152,
get_changeBtn = 8156,
get_bgIndex = 8160,
UpdateBgSync = 8165
},
HTSpriteSheet = {
Start = 2820,
Update = 2821,
CreateParticle = 2822,
Awake = 2819,
InitSpriteSheet = 2824,
Camera_BillboardingMode = 2823
},
ImageArchiver = {
Clear = 3620,
Filter = 3621,
PushDependency = 3622,
CanArchive = 3623,
Archive = 3624,
Load = 3619
},
InfomationPopupView = {
NotificationForm = 3248,
Update = 3252,
SetCallback = 3246,
SetContent = 3247,
Awake = 3245,
OnConfirmClick = 3249,
Start = 3251,
onRefuseClick = 3250
},
Interpolate = {
EaseInOutExpo = 3777,
["NewBezier_Function_Vector3[]_float"] = 3752,
Bezier = 3754,
["NewCatmullRom_Transform[]_int_bool"] = 3755,
["NewEase_Function_Vector3_Vector3_float_IEnumerable<float>"] = 3747,
EaseOutSine = 3773,
EaseOutExpo = 3776,
NewCatmullRomFloatArray = 3757,
Ease_Function_Vector3_Vector3_float_float = 3748,
EaseOutQuint = 3770,
EaseInExpo = 3775,
["NewBezier_Function_Transform[]_float"] = 3750,
["NewBezier_Function_Transform[]_int"] = 3751,
EaseInQuint = 3769,
Ease_EaseType = 3749,
Identity = 3741,
NewEase_Function_Vector3_Vector3_int = 3746,
EaseInOutQuint = 3771,
["NewBezier_Function_Vector3[]_int"] = 3753,
EaseInOutCirc = 3780,
NewTimer = 3743,
EaseInSine = 3772,
NewEase_Function_Vector3_Vector3_float = 3745,
EaseOutQuad = 3761,
["NewCatmullRom_Vector3[]_int_bool"] = 3756,
EaseOutCubic = 3764,
CatmullRom = 3758,
EaseInOutQuad = 3762,
EaseInOutSine = 3774,
EaseInQuart = 3766,
EaseInCirc = 3778,
EaseOutCirc = 3779,
EaseOutQuart = 3767,
EaseInOutQuart = 3768,
EaseInCubic = 3763,
NewCounter = 3744,
EaseInQuad = 3760,
TransformDotPosition = 3742,
EaseInOutCubic = 3765,
Linear = 3759
},
ItemList = {
Start = 3253,
Update = 3254
},
ItemListWrap = {
get_prefabItem = 524,
op_Equality = 523,
set_prefabItem = 525,
Register = 522
},
LeanAudioStream = {
OnAudioRead = 226,
OnAudioSetPosition = 227
},
LevelSwitcher = {
switchToLevel = 3275,
Update = 3276,
yToPosY = 3280,
UpdateEpisodes = 3277,
OnEndDrag = 3279,
Start = 3273,
OnDrag = 3278,
posYToY = 3281,
buildSwitcher = 3274
},
["Live2D.Cubism.Core.CubismCanvasInformation"] = {
get_CanvasOriginY = 364,
get_CanvasWidth = 361,
get_UnmanagedCanvasInformation = 359,
Reset = 367,
Revive = 366,
get_PixelsPerUnit = 365,
get_CanvasHeight = 362,
get_CanvasOriginX = 363,
set_UnmanagedCanvasInformation = 360
},
["Live2D.Cubism.Core.Unmanaged.CubismUnmanagedCanvasInformation"] = {
get_CanvasOriginY = 374,
get_CanvasWidth = 368,
set_CanvasOriginY = 375,
set_CanvasHeight = 371,
set_CanvasOriginX = 373,
get_CanvasHeight = 370,
set_PixelsPerUnit = 377,
get_CanvasOriginX = 372,
set_CanvasWidth = 369,
get_PixelsPerUnit = 376
},
["Live2D.Cubism.Framework.CubismParameterStore"] = {
SaveParameters = 382,
set_DestinationParameters = 379,
set_DestinationParts = 381,
get_DestinationParameters = 378,
RestoreParameters = 383,
get_DestinationParts = 380,
OnEnable = 384
},
["Live2D.Cubism.Framework.CubismUpdateController"] = {
Start = 386,
Refresh = 385,
LateUpdate = 387
},
["Live2D.Cubism.Framework.Expression.CubismExpressionController"] = {
LateUpdate = 391,
OnLateUpdate = 389,
StartExpression = 388,
OnEnable = 390
},
["Live2D.Cubism.Framework.Expression.CubismExpressionData"] = {
CreateInstance_CubismExpressionData_CubismExp3Json = 393,
CreateInstance_CubismExp3Json = 392
},
["Live2D.Cubism.Framework.Expression.CubismPlayingExpression"] = {
Create = 394
},
["Live2D.Cubism.Framework.Json.CubismExp3Json"] = {
LoadFrom_string = 395,
LoadFrom_TextAsset = 396
},
["Live2D.Cubism.Framework.Json.CubismJsonParser"] = {
ParseValue = 404,
ParseArray = 402,
ParseFromString = 399,
ParseObject = 401,
ParseFromBytes = 398,
ParseString = 400,
Parse = 397,
strToDouble = 403
},
["Live2D.Cubism.Framework.Json.CubismPose3Json"] = {
LoadFrom_string = 425,
LoadFrom_TextAsset = 426
},
["Live2D.Cubism.Framework.Json.Value"] = {
isString = 422,
toString = 405,
GetVector = 413,
ToDouble = 411,
isMap = 424,
Get_string = 416,
isNull = 419,
GetMap = 415,
isArray = 423,
KeySet = 417,
toInt_int = 408,
ToFloat_float = 410,
isBoolean = 420,
ToFloat = 409,
isDouble = 421,
toString_string = 406,
Get_int = 414,
ToMap = 418,
ToDouble_double = 412,
toInt = 407
},
["Live2D.Cubism.Framework.Motion.CubismMotionController"] = {
Update = 438,
OnAnimationEnd = 427,
SetAnimationSpeed = 433,
PlayAnimation = 428,
StopAllAnimation = 430,
SetLayerAdditive = 432,
OnEnable = 436,
GetFadeStates = 435,
SetLayerWeight = 431,
StopAnimation = 429,
SetAnimationIsLoop = 434,
OnDisable = 437
},
["Live2D.Cubism.Framework.Motion.CubismMotionLayer"] = {
PlayAnimation = 450,
CreateCubismMotionLayer = 448,
IsDefaultState = 443,
StopAllAnimation = 451,
SetStateTransitionFinished = 446,
SetStateIsLoop = 454,
SetLayerWeight = 452,
StopAnimation = 447,
GetPlayingMotions = 442,
get_PlayableOutput = 439,
Update = 455,
CreateFadePlayingMotion = 449,
SetStateSpeed = 453,
set_PlayableOutput = 440,
get_IsFinished = 441,
GetStateTransitionFinished = 445,
GetLayerWeight = 444
},
["Live2D.Cubism.Framework.Motion.CubismMotionState"] = {
get_ClipMixer = 458,
set_Clip = 457,
ConnectClipMixer = 463,
CreateCubismMotionState = 462,
set_ClipMixer = 459,
get_ClipPlayable = 460,
get_Clip = 456,
set_ClipPlayable = 461
},
["Live2D.Cubism.Framework.MotionFade.CubismFadeController"] = {
OnLateUpdate = 469,
set_DestinationParameters = 465,
set_DestinationParts = 467,
get_DestinationParts = 466,
get_DestinationParameters = 464,
Refresh = 468,
OnEnable = 472,
LateUpdate = 473,
UpdateFade = 470,
Evaluate = 471
},
["Live2D.Cubism.Framework.MotionFade.CubismFadeMotionData"] = {
CreateInstance_CubismFadeMotionData_CubismMotion3Json_string_float_bool_bool = 475,
CreateInstance_CubismMotion3Json_string_float_bool_bool = 474
},
["Live2D.Cubism.Framework.MotionFade.CubismFadeStateObserver"] = {
OnEnable = 482,
GetPlayingMotions = 476,
OnStateEnter = 483,
SetStateTransitionFinished = 480,
OnStateExit = 484,
GetStateTransitionFinished = 479,
StopAnimation = 481,
IsDefaultState = 477,
GetLayerWeight = 478
},
["Live2D.Cubism.Framework.MouthMovement.CubismCriSrcMouthInput"] = {
set_LastRms = 3174,
Update = 3177,
get_Target = 3175,
OnDestroy = 3180,
Start = 3178,
OnEnable = 3179,
get_AtomSource = 3171,
get_LastRms = 3173,
set_AtomSource = 3172,
set_Target = 3176
},
["Live2D.Cubism.Framework.Pose.CubismPoseController"] = {
DoFade = 486,
OnLateUpdate = 489,
LateUpdate = 491,
CopyPartOpacities = 487,
SavePartOpacities = 488,
Refresh = 485,
OnEnable = 490
},
Live2D_Cubism_Framework_MouthMovement_CubismCriSrcMouthInputWrap = {
op_Equality = 527,
set_Gain = 535,
get_AtomSourceName = 528,
Register = 526,
set_AtomSource = 537,
set_AtomSourceName = 533,
set_SampleChannel = 534,
get_AtomSource = 532,
set_Smoothing = 536,
get_SampleChannel = 529,
get_Gain = 530,
get_Smoothing = 531
},
Live2DUpdateMgr = {
Awake = 2882,
get_Inst = 2881
},
LockTag = {
SetRate = 3285,
Update = 3284,
Awake = 3282,
Start = 3283
},
LoginData = {
Clear = 3092,
isEmpty = 3093,
SetData = 3091
},
LoginTypeWrap = {
Register = 538,
IntToEnum = 545,
get_PLATFORM_AIRIJP = 544,
get_PLATFORM_TENCENT = 543,
Push = 539,
get_PLATFORM_INNER = 541,
get_PLATFORM_AIRIUS = 7831,
get_PLATFORM = 542,
CheckType = 540
},
LOutLine = {
_SetNewPosAndUV = 3292,
_Max_float_float_float = 3294,
_ProcessVertices = 3291,
_Min_float_float_float = 3293,
OnValidate = 3288,
SetMat = 3287,
_Refresh = 3289,
OnEnable = 3286,
ModifyMesh = 3290,
_Max_Vector2_Vector2_Vector2 = 3296,
_Min_Vector2_Vector2_Vector2 = 3295
},
LScrollBar = {
OnEndDrag = 3298,
OnPointerDown = 3299,
OnBeginDrag = 3297,
OnPointerUp = 3300
},
LScrollItem = {
OnScrollInit = 9268,
OnPointerDown = 9272,
OnScrollRecycle = 9271,
OnPointerUp = 9273,
OnScrollClick = 9269,
OnScrollPitch = 9270
},
LScrollItemWrap = {
OnScrollInit = 8559,
get_ItemID = 8567,
set_rectTF = 8573,
OnScrollClick = 8560,
set_lastPointer = 8572,
op_Equality = 8565,
get_rectTF = 8569,
OnScrollPitch = 8561,
get_lastPointer = 8568,
OnPointerDown = 8563,
OnScrollRecycle = 8562,
Register = 8558,
get_scrollPage = 8566,
set_ItemID = 8571,
OnPointerUp = 8564,
set_scrollPage = 8570
},
LScrollPage = {
CalItemScaleToMask = 9279,
moveToItem = 9286,
CircleEaseOut = 9298,
getProgress = 9299,
OnPointerUp = 9296,
SetItemUI = 9281,
MoveToItemID = 9285,
CalItemPosToMask = 9277,
FilteDataListForShow = 9276,
CalItemPosToContent = 9278,
SortItemScaleToLast = 9284,
moveBack = 9288,
UpdateScrollBar = 9813,
CalItemUIDataToMask = 9280,
BindItemRectFromPool = 9282,
Init = 9274,
MoveScrollItem = 9287,
Update = 9290,
SetScrollBarValue = 9812,
OnScrollUp = 9293,
BackEaseOut = 9297,
Start = 9289,
RecycleTFForShow = 9275,
OnScrollDown = 9294,
OnPointerDown = 9295,
OnDestroy = 9291,
MouseMove = 9292,
UpdateMaskItems = 9283
},
LScrollPageWrap = {
CalItemScaleToMask = 8580,
set_MiddleIndexOnInit = 8636,
get_MaskPos = 8627,
set_MaskSize = 8669,
get_PitchItemNum = 8604,
set_TestDirectMove = 8661,
get_ClickDis = 8606,
get_MoveBackCoefficient = 8610,
get_ItemPrefab = 8592,
OnPointerDown = 8587,
SortItemScaleToLast = 8585,
Register = 8574,
set_ContentAnchorPosition = 8639,
set_MoveDataIndex = 8662,
get_MoveDataIndex = 8619,
get_MaskSize = 8626,
set_MinMoveDisOnUp = 8652,
get_NowDataID = 8628,
CalItemPosToMask = 8578,
get_DataCount = 8591,
set_NormalAlpha = 8657,
set_PicthScale = 8645,
set_DirectMoveTime = 8651,
set_IsFadeMode = 8656,
get_ContentAnchorPosition = 8596,
set_isDraging = 8666,
set_ScrollDataList = 8663,
set_ItemPrefab = 8635,
set_IsBanItemClick = 8660,
set_PitchItemNum = 8647,
set_ScrollType = 8643,
UpdateMaskItems = 8584,
get_MarginSize = 8598,
set_ShowDataList = 8664,
set_itemClickCallback = 8673,
set_IsBanScroll = 8659,
get_mouseVector = 8624,
get_NormalAlpha = 8614,
set_NarrowScale = 8646,
set_DataCount = 8634,
LScrollPage_LScrollItemCallback = 8676,
set_SliderHideCount = 8655,
get_Slider = 8611,
OnPointerUp = 8588,
get_SliderHideCount = 8612,
get_isDraging = 8623,
BindItemRectFromPool = 8583,
Init = 8575,
set_ScrollDis = 8648,
set_itemRecycleCallback = 8675,
set_ItemSize = 8642,
set_MoveBackCoefficient = 8653,
get_ScrollDis = 8605,
set_NowDataID = 8671,
get_PitchAlpha = 8615,
get_PicthScale = 8602,
set_MaskRect = 8640,
get_ItemSize = 8599,
get_IsFadeMode = 8613,
SetItemUI = 8582,
set_moveVector = 8668,
set_Content = 8638,
get_Content = 8595,
get_IsAutoInit = 8590,
MoveToItemID = 8586,
get_DirectMoveTime = 8608,
set_PitchAlpha = 8658,
get_itemPitchCallback = 8631,
FilteDataListForShow = 8577,
get_itemRecycleCallback = 8632,
set_PoolContainer = 8637,
set_PoolTFList = 8665,
get_IsBanItemClick = 8617,
get_ScrollType = 8600,
set_itemInitedCallback = 8672,
set_IsPitchMod = 8644,
get_MiddleIndexOnInit = 8593,
CalItemPosToContent = 8579,
get_itemInitedCallback = 8629,
get_ShowDataList = 8621,
get_PoolTFList = 8622,
get_MaskRect = 8597,
op_Equality = 8589,
set_Slider = 8654,
set_mouseVector = 8667,
get_PoolContainer = 8594,
get_IsPitchMod = 8601,
get_ScrollCoefficient = 8607,
get_MinMoveDisOnUp = 8609,
get_ScrollDataList = 8620,
set_itemPitchCallback = 8674,
get_IsBanScroll = 8616,
get_moveVector = 8625,
get_NarrowScale = 8603,
set_ScrollCoefficient = 8650,
get_TestDirectMove = 8618,
set_ClickDis = 8649,
get_itemClickCallback = 8630,
RecycleTFForShow = 8576,
CalItemUIDataToMask = 8581,
set_MarginSize = 8641,
set_IsAutoInit = 8633,
set_MaskPos = 8670
},
LSlider = {
OnPointerDown = 8178,
RemovePointUpFunc = 8176,
RemovePointDownFunc = 8175,
OnPointerUp = 8179,
RemoveDragFunc = 8177,
OnDrag = 8180,
SetValueWithoutEvent = 8181,
AddPointUpFunc = 8173,
AddDragFunc = 8174,
AddPointDownFunc = 8172
},
LSliderWrap = {
Register = 7832,
RemovePointUpFunc = 7837,
OnPointerDown = 7839,
OnPointerUp = 7840,
OnDrag = 7841,
op_Equality = 7843,
RemoveDragFunc = 7838,
RemovePointDownFunc = 7836,
SetValueWithoutEvent = 7842,
AddPointUpFunc = 7834,
AddDragFunc = 7835,
AddPointDownFunc = 7833
},
LTBezier = {
map = 229,
bezierPoint = 230,
point = 231
},
LTBezierPath = {
gizmoDraw = 242,
placeLocal_Transform_float_Vector3 = 240,
place_Transform_float = 237,
get_distance = 233,
placeLocal2d = 236,
getRationInOneRange = 241,
place2d = 235,
placeLocal_Transform_float = 239,
setPoints = 232,
point = 234,
place_Transform_float_Vector3 = 238
},
LTDescrOptional = {
set_lastVal = 307,
get_onUpdateColorObject = 330,
set_onUpdateFloatObject = 321,
set_spline = 313,
get_lastVal = 306,
set_toTrans = 301,
get_origRotation = 308,
get_spline = 312,
callOnUpdate = 343,
set_onStart = 341,
set_onUpdateColor = 329,
get_onCompleteParam = 336,
get_toTrans = 300,
get_onComplete = 332,
reset = 342,
set_onCompleteParam = 337,
get_onUpdateVector3 = 324,
get_onUpdateVector2 = 322,
set_onUpdateParam = 339,
set_ltRect = 315,
set_onUpdateColorObject = 331,
get_axis = 304,
get_onCompleteObject = 334,
get_onStart = 340,
get_point = 302,
set_onComplete = 333,
set_point = 303,
get_onUpdateFloat = 316,
set_onUpdateVector3Object = 327,
set_origRotation = 309,
set_onUpdateVector3 = 325,
get_ltRect = 314,
get_path = 310,
get_onUpdateFloatRatio = 318,
set_axis = 305,
set_onUpdateFloat = 317,
get_onUpdateVector3Object = 326,
get_onUpdateFloatObject = 320,
get_onUpdateParam = 338,
set_onCompleteObject = 335,
get_onUpdateColor = 328,
set_onUpdateVector2 = 323,
set_path = 311,
set_onUpdateFloatRatio = 319
},
LTGUI = {
label_Rect_string_int = 291,
update = 287,
init = 284,
hasNoOverlap = 296,
checkWithinRect = 298,
firstTouch = 299,
label_LTRect_string_int = 292,
texture_Rect_Texture_int = 293,
pressedWithinRect = 297,
element = 295,
checkOnScreen = 288,
initRectCheck = 285,
destroyAll = 290,
texture_LTRect_Texture_int = 294,
reset = 286,
destroy = 289
},
LTRect = {
setLabel = 279,
ToString = 283,
set_height = 272,
setAlpha = 278,
get_y = 267,
reset = 263,
get_rect = 273,
set_y = 268,
setId = 262,
set_x = 266,
setStyle = 275,
setFontScaleToFit = 276,
setColor = 277,
resetForRotation = 264,
get_hasInitiliazed = 260,
set_width = 270,
get_x = 265,
set_rect = 274,
get_height = 271,
setUseSimpleScale_bool = 281,
setSizeByHeight = 282,
get_id = 261,
get_width = 269,
setUseSimpleScale_bool_Rect = 280
},
LTSeq = {
insert = 355,
init = 346,
["append_Action<object>_object"] = 351,
reverse = 358,
append_Action = 350,
addOn = 347,
["append_GameObject_Action<object>_object"] = 353,
append_float = 349,
addPreviousDelays = 348,
get_id = 344,
reset = 345,
setScale = 356,
append_GameObject_Action = 352,
setScaleRecursive = 357,
append_LTDescr = 354
},
LTSpline = {
map = 244,
drawLine = 257,
ratioAtPoint = 246,
drawLinesGLLines = 258,
placeLocal2d = 249,
place2d = 248,
placeLocal_Transform_float_Vector3 = 253,
point = 247,
interp = 245,
init = 243,
drawGizmo_Color = 255,
gizmoDraw = 254,
["drawGizmo_Transform[]_Color"] = 256,
generateVectors = 259,
placeLocal_Transform_float = 252,
place_Transform_float = 250,
place_Transform_float_Vector3 = 251
},
LTUtility = {
reverse = 228
},
LuaConfDataReader = {
Close = 9868,
ReadData = 9867,
SetConfDataFolderPath = 9866,
get_Inst = 9864,
SetLuaState = 9865
},
LuaHelper = {
ScreenToLocal = 3786,
GetPlatform = 3784,
SetConfVal = 9870,
GetCHPackageType = 9869,
CopyTransformInfoGO = 3791,
CloneOb = 3781,
ShowOb = 3783,
SetParticleMain = 3800,
triggerEndDrag = 3806,
GetPlatformInt = 3785,
SetTransformPos = 3793,
UpdateTFLocalPos = 3788,
getHostByDomain = 3802,
SetParticleEndEvent = 3799,
SetGOParentGO = 3789,
ResetTF = 3798,
SetTransformLocalAngle = 3796,
SetParticleSpeed = 3801,
GetAgeRating = 8198,
SetGOParentTF = 3790,
SetTransformLocalPos = 3794,
UnityGC = 3782,
Vibrate = 3807,
CopyTransformInfoTF = 3792,
WrapContent = 3804,
FilterEmoji = 3803,
GetWorldCorners = 3787,
getGuid = 3805,
SetTFChildActive = 3797,
SetTransformAngle = 3795
},
["LuaPerfect.ObjectCache"] = {
ClearAll = 9305,
SaveObject = 9303,
GetObject = 9304
},
["LuaPerfect.ObjectFormater"] = {
GetAllFields = 9319,
GetChildrenGameObjects = 9324,
GetAllProperties = 9321,
GetClassInfo = 9323,
InnerFormatObject = 9326,
FormatObject = 9325,
FindProperty = 9320,
ClearObjectCache = 9327,
IsBasicType = 9318,
GetClassFullName = 9322
},
["LuaPerfect.ObjectItem"] = {
StaticGetChildObjectByName = 9317,
GetChildObjectByName = 9312,
GetChildCount = 9306,
GetValue = 9309,
AddChild = 9310,
GetChildObject = 9311,
StaticGetValue = 9314,
SetValue = 9308,
GetChildName = 9307,
StaticGetChildName = 9315,
StaticGetChildObject = 9316,
StaticGetChildCount = 9313
},
LuaScriptMgr = {
CallFunction = 2899,
Collect = 2902,
StartMain = 2893,
Load = 2886,
InvokeFunction = 2900,
get_Inst = 2883,
LuaGC = 2901,
DetachProfiler = 2905,
LoadABFromBytes = 2887,
StartLooper = 2894,
LazyCallFunction = 2898,
OpenLibs = 2890,
SetupHotUpdate = 2895,
Init = 2888,
Update = 2885,
Close = 2903,
LuaOpen_Mime_Core = 2907,
LuaOpen_Socket_Core = 2906,
InitLuaPath = 2892,
OpenLuaScoket = 2908,
OpenCJson = 2891,
StartLua = 2889,
DoFile = 2897,
AttachProfiler = 2904,
Awake = 2884,
HotUpdate = 2896
},
MapLayerCtrl = {
OnTransformChildrenChanged = 2704,
Update = 2705,
OnDestroy = 2706,
Awake = 2703
},
MaskExtend = {
OnTransformChildrenChanged = 9839,
AddMaterial = 9837,
get_material = 9830,
AddChildsMaterial = 9838,
OnDisable = 9840,
set_material = 9829,
Refresh = 9836,
OnEnable = 9835,
set_refValue = 9833,
get_childMaterial = 9832,
get_refValue = 9834,
set_childMaterial = 9831
},
MaskRaycast = {
Raycast = 8519
},
MeshImage = {
set_mesh = 3426,
get_rawSpriteSize = 3427,
SetNativeSize = 3429,
OnPopulateMesh = 3424,
set_rawSpriteSize = 3428,
get_mesh = 3425
},
Mirror = {
get_mirrorType = 3587,
MirrorVerts = 3598,
SetNativeSize = 3590,
GetOverturnUV = 3602,
GetAdjustedBorders = 3600,
ModifyMesh = 3591,
ExtendCapacity = 3595,
get_rectTransform = 3589,
SlicedScale = 3597,
DrawSliced = 3593,
SliceExcludeVerts = 3599,
SimpleScale = 3596,
set_mirrorType = 3588,
DrawSimple = 3592,
DrawTiled = 3594,
GetCenter = 3601
},
ModelClick = {
Start = 3808,
Update = 3809,
OnMouseExit = 3811,
OnMouseDrag = 3813,
OnMouseEnter = 3810,
OnMouseUp = 3814,
OnMouseDown = 3812
},
ModelDrag = {
BtnCallBack = 3816,
Update = 3818,
Start = 3817,
Init = 3815
},
MoviePlayer = {
PlayFullScreenMovie = 3819
},
MultiTouchZoom = {
Update = 3432,
Start = 3430,
SetZoomTarget = 3431
},
MusicUpdateMgr = {
Awake = 8045,
get_Inst = 8044
},
MusicUpdateMgrWrap = {
get_Inst = 7846,
op_Equality = 7845,
Register = 7844
},
MyLocalNotification = {
get_bundleIdentifier = 3820,
ToInt = 3824,
CancelNotification = 3821,
ClearNotifications = 3822,
CreateChannel = 3823
},
NcAddForce = {
AddForce = 2372,
CheckProperty = 2370,
Start = 2371
},
NcAttachPrefab = {
UpdateImmediately = 2375,
GenDupObject = 2381,
GetInstanceObjects = 2377,
CheckProperty = 2373,
CreateCloneObject = 2386,
SetEnable = 2378,
OnUpdateEffectSpeed = 2388,
OnSetActiveRecursively = 2389,
Ng_ChangeLayerWithChild = 2390,
OnResetReplayStage = 2383,
GetTargetGameObject = 2387,
GetAnimationState = 2374,
OnDisable = 2384,
Update = 2385,
GetInstanceObject = 2376,
Start = 2380,
Reset = 2382,
Awake = 2379
},
NcAttachSound = {
Update = 2395,
CreateAttachSound = 2396,
OnSetReplayState = 2398,
OnUpdateEffectSpeed = 2397,
OnEnable = 2394,
CheckProperty = 2391,
OnResetReplayStage = 2399,
GetAnimationState = 2392,
Replay = 2393
},
NcAutoDeactive = {
OnUpdateEffectSpeed = 2408,
Update = 2405,
FixedUpdate = 2406,
CreateAutoDestruct = 2400,
OnSetReplayState = 2409,
OnResetReplayStage = 2410,
Start = 2404,
OnEnable = 2403,
AutoDeactive = 2411,
CheckProperty = 2401,
StartDeactive = 2407,
Awake = 2402
},
NcAutoDestruct = {
Start = 2415,
Update = 2416,
OnUpdateEffectSpeed = 2419,
OnSetReplayState = 2420,
FixedUpdate = 2417,
CreateAutoDestruct = 2412,
StartDestroy = 2418,
CheckProperty = 2413,
AutoDestruct = 2422,
OnResetReplayStage = 2421,
Awake = 2414
},
NcBillboard = {
Update = 2428,
CheckProperty = 2423,
Awake = 2424,
UpdateBillboard = 2426,
Start = 2427,
OnEnable = 2425
},
NcChangeAlpha = {
SetChangeTime_float_float_float_float = 2431,
Update = 2435,
OnUpdateEffectSpeed = 2438,
ChangeToAlpha = 2437,
OnSetReplayState = 2439,
StartChange = 2436,
Start = 2434,
CheckProperty = 2430,
OnResetReplayStage = 2440,
Restart = 2432,
Awake = 2433,
SetChangeTime_GameObject_float_float_float_float = 2429
},
NcCurveAnimation = {
SetChildMaterialColor = 2467,
GetNextValue = 2469,
InitAnimation = 2464,
GetElapsedRate = 2471,
GetCurveInfo_string = 2475,
AppendTo = 2473,
OnUpdateEffectSpeed = 2485,
GetCurveInfoCount = 2481,
GetCurveInfo_int = 2474,
Ng_GetMaterialColorName = 2488,
CheckInvalidOption_int = 2484,
CheckInvalidOption = 2483,
AddCurveInfo_NcInfoCurve = 2478,
GetRepeatedRate = 2460,
DeleteCurveInfo = 2479,
AdjustfElapsedTime = 2459,
GetChildNextColorValue = 2468,
SortCurveInfo = 2482,
UpdateAnimation = 2465,
ResetPosition = 2457,
CopyTo = 2472,
ResetAnimation = 2458,
ChangeMeshColor = 2466,
CheckProperty = 2455,
OnResetReplayStage = 2487,
GetAnimationState = 2456,
ClearAllCurveInfo = 2480,
SetCurveInfo = 2476,
OnSetReplayState = 2486,
Start = 2462,
LateUpdate = 2463,
GetNextScale = 2470,
Awake = 2461,
AddCurveInfo = 2477
},
["NcCurveAnimation.NcComparerCurve"] = {
Compare = 2441,
GetSortGroup = 2442
},
["NcCurveAnimation.NcInfoCurve"] = {
GetValueName = 2449,
GetVariableDrawRange = 2452,
CopyTo = 2447,
GetFixedDrawRange = 2451,
SetDefaultValueScale = 2450,
IsEnabled = 2443,
NormalizeCurveTime = 2454,
GetCurveName = 2445,
SetEnabled = 2444,
GetClone = 2446,
GetValueCount = 2448,
GetEditRange = 2453
},
NcDelayActive = {
GetParentDelayTime = 2489
},
NcDetachObject = {
Create = 2135,
OnSetActiveRecursively = 2137,
OnUpdateEffectSpeed = 2136
},
NcDetachParent = {
StartDestroy = 2494,
CheckProperty = 2490,
OnDestroy = 2492,
Update = 2493,
SetDestroyValue = 2491,
OnUpdateEffectSpeed = 2495
},
NcDontActive = {
Awake = 2138,
OnEnable = 2139
},
NcDrawFpsRect = {
DoMyWindow = 1192,
Update = 1189,
OnGUI = 1191,
FPS = 1190,
Start = 1188
},
NcDrawFpsText = {
Start = 1193,
Update = 1194
},
NcDuplicator = {
InitCloneObject = 2506,
GenDupObject = 2502,
GetCloneObject = 2498,
CreateCloneObject = 2508,
Start = 2501,
OnDestroy = 2500,
OnUpdateEffectSpeed = 2509,
Update = 2505,
GetAnimationState = 2497,
CheckProperty = 2496,
Reset = 2503,
OnDisable = 2504,
OnResetReplayStage = 2510,
Awake = 2499,
SetRandomTrans = 2507
},
NcEffectAniBehaviour = {
ResetAnimation = 2145,
SetCallBackEndAnimation_GameObject = 2140,
IsEndAnimation = 2143,
MoveAnimation = 2148,
IsStartAnimation = 2142,
InitAnimationTimer = 2144,
ResumeAnimation = 2147,
PauseAnimation = 2146,
SetCallBackEndAnimation_GameObject_string = 2141,
OnEndAnimation = 2149
},
NcEffectBehaviour = {
CreateGameObject_GameObject_Vector3_Quaternion = 2172,
OnSetActiveRecursively = 2180,
UpdateMeshColors = 2176,
FindRootEditorEffect = 2155,
SetActive = 2160,
IsActive = 2162,
OnUpdateEffectSpeed = 2179,
IsCreatingEditObject = 2153,
OnSetReplayState = 2182,
CreateGameObject_GameObject_GameObject = 2173,
DisableEmit = 2167,
CreateEditorGameObject = 2169,
CreateGameObject_GameObject_Transform_GameObject = 2174,
ChangeParent = 2175,
IsSafe = 2168,
CreateGameObject_string = 2170,
RemoveAllChildObject = 2163,
GetEditingUvComponentCount = 2156,
SetActiveRecursively = 2161,
OnApplicationQuit = 2178,
CreateGameObject_GameObject = 2171,
OnUpdateToolData = 2181,
GetFXMakerGameObject = 2154,
HideNcDelayActive = 2164,
CheckProperty = 2152,
GetEngineDeltaTime = 2151,
GetEngineTime = 2150,
OnResetReplayStage = 2183,
GetAnimationState = 2157,
GetRootInstanceEffect = 2158,
PreloadTexture = 2159,
AddRuntimeMaterial = 2165,
GetMaterialColorName = 2166,
OnDestroy = 2177
},
NcEffectInitBackup = {
SetMeshColor = 2193,
RestoreMaterialColor = 2187,
BackupUvAnimation = 2188,
RestoreMeshColor = 2191,
GetMaterialColorName = 2194,
BackupMeshColor = 2190,
BackupTransform = 2184,
RestoreUvAnimation = 2189,
RestoreTransform = 2185,
GetMeshColor = 2192,
BackupMaterialColor = 2186
},
NcParticleEmit = {
OnUpdateEffectSpeed = 2523,
Update = 2519,
CheckProperty = 2511,
GetInstanceObject = 2515,
Awake = 2517,
SetEnable = 2516,
Start = 2518,
CreateAttachPrefab = 2521,
CreateAttachSharedParticle = 2522,
UpdateImmediately = 2513,
OnDestroy = 2520,
EmitSharedParticle = 2514,
GetAnimationState = 2512
},
NcParticleSpiral = {
getSettings = 2531,
Update = 2529,
resetEffect = 2532,
resetEffectToDefaults = 2533,
OnUpdateEffectSpeed = 2536,
randomizeEffect = 2534,
Start = 2527,
killCurrentEffects = 2535,
GetAnimationState = 2525,
CheckProperty = 2524,
LateUpdate = 2530,
SpawnEffect = 2528,
RandomizeEditor = 2526
},
NcParticleSystem = {
Ng_GetProperty = 2573,
["LegacyScaleParticle_TempParticle[]_bool_bool"] = 9751,
ShurikenSetRuntimeParticleScale = 2567,
OnUpdateEffectSpeed = 2569,
GetAnimationState = 2541,
GetScaleMinMeshNormalVelocity = 2558,
FixedUpdate = 2550,
OnEnable = 2545,
SetEnableParticle = 2556,
RemoveRenderEventCall = 2555,
OnDisable = 2546,
LegacyParticleSpeed = 2562,
LegacyInitParticle = 2560,
Ng_SetProperty = 2572,
AllocateParticleSystem = 2566,
OnPostRender = 2552,
LegacySetRuntimeParticleScale = 2563,
ResetParticleEmit = 2543,
Init = 2547,
LegacySetParticle = 2561,
["LegacyScaleParticle_Particle[]_bool_bool"] = 2564,
OnSetReplayState = 2570,
SetPropertyValue_SerializedProperty_object = 2576,
ClearParticle = 2557,
SaveShurikenSpeed = 2574,
IsShuriken = 2538,
GetScaleMaxMeshNormalVelocity = 2559,
ShurikenScaleParticle = 2568,
ShurikenInitParticle = 2565,
CheckProperty = 2540,
OnResetReplayStage = 2571,
AddRenderEventCall = 2554,
SetPropertyValue_SerializedObject_string_object_bool = 2575,
Update = 2549,
SetDisableEmit = 2537,
OnPreRender = 2551,
Start = 2548,
CreateAttachPrefab = 2553,
IsLegacy = 2539,
IsMeshParticleEmitter = 2542,
Awake = 2544
},
NcRandomTimerTool = {
SetTimer_float_float_float_object = 2205,
SetTimer_float_float = 2201,
SetRelTimer_float_float_float_object = 2211,
GetElapsedRate = 2200,
SetRelTimer_float_float_float = 2208,
SetTimer_float_float_float = 2202,
SetRelTimer_float_float_float_int_object = 2212,
SetRelTimer_float_float = 2207,
SetTimer_float_float_float_int_object = 2206,
SetRelTimer_float_float_object = 2210,
SetTimer_float_float_float_int = 2203,
GetArgObject = 2199,
SetTimer_float_float_object = 2204,
GetCallCount = 2198,
ResetUpdateTime = 2197,
UpdateRandomTimer = 2196,
UpdateRandomTimer_bool = 2195,
SetRelTimer_float_float_float_int = 2209
},
NcRepeatTimerTool = {
SetTimer_float_float = 2219,
SetRelTimer_float = 2224,
SetTimer_float_float_int = 2220,
GetElapsedRate = 2217,
UpdateTimer = 2213,
SetRelTimer_float_object = 2227,
SetRelTimer_float_float = 2225,
SetTimer_float_object = 2221,
SetRelTimer_float_float_int_object = 2229,
SetTimer_float = 2218,
GetArgObject = 2216,
SetTimer_float_float_object = 2222,
GetCallCount = 2215,
ResetUpdateTime = 2214,
SetRelTimer_float_float_int = 2226,
SetRelTimer_float_float_object = 2228,
SetTimer_float_float_int_object = 2223
},
NcRotation = {
CheckProperty = 2577,
Update = 2578,
OnUpdateEffectSpeed = 2579
},
NcSafeTool = {
Instance = 1195,
SafeInstantiate_Object_Vector3_Quaternion = 1198,
LoadLevel = 1199,
OnApplicationQuit = 1200,
SafeInstantiate_Object = 1197,
IsSafe = 1196
},
NcSpriteAnimation = {
GetPartLoopFrameIndex = 2599,
UpdateBuiltInPlane = 2608,
ResetLocalValue = 2593,
GetValidFrameCount = 2590,
ResetAnimation = 2586,
IsInPartLoop = 2585,
OnUpdateEffectSpeed = 2610,
SetCallBackChangeFrame = 2591,
SetIndex = 2603,
CheckProperty = 2580,
SetSpriteFactoryIndex = 2596,
UpdateEndAnimation = 2602,
OnResetReplayStage = 2611,
GetPartLoopCount = 2600,
GetAnimationState = 2581,
SetBreakLoop = 2584,
SetShowRate = 2597,
Update = 2595,
UpdateFactoryMaterial = 2606,
GetShowIndex = 2583,
GetDurationTime = 2582,
UpdateFactoryTexture = 2605,
Start = 2594,
SetSelectFrame = 2587,
UpdateMeshUVsByTileTexture = 2609,
GetMaxFrameCount = 2589,
IsEmptyFrame = 2588,
CalcPartLoopInfo = 2601,
CreateBuiltInPlane = 2607,
UpdateFactoryInfo = 2598,
Awake = 2592,
UpdateSpriteTexture = 2604
},
NcSpriteFactory = {
GetSpriteNodeCount = 2628,
IsUnused = 2618,
OnUpdateEffectSpeed = 2646,
AddSpriteNode_NcSpriteNode = 2624,
DestroyEffectObject = 2640,
GetSpriteNode_string = 2620,
OnAnimationChangingFrame = 2644,
GetCurrentSpriteNode = 2629,
ClearAllSpriteNode = 2627,
UpdateMeshUVs = 2650,
OnAnimationStartFrame = 2643,
CreateEmptyMesh = 2648,
GetSpriteNode_int = 2619,
OnAnimationLastFrame = 2645,
CreatePlane = 2647,
SetSpriteNode = 2622,
IsValidFactory = 2631,
SetSprite_int = 2633,
GetSpriteUvRect = 2630,
CreateSoundObject = 2641,
OnChangingSprite = 2642,
IsEndSprite = 2637,
GetSpriteNodeIndex = 2621,
AddSpriteNode = 2623,
GetCurrentSpriteIndex = 2636,
DeleteSpriteNode = 2625,
CheckProperty = 2617,
MoveSpriteNode = 2626,
SetSprite_int_bool = 2635,
SetSprite_string = 2634,
CreateSpriteEffect = 2639,
CreateEffectObject = 2638,
Awake = 2632,
UpdatePlane = 2649
},
["NcSpriteFactory.NcSpriteNode"] = {
IsEmptyTexture = 2615,
IsUnused = 2616,
GetStartFrame = 2613,
GetClone = 2612,
SetEmpty = 2614
},
NcSpriteTexture = {
SetShowRate = 2657,
OnUpdateToolData = 2662,
UpdateSpriteMaterial = 2660,
OnUpdateEffectSpeed = 2661,
UpdateSpriteTexture = 2659,
SetSpriteFactoryIndex_int_int_bool = 2655,
Start = 2653,
SetSpriteFactoryIndex_string_int_bool = 2654,
CheckProperty = 2651,
SetFrameIndex = 2656,
UpdateFactoryInfo = 2658,
Awake = 2652
},
NcTickTimerTool = {
StartTickCount = 1202,
GetStartedTickCount = 1203,
GetTickTimer = 1201,
LogElapsedTickCount = 1205,
GetElapsedTickCount = 1204
},
NcTilingTexture = {
OnUpdateToolData = 2666,
CheckProperty = 2663,
Start = 2664,
Update = 2665
},
NcTimerTool = {
GetTimeScale = 2245,
InitSmoothTime = 2232,
Start = 2240,
GetEngineDeltaTime = 2231,
Resume = 2243,
UpdateTimer = 2235,
IsEnable = 2239,
Pause = 2242,
GetSmoothDeltaTime = 2238,
GetDeltaTime = 2237,
Reset = 2241,
GetEngineTime = 2230,
IsUpdateTimer = 2234,
GetTime = 2236,
UpdateSmoothTime = 2233,
SetTimeScale = 2244
},
NcTrailTexture = {
Start = 2671,
Update = 2674,
CheckProperty = 2668,
GetTipPoint = 2673,
OnUpdateEffectSpeed = 2675,
InitTrailObject = 2672,
SetEmit = 2667,
GetAnimationState = 2669,
OnDisable = 2670
},
NcTransformTool = {
CopyLocalTransform = 2252,
InitLocalTransform = 2249,
IsEquals = 2261,
SetLocalTransform = 2257,
SetTransform_NcTransformTool = 2262,
CopyToTransform = 2255,
GetIdenQuaternion = 2248,
GetTransformScaleMeanVector = 2264,
InitWorldScale = 2251,
AddTransform = 2259,
SetTransform_Transform = 2260,
InitWorldTransform = 2250,
IsLocalEquals = 2258,
CopyLossyToLocalScale = 2253,
GetTransformScaleMeanValue = 2263,
GetUnitVector = 2247,
AddLocalTransform = 2256,
CopyToLocalTransform = 2254,
GetZeroVector = 2246
},
NcUvAnimation = {
OnUpdateToolData = 2683,
Update = 2681,
SetFixedTileSize = 2676,
Start = 2680,
ResetAnimation = 2679,
OnUpdateEffectSpeed = 2682,
CheckProperty = 2677,
OnResetReplayStage = 2684,
GetAnimationState = 2678
},
NetConst = {
GetServerStateUrl = 938,
IsOfficial = 7981
},
NgAnimation = {
GetAnimationByIndex = 958,
SetAnimation = 957
},
NgAssembly = {
GetField = 960,
SetField = 959,
AreGizmosVisible = 964,
GetProperty = 962,
SetGizmosVisible = 965,
LogFieldsPropertis = 963,
SetProperty = 961
},
NgAsset = {
GetTextureList = 976,
["GetPrefabList_string_bool_bool_int_int&"] = 973,
CaptureAlpha = 995,
GetMeshList = 975,
CloneGameObject = 972,
DeletePrefab = 987,
LoadPrefab_string = 983,
GetTexturePathList = 979,
GetFileList = 970,
["GetPrefabList_string_bool_bool_int_bool_PREFAB_TYPE_int&"] = 974,
ArrayListToObjectNodes = 980,
GetThumbImage = 1000,
Capture = 994,
GetPrefabThumbFilename_string = 991,
LoadPrefab_string_GameObject = 984,
CaptureRectPreprocess = 996,
FindPathIndex = 971,
GetFolderList = 969,
LoadPrefabList = 982,
ScreenshotSave = 993,
ExistsDirectory = 968,
GetChildNameList = 981,
GetAssetPreview = 966,
GetPrefabThumbFilename_GameObject = 990,
CreateDefaultUniquePrefab = 986,
GetPrefabThumb = 999,
ClonePrefab = 988,
GetCurvePrefabList = 978,
GetMiniThumbnail = 967,
CaptureRectSave = 998,
RenamePrefab = 989,
SetSelectObject = 1001,
ScreenshotCapture = 992,
CaptureResize = 997,
LoadPrefab_GameObject_GameObject = 985,
GetMaterialList = 977
},
NgAtlas = {
IsFindAlphaPixel = 1005,
["ConvertAlphaTexture_Color[]_bool_AnimationCurve_float_float_float"] = 1010,
ConvertAlphaTexture_Material_bool_AnimationCurve_float_float_float = 1009,
SaveTexture = 1006,
SaveAtlasTexture = 1012,
GetTrimRect = 1013,
SetSourceTexture = 1008,
CloneAtlasTexture = 1011,
["ExportSplitTexture_string_Texture_NcFrameInfo[]"] = 1003,
GetTrimOffsets = 1016,
ExportSplitTexture_string_Texture_int_int_int_int = 1004,
GetTextureSize = 1007,
IsVaildPixel = 1014,
GetTrimTexture = 1015,
TileToTrimTexture = 1002
},
NgConvert = {
GetIntStrings = 1154,
ToInt = 1162,
["ResizeArray_string[]_int"] = 1156,
ContentsToStrings = 1160,
ToFloat = 1163,
ToUint = 1161,
["ResizeArray_GameObject[]_int"] = 1157,
GetIntegers = 1155,
GetVaildFloatString = 1164,
GetTabSpace = 1153,
["ResizeArray_GUIContent[]_int"] = 1158,
StringsToContents = 1159
},
NgFile = {
CompareExtName = 1028,
GetSplit = 1020,
GetFileExt = 1023,
GetFilenameExt = 1022,
GetLastFolder = 1027,
CombinePath_string_string_string = 1019,
TrimFilenameExt = 1024,
GetFilename = 1021,
TrimLastFolder = 1026,
CombinePath_string_string = 1018,
PathSeparatorNormalize = 1017,
TrimFileExt = 1025
},
NgGUIDraw = {
get_adLineTex = 1029,
DrawLine = 1035,
DrawVerticalLine = 1033,
DrawBezierLine = 1036,
DrawLineWindows = 1038,
DrawBox = 1034,
DrawHorizontalLine = 1032,
DrawLineMac = 1037,
translationMatrix = 1040,
get_lineTex = 1030,
get_whiteTexture = 1031,
cubeBezier = 1039
},
NgInterpolate = {
EaseInOutExpo = 2300,
["NewBezier_Function_Vector3[]_float"] = 2276,
Bezier = 2278,
["NewCatmullRom_Transform[]_int_bool"] = 2279,
["NewEase_Function_Vector3_Vector3_float_IEnumerable<float>"] = 2271,
EaseOutSine = 2296,
EaseOutExpo = 2299,
EaseOutQuint = 2293,
Ease_Function_Vector3_Vector3_float_float = 2272,
["NewBezier_Function_Transform[]_int"] = 2275,
EaseInExpo = 2298,
["NewBezier_Function_Transform[]_float"] = 2274,
EaseInQuint = 2292,
Ease_EaseType = 2273,
Identity = 2265,
NewEase_Function_Vector3_Vector3_int = 2270,
EaseInOutQuint = 2294,
["NewBezier_Function_Vector3[]_int"] = 2277,
EaseInOutCirc = 2303,
NewTimer = 2267,
EaseInSine = 2295,
NewEase_Function_Vector3_Vector3_float = 2269,
EaseOutQuad = 2284,
["NewCatmullRom_Vector3[]_int_bool"] = 2280,
EaseOutCubic = 2287,
CatmullRom = 2281,
EaseInOutQuad = 2285,
EaseInOutSine = 2297,
EaseInQuart = 2289,
EaseInCirc = 2301,
EaseOutCirc = 2302,
EaseOutQuart = 2290,
EaseInOutQuart = 2291,
EaseInCubic = 2286,
NewCounter = 2268,
EaseInQuad = 2283,
TransformDotPosition = 2266,
EaseInOutCubic = 2288,
Linear = 2282
},
NgLayout = {
GetHOffsetRect = 1047,
GetSumRect = 1042,
GUIButton_Rect_GUIContent_GUIStyle_bool = 1060,
GUIButton_Rect_string_bool = 1058,
GetVOffsetRect = 1046,
GUITextField = 1061,
ClampPoint_Rect_Vector3 = 1055,
GUIColorBackup = 1064,
GetZeroStartRect = 1049,
GetInnerBottomRect = 1053,
GetOffsetRect_Rect_float_float = 1043,
GUIEnableBackup = 1062,
GetWorldPerScreenPixel = 1067,
GetWorldToScreen = 1069,
GetOffsetRect_Rect_float_float_float_float = 1044,
ClampWindow = 1056,
ClampPoint_Rect_Vector2 = 1054,
GetZeroRect = 1041,
GUIButton_Rect_GUIContent_bool = 1059,
GetOffsetRateRect = 1048,
GUIEnableRestore = 1063,
GetLeftRect = 1050,
GetGUIMousePosition = 1066,
GetScreenToWorld = 1068,
GUIColorRestore = 1065,
GetOffsetRect_Rect_float = 1045,
GetRightRect = 1051,
GetInnerTopRect = 1052,
GUIToggle = 1057
},
NgMaterial = {
SetMaskTexture_Material_bool_Texture = 1081,
CopyMaterialArgument = 1076,
SaveMaterial_Material_string_string = 1090,
AddSharedMaterial = 1087,
IsSameMaterial = 1075,
SetSharedMaterial = 1085,
IsMaterialColor = 1070,
GetMaterialColor_Material_Color = 1073,
CopyColorProperty = 1078,
GetMaterialColorName = 1071,
GetMaterialColor_Material = 1072,
RemoveSharedMaterial = 1088,
SetMaskTexture_Material_Texture = 1083,
SetMaterialColor = 1074,
IsMaskTexture = 1082,
IsSameColorProperty = 1077,
GetTexture = 1080,
IsSameFloatProperty = 1079,
GetMaskTexture = 1084,
MoveSharedMaterial = 1086,
SaveMaterial_Material_string_string_bool = 1089
},
NgMath = {
easeInElastic = 2336,
easeOutQuart = 2315,
GetEasingFunction = 2304,
easeInOutBounce = 2331,
easeInBounce = 2329,
easeInSine = 2320,
easeOutCubic = 2312,
easeInOutQuad = 2310,
easeOutBounce = 2330,
easeInOutSine = 2322,
easeInQuart = 2314,
easeOutElastic = 2337,
easeOutBack = 2333,
easeInCirc = 2326,
easeOutCirc = 2327,
easeInQuint = 2317,
easeInOutQuart = 2316,
easeInCubic = 2311,
easeInBack = 2332,
easeInQuad = 2308,
easeInOutCubic = 2313,
easeInOutExpo = 2325,
spring = 2307,
easeInOutElastic = 2338,
easeOutSine = 2321,
easeOutExpo = 2324,
easeInExpo = 2323,
clerp = 2306,
easeInOutBack = 2334,
punch = 2335,
easeInOutQuint = 2319,
easeInOutCirc = 2328,
easeOutQuint = 2318,
easeOutQuad = 2309,
linear = 2305
},
NgObject = {
ChangeMeshColor = 1113,
HideAllChildObject = 1104,
ChangeMeshMaterial = 1111,
CreateGameObject_GameObject_GameObject = 1098,
["GetMeshInfo_Mesh_int&_int&_int&"] = 1122,
IsActive = 1093,
FindObjectWithTag = 1118,
CreateGameObject_GameObject_GameObject_Vector3_Quaternion = 1101,
CreateComponent_MonoBehaviour_Type = 1107,
ChangeSkinnedMeshColor = 1112,
FindObjectWithLayer = 1119,
ChangeLayerWithChild = 1120,
CreateGameObject_GameObject_string = 1095,
CreateGameObject_MonoBehaviour_GameObject_Vector3_Quaternion = 1102,
GetChilds = 1116,
FindTransform_Transform_string = 1109,
GetChildsSortList = 1117,
SetActive = 1091,
ChangeMeshAlpha = 1115,
CreateGameObject_Transform_GameObject_Vector3_Quaternion = 1103,
CreateComponent_GameObject_Type = 1108,
FindTransform_Transform_Transform = 1110,
["GetMeshInfo_GameObject_bool_int&_int&_int&"] = 1121,
CreateGameObject_Transform_string = 1097,
CreateComponent_Transform_Type = 1106,
RemoveAllChildObject = 1105,
ChangeSkinnedMeshAlpha = 1114,
CreateGameObject_Transform_GameObject = 1100,
CreateGameObject_MonoBehaviour_GameObject = 1099,
SetActiveRecursively = 1092,
CreateGameObject_GameObject = 1094,
CreateGameObject_MonoBehaviour_string = 1096
},
NgSerialized = {
LogPropertis_Object_bool = 1125,
CopyProperty = 1124,
["GetEllipsoidSize_ParticleEmitter_Vector3&_float&"] = 1151,
AddComponent = 1136,
["GetMeshNormalVelocity_ParticleEmitter_float&_float&"] = 1147,
GetParticleMesh = 1143,
GetShurikenSpeed = 1150,
IsMeshParticleEmitter_ParticleEmitter = 1133,
GetPropertyValue_SerializedProperty = 1131,
LogPropertis_SerializedObject_bool = 1126,
SetMesh = 1142,
IsEllipsoidParticleEmitter_ParticleEmitter = 1134,
IsMesh = 1140,
SetEllipsoidSize_TempParticleEmitter_Vector3_float = 9747,
IsValidCopy = 1135,
IsEllipsoidParticleEmitter_TempParticleEmitter = 9743,
IsEnableParticleMesh = 1139,
CopySerialized = 1138,
["GetEllipsoidSize_TempParticleEmitter_Vector3&_float&"] = 9746,
SetPropertyValue_SerializedProperty_object = 1132,
IsMeshParticleEmitter_TempParticleEmitter = 9742,
CloneComponent = 1137,
SetEllipsoidSize_ParticleEmitter_Vector3_float = 1152,
GetMesh = 1141,
GetSerializedObject = 1123,
GetSimulationSpaceWorld = 1145,
GetPropertyValue_SerializedObject_string = 1129,
IsPropertyValue = 1128,
LogPropertis_SerializedObject_string_bool = 1127,
SetPropertyValue_SerializedObject_string_object_bool = 1130,
SetParticleMesh = 1144,
SetSimulationSpaceWorld = 1146,
SetMeshNormalVelocity_ParticleEmitter_float_float = 1148,
SetMeshNormalVelocity_TempParticleEmitter_float_float = 9745,
["GetMeshNormalVelocity_TempParticleEmitter_float&_float&"] = 9744,
SetShurikenSpeed = 1149
},
NgTexture = {
CopyTextureHalf = 1173,
CompareTexture = 1169,
CombineTexture = 1168,
CopyTexture_Texture2D_Texture2D = 1166,
InverseTexture32 = 1167,
ReimportTexture = 1176,
CopyTextureQuad = 1174,
FindTexture = 1170,
CopyTexture_Texture2D_Texture2D_Rect = 1175,
FindTextureIndex = 1171,
UnloadTextures = 1165,
CopyTexture_Texture2D_Rect_Texture2D_Rect = 1172,
UniqueTexturePath = 1177
},
NgUtil = {
ClearObjects = 1187,
GetArcRadian = 1181,
ClearBools = 1186,
LogMessage = 1179,
LogDevelop = 1178,
LogError = 1180,
GetArcRadius = 1182,
ClearStrings = 1185,
NextPowerOf2 = 1184,
GetArcLength = 1183
},
NoDrawingGraphic = {
SetMaterialDirty = 3433,
SetVerticesDirty = 3434,
OnFillVBO = 3435
},
NotchAdapt = {
AdaptUI = 3438,
Update = 3437,
LateUpdate = 8183,
Start = 3436,
AdjustUI = 8182
},
NotchAdaptWrap = {
set_CheckNotchRatio = 552,
get_KeepRatioValue = 550,
set_equalRatioImgs = 555,
Register = 546,
get_equalRatioImgs = 551,
op_Equality = 547,
AdjustUI = 7847,
set_KeepRatio = 553,
get_CheckNotchRatio = 548,
set_KeepRatioValue = 554,
get_KeepRatio = 549
},
NotificationMgr = {
GetStoreNotification = 9369,
CancelAllLocalNotifications = 2917,
get_isRegistered = 2914,
ScheduleLocalNotification = 2916,
StoreNotification = 9368,
get_Inst = 2909,
PlayShutterSound = 8046,
Update = 2915,
PlayStartRecordSound = 8047,
get_DeviceToken = 2913,
PlayStopRecordSound = 8048,
CancelAllNotification = 9370,
RegisterNotifications = 2912,
Awake = 2910,
Init = 2911
},
NsEffectManager = {
PreloadPrefab = 2352,
SetReplayEffect = 2342,
AdjustSpeedEditor = 2346,
RunReplayEffectEx = 2345,
AdjustSpeedRuntime = 2347,
IsActive = 2349,
CreateReplayEffect = 2341,
GetValidComponentInChildren = 2354,
["PreloadResource_GameObject_List<GameObject>"] = 2351,
RunReplayEffect = 2343,
RunReplayUnityParticleSystem = 2344,
SetActiveRecursively = 2348,
GetComponentInChildren_GameObject_Type = 2340,
PreloadResource_GameObject = 2339,
["GetComponentInChildren_GameObject_Type_List<GameObject>"] = 2353,
SetActiveRecursivelyEffect = 2350
},
NsRenderManager = {
OnPostRender = 2361,
AddRenderEventCall = 2362,
Awake = 2355,
OnDisable = 2357,
OnPreRender = 2359,
Start = 2358,
OnEnable = 2356,
OnRenderObject = 2360,
RemoveRenderEventCall = 2363
},
NsSharedManager = {
get_inst = 2364,
GetSharedParticleGameObject = 2365,
PlaySharedAudioSource = 2369,
GetSharedAudioSource = 2367,
AddAudioSource = 2368,
EmitSharedParticleSystem = 2366
},
OSS = {
WriteFile = 9260,
GetSprite = 9262,
Init = 8068,
GetTexture = 9261,
Url2Json = 8069
},
OSSStarter = {
DeleteObject = 9265,
InitWithArgs_string_string_string_string = 8075,
AsynUpdateLoad = 8077,
GetSprite = 9267,
Log = 8078,
GetTexture = 9266,
Start = 8073,
get_initMode = 8070,
Awake = 8072,
InitWithArgs_string_string = 8074,
get_ins = 8071,
set_server = 9263,
UpdateLoad = 8076,
get_server = 9264
},
OSSStarterWrap = {
op_Equality = 7852,
AsynUpdateLoad = 7851,
InitWithArgs = 7849,
Register = 7848,
GetTexture = 8678,
DeleteObject = 8677,
GetSprite = 8679,
get_initMode = 7856,
set_prefab = 7860,
get_prefab = 7855,
get_ins = 7857,
set_server = 7858,
set__initMode = 7859,
get_server = 7853,
UpdateLoad = 7850,
get__initMode = 7854
},
OSSWrap = {
UpdateLoadAsyn = 7864,
GetTexture = 8683,
Register = 7861,
DeleteObject = 8680,
WriteFile = 8682,
GetSprite = 8684,
GetObjectToLocal = 8681,
UpdateLoad = 7863,
Init = 7862
},
OSUtils = {
CheckFreeDiskspaceEnough = 8199
},
["p10.cs_10001"] = {
get_password = 8206,
get_account = 8204,
set_mail_box = 8209,
["ProtoBuf.IExtensible.GetExtensionObject"] = 8210,
set_account = 8205,
get_mail_box = 8208,
set_password = 8207
},
["p10.cs_10020"] = {
set_arg2 = 8219,
get_login_type = 8214,
set_login_type = 8215,
get_device = 8226,
get_arg1 = 8216,
["ProtoBuf.IExtensible.GetExtensionObject"] = 8228,
get_arg3 = 8220,
set_check_key = 8225,
get_arg2 = 8218,
set_arg3 = 8221,
get_check_key = 8224,
set_arg4 = 8223,
get_arg4 = 8222,
set_arg1 = 8217,
set_device = 8227
},
["p10.cs_10022"] = {
set_account_id = 8266,
get_serverid = 8271,
get_platform = 8269,
set_platform = 8270,
get_account_id = 8265,
set_server_ticket = 8268,
["ProtoBuf.IExtensible.GetExtensionObject"] = 8277,
set_check_key = 8274,
get_server_ticket = 8267,
get_device_id = 8275,
get_check_key = 8273,
set_serverid = 8272,
set_device_id = 8276
},
["p10.cs_10024"] = {
get_device_id = 8293,
get_nick_name = 8289,
get_ship_id = 8291,
["ProtoBuf.IExtensible.GetExtensionObject"] = 8295,
set_ship_id = 8292,
set_device_id = 8294,
set_nick_name = 8290
},
["p10.cs_10100"] = {
get_need_request = 8301,
set_need_request = 8302,
["ProtoBuf.IExtensible.GetExtensionObject"] = 8303
},
["p10.cs_10800"] = {
set_state = 3878,
["ProtoBuf.IExtensible.GetExtensionObject"] = 3881,
get_platform = 3879,
set_platform = 3880,
get_state = 3877
},
["p10.cs_10994"] = {
get_type = 8307,
set_type = 8308,
["ProtoBuf.IExtensible.GetExtensionObject"] = 8309
},
["p10.cs_10996"] = {
set_state = 8314,
["ProtoBuf.IExtensible.GetExtensionObject"] = 8317,
get_platform = 8315,
set_platform = 8316,
get_state = 8313
},
["p10.noticeinfo"] = {
get_id = 8258,
set_content = 8263,
set_title = 8261,
["ProtoBuf.IExtensible.GetExtensionObject"] = 8264,
set_id = 8259,
get_content = 8262,
get_title = 8260
},
["p10.sc_10002"] = {
get_result = 8211,
set_result = 8212,
["ProtoBuf.IExtensible.GetExtensionObject"] = 8213
},
["p10.sc_10021"] = {
set_account_id = 8233,
set_server_ticket = 8235,
get_result = 8229,
get_device = 8237,
get_account_id = 8232,
get_serverlist = 8231,
get_notice_list = 8236,
["ProtoBuf.IExtensible.GetExtensionObject"] = 8239,
set_result = 8230,
get_server_ticket = 8234,
set_device = 8238
},
["p10.sc_10023"] = {
get_result = 8278,
set_server_ticket = 8283,
set_server_load = 8285,
["ProtoBuf.IExtensible.GetExtensionObject"] = 8288,
set_result = 8279,
get_db_load = 8286,
get_server_load = 8284,
set_user_id = 8281,
set_db_load = 8287,
get_server_ticket = 8282,
get_user_id = 8280
},
["p10.sc_10025"] = {
get_result = 8296,
["ProtoBuf.IExtensible.GetExtensionObject"] = 8300,
set_user_id = 8299,
set_result = 8297,
get_user_id = 8298
},
["p10.sc_10101"] = {
get_state = 8304,
set_state = 8305,
["ProtoBuf.IExtensible.GetExtensionObject"] = 8306
},
["p10.sc_10801"] = {
get_gateway_port = 3884,
set_url = 3887,
get_url = 3886,
get_monday_0oclock_timestamp = 9876,
set_proxy_ip = 3890,
set_proxy_port = 3892,
get_timestamp = 9874,
set_gateway_ip = 3883,
get_proxy_ip = 3889,
set_gateway_port = 3885,
get_is_ts = 8341,
get_gateway_ip = 3882,
set_monday_0oclock_timestamp = 9877,
get_version = 3888,
set_timestamp = 9875,
get_proxy_port = 3891,
["ProtoBuf.IExtensible.GetExtensionObject"] = 3893,
set_is_ts = 8342
},
["p10.sc_10995"] = {
get_result = 8310,
set_result = 8311,
["ProtoBuf.IExtensible.GetExtensionObject"] = 8312
},
["p10.sc_10997"] = {
get_url = 8330,
get_gateway_port = 8328,
get_version1 = 8318,
set_url = 8331,
get_version2 = 8320,
get_version4 = 8324,
set_version3 = 8323,
set_version1 = 8319,
set_gateway_ip = 8327,
set_gateway_port = 8329,
["ProtoBuf.IExtensible.GetExtensionObject"] = 8332,
get_gateway_ip = 8326,
set_version2 = 8321,
set_version4 = 8325,
get_version3 = 8322
},
["p10.sc_10998"] = {
get_result = 8335,
get_cmd = 8333,
["ProtoBuf.IExtensible.GetExtensionObject"] = 8337,
set_result = 8336,
set_cmd = 8334
},
["p10.sc_10999"] = {
get_reason = 8338,
set_reason = 8339,
["ProtoBuf.IExtensible.GetExtensionObject"] = 8340
},
["p10.serverinfo"] = {
set_sort = 8252,
set_state = 8246,
get_port = 8243,
set_ip = 8242,
set_proxy_ip = 8254,
set_proxy_port = 8256,
set_port = 8244,
get_proxy_ip = 8253,
get_name = 8247,
get_state = 8245,
get_ip = 8241,
get_ids = 8240,
get_tag_state = 8249,
get_proxy_port = 8255,
set_tag_state = 8250,
["ProtoBuf.IExtensible.GetExtensionObject"] = 8257,
get_sort = 8251,
set_name = 8248
},
Packet = {
CopyStream = 9254,
get_isVaild = 3025,
get_isCompressed = 9251,
get_data = 3024,
fillCycle = 3026,
deCompressStream = 9253,
getLuaStringBuffer = 3028,
deCompressBytes = 9252,
get_idx = 3023,
getLuaByteBuffer = 3027,
get_cmd = 3022
},
PackStream = {
WriteString4 = 3055,
ToString = 3029,
computeUint64Size = 3062,
WriteString = 3053,
WriteUint16 = 3045,
ToArray = 3059,
WriteUint8 = 3043,
Write_ulong = 3040,
WriteInt16 = 3044,
Write_byte = 3035,
set_Seek = 3031,
Write_int = 3037,
WriteDouble = 3052,
set_Length = 3033,
Reset = 3034,
WriteInt32 = 3046,
WriteBuffer2 = 3057,
ComputeUint32Size = 3061,
WriteUint64 = 3049,
Write_short = 3036,
["Write_byte[]_int_int"] = 3041,
get_Length = 3032,
WriteString2 = 3054,
WriteBool = 3050,
WriteInt64 = 3048,
WriteBuffer4 = 3058,
get_Seek = 3030,
Write_uint = 3038,
WriteFloat = 3051,
WriteBuffer = 3056,
Write_long = 3039,
WriteInt8 = 3042,
WriteUint32 = 3047,
ToArrayRef = 3060
},
PaintingScaler = {
OnRectTransformDimensionsChange = 3501,
OnEnable = 3497,
set_FrameName = 3493,
get_aspectRatioFitter = 3503,
OnValidate = 3496,
CleanSnapShoot = 3506,
UpdatePaintings = 3507,
get_Tween = 3494,
SetLayoutVertical = 3500,
get_rectTransform = 3502,
SetDirty = 3504,
set_Tween = 3495,
UpdatePainting = 3498,
get_FrameName = 3492,
SetLayoutHorizontal = 3499,
Snapshoot = 3505
},
ParticlePlexus = {
LateUpdate = 2708,
Start = 2707
},
ParticleSystemEvent = {
AddEndEvent = 2717,
Update = 2714,
SetStartEvent = 2716,
SetEndEvent = 2718,
OnTransformParentChanged = 2712,
KeepScale = 2713,
Start = 2710,
OnEnable = 2711,
OnDestroy = 2719,
AddStartEvent = 2715,
Awake = 2709
},
PathMgr = {
getPlatformName = 2931,
getLuaName = 2923,
ReadAllLines = 2927,
FileExists = 2930,
getStreamingAsset = 2926,
get_Inst = 2918,
ReadAllBytes = 2928,
is32Bit = 2922,
getAssetBundle = 2924,
getStreamAssetsPath = 2933,
getLuaBundle = 2921,
getShortAssetBundle = 2925,
ReadAllText = 2929,
getPlatformName_RuntimePlatform = 2932,
Awake = 2919,
Init = 2920
},
PermissionMgr = {
ApplyPermission = 2937,
OnPermissionRequestResult = 2939,
OpenDetailSetting = 2938,
OnPermissionNeverRemind = 2940,
Awake = 2935,
get_Inst = 2934,
CheckPermissionGranted = 2936,
OnPermissionReject = 2941
},
PermissionMgrWrap = {
Register = 556,
ApplyPermission = 558,
get_Inst = 564,
OnPermissionNeverRemind = 561,
op_Equality = 563,
CheckPermissionGranted = 557,
OpenDetailSetting = 559,
OnPermissionRequestResult = 560,
OnPermissionReject = 562
},
Physics2DItem = {
OnCollisionEnter2D = 9244,
OnTriggerEnter2D = 9247,
OnCollisionStay2D = 9245,
OnTriggerStay2D = 9248,
Start = 9241,
OnTriggerExit2D = 9249,
OnDestroy = 9250,
ResumeState = 9243,
OnCollisionExit2D = 9246,
Awake = 9240,
RecordState = 9242
},
Physics2DItemWrap = {
set_CollisionEnter = 8695,
op_Equality = 8688,
set_CollisionStay = 8696,
Register = 8685,
set_TriggerStay = 8699,
get_TriggerEnter = 8692,
set_CollisionExit = 8697,
get_CollisionEnter = 8689,
get_TriggerStay = 8693,
set_TriggerEnter = 8698,
set_TriggerExit = 8700,
ResumeState = 8687,
get_CollisionExit = 8691,
get_CollisionStay = 8690,
get_TriggerExit = 8694,
RecordState = 8686
},
Physics2DMgr = {
Physics2DUpdate = 9236,
AddSimulateItem = 9233,
get_Inst = 9232,
DoPrediction = 9235,
RemoveSimulateItem = 9234,
SimplePosPrediction = 9237,
Awake = 9231
},
Physics2DMgrWrap = {
DoPrediction = 8704,
AddSimulateItem = 8702,
op_Equality = 8706,
Register = 8701,
RemoveSimulateItem = 8703,
get_Inst = 8707,
SimplePosPrediction = 8705
},
PicHolder = {
GetSpriteByName = 3509,
OnDestroy = 3510,
GetSpriteByIndex = 3508
},
PicHolderWrap = {
Register = 565,
get_pics = 569,
GetSpriteByName = 567,
set_pics = 570,
op_Equality = 568,
GetSpriteByIndex = 566
},
PicLoader = {
Destroy = 2845,
get_IsDispose = 2844,
get_IsDown = 2843
},
PicUpdateMgr = {
Awake = 8050,
get_Inst = 8049
},
PicUpdateMgrWrap = {
get_Inst = 7867,
op_Equality = 7866,
Register = 7865
},
PinchZoom = {
Update = 2720
},
PlaybackInfo = {
SetStartTime = 8032,
SetIgnoreAutoUnload = 8036,
PlaybackStop = 8034,
Dispose = 8037,
GetLength = 8031,
GetTime = 8035,
SetStartTimeAndPlay = 8033
},
PlaybackInfoWrap = {
get_cueData = 7877,
PlaybackStop = 7873,
SetStartTimeAndPlay = 7872,
get_cueInfo = 7878,
set_playback = 7884,
set_ignoreAutoUnload = 7886,
_CreatePlaybackInfo = 7869,
Dispose = 7876,
SetIgnoreAutoUnload = 7875,
GetLength = 7870,
GetTime = 7874,
set_cueInfo = 7883,
get_playback = 7879,
SetStartTime = 7871,
Register = 7868,
get_channelPlayer = 7880,
set_channelPlayer = 7885,
set_cueData = 7882,
get_ignoreAutoUnload = 7881
},
PointerInfo = {
GetPointerColor = 8520,
GetMapScreenPos = 8521,
AddColorMaskClickListener = 8522
},
PointerInfoUI = {
GetPointerColor = 8523,
GetMapScreenPos = 8524,
AddColorMaskClickListener = 8525
},
PointerInfoUIWrap = {
set_tex = 8434,
get_tex = 8433,
AddColorMaskClickListener = 8431,
Register = 8428,
GetPointerColor = 8429,
op_Equality = 8432,
GetMapScreenPos = 8430
},
PointerInfoWrap = {
Register = 8435,
op_Equality = 8439,
set_tex = 8443,
get_tex = 8440,
GetPointerColor = 8436,
set_cam = 8445,
get_layer = 8441,
AddColorMaskClickListener = 8438,
get_cam = 8442,
set_layer = 8444,
GetMapScreenPos = 8437
},
ReceiveWindow = {
initBuffer = 3063,
ParsePackets = 3064
},
RenderQueueSetter = {
GetModifiedMaterial = 3511
},
ResourceMgr = {
_loadAssetBundleAsync = 2957,
_LoadAssetAsync = 2964,
["LoadAssetAsync_AssetBundle_UnityAction<Object>_bool_bool"] = 2963,
loadAssetBundleAsync = 2956,
LoadAssetSync_AssetBundle_string_bool_bool = 2953,
get_Inst = 2946,
ClearBundleRef_string_bool_bool = 2966,
AssetExist = 2950,
unloadUnusedAssetBundles = 2967,
["LoadAssetAsync_AssetBundle_string_UnityAction<Object>_bool_bool"] = 2962,
_loadAssetBundleTotallyAsync = 8485,
ClearBundleRef_AssetBundle_bool = 2965,
ClearBundleRefTotally = 8486,
loadAssetBundleTotallyAsync = 8484,
["getAssetAsync_string_string_Type_UnityAction<Object>_bool_bool"] = 2958,
Init = 2948,
getAssetSync_string_string_Type_bool_bool = 2954,
["getAssetAsync_string_string_UnityAction<Object>_bool_bool"] = 2959,
CheckAsyncWaiting = 9470,
dumpAssetBundles = 2968,
getAssetSync_string_string_bool_bool = 2955,
loadAssetBundleSync = 2951,
_getAssetAsync = 2960,
GetAllDependencies = 2949,
LoadAssetSync_AssetBundle_string_Type_bool_bool = 2952,
["LoadAssetAsync_AssetBundle_string_Type_UnityAction<Object>_bool_bool"] = 2961,
Awake = 2947
},
["ResourceMgr.AssetBundleRef"] = {
get_refCount = 2943,
get_assetBundle = 2942,
release = 2945,
retain = 2944
},
RNG = {
Next_int = 3826,
Next_int_int = 3827,
Next = 3825
},
Rotate = {
Start = 2721,
Update = 2722
},
SaltAdapter = {
Init = 3828,
___ = 8200,
Make = 3829
},
SceneOpMgr = {
OnSceneLoaded = 8491,
AddSceneLoaded = 8492,
AddSceneUnload = 8494,
Init = 8489,
OnSceneUnloaded = 8490,
get_Inst = 8487,
Awake = 8488,
DelSceneLoaded = 8493,
LoadSceneAsync = 8496,
UnloadSceneAsync = 8497,
DelSceneUnload = 8495
},
SceneOpMgrWrap = {
DelSceneUnload = 8451,
op_Equality = 8454,
AddSceneUnload = 8450,
Register = 8446,
AddSceneLoaded = 8448,
get_Inst = 8455,
DelSceneLoaded = 8449,
LoadSceneAsync = 8452,
UnloadSceneAsync = 8453,
Init = 8447
},
ScreenShooter = {
SaveTextureToLocal = 9302,
TakeMultiCam = 3831,
TakePhotoMultiCam = 3832,
Take = 3830,
EncodeToJPG = 8202,
TakePhoto_Camera_int_int = 9301,
TakePhoto_Camera = 3833
},
ScrollText = {
Begin = 3837,
CheckOverflow = 3841,
Clear = 3843,
PreCalFunc = 3838,
ResetBaseAnchor = 8203,
SetText = 3836,
SetMaskEnable = 3842,
OnEnable = 3844,
StartTweenVertical = 3840,
Init = 3835,
OnDestroy = 3846,
StartTween = 3839,
Awake = 3834,
OnDisable = 3845
},
ScrollTextWrap = {
Clear = 574,
SetText = 572,
get_NotSensitive = 576,
Register = 571,
get_Vertical = 577,
op_Equality = 575,
set_NotSensitive = 578,
set_Vertical = 579,
SetMaskEnable = 573
},
SdkUtil = {
Dictionary2Json = 3089,
Json2Dictionary = 3090
},
SeaAnim = {
Start = 2825,
Update = 2826
},
SelectableArchiver = {
Clear = 3626,
Filter = 3627,
PushDependency = 3628,
CanArchive = 3629,
Archive = 3630,
Load = 3625
},
SendWindow = {
addToBuffer = 3066,
get_hasDataToSend = 3067,
swapBuffer = 3068,
initBuffer = 3065
},
SightMeter = {
Start = 3546,
Update = 3547
},
SimpleSettingsHandler = {
LoginTypeHandler = 3849,
SetEditorArgs = 3848,
Init = 3847
},
SnapshotMgr = {
get_Inst = 2969,
Awake = 2970,
SnapshotGameObjects = 2971
},
Spine_Unity_BoneFollowerGraphicWrap = {
SetBone = 581,
get_valid = 594,
set_skeletonGraphic = 596,
set_boneName = 598,
set_followZPosition = 602,
set_valid = 604,
get_bone = 593,
get_boneName = 588,
get_initializeOnAwake = 587,
set_SkeletonGraphic = 605,
set_bone = 603,
set_followBoneRotation = 599,
get_followLocalScale = 591,
get_skeletonGraphic = 586,
get_SkeletonGraphic = 595,
Register = 580,
get_followZPosition = 592,
get_followBoneRotation = 589,
set_followLocalScale = 601,
get_followSkeletonFlip = 590,
op_Equality = 585,
Initialize = 583,
LateUpdate = 584,
set_initializeOnAwake = 597,
Awake = 582,
set_followSkeletonFlip = 600
},
Spine_Unity_BoneFollowerWrap = {
get_SkeletonRenderer = 622,
get_valid = 620,
get_skeletonRenderer = 613,
set_boneName = 624,
set_followZPosition = 625,
set_valid = 630,
get_bone = 621,
get_boneName = 614,
get_initializeOnAwake = 619,
get_followLocalScale = 618,
set_bone = 631,
SetBone = 607,
Register = 606,
set_followBoneRotation = 626,
HandleRebuildRenderer = 609,
set_skeletonRenderer = 623,
get_followZPosition = 615,
get_followBoneRotation = 616,
set_followLocalScale = 628,
get_followSkeletonFlip = 617,
set_SkeletonRenderer = 632,
op_Equality = 612,
Initialize = 610,
LateUpdate = 611,
set_initializeOnAwake = 629,
Awake = 608,
set_followSkeletonFlip = 627
},
SplashPanel = {
FindImages = 3549,
Update = 3551,
OnDestroy = 3552,
Splash = 3548,
SetImagesAlpha = 3550,
ItemHandler = 9300
},
SpriteStateDisk = {
Clear = 3632,
Filter = 3634,
OverrideSpriteState = 3633,
CanArchive = 3636,
Archive = 3637,
PushDependency = 3635,
Load = 3631
},
StickController = {
ClearStickFunc = 3563,
Update = 3555,
IsPointerOverUIObject = 9826,
SetStickFunc = 3560,
SetInfo = 3557,
SetJoyStickModule = 3562,
Start = 3554,
SetStickModule = 3561,
UpdateTouchPos = 3559,
TransformPos = 3556,
OnDestroy = 3564,
ValidPosFunc = 3558,
Awake = 3553,
IsPointerOverUIObjectByTouch = 9825
},
System_Collections_Generic_List_UnityEngine_CameraWrap = {
_get_this = 635,
InsertRange = 656,
GetRange = 653,
IndexOf = 654,
BinarySearch = 641,
Remove = 658,
Insert = 655,
Register = 633,
RemoveAt = 660,
LastIndexOf = 657,
Find = 646,
set_Capacity = 671,
RemoveAll = 659,
TrueForAll = 666,
_this = 637,
_set_this = 636,
FindLast = 649,
CopyTo = 644,
FindIndex = 648,
get_Capacity = 669,
FindLastIndex = 650,
Contains = 643,
AddRange = 639,
_CreateSystem_Collections_Generic_List_UnityEngine_Camera = 634,
GetEnumerator = 652,
Exists = 645,
Clear = 642,
ToArray = 664,
Reverse = 662,
ForEach = 651,
Sort = 663,
get_Item = 667,
RemoveRange = 661,
TrimExcess = 665,
set_Item = 668,
Add = 638,
get_Count = 670,
FindAll = 647,
AsReadOnly = 640
},
System_Collections_Generic_List_UnityEngine_GameObjectWrap = {
_get_this = 9330,
InsertRange = 9351,
FindLast = 9344,
GetRange = 9348,
BinarySearch = 9336,
Remove = 9353,
Insert = 9350,
Register = 9328,
RemoveAt = 9355,
LastIndexOf = 9352,
Find = 9341,
set_Capacity = 9366,
RemoveAll = 9354,
TrueForAll = 9361,
_this = 9332,
_set_this = 9331,
IndexOf = 9349,
_CreateSystem_Collections_Generic_List_UnityEngine_GameObject = 9329,
FindIndex = 9343,
get_Capacity = 9364,
CopyTo = 9339,
FindLastIndex = 9345,
AddRange = 9334,
Contains = 9338,
GetEnumerator = 9347,
Exists = 9340,
Clear = 9337,
ToArray = 9359,
Reverse = 9357,
ForEach = 9346,
Sort = 9358,
get_Item = 9362,
RemoveRange = 9356,
TrimExcess = 9360,
set_Item = 9363,
Add = 9333,
get_Count = 9365,
FindAll = 9342,
AsReadOnly = 9335
},
System_IO_DirectoryWrap = {
SetCurrentDirectory = 692,
GetDirectoryRoot = 684,
GetParent = 688,
GetCreationTimeUtc = 681,
GetFileSystemEntries = 686,
GetCurrentDirectory = 682,
GetLastAccessTime = 676,
GetCreationTime = 680,
SetLastAccessTimeUtc = 694,
GetDirectories = 683,
GetLogicalDrives = 687,
Exists = 675,
GetLastAccessTimeUtc = 677,
SetCreationTimeUtc = 691,
GetFiles = 685,
Register = 672,
SetLastAccessTime = 693,
GetLastWriteTime = 678,
SetCreationTime = 690,
Delete = 674,
GetLastWriteTimeUtc = 679,
SetLastWriteTime = 695,
SetLastWriteTimeUtc = 696,
CreateDirectory = 673,
Move = 689
},
TasharenWater = {
Clear = 8536,
get_reflectionMask = 8527,
SetQuality = 8533,
OnWillRenderObject = 8541,
get_useRefraction = 8528,
CameraSpacePlane = 8539,
GetQuality = 8532,
CalculateReflectionMatrix = 8531,
CopyCamera = 8537,
GetReflectionCamera = 8538,
LateUpdate = 8540,
SignExt = 8529,
CalculateObliqueMatrix = 8530,
Awake = 8534,
get_reflectionTextureSize = 8526,
OnDisable = 8535
},
TempParticleEmitter = {
ClearParticles = 9749,
Emit = 9748
},
Tex2DExtension = {
EncodeToEXR_Texture2D_EXRFlags = 8053,
EncodeToEXR_Texture2D = 8054,
EncodeToJPG_Texture2D = 8056,
EncodeToPNG = 8057,
["LoadImage_Texture2D_byte[]"] = 8059,
["LoadImage_Texture2D_byte[]_bool"] = 8058,
EncodeToJPG_Texture2D_int = 8055
},
Tex2DExtensionWrap = {
EncodeToPNG = 7891,
Register = 7887,
EncodeToEXR = 7889,
EncodeToJPG = 7890,
LoadImage = 7892,
_CreateTex2DExtension = 7888
},
TextStringProjection = {
GetTextStringProjection = 9827,
findRight = 9828
},
["ThirdParty.Ionic.Zlib.CRC32"] = {
GetCrc32 = 5384,
_InternalComputeCrc32 = 5387,
get_TotalBytesRead = 5382,
GetCrc32AndCopy = 5385,
ComputeCrc32 = 5386,
SlurpBlock = 5388,
get_Crc32Result = 5383
},
["ThirdParty.Ionic.Zlib.CrcCalculatorStream"] = {
SetLength = 5401,
set_Position = 5399,
get_CanWrite = 5395,
get_CanRead = 5393,
Read = 5391,
get_Position = 5398,
get_CanSeek = 5394,
get_Crc32 = 5390,
get_TotalBytesSlurped = 5389,
get_Length = 5397,
Flush = 5396,
Write = 5392,
Seek = 5400
},
["ThirdParty.Json.LitJson.ArrayMetadata"] = {
set_ElementType = 5486,
set_IsArray = 5488,
set_IsList = 5490,
get_IsList = 5489,
get_IsArray = 5487,
get_ElementType = 5485
},
["ThirdParty.Json.LitJson.JsonData"] = {
["System.Collections.IDictionary.get_IsReadOnly"] = 5414,
["System.Collections.IList.Clear"] = 5457,
get_IsLong = 5407,
EnsureDictionary = 5467,
get_Item_int = 5435,
["System.Collections.IDictionary.Clear"] = 5439,
["System.Collections.IList.get_IsReadOnly"] = 5425,
["System.Collections.IList.RemoveAt"] = 5462,
["System.Collections.IList.IndexOf"] = 5459,
["System.Collections.IList.get_Item"] = 5430,
["ThirdParty.Json.LitJson.IJsonWrapper.GetBoolean"] = 5444,
["ThirdParty.Json.LitJson.IJsonWrapper.SetBoolean"] = 5449,
["ThirdParty.Json.LitJson.IJsonWrapper.SetDouble"] = 5450,
["ThirdParty.Json.LitJson.IJsonWrapper.SetLong"] = 5452,
["ThirdParty.Json.LitJson.IJsonWrapper.get_IsLong"] = 5421,
["ThirdParty.Json.LitJson.IJsonWrapper.GetString"] = 5448,
get_IsInt = 5406,
["System.Collections.Specialized.IOrderedDictionary.Insert"] = 5464,
["System.Collections.Specialized.IOrderedDictionary.get_Item"] = 5428,
get_PropertyNames = 5432,
["System.Collections.IDictionary.get_Item"] = 5426,
["System.Collections.ICollection.get_IsSynchronized"] = 5411,
["ThirdParty.Json.LitJson.IJsonWrapper.GetDouble"] = 5445,
["ThirdParty.Json.LitJson.IJsonWrapper.ToJson"] = 5454,
["System.Collections.IList.Add"] = 5456,
["System.Collections.IList.get_IsFixedSize"] = 5424,
["System.Collections.IList.Insert"] = 5460,
["System.Collections.ICollection.CopyTo"] = 5437,
SetJsonType = 5475,
["ThirdParty.Json.LitJson.IJsonWrapper.GetLong"] = 5447,
["ThirdParty.Json.LitJson.IJsonWrapper.GetInt"] = 5446,
get_IsString = 5409,
["System.Collections.IDictionary.get_Keys"] = 5415,
["System.Collections.IList.set_Item"] = 5431,
["System.Collections.IDictionary.Contains"] = 5440,
get_IsObject = 5408,
["System.Collections.IDictionary.Add"] = 5438,
["ThirdParty.Json.LitJson.IJsonWrapper.SetString"] = 5453,
["ThirdParty.Json.LitJson.IJsonWrapper.get_IsObject"] = 5422,
["System.Collections.Specialized.IOrderedDictionary.GetEnumerator"] = 5463,
Equals = 5473,
["System.Collections.Specialized.IOrderedDictionary.set_Item"] = 5429,
["ThirdParty.Json.LitJson.IJsonWrapper.get_IsArray"] = 5417,
["System.Collections.IList.Contains"] = 5458,
["ThirdParty.Json.LitJson.IJsonWrapper.get_IsDouble"] = 5419,
["System.Collections.IDictionary.Remove"] = 5442,
get_Item_string = 5433,
["System.Collections.IDictionary.set_Item"] = 5427,
get_IsBoolean = 5404,
ToJson_JsonWriter = 5477,
ToString = 5478,
["ThirdParty.Json.LitJson.IJsonWrapper.get_IsInt"] = 5420,
["System.Collections.IEnumerable.GetEnumerator"] = 5443,
EnsureCollection = 5466,
["System.Collections.ICollection.get_SyncRoot"] = 5412,
["ThirdParty.Json.LitJson.IJsonWrapper.get_IsBoolean"] = 5418,
["System.Collections.IDictionary.get_Values"] = 5416,
get_IsArray = 5403,
ToJsonData = 5469,
["ThirdParty.Json.LitJson.IJsonWrapper.ToJson_JsonWriter"] = 5455,
WriteJson = 5470,
Clear = 5472,
["System.Collections.ICollection.get_Count"] = 5410,
get_IsDouble = 5405,
["System.Collections.IList.Remove"] = 5461,
EnsureList = 5468,
GetJsonType = 5474,
Add = 5471,
["ThirdParty.Json.LitJson.IJsonWrapper.SetInt"] = 5451,
["System.Collections.IDictionary.GetEnumerator"] = 5441,
get_Count = 5402,
set_Item_string_JsonData = 5434,
["System.Collections.IDictionary.get_IsFixedSize"] = 5413,
set_Item_int_JsonData = 5436,
["ThirdParty.Json.LitJson.IJsonWrapper.get_IsString"] = 5423,
["System.Collections.Specialized.IOrderedDictionary.RemoveAt"] = 5465,
ToJson = 5476
},
["ThirdParty.Json.LitJson.JsonMapper"] = {
RegisterImporter = 5505,
ToJson_object_JsonWriter = 5508,
RegisterBaseImporters = 5504,
ReadValue_Type_JsonReader = 5501,
WriteValue = 5506,
AddArrayMetadata = 5497,
ToWrapper_WrapperFactory_JsonReader = 5512,
RegisterBaseExporters = 5503,
ToObject_TextReader = 5510,
AddObjectMetadata = 5498,
GetConvOp = 5500,
ToObject_string = 5511,
UnregisterExporters = 5514,
ToJson_object = 5507,
ToWrapper_WrapperFactory_string = 5513,
AddTypeProperties = 5499,
UnregisterImporters = 5515,
ReadValue_WrapperFactory_JsonReader = 5502,
ToObject_JsonReader = 5509
},
["ThirdParty.Json.LitJson.JsonReader"] = {
ReadToken = 5526,
get_Token = 5522,
Close = 5527,
get_Value = 5523,
Read = 5528,
get_EndOfInput = 5520,
ProcessNumber = 5524,
ProcessSymbol = 5525,
get_AllowComments = 5516,
get_EndOfJson = 5521,
get_AllowSingleQuotedStrings = 5518,
set_AllowComments = 5517,
set_AllowSingleQuotedStrings = 5519
},
["ThirdParty.Json.LitJson.JsonWriter"] = {
get_IndentValue = 5529,
ToString = 5545,
get_Validate = 5534,
set_IndentValue = 5530,
Indent = 5539,
IntToHex = 5538,
set_PrettyPrint = 5532,
get_TextWriter = 5533,
PutNewline_bool = 5542,
Write_Decimal = 5548,
Unindent = 5544,
WriteRaw = 5553,
get_PrettyPrint = 5531,
Write_long = 5551,
WriteArrayEnd = 5556,
Init = 5537,
Write_double = 5549,
Write_int = 5550,
WriteObjectStart = 5559,
Write_bool = 5547,
WritePropertyName = 5560,
PutString = 5543,
Write_ulong = 5554,
Write_DateTime = 5555,
Write_string = 5552,
Put = 5540,
Reset = 5546,
DoValidation = 5536,
set_Validate = 5535,
WriteArrayStart = 5557,
PutNewline = 5541,
WriteObjectEnd = 5558
},
["ThirdParty.Json.LitJson.Lexer"] = {
get_StringValue = 5567,
get_EndOfInput = 5565,
UngetChar = 5602,
State23 = 5593,
State8 = 5578,
State19 = 5589,
State10 = 5580,
State27 = 5597,
set_AllowComments = 5562,
State9 = 5579,
State2 = 5572,
get_AllowComments = 5561,
State12 = 5582,
State20 = 5590,
State17 = 5587,
set_AllowSingleQuotedStrings = 5564,
GetChar = 5599,
State11 = 5581,
State15 = 5585,
State5 = 5575,
PopulateFsmTables = 5569,
State6 = 5576,
State16 = 5586,
State26 = 5596,
State14 = 5584,
State22 = 5592,
State3 = 5573,
State1 = 5571,
State25 = 5595,
HexValue = 5568,
NextToken = 5601,
State24 = 5594,
State21 = 5591,
State4 = 5574,
NextChar = 5600,
State18 = 5588,
ProcessEscChar = 5570,
State7 = 5577,
get_Token = 5566,
State13 = 5583,
State28 = 5598,
get_AllowSingleQuotedStrings = 5563
},
["ThirdParty.Json.LitJson.ObjectMetadata"] = {
set_ElementType = 5492,
set_Properties = 5496,
set_IsDictionary = 5494,
get_Properties = 5495,
get_ElementType = 5491,
get_IsDictionary = 5493
},
["ThirdParty.Json.LitJson.OrderedDictionaryEnumerator"] = {
MoveNext = 5483,
get_Entry = 5480,
get_Current = 5479,
get_Value = 5482,
Reset = 5484,
get_Key = 5481
},
["ThirdParty.MD5.MD5Core"] = {
LSR = 5615,
r3 = 5613,
GetHash_string_Encoding = 5603,
["GetHash_byte[]"] = 5608,
GetHashString_string_Encoding = 5606,
GetHashFinalBlock = 5609,
Converter = 5616,
r2 = 5612,
GetHash_string = 5604,
r4 = 5614,
r1 = 5611,
GetHashBlock = 5610,
GetHashString_string = 5607,
["GetHashString_byte[]"] = 5605
},
["ThirdParty.MD5.MD5Managed"] = {
HashCore = 5618,
Initialize = 5617,
HashFinal = 5619
},
TimeUtil = {
DescLeftTime = 3851,
TickToMilliSec = 3853,
GetSystemTime = 3852,
NewUnityTimer = 3850
},
Trigger2DEventWrap = {
_CreateTrigger2DEvent = 9505,
Register = 9504
},
TxwyKrSdkMgr = {
get_isPlatform = 8115,
callSdkApi = 8118,
GoLoginScene = 8117,
set_isPlatform = 8116,
get_loginType = 8114
},
TxwyKrSdkMgrWrap = {
get_isPlatform = 7898,
GoLoginScene = 7895,
set_isPlatform = 7899,
Register = 7893,
callSdkApi = 7896,
_CreateTxwyKrSdkMgr = 7894,
get_loginType = 7897
},
TypeConvert = {
getInt = 3860,
getBytes_long_bool = 3858,
getBytes_short_bool = 3856,
getBytes_int_bool = 3857,
getBytes_float_bool = 3854,
getShort = 3859,
getFloat = 3855
},
Typewriter = {
setSpeed = 3581,
Play = 3582,
SetContent = 3583,
Update = 3584,
Typing = 3585,
Awake = 3580
},
UIArchiver = {
Clear = 3639,
Save = 3641,
Load = 3638,
Loader = 3640
},
UIEventTrigger = {
DidExit = 2781,
DidEnter = 2780,
OnCustom = 2782
},
UIGrayScale = {
OnDisable = 3658,
get_mLOutLineMaterial = 3653,
set_recursive = 3655,
OnValidate = 3656,
get_recursive = 3654,
OnEnable = 3657
},
UILongPressTrigger = {
OnPointerDown = 2783,
OnPointerExit = 2784,
Update = 2786,
OnPointerUp = 2785
},
UIPartialBlur = {
Setup = 2726,
OnDisable = 2724,
OnValidate = 2725,
Cleanup = 2727,
OnEnable = 2723
},
UIPullToRefreshTrigger = {
OnDrag = 2788,
OnEndDrag = 2789,
Awake = 2787
},
UIToggleEvent = {
Rebind = 3659,
OnValueChange = 3663,
OnValidate = 3662,
Start = 3660,
OnEnable = 3661
},
UIUtil = {
ClearMaterial = 3865,
ClearImageSprite = 3864,
ClearSharedMaterial = 3866,
ClearTextureRef = 3863,
SetLayerRecursively = 3862,
IsPrefab = 3867,
AddCameraTexture = 3861,
preLoadFont = 3869,
IsGameObject = 3868,
ClearChildren = 3870
},
UniPasteBoard = {
GetClipBoardString = 3664,
SetClipBoardString = 3665
},
["UnityEngine.UI.Extensions.HScrollSnap"] = {
OnBeginDrag = 3242,
DistributePages = 3237,
RemoveChild = 3241,
GetPageforPosition = 3238,
OnValidate = 3239,
OnEndDrag = 3243,
get_CurrentPage = 3218,
OnEnable = 3226,
Init = 3222,
OnDrag = 3244,
FindClosestFrom = 3234,
CurrentScreen = 3235,
NextScreen = 3229,
PrevScreenCommand = 3233,
ChangeBulletsInfo = 3236,
OnDisable = 3227,
AlignScreen = 3228,
Update = 3225,
NextScreenCommand = 3232,
PreviousScreen = 3230,
Start = 3224,
set_autoSnap = 3221,
get_Screens = 3219,
AddChild = 3240,
get_autoSnap = 3220,
Awake = 3223,
GoToScreen = 3231
},
["UnityEngine.UI.LetterSpacing"] = {
OnValidate = 3266,
get_flexibleHeight = 3264,
get_minWidth = 3259,
get_minHeight = 3262,
get_preferredWidth = 3260,
get_text = 3258,
GetLines = 3269,
get_preferredHeight = 3263,
ModifyVertices = 3272,
get_spacing = 3256,
CalculateLayoutInputHorizontal = 3267,
get_flexibleWidth = 3261,
CalculateLayoutInputVertical = 3268,
set_spacing = 3257,
ModifyMesh_Mesh = 3270,
ModifyMesh_VertexHelper = 3271,
get_layoutPriority = 3265
},
["UnityEngine.UI.LScrollItemPool"] = {
Clear = 3303,
Save = 3304,
GetItem = 3301,
ReturnItem = 3302,
Load = 3305
},
["UnityEngine.UI.LScrollRect"] = {
LoadingTurn = 9820,
OnScroll = 3377,
UpdateScrollbars = 3385,
get_itemSize = 3354,
get_minHeight = 3397,
IsActive = 3374,
RemoveItemAtEnd = 3406,
OnRectTransformDimensionsChange = 3389,
RemoveLoadingItem_GameObject = 9818,
OnInitializePotentialDrag = 3378,
get_value = 3347,
CalculateLayoutInputVertical = 3393,
LayoutComplete = 3369,
CalculateLayoutInputHorizontal = 3392,
NewItemAtStart = 3407,
OnDisable = 3373,
get_verticalScrollbarVisibility = 3330,
Save = 3366,
get_preferredWidth = 3395,
EnsureLayoutHasRebuilt = 3375,
get_hScrollingNeeded = 3390,
get_horizontalScrollbar = 3324,
get_paddingEnd = 3353,
get_decelerationRate = 3318,
get_axis = 3348,
get_contentConstraintCount = 3350,
get_horizontalScrollbarVisibility = 3328,
CalculateOffset = 3412,
OnApplicationQuit = 3417,
GetBounds = 3411,
set_elasticity = 3315,
get_elasticity = 3314,
BeginLayout = 3364,
set_inertia = 3317,
get_onValueChanged = 3336,
get_axisSign = 3349,
OnValidate = 3415,
get_content = 3306,
RemoveItemAtStart = 3408,
get_viewRect = 3340,
get_inertia = 3316,
OnDrag = 3381,
EndLayout = 3365,
set_loadSpeed = 9815,
get_viewport = 3322,
get_verticalScrollbar = 3326,
Load = 3367,
get_horizontalScrollbarSpacing = 3332,
get_slidelen = 3357,
AddLoadingItem = 9816,
HeadIndexToValue = 3363,
get_velocity = 3341,
get_flexibleWidth = 3396,
set_velocity = 3342,
get_totalCount = 3344,
OnScrollBarEndDrag = 3419,
get_preferredHeight = 3398,
set_verticalScrollbarSpacing = 3335,
OnDestroy = 3421,
set_horizontalScrollbarVisibility = 3329,
get_loadSpeed = 9814,
set_horizontal = 3309,
set_verticalScrollbarVisibility = 3331,
get_layoutPriority = 3400,
set_onValueChanged = 3337,
set_content = 3307,
EnsureComponents = 3346,
OnBeginDrag = 3379,
set_horizontalScrollbar = 3325,
get_flexibleHeight = 3399,
RemoveLoadingItem_GameObject_int = 9817,
OnEnable = 3372,
SetContentAnchoredPosition = 3382,
ReturnItems = 3416,
SetDirty = 3413,
set_decelerationRate = 3319,
get_scrollSensitivity = 3320,
set_viewport = 3323,
set_movementType = 3313,
SetHorizontalNormalizedPosition = 3386,
SetLayoutHorizontal = 3401,
get_movementType = 3312,
StopMovement = 3376,
OnEndDrag = 3380,
get_spacing = 3351,
UpdateScrollbarVisibility = 3403,
set_isNewLoadingMethod = 3339,
UpdateItems = 3409,
set_scrollSensitivity = 3321,
get_rectTransform = 3343,
OnScrollBarBeginDrag = 3418,
["UnityEngine.UI.ICanvasElement.get_transform"] = 3422,
get_totalSize = 3356,
set_vertical = 3311,
["UnityEngine.UI.ICanvasElement.IsDestroyed"] = 3423,
UpdateCachedData = 3371,
get_paddingFront = 3352,
ScrollTo_float = 3361,
SetDraggingStatus = 9821,
GraphicUpdateComplete = 3370,
UpdateBounds = 3410,
set_verticalScrollbar = 3327,
get_minWidth = 3394,
set_horizontalScrollbarSpacing = 3333,
SetLayoutVertical = 3402,
SetTotalCount = 3345,
LoadingInTurn = 3360,
NewItemAtEnd = 3405,
SetNormalizedPosition = 3362,
InvokeOpenNewLoadingMethod = 3420,
SetVerticalNormalizedPosition = 3387,
SetContentAnchoredPositionOriginal = 9823,
UpdateScrollbarLayout = 3404,
ClearLoadingItem = 9819,
LateUpdate = 3383,
get_verticalScrollbarSpacing = 3334,
GetContentAnchoredPositionOriginal = 9822,
get_vScrollingNeeded = 3391,
Start = 3358,
UpdatePrevData = 3384,
RubberDelta = 3388,
get_horizontal = 3308,
get_isNewLoadingMethod = 3338,
ScrollTo_float_bool = 3359,
get_viewSize = 3355,
get_vertical = 3310,
SetDirtyCaching = 3414,
Rebuild = 3368
},
["UnityEngine.UI.OSlider"] = {
OnEnable = 3467,
get_fullSprite = 3444,
FindSelectableOnDown = 3487,
get_onValueChanged = 3460,
set_maxValue = 3453,
OnRectTransformDimensionsChange = 3475,
set_direction = 3449,
get_reverseValue = 3477,
MayDrag = 3480,
OnInitializePotentialDrag = 3488,
get_value = 3456,
Set_float_bool = 3474,
SetDirection = 3489,
set_wholeNumbers = 3455,
set_value = 3457,
OnDisable = 3468,
get_maxValue = 3452,
FindSelectableOnUp = 3486,
UpdateCachedReferences = 3471,
set_minValue = 3451,
GraphicUpdateComplete = 3466,
OnValidate = 3463,
set_handleRect = 3447,
OnMove = 3483,
get_axis = 3476,
OnPointerDown = 3481,
UpdateVisuals = 3478,
get_fillRect = 3440,
["UnityEngine.UI.ICanvasElement.get_transform"] = 3490,
OnDrag = 3482,
get_direction = 3448,
get_ObliqueSprite = 3442,
invokeValueChange = 3470,
get_wholeNumbers = 3454,
UpdateDrag = 3479,
["UnityEngine.UI.ICanvasElement.IsDestroyed"] = 3491,
set_ObliqueSprite = 3443,
set_fullSprite = 3445,
ClampValue = 3472,
OnDidApplyAnimationProperties = 3469,
FindSelectableOnRight = 3485,
set_fillRect = 3441,
get_minValue = 3450,
LayoutComplete = 3465,
get_stepSize = 3462,
Set_float = 3473,
set_onValueChanged = 3461,
set_normalizedValue = 3459,
get_handleRect = 3446,
get_normalizedValue = 3458,
FindSelectableOnLeft = 3484,
Rebuild = 3464
},
["UnityEngine.UI.OSliderUtility"] = {
SetColor = 3439
},
["UnityEngine.UI.RichText"] = {
ApplyGradientEffect = 3542,
AddListener = 3532,
["CalculateLayoutWithImage_string_IList<UICharInfo>&_IList<UIVertex>&"] = 9824,
OnPointerClick = 3545,
RichStringProjection = 9899,
ApplyStrikeEffect = 3544,
SetImageDirty = 3534,
OnEnable = 3527,
ApplyUnderlineEffect = 3543,
OnDestroy = 3528,
RemoveAllListeners = 3533,
ApplyShadowEffect = 3540,
ApplyOutlineEffect = 3541,
ClearSprite = 3531,
UpdateSpriteList = 3529,
Update = 3538,
OnPopulateMesh = 3535,
findRight = 9900,
get_preferredHeight = 3537,
AddSprite = 3530,
["CalculateLayoutWithImage_string_IList<UIVertex>&"] = 3536,
NewImage = 3539
},
["UnityEngine.UI.RichText.GradientL"] = {
get_type = 3521,
SetValue = 3522
},
["UnityEngine.UI.RichText.IconInfo"] = {
get_startCharIndex = 3512,
get_endCharIndex = 3513
},
["UnityEngine.UI.RichText.InterpretInfo"] = {
ToTag = 3515
},
["UnityEngine.UI.RichText.Outline"] = {
get_type = 3520
},
["UnityEngine.UI.RichText.Shadow"] = {
get_type = 3518,
SetValue = 3519
},
["UnityEngine.UI.RichText.Strike"] = {
get_type = 3525,
SetValue = 3526
},
["UnityEngine.UI.RichText.Tag"] = {
get_type = 3516,
SetValue = 3517
},
["UnityEngine.UI.RichText.TextInterpreter"] = {
Parse = 3514
},
["UnityEngine.UI.RichText.Underline"] = {
get_type = 3523,
SetValue = 3524
},
["UnityEngine.UI.Tweens.FloatTween"] = {
AddOnFinishCallback = 3575,
GetDuration = 3577,
get_ignoreTimeScale = 3571,
ValidTarget = 3578,
Finished = 3579,
GetIgnoreTimescale = 3576,
TweenValue = 3573,
AddOnChangedCallback = 3574,
get_duration = 3569,
get_targetFloat = 3567,
get_startFloat = 3565,
set_targetFloat = 3568,
set_ignoreTimeScale = 3572,
set_startFloat = 3566,
set_duration = 3570
},
["UnityEngine.UI.UIAccordion"] = {
get_transition = 3603,
get_transitionDuration = 3605,
set_transition = 3604,
set_transitionDuration = 3606
},
["UnityEngine.UI.UIAccordionElement"] = {
OnValueChanged = 3609,
OnValidate = 3608,
GetExpandedHeight = 3610,
SetHeight = 3612,
StartTween = 3611,
Awake = 3607
},
["UnityEngine.UI.UICollapsible"] = {
OnValueChanged = 3648,
get_transitionDuration = 3644,
GetExpandedHeight = 3650,
get_transition = 3642,
OnValidate = 3647,
SetHeight = 3652,
TransitionToState = 3649,
set_transitionDuration = 3645,
set_transition = 3643,
StartTween = 3651,
Awake = 3646
},
UnityEngine_AnchoredJoint2DWrap = {
get_connectedAnchor = 8712,
set_autoConfigureConnectedAnchor = 8716,
Register = 8708,
op_Equality = 8710,
get_autoConfigureConnectedAnchor = 8713,
_CreateUnityEngine_AnchoredJoint2D = 8709,
set_anchor = 8714,
set_connectedAnchor = 8715,
get_anchor = 8711
},
UnityEngine_AudioBehaviourWrap = {
_CreateUnityEngine_AudioBehaviour = 9507,
op_Equality = 9508,
Register = 9506
},
UnityEngine_BoxCollider2DWrap = {
set_size = 8723,
get_autoTiling = 8722,
set_autoTiling = 8725,
Register = 8717,
op_Equality = 8719,
get_edgeRadius = 8721,
set_edgeRadius = 8724,
_CreateUnityEngine_BoxCollider2D = 8718,
get_size = 8720
},
UnityEngine_BuoyancyEffector2DWrap = {
get_density = 8730,
set_flowMagnitude = 8741,
set_angularDrag = 8739,
_CreateUnityEngine_BuoyancyEffector2D = 8727,
set_flowVariation = 8742,
get_surfaceLevel = 8729,
get_flowVariation = 8735,
set_flowAngle = 8740,
get_flowMagnitude = 8734,
set_linearDrag = 8738,
set_density = 8737,
get_linearDrag = 8731,
Register = 8726,
get_flowAngle = 8733,
op_Equality = 8728,
set_surfaceLevel = 8736,
get_angularDrag = 8732
},
UnityEngine_CapsuleCollider2DWrap = {
set_direction = 8749,
Register = 8743,
_CreateUnityEngine_CapsuleCollider2D = 8744,
set_size = 8748,
get_direction = 8747,
op_Equality = 8745,
get_size = 8746
},
UnityEngine_CircleCollider2DWrap = {
get_radius = 8753,
Register = 8750,
_CreateUnityEngine_CircleCollider2D = 8751,
op_Equality = 8752,
set_radius = 8754
},
UnityEngine_Collider2DWrap = {
get_usedByEffector = 8768,
Cast = 8759,
GetContacts = 8760,
get_bounds = 8774,
get_density = 8766,
get_attachedRigidbody = 8772,
_CreateUnityEngine_Collider2D = 8756,
set_sharedMaterial = 8783,
OverlapCollider = 8757,
IsTouchingLayers = 8762,
set_isTrigger = 8779,
get_composite = 8770,
set_offset = 8782,
get_bounciness = 8777,
get_usedByComposite = 8769,
set_density = 8778,
OverlapPoint = 8763,
get_sharedMaterial = 8775,
Distance = 8764,
Register = 8755,
set_usedByEffector = 8780,
op_Equality = 8765,
get_offset = 8771,
set_usedByComposite = 8781,
IsTouching = 8761,
get_isTrigger = 8767,
Raycast = 8758,
get_shapeCount = 8773,
get_friction = 8776
},
UnityEngine_ColliderDistance2DWrap = {
set_distance = 8794,
set_pointB = 8793,
get_isOverlapped = 8790,
Register = 8784,
set_pointA = 8792,
get_normal = 8788,
get_pointB = 8787,
get_distance = 8789,
get_pointA = 8786,
get_isValid = 8791,
set_isValid = 8795,
_CreateUnityEngine_ColliderDistance2D = 8785
},
UnityEngine_Collision2DWrap = {
get_transform = 8803,
_CreateUnityEngine_Collision2D = 8797,
get_gameObject = 8804,
Register = 8796,
get_relativeVelocity = 8806,
GetContacts = 8798,
get_otherCollider = 8800,
get_rigidbody = 8801,
get_contacts = 8805,
get_enabled = 8807,
get_otherRigidbody = 8802,
get_collider = 8799
},
UnityEngine_CompositeCollider2DWrap = {
get_generationType = 8815,
get_vertexDistance = 8816,
get_pathCount = 8818,
GetPathPointCount = 8812,
op_Equality = 8813,
_CreateUnityEngine_CompositeCollider2D = 8809,
GetPath = 8810,
get_edgeRadius = 8817,
set_geometryType = 8820,
Register = 8808,
GenerateGeometry = 8811,
set_edgeRadius = 8823,
get_pointCount = 8819,
set_generationType = 8821,
get_geometryType = 8814,
set_vertexDistance = 8822
},
UnityEngine_ConstantForce2DWrap = {
set_relativeForce = 8831,
set_force = 8830,
get_force = 8827,
Register = 8824,
op_Equality = 8826,
set_torque = 8832,
_CreateUnityEngine_ConstantForce2D = 8825,
get_torque = 8829,
get_relativeForce = 8828
},
UnityEngine_ContactFilter2DWrap = {
get_isFiltering = 8857,
get_minDepth = 8853,
ClearLayerMask = 8836,
set_useOutsideNormalAngle = 8863,
NoFilter = 8835,
ClearNormalAngle = 8840,
SetNormalAngle = 8841,
get_useOutsideNormalAngle = 8851,
set_maxNormalAngle = 8868,
IsFilteringNormalAngle = 8845,
get_layerMask = 8852,
IsFilteringDepth = 8844,
SetDepth = 8839,
set_useTriggers = 8858,
get_useNormalAngle = 8850,
Register = 8833,
set_useDepth = 8860,
set_useLayerMask = 8859,
set_useNormalAngle = 8862,
get_useLayerMask = 8847,
get_maxNormalAngle = 8856,
get_useOutsideDepth = 8849,
get_useTriggers = 8846,
_CreateUnityEngine_ContactFilter2D = 8834,
SetLayerMask = 8837,
get_minNormalAngle = 8855,
ClearDepth = 8838,
IsFilteringLayerMask = 8843,
set_useOutsideDepth = 8861,
set_maxDepth = 8866,
get_useDepth = 8848,
set_minDepth = 8865,
set_minNormalAngle = 8867,
IsFilteringTrigger = 8842,
get_maxDepth = 8854,
set_layerMask = 8864
},
UnityEngine_ContactPoint2DWrap = {
get_tangentImpulse = 8875,
_CreateUnityEngine_ContactPoint2D = 8870,
get_otherCollider = 8878,
Register = 8869,
get_relativeVelocity = 8876,
get_normal = 8872,
get_otherRigidbody = 8880,
get_rigidbody = 8879,
get_normalImpulse = 8874,
get_enabled = 8881,
get_separation = 8873,
get_point = 8871,
get_collider = 8877
},
UnityEngine_DepthTextureModeWrap = {
CheckType = 9451,
IntToEnum = 9456,
get_DepthNormals = 9454,
get_MotionVectors = 9455,
get_None = 9452,
get_Depth = 9453,
Push = 9450,
Register = 9449
},
UnityEngine_DistanceJoint2DWrap = {
Register = 8882,
op_Equality = 8884,
_CreateUnityEngine_DistanceJoint2D = 8883,
get_maxDistanceOnly = 8887,
get_autoConfigureDistance = 8885,
set_maxDistanceOnly = 8890,
set_autoConfigureDistance = 8888,
get_distance = 8886,
set_distance = 8889
},
UnityEngine_EdgeCollider2DWrap = {
op_Equality = 8894,
set_edgeRadius = 8900,
get_pointCount = 8898,
Register = 8891,
_CreateUnityEngine_EdgeCollider2D = 8892,
get_edgeRadius = 8896,
Reset = 8893,
set_points = 8899,
get_edgeCount = 8897,
get_points = 8895
},
UnityEngine_Effector2DWrap = {
set_useColliderMask = 8906,
op_Equality = 8903,
get_colliderMask = 8905,
Register = 8901,
get_useColliderMask = 8904,
_CreateUnityEngine_Effector2D = 8902,
set_colliderMask = 8907
},
UnityEngine_Events_UnityEvent_UnityEngine_Collider2DWrap = {
RemoveListener = 9511,
AddListener = 9510,
Invoke = 9512,
Register = 9509
},
UnityEngine_Events_UnityEvent_UnityEngine_Collision2DWrap = {
RemoveListener = 8910,
AddListener = 8909,
Invoke = 8911,
Register = 8908
},
UnityEngine_Events_UnityEvent_UnityEngine_TextureWrap = {
RemoveListener = 7902,
AddListener = 7901,
Invoke = 7903,
Register = 7900
},
UnityEngine_EventSystems_BaseRaycasterWrap = {
get_eventCamera = 701,
get_sortOrderPriority = 702,
get_renderOrderPriority = 703,
Raycast = 698,
Register = 697,
op_Equality = 700,
ToString = 699
},
UnityEngine_FixedJoint2DWrap = {
Register = 8912,
set_dampingRatio = 8918,
get_frequency = 8916,
get_referenceAngle = 8917,
get_dampingRatio = 8915,
op_Equality = 8914,
_CreateUnityEngine_FixedJoint2D = 8913,
set_frequency = 8919
},
UnityEngine_FrictionJoint2DWrap = {
get_maxForce = 8923,
get_maxTorque = 8924,
_CreateUnityEngine_FrictionJoint2D = 8921,
Register = 8920,
op_Equality = 8922,
set_maxForce = 8925,
set_maxTorque = 8926
},
UnityEngine_HingeJoint2DWrap = {
get_useLimits = 8932,
GetMotorTorque = 8929,
get_jointAngle = 8937,
get_useMotor = 8931,
get_limitState = 8935,
get_motor = 8933,
_CreateUnityEngine_HingeJoint2D = 8928,
set_useMotor = 8939,
Register = 8927,
get_jointSpeed = 8938,
set_limits = 8942,
get_referenceAngle = 8936,
set_motor = 8941,
get_limits = 8934,
set_useLimits = 8940,
op_Equality = 8930
},
UnityEngine_Joint2DWrap = {
get_connectedBody = 8949,
get_reactionTorque = 8954,
get_breakTorque = 8952,
_CreateUnityEngine_Joint2D = 8944,
GetReactionForce = 8945,
get_attachedRigidbody = 8948,
Register = 8943,
set_breakForce = 8957,
get_reactionForce = 8953,
get_enableCollision = 8950,
op_Equality = 8947,
get_breakForce = 8951,
GetReactionTorque = 8946,
set_connectedBody = 8955,
set_breakTorque = 8958,
set_enableCollision = 8956
},
UnityEngine_MaterialPropertyBlockWrap = {
Clear = 9515,
SetFloat = 9516,
CopySHCoefficientArraysFrom = 9535,
GetVector = 9528,
SetFloatArray = 9523,
SetMatrix = 9520,
SetMatrixArray = 9525,
SetVector = 9518,
_CreateUnityEngine_MaterialPropertyBlock = 9514,
Register = 9513,
GetInt = 9527,
SetBuffer = 9521,
GetColor = 9529,
SetColor = 9519,
GetFloat = 9526,
SetVectorArray = 9524,
CopyProbeOcclusionArrayFrom = 9536,
GetVectorArray = 9533,
GetTexture = 9531,
SetInt = 9517,
SetTexture = 9522,
GetFloatArray = 9532,
GetMatrix = 9530,
get_isEmpty = 9537,
GetMatrixArray = 9534
},
UnityEngine_NetworkReachabilityWrap = {
get_ReachableViaLocalAreaNetwork = 7909,
IntToEnum = 7910,
get_NotReachable = 7907,
CheckType = 7906,
Push = 7905,
Register = 7904,
get_ReachableViaCarrierDataNetwork = 7908
},
UnityEngine_ParticleSystem_EmissionModuleWrap = {
get_rateOverDistanceMultiplier = 714,
GetBursts = 707,
set_rateOverDistance = 719,
GetBurst = 709,
set_rateOverTimeMultiplier = 718,
get_rateOverTime = 711,
set_rateOverDistanceMultiplier = 720,
_CreateUnityEngine_ParticleSystem_EmissionModule = 705,
get_rateOverDistance = 713,
set_burstCount = 721,
get_rateOverTimeMultiplier = 712,
Register = 704,
SetBursts = 706,
set_enabled = 716,
SetBurst = 708,
set_rateOverTime = 717,
get_enabled = 710,
get_burstCount = 715
},
UnityEngine_ParticleSystem_MainModuleWrap = {
get_stopAction = 763,
set_customSimulationSpace = 796,
get_startLifetimeMultiplier = 730,
get_emitterVelocityMode = 762,
get_startSizeY = 738,
set_prewarm = 766,
get_startRotation3D = 742,
set_randomizeRotationDirection = 791,
set_emitterVelocityMode = 802,
get_startRotationMultiplier = 744,
get_startRotationYMultiplier = 748,
set_simulationSpeed = 797,
_CreateUnityEngine_ParticleSystem_MainModule = 723,
set_startRotationYMultiplier = 788,
set_startRotationXMultiplier = 786,
get_loop = 725,
get_playOnAwake = 760,
set_startRotationZMultiplier = 790,
set_scalingMode = 799,
get_customSimulationSpace = 756,
set_startSizeX = 776,
get_startRotationZMultiplier = 750,
get_startSize3D = 733,
get_startRotationXMultiplier = 746,
set_simulationSpace = 795,
get_prewarm = 726,
set_startColor = 792,
set_startSizeZMultiplier = 781,
get_maxParticles = 761,
set_startSize3D = 773,
get_startSizeZ = 740,
get_startRotation = 743,
get_startRotationZ = 749,
get_startLifetime = 729,
Register = 722,
set_playOnAwake = 800,
get_startColor = 752,
get_startRotationX = 745,
get_startSize = 734,
get_simulationSpace = 755,
get_scalingMode = 759,
set_gravityModifier = 793,
get_startSizeX = 736,
set_startRotationX = 785,
set_maxParticles = 801,
get_useUnscaledTime = 758,
get_gravityModifierMultiplier = 754,
set_duration = 764,
get_simulationSpeed = 757,
set_loop = 765,
set_startSpeed = 771,
set_startSizeMultiplier = 775,
get_startSizeXMultiplier = 737,
get_startSizeYMultiplier = 739,
set_startRotationY = 787,
set_startSizeZ = 780,
get_startDelay = 727,
set_startLifetime = 769,
set_startSizeY = 778,
set_startLifetimeMultiplier = 770,
set_startSizeYMultiplier = 779,
get_gravityModifier = 753,
get_startSizeMultiplier = 735,
get_startSizeZMultiplier = 741,
set_startSize = 774,
get_startSpeedMultiplier = 732,
get_startSpeed = 731,
set_startRotationZ = 789,
set_startSizeXMultiplier = 777,
set_startRotation3D = 782,
get_startDelayMultiplier = 728,
get_randomizeRotationDirection = 751,
set_startDelayMultiplier = 768,
set_useUnscaledTime = 798,
set_gravityModifierMultiplier = 794,
get_duration = 724,
get_startRotationY = 747,
set_startRotationMultiplier = 784,
set_startRotation = 783,
set_stopAction = 803,
set_startDelay = 767,
set_startSpeedMultiplier = 772
},
UnityEngine_ParticleSystem_MinMaxCurveWrap = {
get_curveMin = 810,
get_mode = 807,
get_curveMax = 809,
get_constantMin = 812,
set_curve = 822,
get_constantMax = 811,
set_constantMin = 820,
get_constant = 813,
set_curveMultiplier = 816,
get_curveMultiplier = 808,
get_curve = 814,
Register = 804,
set_constantMax = 819,
set_constant = 821,
_CreateUnityEngine_ParticleSystem_MinMaxCurve = 805,
set_curveMin = 818,
Evaluate = 806,
set_curveMax = 817,
set_mode = 815
},
UnityEngine_ParticleSystem_MinMaxGradientWrap = {
Register = 823,
set_colorMax = 836,
get_colorMin = 830,
set_gradientMin = 835,
get_gradient = 832,
set_gradient = 839,
set_colorMin = 837,
get_gradientMin = 828,
get_color = 831,
get_mode = 826,
set_gradientMax = 834,
get_gradientMax = 827,
get_colorMax = 829,
_CreateUnityEngine_ParticleSystem_MinMaxGradient = 824,
set_color = 838,
Evaluate = 825,
set_mode = 833
},
UnityEngine_ParticleSystem_ShapeModuleWrap = {
set_mesh = 890,
get_normalOffset = 864,
set_arc = 897,
set_sphericalDirectionAmount = 877,
set_normalOffset = 896,
set_length = 887,
get_length = 855,
set_radiusSpeedMultiplier = 884,
get_sphericalDirectionAmount = 845,
set_meshShapeType = 889,
get_skinnedMeshRenderer = 860,
get_radius = 848,
set_skinnedMeshRenderer = 892,
set_arcMode = 898,
Register = 840,
get_meshRenderer = 859,
set_shapeType = 875,
get_arcMode = 866,
get_radiusSpeedMultiplier = 852,
get_position = 871,
get_enabled = 842,
get_randomPositionAmount = 846,
set_enabled = 874,
set_donutRadius = 902,
set_radiusThickness = 885,
set_arcSpeed = 900,
set_rotation = 904,
set_arcSpeedMultiplier = 901,
_CreateUnityEngine_ParticleSystem_ShapeModule = 841,
set_useMeshMaterialIndex = 893,
get_donutRadius = 870,
set_randomDirectionAmount = 876,
get_arcSpeed = 868,
get_meshShapeType = 857,
get_arcSpeedMultiplier = 869,
get_mesh = 858,
set_boxThickness = 888,
get_randomDirectionAmount = 844,
get_useMeshMaterialIndex = 861,
get_boxThickness = 856,
set_radiusMode = 881,
get_rotation = 872,
set_alignToDirection = 879,
set_meshMaterialIndex = 894,
get_radiusThickness = 853,
set_angle = 886,
get_scale = 873,
get_radiusSpread = 850,
set_scale = 905,
set_radiusSpread = 882,
get_alignToDirection = 847,
set_arcSpread = 899,
set_useMeshColors = 895,
get_meshMaterialIndex = 862,
get_radiusMode = 849,
set_meshRenderer = 891,
get_shapeType = 843,
get_radiusSpeed = 851,
set_randomPositionAmount = 878,
get_arcSpread = 867,
get_useMeshColors = 863,
get_angle = 854,
set_radiusSpeed = 883,
get_arc = 865,
set_radius = 880,
set_position = 903
},
UnityEngine_Physics2DWrap = {
get_showColliderContacts = 9028,
get_contactArrowScale = 9030,
set_angularSleepTolerance = 9054,
get_timeToSleep = 9023,
IgnoreLayerCollision = 8999,
get_gravity = 9008,
CircleCastAll = 8967,
get_maxAngularCorrection = 9017,
get_baumgarteScale = 9021,
get_velocityIterations = 9006,
set_colliderAwakeColor = 9060,
GetRayIntersection = 8975,
set_showColliderAABB = 9058,
set_callbacksOnDisable = 9041,
IsTouching = 9003,
set_maxLinearCorrection = 9045,
set_showColliderContacts = 9057,
get_velocityThreshold = 9015,
Distance = 9005,
set_maxRotationSpeed = 9048,
set_queriesHitTriggers = 9038,
OverlapBox = 8984,
set_defaultContactOffset = 9049,
CapsuleCastAll = 8973,
set_contactArrowScale = 9059,
get_alwaysShowColliders = 9026,
get_maxRotationSpeed = 9019,
CapsuleCast = 8972,
set_gravity = 9037,
set_colliderAABBColor = 9063,
Raycast = 8963,
OverlapArea = 8987,
set_baumgarteScale = 9050,
get_colliderAwakeColor = 9031,
GetContacts = 8994,
CircleCast = 8966,
set_velocityIterations = 9035,
set_showColliderSleep = 9056,
set_velocityThreshold = 9044,
LinecastAll = 8961,
SyncTransforms = 8996,
get_showColliderSleep = 9027,
GetIgnoreLayerCollision = 9000,
get_linearSleepTolerance = 9024,
get_callbacksOnDisable = 9012,
GetRayIntersectionNonAlloc = 8977,
RaycastNonAlloc = 8965,
set_colliderAsleepColor = 9061,
Linecast = 8960,
get_colliderAABBColor = 9034,
get_angularSleepTolerance = 9025,
get_colliderAsleepColor = 9032,
OverlapCircleAll = 8982,
OverlapCapsuleAll = 8991,
get_baumgarteTOIScale = 9022,
GetRayIntersectionAll = 8976,
IgnoreCollision = 8997,
OverlapPointAll = 8979,
BoxCast = 8969,
RaycastAll = 8964,
get_defaultContactOffset = 9020,
get_maxTranslationSpeed = 9018,
OverlapCapsule = 8990,
set_alwaysShowColliders = 9055,
get_positionIterations = 9007,
get_autoSyncTransforms = 9013,
OverlapCollider = 8993,
get_queriesHitTriggers = 9009,
get_autoSimulation = 9014,
SetLayerCollisionMask = 9001,
get_queriesStartInColliders = 9010,
IsTouchingLayers = 9004,
set_baumgarteTOIScale = 9051,
OverlapCircle = 8981,
OverlapPointNonAlloc = 8980,
set_positionIterations = 9036,
set_timeToSleep = 9052,
OverlapPoint = 8978,
Register = 8959,
LinecastNonAlloc = 8962,
set_autoSyncTransforms = 9042,
OverlapCircleNonAlloc = 8983,
set_colliderContactColor = 9062,
OverlapAreaAll = 8988,
GetLayerCollisionMask = 9002,
GetIgnoreCollision = 8998,
get_colliderContactColor = 9033,
CapsuleCastNonAlloc = 8974,
OverlapBoxNonAlloc = 8986,
BoxCastAll = 8970,
get_maxLinearCorrection = 9016,
get_changeStopsCallbacks = 9011,
OverlapCapsuleNonAlloc = 8992,
set_maxTranslationSpeed = 9047,
OverlapBoxAll = 8985,
set_queriesStartInColliders = 9039,
set_maxAngularCorrection = 9046,
Simulate = 8995,
set_autoSimulation = 9043,
OverlapAreaNonAlloc = 8989,
set_linearSleepTolerance = 9053,
set_changeStopsCallbacks = 9040,
CircleCastNonAlloc = 8968,
BoxCastNonAlloc = 8971,
get_showColliderAABB = 9029
},
UnityEngine_PhysicsUpdateBehaviour2DWrap = {
_CreateUnityEngine_PhysicsUpdateBehaviour2D = 9065,
op_Equality = 9066,
Register = 9064
},
UnityEngine_PolygonCollider2DWrap = {
get_autoTiling = 9076,
get_pathCount = 9075,
set_pathCount = 9078,
Register = 9067,
_CreateUnityEngine_PolygonCollider2D = 9068,
op_Equality = 9073,
GetPath = 9069,
set_autoTiling = 9079,
SetPath = 9070,
CreatePrimitive = 9071,
set_points = 9077,
GetTotalPointCount = 9072,
get_points = 9074
},
UnityEngine_RelativeJoint2DWrap = {
set_correctionScale = 9092,
get_maxTorque = 9084,
get_angularOffset = 9088,
Register = 9080,
get_maxForce = 9083,
op_Equality = 9082,
set_linearOffset = 9094,
get_correctionScale = 9085,
get_autoConfigureOffset = 9086,
get_linearOffset = 9087,
_CreateUnityEngine_RelativeJoint2D = 9081,
set_maxTorque = 9091,
set_autoConfigureOffset = 9093,
set_maxForce = 9090,
get_target = 9089,
set_angularOffset = 9095
},
UnityEngine_Rigidbody2DWrap = {
GetRelativePointVelocity = 9121,
get_centerOfMass = 9130,
set_angularDrag = 9156,
Sleep = 9106,
set_useAutoMass = 9150,
set_velocity = 9148,
set_centerOfMass = 9153,
GetRelativeVector = 9119,
GetContacts = 9101,
GetRelativePoint = 9117,
set_gravityScale = 9157,
get_velocity = 9125,
get_sleepMode = 9143,
get_useAutoMass = 9127,
IsTouching = 9108,
set_freezeRotation = 9161,
set_angularVelocity = 9149,
set_constraints = 9162,
Distance = 9111,
get_position = 9123,
op_Equality = 9122,
IsAwake = 9105,
GetAttachedColliders = 9098,
get_gravityScale = 9135,
get_worldCenterOfMass = 9131,
get_freezeRotation = 9139,
set_rotation = 9147,
MovePosition = 9102,
set_mass = 9151,
get_constraints = 9140,
AddRelativeForce = 9113,
MoveRotation = 9103,
set_simulated = 9163,
GetVector = 9118,
set_inertia = 9154,
set_sharedMaterial = 9152,
get_inertia = 9132,
set_useFullKinematicContacts = 9159,
set_isKinematic = 9160,
get_collisionDetectionMode = 9144,
get_isKinematic = 9138,
get_sharedMaterial = 9129,
set_sleepMode = 9165,
get_useFullKinematicContacts = 9137,
get_rotation = 9124,
IsSleeping = 9104,
OverlapCollider = 9099,
WakeUp = 9107,
AddForceAtPosition = 9114,
GetPointVelocity = 9120,
IsTouchingLayers = 9109,
OverlapPoint = 9110,
Register = 9096,
_CreateUnityEngine_Rigidbody2D = 9097,
AddForce = 9112,
AddTorque = 9115,
get_angularVelocity = 9126,
GetPoint = 9116,
Cast = 9100,
get_drag = 9133,
set_drag = 9155,
get_mass = 9128,
set_interpolation = 9164,
get_bodyType = 9136,
get_attachedColliderCount = 9145,
set_position = 9146,
get_interpolation = 9142,
set_bodyType = 9158,
set_collisionDetectionMode = 9166,
get_simulated = 9141,
get_angularDrag = 9134
},
UnityEngine_RuntimeAnimatorControllerWrap = {
get_animationClips = 9540,
op_Equality = 9539,
Register = 9538
},
UnityEngine_SceneManagement_LoadSceneModeWrap = {
get_Additive = 8460,
IntToEnum = 8461,
CheckType = 8458,
Push = 8457,
Register = 8456,
get_Single = 8459
},
UnityEngine_SceneManagement_SceneManagerWrap = {
set_sceneUnloaded = 8482,
CreateScene = 8472,
get_sceneCountInBuildSettings = 8477,
GetSceneByPath = 8466,
GetActiveScene = 8464,
Register = 8462,
get_sceneLoaded = 8478,
LoadScene = 8470,
SetActiveScene = 8465,
get_sceneCount = 8476,
LoadSceneAsync = 8471,
_CreateUnityEngine_SceneManagement_SceneManager = 8463,
UnloadSceneAsync = 8473,
GetSceneAt = 8469,
MoveGameObjectToScene = 8475,
set_sceneLoaded = 8481,
GetSceneByName = 8467,
GetSceneByBuildIndex = 8468,
get_sceneUnloaded = 8479,
set_activeSceneChanged = 8483,
get_activeSceneChanged = 8480,
MergeScenes = 8474
},
UnityEngine_SceneManagement_SceneWrap = {
IsValid = 9459,
op_Equality = 9461,
get_rootCount = 9469,
Register = 9457,
get_isDirty = 9468,
get_handle = 9541,
get_buildIndex = 9467,
GetRootGameObjects = 9460,
get_path = 9464,
get_name = 9465,
Equals = 9463,
_CreateUnityEngine_SceneManagement_Scene = 9458,
GetHashCode = 9462,
set_name = 9542,
get_isLoaded = 9466
},
UnityEngine_SliderJoint2DWrap = {
get_useLimits = 9174,
_CreateUnityEngine_SliderJoint2D = 9168,
get_jointSpeed = 9180,
get_useMotor = 9173,
Register = 9167,
get_motor = 9175,
set_limits = 9186,
set_angle = 9182,
set_autoConfigureAngle = 9181,
get_angle = 9172,
set_useLimits = 9184,
get_limitState = 9177,
op_Equality = 9170,
set_useMotor = 9183,
set_motor = 9185,
get_autoConfigureAngle = 9171,
get_referenceAngle = 9178,
GetMotorForce = 9169,
get_limits = 9176,
get_jointTranslation = 9179
},
UnityEngine_SpringJoint2DWrap = {
get_autoConfigureDistance = 9190,
_CreateUnityEngine_SpringJoint2D = 9188,
get_dampingRatio = 9192,
Register = 9187,
set_dampingRatio = 9196,
op_Equality = 9189,
get_frequency = 9193,
set_distance = 9195,
set_autoConfigureDistance = 9194,
get_distance = 9191,
set_frequency = 9197
},
UnityEngine_SystemInfoWrap = {
get_maxCubemapSize = 7963,
get_graphicsDeviceType = 7930,
get_unsupportedIdentifier = 7916,
get_graphicsShaderLevel = 7933,
get_supportsAudio = 7960,
get_processorType = 7921,
get_supportedRenderTargetCount = 7948,
get_deviceModel = 7955,
get_supportsRawShadowDepthSampling = 7936,
get_batteryLevel = 7917,
get_graphicsMultiThreaded = 7934,
get_supportsInstancing = 7946,
get_supports2DArrayTextures = 7941,
get_copyTextureSupport = 7944,
get_usesReversedZBuffer = 7951,
get_operatingSystemFamily = 7920,
SupportsRenderTextureFormat = 7913,
get_graphicsDeviceVersion = 7932,
get_supports3DRenderTextures = 7942,
Register = 7911,
get_supportsMotionVectors = 7937,
get_supportsAsyncCompute = 7964,
get_supportsRenderToCubemap = 7938,
get_supportsAccelerometer = 7956,
get_supports3DTextures = 7940,
get_supportsGPUFence = 7965,
get_supportsSparseTextures = 7947,
get_maxTextureSize = 7962,
get_batteryStatus = 7918,
get_deviceUniqueIdentifier = 7953,
get_graphicsMemorySize = 7925,
get_supportsShadows = 7935,
get_deviceName = 7954,
get_operatingSystem = 7919,
get_processorCount = 7923,
get_deviceType = 7961,
get_graphicsDeviceVendor = 7927,
get_supportsComputeShaders = 7945,
SupportsTextureFormat = 7915,
get_npotSupport = 7952,
get_supportsGyroscope = 7957,
get_graphicsDeviceID = 7928,
get_graphicsDeviceName = 7926,
SupportsBlendingOnRenderTextureFormat = 7914,
get_graphicsUVStartsAtTop = 7931,
get_graphicsDeviceVendorID = 7929,
get_supportsMultisampledTextures = 7949,
_CreateUnityEngine_SystemInfo = 7912,
get_supportsTextureWrapMirrorOnce = 7950,
get_supportsVibration = 7959,
get_supportsLocationService = 7958,
get_processorFrequency = 7922,
get_systemMemorySize = 7924,
get_supportsCubemapArrayTextures = 7943,
get_supportsImageEffects = 7939
},
UnityEngine_TargetJoint2DWrap = {
get_autoConfigureTarget = 9203,
_CreateUnityEngine_TargetJoint2D = 9199,
get_dampingRatio = 9205,
Register = 9198,
set_autoConfigureTarget = 9209,
op_Equality = 9200,
set_dampingRatio = 9211,
set_anchor = 9207,
get_anchor = 9201,
get_maxForce = 9204,
get_frequency = 9206,
set_target = 9208,
set_maxForce = 9210,
set_frequency = 9212,
get_target = 9202
},
UnityEngine_UI_GraphicRaycasterWrap = {
get_eventCamera = 913,
Raycast = 907,
get_ignoreReversedGraphics = 911,
Register = 906,
op_Equality = 908,
get_blockingObjects = 912,
get_sortOrderPriority = 909,
get_renderOrderPriority = 910,
set_blockingObjects = 915,
set_ignoreReversedGraphics = 914
},
UnityEngine_UI_Selectable_TransitionWrap = {
get_ColorTint = 920,
get_SpriteSwap = 921,
get_Animation = 922,
CheckType = 918,
get_None = 919,
IntToEnum = 923,
Push = 917,
Register = 916
},
UnityEngine_WheelJoint2DWrap = {
get_jointLinearSpeed = 9221,
GetMotorTorque = 9215,
get_jointAngle = 9223,
get_useMotor = 9218,
get_suspension = 9217,
get_motor = 9219,
_CreateUnityEngine_WheelJoint2D = 9214,
set_useMotor = 9225,
set_suspension = 9224,
get_jointSpeed = 9222,
set_motor = 9226,
Register = 9213,
op_Equality = 9216,
get_jointTranslation = 9220
},
["UnityStandardAssets.ImageEffects.BlurOptimized"] = {
OnRenderImage = 2689,
ClearStatic = 2688,
OnEnable = 2686,
CheckResources = 2685,
OnDisable = 2687
},
["UnityStandardAssets.ImageEffects.PostEffectsBase"] = {
CheckShaderAndCreateMaterial = 2690,
CheckSupport = 2693,
ReportAutoDisable = 2699,
CheckResources = 2694,
Dx11Support = 2698,
CreateMaterial = 2691,
Start = 2695,
OnEnable = 2692,
CheckSupport_bool_bool = 2697,
CheckShader = 2700,
NotSupported = 2701,
DrawBorder = 2702,
CheckSupport_bool = 2696
},
["UnityStandardAssets.ImageEffects.UIStaticBlur"] = {
OnEnable = 2729,
OnRenderImage = 2731,
CheckResources = 2728,
OnDisable = 2730
},
UnityStandardAssets_ImageEffects_UIStaticBlurWrap = {
CheckResources = 925,
get_blurShader = 933,
get_blurSpeed = 931,
Register = 924,
set_blurSize = 936,
op_Equality = 929,
set_blurShader = 937,
OnEnable = 926,
get_blurSize = 932,
OnRenderImage = 928,
set_blurDuration = 934,
get_blurDuration = 930,
set_blurSpeed = 935,
OnDisable = 927
},
UpdateMgr = {
Awake = 2973,
get_Inst = 2972
},
UrlInfo = {
ToString = 939
},
VersionConn = {
CheckUseBackgroundDownload = 9873,
Send = 3873,
GetVersionList = 9871,
OnData = 3876,
GetLuaHashes = 9872,
OnConnected = 3874,
Dispose = 3872,
Fetch = 3871,
onError = 3875
},
VersionMgr = {
WebRequestHandler = 2992,
["DisplayDialog_string_Action<bool>"] = 9788,
OnProxyUsing = 2987,
GetServerState = 2990,
enableProgrees = 8051,
get_Inst = 2974,
DestroyUI = 2983,
CheckUpdate = 2977,
RequestVersion = 2978,
RequestUIForUpdateD = 9790,
WebRequest = 2991,
DisplayDialog_string_Action = 2981,
FetchVersion = 2984,
RequestUIForUpdateF = 9789,
ModifyHashStringArrayToOld = 9791,
Init = 2976,
StartCheck = 9787,
Update = 2979,
BackPress = 2982,
GetProxyPort = 2989,
GetProxyHost = 2988,
DeleteCacheFiles = 2980,
GetChannelId = 8052,
StartFecthVersion = 2985,
Awake = 2975,
SetUseProxy = 2986
},
VerticalText = {
ModifyMesh = 3666,
modifyText = 3667
},
WaveSimulator = {
Start = 2732,
Update = 2733,
FixedUpdate = 2734
},
WBManager = {
Json2Dictionary = 2998,
OnWeiboShare = 2997,
Share = 2996,
IsSupportShare = 2993,
Awake = 2994,
Init = 2995
},
WeaponTrail = {
FadeOut = 2830,
StartTrail = 2828,
SetTime = 2829,
ClearTrail = 2834,
Awake = 2827,
SetTrailColor = 2831,
UpdateTrail = 2833,
Itterate = 2832
},
WebCam = {
SwitchCam = 3006,
Update = 3009,
Take = 3008,
Start = 3005,
TakeScreenshot = 3007
},
WWWLoader = {
LoadURLAsync = 3899,
get_Inst = 3894,
LoadStreamingAsset = 3896,
LoadFile = 3897,
Awake = 3895,
LoadURL = 3898
},
WXManager = {
Json2Dictionary = 3004,
Share = 3002,
OnWeiXinShare = 3003,
IsSupportShare = 2999,
Awake = 3000,
Init = 3001
},
YARecorder = {
Start = 8345,
WritePictureToAlbum = 9878,
get_Inst = 8343,
StartRecording = 8348,
DiscardVideo = 8351,
StopRecording = 8349,
set_Inst = 8344,
OnDestroy = 8346,
Preview = 8350,
SetVideoFilename = 8347
},
YARecorderWrap = {
StopRecording = 7969,
op_Equality = 7972,
DiscardVideo = 7971,
Register = 7966,
Preview = 7970,
get_Inst = 7973,
StartRecording = 7968,
SetVideoFilename = 7967
},
["YongShi.BundleWizardRuntime.BundleWizard"] = {
GetMajorGroups = 9652,
GetCdnUrlList = 9647,
GetGroupMgr = 9650,
CreateAllDownloadGroup = 9645,
GetOriginalCdnUrlList = 9646,
get_Inst = 9643,
GetGroupMgrByFilePath = 9651,
CheckUpdate = 9654,
DeleteCacheFiles = 9656,
SetCdnUrlList = 9648,
Update = 9655,
IsAnyGroupNeedD = 9658,
SetSwitchPackageFlag = 9649,
StartHotfix = 9653,
Awake = 9644,
CheckSingleRes = 9657
},
["YongShi.BundleWizardRuntime.DownloadBackgroundMgr"] = {
Clear = 9665,
get_IsAnyTaskFailed = 9663,
SetAllTaskFinishTag = 9666,
SingleTaskEvent = 9670,
ClearProgressInfo = 9664,
get_Inst = 9659,
get_IsUseDownloadBackgrond = 9661,
AllTaskEvent = 9671,
ProgressEvent = 9672,
Init = 9667,
IsForceBGDownload = 9675,
StartBGDownload = 9668,
GetCurrentServer = 9674,
GenDownloadFileList = 9673,
set_IsUseDownloadBackgrond = 9660,
get_IsAllTaskFinished = 9662,
OnError = 9669
},
["YongShi.BundleWizardRuntime.DownloadMgr"] = {
StartVerifyForLua = 9685,
DoUpdateD = 9681,
FindF = 9676,
Clear = 9682,
DoUpdateF = 9679,
UpdateF = 9678,
StartVerify = 9683,
VerifyResources = 9684,
UpdateD = 9680,
CheckF = 9677
},
["YongShi.BundleWizardRuntime.DownloadMgrBase"] = {
DoCheckD = 9697,
UpdateFileDownloadStates = 9689,
UpdateHashFile = 9700,
SetV = 9690,
CheckUpdateType = 9695,
AppendHashFile = 9699,
NeedD = 9694,
RewriteHashFile = 9698,
CloseCachedStreamWriter = 9701,
FixVersion = 9691,
CheckD = 9696,
get_GroupData = 9686,
GetCurrentServer = 9692,
set_GroupData = 9687,
UpdateVersionFile = 9702,
OnError = 9693,
get_CurrentVersion = 9688
},
["YongShi.BundleWizardRuntime.HashUtil"] = {
Compare = 9720,
CalcMD5_string = 9724,
HashFile = 9722,
CompareNew = 9721,
BytesToString = 9723,
["CalcMD5_byte[]"] = 9725
},
["YongShi.BundleWizardRuntime.PathUtil"] = {
GetPlatformName_BuildTarget = 9739,
GetLuaName = 9730,
ReadAllLines = 9734,
GetPlatformName = 9738,
GetStreamingAsset = 9733,
GetStreamAssetsPath = 9741,
ReadAllBytes = 9735,
GetAssetBundle = 9731,
GetPlatformName_RuntimePlatform = 9740,
GetInstance = 9727,
GetLuaBundle = 9728,
FileExists = 9737,
GetShortAssetBundle = 9732,
get_Is32Bit = 9729,
ReadAllText = 9736,
Init = 9726
},
YongShi_BundleWizardRuntime_BundleWizardWrap = {
get_updateComplete = 9557,
GetCdnUrlList = 9545,
set_updateComplete = 9561,
SetCdnUrlList = 9546,
GetOriginalCdnUrlList = 9544,
get_Inst = 9558,
GetGroupMgrByFilePath = 9549,
GetGroupMgr = 9548,
set_progress = 9560,
set_hashStrings = 9559,
IsAnyGroupNeedD = 9553,
get_hashStrings = 9555,
Register = 9543,
op_Equality = 9554,
GetMajorGroups = 9550,
DeleteCacheFiles = 9552,
get_progress = 9556,
SetSwitchPackageFlag = 9547,
StartHotfix = 9551
},
YongShi_BundleWizardRuntime_DownloadMgrBaseWrap = {
set__cachedStreamWriter = 9616,
get_cachedHashMap = 9590,
set_cachedHashPath = 9600,
set_downloadTotal = 9610,
get_downPath = 9586,
get__cachedStreamWriter = 9594,
get_remoteHashFileName = 9577,
set_localVersion = 9601,
set_serverVersion = 9602,
set_maxRetryTimes = 9611,
set_cdnURLArr = 9603,
set_remoteHashFileName = 9599,
get_state = 9584,
AppendHashFile = 9570,
NeedD = 9566,
get_serverVersion = 9580,
set_toDelete = 9613,
set_toUpdate = 9614,
get_toDelete = 9591,
Register = 9562,
get_toUpdate = 9592,
op_Equality = 9574,
get_downloadCount = 9587,
set_GroupData = 9617,
set_errorCode = 9607,
get_localVersionFile = 9575,
set_useCacheVersion = 9604,
get_useCacheVersion = 9582,
SetV = 9563,
UpdateHashFile = 9571,
get_webRequest = 9593,
set_localVersionFile = 9597,
set_state = 9606,
CheckD = 9568,
get_localHashFile = 9576,
get_localVersion = 9579,
GetCurrentServer = 9564,
OnError = 9565,
get_cachedHashPath = 9578,
get_CurrentVersion = 9596,
set_localHashFile = 9598,
CheckUpdateType = 9567,
get_switchPackageFlag = 9583,
set_webRequest = 9615,
get_cdnURLArr = 9581,
RewriteHashFile = 9569,
CloseCachedStreamWriter = 9572,
set_downloadCount = 9609,
get_GroupData = 9595,
get_errorCode = 9585,
set_cachedHashMap = 9612,
get_downloadTotal = 9588,
set_switchPackageFlag = 9605,
UpdateVersionFile = 9573,
set_downPath = 9608,
get_maxRetryTimes = 9589
},
YongShi_BundleWizardRuntime_DownloadMgrWrap = {
StartVerifyForLua = 9625,
Clear = 9623,
FindF = 9619,
Register = 9618,
op_Equality = 9626,
UpdateF = 9621,
StartVerify = 9624,
UpdateD = 9622,
CheckF = 9620
},
YongShi_BundleWizardRuntime_DownloadStateWrap = {
Push = 9628,
IntToEnum = 9638,
get_CheckOver = 9633,
get_UpdateFailure = 9637,
get_None = 9630,
get_UpdateSuccess = 9636,
Register = 9627,
get_Checking = 9631,
CheckType = 9629,
get_Updating = 9635,
get_CheckFailure = 9634,
get_CheckToUpdate = 9632
},
YongshiSdkMgr = {
get_isPlatform = 8120,
callSdkApi = 8123,
GoLoginScene = 8122,
set_isPlatform = 8121,
get_loginType = 8119
},
YongshiSdkMgrWrap = {
get_isPlatform = 7979,
_CreateYongshiSdkMgr = 7975,
GoLoginScene = 7976,
Register = 7974,
callSdkApi = 7977,
set_isPlatform = 7980,
get_loginType = 7978
},
YS2S = {
GetTimeStamp = 8086,
S2S = 8084,
Server2ServerResponse = 8085
},
["YSDownloadCore.YsDownloadCallback"] = {
AllTaskEnd = 9881,
Awake = 9879,
SingleTaskEnd = 9880,
ShowLog = 9883,
Progress = 9882
},
["YSDownloadCore.YsDownloadCallback2"] = {
AllTaskEnd = 9885,
ShowLog = 9887,
Progress = 9886,
SingleTaskEnd = 9884
},
["YSDownloadCore.YsDownloadEvent"] = {
HandleSingleTask = 9890,
get_Instance = 9888,
HandleProgress = 9891,
HandleAllTask = 9889
},
["YSDownloadCore.YsDownloadSDK"] = {
get_Instance = 9892
},
["YSToolCore.YsToolCallback"] = {
getBrightnessMode = 9894,
ShowLog = 9895,
Awake = 9893
},
["YSToolCore.YsToolEvent"] = {
get_Instance = 9896,
HandleBrightMode = 9897
},
["YSToolCore.YsToolSDK"] = {
get_Instance = 9898
},
Zoom = {
Update = 3669,
Start = 3668,
SetScale = 3670
}
}
|
pg = pg or {}
pg.enemy_data_statistics_220 = {
[12600188] = {
cannon = 60,
reload = 150,
speed_growth = 0,
cannon_growth = 0,
pilot_ai_template_id = 80000,
air = 0,
rarity = 1,
dodge = 0,
torpedo = 120,
durability_growth = 2550,
antiaircraft = 0,
reload_growth = 0,
dodge_growth = 0,
hit_growth = 1000,
star = 1,
hit = 100,
antisub_growth = 0,
air_growth = 0,
battle_unit_type = 15,
base = 80,
durability = 80,
armor_growth = 0,
torpedo_growth = 1000,
luck_growth = 0,
speed = 30,
luck = 0,
id = 12600188,
antiaircraft_growth = 0,
antisub = 0,
armor = 0,
appear_fx = {
"appearsmall"
},
equipment_list = {
1000867
}
},
[12600189] = {
cannon = 47,
reload = 150,
speed_growth = 0,
cannon_growth = 2000,
pilot_ai_template_id = 20004,
air = 0,
rarity = 2,
dodge = 12,
torpedo = 29,
durability_growth = 57700,
antiaircraft = 60,
reload_growth = 0,
dodge_growth = 182,
hit_growth = 560,
star = 3,
hit = 20,
antisub_growth = 0,
air_growth = 0,
battle_unit_type = 60,
base = 285,
durability = 3660,
armor_growth = 0,
torpedo_growth = 1200,
luck_growth = 0,
speed = 18,
luck = 0,
id = 12600189,
antiaircraft_growth = 2800,
antisub = 0,
armor = 0,
appear_fx = {
"appearsmall"
},
equipment_list = {
1100042,
1100571,
1100457,
1100542,
1100207
}
},
[12600190] = {
cannon = 62,
hit_growth = 560,
rarity = 2,
speed_growth = 0,
pilot_ai_template_id = 20004,
air = 0,
luck = 0,
dodge = 7,
cannon_growth = 2700,
speed = 14,
reload = 150,
reload_growth = 0,
dodge_growth = 86,
id = 12600190,
star = 3,
hit = 20,
antisub_growth = 0,
air_growth = 0,
torpedo = 0,
base = 316,
durability = 5240,
armor_growth = 0,
torpedo_growth = 0,
luck_growth = 0,
battle_unit_type = 65,
armor = 0,
durability_growth = 95700,
antiaircraft = 72,
antisub = 0,
antiaircraft_growth = 3360,
appear_fx = {
"appearsmall"
},
equipment_list = {
1100042,
1100572,
1100552,
1100716
},
buff_list = {
{
ID = 50510,
LV = 3
}
}
},
[12600191] = {
cannon = 9,
reload = 150,
speed_growth = 0,
cannon_growth = 600,
pilot_ai_template_id = 20004,
air = 70,
rarity = 1,
dodge = 9,
torpedo = 0,
durability_growth = 75500,
antiaircraft = 91,
reload_growth = 0,
dodge_growth = 128,
hit_growth = 560,
star = 2,
hit = 20,
antisub_growth = 0,
air_growth = 2500,
battle_unit_type = 70,
base = 317,
durability = 4160,
armor_growth = 0,
torpedo_growth = 0,
luck_growth = 0,
speed = 16,
luck = 0,
id = 12600191,
antiaircraft_growth = 3080,
antisub = 0,
armor = 0,
appear_fx = {
"appearsmall"
},
equipment_list = {
1100782,
1100786,
1100076,
1100792,
1100541
}
},
[12600201] = {
cannon = 80,
reload = 150,
speed_growth = 0,
cannon_growth = 1000,
rarity = 3,
air = 0,
torpedo = 125,
dodge = 32,
durability_growth = 211200,
antiaircraft = 100,
luck = 12,
reload_growth = 0,
dodge_growth = 396,
hit_growth = 630,
star = 4,
hit = 25,
antisub_growth = 0,
air_growth = 0,
battle_unit_type = 90,
base = 382,
durability = 10060,
armor_growth = 0,
torpedo_growth = 2800,
luck_growth = 0,
speed = 20,
armor = 0,
id = 12600201,
antiaircraft_growth = 3240,
antisub = 0,
appear_fx = {
"appearQ"
},
equipment_list = {
1100176,
1100317,
1101502,
1101507,
1101511
}
},
[12600211] = {
cannon = 125,
reload = 150,
speed_growth = 0,
cannon_growth = 0,
rarity = 3,
air = 0,
torpedo = 360,
dodge = 45,
durability_growth = 0,
antiaircraft = 400,
luck = 20,
reload_growth = 0,
dodge_growth = 639,
hit_growth = 700,
star = 4,
hit = 30,
antisub_growth = 0,
air_growth = 0,
battle_unit_type = 95,
base = 313,
durability = 54000,
armor_growth = 0,
torpedo_growth = 0,
luck_growth = 0,
speed = 18,
armor = 0,
id = 12600211,
antiaircraft_growth = 0,
antisub = 0,
appear_fx = {
"appearQ"
},
equipment_list = {
614021,
614022,
614023,
614024,
614025
}
},
[12600212] = {
cannon = 125,
reload = 150,
speed_growth = 0,
cannon_growth = 0,
rarity = 3,
air = 0,
torpedo = 360,
dodge = 45,
durability_growth = 0,
antiaircraft = 400,
luck = 20,
reload_growth = 0,
dodge_growth = 639,
hit_growth = 700,
star = 4,
hit = 30,
antisub_growth = 0,
air_growth = 0,
battle_unit_type = 95,
base = 382,
durability = 54000,
armor_growth = 0,
torpedo_growth = 0,
luck_growth = 0,
speed = 18,
armor = 0,
id = 12600212,
antiaircraft_growth = 0,
antisub = 0,
appear_fx = {
"appearQ"
},
equipment_list = {
614031,
614032,
614033,
614034
}
},
[12700101] = {
cannon = 3,
reload = 150,
speed_growth = 0,
cannon_growth = 270,
pilot_ai_template_id = 20005,
air = 0,
rarity = 1,
dodge = 0,
torpedo = 21,
durability_growth = 3200,
antiaircraft = 8,
reload_growth = 0,
dodge_growth = 0,
hit_growth = 120,
star = 2,
hit = 8,
antisub_growth = 0,
air_growth = 0,
battle_unit_type = 20,
base = 105,
durability = 74,
armor_growth = 0,
torpedo_growth = 1728,
luck_growth = 0,
speed = 15,
luck = 0,
id = 12700101,
antiaircraft_growth = 630,
antisub = 0,
armor = 0,
appear_fx = {
"appearsmall"
},
equipment_list = {
1100100,
1100496
}
},
[12700102] = {
cannon = 7,
reload = 150,
speed_growth = 0,
cannon_growth = 480,
pilot_ai_template_id = 20005,
air = 0,
rarity = 1,
dodge = 0,
torpedo = 16,
durability_growth = 4800,
antiaircraft = 17,
reload_growth = 0,
dodge_growth = 0,
hit_growth = 120,
star = 2,
hit = 8,
antisub_growth = 0,
air_growth = 0,
battle_unit_type = 25,
base = 107,
durability = 90,
armor_growth = 0,
torpedo_growth = 1296,
luck_growth = 0,
speed = 15,
luck = 0,
id = 12700102,
antiaircraft_growth = 1440,
antisub = 0,
armor = 0,
appear_fx = {
"appearsmall"
},
equipment_list = {
1100426,
1100230
}
},
[12700103] = {
cannon = 12,
reload = 150,
speed_growth = 0,
cannon_growth = 900,
pilot_ai_template_id = 20004,
air = 0,
rarity = 2,
dodge = 0,
torpedo = 12,
durability_growth = 11000,
antiaircraft = 11,
reload_growth = 0,
dodge_growth = 0,
hit_growth = 120,
star = 3,
hit = 8,
antisub_growth = 0,
air_growth = 0,
battle_unit_type = 30,
base = 114,
durability = 170,
armor_growth = 0,
torpedo_growth = 900,
luck_growth = 0,
speed = 15,
luck = 0,
id = 12700103,
antiaircraft_growth = 900,
antisub = 0,
armor = 0,
appear_fx = {
"appearQ"
},
equipment_list = {
1100040,
1100571,
1100455
}
},
[12700104] = {
cannon = 12,
reload = 150,
speed_growth = 0,
cannon_growth = 1500,
pilot_ai_template_id = 20004,
air = 0,
rarity = 2,
dodge = 0,
torpedo = 0,
durability_growth = 30000,
antiaircraft = 35,
reload_growth = 0,
dodge_growth = 0,
hit_growth = 144,
star = 3,
hit = 10,
antisub_growth = 0,
air_growth = 0,
battle_unit_type = 35,
base = 117,
durability = 470,
armor_growth = 0,
torpedo_growth = 0,
luck_growth = 0,
speed = 15,
luck = 0,
id = 12700104,
antiaircraft_growth = 1000,
antisub = 0,
armor = 0,
appear_fx = {
"appearQ"
},
equipment_list = {
1100040,
1100570,
1100540
}
},
[12700105] = {
cannon = 12,
reload = 150,
speed_growth = 0,
cannon_growth = 1500,
pilot_ai_template_id = 20004,
air = 0,
rarity = 2,
dodge = 0,
torpedo = 0,
durability_growth = 30000,
antiaircraft = 35,
reload_growth = 0,
dodge_growth = 0,
hit_growth = 144,
star = 3,
hit = 10,
antisub_growth = 0,
air_growth = 0,
battle_unit_type = 35,
base = 116,
durability = 470,
armor_growth = 0,
torpedo_growth = 0,
luck_growth = 0,
speed = 15,
luck = 0,
id = 12700105,
antiaircraft_growth = 1000,
antisub = 0,
armor = 0,
appear_fx = {
"appearQ"
},
equipment_list = {
1100040,
1100570,
1100540
}
},
[12700106] = {
cannon = 17,
reload = 150,
speed_growth = 0,
cannon_growth = 1000,
rarity = 4,
air = 0,
torpedo = 0,
dodge = 11,
durability_growth = 20000,
antiaircraft = 30,
luck = 0,
reload_growth = 0,
dodge_growth = 162,
hit_growth = 210,
star = 4,
hit = 14,
antisub_growth = 0,
air_growth = 0,
battle_unit_type = 55,
base = 391,
durability = 460,
armor_growth = 0,
torpedo_growth = 0,
luck_growth = 0,
speed = 25,
armor = 0,
id = 12700106,
antiaircraft_growth = 2900,
antisub = 0,
appear_fx = {
"appearQ"
},
equipment_list = {
1100020,
615080,
1100185
}
},
[12700107] = {
cannon = 12,
reload = 150,
speed_growth = 0,
cannon_growth = 700,
rarity = 4,
air = 0,
torpedo = 27,
dodge = 11,
durability_growth = 20000,
antiaircraft = 20,
luck = 0,
reload_growth = 0,
dodge_growth = 162,
hit_growth = 210,
star = 4,
hit = 14,
antisub_growth = 0,
air_growth = 0,
battle_unit_type = 55,
base = 390,
durability = 460,
armor_growth = 0,
torpedo_growth = 2400,
luck_growth = 0,
speed = 25,
armor = 0,
id = 12700107,
antiaircraft_growth = 2600,
antisub = 0,
equipment_list = {
1100020,
615085,
1100185,
1100495
}
},
[12700108] = {
cannon = 20,
reload = 150,
speed_growth = 0,
cannon_growth = 1050,
pilot_ai_template_id = 10001,
air = 0,
rarity = 4,
dodge = 6,
torpedo = 27,
durability_growth = 28000,
antiaircraft = 25,
reload_growth = 0,
dodge_growth = 84,
hit_growth = 210,
star = 4,
hit = 14,
antisub_growth = 0,
air_growth = 0,
battle_unit_type = 60,
base = 393,
durability = 420,
armor_growth = 0,
torpedo_growth = 2250,
luck_growth = 0,
speed = 15,
luck = 0,
id = 12700108,
antiaircraft_growth = 1840,
antisub = 0,
armor = 0,
appear_fx = {
"appearQ"
},
equipment_list = {
1100015,
615090,
1100525,
1100465
}
},
[12700109] = {
cannon = 45,
hit_growth = 210,
rarity = 3,
speed_growth = 0,
pilot_ai_template_id = 10001,
air = 0,
luck = 0,
dodge = 3,
cannon_growth = 2200,
speed = 15,
reload = 150,
reload_growth = 0,
dodge_growth = 48,
id = 12700109,
star = 4,
hit = 14,
antisub_growth = 0,
air_growth = 0,
torpedo = 0,
base = 384,
durability = 740,
armor_growth = 0,
torpedo_growth = 0,
luck_growth = 0,
battle_unit_type = 65,
armor = 0,
durability_growth = 40000,
antiaircraft = 35,
antisub = 0,
antiaircraft_growth = 2420,
appear_fx = {
"appearQ"
},
equipment_list = {
1100020,
1100625,
1100040,
1100735
},
buff_list = {
{
ID = 50510,
LV = 1
}
}
}
}
return
|
--[[
Project: SA Memory (Available from https://blast.hk/)
Developers: LUCHARE, FYP
Special thanks:
plugin-sdk (https://github.com/DK22Pac/plugin-sdk) for the structures and addresses.
Copyright (c) 2018 BlastHack.
]]
local shared = require 'SAMemory.shared'
shared.require 'C2dEffect'
shared.require 'CTaskTimer'
shared.ffi.cdef[[
typedef struct CAttractorScanner
{
char field_0;
char _pad[3];
CTaskTimer field_4;
C2dEffect *pEffectInUse;
int field_14;
int field_18[10];
int field_40[10];
int field_68[10];
} CAttractorScanner;
]]
shared.validate_size('CAttractorScanner', 0x90)
|
-- Renegade (U) [!].nes
-- Written by sleepy - Shawn M. Crawford
-- 6 January 2014
-- Displays Player Coordinates, HP, and Enemy HP stats on screen. The
-- HP stats follow the characters.
local function text(x,y,str)
if (x >= 0 and x <= 255 and y >= 0 and y <= 240) then
gui.text(x,y,str);
end;
end;
while (true) do
-- Player 1 Coordinates
local p1xcoordinate = memory.readbyte(0x0046);
local p1ycoordinate = memory.readbyte(0x0055);
text(10,10,"P1/P2 C: " .. p1xcoordinate .. "," .. p1ycoordinate);
-- Player 1 HPs
local p1hp = memory.readbyte(0x007D);
text(p1xcoordinate - 30,210 - p1ycoordinate,"P1/P2 HP: " .. p1hp);
-- Enemy 1 Coordinates
local e1xcoordinate = memory.readbyte(0x0047);
local e1ycoordinate = memory.readbyte(0x0056);
-- Enemy 1 HPs
local e1hp = memory.readbyte(0x007E);
text(e1xcoordinate - 30,210 - e1ycoordinate,"E1 HP: " .. e1hp);
-- Enemy 2 Coordinates
local e2xcoordinate = memory.readbyte(0x0048);
local e2ycoordinate = memory.readbyte(0x0057);
-- Enemy 2 HPs
local e2hp = memory.readbyte(0x007F);
text(e2xcoordinate - 30,210 - e2ycoordinate,"E2 HP: " .. e2hp);
-- Enemy 3 Coordinates
local e3xcoordinate = memory.readbyte(0x0049);
local e3ycoordinate = memory.readbyte(0x0058);
-- Enemy 3 HPs
local e3hp = memory.readbyte(0x0080);
text(e3xcoordinate - 30,210 - e3ycoordinate,"E3 HP: " .. e3hp);
FCEU.frameadvance();
end;
|
package.path = "C:/Users/nightshade/Desktop/aconitum/assets/scripts/entities/?.lua;" .. package.path
package.path = "./assets/scripts/entities/?.lua;" .. package.path
package.path = "C:/Users/nightshade/Desktop/aconitum/assets/scripts/?.lua;" .. package.path
package.path = "./assets/scripts/?.lua;" .. package.path
package.loaded.helpers = nil
local helpers = require("helpers")
local entities = {
box = helpers.reloading_require("box"),
player = helpers.reloading_require("player"),
stalker = helpers.reloading_require("stalker"),
metal_box = helpers.reloading_require("metal_box"),
doors = helpers.reloading_require("doors"),
pressure_plate = helpers.reloading_require("pressure_plate"),
torch = helpers.reloading_require("torch"),
lever_switch = helpers.reloading_require("lever_switch")
}
entities_templates = {
box = entities.box:new(),
player = entities.player:new(),
stalker = entities.stalker:new(),
metal_box = entities.metal_box:new(),
doors = entities.doors:new(),
pressure_plate = entities.pressure_plate:new(),
torch = entities.torch:new(),
lever_switch = entities.lever_switch:new()
}
return entities
|
require "SvgWriter"
require "vmath"
require "Viewport"
require "SubImage"
require "GridAxis"
require "_utils"
local imageSize = vmath.vec2(500, 300);
local subImages = SubImage.SubImage(1, 1, imageSize.x, imageSize.y, 0, 0);
local coordSize = 10;
local coordWidth = coordSize * (imageSize.x / imageSize.y);
local vp = Viewport.Viewport({500, 300}, {0, 3}, {coordWidth, coordSize})
local trans2 = Viewport.Transform2D()
vp:SetTransform(trans2);
local styleLib = SvgWriter.StyleLibrary();
local lightSourceColor = "yellow";
local surfaceColor = "lightblue";
styleLib:AddStyle(nil, "surface", SvgWriter.Style():stroke("none"):fill(surfaceColor));
styleLib:AddStyle(nil, "light", SvgWriter.Style():stroke("none"):fill(lightSourceColor));
styleLib:AddStyle(nil, "arrowhead",
SvgWriter.Style():stroke(surfaceColor):fill(surfaceColor));
styleLib:AddStyle(nil, "ray",
SvgWriter.Style():stroke(surfaceColor):stroke_width("1px"):stroke_dasharray({3, 3}):marker_end(SvgWriter.uriLocalElement("arrow")));
styleLib:AddStyle(nil, "incident-ray",
SvgWriter.Style():stroke(surfaceColor):stroke_width("2px"):marker_end(SvgWriter.uriLocalElement("arrow")));
local axisData = GridAxis.GridAxis2D(vp, nil, styleLib, true, nil);
--Surface and light.
local surfaceDim =
{
vmath.vec2(-coordWidth / 2, 0), vmath.vec2(coordWidth / 2, -3),
};
local lightSourcePos = vmath.vec2(-7, 6);
local lightSourceRadius = 20;
surfaceDim = vp:Transform(surfaceDim);
lightSourcePos = vp:Transform(lightSourcePos);
--Light rays
local intersectPt = vmath.vec2(0, 0);
intersectPt = vp:Transform(intersectPt);
--Diffuse Rays
local rayEndPts = {};
local iNumRays = 11;
local length = 3;
for i = 1, iNumRays do
local angle = -math.pi / 2;
angle = angle + ((math.pi / (iNumRays + 1)) * i);
rayEndPts[#rayEndPts + 1] = length * vmath.vec2(math.sin(angle), math.cos(angle));
end
rayEndPts = vp:Transform(rayEndPts);
local writer = SvgWriter.SvgWriter(ConstructSVGName(arg[0]), {subImages:Size().x .."px", subImages:Size().y .. "px"});
writer:StyleLibrary(styleLib);
writer:BeginDefinitions();
WriteStandardArrowhead(writer, "arrow", {"arrowhead"});
writer:EndDefinitions();
-- axisData:AddDefinitions(writer, "g_axes");
-- writer:Use("g_axes", subImages:Offset(1, 1), subImages:SubSize());
--Draw lines.
writer:Line(lightSourcePos, intersectPt, {"incident-ray"});
--Draw diffuse reflections.
for i = 1, iNumRays do
writer:Line(intersectPt, rayEndPts[i], {"ray"});
end
--Draw surface and light.
writer:Rect2Pt(surfaceDim[1], surfaceDim[2], nil, {"surface"});
writer:Circle(lightSourcePos, lightSourceRadius, {"light"});
writer:Close();
|
local Import = { -- Identifiers given by packages to identify the code they have loaded there, put the identifiers you want to import here (see package docs to know what they use?)
--"code_loader_tester",
}
local function IsImportAllowed(Import_identifier)
for i, v in ipairs(Import) do
if v == Import_identifier then
return true
end
end
return false
end
for i, v in ipairs(Import) do
_ENV["CodeLoaderNeed" .. v] = function()
return true
end
AddFunctionExport("CodeLoaderNeed" .. v, _ENV["CodeLoaderNeed" .. v])
end
AddEvent("CodeLoaderLoad", function(Import_identifier, p_name, str_func)
if IsImportAllowed(Import_identifier) then
if GetPackageName() == p_name then
if IsServer() then
load(str_func, nil, "t", _ENV)()
else
loadstring(str_func)
end
if _ENV["ON_" .. Import_identifier .. "_LOADED"] then
_ENV[Import_identifier .. "_Loaded"] = true
_ENV["ON_" .. Import_identifier .. "_LOADED"]()
end
end
end
end)
AddEvent("OnPackageStart", function()
CallEvent("RequestCodeLoad", Import, GetPackageName())
end)
|
-- ================
-- PRE-REQUIRE UTIL
-- ================
-- Created by datwaft <github.com/datwaft>
-- Returns the result of requiring a module, if it fails it returns nil
---@return any
return function(...)
local status, lib = pcall(require, ...)
if status then return lib end
return nil
end
|
--[[
ModuleName :
Path : area.lua
Author : jinlei
CreateTime : 2020-08-09 08:08:46
Description :
--]]
|
SQL:Execute( "CREATE TABLE IF NOT EXISTS keybinds (steamid VARCHAR, key INTEGER, command VARCHAR)")
function SimulateCommand(args, sender)
Events:Fire("PlayerChat", {player=sender, text=args})
-- if string.sub(args,1,1) ~= "/" then
-- Chat:Broadcast(sender:GetName()..": "..args, Color(255, 255, 255)) -- This is dead code which used to allow spamming chat messages to other players by a mere keypress.
-- end
end
Network:Subscribe("SimulateCommand", SimulateCommand)
function SQLSave(args, sender)
local cmd1 = SQL:Command("DELETE FROM keybinds WHERE steamid=(?)")
cmd1:Bind(1, sender:GetSteamId().id)
cmd1:Execute() -- Clear all binds for this user.
for k,v in pairs(args) do
local cmd2 = SQL:Command("INSERT INTO keybinds (steamid, key, command) VALUES (?, ?, ?)")
cmd2:Bind(1, sender:GetSteamId().id)
cmd2:Bind(2, tonumber(k))
cmd2:Bind(3, v)
cmd2:Execute() -- Insert row into binds table.
end
end
Network:Subscribe("SQLSave", SQLSave)
function SQLLoad(args)
local query = SQL:Query('SELECT * FROM keybinds WHERE steamID = ?')
query:Bind(1, args.player:GetSteamId().id)
local result = query:Execute()
local binds = {}
for k,v in pairs(result) do
binds[tonumber(v.key)]=v.command
end
Network:Send(args.player, "SQLLoad", binds)
end
Events:Subscribe("ClientModuleLoad", SQLLoad)
|
object_building_kashyyyk_eqp_monitorscreen_text_s02 = object_building_kashyyyk_shared_eqp_monitorscreen_text_s02:new {
}
ObjectTemplates:addTemplate(object_building_kashyyyk_eqp_monitorscreen_text_s02, "object/building/kashyyyk/eqp_monitorscreen_text_s02.iff")
|
local TITLE_COLOR = tocolor(196, 196, 196, 96)
local VEH_ALPHA = 102
local BLIP_SIZE = 1
local BLIP_COLOR = {150, 150, 150, 50}
#USE_INTERPOLATION = true
#DEBUG = false
#if(DEBUG) then
VEH_ALPHA = 0
#end
Playback = Class('Playback')
Playback.count = 0
Playback.map = {}
-- Note: Don't use onClientMapStopping and onGamemodeMapStart because race
-- gamemode is stupid and triggers the first after the second
#RD_TIME = 1
#RD_X = 2
#RD_Y = 3
#RD_Z = 4
#RD_RX = 5
#RD_RY = 6
#RD_RZ = 7
#RD_MODEL = 8
-- Render title for each created playback
function Playback.renderTitle()
local cx, cy, cz = getCameraMatrix()
for id, playback in pairs(Playback.map) do
if(not playback.hidden) then
local x, y, z = getElementPosition(playback.veh)
local scale = 18/getDistanceBetweenPoints3D(cx, cy, cz, x, y, z)
if(scale > 0.3) then
local scrX, scrY = getScreenFromWorldPosition(x, y, z + 1)
if(scrX) then
dxDrawText(playback.title, scrX, scrY, scrX, scrY, TITLE_COLOR, scale, 'default', 'center')
end
end
end
end
end
-- Sums rot and dr scaled by a (normalize dr to [-180, 180] before)
function Playback.calcAngle(rot, dr, a)
if(dr > 180) then
dr = dr - 360
elseif(dr < -180) then
dr = dr + 360
end
return rot + dr*a
end
--[[local function getBezierControlPoints(pt0, pt1, pt2, t)
-- Based on: http://scaledinnovation.com/analytics/splines/aboutSplines.html
local d01 = pt1.dist(pt0)
local d12 = pt1.dist(pt2)
local fa = t*d01 / (d01 + d12) -- scaling factor for triangle Ta
local fb = t*d12 / (d01 + d12) -- ditto for Tb, simplifies to fb=t-fa
local cp1 = pt1 - fa*(pt2-pt0) -- x2-x0 is the width of triangle T
local cp2 = pt1 + fb*(pt2-pt0) -- y2-y0 is the height of T
return cp1, cp2
end
local function bezierCurve(pt1, pt2, cp1, cp2, t)
local t2 = 1 - t
return (t2^3)*pt1 + 3*(t2^2)*t*cp1 + 3*t2*(t^2)*cp2 + (t^3)*pt2
end]]
function Playback.__mt.__index:loadNextFrame()
self.curFrameIdx = self.curFrameIdx + 1
local frame = self.data[self.curFrameIdx]
if(self.nextPos) then
self.pos = self.nextPos
else
self.pos = self.pos + Vector3(frame[$(RD_X)], frame[$(RD_Y)], frame[$(RD_Z)])/100
end
self.rot = self.rot + Vector3(frame[$(RD_RX)], frame[$(RD_RY)], frame[$(RD_RZ)])
local nextFrame = self.data[self.curFrameIdx + 1]
if(nextFrame) then
self.nextPos = self.pos + Vector3(nextFrame[$(RD_X)], nextFrame[$(RD_Y)], nextFrame[$(RD_Z)])/100
end
end
function Playback.__mt.__index:setProgress(ms)
self.curFrameIdx = 0
self.nextPos = false
self.pos = Vector3()
self.rot = Vector3()
self:loadNextFrame()
self.dt = 0
self:addProgress(ms)
if(self.ticks) then
self.ticks = getTickCount()
end
end
function Playback.__mt.__index:addProgress(ms)
self.dt = self.dt + ms
while(true) do
local nextFrame = self.data[self.curFrameIdx + 1]
if(not nextFrame or self.dt < nextFrame[$(RD_TIME)]) then break end
self.dt = self.dt - nextFrame[$(RD_TIME)]
self:loadNextFrame()
end
end
function Playback.__mt.__index:setVisible(vis)
self.hidden = not vis
setElementAlpha(self.veh, vis and VEH_ALPHA or 0)
setBlipColor(self.blip, BLIP_COLOR[1], BLIP_COLOR[2], BLIP_COLOR[3], vis and BLIP_COLOR[4] or 0)
end
function Playback.__mt.__index:update()
local ticks = getTickCount()
local dt = (ticks - self.ticks)*self.speed
self.ticks = ticks
self:addProgress(dt)
local frame = self.data[self.curFrameIdx]
local nextFrame = self.data[self.curFrameIdx + 1]
if(not nextFrame) then
-- Playback has finished
--Debug.info('Playback has finished')
return false
end
-- Calculate interpolation factor
local a = self.dt / nextFrame[$(RD_TIME)]
--assert(a >= 0 and a <= 1)
-- Change model if needed
if(frame[$(RD_MODEL)]) then
setElementModel(self.veh, frame[$(RD_MODEL)])
end
-- Update position and rotation
--[[local cp1 = self.pos
local cp2 = self.nextPos
local pos = bezierCurve(self.pos, self.nextPos, cp1, cp2, a)]]
local pos = self.pos*(1-a) + self.nextPos*a
local rx = Playback.calcAngle(self.rot[1], nextFrame[$(RD_RX)], a)
local ry = Playback.calcAngle(self.rot[2], nextFrame[$(RD_RY)], a)
local rz = Playback.calcAngle(self.rot[3], nextFrame[$(RD_RZ)], a)
setElementPosition(self.veh, pos[1], pos[2], pos[3])
setElementRotation(self.veh, rx, ry, rz)
-- Save temporary position for debugging purposes
self.curPos = pos
-- Update velocity if position interpolation is not used
#if(not USE_INTERPOLATION) then
local vx = frame[$(RD_X)]/100/frame[$(RD_TIME)]
local vy = frame[$(RD_Y)]/100/frame[$(RD_TIME)]
local vz = frame[$(RD_Z)]/100/frame[$(RD_TIME)]
setElementVelocity(self.veh, vx*20.7, vy*20.7, vz*20.7)
--setVehicleTurnVelocity(self.veh, vrx/10, vry/10, vrz/10)
#end
-- Return time left to new frame
local msToNextFrame = nextFrame[$(RD_TIME)] - self.dt
return msToNextFrame
end
function Playback.timerProc(id)
assert(false)
local self = Playback.map[id]
--Debug.info('pos = '..self.pos..', rot = '..self.rot)
local msToNextFrame = self:update()
if(msToNextFrame) then
msToNextFrame = math.max(msToNextFrame, 50)
self.timer = setTimer(Playback.timerProc, msToNextFrame, 1, self.id)
else
self.timer = false
self:destroy()
end
end
function Playback.__mt.__index:start(ms)
assert(not self.ticks)
-- Setup object state
self.ticks = getTickCount()
self:setProgress(ms or 0)
assert((ms and ms > 0) or (self.curFrameIdx == 1 and self.dt == 0))
-- Update vehicle
self:setVisible(true)
#if(not USE_INTERPOLATION) then
Playback.timerProc(self.id)
#end
end
function Playback.__mt.__index:stop()
self.ticks = false
self:setVisible(false)
end
#if(USE_INTERPOLATION) then
function Playback.preRender()
for id, playback in pairs(Playback.map) do
if(playback.ticks) then
if(not playback:update()) then
playback:stop()
end
end
end
end
#end
#if(DEBUG) then
-- Render full playback trace
function Playback.__mt.__index:render()
local myPos = Vector3(getElementPosition(localPlayer))
local prevPos = false
for i, frame in ipairs(self.data) do
local curPos = (prevPos or Vector3()) + Vector3(frame[$(RD_X)], frame[$(RD_Y)], frame[$(RD_Z)])/100
if(prevPos and myPos:dist(curPos) < 100) then
dxDrawLine3D(prevPos[1], prevPos[2], prevPos[3], curPos[1], curPos[2], curPos[3], tocolor(255, 0, 0), 3)
dxDrawLine3D(curPos[1], curPos[2], curPos[3]-0.1, curPos[1], curPos[2], curPos[3]+0.1, tocolor(0, 0, 255), 3)
end
prevPos = curPos
end
if(self.curPos) then
dxDrawLine3D(self.curPos[1], self.curPos[2], self.curPos[3]-0.1, self.curPos[1], self.curPos[2], self.curPos[3]+0.1, tocolor(0, 255, 0), 3)
end
end
#end
function Playback.__mt.__index:destroy()
if(self.timer) then
killTimer(self.timer)
self.timer = false
end
destroyElement(self.blip)
destroyElement(self.veh)
self.data = false
Playback.map[self.id] = nil
Playback.count = Playback.count - 1
assert(Playback.count >= 0)
-- Remove event handlers if this is the last playback object
if(Playback.count == 0) then
removeEventHandler('onClientRender', g_Root, Playback.renderTitle)
#if(USE_INTERPOLATION) then
removeEventHandler('onClientPreRender', g_Root, Playback.preRender)
#end
end
self.destroyed = true
end
function Playback.__mt.__index:init(data, title)
self.data = data
self.title = title
self.speed = 1
self.dt = 0
local firstFrame = data[1]
local x, y, z = firstFrame[$(RD_X)]/100, firstFrame[$(RD_Y)]/100, firstFrame[$(RD_Z)]/100
local rx, ry, rz = firstFrame[$(RD_RX)], firstFrame[$(RD_RY)], firstFrame[$(RD_RZ)]
self.pos = Vector3(x, y, z)
self.rot = Vector3(rx, ry, rz)
self.veh = createVehicle(firstFrame[$(RD_MODEL)], x, y, z, rx, ry, rz)
setElementAlpha(self.veh, VEH_ALPHA)
#if(USE_INTERPOLATION) then
setElementFrozen(self.veh, true)
#else
setVehicleGravity(self.veh, 0, 0, -0.1)
setElementCollisionsEnabled(self.veh, false)
setElementPosition(self.veh, x, y, z) -- reposition again after disabling collisions
#end
self.blip = createBlipAttachedTo(self.veh, 0, BLIP_SIZE, unpack(BLIP_COLOR))
setElementParent(self.blip, self.veh)
Debug.info('Playback: frames = '..#data..', pos = ('..x..' '..y..' '..z..'), rot: ('..rx..' '..ry..' '..rz..')')
self.id = #Playback.map + 1
Playback.map[self.id] = self
Playback.count = Playback.count + 1
-- Add event handlers if this is the first playback object
if(Playback.count == 1) then
addEventHandler('onClientRender', g_Root, Playback.renderTitle)
#if(USE_INTERPOLATION) then
addEventHandler('onClientPreRender', g_Root, Playback.preRender)
#end
end
return self
end
#if(DEBUG) then
addCommandHandler('testrec', function()
outputChatBox('Testing recording!')
local veh = getPedOccupiedVehicle(g_Me)
local x, y, z = getElementPosition(veh)
local rec = Recorder.create()
rec:start()
setTimer(function()
outputChatBox('Recording finished ('..#rec.data..' frames)...')
local playback = Playback(rec.data, 'TEST')
rec:destroy()
playback.speed = 0.2
playback:start()
setElementPosition(veh, x, y, z)
if(playback.render) then
addEventHandler('onClientRender', root, function()
playback:render()
end)
end
end, 5000, 1)
end)
#end
|
-- Slash Commands
RegisterCommand('newposse', function(source, args, rawCommand)
local playerId = source
Helpers.Packet(playerId, 'posse:OpenCreate', nil)
end, false)
RegisterCommand('posse', function(source, args, rawCommand)
local playerId = source
Helpers.Packet(playerId, 'posse:Open', nil)
end, false)
RegisterCommand('posseinv', function(source, args, rawCommand)
local playerId = source
local targetId = tonumber(args[1])
if (targetId == nil) then
Helpers.Respond(playerId, '^5You need to specify a valid target id to send the invite to. /posseinv [playerid]')
return
end
Posse.SendInvite(playerId, targetId)
end, false)
RegisterCommand('posseleave', function(source, args, rawCommand)
local playerId = source
Posse.Leave(playerId)
end, false)
-- Packet Handlers
Helpers.PacketHandler('posse:Create', function(playerId, data)
Posse.Create(playerId, data.PosseName)
end)
Helpers.PacketHandler('posse:AcceptInvite', function(playerId, data)
Posse.AcceptInvite(playerId)
end)
-- We need to tie into the redemrp:playerLoaded event so we can properly get this players posse information on character select
AddEventHandler('redemrp:playerLoaded', function(character)
local _source = source
Posse.OnPlayerLoaded(character)
end)
-- Class Functions
function Posse.Create(playerId, name)
if (not Posse.IsNameValid(name)) then
Helpers.Packet(playerId, 'posse:OnCreate', { Success = false })
Helpers.Respond(playerId, '^1That name is invalid. Please try another.')
return
end
Helpers.GetCharacter(playerId, function(character)
local realId = character.getSessionVar('realcharid')
local query = 'insert into `posses` (Name, OwnerId) values (@Name, @OwnerId);'
local params = {
['@Name'] = name,
['@OwnerId'] = realId
}
MySQL.Async.insert(query, params, function(posseId)
if (posseId <= 0) then
Helpers.Packet(playerId, 'posse:OnCreate', { Success = false })
return
end
Helpers.Packet(playerId, 'posse:OnCreate', { Success = true })
-- set session var
character.setSessionVar('PosseId', posseId)
-- add this member
Posse.AddMember(playerId, realId, posseId)
-- recache posse datas
Posse.GetDatas()
end)
end)
end
function Posse.IsNameValid(name)
local query = 'select Id from `posses` where Name=@Name'
local params = {
['@Name'] = name
}
local results = MySQL.Sync.fetchScalar(query, params)
return results == nil or results == 0
end
function Posse.AddMember(playerId, characterId, posseId)
local query = 'insert into `possemembers` (PosseId, CharacterId, Rank) values (@PosseId, @CharacterId, 0);'
local params = {
['@PosseId'] = posseId,
['@CharacterId'] = characterId,
}
--
MySQL.Async.insert(query, params, function(newId)
Posse.GetPosseData(playerId)
end)
end
function Posse.OnPlayerLoaded(playerId)
Posse.GetPosseData(playerId)
end
function Posse.Leave(playerId)
Helpers.GetCharacter(playerId, function(character)
if (character == nil) then
return
end
character.setSessionVar('PosseId', nil)
Helpers.Packet(playerId, 'posse:Leave')
local query = 'delete from `possemembers` where CharacterId=@CharacterId'
local params = {
['@CharacterId'] = character.getSessionVar('realcharid')
}
MySQL.Async.execute(query, params, function(rowsChanged)
end)
end)
end
-- note: this required a modification to redem_roleplay to sv_main.lua line 55ish. the code is commented below
-- it's possible the actual db id was exposed somewhere, but i don't know redem that well yet.
-- NOTE:
-- This is a custom redemrp_gameplay modification
-- Users[_source].setSessionVar("realcharid", _user.id)
-- todo
-- the following code is pretty ugly, but functional. still, clean it up.
function Posse.GetPosseData(playerId)
Helpers.GetCharacter(playerId, function(character)
local realId = character.getSessionVar('realcharid')
local query = 'select Id, PosseId, Rank from `possemembers` where CharacterId=@CharacterId'
local params = {
['@CharacterId'] = realId
}
-- get posse member data
MySQL.Async.fetchAll(query, params, function(results)
if (results == nil or results[1] == nil) then
return
end
-- if we're in a posse, get the posse datas
local q2 = 'select Id, Name, OwnerId from `posses` where Id=@PosseId'
local p2 = {
['@PosseId'] = results[1].PosseId
}
MySQL.Async.fetchAll(q2, p2, function(r2)
if (r2 == nil or r2[1] == nil) then
return
end
-- set posseid on character session var
character.setSessionVar('PosseId', tonumber(r2[1].Id))
print(tostring(character.getSessionVar('PosseId')))
local q3 = 'select pm.Id, pm.CharacterId, pm.Rank, c.firstname, c.lastname from `possemembers` as pm inner join `characters` as c on c.Id = pm.CharacterId where pm.PosseId = @PosseId'
local p3 = {
['@PosseId'] = character.getSessionVar('PosseId')
}
-- if we have a posse, get the members list and then send it all to the player
MySQL.Async.fetchAll(q3, p3, function(r3)
Helpers.Packet(playerId, 'posse:SetMembers', { Posse = r2[1], Rank = results[1].Rank, Members = r3 })
end)
end)
end)
end)
end
function Posse.SendInvite(playerId, targetId)
-- get player character
Helpers.GetCharacter(playerId, function(character)
if (character == nil) then
return
end
-- get posse information
local posseId = character.getSessionVar('PosseId')
local posse = Posse.Posses[posseId]
if (posse == nil) then
print('Invalid Posse Id.')
return
end
-- get target character
Helpers.GetCharacter(targetId, function(target)
if (target == nil) then
return
end
-- make sure this person isn't in another posse
--[[local posseId = target.getSessionVar('PosseId') or 0
if (posseId > 0) then
Helpers.Respond(playerId, '^1This person belongs to another posse.')
return
end]]
-- set the target up to accept the request
Posse.PosseInvites[targetId] = posseId
-- send invite to player
Helpers.Packet(playerId, 'posse:Invite', { Id = posse.Id, Name = posse.Name, InvitedBy = character.getFirstname() .. ' ' .. character.getLastname() })
end)
end)
end
function Posse.AcceptInvite(playerId)
local posseId = Posse.PosseInvites[playerId] or 0
if (posseId == 0) then
print('No posse invite for ' .. playerId)
return
end
-- get player character
Helpers.GetCharacter(playerId, function(character)
if (character == nil) then
return
end
character.setSessionVar('PosseId', posseId)
Posse.AddMember(playerId, character.getSessionVar('realcharid'), posseId)
Posse.PosseInvites[playerId] = nil
Helpers.Respond(playerId, '^2You have joined the posse.')
end)
end
-- Load Posse datas and cache the infos
function Posse.GetDatas()
local query = 'select * from `posses`'
MySQL.Async.fetchAll(query, nil, function(results)
if (results == nil or results[1] == nil) then
return
end
for k, v in pairs(results) do
Posse.Posses[v.Id] = v
end
end)
end
Posse.GetDatas()
|
-- gauges: Adds health/breath bars above players
--
-- Copyright © 2014-2019 4aiman, Hugo Locurcio and contributors - MIT License
-- See `LICENSE.md` included in the source distribution for details.
local hp_bar = {
physical = false,
collisionbox = {x = 0, y = 0, z = 0},
visual = "sprite",
textures = {"20.png"}, -- The texture is changed later in the code
visual_size = {x = 1.5, y = 0.09375, z = 1.5}, -- Y value is (1 / 16) * 1.5
wielder = nil,
}
function vector.sqdist(a, b)
local dx = a.x - b.x
local dy = a.y - b.y
local dz = a.z - b.z
return dx * dx + dy * dy + dz * dz
end
function hp_bar:on_step(dtime)
local wielder = self.wielder and minetest.get_player_by_name(self.wielder)
if
wielder == nil or
vector.sqdist(wielder:get_pos(), self.object:get_pos()) > 3
then
self.object:remove()
return
end
local hp = wielder:get_hp()
local breath = wielder:get_breath()
self.object:set_properties({
textures = {
"health_" .. tostring(hp) .. ".png^breath_" .. tostring(breath) .. ".png",
},
})
end
minetest.register_entity("gauges:hp_bar", hp_bar)
local function add_HP_gauge(name)
local player = minetest.get_player_by_name(name)
local pos = player:get_pos()
local ent = minetest.add_entity(pos, "gauges:hp_bar")
if ent ~= nil then
ent:set_attach(player, "", {x = 0, y = 10, z = 0}, {x = 0, y = 0, z = 0})
ent = ent:get_luaentity()
ent.wielder = player:get_player_name()
end
end
if
minetest.settings:get_bool("enable_damage") and
minetest.settings:get_bool("health_bars") ~= false
then
minetest.register_on_joinplayer(function(player)
minetest.after(1, add_HP_gauge, player:get_player_name())
end)
end
|
local S = technic.getter
technic.register_recipe_type("grinding", { description = S("Grinding") })
function technic.register_grinder_recipe(data)
data.time = data.time or 3
technic.register_recipe("grinding", data)
end
local recipes = {
-- Dusts
{"mcl_core:coal_lump", "technic:coal_dust 2"},
{"mcl_core:stone_with_iron", "technic:iron_dust 2"},
{"mcl_core:stone_with_gold", "technic:gold_dust 2"},
{"mcl_core:gold_ingot", "technic:gold_dust"},
{"mcl_core:iron_ingot", "technic:iron_dust"},
-- Trees
{"mcl_core:tree", "technic:sawdust 4"},
{"mcl_core:jungletree", "technic:sawdust 4"},
{"mcl_core:birchtree", "technic:sawdust 4"},
{"mcl_core:sprucetree", "technic:sawdust 4"},
{"mcl_core:acaciatree", "technic:sawdust 4"},
{"mcl_core:darktree", "technic:sawdust 4"},
{"mcl_core:wood", "technic:sawdust 2"},
{"mcl_core:junglewood", "technic:sawdust 2"},
{"mcl_core:sprucewood", "technic:sawdust 2"},
{"mcl_core:birchwood", "technic:sawdust 2"},
{"mcl_core:darkwood", "technic:sawdust 2"},
{"mcl_core:acaciawood", "technic:sawdust 2"},
{"mcl_core:stripped_acacia", "technic:sawdust 2"},
{"mcl_core:stripped_birch", "technic:sawdust 2"},
{"mcl_core:stripped_dark_oak", "technic:sawdust 2"},
{"mcl_core:stripped_jungle", "technic:sawdust 2"},
{"mcl_core:stripped_oak", "technic:sawdust 2"},
{"mcl_core:stripped_spruce", "technic:sawdust 2"},
{"mcl_core:stripped_acacia_bark", "technic:sawdust 2"},
{"mcl_core:stripped_birch_bark", "technic:sawdust 2"},
{"mcl_core:stripped_dark_oak_bark", "technic:sawdust 2"},
{"mcl_core:stripped_jungle_bark", "technic:sawdust 2"},
{"mcl_core:stripped_oak_bark", "technic:sawdust 2"},
{"mcl_core:stripped_spruce_bark", "technic:sawdust 2"},
{"mcl_core:acacia_bark", "technic:sawdust 2"},
{"mcl_core:birch_bark", "technic:sawdust 2"},
{"mcl_core:dark_oak_bark", "technic:sawdust 2"},
{"mcl_core:jungle_bark", "technic:sawdust 2"},
{"mcl_core:oak_bark", "technic:sawdust 2"},
{"mcl_core:spruce_bark", "technic:sawdust 2"},
-- Other
{"mcl_mobitems:bone", "mcl_dye:white 2"},
{"mcl_core:cobble", "mcl_core:gravel"},
{"mcl_core:gravel", "mcl_core:sand"},
{"mcl_core:sandstone", "mcl_core:sand 2"},
{"mcl_core:redsandstone", "mcl_core:redsand 2"},
{"mcl_core:stone", "technic:stone_dust"},
{"technic:steel_ingot", "technic:steel_dust"},
{"technic:copper_ingot", "technic:copper_dust"},
{"technic:mineral_copper", "technic:copper_dust 2"},
{"mcl_core:iron_nugget", "technic:lowgrade_iron_dust"},
{"mcl_core:gold_nugget", "technic:lowgrade_gold_dust"},
{"technic:iron_nugget", "technic:lowgrade_copper_dust"},
}
for _, data in pairs(recipes) do
technic.register_grinder_recipe({input = {data[1]}, output = data[2]})
end
-- dusts
local function register_dust(name, ingot)
local lname = string.lower(name)
lname = string.gsub(lname, ' ', '_')
minetest.register_craftitem("technic:"..lname.."_dust", {
description = S("%s Dust"):format(S(name)),
inventory_image = "technic_"..lname.."_dust.png",
})
if ingot then
minetest.register_craft({
type = "cooking",
recipe = "technic:"..lname.."_dust",
output = ingot,
})
technic.register_grinder_recipe({ input = {ingot}, output = "technic:"..lname.."_dust" })
end
end
-- Sorted alphibeticaly
register_dust("Coal", nil)
register_dust("Gold", "mcl_core:gold_ingot")
register_dust("Stone", "mcl_core:stone")
register_dust("Iron", "mcl_core:iron_ingot")
minetest.register_craft({
type = "fuel",
recipe = "technic:coal_dust",
burntime = 50,
})
minetest.register_craftitem("technic:lowgrade_gold_dust", {
description = ("Lowgrade Gold Dust"),
inventory_image = "technic_lowgrade_gold_dust.png",
})
minetest.register_craft({
type = "cooking",
recipe = "technic:lowgrade_gold_dust",
output = "mcl_core:gold_nugget",
})
minetest.register_craftitem("technic:lowgrade_iron_dust", {
description = ("Lowgrade Iron Dust"),
inventory_image = "technic_lowgrade_iron_dust.png",
})
minetest.register_craftitem("technic:lowgrade_copper_dust", {
description = ("Lowgrade Copper Dust"),
inventory_image = "technic_lowgrade_copper_dust.png",
})
minetest.register_craft({
type = "cooking",
recipe = "technic:lowgrade_iron_dust",
output = "mcl_core:iron_nugget",
})
minetest.register_craft({
type = "cooking",
output = "technic:copper_nugget",
recipe = "technic:lowgrade_copper_dust",
cooktime = 10,
})
|
local C = require "generators.examplescommon"
local harness = require "generators.harness"
local types = require "types"
local makeStereo = require "stereo_core"
require "common".export()
--local SADRadius = 4
local SADWidth = 8
--local SearchWindow = 64
local OffsetX = 20 -- we search the range [-OffsetX-SearchWindow, -OffsetX]
local A = types.uint(8)
local NOSTALL = string.find(arg[0],"nostall")
NOSTALL = (NOSTALL~=nil)
function make(filename)
-- input is in the format A[2]. [left,right]. We need to break this up into 2 separate streams,
-- linebuffer them differently, then put them back together and run argmin on them.
-- 'left' means that the objects we're searching for are to the left of things in channel 'right', IN IMAGE SPACE.
-- we only search to the left.
-- full size is 720x405
local W = 360
local H = 203
local SearchWindow = 64
local MHz = nil
local infile
local THRESH = 0
if filename=="tiny" then
-- fast version for automated testing
W,H = 128,16
SearchWindow = 4
infile = "stereo_tiny.raw"
elseif filename=="medi" then
W,H = 352,200
SearchWindow = 64
infile = "stereo_medi.raw"
elseif filename=="full" then
W,H = 720,400
SearchWindow = 64
infile = "stereo0000.raw"
THRESH = 1000
MHz=105
else
print("UNKNOWN FILENAME "..filename)
assert(false)
end
local hsfn = makeStereo(W,H,OffsetX,SearchWindow,SADWidth,NOSTALL,THRESH)
local ITYPE = types.array2d(types.array2d(types.uint(8),2),4)
local OUT_TYPE = types.array2d(types.uint(8),8)
-- output rate is half input rate, b/c we remove one channel.
local outfile = "stereo_wide_handshake_"..sel(NOSTALL,"nostall_","")..filename
harness{ inFile=infile, outFile=outfile, fn=hsfn, inSize={W,H}, outSize={W,H}, MHz=MHz }
io.output("out/"..outfile..".design.txt"); io.write("Stereo "..SearchWindow.." "..SADWidth.."x"..SADWidth.." "..filename); io.close()
io.output("out/"..outfile..".designT.txt"); io.write(1); io.close()
io.output("out/"..outfile..".dataset.txt"); io.write("SIG16_zu9"); io.close()
end
make(string.sub(arg[0],#arg[0]-7,#arg[0]-4))
|
object_tangible_tcg_series7_garage_display_vehicles_landspeeder_v35 = object_tangible_tcg_series7_garage_display_vehicles_shared_landspeeder_v35:new {
}
ObjectTemplates:addTemplate(object_tangible_tcg_series7_garage_display_vehicles_landspeeder_v35, "object/tangible/tcg/series7/garage_display_vehicles/landspeeder_v35.iff")
|
local vim = vim
local util = require 'completion.util'
local opt = require 'completion.option'
local M = {}
local function setup_case(prefix, word)
local ignore_case = opt.get_option('matching_ignore_case') == 1
if ignore_case and opt.get_option('matching_smart_case') == 1 and prefix:match('[A-Z]') then
ignore_case = false
end
if ignore_case then
return string.lower(prefix), string.lower(word)
end
return prefix, word
end
local function fuzzy_match(prefix, word)
prefix, word = setup_case(prefix, word)
local score = util.fuzzy_score(prefix, word)
if score < 1 then
return true, score
else
return false
end
end
local function substring_match(prefix, word)
prefix, word = setup_case(prefix, word)
if string.find(word, prefix, 1, true) then
return true
else
return false
end
end
local function exact_match(prefix, word)
prefix, word = setup_case(prefix, word)
if vim.startswith(word, prefix) then
return true
else
return false
end
end
local function all_match()
return true
end
local matching_strategy = {
fuzzy = fuzzy_match,
substring = substring_match,
exact = exact_match,
all = all_match,
}
M.matching = function(complete_items, prefix, item)
local matcher_list = opt.get_option('matching_strategy_list')
local matching_priority = 2
for _, method in ipairs(matcher_list) do
local is_match, score = matching_strategy[method](prefix, item.word)
if is_match then
if item.abbr == nil then
item.abbr = item.word
end
item.score = score
if item.priority ~= nil then
item.priority = item.priority + 10*matching_priority
else
item.priority = 10*matching_priority
end
util.addCompletionItems(complete_items, item)
break
end
matching_priority = matching_priority - 1
end
end
return M
|
modifier_sona_crescendo_celerity = class({})
--------------------------------------------------------------------------------
-- Classifications
function modifier_sona_crescendo_celerity:IsHidden()
return false
end
function modifier_sona_crescendo_celerity:IsDebuff()
return false
end
function modifier_sona_crescendo_celerity:IsPurgable()
return false
end
function modifier_sona_crescendo_celerity:GetTexture()
return "custom/sona_song_of_celerity"
end
--------------------------------------------------------------------------------
-- Initializations
function modifier_sona_crescendo_celerity:OnCreated( kv )
self.caster = self:GetCaster()
end
function modifier_sona_crescendo_celerity:OnRefresh( kv )
end
function modifier_sona_crescendo_celerity:OnDestroy( kv )
end
--------------------------------------------------------------------------------
-- Modifier Effects
function modifier_sona_crescendo_celerity:DeclareFunctions()
local funcs = {
MODIFIER_PROPERTY_MOVESPEED_ABSOLUTE_MIN,
}
return funcs
end
function modifier_sona_crescendo_celerity:GetModifierMoveSpeed_AbsoluteMin()
if IsServer() then
if self:GetParent()~=self.caster then
return self.caster:GetMoveSpeedModifier( self.caster:GetBaseMoveSpeed() )
end
end
end
--------------------------------------------------------------------------------
-- Graphics & Animations
-- function modifier_sona_crescendo_celerity:GetEffectName()
-- return "particles/string/here.vpcf"
-- end
-- function modifier_sona_crescendo_celerity:GetEffectAttachType()
-- return PATTACH_ABSORIGIN_FOLLOW
-- end
-- function modifier_sona_crescendo_celerity:PlayEffects()
-- -- Get Resources
-- local particle_cast = "string"
-- local sound_cast = "string"
-- -- Get Data
-- -- Create Particle
-- local effect_cast = ParticleManager:CreateParticle( particle_cast, PATTACH_NAME, hOwner )
-- ParticleManager:SetParticleControl( effect_cast, iControlPoint, vControlVector )
-- ParticleManager:SetParticleControlEnt(
-- effect_cast,
-- iControlPoint,
-- hTarget,
-- PATTACH_NAME,
-- "attach_name",
-- vOrigin, -- unknown
-- bool -- unknown, true
-- )
-- ParticleManager:SetParticleControlForward( effect_cast, iControlPoint, vForward )
-- SetParticleControlOrientation( effect_cast, iControlPoint, vForward, vRight, vUp )
-- ParticleManager:ReleaseParticleIndex( effect_cast )
-- -- buff particle
-- self:AddParticle(
-- nFXIndex,
-- bDestroyImmediately,
-- bStatusEffect,
-- iPriority,
-- bHeroEffect,
-- bOverheadEffect
-- )
-- -- Create Sound
-- EmitSoundOnLocationWithCaster( vTargetPosition, sound_location, self:GetCaster() )
-- EmitSoundOn( sound_target, target )
-- end
|
cflags{
'-D HAVE_HIDDEN',
'-D HAVE_STDARG_H',
'-D HAVE_UNISTD_H',
'-D _LARGEFILE64_SOURCE',
}
lib('libz.a', {
'adler32.c',
'crc32.c',
'deflate.c',
'infback.c',
'inffast.c',
'inflate.c',
'inftrees.c',
'trees.c',
'zutil.c',
'compress.c',
'uncompr.c',
'gzclose.c',
'gzlib.c',
'gzread.c',
'gzwrite.c',
})
file('lib/libz.a', '644', '$outdir/libz.a')
pkg.hdrs = copy('$outdir/include', '$srcdir', {'zlib.h', 'zconf.h'})
pkg.hdrs.install = true
fetch 'git'
|
LootDropPool = ZO_Object:Subclass()
local tinsert = table.insert
local tremove = table.remove
function LootDropPool:New()
return ZO_Object.New( self )
end
function LootDropPool:Initialize( create, reset )
self._create = create
self._reset = reset
self._active = {}
self._inactive = {}
self._controlId = 0
end
function LootDropPool:GetNextId()
self._controlId = self._controlId + 1
return self._controlId
end
function LootDropPool:Active()
return self._active
end
function LootDropPool:Acquire()
local result = nil
if ( #self._inactive > 0 ) then
result = tremove( self._inactive, 1 )
else
result = self._create()
end
tinsert( self._active, result )
return result, #self._active
end
function LootDropPool:Get( key )
if ( not key or type( key ) ~= 'number' or key > #self._active ) then
return nil
end
return self._active[ key ]
end
function LootDropPool:Release( object )
local i = 1
while( i <= #self._active ) do
if ( self._active[ i ] == object ) then
self._reset( object, i )
tinsert( self._inactive, tremove( self._active, i ) )
break
else
i = i + 1
end
end
end
function LootDropPool:ReleaseAll()
for i=#self._active,1,-1 do
tinsert( self._inactive, tremove( self._active, i ) )
end
end
|
ulx.teams = {}
function ulx.populateClTeams( teams )
ulx.teams = teams
for i=1, #teams do
local team_data = teams[ i ]
team.SetUp( team_data.index, team_data.name, team_data.color )
end
end
|
local PATH = (...):gsub('%.[^%.]+$', '')
local Array = require(PATH..".lds.array")
local Ffi = require("ffi")
local Component = {
components = {},
nextMask = 1,
}
function Component.new(struct)
local type = Ffi.typeof("struct {"..struct.."}")
local size = Ffi.sizeof(type)
local entities = Array.Array(type, 1000000)
local mask = Component.nextMask
Component.nextMask = Component.nextMask * 2
local component = {
type = type,
size = size,
entities = entities,
mask = mask,
empty = type(),
get = function(self, id)
return self.entities:get(id)
end
}
table.insert(Component.components, component)
return component
end
return setmetatable(Component, {
__call = function(_, ...) return Component.new(...) end,
})
|
function description()
return "Copies the page URL into the command bar"
end
function run()
windex = focused_window_index()
webdex = focused_webview_index(windex)
url = webview_uri(windex, webdex)
set_command_field_text(windex, url)
end
|
---@class ServerOptions.BooleanServerOption : zombie.network.ServerOptions.BooleanServerOption
ServerOptions_BooleanServerOption = {}
---@public
---@return ConfigOption
function ServerOptions_BooleanServerOption:asConfigOption() end
---@public
---@return String
function ServerOptions_BooleanServerOption:getTooltip() end
|
local constants = require "kong.constants"
local _M = {}
function _M.execute(conf)
local api_time = ngx.ctx.proxy_ended_at - ngx.ctx.proxy_started_at
ngx.header[constants.HEADERS.PROXY_TIME] = ngx.now() * 1000 - ngx.ctx.started_at - api_time
ngx.header[constants.HEADERS.API_TIME] = api_time
end
return _M
|
-- Internal defs
-- initial 'roam' package
-- registries
roam = {
on_tick_registry = {},
on_move_registry = {},
}
-- Registrars
function roam.register_on_tick (callback)
table.insert(roam.on_tick_registry, callback)
end
function roam.register_on_tick (callback)
table.insert(roam.on_move_registry, callback)
end
-- Internal handlers
function _call_on_tick()
for i,v in ipairs(roam.on_tick_registry) do
v()
end
end
function _call_on_move(ds)
for i,v in ipairs(roam.on_move_registry) do
v(ds)
end
end
|
require'nvim-tree'.setup {
view = {
width = 50
},
actions = {
open_file = {
quit_on_open = true
}
}
}
|
nuclear.debug.log("--fuel")
data:extend({
{
type = "fuel-category",
name = "uranium-mix"
},
{
type = "fuel-category",
name = "plutonium-mix"
},
{
type = "fuel-category",
name = "thorium-mix"
}
})
|
local condaEnv = 'tensorflow-hvd-2.4.0'
help([[
Tensorflow deep learning library for Python
For more help see: https://docs.csc.fi/apps/tensorflow/]])
family("python_ml_env")
depends_on("gcc/9.1.0")
depends_on("hpcx-mpi/2.4.0")
depends_on("cuda/11.0.2")
local condaRoot = '/appl/soft/ai/miniconda3'
local envRoot = pathJoin(condaRoot, 'envs', condaEnv)
local libPath = pathJoin(envRoot, 'lib/python3.7')
prepend_path('PATH', pathJoin(envRoot, 'bin'))
prepend_path('PATH', '/appl/soft/ai/bin')
prepend_path('PYTHONPATH', pathJoin(libPath, 'site-packages'))
prepend_path('PYTHONPATH', pathJoin(libPath, 'lib-dynload'))
prepend_path('PYTHONPATH', pathJoin(libPath))
setenv('CONDA_DEFAULT_ENV', condaEnv)
|
package.path = "../?.lua;" .. package.path
require("tests/mock")
local tables = require("tables")
local HELLO_MSG = "Hello!"
local WORLD_MSG = "What up world!"
-----------------------------------------------------------------------------------------------------------------------
describe("copy", function()
it("returns a deep copy of a table including any metatables", function()
assert.has_error(function() tables.copy(true) end)
assert.has_no.error(function() tables.copy(true, true) end)
assert.are.same(tables.copy({hello = true}), {hello = true})
assert.are.same(tables.copy({{another = "world"}}), {{another = "world"}})
local tbl = {}
local mt = {
__index = function()
return "Hi!"
end
}
setmetatable(tbl, mt)
assert.are.same(tables.copy(tbl), tbl)
assert.are.same(getmetatable(tables.copy(tbl)), mt)
end)
end)
describe("contains", function()
it("returns index if an array-equivalent table contains some value", function()
local tbl = {"hello", 10, true}
assert.are.equal(2, tables.contains(tbl, 10))
assert.falsy(tables.contains(tbl, 109))
end)
end)
describe("invert", function()
it("inverts the key-value pairs of a table", function()
assert.are.same({[true] = 2, [38] = "hello"}, tables.invert({[2] = true, hello = 38}))
end)
end)
describe("count", function()
it("returns the number of items in a table", function()
assert.are.equal(2, tables.count({10, 83}))
assert.are.equal(0, tables.count({}))
assert.are.equal(3, tables.count({5, hello = false, "Hello"}))
end)
end)
describe("foreach", function()
it("executes a function for every item in a table", function()
local tbl = {"Hello,", "how", "are", "you?"}
local output = ""
tables.foreach(tbl, function(item)
output = output .. (output == "" and "" or " ") .. item
end)
assert.are.equal(table.concat(tbl, " "), output)
end)
end)
describe("dump", function()
it("does not trigger a stack overflow with cyclical tables", function()
local one = {name = "John Doe"}
local two = {visible = false}
one.child = two
two.parent = one
assert.has_no.error(function() tables.dump(one) end)
end)
end)
describe("static", function()
local function real_tbl()
return { hello = HELLO_MSG, world = WORLD_MSG }
end
local function base_tbl()
return { hello = "world", world = "hello" }
end
local function meta_tbl()
return {
__index = function(tbl, key)
return real_tbl()[key]
end
}
end
it("returns a read-only table", function()
local table = tables.static(real_tbl())
assert.has_error(function() table.new_key = HELLO_MSG end)
assert.are.equal(HELLO_MSG, table.hello)
end)
it("can have a custom metatable", function()
local table = tables.static(base_tbl(), {
__call = function(self)
return HELLO_MSG
end,
__index = meta_tbl().__index
})
assert.are.equal(HELLO_MSG, table())
assert.are.equal(HELLO_MSG, table.hello)
end)
it("can have whitelisted keys", function()
local table = tables.static(base_tbl(), meta_tbl(), { _mode = "whitelist", "hello" })
assert.are.equal(HELLO_MSG, table.hello)
assert.are.equal(nil, table.world)
end)
it("can have blacklisted keys", function()
local table = tables.static(base_tbl(), meta_tbl(), { _mode = "blacklist", "hello" })
assert.are.equal(nil, table.hello)
assert.are.equal(WORLD_MSG, table.world)
end)
end)
|
--[[------------------------------------------------------
dub.LuaBinder
-------------
Test basic binding with the 'simple' class.
--]]------------------------------------------------------
local lub = require 'lub'
local lut = require 'lut'
local should = lut.Test('dub.LuaBinder - simple', {coverage = false})
local Simple, Map, SubMap, reg
local dub = require 'dub'
local binder = dub.LuaBinder {L = 'Ls'} -- custom 'L' state name.
local custom_bindings = {
Map = {
-- DO NOT THROW HERE !!
set_suffix = [[
// <self> "key" value
const char *s = luaL_checkstring(Ls, -1);
self->setVal(key, s);
]],
get_suffix = [[
// <self> "key"
std::string v;
if (self->getVal(key, &v)) {
lua_pushlstring(Ls, v.data(), v.length());
return 1;
}
]],
},
}
local base = lub.path('|')
local ins = dub.Inspector {
INPUT = base .. '/fixtures/simple/include',
doc_dir = base .. '/tmp',
}
--=============================================== TESTS
function should.autoload()
assertType('table', dub.LuaBinder)
end
function should.bindClass()
local Simple = ins:find('Simple')
local res
assertPass(function()
res = binder:bindClass(Simple)
end)
assertMatch('luaopen_Simple', res)
end
function should.bindConstructor()
local Simple = ins:find('Simple')
local res = binder:bindClass(Simple)
local ctor = Simple:method('Simple')
assertMatch('"new"[ ,]+Simple_Simple', res)
-- garbage collect new
local res = binder:functionBody(Simple, ctor)
assertMatch('pushudata[^\n]+, true%);', res)
end
function should.bindDestructor()
local Simple = ins:find('Simple')
local dtor = Simple:method('~Simple')
local res = binder:bindClass(Simple)
assertMatch('Simple__Simple', res)
local res = binder:functionBody(Simple, dtor)
assertMatch('DubUserdata %*userdata = [^\n]+"Simple"', res)
assertMatch('if %(userdata%->gc%)', res)
assertMatch('Simple %*self = %(Simple %*%)userdata%->ptr;', res)
assertMatch('delete self;', res)
assertMatch('userdata%->gc = false;', res)
end
function should.bindStatic()
local Simple = ins:find('Simple')
local met = Simple:method('pi')
local res = binder:bindClass(Simple)
assertMatch('pi', res)
local res = binder:functionBody(Simple, met)
assertNotMatch('self', res)
assertEqual('pi', binder:bindName(met))
end
function should.buildGetSet()
binder.custom_bindings = custom_bindings
local Map = ins:find('Map')
local res = binder:bindClass(Map)
assertMatch('self%->getVal%(key, &v%)', res)
assertMatch('self%->setVal%(key, s%)', res)
end
local function makeSignature(met)
local res = {}
for param in met:params() do
table.insert(res, param.lua.type)
end
return res
end
function should.resolveTypes()
local Simple = ins:find('Simple')
local met = Simple:method('add')
binder:resolveTypes(met)
assertValueEqual({
'number',
'number',
}, makeSignature(met))
assertEqual('number, number', met.lua_signature)
met = Simple:method('mul')
binder:resolveTypes(met)
assertValueEqual({
'userdata',
}, makeSignature(met))
assertEqual('Simple', met.lua_signature)
end
function should.resolveReturnValue()
local Simple = ins:find('Simple')
local met = Simple:method('add')
binder:resolveTypes(met)
assertEqual('number', met.return_value.lua.type)
end
function should.useArgCountWhenDefaults()
local Simple = ins:find('Simple')
local met = Simple:method('add')
local res = binder:functionBody(Simple, met)
assertMatch('lua_gettop%(Ls%)', res)
end
function should.properlyBindStructParam()
local Simple = ins:find('Simple')
local met = Simple:method('showBuf')
local res = binder:functionBody(Simple, met)
assertMatch('Simple::MyBuf %*buf = %*%(%(Simple::MyBuf %*%*%)', res)
assertMatch('self%->showBuf%(%*buf%)', res)
end
function should.properlyBindClassByValue()
local Simple = ins:find('Simple')
local met = Simple:method('showSimple')
local res = binder:functionBody(Simple, met)
assertMatch('Simple %*p = %*%(%(Simple %*%*%)', res)
assertMatch('self%->showSimple%(%*p%)', res)
end
function should.resolveStructTypes()
local Simple = ins:find('Simple')
local met = Simple:method('showBuf')
binder:resolveTypes(met)
assertValueEqual({
'userdata',
}, makeSignature(met))
assertEqual('MyBuf', met.lua_signature)
end
local function treeTest(tree)
local res = {}
if tree.type == 'dub.Function' then
return tree.argsstring
else
res.pos = tree.pos
for k, v in pairs(tree.map) do
res[k] = treeTest(v)
end
end
return res
end
function should.makeOverloadedDecisionTree()
local Simple = ins:find('Simple')
local met = Simple:method('add')
local tree, need_top = binder:decisionTree(met.overloaded)
assertValueEqual({
['1'] = {
pos = 1,
number = '(MyFloat v, double w=10)',
Simple = '(const Simple &o)',
},
['2'] = '(MyFloat v, double w=10)',
}, treeTest(tree))
-- need_top because we have defaults
assertTrue(need_top)
end
function should.makeOverloadedNestedResolveTree()
local Simple = ins:find('Simple')
local met = Simple:method('mul')
local tree, need_top = binder:decisionTree(met.overloaded)
assertValueEqual({
['2'] = {
pos = 2,
number = '(double d, double d2)',
string = '(double d, const char *c)',
},
['1'] = '(const Simple &o)',
['0'] = '()',
}, treeTest(tree))
assertTrue(need_top)
end
function should.favorArgSizeInDecisionTree()
local Simple = ins:find('Simple')
local met = Simple:method('testA')
local tree, need_top = binder:decisionTree(met.overloaded)
assertValueEqual({
['2'] = '(Bar *b, double d)',
['1'] = '(Foo *f)',
}, treeTest(tree))
-- need_top because we have defaults
assertTrue(need_top)
end
function should.useArgTypeToSelect()
local Simple = ins:find('Simple')
local met = Simple:method('testB')
local tree, need_top = binder:decisionTree(met.overloaded)
assertValueEqual({
['2'] = {
pos = 2,
number = {
pos = 1,
Foo = '(Foo *f, double d)',
Bar = '(Bar *b, double d)',
},
string = '(Bar *b, const char *c)',
},
}, treeTest(tree))
assertFalse(need_top)
end
--=============================================== method name
function should.useCustomNameInBindings()
local Map = ins:find('Map')
local m = Map:method('foo')
local res = binder:functionBody(Map, m)
assertMatch('self%->foo%(x%)', res)
local res = binder:bindClass(Map)
-- Should use bound name in error warnings.
assertMatch("bar: %%s", res)
assertMatch("bar: Unknown exception", res)
assertMatch('"bar" *, Map_foo', res)
assertMatch('"bar" *, Map_foo', res)
end
--=============================================== Overloaded
function should.haveOverloadedList()
local Simple = ins:find('Simple')
local met = Simple:method('mul')
binder:resolveTypes(met)
local res = {}
for _, m in ipairs(met.overloaded) do
table.insert(res, m.lua_signature)
end
assertValueEqual({
'Simple',
'number, string',
'number, number',
'',
}, res)
end
function should.haveOverloadedListWithDefaults()
local Simple = ins:find('Simple')
local met = Simple:method('add')
local res = {}
for _, m in ipairs(met.overloaded) do
table.insert(res, m.lua_signature)
end
assertValueEqual({
'number, number',
'Simple',
}, res)
end
--=============================================== Build
function should.bindCompileAndLoad()
local ins = dub.Inspector(base .. '/fixtures/simple/include')
-- create tmp directory
local tmp_path = base .. '/tmp'
lub.rmTree(tmp_path, true)
os.execute("mkdir -p "..tmp_path)
binder:bind(ins, {
output_directory = tmp_path,
custom_bindings = custom_bindings,
only = {
'Simple',
'Map',
'SubMap',
},
})
binder:bind(ins, {
output_directory = tmp_path,
single_lib = 'reg',
only = {
'reg::Reg',
},
})
local cpath_bak = package.cpath
local s
assertPass(function()
binder:build {
output = base .. '/tmp/Simple.so',
inputs = {
base .. '/tmp/dub/dub.cpp',
base .. '/tmp/Simple.cpp',
},
includes = {
base .. '/tmp',
-- This is for lua.h
base .. '/tmp/dub',
base .. '/fixtures/simple/include',
},
}
binder:build {
output = base .. '/tmp/Map.so',
inputs = {
base .. '/tmp/dub/dub.cpp',
base .. '/tmp/Map.cpp',
},
includes = {
base .. '/tmp',
-- This is for lua.h
base .. '/tmp/dub',
base .. '/fixtures/simple/include',
},
}
binder:build {
output = base .. '/tmp/SubMap.so',
inputs = {
base .. '/tmp/dub/dub.cpp',
base .. '/tmp/SubMap.cpp',
},
includes = {
base .. '/tmp',
-- This is for lua.h
base .. '/tmp/dub',
base .. '/fixtures/simple/include',
},
}
binder:build {
output = base .. '/tmp/reg.so',
inputs = {
base .. '/tmp/dub/dub.cpp',
base .. '/tmp/reg.cpp',
base .. '/tmp/reg_Reg.cpp',
},
includes = {
base .. '/tmp',
-- This is for lua.h
base .. '/tmp/dub',
base .. '/fixtures/simple/include',
},
}
package.cpath = base .. '/tmp/?.so'
Simple = require 'Simple'
assertType('table', Simple)
Map = require 'Map'
assertType('table', Map)
SubMap = require 'SubMap'
assertType('table', SubMap)
reg = require 'reg'
assertType('table', reg)
end, function()
-- teardown
package.cpath = cpath_bak
if not Simple or not Map then
lut.Test.abort = true
end
end)
--lk.rmTree(tmp_path, true)
end
--=============================================== Simple tests
function should.buildObjectByCall()
local s = Simple(1.4)
assertType('userdata', s)
assertEqual(1.4, s:value())
assertEqual(Simple, getmetatable(s))
end
function should.buildObjectWithNew()
local s = Simple.new(1.4)
assertType('userdata', s)
assertEqual(Simple, getmetatable(s))
end
function should.haveType()
local s = Simple(1.4)
assertEqual("Simple", s.type)
end
function should.haveDefaultToString()
local s = Simple(1.4)
assertMatch('Simple: 0x[0-9a-f]+', s:__tostring())
assertEqual("Simple", s.type)
end
function should.bindNumber()
local s = Simple(1.4)
assertEqual(1.4, s:value())
end
function should.bindBoolean()
assertFalse(Simple(1):isZero())
assertTrue(Simple(0):isZero())
end
function should.bindMethodWithoutReturn()
local s = Simple(3.4)
s:setValue(5)
assertEqual(5, s:value())
end
function should.raiseErrorOnMissingParam()
assertError('lua_simple_test.lua:[0-9]+: new: expected number, found no value', function()
Simple()
end)
end
function should.handleDefaultValues()
local s = Simple(2.4)
assertEqual(14, s:add(4))
end
function should.callOverloaded()
local s = Simple(2.4)
local s2 = s:add(Simple(10))
assertEqual(0, s:mul())
assertEqual(14.8, s:mul(s2):value())
assertEqual(11.4, s:mul(3, 'foobar'))
assertEqual(28, s:mul(14, 2))
assertEqual(13, s:addAll(3, 4, 6))
assertEqual(16, s:addAll(3, 4, 6, "foo"))
end
function should.properlyHandleErrorMessagesInOverloaded()
local s = Simple(2.4)
assertError('addAll: expected string, found nil', function()
s:addAll(3, 4, 6, nil)
end)
assertError('addAll: expected string, found boolean', function()
s:addAll(3, 4, 6, true)
end)
end
function should.useCustomGetSet()
local m = Map()
m.animal = 'Cat'
assertEqual('Cat', m.animal)
assertNil(m.thing)
m.thing = 'Stone'
assertEqual('Cat', m.animal)
assertValueEqual({
animal = 'Cat',
thing = 'Stone',
}, m:map())
end
function should.useCustomGetSet()
local m = SubMap()
m.animal = 'Cat'
assertEqual('Cat', m.animal)
assertNil(m.thing)
m.thing = 'Stone'
assertEqual('Cat', m.animal)
assertValueEqual({
animal = 'Cat',
thing = 'Stone',
}, m:map())
end
--=============================================== custom name
function should.useCustomName()
local m = Map()
assertEqual(5, m:bar(5))
end
--=============================================== registration name
function should.registerWithRegistrationName()
-- require done after build.
assertNil(reg.Reg)
assertType('table', reg.Reg_core)
local r = reg.Reg_core('hey')
-- Should recognize r as Reg type
local r2 = reg.Reg_core(r)
assertEqual('hey', r2:name())
end
should:test()
|
data:extend(
{
{
type = "recipe",
name = "empty-fuel-cell-recipe",
icon = graphics .. "empty-fuel-cell.png",
icon_size = 64,
mipmap_count = 4,
category = "crafting",
energy_required = 20,
enabled = false,
order = "a",
subgroup = "fuel-cells",
ingredients =
{
{"plastic-bar", 10},
{"iron-plate", 10}
},
always_show_made_in = true,
results = {
{"empty-fuel-cell", 10}
},
}
})
|
workspace "Toast"
architecture "x64"
startproject "Toaster"
configurations
{
"Debug",
"Release",
"Dist"
}
flags
{
"MultiProcessorCompile"
}
outputdir = "%{cfg.buildcfg}-%{cfg.system}-%{cfg.architecture}"
IncludeDir = {}
IncludeDir["ImGui"] = "Toast/vendor/imgui"
IncludeDir["directxtk"] = "Toast/vendor/directxtk/Inc"
IncludeDir["entt"] = "Toast/vendor/entt/include"
IncludeDir["yaml_cpp"] = "Toast/vendor/yaml-cpp/include"
IncludeDir["ImGuizmo"] = "Toast/vendor/ImGuizmo"
IncludeDir["mono"] = "Toast/vendor/mono/include"
IncludeDir["assimp"] = "Toast/vendor/assimp/include/"
LibraryDir = {}
LibraryDir["directxtk"] = "Toast/vendor/directxtk/Bin/"
LibraryDir["mono"] = "vendor/mono/lib/Debug/mono-2.0-sgen.lib"
LibraryDir["assimp"] = "vendor/assimp/bin/"
group "Dependencies"
include "Toast/vendor/imgui"
include "Toast/vendor/directxtk"
include "Toast/vendor/yaml-cpp"
group ""
project "Toast"
location "Toast"
kind "StaticLib"
language "C++"
characterset "MBCS"
cppdialect "C++17"
staticruntime "on"
targetdir ("bin/" .. outputdir .. "/%{prj.name}")
objdir ("bin-int/" .. outputdir .. "/%{prj.name}")
pchheader "tpch.h"
pchsource "Toast/src/tpch.cpp"
files
{
"%{prj.name}/src/**.h",
"%{prj.name}/src/**.cpp",
"%{prj.name}/vendor/ImGuizmo/ImGuizmo.h",
"%{prj.name}/vendor/ImGuizmo/ImGuizmo.cpp"
}
defines
{
"_CRT_SECURE_NO_WARNINGS"
}
includedirs
{
"%{prj.name}/src",
"%{prj.name}/vendor/spdlog/include",
"%{IncludeDir.ImGui}",
"%{IncludeDir.directxtk}",
"%{IncludeDir.entt}",
"%{IncludeDir.yaml_cpp}",
"%{IncludeDir.ImGuizmo}",
"%{IncludeDir.mono}",
"%{IncludeDir.assimp}"
}
links
{
"ImGui",
"DirectXTK",
"d3d11.lib",
"dxgi.lib",
"dxguid.lib",
"yaml-cpp",
"%{LibraryDir.mono}"
}
filter "files:Toast/vendor/ImGuizmo/**.cpp"
flags { "NoPCH" }
filter "system:windows"
systemversion "latest"
defines
{
"TOAST_PLATFORM_WINDOWS",
"TOAST_BUILD_DLL"
}
filter "configurations:Debug"
defines "TOAST_DEBUG"
runtime "Debug"
symbols "on"
links
{
"%{LibraryDir.assimp}/debug/assimp-vc142-mtd.lib"
}
libdirs
{
"%{LibraryDir.directxtk}/Debug-windows-x86_64/DirectXTK"
}
filter "configurations:Release"
defines "TOAST_RELEASE"
runtime "Release"
optimize "on"
links
{
"%{LibraryDir.assimp}/release/assimp-vc142-mtd.lib"
}
libdirs
{
"%{LibraryDir.directxtk}/Release-windows-x86_64/DirectXTK"
}
filter "configurations:Dist"
defines "TOAST_DIST"
runtime "Release"
optimize "on"
links
{
"%{LibraryDir.assimp}/release/assimp-vc142-mtd.lib"
}
libdirs
{
"%{LibraryDir.directxtk}/Release-windows-x86_64/DirectXTK"
}
project "Toast-ScriptCore"
location "Toast-ScriptCore"
kind "SharedLib"
language "C#"
targetdir ("../Toast/Toaster/assets/scripts")
objdir ("bin-int/" .. outputdir .. "/%{prj.name}")
files
{
"%{prj.name}/src/**.cs",
}
group ""
project "Toaster"
location "Toaster"
kind "ConsoleApp"
language "C++"
cppdialect "C++17"
staticruntime "on"
targetdir ("bin/" .. outputdir .. "/%{prj.name}")
objdir ("bin-int/" .. outputdir .. "/%{prj.name}")
files
{
"%{prj.name}/src/**.h",
"%{prj.name}/src/**.cpp"
}
includedirs
{
"Toast/vendor/spdlog/include",
"Toast/src",
"Toast/vendor",
"%{IncludeDir.entt}",
"%{IncludeDir.ImGuizmo}",
"%{IncludeDir.assimp}"
}
links
{
"Toast"
}
-- postbuildcommands
-- {
-- '{COPY} "%{cfg.targetdir}/assets" "../Toaster/assets"'
-- }
filter "system:windows"
systemversion "latest"
defines
{
"TOAST_PLATFORM_WINDOWS"
}
filter "configurations:Debug"
defines "TOAST_DEBUG"
runtime "Debug"
symbols "on"
postbuildcommands
{
'{COPY} "../Toast/vendor/assimp/bin/debug/assimp-vc142-mtd.dll" "%{cfg.targetdir}"',
'{COPY} "../Toast/vendor/mono/bin/Debug/mono-2.0-sgen.dll" "%{cfg.targetdir}"'
}
filter "configurations:Release"
defines "TOAST_RELEASE"
runtime "Release"
optimize "on"
postbuildcommands
{
'{COPY} "../Toast/vendor/assimp/bin/release/assimp-vc142-mtd.dll" "%{cfg.targetdir}"',
'{COPY} "../Toast/vendor/mono/bin/Debug/mono-2.0-sgen.dll" "%{cfg.targetdir}"'
}
filter "configurations:Dist"
defines "TOAST_DIST"
runtime "Release"
optimize "on"
postbuildcommands
{
'{COPY} "../Toast/vendor/assimp/bin/release/assimp-vc142-mtd.dll" "%{cfg.targetdir}"',
'{COPY} "../Toast/vendor/mono/bin/Debug/mono-2.0-sgen.dll" "%{cfg.targetdir}"'
}
project "Mars"
location "Mars"
kind "SharedLib"
language "C#"
targetdir ("../Toast/Toaster/assets/scripts")
objdir ("bin-int/" .. outputdir .. "/%{prj.name}")
files
{
"%{prj.name}/src/**.cs",
}
links
{
"Toast-ScriptCore"
}
|
local g = vim.g
local vimp = require("vimp")
g.committia_hooks = {}
-- Scroll the diff window from insert mode
-- Map <A-n> and <A-p>
vimp.imap({ "buffer" }, "<A-n>", "<Plug>(committia-scroll-diff-down-half")
vimp.imap({ "buffer" }, "<A-p>", "<Plug>(committia-scroll-diff-up-half)")
|
--start module
local db = {}
local lfs = require "lfs"
local os = require "os"
local csv = require "csv"
local homeFolder = os.getenv("HOME")
local storageFolder = "/.hslm"
-------------------------------------------------------------------------------
-------------------------------------------------------------------------------
--Private functions
-------------------------------------------------------------------------------
-------------------------------------------------------------------------------
local function fileExists(fileName)
local res = true
local attr = lfs.attributes(fileName)
if attr == nil then
res = false
end
return res
end
--brings the program to the folder where all the save files should be stored
local function goToStorageFolder()
lfs.mkdir(homeFolder .. storageFolder)
lfs.chdir(homeFolder .. storageFolder)
end
--stores a table as a csv file with the given filename
local function storeTable(fileName, table)
--make sure file exists
io.output(fileName)
f = io.open(fileName, "wb")
for i = 1, #table do
local line = nil
for j = 1, #table[i] do
--do not print a comma if it's the first item
if line then
line = line .. "," .. table[i][j]
else
line = "" .. table[i][j]
end
end
line = line .. "\n"
f:write(line)
end
f:close()
end
--stores a row as a csv file with the given fileName
local function storeRow(fileName, row)
--make sure file exists
io.output(fileName)
f = io.open(fileName, "wb")
local line = nil
for i = 1, #row do
--do not print a comma if it's the first item
if line then
line = line .. "," .. row[i]
else
line = "" .. row[i]
end
end
line = line .. "\n"
f:write(line)
f:close()
end
--function to retrieve the prices from their csv file
local function loadNumericTable(fileName)
local res = {}
if fileExists(fileName) then
local f = csv.open(fileName)
local lineNumber = 1
for fields in f:lines() do
local tmp = {}
for i, v in ipairs(fields) do
tmp[i] = tonumber(v)
end
res[lineNumber] = tmp
lineNumber = lineNumber + 1
end
end
return res
end
--function to load the items and shop rows from a csv file
local function loadStringRow(fileName)
local res = {}
if fileExists(fileName) then
local f = csv.open(fileName)
for fields in f:lines() do
for i, v in ipairs(fields) do
res[i] = v
end
end
end
return res
end
-------------------------------------------------------------------------------
-------------------------------------------------------------------------------
--Public functions
-------------------------------------------------------------------------------
-------------------------------------------------------------------------------
--loads the tables with prices, stores and items for the given buildname.
function db.load(buildName)
local pricesRes = {}
local storesRes = {}
local itemsRes = {}
goToStorageFolder()
pricesRes = loadNumericTable(buildName .. "_prices.csv")
storesRes = loadStringRow(buildName .. "_stores.csv")
itemsRes = loadStringRow(buildName .. "_items.csv")
return pricesRes, storesRes, itemsRes
end
function db.save(buildName, prices, stores, items)
goToStorageFolder()
storeTable(buildName .. "_prices.csv", prices)
storeRow(buildName .. "_stores.csv", stores)
storeRow(buildName .. "_items.csv", items)
end
function db.getBuildsList()
res = {}
for file in lfs.dir(homeFolder .. storageFolder) do
if string.match(file, "%S+_prices.csv") then
local buildName = string.sub(file, 1, -12)
res[#res + 1] = buildName
end
end
return res
end
function db.removeBuild(buildName)
local f = homeFolder .. storageFolder .. "/"
goToStorageFolder()
os.remove(f .. buildName .. "_prices.csv")
os.remove(f .. buildName .. "_items.csv")
os.remove(f .. buildName .. "_stores.csv")
end
-------------------------------------------------------------------------------
-------------------------------------------------------------------------------
--return module
-------------------------------------------------------------------------------
-------------------------------------------------------------------------------
return db
|
local id = "AppleCake.Thread"
return {
outStreamID = id..".Out",
infoID = id..".Info",
dict = { -- dictionary for string.buffer
"command",
"buffer",
"name",
"start",
"finish",
"args",
"scope",
"Memory usage",
"process_name",
"thread_name",
"thread_sort_index",
}
}
|
--[[
Log.lua
=======
Write logs and have them accessible in server.
TODO
]]
local Log = {}
local strict = require(script.Parent.Parent.strict)
local DEFAULT_LOG_INTERVAL = 30
local function reverseTable(table)
local result = {}
for index = 1, math.floor(#table / 2) do
result[index] = table[#table - index + 1]
result[#table - index + 1] = table[index]
end
return result
end
function Log.new(name)
local object = setmetatable({
["_data"] = {},
["Name"] = name,
}, Log)
return object
end
function Log:getLogs(interval, page)
page = math.min(1, page or 1)
interval = interval or DEFAULT_LOG_INTERVAL
local reversedTable = reverseTable(self._data)
local thatPage = {}
if reversedTable[interval * (page - 1) + 1] then
for index = interval * (page - 1) + 1, interval * (page + 1) do
table.insert(thatPage, reversedTable[index])
end
return thatPage
else
return nil
end
end
function Log:write(user, action, target, attachment)
table.insert(self._data, {
["Timestamp"] = os.time(),
["Administrator"] = user,
["Action"] = action,
["Target"] = target,
["Attachment"] = attachment
})
end
return strict {
["new"] = Log.new
}
|
object_tangible_loot_creature_loot_kashyyyk_loot_outcast_tool_03 = object_tangible_loot_creature_loot_kashyyyk_loot_shared_outcast_tool_03:new {
}
ObjectTemplates:addTemplate(object_tangible_loot_creature_loot_kashyyyk_loot_outcast_tool_03, "object/tangible/loot/creature_loot/kashyyyk_loot/outcast_tool_03.iff")
|
fx_version 'adamant'
game 'gta5'
author 'Xanoor1#8111 (https://discord.gg/nj8DuncnJx)'
description 'Advent Calendar'
version '1.0'
client_scripts {
'config.lua',
'client.lua'
}
server_scripts {
'@async/async.lua',
'@mysql-async/lib/MySQL.lua',
'config.lua',
'server.lua'
}
ui_page 'html/ui.html'
files {
'html/ui.html',
'html/css/app.css',
'html/scripts/app.js',
'html/calendar.png',
}
|
local Class, Table, getters, setters, newFunc = _Inherit(Instance, "ReplicatedStorage")
Class.new = function ()
return newFunc()
end
return Class
|
local TS = _G[script]
return function(relativeTo, ...)
return TS.import(script, relativeTo, ...)
end
|
CAbstractKeys = class(CBaseObject,
function (self, copyfrom)
self.funcs = {};
if( type(copyfrom) == "table" ) then
self.funcs = copyfrom.funcs;
end
end
);
function CAbstractKeys:loadKeys()
local filename = seekDir("settings.xml");
self:loadSettings(filename, bot.Gamedirectory, bot.Keybindfile);
end
function CAbstractKeys:checkKeySettings( _name, _key, _modifier)
-- args are the VK in stringform like "VK_CONTROL", "VK_J", ..
local hf_check_where;
if( bindings ) then -- keys are from bindings.txt
hf_check_where = language[141]; -- Datei settings.xml
else
hf_check_where = language[140]; -- Ingame -> System -> Tastenbelegung
end
local msg = nil;
-- no empty keys pls
if( _key == nil) then
msg = sprintf(language[115], _name); -- key for \'%s\' is empty!
msg = msg .. hf_check_where;
end
-- check if all keys are valid virtual keys (VK)
if( _key ) then
if( key[_key] == nil and
string.upper(_key) ~= "MACRO" ) then -- hotekey MACRO is a special case / it's not a virtual key
msg = sprintf(language[116], _key, _name); -- The hotkey ... is not a valid key
msg = msg .. hf_check_where;
end
end;
-- no modifiers allowed at the moment
if( _modifier ) then
if( key[_modifier] == nil ) then
msg = sprintf(language[117], _modifier, _name); -- The modifier ... is not a valid key
msg = msg .. hf_check_where;
end
end;
-- now we check for double key settings
-- we translate the strings "VK..." to the VK numbers
if( string.upper(_key) ~= "MACRO" ) then
_key = key[_key];
end
_modifier = key[_modifier];
-- check the using of modifiers
-- they are not usable at the moment
-- error output
if( msg ~= nil) then
-- only a warning for TARGET_FRIEND / else an error
if(_name == "TARGET_FRIEND") then
cprintf(cli.yellow, msg .. language[119]); -- can't use the player:target_NPC() function
else
error(msg, 0);
end
end
-- check for double key settings
for i,v in pairs(check_keys) do
if( v.name ~= _nil and -- empty entries from deleted settings.xml entries
v.key == _key and
string.upper(_key) ~= "MACRO" and -- hotkey MACRO is allowed to set more then once
v.modifier == _modifier ) then
local modname;
if( v.modifier ) then
modname = getKeyName(v.modifier).."+";
else
modname = "";
end;
local errstr = sprintf(language[121], -- assigned the key \'%s%s\' double
modname,
getKeyName(v.key),
v.name, _name) ..
hf_check_where;
error(errstr, 0);
end
end;
check_keys[_name] = {};
check_keys[_name].name = _name;
check_keys[_name].key = _key;
check_keys[_name].modifier = _modifier;
end
function CAbstractKeys:settingsPrintKeys()
-- That function prints the loaded key settings to the MM window and to the log
local msg;
msg ="QUICK_TURN = "..tostring(settings.profile.options.QUICK_TURN); -- we wander around
logMessage(msg); -- log keyboard settings
if( bindings ) then -- we read from bindings.txt
msg = sprintf(language[167], "bindings.txt"); -- Keyboard settings are from
else -- we read settings.xml
msg = sprintf(language[167], "settings.xml"); -- Keyboard settings are from
end
-- cprintf(cli.green, msg.."\n"); -- Keyboard settings are from
logMessage(msg); -- log keyboard settings
for i,v in pairs(check_keys) do
if(v.name) then
msg = string.sub(v.name.." ", 1, 30); -- function name
local modname;
if( v.modifier ) then
modname = getKeyName(v.modifier).."+"; -- modifier name
else
modname = "";
end;
local keyname;
if( string.upper(v.key) == "MACRO" ) then
keyname = "MACRO";
else
keyname = getKeyName(v.key);
end
msg = msg..modname..keyname; -- add key name
-- printf(msg.."\n"); -- print line
logMessage(msg); -- log keyboard settings
end;
end;
end
function CAbstractKeys:loadSettings(filename, subdirectory, external_file)
local root = parser:open(filename);
local elements = root:getElements();
check_keys = { }; -- clear table, because of restart from createpath.lua
-- Specific to loading the hotkeys section of the file
local loadHotkeys = function (node)
local elements = node:getElements();
for i,v in pairs(elements) do
-- If the hotkey doesn't exist, create it.
settings.hotkeys[ v:getAttribute("description") ] = { };
settings.hotkeys[ v:getAttribute("description") ].key = key[v:getAttribute("key")];
settings.hotkeys[ v:getAttribute("description") ].modifier = key[v:getAttribute("modifier")];
if( key[v:getAttribute("key")] == nil ) then
local err = sprintf(language[122], -- does not have a valid hotkey!
v:getAttribute("description"));
error(err, 0);
end
self:checkKeySettings( v:getAttribute("description"),
v:getAttribute("key"),
v:getAttribute("modifier") );
end
end
local loadOptions = function (node)
local elements = node:getElements();
for i,v in pairs(elements) do
settings.options[ v:getAttribute("name") ] = v:getAttribute("value");
end
end
-- Load RoM keyboard bindings.txt file
local function load_RoM_bindings_txt()
local filename, file;
local userprofilePath = os.getenv("USERPROFILE");
local documentPaths = {
userprofilePath .. "\\My Documents\\" .. "Runes of Magic", -- English
userprofilePath .. "\\Eigene Dateien\\" .. "Runes of Magic", -- German
userprofilePath .. "\\Mes Documents\\" .. "Runes of Magic", -- French
userprofilePath .. "\\Omat tiedostot\\" .. "Runes of Magic", -- Finish
userprofilePath .. "\\Belgelerim\\" .. "Runes of Magic", -- Turkish
userprofilePath .. "\\Mina Dokument\\" .. "Runes of Magic", -- Swedish
userprofilePath .. "\\Dokumenter\\" .. "Runes of Magic", -- Danish
userprofilePath .. "\\Documenti\\" .. "Runes of Magic", -- Italian
userprofilePath .. "\\Mijn documenten\\" .. "Runes of Magic", -- Dutch
userprofilePath .. "\\Moje dokumenty\\" .. "Runes of Magic", -- Polish
userprofilePath .. "\\Mis documentos\\" .. "Runes of Magic", -- Spanish
userprofilePath .. "\\Os Meus Documentos\\" .. "Runes of Magic", -- Portuguese
};
-- Use a user-specified path from settings.xml
if( settings.options.ROMDATA_PATH ) then
table.insert(documentPaths, settings.options.ROMDATA_PATH);
end
-- Select the first path that exists
for i,v in pairs(documentPaths) do
if( string.sub(v, -1 ) ~= "\\" and string.sub(v, -1 ) ~= "/" ) then
v = v .. "\\"; -- Append the trailing backslash if necessary.
end
local filename = v..external_file;
if( fileExists(filename) ) then
file = io.open(filename, "r");
local tmp = filename;
cprintf(cli.green, language[123], filename); -- read the hotkey settings from your bindings.txt
end
end
-- If we wern't able to locate a document path, return.
if( file == nil ) then
return;
end
-- delete hotkeys from settings.xml in check table to avoid double entries / wrong checks
check_keys["MOVE_FORWARD"] = nil;
check_keys["MOVE_BACKWARD"] = nil;
check_keys["ROTATE_LEFT"] = nil;
check_keys["ROTATE_RIGHT"] = nil;
check_keys["STRAFF_LEFT"] = nil;
check_keys["STRAFF_RIGHT"] = nil;
check_keys["JUMP"] = nil;
check_keys["TARGET"] = nil;
check_keys["TARGET_FRIEND"] = nil;
check_keys["ESCAPE"] = nil;
-- Load bindings.txt into own table structure
bindings = { name = { } };
-- read the lines in table 'lines'
for line in file:lines() do
for name, key1, key2 in string.gmatch(line, "(%w*)%s([%w+]*)%s*([%w+]*)") do
bindings[name] = {};
bindings[name].key1 = key1;
bindings[name].key2 = key2;
--settings.hotkeys[name].key =
end
end
local function bindHotkey(bindingName)
local links = { -- Links forward binding names to hotkey names
MOVEFORWARD = "MOVE_FORWARD",
MOVEBACKWARD = "MOVE_BACKWARD",
TURNLEFT = "ROTATE_LEFT",
TURNRIGHT = "ROTATE_RIGHT",
STRAFELEFT = "STRAFF_LEFT",
STRAFERIGHT = "STRAFF_RIGHT",
JUMP = "JUMP",
TARGETNEARESTENEMY = "TARGET",
TARGETNEARESTFRIEND = "TARGET_FRIEND",
TOGGLEGAMEMENU = "ESCAPE",
};
local hotkeyName = bindingName;
if(links[bindingName] ~= nil) then
hotkeyName = links[bindingName];
end;
if( bindings[bindingName] ~= nil ) then
if( bindings[bindingName].key1 ~= nil ) then
-- Fix key names
bindings[bindingName].key1 = string.gsub(bindings[bindingName].key1, "CTRL", "CONTROL");
if( string.find(bindings[bindingName].key1, '+') ) then
local parts = explode(bindings[bindingName].key1, '+');
-- parts[1] = modifier
-- parts[2] = key
settings.hotkeys[hotkeyName].key = key["VK_" .. parts[2]];
settings.hotkeys[hotkeyName].modifier = key["VK_" .. parts[1]];
self:checkKeySettings(hotkeyName, "VK_" .. parts[2], "VK_" .. parts[1] );
else
settings.hotkeys[hotkeyName].key = key["VK_" .. bindings[bindingName].key1];
self:checkKeySettings(hotkeyName, "VK_" .. bindings[bindingName].key1 );
end
else
local err = sprintf(language[124], bindingName); -- no ingame hotkey for
error(err, 0);
end
end
end
bindHotkey("MOVEFORWARD");
bindHotkey("MOVEBACKWARD");
bindHotkey("TURNLEFT");
bindHotkey("TURNRIGHT");
bindHotkey("STRAFELEFT");
bindHotkey("STRAFERIGHT");
bindHotkey("JUMP");
bindHotkey("TARGETNEARESTENEMY");
bindHotkey("TARGETNEARESTFRIEND");
bindHotkey("TOGGLEGAMEMENU");
end
-- check ingame settings
-- only if we can find the bindings.txt file
local function check_ingame_settings( _name, _ingame_key)
-- no more needed, because we take the keys from the file if we found the file
if( not bindings ) then -- no bindings.txt file loaded
return
end;
if( settings.hotkeys[_name].key ~= key["VK_"..bindings[_ingame_key].key1] and
settings.hotkeys[_name].key ~= key["VK_"..bindings[_ingame_key].key2] ) then
local msg = sprintf(language[125], _name); -- settings.xml don't match your RoM ingame
error(msg, 0);
end
end
function checkHotkeys(_name, _ingame_key)
if( not settings.hotkeys[_name] ) then
error(language[126] .. _name, 0); -- Global hotkey not set
end
-- check if settings.lua hotkeys match the RoM ingame settings
-- check_ingame_settings( _name, _ingame_key);
end
for i,v in pairs(elements) do
local name = v:getName();
if( string.lower(name) == "hotkeys" ) then
loadHotkeys(v);
elseif( string.lower(name) == "options" ) then
loadOptions(v);
end
end
-- TODO: don't work at the moment, becaus MACRO hotkey not available at this time
-- will first be available after reading profile file
-- read language from client if not set in settings.xml
-- if( not settings.options.LANGUAGE ) then
-- local hf_language = RoMScript("GetLanguage();"); -- read clients language
-- if( hf_language == "DE" ) then
-- settings.options.LANGUAGE = "deutsch";
-- elseif(hf_language == "ENEU" ) then
-- settings.options.LANGUAGE = "english";
-- elseif(hf_language == "FR" ) then
-- settings.options.LANGUAGE = "french";
-- else
-- settings.options.LANGUAGE = "english";
-- end
-- end
-- Load language files
-- Load "english" first, to fill in any gaps in the users' set language.
local function setLanguage(name)
include("/language/" .. name .. ".lua");
end
local lang_base = {};
setLanguage("english");
for i,v in pairs(language) do lang_base[i] = v; end;
setLanguage(settings.options.LANGUAGE);
for i,v in pairs(lang_base) do
if( language[i] == nil ) then
language[i] = v;
end
end;
lang_base = nil; -- Not needed anymore, destroy it.
logMessage("Language: " .. settings.options.LANGUAGE);
load_RoM_bindings_txt(); -- read bindings.txt from RoM user folder
-- Check to make sure everything important is set
-- bot hotkey name RoM ingame key name
checkHotkeys("MOVE_FORWARD", "MOVEFORWARD");
checkHotkeys("MOVE_BACKWARD", "MOVEBACKWARD");
checkHotkeys("ROTATE_LEFT", "TURNLEFT");
checkHotkeys("ROTATE_RIGHT", "TURNRIGHT");
checkHotkeys("STRAFF_LEFT", "STRAFELEFT");
checkHotkeys("STRAFF_RIGHT", "STRAFERIGHT");
checkHotkeys("JUMP", "JUMP");
checkHotkeys("TARGET", "TARGETNEARESTENEMY");
checkHotkeys("TARGET_FRIEND", "TARGETNEARESTFRIEND");
checkHotkeys("ESCAPE", "TOGGLEGAMEMENU");
end
|
module(..., package.seeall)
function onCreate(params)
view = View {
scene = scene,
layout = {
VBoxLayout {
align = {"center", "center"},
padding = {10, 10, 10, 10},
}
},
children = {{
Button {
name = "startButton",
text = "はじめ",
onClick = onStartClick,
},
Button {
name = "backButton",
text = "戻る",
onClick = onBackClick,
},
Button {
name = "testButton1",
text = "disabled",
enabled = false,
},
}},
}
end
function onStartClick(e)
print("onStartClick")
end
function onBackClick(e)
SceneManager:closeScene({animation = "fade"})
end
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.