content
stringlengths
5
1.05M
-- $Id: //depot/Projects/StarWars_Expansion/Run/Data/Scripts/Miscellaneous/GameScoring.lua#2 $ --///////////////////////////////////////////////////////////////////////////////////////////////// -- -- (C) Petroglyph Games, Inc. -- -- -- ***** ** * * -- * ** * * * -- * * * * * -- * * * * * * * * -- * * *** ****** * ** **** *** * * * ***** * *** -- * ** * * * ** * ** ** * * * * ** ** ** * -- *** ***** * * * * * * * * ** * * * * -- * * * * * * * * * * * * * * * -- * * * * * * * * * * ** * * * * -- * ** * * ** * ** * * ** * * * * -- ** **** ** * **** ***** * ** *** * * -- * * * -- * * * -- * * * -- * * * * -- **** * * -- --///////////////////////////////////////////////////////////////////////////////////////////////// -- C O N F I D E N T I A L S O U R C E C O D E -- D O N O T D I S T R I B U T E --///////////////////////////////////////////////////////////////////////////////////////////////// -- -- $File: //depot/Projects/StarWars_Expansion/Run/Data/Scripts/Miscellaneous/GameScoring.lua $ -- -- Original Author: Brian Hayes -- -- $Author: Steve_Tall $ -- -- $Change: 53961 $ -- -- $DateTime: 2006/09/07 18:39:54 $ -- -- $Revision: #2 $ -- --///////////////////////////////////////////////////////////////////////////////////////////////// require("pgcommands") -- Don't pool... ScriptPoolCount = 0 -- -- Base_Definitions -- sets up the base variable for this script. -- -- @since 3/15/2005 3:55:03 PM -- BMH -- function Base_Definitions() DebugMessage("%s -- In Base_Definitions", tostring(Script)) Common_Base_Definitions() ServiceRate = 10 frag_index = 1 death_index = 2 GameStartTime = 0 CampaignGame = false Reset_Stats() if Definitions then Definitions() end Define_Title_Faction_Table() end -- -- The player list has been reset underneath us, reset the stats. -- -- @since 5/5/2005 7:43:17 PM -- BMH -- function Player_List_Reset() GameScoringMessage("GameScoring -- PlayerList Reset.") Reset_Stats() end -- -- main script function. Does event pumps and servicing. -- -- @since 3/15/2005 3:55:03 PM -- BMH -- function main() DebugMessage("GameScoring -- In main.") if GameService then while 1 do GameService() PumpEvents() end end ScriptExit() end -- -- Reset the Tactical mode game stats. -- -- @since 3/15/2005 3:56:43 PM -- BMH -- function Reset_Tactical_Stats() GameScoringMessage("GameScoring -- Resetting tactical stats.") -- [frag|death][playerid][object_type][build_count, credits_spent, combat_power] TacticalKillStatsTable = {[frag_index] = {}, [death_index] = {}} TacticalTeamKillStatsTable = {[frag_index] = {}, [death_index] = {}} -- [playerid][planetname][object_type][build_count, credits_spent, combat_power] TacticalBuildStatsTable = {} -- a dirty hack to reset tactical script registry values ResetTacticalRegistry() end function GameScoringMessage(...) _ScriptMessage(string.format(unpack(arg))) _OuputDebug(string.format(unpack(arg)) .. "\n") end -- -- Reset all the stats and player lists. -- -- @since 3/15/2005 3:56:43 PM -- BMH -- function Reset_Stats() GameScoringMessage("GameScoring -- Resetting stats.") Reset_Tactical_Stats() -- [frag|death][playerid][object_type][build_count, credits_spent, combat_power] GalacticKillStatsTable = {[frag_index] = {}, [death_index] = {}} -- [playerid][planetname][object_type][build_count, credits_spent, combat_power] GalacticBuildStatsTable = {} -- [playerid][object_type][neutralized_count] GalacticNeutralizedTable = {} -- [playerid][planet_type][sacked_count, lost_count] GalacticConquestTable = {} PlayerTable = {} PlayerQuitTable = {} end function ResetTacticalRegistry() DebugMessage("Resetting Allow_AI_Controlled_Fog_Reveal to 1 (allowed)") GlobalValue.Set("Allow_AI_Controlled_Fog_Reveal", 1) end -- -- Update our GameStats table with build stats -- -- @param stat_table stat table to update -- @param planet planet where the object was produced -- @param object_type the object type that was just produced -- @since 3/18/2005 3:48:32 PM -- BMH -- function Update_Build_Stats_Table(stat_table, planet, object_type, owner, build_cost) Update_Player_Table(owner) if planet then planet_type = planet.Get_Type() planet_name = planet_type.Get_Name() else planet_type = 1 planet_name = "Unknown" end combat_power = object_type.Get_Combat_Rating() score_value = object_type.Get_Score_Cost_Credits() owner_id = owner.Get_ID() GameScoringMessage("GameScoring -- %s produced %s at %s.", PlayerTable[owner_id].Get_Name(), object_type.Get_Name(), planet_name) player_entry = stat_table[owner_id] if player_entry == nil then player_entry = {} end planet_entry = player_entry[planet_type] if planet_entry == nil then planet_entry = {} end type_entry = planet_entry[object_type] if type_entry == nil then type_entry = {build_count = 1, combat_power = combat_power, build_cost = build_cost, score_value = score_value} else type_entry.build_count = type_entry.build_count + 1 type_entry.combat_power = type_entry.combat_power + combat_power type_entry.build_cost = type_entry.build_cost + build_cost type_entry.score_value = type_entry.score_value + score_value end planet_entry[object_type] = type_entry player_entry[planet_type] = planet_entry stat_table[owner_id] = player_entry end -- -- Print out the current build statistics for all the players. -- -- @param stat_table stats table to display. -- @since 3/21/2005 10:34:07 AM -- BMH -- function Print_Build_Stats_Table(stat_table) GameScoringMessage("GameScoring -- Build Stats dump.") totals_table = {} for owner_id, player_entry in pairs(stat_table) do build_count = 0 cost_count = 0 power_count = 0 score_count = 0 GameScoringMessage("\tPlayer %s:", PlayerTable[owner_id].Get_Name()) for planet_type, planet_entry in pairs(player_entry) do if planet_type == 1 then GameScoringMessage("\t\t%20s:", "Tactical") else GameScoringMessage("\t\t%20s:", planet_type.Get_Name()) end for object_type, type_entry in pairs(planet_entry) do GameScoringMessage("\t\t%40s: %d : %d : $%d : %d", object_type.Get_Name(), type_entry.build_count, type_entry.combat_power, type_entry.build_cost, type_entry.score_value) build_count = build_count + type_entry.build_count cost_count = cost_count + type_entry.build_cost power_count = power_count + type_entry.combat_power score_count = score_count + type_entry.score_value end end GameScoringMessage("\tTotal Builds: %d : %d : $%d : %d", build_count, power_count, cost_count, score_count) totals_table[owner_id] = {build_count = build_count, cost_count = cost_count, power_count = power_count, score_count = score_count} end -- for k,player in pairs(PlayerTable) do -- dt = death_table[k] -- tt = totals_table[k] -- if tt == nil or tt.build_count == 0 then -- GameScoringMessage("\tPlayer %s, Military Efficiency: 0.0", player.Get_Name()) -- elseif dt == nil or dt.kills == 0 then -- GameScoringMessage("\tPlayer %s, Military Efficiency: %d", player.Get_Name(), tt.build_count) -- else -- GameScoringMessage("\tPlayer %s, Military Efficiency: %f", player.Get_Name(), (tt.build_count - dt.kills) / tt.build_count) -- end -- end end -- -- Print out the current statistics for all the players. -- -- @param stat_table stats table to display. -- @since 3/15/2005 5:55:55 PM -- BMH -- function Print_Stat_Table(stat_table) frag_table = {} GameScoringMessage("Frags:") for k,v in pairs(stat_table[frag_index]) do tkills = 0 tpower = 0 tscore = 0 GameScoringMessage("\tPlayer %s:", PlayerTable[k].Get_Name()) for kk,vv in pairs(v) do GameScoringMessage("\t%40s: %d : %d : %d", kk.Get_Name(), vv.kills, vv.combat_power, vv.score_value) tkills = tkills + vv.kills tpower = tpower + vv.combat_power tscore = tscore + vv.score_value end GameScoringMessage("\tTotal Frags: %d : %d : %d", tkills, tpower, tscore) frag_table[k] = {kills = tkills, combat_power = tpower, score_value = tscore} end death_table = {} GameScoringMessage("Deaths:") for k,v in pairs(stat_table[death_index]) do tkills = 0 tpower = 0 tscore = 0 GameScoringMessage("\tPlayer %s:", PlayerTable[k].Get_Name()) for kk,vv in pairs(v) do GameScoringMessage("\t%40s: %d : %d : %d", kk.Get_Name(), vv.kills, vv.combat_power, vv.score_value) tkills = tkills + vv.kills tpower = tpower + vv.combat_power tscore = tscore + vv.score_value end GameScoringMessage("\tTotal Deaths: %d : %d : %d", tkills, tpower, tscore) death_table[k] = {kills = tkills, combat_power = tpower, score_value = tscore} end for k,player in pairs(PlayerTable) do ft = frag_table[k] dt = death_table[k] if ft == nil or ft.combat_power == 0 then GameScoringMessage("\tPlayer %s, Weighted Kill Ratio: 0.0", player.Get_Name()) elseif dt == nil or dt.combat_power == 0 then GameScoringMessage("\tPlayer %s, Weighted Kill Ratio: %d", player.Get_Name(), ft.combat_power) else GameScoringMessage("\tPlayer %s, Weighted Kill Ratio: %f", player.Get_Name(), ft.combat_power / dt.combat_power) end end end -- -- Script service function. Just prints out the current stats. -- -- @since 3/15/2005 3:56:43 PM -- BMH -- function GameService() GameScoringMessage("GameScoring -- Tactical Stats dump.") Print_Stat_Table(TacticalKillStatsTable) GameScoringMessage("GameScoring -- Galactic Stats dump.") Print_Stat_Table(GalacticKillStatsTable) Print_Build_Stats_Table(GalacticBuildStatsTable) Print_Build_Stats_Table(TacticalBuildStatsTable) Debug_Print_Score_Vals() end -- -- Updates the table of players for the current game. -- -- @param player player object to add to our table of players -- @since 3/15/2005 3:56:43 PM -- BMH -- function Update_Player_Table(player) if player == nil then return end ent = PlayerTable[player.Get_ID()] if ent == nil then PlayerTable[player.Get_ID()] = player end ent = nil end -- -- Update our GameStats table with victim, killer info. -- -- @param stat_table stat table to update -- @param object the object that was destroyed -- @param killer the player that killed this object -- @since 3/15/2005 4:10:19 PM -- BMH -- function Update_Kill_Stats_Table(stat_table, object, killer) if TestValid(object) == false or TestValid(killer) == false then return end Update_Player_Table(killer) Update_Player_Table(object.Get_Owner()) object_type = object.Get_Game_Scoring_Type() score_value = object.Get_Game_Scoring_Type().Get_Score_Cost_Credits() combat_power = object.Get_Game_Scoring_Type().Get_Combat_Rating() build_cost = object.Get_Game_Scoring_Type().Get_Build_Cost() killer_id = killer.Get_ID() owner_id = object.Get_Owner().Get_ID() GameScoringMessage("GameScoring -- Object: %s, was killed by %s.", object_type.Get_Name(), killer.Get_Name()) -- Update frags frag_entry = stat_table[frag_index] if frag_entry == nil then frag_entry = {} end entry = frag_entry[killer_id] if entry == nil then entry = {} end pe = entry[object_type] if pe == nil then pe = {kills = 1, combat_power = combat_power, build_cost = build_cost, score_value = score_value} else pe.kills = pe.kills + 1 pe.combat_power = pe.combat_power + combat_power pe.build_cost = pe.build_cost + build_cost pe.score_value = pe.score_value + score_value end entry[object_type] = pe frag_entry[killer_id] = entry stat_table[frag_index] = frag_entry -- Update deaths death_entry = stat_table[death_index] if death_entry == nil then death_entry = {} end entry = death_entry[owner_id] if entry == nil then entry = {} end pe = entry[object_type] if pe == nil then pe = {kills = 1, combat_power = combat_power, build_cost = build_cost, score_value = score_value} else pe.kills = pe.kills + 1 pe.combat_power = pe.combat_power + combat_power pe.build_cost = pe.build_cost + build_cost pe.score_value = pe.score_value + score_value end entry[object_type] = pe death_entry[owner_id] = entry stat_table[death_index] = death_entry end ---------------------------------------- -- -- E V E N T H A N D L E R S -- ---------------------------------------- -- -- This event is triggered on a game mode start. -- -- @param mode_name name of the new mode (ie: Galactic, Land, Space) -- @since 3/15/2005 3:58:59 PM -- BMH -- function Game_Mode_Starting_Event(mode_name, map_name) GameScoringMessage("GameScoring -- Mode %s (%s) now starting.", mode_name, map_name) LastModeName = mode_name LastMapName = map_name if StringCompare(mode_name, "Galactic") then -- Galactic Campaign CampaignGame = true Reset_Stats() GameStartTime = GetCurrentTime.Frame() elseif CampaignGame == false then -- Skirmish tactical Reset_Stats() GameStartTime = GetCurrentTime.Frame() elseif CampaignGame == true then -- Galactic transition to Tactical. Reset_Tactical_Stats() end LastWasCampaignGame = CampaignGame end -- -- This event is triggered on a game mode end. -- -- @param mode_name name of the old mode (ie: Galactic, Land, Space) -- @since 3/15/2005 3:58:59 PM -- BMH -- function Game_Mode_Ending_Event(mode_name) GameScoringMessage("GameScoring -- Mode %s now ending.", mode_name) LastWasCampaignGame = CampaignGame if StringCompare(mode_name, "Galactic") then CampaignGame = false end end -- -- This event is triggered when a player quits the game. -- -- @param player the player that just quit -- @since 8/25/2005 10:00:54 AM -- BMH -- function Player_Quit_Event(player) Update_Player_Table(player) if player == nil then return end PlayerQuitTable[player.Get_ID()] = true end -- -- This event is triggered when a unit is destroyed in a tactical game mode. -- -- @param object the object that was destroyed -- @param killer the player that killed this object -- @since 3/15/2005 4:10:19 PM -- BMH -- function Tactical_Unit_Destroyed_Event(object, killer) Update_Kill_Stats_Table(TacticalKillStatsTable, object, killer) end -- -- This event is triggered when a unit is destroyed in the galactic game mode. -- -- @param object the object that was destroyed -- @param killer the player that killed this object -- @since 3/15/2005 4:10:19 PM -- BMH -- function Galactic_Unit_Destroyed_Event(object, killer) Update_Kill_Stats_Table(GalacticKillStatsTable, object, killer) Update_Kill_Stats_Table(TacticalTeamKillStatsTable, object, killer) end -- -- This event is triggered when production has begun on an item at a given planet -- -- @param planet the planet that will produce this object -- @param object_type the object type scheduled for production -- @since 3/15/2005 4:10:19 PM -- BMH -- function Galactic_Production_Begin_Event(planet, object_type) --Track credits spent end -- -- This event is triggered when production has been prematurely canceled -- on an item at a given planet -- -- @param planet the planet that was producing this object -- @param object_type the object type that got canceled -- @since 3/15/2005 4:10:19 PM -- BMH -- function Galactic_Production_Canceled_Event(planet, object_type) --Track credits spent end -- -- This event is triggered when production has finished in a tactical mode -- -- @param object_type the object type that was just built -- @param player the player that built the object. -- @param location the location that built the object(could be nil) -- @since 8/22/2005 6:11:07 PM -- BMH -- function Tactical_Production_End_Event(object_type, player, location) Update_Build_Stats_Table(TacticalBuildStatsTable, location, object_type, player, object_type.Get_Tactical_Build_Cost()) end -- -- This event is triggered when production has finished on an item at a given planet -- -- @param planet the planet that produced this object -- @param object the object that was just created -- @since 3/15/2005 4:10:19 PM -- BMH -- function Galactic_Production_End_Event(planet, object) if object.Get_Type == nil then -- object must be a GameObjectTypeWrapper not a GameObjectWrapper if it doesn't -- have a Get_Type function. Update_Build_Stats_Table(GalacticBuildStatsTable, planet, object, planet.Get_Owner(), object.Get_Build_Cost()) else -- object points to the GameObjectWrapper that was just created. Update_Build_Stats_Table(GalacticBuildStatsTable, planet, object.Get_Game_Scoring_Type(), planet.Get_Owner(), object.Get_Game_Scoring_Type().Get_Build_Cost()) end end function fake_get_owner() return fake_object_player end function fake_get_type() return fake_object_type end function fake_is_valid() return true end -- -- This event is triggered when the level of a starbase changes -- -- @param planet the planet where the starbase is located -- @param old_type the old starbase type -- @param new_type the new starbase type -- @since 3/15/2005 4:10:19 PM -- BMH -- function Galactic_Starbase_Level_Change(planet, old_type, new_type) GameScoringMessage("GameScoring -- %s Starbase changed from %s to %s.", planet.Get_Type().Get_Name(), tostring(old_type), tostring(new_type)) if old_type == nil then return end if new_type ~= nil then return end fake_object_type = old_type fake_object_player = planet.Get_Owner() fake_object = {} fake_object.Get_Owner = fake_get_owner fake_object.Get_Type = fake_get_type fake_object.Get_Game_Scoring_Type = fake_get_type fake_object.Is_Valid = fake_is_valid Galactic_Unit_Destroyed_Event(fake_object, planet.Get_Final_Blow_Player()) end -- -- This event is called when a planet changes faction in galactic mode -- -- @param planet The planet object -- @param newplayer The new owner player of this planet. -- @param oldplayer The old owner player of this planet. -- @since 6/20/2005 8:37:53 PM -- BMH -- function Galactic_Planet_Faction_Change(planet, newplayer, oldplayer) -- Update the player table. Update_Player_Table(newplayer) Update_Player_Table(oldplayer) newid = newplayer.Get_ID() oldid = oldplayer.Get_ID() planet_type = planet.Get_Type() GameScoringMessage("GameScoring -- %s changed control from %s to %s.", planet_type.Get_Name(), oldplayer.Get_Name(), newplayer.Get_Name()) -- Update the sacked count for the new owner. entry = GalacticConquestTable[newid] if entry == nil then entry = {} end pe = entry[planet_type] if pe == nil then pe = {sacked_count = 1, lost_count = 0} else pe.sacked_count = pe.sacked_count + 1 end entry[planet_type] = pe GalacticConquestTable[newid] = entry -- Update the lost count for the old owner. entry = GalacticConquestTable[oldid] if entry == nil then entry = {} end pe = entry[planet_type] if pe == nil then pe = {sacked_count = 0, lost_count = 1} else pe.lost_count = pe.lost_count + 1 end entry[planet_type] = pe GalacticConquestTable[oldid] = entry planet_type = nil end -- -- This event is called when a hero is neutralized by another hero in galactic mode -- -- @param hero_type The hero that was just neutralized -- @param killer The hero that just neutralized the above hero. -- @since 3/21/2005 1:43:44 PM -- BMH -- function Galactic_Neutralized_Event(hero_type, killer) Update_Player_Table(killer.Get_Owner()) killer_id = killer.Get_Owner().Get_ID() entry = GalacticNeutralizedTable[killer_id] if entry == nil then entry = {} end pe = entry[hero_type] if pe == nil then pe = {neutralized = 1} else pe.neutralized = pe.neutralized + 1 end entry[hero_type] = pe GalacticNeutralizedTable[killer_id] = entry end -- -- This function returns the number of frags a given player has for a given object type. -- -- @param object_type the object type we want to know about. -- @param player the player who's frag count we want to query. -- @since 3/21/2005 1:23:21 PM -- BMH -- function Get_Frag_Count_For_Type(object_type, player) owner_id = player.Get_ID() frag_entry = GalacticKillStatsTable[frag_index] if frag_entry == nil then return 0 end entry = frag_entry[owner_id] if entry == nil then return 0 end pe = entry[object_type] if pe == nil then return 0 end return pe.kills end -- -- This function returns the number of neutralizes a given player has for a given object type. -- -- @param object_type the object type we want to know about. -- @param player the player who's neutralize count we want to query. -- @since 3/21/2005 1:23:21 PM -- BMH -- function Get_Neutralized_Count_For_Type(object_type, player) owner_id = player.Get_ID() entry = GalacticNeutralizedTable[owner_id] if entry == nil then return 0 end pe = entry[object_type] if pe == nil then return 0 end return pe.neutralized end function Get_Military_Efficiency(player, kill_stats, build_stats) pid = player.Get_ID() kill_eff = 0; kill_table = kill_stats[frag_index][pid] tkills = 0 tpower = 0 tscore = 0 if kill_table then for kk,vv in pairs(kill_table) do tkills = tkills + vv.kills tpower = tpower + vv.combat_power tscore = tscore + vv.score_value end end death_table = kill_stats[death_index][pid] tdeaths = 0 tdpower = 0 tdscore = 0 if death_table then for kk,vv in pairs(death_table) do tdeaths = tdeaths + vv.kills tdpower = tdpower + vv.combat_power tdscore = tdscore + vv.score_value end end -- build stats build_count = 0 cost_count = 0 power_count = 0 score_count = 0 if build_stats[pid] then for planet_type, planet_entry in pairs(build_stats[pid]) do for object_type, type_entry in pairs(planet_entry) do build_count = build_count + type_entry.build_count cost_count = cost_count + type_entry.build_cost power_count = power_count + type_entry.combat_power score_count = score_count + type_entry.score_value end end end if tpower == 0 then kill_eff = 0 elseif tdpower == 0 then kill_eff = tpower else kill_eff = tpower / tdpower end if build_count == 0 then if tdeaths == 0 then mill_eff = 0 else mill_eff = -1 end elseif tdeaths > build_count then mill_eff = -((tdeaths - build_count) / build_count) else mill_eff = (build_count - tdeaths) / build_count end return mill_eff, kill_eff end function Get_Conquest_Efficiency(player) pid = player.Get_ID() -- [playerid][planet_type][sacked_count, lost_count] entry = GalacticConquestTable[pid] if entry == nil then return 0 end sacked = 0 lost = 0 for planet_type,pe in pairs(entry) do sacked = sacked + pe.sacked_count lost = lost + pe.lost_count end if sacked == 0 then conq_eff = 0 elseif lost == 0 then conq_eff = sacked else conq_eff = sacked / lost end return conq_eff end function Calc_Score_For_Efficiency(eff_val) if eff_val > 1.0 then return 40000 elseif eff_val > 0.98 then return 30000 elseif eff_val > 0.94 then return 25000 elseif eff_val > 0.91 then return 20000 elseif eff_val > 0.88 then return 10000 elseif eff_val > 0.84 then return 9000 elseif eff_val > 0.80 then return 8000 elseif eff_val > 0.78 then return 4000 elseif eff_val > 0.74 then return 3000 elseif eff_val > 0.70 then return 2000 elseif eff_val > 0.60 then return 1000 elseif eff_val > 0.50 then return 500 elseif eff_val > 0.40 then return 400 elseif eff_val > 0.30 then return 300 elseif eff_val > 0.20 then return 200 elseif eff_val > 0.10 then return 100 else return 0 end end function Define_Title_Faction_Table() -- rebel at 2, empire at 3 Title_Faction_Table = { { 145000, "TEXT_REBEL_TITLE19", "TEXT_EMPIRE_TITLE19" }, { 125000, "TEXT_REBEL_TITLE18", "TEXT_EMPIRE_TITLE18" }, { 115000, "TEXT_REBEL_TITLE17", "TEXT_EMPIRE_TITLE17" }, { 100000, "TEXT_REBEL_TITLE16", "TEXT_EMPIRE_TITLE16" }, { 90000, "TEXT_REBEL_TITLE15", "TEXT_EMPIRE_TITLE15" }, { 85000, "TEXT_REBEL_TITLE14", "TEXT_EMPIRE_TITLE14" }, { 80000, "TEXT_REBEL_TITLE13", "TEXT_EMPIRE_TITLE13" }, { 75000, "TEXT_REBEL_TITLE12", "TEXT_EMPIRE_TITLE12" }, { 70000, "TEXT_REBEL_TITLE11", "TEXT_EMPIRE_TITLE11" }, { 60000, "TEXT_REBEL_TITLE10", "TEXT_EMPIRE_TITLE10" }, { 55000, "TEXT_REBEL_TITLE9", "TEXT_EMPIRE_TITLE9" }, { 50000, "TEXT_REBEL_TITLE8", "TEXT_EMPIRE_TITLE8" }, { 45000, "TEXT_REBEL_TITLE7", "TEXT_EMPIRE_TITLE7" }, { 40000, "TEXT_REBEL_TITLE6", "TEXT_EMPIRE_TITLE6" }, { 25000, "TEXT_REBEL_TITLE5", "TEXT_EMPIRE_TITLE5" }, { 20000, "TEXT_REBEL_TITLE4", "TEXT_EMPIRE_TITLE4" }, { 15000, "TEXT_REBEL_TITLE3", "TEXT_EMPIRE_TITLE3" }, { 10000, "TEXT_REBEL_TITLE2", "TEXT_EMPIRE_TITLE2" }, { 5000, "TEXT_REBEL_TITLE1", "TEXT_EMPIRE_TITLE1" }, { 0, "TEXT_REBEL_TITLE0", "TEXT_EMPIRE_TITLE0" }, } end function Debug_Print_Score_Vals() for pid, player in pairs(PlayerTable) do mill_eff, kill_eff = Get_Military_Efficiency(player, TacticalKillStatsTable, TacticalBuildStatsTable) score = Calc_Score_For_Efficiency(mill_eff) score = score + Calc_Score_For_Efficiency(kill_eff) if PlayerQuitTable[pid] == true then score = 0 end GameScoringMessage("Tactical %s:%s, Mill_Eff:%f, Kill_Eff:%f, Score:%f", player.Get_Name(), player.Get_Faction_Name(), mill_eff, kill_eff, score) end for pid, player in pairs(PlayerTable) do mill_eff, kill_eff = Get_Military_Efficiency(player, GalacticKillStatsTable, GalacticBuildStatsTable) conq_eff = Get_Conquest_Efficiency(player) score = Calc_Score_For_Efficiency(mill_eff) score = score + Calc_Score_For_Efficiency(kill_eff) score = score + Calc_Score_For_Efficiency(Get_Conquest_Efficiency(player)) if PlayerQuitTable[pid] == true then score = 0 end GameScoringMessage("Galactic %s:%s, Mill_Eff:%f, Kill_Eff:%f, Conq_eff:%f, Score:%f", player.Get_Name(), player.Get_Faction_Name(), mill_eff, kill_eff, conq_eff, score) end end -- -- This function returns the a game stat for the given control id. -- -- @param control_id the control id -- @return the game stat -- @since 6/18/2005 4:13:13 PM -- BMH -- function Get_Game_Stat_For_Control_ID(player, control_id, for_tactical) if for_tactical then mill_eff, kill_eff = Get_Military_Efficiency(player, TacticalKillStatsTable, TacticalBuildStatsTable) else mill_eff, kill_eff = Get_Military_Efficiency(player, GalacticKillStatsTable, GalacticBuildStatsTable) end if control_id == "IDC_MILITARY_EFFICIENCY_STATIC" then return mill_eff elseif control_id == "IDC_CONQUEST_EFFICIENCY_STATIC" then return Get_Conquest_Efficiency(player) elseif control_id == "IDC_KILL_EFFICIENCY_STATIC" then return kill_eff elseif control_id == "IDC_YOUR_LOSS_VAL_STATIC" or control_id == "IDC_ENEMY_LOSS_VAL_STATIC" then return Calc_Score_For_Efficiency(mill_eff) + Calc_Score_For_Efficiency(kill_eff) elseif control_id == "IDC_TITLE_STATIC" then score = Calc_Score_For_Efficiency(mill_eff) score = score + Calc_Score_For_Efficiency(kill_eff) score = score + Calc_Score_For_Efficiency(Get_Conquest_Efficiency(player)) tid = 3 if player.Get_Faction_Name() == "REBEL" then tid = 2 end if PlayerQuitTable[player.Get_ID()] == true then score = 0 end for ival,pe in ipairs(Title_Faction_Table) do last = pe[tid] if score > pe[1] then break end end return last else MessageBox("Unknown control id %s:%s for Get_Game_Stat_For_Control_ID", type(control_id), tostring(control_id)); end end -- -- This function updates the table of GameSpy game stats. -- -- @since 3/29/2005 5:14:42 PM -- BMH -- function Update_GameSpy_Game_Stats() GameSpy_Game_Stats = {} WinnerScore = -1 WinnerID = -1 if LastWasCampaignGame == true then GameSpy_Game_Stats.gametype = "Campaign" GameSpy_Game_Stats.battlemode = "Galactic" else GameSpy_Game_Stats.gametype = "Skirmish" GameSpy_Game_Stats.battlemode = LastModeName end if LastMapName then GameSpy_Game_Stats.mapname = LastMapName end GameSpy_Game_Stats.gametime = tonumber(string.format("%d", GetCurrentTime.Frame() - GameStartTime)) end -- -- This function updates the table of GameSpy player kill stats. -- -- @param stat_table the stat table we should pull stats from -- @param player the player who's stats we need to update. -- @since 3/29/2005 5:14:42 PM -- BMH -- function Update_GameSpy_Kill_Stats(stat_table, build_stats, player) GameSpy_Player_Stats = {} frag_table = {} pid = player.Get_ID() mill_eff, kill_eff = Get_Military_Efficiency(player, stat_table, build_stats) score = Calc_Score_For_Efficiency(mill_eff) conq_eff = 0 if LastWasCampaignGame then conq_eff = Get_Conquest_Efficiency(player) score = score + Calc_Score_For_Efficiency(conq_eff) end score = score + Calc_Score_For_Efficiency(kill_eff) if PlayerQuitTable[pid] == true then score = -1 end tid = 3 if player.Get_Faction_Name() == "REBEL" then tid = 2 end for ival,pe in ipairs(Title_Faction_Table) do last = pe[tid] if score > pe[1] then break end end if score > WinnerScore then WinnerScore = score WinnerID = pid end if score == -1 then score = 0 end GameSpy_Player_Stats.score = score GameSpy_Player_Stats.mill_eff = Clamp(mill_eff * 100, 0, 100) GameSpy_Player_Stats.kill_eff = Clamp(kill_eff * 100, 0, 100) GameSpy_Player_Stats.conq_eff = Clamp(conq_eff * 100, 0, 100) GameSpy_Player_Stats.title = last; GameSpy_Player_Stats.kpower = score; GameSpy_Player_Stats.faction = player.Get_Faction_Name() GameSpy_Player_Stats.clan_id = player.Get_Clan_ID() GameSpy_Player_Stats.team_index = player.Get_Team() GameScoringMessage("%s GameSpy Stats, Score:%d, Mill_Eff:%d, Kill_Eff:%d, Conq_Eff:%d, Title:%s", PlayerTable[pid].Get_Name(), GameSpy_Player_Stats.score, GameSpy_Player_Stats.mill_eff, GameSpy_Player_Stats.kill_eff, GameSpy_Player_Stats.conq_eff, GameSpy_Player_Stats.title) end -- -- This function updates the table of GameSpy player stats. -- -- @param player the player who's stats we need to update. -- @since 3/29/2005 5:14:42 PM -- BMH -- function Update_GameSpy_Player_Stats(player) Update_Player_Table(player) if LastWasCampaignGame == true then GameScoringMessage("GameSpy dumping GalacticKillStatsTable") Update_GameSpy_Kill_Stats(GalacticKillStatsTable, GalacticBuildStatsTable, player) else GameScoringMessage("GameSpy dumping TacticalKillStatsTable") Update_GameSpy_Kill_Stats(TacticalKillStatsTable, TacticalBuildStatsTable, player) end end function Get_Current_Winner_By_Score() return WinnerID end
--WS is a global variable, declared in main.lua local fonts = {} fonts.all = {} local function loadFile(path) local data, err = love.filesystem.newFileData(path) if err then error(err) end return data end local function addSubfont(font, scale) local sf = love.graphics.newFont(font.file, font.unit * scale * WS) font[scale] = sf return sf end function fonts.add(path, tag, unit) unit = unit or 12 --Font size unit (font size while its scale is 1.0) local file = loadFile(path) local fontData = {} fontData.file = file fontData.unit = unit addSubfont(fontData, 1.0) --Add the standard subfont fonts.all[tag] = fontData return fontData end function fonts.get(tag, scale) local font = fonts.all[tag] assert(font ~= nil, string.format("font '%s' is not loaded", tag)) return font[scale] or addSubfont(font, scale) end function fonts.reload(tag) local font = fonts.all[tag] assert(font ~= nil, string.format("font '%s' is not loaded", tag)) for k, v in pairs(font) do local ns = k * WS if ns ~= k then font[k] = love.graphics.newFont(font.file, font.unit * k * WS) end end end function fonts.print(tag, scale, text, x, y, tw, align) local font = fonts.get(tag, scale) love.graphics.setFont(font) love.graphics.push() love.graphics.translate(x, y) love.graphics.scale(1 / WS) if tw then love.graphics.printf(text, 0, 0, tw / WS, align) else love.graphics.print(text, 0, 0) end love.graphics.pop() end return fonts
project "Sandbox" language "C++" kind "WindowedApp" cppdialect "C++17" staticruntime "On" systemversion "latest" targetdir ("%{wks.location}/bin/" .. outputdir .. "%{prj.name}") objdir ("%{wks.location}/bin/" .. outputdir .. "%{prj.name}/int") files { "**.h", "**.hpp", "**.cpp" } defines { "GLEW_STATIC" } includedirs { "%{wks.location}/Air-Engine/src/" } links { "Air-Engine" } filter "configurations:Debug" optimize "Debug" symbols "Full" defines { "_DEBUG", "AIR_BUILD_DEBUG", "AIR_ASSERTIONS_ENABLED", "AIR_ENABLE_LOGGING" } filter "configurations:Release" optimize "On" defines { "AIR_BUILD_RELEASE", "AIR_ENABLE_LOGGING" } filter "configurations:Distribution" optimize "Full" symbols "Off" defines { "AIR_BUILD_DISTR" } filter "system:windows" defines { "AIR_PLATFORM_WINDOWS" }
net.Receive("net_set_halo", function() CST:SetHalo(net.ReadEntity(), net.ReadTable()) end) net.Receive("net_remove_halo", function() CST:RemoveHalo(net.ReadEntity()) end) -- Sobel PP effect (light / works / players) function CST:SetPPeffect(ent) render.ClearStencil() render.SetStencilEnable(true) render.SetStencilWriteMask(255) render.SetStencilTestMask(255) render.SetStencilReferenceValue(1) render.SetStencilPassOperation(STENCILOPERATION_REPLACE) render.SetStencilCompareFunction(STENCILCOMPARISONFUNCTION_ALWAYS) render.SetBlend(0) if ent.cel.Color then ent:SetColor(ent.cel.Color) end ent:DrawModel() render.SetBlend(1) render.SetStencilCompareFunction(STENCILCOMPARISONFUNCTION_EQUAL) render.UpdateScreenEffectTexture(); self.SOBELMAT:SetFloat("$threshold", 0.15 - ent.cel.SobelThershold * 0.15) ent:DrawModel() render.SetMaterial(self.SOBELMAT); render.DrawScreenQuad(); render.SetStencilEnable(false) end -- GMod 12 halos (light / scaling problems / players) function CST:SetGMod12HaloAux(ent, scale, color) local pos = LocalPlayer():EyePos() + LocalPlayer():EyeAngles():Forward() * 10 local ang = Angle(LocalPlayer():EyeAngles().p + 90, LocalPlayer():EyeAngles().y, 0) render.ClearStencil() render.SetStencilEnable(true) render.SetStencilWriteMask(255) render.SetStencilTestMask(255) render.SetStencilReferenceValue(15) render.SetStencilFailOperation(STENCILOPERATION_KEEP) render.SetStencilZFailOperation(STENCILOPERATION_KEEP) render.SetStencilPassOperation(STENCILOPERATION_REPLACE) render.SetStencilCompareFunction(STENCILCOMPARISONFUNCTION_ALWAYS) render.SetBlend(0) ent:SetModelScale(scale, 0) ent:DrawModel() ent:SetModelScale(1,0) render.SetBlend(1) render.SetStencilPassOperation(STENCIL_KEEP) render.SetStencilCompareFunction(STENCILCOMPARISONFUNCTION_EQUAL) cam.Start3D2D(pos,ang,1) surface.SetDrawColor(color) surface.DrawRect(-ScrW(), -ScrH(), ScrW() * 2, ScrH() * 2) cam.End3D2D() ent:DrawModel() render.SetStencilEnable(false) end function CST:SetGMod12Halo(ent) local shake2 = math.Rand(0, ent.cel.SingleShake == "1" and ent.cel.Layer1.Shake or ent.cel.Layer2.Shake) local shake1 = ent.cel.Layers == "1" and (ent.cel.SingleShake == "1" and shake2 or math.Rand(0, ent.cel.Layer1.Shake)) local sizeLayer1 = ent.cel.Layers and (1 + ent.cel.Layer1.Size) or 0 local sizeLayer2 = sizeLayer1 + ent.cel.Layer2.Size self:SetGMod12HaloAux(ent, sizeLayer2 + shake2 / 15, ent.cel.Layer2.Color) if ent.cel.Layers == "1" then self:SetGMod12HaloAux(ent, sizeLayer1 + shake1 / 15, ent.cel.Layer1.Color) end end -- GMod 13 halos (heavy / works / admins) function CST:SetGMod13Halo(entTable) local size = entTable[1].cel.Size * 5 + math.Rand(0, entTable[1].cel.Shake) halo.Add(entTable, entTable[1].cel.Color, size, size, entTable[1].cel.Passes, entTable[1].cel.Additive, entTable[1].cel.ThroughWalls) end -- Start sobel and GMod 12 halos hook.Add("PostDrawOpaqueRenderables", "PlayerBorders", function() if table.Count(CST.ENTITIES) > 0 then for k,v in ipairs(CST.ENTITIES) do if not IsValid(v[1]) or not v[1]:IsValid() then CST.ENTITIES[k] = nil else if v[1].cel.Mode == "1" then CST:SetPPeffect(v[1]) elseif v[1].cel.Mode == "2" then CST:SetGMod12Halo(v[1]) elseif v[1].cel.Mode == "3" then CST:SetGMod13Halo(v) end end end end end) -- Start GMod 13 halos hook.Add("PreDrawHalos", "PlayerBorders", function() if table.Count(CST.ENTITIES) > 0 then for k,v in ipairs(CST.ENTITIES) do if not IsValid(v[1]) or not v[1]:IsValid() then if v[1].cel.Mode == "3" then CST:SetGMod13Halo(v) end end end end end) function CST:RemoveHalo(ent) for k,v in ipairs(self.ENTITIES) do if table.HasValue(v, ent) then self.ENTITIES[k] = nil end end ent.cel = nil end function CST:SetHalo(ent, h_data) for k,v in ipairs(self.ENTITIES) do if table.HasValue(v, ent) then self.ENTITIES[k] = nil end end ent.cel = h_data table.insert(self.ENTITIES, { ent }) end
local nf_icons = require('local.nf-icons') local utils = { signs = { error = nf_icons['mdi-close_circle_outline'], --  warning = nf_icons['mdi-alert_outline'], --  hint = nf_icons['mdi-lightbulb_outline'], --  information = nf_icons['oct-info'], --  hint = nf_icons['fa-hand_o_right'], --  other = nf_icons['mdi-check_circle_outline'], -- 﫠 }, solarized_colors = { base03 = '#002b36', base02 = '#073642', base01 = '#586e75', base00 = '#657b83', base0 = '#839496', base1 = '#93a1a1', base2 = '#eee8d5', base3 = '#fdf6e3', yellow = '#b58900', orange = '#cb4b16', red = '#dc322f', magenta = '#d33682', violet = '#6c71c4', blue = '#268bd2', cyan = '#2aa198', green = '#859900', } } return utils
------ MP3 PLAYER - gotta have my boats n hoes! local currMP3 = 0 function toggleMP3(key, state) if getElementData(getLocalPlayer(), "fishing") or getElementData(getLocalPlayer(), "jammed") then -- fishing and weapon jams need +/= keys already elseif (exports.global:hasItem(getLocalPlayer(), 19) and not (isPedInVehicle(getLocalPlayer()))) then if (key=="-") then -- lower the channel if (currMP3==0) then currMP3 = 12 else currMP3 = currMP3 - 1 end elseif (key=="=") then -- raise the channel if (currMP3==12) then currMP3 = 0 else currMP3 = currMP3 + 1 end end setRadioChannel(currMP3) outputChatBox("You switched your MP3 Player to " .. getRadioChannelName(currMP3) .. ".") elseif not (isPedInVehicle(getLocalPlayer())) then currMP3 = 0 setRadioChannel(currMP3) end end bindKey("-", "down", toggleMP3) bindKey("=", "down", toggleMP3) addEventHandler("onClientElementDataChange", getLocalPlayer(), function(name) if name == "fishing" or name == "jammed" then if not getElementData(source, "fishing") and not getElementData(source, "jammed") then setTimer( function() -- delay enabling those keys a little, so we wont immediately change the radio bindKey("-", "down", toggleMP3) bindKey("=", "down", toggleMP3) end, 1000, 1 ) else unbindKey("-", "down", toggleMP3) unbindKey("=", "down", toggleMP3) end end end )
-- Base16 {{ scheme-name }} color -- Author: {{ scheme-author }} -- to be use in your theme.lua -- symlink or copy to config folder `local color = require('color')` local M = {} M.base00 = "#2C3E50" -- ---- M.base01 = "#34495E" -- --- M.base02 = "#7F8C8D" -- -- M.base03 = "#95A5A6" -- - M.base04 = "#BDC3C7" -- + M.base05 = "#e0e0e0" -- ++ M.base06 = "#f5f5f5" -- +++ M.base07 = "#ECF0F1" -- ++++ M.base08 = "#E74C3C" -- red M.base09 = "#E67E22" -- orange M.base0A = "#F1C40F" -- yellow M.base0B = "#2ECC71" -- green M.base0C = "#1ABC9C" -- aqua/cyan M.base0D = "#3498DB" -- blue M.base0E = "#9B59B6" -- purple M.base0F = "#be643c" -- brown return M
require "app.uicommon.WADemoNaviLayer" WADemoVKInviteLayer = class("WADemoVKInviteLayer", function() local layer = WADemoNaviLayer:new() return layer end) function WADemoVKInviteLayer:ctor() self:setNaviTitle("VK邀请") local button_1 = ccui.Button:create() button_1:setTitleText("invite") local button_2 = ccui.Button:create() button_2:setTitleText("app.groups") local button_3 = ccui.Button:create() button_3:setTitleText("user.groups") local button_4 = ccui.Button:create() button_4:setTitleText("all groups") self:setBtnLayout({button_1,button_2,button_3,button_4},{1,1,1,1}) end
Locales['en'] = { ['mechanic'] = 'LS Customs', ['drive_to_indicated'] = '~y~Conduce~s~ a la ubicación indicada.', ['mission_canceled'] = 'Misión ~r~cancelada~s~', ['vehicle_list'] = 'Lista de vehículos', ['work_wear'] = 'Ropa de trabajo', ['civ_wear'] = 'Ropa civil', ['deposit_stock'] = 'Depositar stock', ['withdraw_stock'] = 'Retirar acciones', ['boss_actions'] = 'Acciones del jefe', ['service_vehicle'] = 'Servicio de Vehículo', ['flat_bed'] = 'Camion plataforma', ['tow_truck'] = 'Camión de remolque', ['service_full'] = 'Servicio completo: ', ['open_actions'] = 'Presiona ~INPUT_CONTEXT~ para acceder al menú.', ['harvest'] = 'Cosecha', ['harvest_menu'] = 'Presiona ~INPUT_CONTEXT~ para acceder al menú de cosecha.', ['not_experienced_enough'] = 'No estas ~r~lo suficientemente experimentado~s~ para realizar esta acción.', ['gas_can'] = 'Lata de gas', ['repair_tools'] = 'Herramientas para reparar', ['body_work_tools'] = 'Herramientas de carrocería', ['blowtorch'] = 'Soplete', ['repair_kit'] = 'Kit de reparación', ['body_kit'] = 'Kit de cuerpo', ['craft'] = 'Crear', ['craft_menu'] = 'Presiona ~INPUT_CONTEXT~ para acceder al menú de creacion.', ['billing'] = 'Facturación', ['hijack'] = 'Forzar vehiculo', ['repair'] = 'Reparar', ['clean'] = 'Limpio', ['imp_veh'] = 'Confiscar', ['place_objects'] = 'Colocar objetos', ['invoice_amount'] = 'Factura', ['amount_invalid'] = 'Cantidad Inválida', ['no_players_nearby'] = 'No hay jugador cercano', ['no_vehicle_nearby'] = 'No hay vehículo cercano', ['inside_vehicle'] = '¡No puedes hacer esto desde el interior del vehículo!', ['vehicle_unlocked'] = 'El vehículo ha sido ~g~desbloqueado', ['vehicle_repaired'] = 'El vehículo ha sido ~g~reparado', ['vehicle_cleaned'] = 'El vehículo ha sido ~g~limpiado', ['vehicle_impounded'] = 'El vehículo ha sido ~r~confiscado', ['must_seat_driver'] = '¡Debes estar en el asiento del conductor!', ['must_near'] = 'Usted debe estar ~r~cerca de un vehículo~s~ para confiscarlo.', ['vehicle_success_attached'] = 'Vehículo con éxito ~b~attached~s~', ['please_drop_off'] = 'Por favor deje el vehículo en el garaje', ['cant_attach_own_tt'] = '~r~No puedes~s~ adjuntar camión de remolque propio.', ['no_veh_att'] = 'No hay ~r~vehículo~s~ para remolcar.', ['not_right_veh'] = 'Este no es el vehículo correcto', ['veh_det_succ'] = 'Vehículo con éxito ~b~separado~s~!', ['imp_flatbed'] = '~r~¡Acción imposible!~s~ Necesitas una ~b~plataforma~s~ cargar un vehículo', ['objects'] = 'Objetos', ['roadcone'] = 'Cono', ['toolbox'] = 'Caja de herramientas', ['mechanic_stock'] = 'Stock mecánico', ['quantity'] = 'Cantidad', ['invalid_quantity'] = 'Cantidad inválida', ['inventory'] = 'Inventario', ['veh_unlocked'] = '~g~Vehículo desbloqueado', ['hijack_failed'] = '~r~Fallo al forzar', ['body_repaired'] = '~g~Carroceria reparado', ['veh_repaired'] = '~g~Vehículo reparado', ['veh_stored'] = 'Presiona ~INPUT_CONTEXT~ para guardar el vehículo', ['press_remove_obj'] = 'Presiona ~INPUT_CONTEXT~ para quitar el objeto', ['please_tow'] = 'Por favor ~y~tow~s~ el vehículo', ['wait_five'] = 'Debes ~r~esperar~s~ 5 minutos', ['must_in_flatbed'] = 'Debes estar en una plataforma para ser la misión', ['mechanic_customer'] = 'Cliente mecánico', ['you_do_not_room'] = '~r~No tienes mas espacio', ['recovery_gas_can'] = '~b~Lata de gas~s~ Recuperando...', ['recovery_repair_tools'] = '~b~Herramientas para reparar~s~ Recuperando...', ['recovery_body_tools'] = '~b~Herramientas del cuerpo~s~ Recuperando...', ['not_enough_gas_can'] = 'Tu no ~r~tienes suficiente~s~ latas de gas.', ['assembling_blowtorch'] = 'Montaje ~b~Soplete~s~...', ['not_enough_repair_tools'] = 'Tu no ~r~tienes suficiente~s~ herramientas para reparar.', ['assembling_repair_kit'] = 'Montaje ~b~Kit de reparación~s~...', ['not_enough_body_tools'] = 'Tu no ~r~tienes suficiente~s~ herramientas para la carroceria.', ['assembling_body_kit'] = 'Montaje ~b~Kit de carroceria~s~...', ['your_comp_earned'] = 'Su empresa ha ~g~ganado~s~ ~g~$', ['you_used_blowtorch'] = 'Usaste un ~b~soplete', ['you_used_repair_kit'] = 'Usaste un ~b~Kit de reparación', ['you_used_body_kit'] = 'Usaste un ~b~Kit de cuerpo', ['have_withdrawn'] = 'Has retirado ~y~x%s~s~ ~b~%s~s~', ['have_deposited'] = 'Has depositado ~y~x%s~s~ ~b~%s~s~', ['player_cannot_hold'] = 'Tu~r~no~s~ tienes ~y~espacio libre~s~ en tu inventario!', }
-- Generated By protoc-gen-lua Do not Edit local protobuf = require "protobuf" module('BceSetGuildAnno_pb', package.seeall) local BCESETGUILDANNO = protobuf.Descriptor(); local BCESETGUILDANNO_ANNO_FIELD = protobuf.FieldDescriptor(); BCESETGUILDANNO_ANNO_FIELD.name = "anno" BCESETGUILDANNO_ANNO_FIELD.full_name = ".com.xinqihd.sns.gameserver.proto.BceSetGuildAnno.anno" BCESETGUILDANNO_ANNO_FIELD.number = 1 BCESETGUILDANNO_ANNO_FIELD.index = 0 BCESETGUILDANNO_ANNO_FIELD.label = 2 BCESETGUILDANNO_ANNO_FIELD.has_default_value = false BCESETGUILDANNO_ANNO_FIELD.default_value = "" BCESETGUILDANNO_ANNO_FIELD.type = 9 BCESETGUILDANNO_ANNO_FIELD.cpp_type = 9 BCESETGUILDANNO.name = "BceSetGuildAnno" BCESETGUILDANNO.full_name = ".com.xinqihd.sns.gameserver.proto.BceSetGuildAnno" BCESETGUILDANNO.nested_types = {} BCESETGUILDANNO.enum_types = {} BCESETGUILDANNO.fields = {BCESETGUILDANNO_ANNO_FIELD} BCESETGUILDANNO.is_extendable = false BCESETGUILDANNO.extensions = {} BceSetGuildAnno = protobuf.Message(BCESETGUILDANNO) _G.BCESETGUILDANNO_PB_BCESETGUILDANNO = BCESETGUILDANNO
-- MySQLOO local self = {} GLib.Databases.MySqlOODatabase = GLib.MakeConstructor (self, GLib.Databases.IDatabase) local loaded = false function self:ctor () self.Database = nil if not loaded then require ("mysqloo") loaded = true end end function self:Connect (server, port, username, password, databaseName, callback) if not callback then return I (GLib.CallSelfAsAsync ()) end if self:IsConnected () then self:Disconnect ( function () self:Connect (server, port, username, password, databaseName, callback) end ) return end self.Database = mysqloo.connect (server, username, password, databaseName, port) function self.Database:onConnected () callback (true) end function self.Database:onConnectionFailed (error) callback (false, error) end self.Database:connect () end function self:Disconnect (callback) if callback then GLib.CallSelfAsSync () return end self.Database = nil return true end function self:EscapeString (string) if not self:IsConnected () then return "" end return self.Database:escape (string) end function self:GetDatabaseListQuery () return "SHOW DATABASES" end function self:GetTableListQuery (database) if database then return "SHOW TABLES IN " .. database else return "SHOW TABLES" end end function self:IsConnected () return self.Database ~= nil end function self:Query (query, callback) if not callback then return I (GLib.CallSelfAsAsync ()) end if not self:IsConnected () then callback (false, "Not connected to database.") return end local q = self.Database:query (query) function q:onSuccess () callback (true, self:getData ()) end function q:onFailure (error) callback (false, error) end function q:onAborted () callback (false, "Query aborted.") end q:start () end
local ui = {} local config = require("modules.ui.config") ui["folke/which-key.nvim"] = { opt = true, event = "BufEnter", config = function() require("which-key").setup() end, } ui["j-hui/fidget.nvim"] = { opt = true, event = "BufRead", config = function() require("fidget").setup({ text = { spinner = "dots", }, }) end, } ui["goolord/alpha-nvim"] = { opt = true, event = "BufWinEnter", config = config.alpha, cond = function() return #vim.api.nvim_list_uis() > 0 end, } ui["SmiteshP/nvim-gps"] = { opt = true, after = "nvim-treesitter", config = config.nvim_gps, } ui["nvim-lualine/lualine.nvim"] = { config = config.lualine, after = "nvim-gps" } ui["kyazdani42/nvim-tree.lua"] = { opt = true, cmd = { "NvimTreeToggle" }, config = config.nvim_tree, } ui["lukas-reineke/indent-blankline.nvim"] = { opt = true, event = "BufRead", config = config.indent_blankline, } ui["lewis6991/gitsigns.nvim"] = { opt = true, event = { "BufRead", "BufNewFile" }, config = config.gitsigns, } ui["akinsho/nvim-bufferline.lua"] = { event = "BufRead", opt = true, config = config.nvim_bufferline, } ui["mbbill/undotree"] = { opt = true, cmd = "UndotreeToggle", } return ui
require("hop").setup({ case_insensitive = true, char2_fallback_key = "<CR>", }) local map = vim.api.nvim_set_keymap local opts = { noremap = true, silent = true } -- replace "t" map("n", "t", "<cmd>lua require'hop'.hint_char1()<cr>", opts) map("o", "t", "<cmd>lua require'hop'.hint_char1()<cr>", opts) map("v", "t", "<cmd>lua require'hop'.hint_char1()<cr>", opts) -- replace "f" map("n", "f", "<cmd>lua require'hop'.hint_char1({inclusive_jump = true})<cr>", opts) map("o", "f", "<cmd>lua require'hop'.hint_char1({inclusive_jump = true})<cr>", opts) map("v", "f", "<cmd>lua require'hop'.hint_char1({inclusive_jump = true})<cr>", opts) -- word jump -- map("n", "W", "<cmd>lua require'hop'.hint_words()<cr>", opts) -- map("o", "W", "<cmd>lua require'hop'.hint_words()<cr>", opts) -- map("v", "W", "<cmd>lua require'hop'.hint_words()<cr>", opts) -- two character search map("n", "s", "<cmd>lua require'hop'.hint_char2()<cr>", opts) map("o", "s", "<cmd>lua require'hop'.hint_char2()<cr>", opts) map("v", "s", "<cmd>lua require'hop'.hint_char2()<cr>", opts)
title = "DREAMRUNNER" shortname = "dreamrunner" author = "Felix Laurie von Massenbach" appid = "uk.co.erbridge.dreamrunner" version = "0.1.0"
return {--[[ #PVF_File ]] ["[player number]"]={2,8}, ["[pvp start area]"]={0,0,0,0,0,0,0,0,0,0,0,0}, ["[dungeon]"]={3,}, ["[type]"]="[normal]", ["[greed]"]="GG CC", ["[tile]"]={"Tile/ForestUnder.til","Tile/ForestUnder.til","Tile/ForestUnder.til","Tile/ForestUnder.til","Tile/ForestUnderOver.til","Tile/ForestOver.til","Tile/ForestOver.til",}, ["[far sight scroll]"]=56, ["[middle sight scroll]"]=90, ["[near sight scroll]"]=110, ["[background animation]"]={ ["[ani info]"]={ ["[filename]"]="Animation/far0.ani", ["[layer]"]="[distantback]", ["[order]"]="[below]",}, ["[ani info2]"]={ ["[filename]"]="Animation/mid1.ani", ["[layer]"]="[middleback]", ["[order]"]="[below]",},}, ["[pathgate pos]"]={11,255,1554,236,1259,146,784,348}, ["[sound]"]={"M_MIRKWOOD","AMB_RAIN_01",}, ["[animation]"]={"Animation/Flower1.ani","[normal]",1097,305,0,"Animation/Flower0.ani","[normal]",658,285,0,"Animation/Flower0.ani","[normal]",392,226,0,"Animation/Flower1.ani","[normal]",956,225,0,"Animation/Grass0.ani","[bottom]",432,248,0,"Animation/Stone0.ani","[bottom]",502,324,0,"Animation/Grass0.ani","[bottom]",754,273,0,"Animation/Stone0.ani","[bottom]",833,234,0,"Animation/Grass1.ani","[bottom]",1062,253,0,"Animation/smallTree1.ani","[closeback]",353,171,0,"Animation/smallTree0.ani","[closeback]",798,169,0,"Animation/smallTree0.ani","[closeback]",619,165,0,}, ["[passive object]"]={3,200,260,400,4,200,260,0,231,1101,148,0,231,1059,158,0,231,1017,166,0,231,973,168,0,282,475,282,0,231,1275,297,0,231,1318,297,0,231,1235,319,0,231,1194,333,0,286,317,344,0,231,1156,349,0,222,1048,350,0,231,901,351,0,231,858,353,0,}, ["[monster]"]={2,0,4,626,225,0,1,1,"[fixed]","[normal]",1,0,3,862,234,0,1,1,"[fixed]","[normal]",2,0,4,564,266,0,1,1,"[fixed]","[normal]",4,0,5,390,282,0,1,1,"[fixed]","[normal]",1,0,3,970,314,0,1,1,"[fixed]","[normal]",2,0,4,626,323,0,1,1,"[fixed]","[normal]",11,0,4,730,275,0,1,1,"[fixed]","[normal]",11,0,4,732,216,0,1,1,"[fixed]","[normal]",2,0,4,999,227,0,1,1,"[fixed]","[normal]",2,0,4,954,219,0,1,1,"[fixed]","[normal]",2,0,4,1046,274,0,1,1,"[fixed]","[normal]",4,0,5,1104,216,0,1,1,"[fixed]","[normal]",4,0,5,1109,278,0,1,1,"[fixed]","[normal]",4,0,5,1065,201,0,1,1,"[fixed]","[normal]",4,0,5,1160,187,0,1,1,"[fixed]","[normal]",4,0,5,745,330,0,1,1,"[fixed]","[normal]",4,0,5,695,319,0,1,1,"[fixed]","[normal]",1,0,3,917,215,0,1,1,"[fixed]","[normal]",1,0,3,566,318,0,1,1,"[fixed]","[normal]",1,0,3,499,320,0,1,1,"[fixed]","[normal]",}, ["[monster specific AI]"]={"[normal]","[normal]","[normal]","[normal]","[normal]","[normal]","[normal]","[normal]","[normal]","[normal]","[normal]","[normal]","[normal]","[normal]","[normal]","[normal]","[normal]","[normal]","[normal]","[normal]",}, ["[special passive object]"]={231,930,176,0,1,"[item]",1,1,-1,-1,-1,231,517,282,0,1,"[item]",1,1,-1,-1,-1,231,816,349,0,1,"[item]",1,1,-1,-1,-1,221,969,352,0,1,"[trap]",2100,1,3,10,-1,}, ["[event monster position]"]={936,221,0,999,221,0,1079,267,0,1078,201,0,}, ["[map name]"]="PVP无名", }
local ESX = nil TriggerEvent('esx:getSharedObject', function(obj) ESX = obj end) ESX.RegisterServerCallback("tpm:fetchUserRank", function(source, cb) local player = ESX.GetPlayerFromId(source) if player ~= nil then local playerGroup = player.getGroup() if playerGroup ~= nil then cb(playerGroup) else cb("user") end else cb("user") end end)
local helpers = require('test.functional.helpers') local eval, command, feed = helpers.eval, helpers.command, helpers.feed local eq, clear, insert = helpers.eq, helpers.clear, helpers.insert local expect, write_file = helpers.expect, helpers.write_file do clear() command('let [g:interp, g:errors] = provider#pythonx#Detect(2)') local errors = eval('g:errors') if errors ~= '' then pending( 'Python 2 (or the Python 2 neovim module) is broken or missing:\n' .. errors, function() end) return end end describe('python commands and functions', function() before_each(function() clear() command('python import vim') end) it('feature test', function() eq(1, eval('has("python")')) end) it('python_execute', function() command('python vim.vars["set_by_python"] = [100, 0]') eq({100, 0}, eval('g:set_by_python')) end) it('python_execute with nested commands', function() command([[python vim.command('python vim.command("python vim.command(\'let set_by_nested_python = 555\')")')]]) eq(555, eval('g:set_by_nested_python')) end) it('python_execute with range', function() insert([[ line1 line2 line3 line4]]) feed('ggjvj:python vim.vars["range"] = vim.current.range[:]<CR>') eq({'line2', 'line3'}, eval('g:range')) end) it('pyfile', function() local fname = 'pyfile.py' write_file(fname, 'vim.command("let set_by_pyfile = 123")') command('pyfile pyfile.py') eq(123, eval('g:set_by_pyfile')) os.remove(fname) end) it('pydo', function() -- :pydo 42 returns None for all lines, -- the buffer should not be changed command('normal :pydo 42') eq(0, eval('&mod')) -- insert some text insert('abc\ndef\nghi') expect([[ abc def ghi]]) -- go to top and select and replace the first two lines feed('ggvj:pydo return str(linenr)<CR>') expect([[ 1 2 ghi]]) end) it('pyeval', function() eq({1, 2, {['key'] = 'val'}}, eval([[pyeval('[1, 2, {"key": "val"}]')]])) end) end)
--[[ Copyright 2015 The Luvit Authors. All Rights Reserved. Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS-IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. --]] local fs = require('fs') local uv = require('uv') local threshold = 1024*100 require('tap')(function(test) local logger = require('..') local BufferLogger = logger.Logger:extend() function BufferLogger:initialize(options) logger.Logger.initialize(self, options or {}) self._cache = {} end function BufferLogger:_write(data, callback) self._cache[#self._cache + 1] = data if callback then callback() end end function BufferLogger:close(cb) local ctx = table.concat(self._cache, "\n") self._cache = {} self._stream:write(data, function() FileLogger:close(self, cb) end) end test('test BufferLogger bench', function() local memb, meme, timeb, timee, i, j local callback memb = collectgarbage('count') timeb = uv.hrtime() i,j = 0, 0 callback = function(err) if err then print("Error:", err) else j = j + 1 if j==threshold then collectgarbage('collect') meme = collectgarbage('count') timee = uv.hrtime() local cost = (timee-timeb) / 10^9 print(string.format('memleaks: %d, cost: %.02f BPS: %.02f', (meme-memb), cost, j/cost)) memb = meme timeb = timee j = 0 i = i + 1 end if i~=10 then process.nextTick(function() logger.warning('this is a warning message') end) end end end logger.init(BufferLogger:new({callback=callback})) logger.warning('this is a warning message') end) local function driver(options) local logfile = "test-log.txt" local memb, meme, timeb, timee, i, j local callback memb = collectgarbage('count') timeb = uv.hrtime() i,j = 0, 0 callback = function(err) if err then print("Error:", err) else j = j + 1 if j==threshold then collectgarbage('collect') meme = collectgarbage('count') timee = uv.hrtime() local cost = (timee-timeb) / 10^9 print(string.format('memleaks: %d, cost: %.02f BPS: %.02f', (meme-memb), cost, j/cost)) memb = meme timeb = timee j = 0 i = i + 1 end if i~=10 then logger.warning('this is a warning message') else logger.close() assert(fs.existsSync(logfile)) assert(fs.unlinkSync(logfile)) end end end options = options or {} options.path = logfile options.callback = callback logger.init(logger.FileLogger:new(options)) logger.warning('this is a warning message') end test('test FileLogger bench', function() driver({}) end) test('test FileLogger(cache) bench', function() driver({cache=true}) end) test('test FileLogger(basic) bench', function() driver({basic=true}) end) test('test FileLogger(cache,basic) bench', function() driver({basic=true, cache=true}) end) end)
--星坠尘 孤言 local m=14000278 local cm=_G["c"..m] cm.card_code_list={14000260} function cm.initial_effect(c) --synchro summon aux.AddSynchroProcedure(c,nil,nil,1) c:EnableReviveLimit() --special summon local e1=Effect.CreateEffect(c) e1:SetDescription(aux.Stringid(m,0)) e1:SetCategory(CATEGORY_SPECIAL_SUMMON) e1:SetProperty(EFFECT_FLAG_CANNOT_DISABLE+EFFECT_FLAG_CANNOT_NEGATE) e1:SetType(EFFECT_TYPE_SINGLE+EFFECT_TYPE_TRIGGER_O) e1:SetCode(EVENT_SPSUMMON_SUCCESS) e1:SetProperty(EFFECT_FLAG_DELAY) e1:SetCondition(cm.con) e1:SetTarget(cm.tg) e1:SetOperation(cm.op) c:RegisterEffect(e1) end function cm.con(e,tp,eg,ep,ev,re,r,rp) return e:GetHandler():IsPreviousLocation(LOCATION_GRAVE) end function cm.filter(c,e,tp) return aux.IsCodeListed(c,14000260) and c:IsCanBeSpecialSummoned(e,0,tp,false,false,POS_FACEUP) end function cm.tg(e,tp,eg,ep,ev,re,r,rp,chk) if chk==0 then return Duel.GetLocationCount(tp,LOCATION_MZONE)>0 and Duel.IsExistingMatchingCard(cm.filter,tp,LOCATION_DECK+LOCATION_GRAVE+LOCATION_HAND,0,1,nil,e,tp) end Duel.SetOperationInfo(0,CATEGORY_SPECIAL_SUMMON,nil,1,tp,LOCATION_DECK+LOCATION_GRAVE+LOCATION_HAND) end function cm.op(e,tp,eg,ep,ev,re,r,rp) local c=e:GetHandler() if Duel.GetLocationCount(tp,LOCATION_MZONE)<=0 then return end Duel.Hint(HINT_SELECTMSG,tp,HINTMSG_SPSUMMON) local g=Duel.SelectMatchingCard(tp,cm.filter,tp,LOCATION_DECK+LOCATION_GRAVE+LOCATION_HAND,0,1,1,nil,e,tp) local tc=g:GetFirst() if tc then Duel.SpecialSummon(tc,0,tp,tp,false,false,POS_FACEUP) end end
Objects = { createObject (8417,1241.6,308.10001,18.5,180,0,336.25), createObject (16500,1269.6,320.79999,18.4,0,90,336.25), createObject (16500,1267.6,316.29999,18.4,0,90,336.248), createObject (16500,1265.6,311.79999,18.4,0,90,336.248), createObject (16500,1263.6,307.29999,18.4,0,90,336.248), createObject (16500,1261.6,302.79999,18.4,0,90,336.248), createObject (16500,1259.6,298.29999,18.4,0,90,336.248), createObject (16500,1257.6,293.79999,18.4,0,90,336.248), createObject (16500,1255.6,289.29999,18.4,0,90,336.248), createObject (16500,1253.7,284.89999,18.4,0,90,336.248), createObject (16500,1251.7,280.39999,18.4,0,90,336.248), createObject (16500,1249.7,275.89999,18.4,0,90,336.248), createObject (16500,1248.1,282,18.4,0,90,336.248), createObject (16500,1244.5,283.60001,18.4,0,90,336.248), createObject (16500,1240.9,285.20001,18.4,0,90,336.248), createObject (16500,1237.3,286.79999,18.4,0,90,336.248), createObject (16500,1233.7,288.39999,18.4,0,90,336.248), createObject (16500,1230.1,290,18.4,0,90,336.248), createObject (16500,1226.5,291.60001,18.4,0,90,336.248), createObject (16500,1222.9,293.20001,18.4,0,90,336.248), createObject (16500,1219.3,294.79999,18.4,0,90,336.248), createObject (16500,1215.7,296.39999,18.4,0,90,336.248), createObject (16500,1212.1,298,18.4,0,90,336.248), createObject (16500,1210.1,293.5,18.4,0,90,336.248), createObject (16500,1213.7,291.89999,18.4,0,90,336.248), createObject (16500,1217.3,290.29999,18.4,0,90,336.248), createObject (16500,1220.9,288.70001,18.4,0,90,336.248), createObject (16500,1224.5,287.10001,18.4,0,90,336.248), createObject (16500,1228.1,285.5,18.4,0,90,336.248), createObject (16500,1231.7,283.89999,18.4,0,90,336.248), createObject (16500,1235.3,282.29999,18.4,0,90,336.248), createObject (16500,1238.9,280.70001,18.4,0,90,336.248), createObject (16500,1242.5,279.10001,18.4,0,90,336.248), createObject (16500,1246.1,277.5,18.4,0,90,336.248), createObject (16500,1253.1,278.39999,18.2,90,0,336.248), createObject (16500,1254.7,282,18.2,90,0,336.248), createObject (16500,1256.3,285.70001,18.2,90,0,335.748), createObject (16500,1256.5,286.10001,18.2,90,0,335.742), createObject (16500,1259.2,287.70001,18.4,0,90,336.248), createObject (16500,1261.2,292.20001,18.4,0,90,336.248), createObject (16500,1263.2,296.70001,18.4,0,90,336.248), createObject (16500,1265.2,301.20001,18.4,0,90,336.248), createObject (16500,1267.2,305.70001,18.4,0,90,336.248), createObject (16500,1269.2,310.20001,18.4,0,90,336.248), createObject (16500,1271.2,314.70001,18.4,0,90,336.248), createObject (16500,1273.2,319.20001,18.4,0,90,336.248), createObject (16500,1264,317.89999,18.4,0,90,336.248), createObject (16500,1260.4,319.5,18.4,0,90,336.248), createObject (16500,1256.8,321.10001,18.4,0,90,336.248), createObject (16500,1253.2,322.70001,18.4,0,90,336.248), createObject (16500,1249.6,324.29999,18.4,0,90,336.248), createObject (16500,1246,325.89999,18.4,0,90,336.248), createObject (16500,1242.4,327.5,18.4,0,90,336.248), createObject (16500,1238.8,329.10001,18.4,0,90,336.248), createObject (16500,1235.2,330.70001,18.4,0,90,336.248), createObject (16500,1231.6,332.29999,18.4,0,90,336.248), createObject (16500,1228,333.89999,18.4,0,90,336.248), createObject (16500,1266,322.39999,18.4,0,90,336.248), createObject (16500,1262.4,324,18.4,0,90,336.248), createObject (16500,1258.8,325.60001,18.4,0,90,336.248), createObject (16500,1255.2,327.20001,18.4,0,90,336.248), createObject (16500,1251.6,328.79999,18.4,0,90,336.248), createObject (16500,1248,330.39999,18.4,0,90,336.248), createObject (16500,1244.4,332,18.4,0,90,336.248), createObject (16500,1240.8,333.60001,18.4,0,90,336.248), createObject (16500,1237.2,335.20001,18.4,0,90,336.248), createObject (16500,1233.6,336.79999,18.4,0,90,336.248), createObject (16500,1230,338.39999,18.4,0,90,336.248), createObject (16500,1227.2,328.79999,18.4,0,90,336.248), createObject (16500,1225.2,324.29999,18.4,0,90,336.248), createObject (16500,1223.2,319.79999,18.4,0,90,336.248), createObject (16500,1221.3,315.39999,18.4,0,90,336.248), createObject (16500,1219.3,311,18.4,0,90,336.248), createObject (16500,1217.3,306.5,18.4,0,90,336.248), createObject (16500,1215.4,302,18.4,0,90,336.248), createObject (8527,1237.9,299.79999,24.1,0,0,336.05), createObject (3494,1269,317,21.9,0,0,336), createObject (16500,1261.3,302.5,25.9,0,90,336.248), createObject (16500,1263.3,307,25.9,0,90,336.248), createObject (16500,1265.3,311.5,25.9,0,90,336.248), createObject (16500,1267.3,316,25.9,0,90,336.248), createObject (16500,1263.7,317.60001,25.9,0,90,336.248), createObject (16500,1260.1,319.20001,25.9,0,90,336.248), createObject (16500,1256.5,320.79999,25.9,0,90,336.248), createObject (16500,1252.9,322.39999,25.9,0,90,336.248), createObject (16500,1249.3,324,25.9,0,90,336.248), createObject (16500,1245.7,325.60001,25.9,0,90,336.248), createObject (16500,1242.1,327.20001,25.9,0,90,336.248), createObject (16500,1238.5,328.79999,25.9,0,90,336.248), createObject (16500,1234.9,330.39999,25.9,0,90,336.248), createObject (16500,1224.2,319.10001,25.9,0,90,336.248), createObject (3494,1229.7,334.39999,21.9,0,0,335.995), createObject (16500,1226.2,323.60001,25.9,0,90,336.248), createObject (16500,1228.2,328.10001,25.9,0,90,336.248), createObject (16500,1230.1,332.5,25.9,0,90,336.248), createObject (16500,1232.3,331.5,25.9,0,90,336.248), createObject (16500,1251.8,306.70001,25.9,0,90,336.248), createObject (16500,1253.8,311.20001,25.9,0,90,336.248), createObject (16500,1255.8,315.70001,25.9,0,90,336.248), createObject (16500,1242.6,310.79999,25.9,0,90,336.248), createObject (16500,1244.6,315.29999,25.9,0,90,336.248), createObject (16500,1246.6,319.79999,25.9,0,90,336.248), createObject (16500,1233.8,314.79999,25.9,0,90,336.248), createObject (16500,1235.8,319.29999,25.9,0,90,336.248), createObject (16500,1237.8,323.79999,25.9,0,90,336.248), createObject (3851,1260.5,310.5,25.9,0,90,336), createObject (3851,1256.9,312.10001,25.9,0,90,335.995), createObject (3851,1250.7,302.5,25.9,0,90,335.995), createObject (3851,1257.5,299.39999,25.9,0,90,335.995), createObject (3851,1251.4,314.60001,25.9,0,90,335.995), createObject (3851,1248,316.10001,25.9,0,90,335.995), createObject (3851,1248,303.79999,25.9,0,90,335.995), createObject (3851,1242.4,306.29999,25.9,0,90,335.995), createObject (3851,1242.4,318.20001,25.9,0,90,335.995), createObject (3851,1238.8,319.79999,25.9,0,90,335.995), createObject (3851,1234.8,309.20001,25.9,0,90,335.995), createObject (3851,1237.8,307.89999,25.9,0,90,335.995), createObject (3851,1233.1,322.39999,25.9,0,90,335.995), createObject (3851,1229.5,324,25.9,0,90,335.995), createObject (3851,1225.1,313.60001,25.9,0,90,335.995), createObject (3851,1230,311.39999,25.9,0,90,335.995), createObject (11544,1250.3,303.20001,20.5,0,0,155.5), createObject (11544,1241.1,307.29999,20.5,0,0,155.495), createObject (11544,1232.2,311.20001,20.5,0,0,155.495), createObject (1649,1247.9,310.10001,24,0,0,336), createObject (1649,1256.9,306,24,0,0,335.995), createObject (1649,1238.8,314.10001,24,0,0,335.995), createObject (1649,1229.8,318.20001,24,0,0,335.995), createObject (1649,1247.9,310.10001,27.6,0,0,335.995), createObject (1649,1256.9,306,27.6,0,0,335.995), createObject (1649,1238.8,314.10001,27.6,0,0,335.995), createObject (1649,1229.8,318.20001,27.5,0,0,335.995), createObject (1692,1261.2,318.89999,26.8,0,0,336), createObject (1692,1254.2,322,26.8,0,0,335.995), createObject (1692,1247.1,325.20001,26.8,0,0,335.995), createObject (1692,1240,328.39999,26.8,0,0,335.995), createObject (1692,1235.3,330.5,26.8,0,0,335.995), createObject (1533,1250.2,304.79999,21.5,0,0,336), createObject (1533,1241,308.79999,21.5,0,0,335.995), createObject (1533,1232.1,312.79999,21.5,0,0,335.995), createObject (3850,1261.4,301.60001,19,0,0,336), createObject (3850,1262.8,304.79999,19,0,0,335.995), createObject (3850,1264.2,308,19,0,0,335.995), createObject (3850,1265.6,311.20001,19,0,0,335.995), createObject (3850,1267,314.39999,19,0,0,335.995), createObject (3850,1268.4,317.60001,19,0,0,335.995), createObject (3850,1269.8,320.79999,19,0,0,335.995), createObject (3850,1223.6,318.5,19.1,0,0,335.995), createObject (3850,1225,321.70001,19.1,0,0,335.995), createObject (3850,1226.4,324.89999,19.1,0,0,335.995), createObject (3850,1227.8,328.10001,19.1,0,0,335.995), createObject (3850,1229.2,331.29999,19.1,0,0,335.995), createObject (3850,1230.6,334.5,19.1,0,0,335.995), createObject (3850,1232,337.70001,19.1,0,0,335.995), createObject (1364,1256.1,304.10001,19.3,0,0,155.5), createObject (1364,1247,308.10001,19.3,0,0,155.495), createObject (1364,1237.9,312.20001,19.3,0,0,155.495), createObject (1364,1228.9,316.39999,19.3,0,0,155.495), createObject (1597,1263.6,309.70001,21.2,0,0,336), createObject (1597,1227.9,326.10001,21.2,0,0,335.995), createObject (3850,1260.1,319.89999,19,0,0,335.995), createObject (3850,1238.5,329.39999,19,0,0,335.995), createObject (2632,1239.7,327.60001,18.6,0,0,336), createObject (2632,1240.5,329.39999,18.6,0,0,335.995), createObject (3850,1241.8,327.79999,19,0,0,336.245), createObject (2632,1238.9,325.79999,18.6,0,0,335.995), createObject (2632,1238.1,324,18.6,0,0,335.995), createObject (2632,1237.3,322.20001,18.6,0,0,335.995), createObject (2632,1236.5,320.39999,18.6,0,0,335.995), createObject (3850,1240.4,324.60001,19,0,0,335.995), createObject (3850,1239,321.39999,19,0,0,336.245), createObject (3850,1237.1,326.20001,19,0,0,335.995), createObject (3850,1235.7,323,19,0,0,336.245), createObject (2632,1249.2,325.5,18.6,0,0,335.995), createObject (2632,1248.4,323.70001,18.6,0,0,335.995), createObject (2632,1247.7,322.10001,18.6,0,0,335.995), createObject (2632,1246.9,320.29999,18.6,0,0,335.995), createObject (2632,1246.1,318.5,18.6,0,0,335.995), createObject (2632,1245.3,316.70001,18.6,0,0,335.995), createObject (2632,1258.7,321.29999,18.6,0,0,335.995), createObject (2632,1257.9,319.5,18.6,0,0,335.995), createObject (2632,1257.1,317.70001,18.6,0,0,335.995), createObject (2632,1256.3,315.89999,18.6,0,0,335.995), createObject (2632,1255.5,314.10001,18.6,0,0,335.995), createObject (2632,1254.7,312.29999,18.6,0,0,335.995), createObject (3850,1258.7,316.70001,19,0,0,335.995), createObject (3850,1257.3,313.5,19,0,0,336.495), createObject (3850,1256.7,321.39999,19,0,0,335.995), createObject (3850,1255.3,318.20001,19,0,0,335.995), createObject (3850,1253.9,315,19,0,0,336.245), createObject (3850,1247.2,325.5,19,0,0,336.242), createObject (3850,1245.8,322.29999,19,0,0,336.242), createObject (3850,1244.4,319.10001,19,0,0,336.242), createObject (3850,1250.6,324,19,0,0,336.242), createObject (3850,1249.2,320.79999,19,0,0,336.242), createObject (3850,1247.8,317.60001,19,0,0,336.242), createObject (638,1256.4,322,19.3,0,0,336), createObject (638,1255.3,319.5,19.3,0,0,335.995), createObject (638,1254.2,317,19.3,0,0,335.995), createObject (638,1253.1,314.5,19.3,0,0,335.995), createObject (638,1260.8,320,19.3,0,0,335.995), createObject (638,1259.7,317.5,19.3,0,0,335.995), createObject (638,1258.6,315,19.3,0,0,335.995), createObject (638,1257.5,312.5,19.3,0,0,335.995), createObject (638,1251.3,324.20001,19.3,0,0,335.995), createObject (638,1250.2,321.70001,19.3,0,0,335.995), createObject (638,1249.1,319.20001,19.3,0,0,335.995), createObject (638,1248,316.70001,19.3,0,0,335.995), createObject (638,1246.8,326.10001,19.3,0,0,335.995), createObject (638,1245.7,323.60001,19.3,0,0,335.995), createObject (638,1244.6,321.10001,19.3,0,0,335.995), createObject (638,1243.5,318.60001,19.3,0,0,335.995), createObject (638,1242.6,328.10001,19.3,0,0,335.995), createObject (638,1241.5,325.60001,19.3,0,0,335.995), createObject (638,1240.4,323.10001,19.3,0,0,335.995), createObject (638,1239.3,320.60001,19.3,0,0,335.995), createObject (638,1238.1,330.10001,19.3,0,0,335.995), createObject (638,1237,327.60001,19.3,0,0,335.995), createObject (638,1235.9,325.10001,19.3,0,0,335.995), createObject (638,1234.8,322.60001,19.3,0,0,335.995), createObject (646,1270.6,322.70001,19.9,0,0,33), createObject (646,1232.7,339.5,19.9,0,0,32.997), createObject (1649,1218.8,293.5,24,0,0,335.995), createObject (1649,1218.8,293.5,27.5,0,0,335.995), createObject (1649,1227.9,289.39999,27.5,0,0,335.995), createObject (1649,1227.9,289.39999,24,0,0,335.995), createObject (1649,1236.9,285.39999,24,0,0,335.995), createObject (1649,1236.9,285.39999,27.6,0,0,335.995), createObject (1649,1246,281.39999,27.6,0,0,335.995), createObject (1649,1246,281.39999,24.1,0,0,335.995), createObject (1363,1231.4,333.70001,19.4,0,0,336), createObject (1257,1267.6,319.29999,19.8,0,0,336), createObject (1294,1272.5,326.39999,23.1,0,0,246), createObject (1294,1234.5,343.20001,23.1,0,0,245.995), createObject (16500,1275.2,323.70001,18.4,0,90,336.248), createObject (16500,1271.6,325.29999,18.4,0,90,336.248), createObject (16500,1268,326.89999,18.4,0,90,336.248), createObject (16500,1264.4,328.5,18.4,0,90,336.248), createObject (16500,1260.8,330.10001,18.4,0,90,336.248), createObject (16500,1257.2,331.70001,18.4,0,90,336.248), createObject (16500,1253.6,333.29999,18.4,0,90,336.248), createObject (16500,1250,334.89999,18.4,0,90,336.248), createObject (16500,1246.4,336.5,18.4,0,90,336.248), createObject (16500,1242.8,338.10001,18.4,0,90,336.248), createObject (16500,1239.3,339.70001,18.4,0,90,336.248), createObject (16500,1235.7,341.29999,18.4,0,90,336.248), createObject (16500,1232,342.89999,18.4,0,90,336.248), } for index, object in ipairs ( Objects ) do setElementDoubleSided ( object, true ) setObjectBreakable(object, false) end
lg = love.graphics function createTube() local t = {} t.body = love.physics.newBody(world, 300, love.math.random(0, 100), "dynamic") t.shape = love.physics.newRectangleShape(0,0,25,100) t.fixture = love.physics.newFixture(t.body, t.shape, 1) t.body:setInertia(250) t.body:applyForce(-6000, 800) t.body:applyTorque(math.random(40000, 60000)) t.timer = 0 return t end function love.load() love.physics.setMeter(64) gameover = 0 world = love.physics.newWorld(0, 9.81 * 64, true) player = {} tubes = {} player.timer = 0 player.x = 100 player.y = 100 player.dy = 0 player.body = love.physics.newBody(world, 140, 100, "dynamic") player.shape = love.physics.newRectangleShape(0,0,17, 12) player.fixture = love.physics.newFixture(player.body, player.shape, 5) assets = {} assets.Tileset = lg.newImage('img/sprite.png') timer = 0 local tilesetW, tilesetH = assets.Tileset:getWidth(), assets.Tileset:getHeight() assets.BgQuad = lg.newQuad(0,0,144,256, tilesetW, tilesetH) assets.Bird1 = lg.newQuad(3, 491, 17, 12, tilesetW, tilesetH) assets.Bird2 = lg.newQuad(31, 491, 17, 12, tilesetW, tilesetH) assets.Bird3 = lg.newQuad(60, 491, 17, 12, tilesetW, tilesetH) assets.Tube = lg.newQuad(0, 323, 25, 100, tilesetW, tilesetH) end function love.draw() timer = timer + 1 player.timer = timer love.graphics.push() love.graphics.scale(2, 2) lg.draw(assets.Tileset, assets.BgQuad, 288 - timer % 288, 0) lg.draw(assets.Tileset, assets.BgQuad, 288 - timer % 288 + 144, 0) lg.draw(assets.Tileset, assets.BgQuad, (288 - timer % 288) - 144, 0) lg.draw(assets.Tileset, assets.BgQuad, (288 - timer % 288) - 288, 0) drawPlayer(player, 100, 100) for k, t in pairs(tubes) do lg.draw(assets.Tileset, assets.Tube, t.body:getX(), t.body:getY(), t.body:getAngle()) end if timer < 80 then lg.setColor(0,0,0,255) lg.rectangle("fill", 0, 0, 288, 256) lg.setColor(255,255,255,255) lg.print("Girls are Praying",90,100) lg.print("Press Space to Fly",80,140) lg.print("Dodge the Tubes",85,160) end if gameover > 0 then lg.setColor(0,0,0,255) lg.rectangle("fill", 0, 0, 288, 256) lg.setColor(255,255,255,255) lg.print("You Lose",90,100) lg.print(tostring(gameover),90,120) lg.print("Reopen the game to restart",40,140) end love.graphics.pop() end function drawPlayer(player) local t = player.timer local n = math.floor(t / 20) % 4 local x, y = player.x, player.y local q if (n == 0) then q = assets.Bird1 elseif (n == 1) then q = assets.Bird2 elseif (n == 2) then q = assets.Bird3 else q = assets.Bird2 end local vx, vy = player.body:getLinearVelocity() local r = math.atan(vy/40) * 0.1 lg.draw(assets.Tileset, q, player.body:getX(), player.body:getY(), r, 1, 1, 8.5, 6) lg.print("" .. math.floor(timer / 20), 0, 0) end function love.update(dt) world:update(dt) updatePlayer(player) if timer % 50 == 0 and timer > 90 then table.insert(tubes, createTube()) end if timer < 90 then player.body:setPosition(140, 100) player.body:setLinearVelocity(0, 0) end for k, t in pairs(tubes) do t.body:applyForce(0, -300) end end function updatePlayer(player) if love.keyboard.isDown("space") then player.body:applyForce(0, -300) if timer % 1 == 0 then player.timer = player.timer + 1 end end if player.body:getY() < 0 or player.body:getY() > 256 or player.body:getX() < 0 then if gameover == 0 then gameover = math.floor(timer / 20) end end end
script.Parent = workspace.acb227 while true do script.Parent.Head.face.Texture = "http://www.roblox.com/asset/?id=22355154" wait(0.2) end
AddCSLuaFile("autorun/client/drawarc.lua") if not ACF then error("ACF is not installed - ACF SWEPs require it!") end ACF.SWEP = ACF.SWEP or {} ACF.SWEP.PlyBullets = ACF.SWEP.PlyBullets or {} local bullets = ACF.SWEP.PlyBullets function shallowcopy(orig) local orig_type = type(orig) local copy if orig_type == 'table' then copy = {} for orig_key, orig_value in pairs(orig) do copy[orig_key] = orig_value end else -- number, string, boolean, etc copy = orig end return copy end function ACF_CreateBulletSWEP( BulletData, Swep, LagComp ) if not IsValid(Swep) then error("Tried to create swep round with no swep or owner!") return end local owner = BulletData["Owner"] local InstanceBulletData = shallowcopy(BulletData) InstanceBulletData.Filter = {} if LagComp and not owner:IsNPC() then InstanceBulletData.LastThink = SysTime() InstanceBulletData.HandlesOwnIteration = true InstanceBulletData.OnRemoved = ACF_SWEP_OnRemoved end InstanceBulletData.TraceBackComp = 0 --BulletData.TraceBackComp = owner:GetVelocity():Dot(BulletData.Flight:GetNormalized()) InstanceBulletData.Gun = Swep InstanceBulletData.Filter = {} if IsValid(Swep) then InstanceBulletData.Filter[#InstanceBulletData.Filter + 1] = Swep end if IsValid(owner) then InstanceBulletData.Filter[#InstanceBulletData.Filter + 1] = owner if not owner:IsNPC() then local vehicle = owner:GetVehicle() if IsValid(vehicle) then InstanceBulletData.Filter[#InstanceBulletData.Filter + 1] = vehicle end end end --PrintTable( InstanceBulletData ) ACF_CustomBulletLaunch(InstanceBulletData) return InstanceBulletData end function ACF_SWEP_PlayerTickSimulate(ply, move) local plyBullets = bullets[ply] if not plyBullets or #plyBullets < 1 then return end local CalcFlight = (XCF and XCF.Ballistics and XCF.Ballistics.CalcFlight) or ACF_CalcBulletFlight or error("Could not find ACF flight calc function.") ply:LagCompensation(true) for k, bullet in pairs(plyBullets) do --print("sim bullet ", k) if bullet and bullet.Index then --print ( bullet.Index ) CalcFlight( bullet.Index, bullet ) end end ply:LagCompensation(false) end if ACF.Version and ACF.Version < 506 then ErrorNoHalt("ACF SWEPs need ACF v506 or greater to use lag compensation! Please update ACF!") else hook.Add("PlayerTick", "ACF_SWEP_PlayerTickSimulate", ACF_SWEP_PlayerTickSimulate) end function ACF_SWEP_PlayerDisconnected(ply) --print("plyDisconn", ply) if not IsValid(ply) then return end local plyBullets = bullets[ply] if not plyBullets then return end local RemoveBullet = (XCF and XCF.Ballistics and XCF.Ballistics.RemoveProj) or ACF_RemoveBullet or error("Could not find ACF bullet removal function.") for k, bullet in pairs(plyBullets) do if not bullet.Index then continue end RemoveBullet(bullet.Index) end bullets[ply] = nil end hook.Add( "PlayerDisconnected", "ACF_SWEP_PlayerDisconnected", ACF_SWEP_PlayerDisconnected) function ACF_SWEP_OnRemoved(bullet) --print("rem", bullet) if bullet.OwnerIndex then bullets[bullet.Owner][bullet.OwnerIndex] = nil end end function ACF_BulletLaunch(BData) ACF.CurBulletIndex = ACF.CurBulletIndex + 1 --Increment the index if ACF.CurBulletIndex > ACF.BulletIndexLimt then ACF.CurBulletIndex = 1 end local cvarGrav = GetConVar("sv_gravity") BData.Accel = Vector(0,0,cvarGrav:GetInt()*-1) --Those are BData settings that are global and shouldn't change round to round BData.LastThink = BData.LastThink or SysTime() BData["FlightTime"] = 0 --BData["TraceBackComp"] = 0 local Owner = BData.Owner if BData["FuseLength"] then BData["InitTime"] = SysTime() end if not BData.TraceBackComp then --Check the Gun's velocity and add a modifier to the flighttime so the traceback system doesn't hit the originating contraption if it's moving along the shell path if IsValid(BData.Gun) then BData["TraceBackComp"] = BData.Gun:GetPhysicsObject():GetVelocity():Dot(BData.Flight:GetNormalized()) else BData["TraceBackComp"] = 0 end end BData.Filter = BData.Filter or { BData["Gun"] } if XCF and XCF.Ballistics then BData = XCF.Ballistics.Launch(BData) --XCF.Ballistics.CalcFlight( BulletData.Index, BulletData ) else BData.Index = ACF.CurBulletIndex ACF.Bullet[ACF.CurBulletIndex] = BData --Place the bullet at the current index pos ACF_BulletClient( ACF.CurBulletIndex, ACF.Bullet[ACF.CurBulletIndex], "Init" , 0 ) --ACF_CalcBulletFlight( ACF.CurBulletIndex, ACF.Bullet[ACF.CurBulletIndex] ) end end function ACF_CustomBulletLaunch(BData) ACF_BulletLaunch(BData) --PrintTable(BData) if BData.HandlesOwnIteration then bullets[BData.Owner] = bullets[BData.Owner] or {} local btbl = bullets[BData.Owner] local btblIdx = #btbl+1 BData.OwnerIndex = btblIdx btbl[btblIdx] = BData end end function ACF_ExpandBulletData(bullet) --print( "expand bomb" ) --print( debug.traceback() ) --[[ print("\n\nBEFORE EXPAND:\n") printByName(bullet) --]] local toconvert = {} toconvert["Id"] = bullet["Id"] or "12.7mmMG" toconvert["Type"] = bullet["Type"] or "AP" toconvert["PropLength"] = bullet["PropLength"] or 0 toconvert["ProjLength"] = bullet["ProjLength"] or 0 toconvert["Data5"] = bullet["FillerVol"] or bullet["Flechettes"] or bullet["Data5"] or 0 toconvert["Data6"] = bullet["ConeAng"] or bullet["FlechetteSpread"] or bullet["Data6"] or 0 toconvert["Data7"] = bullet["Data7"] or 0 toconvert["Data8"] = bullet["Data8"] or 0 toconvert["Data9"] = bullet["Data9"] or 0 toconvert["Data10"] = bullet["Tracer"] or bullet["Data10"] or 0 toconvert["Colour"] = bullet["Colour"] or Color(255, 255, 255) --[[ print("\n\nTO EXPAND:\n") printByName(toconvert) ]]-- local rounddef = ACF.RoundTypes[bullet.Type] or error("No definition for the shell-type", bullet.Type) local conversion = rounddef.convert --print("rdcv", rounddef, conversion) if not conversion then error("No conversion available for this shell!") end local ret = conversion( nil, toconvert ) --ret.ProjClass = this ret.Pos = bullet.Pos or Vector(0,0,0) ret.Flight = bullet.Flight or Vector(0,0,0) ret.Type = ret.Type or bullet.Type local cvarGrav = GetConVar("sv_gravity") ret.Accel = Vector(0,0,cvarGrav:GetInt()*-1) if ret.Tracer == 0 and bullet["Tracer"] and bullet["Tracer"] > 0 then ret.Tracer = bullet["Tracer"] end ret.Colour = toconvert["Colour"] --[[ print("\n\nAFTER EXPAND:\n") printByName(ret) ]]-- return ret end function ACF_CompactBulletData(crate) local compact = {} compact["Id"] = crate.RoundId or crate.Id compact["Type"] = crate.RoundType or crate.Type compact["PropLength"] = crate.PropLength or crate.RoundPropellant compact["ProjLength"] = crate.ProjLength or crate.RoundProjectile compact["Data5"] = crate.Data5 or crate.RoundData5 or crate.FillerVol or crate.CavVol or crate.Flechettes compact["Data6"] = crate.Data6 or crate.RoundData6 or crate.ConeAng or crate.FlechetteSpread compact["Data7"] = crate.Data7 or crate.RoundData7 compact["Data8"] = crate.Data8 or crate.RoundData8 compact["Data9"] = crate.Data9 or crate.RoundData9 compact["Data10"] = crate.Data10 or crate.RoundData10 or crate.Tracer compact["Colour"] = crate.GetColor and crate:GetColor() or crate.Colour if not compact.Data5 and crate.FillerMass then local Filler = ACF.FillerDensity[compact.Type] if Filler then compact.Data5 = crate.FillerMass / ACF.HEDensity * Filler end end return compact end function ACF_MakeCrateForBullet(self, bullet) if not (type(bullet) == "table") then --print("we got swep?") if bullet.BulletData then self:SetNetworkedString( "Sound", bullet.Primary and bullet.Primary.Sound or nil) self.Owner = bullet:GetOwner() self:SetOwner(bullet:GetOwner()) bullet = bullet.BulletData end end self:SetNetworkedInt( "Caliber", bullet.Caliber or 10) self:SetNetworkedInt( "ProjMass", bullet.ProjMass or 10) self:SetNetworkedInt( "FillerMass", bullet.FillerMass or 0) self:SetNetworkedInt( "DragCoef", bullet.DragCoef or 1) self:SetNetworkedString( "AmmoType", bullet.Type or "AP") self:SetNetworkedInt( "Tracer" , bullet.Tracer or 0) local col = bullet.Colour or self:GetColor() self:SetNWVector( "Color" , Vector(col.r, col.g, col.b)) self:SetNWVector( "TracerColour" , Vector(col.r, col.g, col.b)) self:SetColor(col) end
function onCreate() -- background shit makeLuaSprite('church_dark_split', 'stages/church_dark_split', -600, -600); setLuaSpriteScrollFactor('church_split', 1, 1); addLuaSprite('church_dark_split', false); scaleLuaSprite('church_dark_split',1.5,1.5); end function onMoveCamera(focus) if focus == 'dad' then setProperty('camFollow.y', getProperty('camFollow.y') -50); setProperty('camFollow.x', getProperty('camFollow.x') +200); elseif focus == 'boyfriend' then setProperty('camFollow.y', getProperty('camFollow.y') -200); setProperty('camFollow.x', getProperty('camFollow.x') -300); end end
local mod = require("scripts.stageapi.mod") local shared = require("scripts.stageapi.shared") StageAPI.RoomNamesEnabled = false StageAPI.GlobalCommandMode = false local testingStage local testingRoomsList local testSuite = include("resources.stageapi.luarooms.testsuite") local mapLayoutTestRoomsList = StageAPI.RoomsList("MapLayoutTest", testSuite) mod:AddCallback(ModCallbacks.MC_EXECUTE_CMD, function(_, cmd, params) if (cmd == "cstage" or cmd == "customstage") and StageAPI.CustomStages[params] then if StageAPI.CustomStages[params] then StageAPI.GotoCustomStage(StageAPI.CustomStages[params]) else Isaac.ConsoleOutput("No CustomStage " .. params) end elseif (cmd == "nstage" or cmd == "nextstage") and StageAPI.CurrentStage and StageAPI.CurrentStage.NextStage then StageAPI.GotoCustomStage(StageAPI.CurrentStage.NextStage) elseif cmd == "reload" then StageAPI.LoadSaveString(StageAPI.GetSaveString()) elseif cmd == "printsave" then Isaac.DebugString(StageAPI.GetSaveString()) elseif cmd == "regroom" then -- Load a registered room if StageAPI.Layouts[params] then local testRoom = StageAPI.LevelRoom{ LayoutName = params, Shape = StageAPI.Layouts[params].Shape, RoomType = StageAPI.Layouts[params].Type, } local levelMap = StageAPI.GetDefaultLevelMap() local addedRoomData = levelMap:AddRoom(testRoom, {RoomID = "StageAPITest"}, true) local doors = {} for _, door in ipairs(StageAPI.Layouts[params].Doors) do if door.Exists then doors[#doors + 1] = door.Slot end end StageAPI.ExtraRoomTransition(addedRoomData.MapID, nil, nil, StageAPI.DefaultLevelMapID, doors[StageAPI.Random(1, #doors)]) else Isaac.ConsoleOutput(params .. " is not a registered room.\n") end elseif cmd == "croom" then local paramTable = {} for word in params:gmatch("%S+") do paramTable[#paramTable + 1] = word end local name = tonumber(paramTable[1]) or paramTable[1] local listName = paramTable[2] if name then local list if listName then listName = string.gsub(listName, "_", " ") if StageAPI.RoomsLists[listName] then list = StageAPI.RoomsLists[listName] else Isaac.ConsoleOutput("Room List name invalid.") return end elseif StageAPI.CurrentStage and StageAPI.CurrentStage.Rooms and StageAPI.CurrentStage.Rooms[RoomType.ROOM_DEFAULT] then list = StageAPI.CurrentStage.Rooms[RoomType.ROOM_DEFAULT] else Isaac.ConsoleOutput("Must supply Room List name or be in a custom stage with rooms.") return end if type(name) == "string" then name = string.gsub(name, "_", " ") end local selectedLayout for _, room in ipairs(list.All) do if room.Name == name or room.Variant == name then selectedLayout = room break end end if selectedLayout then StageAPI.RegisterLayout("StageAPITest", selectedLayout) local testRoom = StageAPI.LevelRoom{ LayoutName = "StageAPITest", Shape = selectedLayout.Shape, RoomType = selectedLayout.Type } local levelMap = StageAPI.GetDefaultLevelMap() local addedRoomData = levelMap:AddRoom(testRoom, {RoomID = "StageAPITest"}, true) local doors = {} for _, door in ipairs(selectedLayout.Doors) do if door.Exists then doors[#doors + 1] = door.Slot end end StageAPI.ExtraRoomTransition(addedRoomData.MapID, nil, nil, StageAPI.DefaultLevelMapID, doors[StageAPI.Random(1, #doors)]) else Isaac.ConsoleOutput("Room with ID or name " .. tostring(name) .. " does not exist.") end else Isaac.ConsoleOutput("A room ID or name is required.") end elseif cmd == "creseed" then if StageAPI.CurrentStage then StageAPI.GotoCustomStage(StageAPI.CurrentStage) end elseif cmd == "roomnames" then if StageAPI.RoomNamesEnabled then StageAPI.RoomNamesEnabled = false else StageAPI.RoomNamesEnabled = 1 end elseif cmd == "trimroomnames" then if StageAPI.RoomNamesEnabled then StageAPI.RoomNamesEnabled = false else StageAPI.RoomNamesEnabled = 2 end elseif cmd == "modversion" then for name, modData in pairs(StageAPI.LoadedMods) do if modData.Version then Isaac.ConsoleOutput(name .. " " .. modData.Prefix .. modData.Version .. "\n") end end elseif cmd == "roomtest" then local roomsList = shared.Level:GetRooms() for i = 0, roomsList.Size - 1 do local roomDesc = roomsList:Get(i) if roomDesc and roomDesc.Data.Type == RoomType.ROOM_DEFAULT then shared.Game:ChangeRoom(roomDesc.SafeGridIndex) end end elseif cmd == "clearroom" then StageAPI.ClearRoomLayout(false, true, true, true) elseif cmd == "superclearroom" then StageAPI.ClearRoomLayout(false, true, true, true, nil, true, true) elseif cmd == "crashit" then shared.Game:ShowHallucination(0, 0) elseif cmd == "commandglobals" then if StageAPI.GlobalCommandMode then Isaac.ConsoleOutput("Disabled StageAPI global command mode") _G.slog = nil _G.game = nil _G.room = nil _G.desc = nil _G.apiroom = nil _G.level = nil _G.player = nil StageAPI.GlobalCommandMode = nil else Isaac.ConsoleOutput("Enabled StageAPI global command mode\nslog: Prints any number of args, parses some userdata\ngame, room, shared.Level: Correspond to respective objects\nplayer: Corresponds to player 0\ndesc: Current room descriptor, mutable\napiroom: Current StageAPI room, if applicable\nFor use with the lua command!") StageAPI.GlobalCommandMode = true end elseif cmd == "teststage" then testingStage = params elseif cmd == "loadtestsuite" then testingRoomsList = tonumber(params) if not testingRoomsList then testingRoomsList = true end end end) mod:AddCallback(ModCallbacks.MC_POST_RENDER, function() if StageAPI.RoomNamesEnabled then local currentRoom = StageAPI.GetCurrentRoom() local roomDescriptorData = shared.Level:GetCurrentRoomDesc().Data local scale = 0.5 local base, custom if StageAPI.RoomNamesEnabled == 2 then base = tostring(roomDescriptorData.StageID) .. "." .. tostring(roomDescriptorData.Variant) .. "." .. tostring(roomDescriptorData.Subtype) .. " " .. roomDescriptorData.Name else base = "Base Room Stage ID: " .. tostring(roomDescriptorData.StageID) .. ", Name: " .. roomDescriptorData.Name .. ", ID: " .. tostring(roomDescriptorData.Variant) .. ", Difficulty: " .. tostring(roomDescriptorData.Difficulty) .. ", Subtype: " .. tostring(roomDescriptorData.Subtype) end if currentRoom and currentRoom.Layout.RoomFilename and currentRoom.Layout.Name and currentRoom.Layout.Variant then if StageAPI.RoomNamesEnabled == 2 then custom = "Room File: " .. currentRoom.Layout.RoomFilename .. ", Name: " .. currentRoom.Layout.Name .. ", ID: " .. tostring(currentRoom.Layout.Variant) else custom = "Room File: " .. currentRoom.Layout.RoomFilename .. ", Name: " .. currentRoom.Layout.Name .. ", ID: " .. tostring(currentRoom.Layout.Variant) .. ", Difficulty: " .. tostring(currentRoom.Layout.Difficulty) .. ", Subtype: " .. tostring(currentRoom.Layout.SubType) end else custom = "Room names enabled, custom room N/A" end Isaac.RenderScaledText(custom, 60, 35, scale, scale, 255, 255, 255, 0.75) Isaac.RenderScaledText(base, 60, 45, scale, scale, 255, 255, 255, 0.75) end if StageAPI.GlobalCommandMode then _G.slog = StageAPI.Log _G.game = shared.Game _G.level = shared.Level _G.room = shared.Room _G.desc = shared.Level:GetRoomByIdx(shared.Level:GetCurrentRoomIndex()) _G.apiroom = StageAPI.GetCurrentRoom() _G.player = shared.Players[1] end -- Custom floor gen commands if testingStage then local baseStage = shared.Level:GetStage() local baseStageType = shared.Level:GetStageType() Isaac.ExecuteCommand("stage " .. testingStage) testingStage = nil local levelMap = StageAPI.CopyCurrentLevelMap() Isaac.ExecuteCommand("stage " .. tostring(baseStage) .. StageAPI.StageTypeToString[baseStageType]) StageAPI.InitCustomLevel(levelMap, true) elseif testingRoomsList then local levelMap if testingRoomsList == true then levelMap = StageAPI.CreateMapFromRoomsList(mapLayoutTestRoomsList) else levelMap = StageAPI.CreateMapFromRoomsList(mapLayoutTestRoomsList, testingRoomsList) end testingRoomsList = nil StageAPI.InitCustomLevel(levelMap, true) end end)
local shadowText = script.parent local shadowTextOffsetX = shadowText.x local shadowTextOffsetY = shadowText.y local mainText = script:GetCustomProperty("MainText"):WaitForObject() function Tick(deltaTime) shadowText.text = mainText.text shadowText.fontSize = mainText.fontSize shadowText.x = mainText.x + shadowTextOffsetX shadowText.y = mainText.y + shadowTextOffsetY local shadowColor = shadowText:GetColor() shadowColor.a = mainText:GetColor().a shadowText:SetColor(shadowColor) end
return (function(Kb,y0,Rb,Hb,Eb,kb,wb,DT,Ub,BT,tb,fb,sb,qb,Cb,lb,ub,c0,jb,w0,rb,ET,mb,n0,hb,Tb,Mb,Wb,kT,Ob,gb,pb,eb,Nb,ab,aT,ib,C0,Jb,Yb,MT,r0,hT,NT,ST,Fb,yb,G0,TT,X0,mT,db,Gb,Vb,LT,Qb,AT,Lb,Pb,Sb,Xb,Ib,cb,Db,vT,bb,xb,sT,Z0,gT,Ab,ob,JT,zb,Bb,Zb,lT,nb,eT,KT,vb,YT,...)local qT,FT,jT,tT,oT=JT,JT,JT,G0(0,nil,nil,{},tT,oT,JT,FT,{},qT),JT;for w8=0,4 do if(w8<=1)then if(not(G0(1,w8,0)))then do FT=lT;end;else do qT=1676407979;end;end;else do if(not(G0(2,w8,2)))then if(w8~=3)then oT=ET;else tT=1431608061;end;else jT=675460536;end;end;end;end;local fT,OT,xT,RT,QT,dT,WT,pT,bT,VT=1,G0(3,nil,nil,JT,FT,{},{},bT,dT,28,{},529.9952879545856),JT,JT,JT,JT,JT,JT,JT,JT;do while(G0(2,fT,8))do if(not(fT<=3))then if(not(G0(2,fT,5)))then if(not(G0(2,fT,6)))then if(fT~=7)then RT=990115062;fT=0;else do WT=465129708;end;do fT=2;end;end;else VT=723967329;fT=9;end;else if(fT~=4)then dT=477353775;fT=7;else do bT=1440185484;end;fT=6;end;end;else if(G0(2,fT,1))then if(not(G0(1,fT,0)))then OT=460437391;fT=3;else QT=1999148548;fT=5;end;else if(not(G0(1,fT,2)))then xT=961645541;fT=8;else pT=880147084;fT=4;end;end;end;end;end;local iT=(1140914386);local zT=(1048978312);local UT=1777912183;fT=2;local HT,uT,IT,PT,GT=JT,G0(0,nil,nil,uT,{},468.5731587674471,JT,fT,qT),JT,G0(4,nil,nil,{},OT,qT,fT,bT,68,VT,zT,JT,162.51051827837998),(JT);do while(fT<=4)do if(not(G0(2,fT,1)))then do if(not(fT<=2))then if(not(G0(1,fT,3)))then uT=427063864;fT=0;else PT=724079835;do fT=1;end;end;else do HT=1034426140;end;fT=4;end;end;else do if(not(G0(1,fT,0)))then GT=1274393698;do fT=5;end;else IT=1683835575;fT=3;end;end;end;end;end;local nT=(125407616);fT=0;local ZT,CT=G0(5,nil,nil,{},fT,w8,zT,fT,JT,JT,530.3281894742838),G0(0,nil,nil,99,bT,{},JT,fT,xT,w8,ZT,952.2077341264991);do while(G0(6,fT,2))do if(G0(1,fT,0))then ZT=653150341;fT=1;else CT=hT;do fT=2;end;end;end;end;local p,W=BT,(eT or sT);local u,H=ST[KT],ST[TT];local c,r,X,C=LT,gT,YT,MT;local i=(G0(5,nil,nil,pT,{},249.86232122509645,15,iT,ST,hT,X)[DT]);local P=AT;local w,y=NT,mT;local z=vT;local I=G0(7,nil,nil,34,ST,{},P,707.1849206609294,fT,67)[kT];local U=(aT[wb]);local Z,G=yb,ST[cb];local V,b=rb,Xb;local d,Q=Cb,Zb;do fT=0;end;local R=JT;while(nb)do if(fT~=0)then break;else R=(Q and Q()or Gb);fT=1;end;end;fT=2;local x,O,o=JT,G0(4,nil,nil,KT,{},oT,802.1015443652608,84,fT,{},54,JT),(G0(3,nil,nil,JT,fT,30,43,GT,87,u,fT));while(G0(2,G0(0,nil,nil,{},{},{},fT,535.1210308674133,36.531633285607846,IT,{},915.2897592832184,Cb),2))do if(not(fT<=0))then do if(fT~=1)then x={};fT=0;else fT=3;end;end;else O=1;fT=1;end;end;do fT=0;end;local t,j,F=JT,G0(0,nil,nil,yb,lT,fT,JT,213.3384035126012,862.5185477375489,fT,{}),G0(8,nil,nil,fT,NT,29,sT,JT,91,{},w8,KT);while(G0(10,G0(9,nil,nil,fT,iT,UT,{},V,92,fT,fT,DT),3))do do if(not(fT<=0))then if(fT==1)then fT=3;else do j=Pb;end;fT=1;end;else fT=2;end;end;end;local q,f=G0(11,nil,nil,G,sT,i,jT,cb,110.92424361724262,JT,5),(G0(11,nil,nil,fT,38,WT,bT,{},Zb,JT));for kr=0,2 do if(not(kr<=0))then if(kr~=1)then f=function()local vF,yF,EF,jF,zF,LF=3,JT,JT,JT,JT,JT;while(nb)do if(vF<=1)then if(vF~=0)then return LF*(vT({},{[Hb]=function(M9,R9)local S9=1;while(nb)do if(S9~=0)then yF=yF-903;S9=0;else return (R9+yF);end;end;end})/-725127603)+zF*ib+jF*256+EF;else EF,jF,zF,LF=P(j,O,O+3);vF=2;end;else if(vF~=2)then yF=741905722;vF=0;else O=O+4;do vF=1;end;end;end;end;end;else q=function()local xM=P(j,O,O);local VM=(1);while(nb)do if(VM~=0)then do O=O+1;end;VM=0;else return xM;end;end;end;end;else j=G0(12,nil,nil,p,o,fT,67,{},85,75,665.8574626658816,Zb,H)(G(G0(0,nil,nil,ET,u,Gb,j,{},fT,c),5),Ib,function(z4)if(P(z4,2)~=72)then local kP,cP=0,(JT);do while(nb)do if(kP==0)then cP=I(c(z4,16));kP=1;else if(not(F))then return cP;else local Vr=u(cP,F);F=JT;return Vr;end;break;end;end;end;else for UL=0,1 do do if(UL~=0)then return ub;else F=c(G(z4,1,1));end;end;end;end;end);end;end;do fT=0;end;local J,l,E=G0(9,nil,nil,fT,784.7966292129033,fT,58,t,VT,W,JT,kT),G0(3,nil,nil,JT,x,67,jT,y,cb),G0(4,nil,nil,{},{},kT,u,gT,{},45,G,JT,I);repeat if(not(fT<=0))then if(fT~=1)then l=4294967296;fT=1;else E=G0(13,2,52);break;end;else J=2147483648;fT=2;end;until(Ub);local h={[(G0(14,G0(7,nil,nil,VT,vT,fT,t,fT,300.24969243398544,175.96341770264888,81)({},{__mul=function(RE,zE)for yB=0,1 do if(yB~=0)then ZT=ZT-914;else CT=CT-883;end;end;return ((zE+CT)+ZT);end}),-2209791050))]=1};fT=0;local B=(G0(15,nil,nil,q,y,JT,850.6775912029696,W,{},JT));while(G0(5,nil,nil,17,JT,C,56,34,nb))do if(fT~=0)then B=function(lC,xC,UC)local OC=1;local MC=((UC/h[xC])%h[lC]);while(nb)do if(OC~=0)then MC=MC-MC%1;do OC=0;end;else return MC;end;end;end;do break;end;else do local wq=(2);for NX=1,(G0(15,nil,nil,l,0.2544613926857744,vT,640.6519609764795,kT,127.49892257909957,dT,JT,fT,fT)({},{__div=function(mq,nq)return nq;end})/31) do local nX=1;while(G0(6,nX,2))do if(not(G0(1,nX,0)))then h[NX]=wq;nX=0;else do wq=G0(11,nil,nil,l,{},nX,p,MT,81,wq,fT,NX,92)*2;end;do nX=2;end;end;end;end;end;fT=1;end;end;fT=0;local e,s=JT,JT;while(G0(2,fT,1))do if(not(G0(1,fT,0)))then s=function()local f7=f();local x7=(f());if(not(f7==0 and x7==0))then else return 0;end;local m7=((-1)^B(1,31,x7));local F7,t7,T7=JT,JT,JT;local h7=(1);repeat if(not(h7<=1))then if(h7<=2)then if(F7==0)then if(t7~=0)then local QV,JV=972679787,(Vb);for mo=0,1 do do if(mo~=0)then T7=0;else F7=(vT({},{[bb]=function(JJ,HJ)local UJ=(1);repeat if(UJ<=0)then do QV=QV-33;end;do UJ=2;end;else if(UJ~=1)then return ((HJ-JV)+QV);else JV=JV+537;UJ=0;end;end;until(Ub);end})+-933809027);end;end;end;else return m7*0;end;elseif(F7~=2047)then else do if(t7~=0)then return m7*(1/0);else return m7*(0/0);end;end;end;h7=0;else if(h7~=3)then t7=B(20,0,x7)*l+f7;h7=3;else T7=1;h7=2;end;end;else if(h7~=0)then do F7=B(11,20,x7);end;do h7=4;end;else return m7*(2^(F7-zb))*(t7/E+T7);end;end;until(Ub);end;fT=2;else e=function()local eL,ZL=JT,JT;local dL=2;while(nb)do if(not(dL<=0))then if(dL~=1)then do eL,ZL=f(),f();end;dL=0;else return ZL*l+eL;end;else if(ZL>=J)then ZL=ZL-l;end;dL=1;end;end;end;fT=1;end;end;local S={[0]={[0]=(G0(16,vT({},{__concat=function(hx,gx)return gx;end}),0)),1,2,(G0(13,G0(3,nil,nil,vT,hT,W,61,KT,C,NX,{})({},{[pb]=function(SJ,uJ)do CT=CT+358;end;return (uJ-CT);end}),1556641984)),(G0(4,nil,nil,{},t,75,i,42,fT,fT,708.9256466459968,vT,PT)({},{__mul=function(ju,Hu)local ku=0;while(nb)do do if(not(ku<=1))then if(ku~=2)then do GT=GT-52;end;do ku=1;end;else return (((Hu-nT)+GT)-PT);end;else do if(ku~=0)then do PT=PT+73;end;ku=2;else nT=nT+216;ku=3;end;end;end;end;end;end})*-424905902),5,6,7,(vT({},{__mod=function(N0,h0)do return h0;end;end})%8),(G0(17,G0(15,nil,nil,kr,63.23240548826844,vT,E,fT,pT,875.2973327402848,O)({},{[bb]=function(l9,T9)local z9=(0);repeat if(not(z9<=0))then if(z9==1)then do HT=HT-971;end;do break;end;else uT=uT-362;do z9=1;end;end;else do IT=IT-821;end;z9=2;end;until(Ub);return (((T9+IT)+uT)+HT);end}),-3145323416)),10,(vT({},{[Wb]=function(VS,oS)local WS=(1);repeat if(not(WS<=0))then if(WS~=1)then iT=iT-505;do WS=0;end;else IT=IT+db;WS=2;end;else return ((oS-IT)+iT);end;until(Ub);end})-542921875),12,(vT({},{[Qb]=function(Et,Bt)UT=UT+851;uT=uT+984;return ((Bt-UT)-uT);end})%2204977533),14,(G0(18,vT({},{__sub=function(Sh,Nh)local Kh=1;do repeat if(Kh~=0)then ZT=ZT+302;Kh=0;else return (Nh-ZT);end;until(Ub);end;end}),653149744))},{[0]=1,0,3,2,5,4,7,6,(G0(7,nil,nil,BT,vT,76,Cb,192.03190073316483,691.4935761374411,fT)({},{__sub=function(Jn,In)UT=UT+383;zT=zT-491;local vn=(1);do while(nb)do if(not(vn<=0))then if(vn~=1)then VT=VT+552;vn=0;else HT=HT-510;vn=2;end;else return ((((In-UT)+zT)+HT)-VT);end;end;end;end})-418478827),8,11,10,13,12,(G0(18,vT({},{[G0(15,nil,nil,915.5135316988624,fT,Wb,78,dT,HT,fT,wq)]=function(x5,d5)HT=HT+98;do zT=zT+690;end;return ((d5-HT)-zT);end}),2083403283)),14},{[(G0(8,nil,nil,R,50,l,{},vT,{})({},{__div=function(Nh,ah)for AN=0,3 do if(not(AN<=1))then if(AN~=2)then return (((ah+bT)+pT)+WT);else WT=WT-82;end;else if(AN==0)then bT=bT-Rb;else pT=pT-569;end;end;end;end})/-2785460777)]=(vT({},{__add=function(Qw,dw)return dw;end})+2),3,(G0(14,vT({},{[xb]=function(AF,MF)local cF=(0);do repeat if(cF~=0)then return (MF+uT);else uT=uT-410;cF=1;end;until(Ub);end;end}),-427064076)),1,6,7,4,5,(G0(16,vT({},{[Ob]=function(Ov,Xv)local Sv=(1);do repeat do if(Sv~=0)then dT=dT+751;Sv=0;else return (Xv-dT);end;end;until(Ub);end;end}),477354536)),11,8,(G0(19,G0(5,nil,nil,E,fT,Pb,502.2775252276134,78,vT,ZT,269.2480742647461)({},{__div=function(Iu,lu)do return lu;end;end}),9)),14,15,12,13},{[(vT({},{[G0(7,nil,nil,963.7785880111876,xb,V,Gb,U,GT,fT)]=function(Pc,Sc)for tW=0,4 do do if(tW<=1)then if(tW==0)then do QT=QT-ob;end;else RT=RT+214;end;else if(not(tW<=2))then do if(tW~=3)then return ((((Sc+QT)-RT)+xT)-OT);else OT=OT+356;end;end;else xT=xT-27;end;end;end;end;end})*-1510240205)]=3,2,1,0,7,6,5,4,11,10,9,(G0(8,nil,nil,784.777155674114,u,{},55,vT,LT,B,iT)({},{[G0(9,nil,nil,fT,{},44,fT,JT,40,{},Ob)]=function(jO,EO)do return EO;end;end})..8),15,14,13,12},{[0]=4,5,6,(G0(20,G0(8,nil,nil,28,5,{},WT,vT,KT,92,71,748.6115976037125,55.358526412962604)({},{[G0(0,nil,nil,647.7046103462077,lT,168.13620708171032,Qb,CT,j)]=function(sn,pn)do return pn;end;end}),7)),0,1,2,3,12,13,14,15,8,9,(G0(19,vT({},{__div=function(kz,Gz)do ZT=ZT-303;end;do oT=oT-397;end;local gz=0;while(nb)do if(gz~=0)then do return (((Gz+ZT)+oT)+bT);end;else bT=bT-38;do gz=1;end;end;end;end}),-2751552172)),11},{[0]=5,4,7,(vT({},{__mod=function(dc,ic)PT=PT+618;return (ic-PT);end})%724080532),1,0,3,2,(vT({},{[G0(15,nil,nil,H,i,Qb,GT,928.9205314806384,f,Ub,41.980330973223026,Q,772.7871848246945)]=function(Ua,Ka)local Aa=1;repeat do if(Aa~=0)then do QT=QT-147;end;Aa=0;else return (Ka+QT);end;end;until(Ub);end})%-1999147554),(G0(19,G0(15,nil,nil,15,p,vT,55,DT,LT)({},{[Hb]=function(pq,rq)local Aq=(2);while(nb)do if(not(Aq<=0))then do if(Aq~=1)then tT=tT+705;Aq=1;else do jT=jT-tb;end;Aq=0;end;end;else return ((rq-tT)+jT);end;end;end}),jb)),15,14,(G0(16,G0(11,nil,nil,nX,p,b,850.8814740242088,Cb,LT,vT)({},{[G0(5,nil,nil,Gb,qT,kr,I,gT,Ob,64.69037499122945,305.0703862661775,{},tT)]=function(cl,Ml)xT=xT+592;nT=nT-512;local Rl=0;while(nb)do if(Rl~=0)then return (((Ml-xT)+nT)-FT);else do FT=FT+954;end;Rl=1;end;end;end}),Fb)),8,11,10},{[(vT({},{__pow=function(wl,dl)local pl=0;repeat if(not(pl<=1))then if(not(pl<=2))then if(pl~=3)then do dT=dT+710;end;do pl=2;end;else return ((((dl+qT)+uT)-dT)-tT);end;else tT=tT+153;pl=3;end;else if(pl~=0)then do uT=uT-911;end;pl=4;else qT=qT-383;do pl=1;end;end;end;until(Ub);end})^-194506606)]=6,7,4,(G0(16,G0(8,nil,nil,W,nX,fT,{},vT,nb,d)({},{__concat=function(H5,c5)local u5=0;do while(u5~=2)do if(u5~=0)then FT=FT-315;u5=2;else QT=QT+111;u5=1;end;end;end;u5=2;repeat if(not(u5<=0))then if(u5~=1)then bT=bT+748;u5=1;else VT=VT-566;u5=0;end;else do return ((((c5-QT)+FT)-bT)+VT);end;end;until(Ub);end}),qb)),2,3,0,1,14,15,12,13,10,(G0(18,G0(15,nil,nil,15,u,vT,202.03753189514222,bT,95,{},{},dT)({},{[G0(15,nil,nil,P,kT,Wb,{},9,w8,{},fT,46.58093929206335)]=function(na,Ba)do xT=xT-798;end;return (Ba+xT);end}),-961645297)),(G0(13,vT({},{__pow=function(Vx,bx)for IA=0,2 do if(not(IA<=0))then if(IA~=1)then jT=jT+633;else QT=QT+262;end;else GT=GT-498;end;end;return (((bx+GT)-QT)-jT);end}),1400215396)),(G0(16,G0(0,nil,nil,nX,IT,{},vT,48,948.3452652910702,cb,KT,w8)({},{__concat=function(lk,Uk)return Uk;end}),9))},{[(G0(0,nil,nil,93.01056179050006,nb,J,vT,kr,fT)({},{[Wb]=function(Zc,Vc)for IZ=0,1 do do if(IZ~=0)then return (Vc-qT);else qT=qT+686;end;end;end;end})-1676408282)]=7,6,5,4,3,2,1,(G0(19,G0(7,nil,nil,Xb,vT,{},792.620905388731,t,f)({},{[G0(0,nil,nil,695.2284441103432,75,rb,Hb,nb,UT,{},jb,598.7261555544627)]=function(aS,SS)UT=UT+571;QT=QT-416;return ((SS-UT)+QT);end}),-221233536)),15,14,(G0(19,G0(15,nil,nil,Ib,UT,vT,82,nT,E,mT,VT,w8,Pb)({},{[Hb]=function(NZ,WZ)uT=uT-615;do return (WZ+uT);end;end}),-427062537)),12,(G0(18,vT({},{[G0(8,nil,nil,qT,I,814.3854016011095,o,Wb,fT,933.1501812074523)]=function(x7,l7)local C7=(1);repeat if(not(C7<=1))then if(C7~=2)then oT=oT+426;C7=4;else QT=QT+902;C7=3;end;else if(C7==0)then nT=nT-966;C7=2;else VT=VT+188;C7=0;end;end;until(C7==4);return ((((l7-VT)+nT)-QT)-oT);end}),3255928170)),10,9,8},{[0]=8,9,10,11,12,13,(G0(4,nil,nil,{},fT,{},B,25,73,C,Pb,vT)({},{__sub=function(xq,iq)return iq;end})-14),15,0,(G0(0,nil,nil,90,ST,WT,vT,W,{},769.9483644602113,{},{},l)({},{__add=function(OS,JS)do return JS;end;end})+1),2,3,4,5,6,7},{[(G0(16,vT({},{[G0(15,nil,nil,615.3964263836807,DT,Ob,85,bb,fT,{},{},76)]=function(nh,eh)local Zh=(1);do while(nb)do do if(Zh<=1)then do if(Zh~=0)then FT=FT-214;Zh=2;else nT=nT+55;do Zh=3;end;end;end;else if(Zh~=2)then return (((eh+FT)-zT)-nT);else zT=zT+44;do Zh=0;end;end;end;end;end;end;end}),-590522716))]=9,8,(G0(9,nil,nil,126.87450655756702,TT,57,345.4792010080171,66,fT,R,vT,887.8119745499299)({},{[bb]=function(bI,GI)return GI;end})+11),(G0(3,nil,nil,vT,{},nX,nX,93,kT,x,95,{})({},{__div=function(s2,k2)return k2;end})/10),(G0(3,nil,nil,vT,{},57,98,nX,896.529767781436,228.96549169961932,41.98450191633911,0)({},{__add=function(Eu,iu)local ru=(1);while(nb)do if(not(ru<=1))then do if(ru~=2)then do return (((iu-IT)+GT)-OT);end;else GT=GT-121;ru=0;end;end;else if(ru==0)then OT=OT+83;ru=3;else IT=IT+693;ru=2;end;end;end;end})+869881254),12,15,(vT({},{__add=function(uE,CE)local NE=1;while(nb)do do if(NE~=0)then GT=GT-848;NE=0;else return (CE+GT);end;end;end;end})+-1274392165),1,0,3,(G0(14,G0(12,nil,nil,52,MT,ET,157.54007246696327,eT,fT,x,w8,306.33912746611423,vT)({},{[xb]=function(cc,Ec)return Ec;end}),2)),5,4,7,6},{[0]=(G0(9,nil,nil,79,tT,w8,sT,{},Pb,fT,vT,92)({},{[Hb]=function(al,yl)local el=0;while(nb)do if(not(el<=0))then if(el~=1)then GT=GT-866;el=1;else return ((yl+pT)+GT);end;else pT=pT-477;el=2;end;end;end})/-2154537341),11,8,9,14,(G0(18,G0(5,nil,nil,30,{},464.22605030456674,120.24757031595014,nX,vT,83)({},{__sub=function(sj,Qj)for c4=0,1 do if(c4~=0)then nT=nT-fb;else do zT=zT+315;end;end;end;return ((Qj-zT)+nT);end}),923573133)),12,13,2,3,0,1,(G0(0,nil,nil,347.88857640021763,vT,pT,vT,446.62355034480083,ST,64,21,{},572.4105508889319)({},{[G0(5,nil,nil,pT,NX,q,yb,l,Wb)]=function(Pv,Yv)return Yv;end})-6),(G0(16,G0(3,nil,nil,vT,920.9099770259398,fT,{},KT,{},{},xb)({},{[G0(0,nil,nil,b,8,fT,Ob,ZT,o)]=function(F2,X2)local a2=(1);while(nb)do do if(a2~=0)then dT=dT-917;a2=0;else return (X2+dT);end;end;end;end}),-477354312)),(G0(13,G0(4,nil,nil,yb,86,69.27636908488688,37.03158632087552,{},GT,Ub,94,vT)({},{[G0(3,nil,nil,pb,70.25554508361806,w8,NT,87,P,55,{},fT,173.6157096888155)]=function(vP,wP)return wP;end}),4)),(vT({},{__pow=function(TJ,QJ)do pT=pT+Jb;end;return (QJ-pT);end})^880146710)},{[0]=11,10,9,(G0(13,G0(0,nil,nil,61,Wb,f,vT,551.4034831729716,{},{},383.5563323705793,67,nb)({},{[pb]=function(iM,IM)return IM;end}),8)),15,14,(vT({},{[G0(4,nil,nil,379.5015218327004,rb,6,fT,{},300.65240925550046,pT,476.432021447551,bb,{})]=function(Nz,pz)return pz;end})+13),12,3,(G0(7,nil,nil,{},vT,nX,kT,20,Ib)({},{[G0(3,nil,nil,Wb,12,79,AT,Xb,aT,x)]=function(wW,NW)local OW=(3);repeat if(not(OW<=1))then do if(OW~=2)then iT=iT-154;do OW=0;end;else return (((NW+iT)-GT)-VT);end;end;else if(OW~=0)then do VT=VT+38;end;OW=2;else GT=GT+64;OW=1;end;end;until(Ub);end})-857445193),1,(G0(13,G0(11,nil,nil,MT,21,{},fT,236.39512956444437,Ob,vT,67,238.45800695401596,{})({},{[pb]=function(lf,cf)local Ef=2;repeat if(Ef<=1)then if(Ef~=0)then xT=xT-991;Ef=3;else do return (((cf-tT)+xT)-jT);end;end;else if(Ef~=2)then do jT=jT+946;end;Ef=0;else tT=tT+392;Ef=1;end;end;until(Ub);end}),1145426536)),7,6,5,4},{[0]=12,13,14,15,8,9,10,11,4,(G0(8,nil,nil,KT,sT,W,{},vT,s,{})({},{__pow=function(Cy,Wy)local ry=(0);do while(nb)do if(ry~=0)then do return (Wy+RT);end;else RT=RT-885;ry=1;end;end;end;end})^-990114386),6,7,0,1,2,3},{[0]=13,12,15,14,9,8,11,10,5,4,(vT({},{__concat=function(z9,F9)local C9=0;repeat if(C9~=0)then do IT=IT+388;end;C9=2;else WT=WT-770;C9=1;end;until(C9==2);qT=qT+393;dT=dT+356;return ((((F9+WT)-IT)-qT)-dT);end})..3372471327),6,1,0,3,(G0(19,G0(9,nil,nil,fT,S,6,UT,h,{},78,vT)({},{[G0(7,nil,nil,{},Hb,kr,lT,E,232.369909141036)]=function(Yf,Gf)do return Gf;end;end}),2))},{[(G0(3,nil,nil,vT,fT,34,S,TT,bT,17)({},{[G0(9,nil,nil,{},FT,82,44,X,603.5562697470784,P,pb,{})]=function(k0,q0)local W0=(1);repeat if(W0~=0)then do uT=uT-lb;end;W0=0;else return (q0+uT);end;until(Ub);end})^-427061755)]=14,15,12,13,10,11,8,9,6,7,4,5,(G0(19,vT({},{__div=function(YU,CU)for Im=0,3 do if(Im<=1)then if(Im~=0)then do iT=iT-560;end;else do qT=qT+776;end;end;else if(Im~=2)then return (((CU-qT)+iT)-oT);else oT=oT+492;end;end;end;end}),1193715362)),(G0(7,nil,nil,{},vT,S,b,Hb,37,271.6095869990555,bT,{})({},{[G0(4,nil,nil,C,41,CT,781.732651889517,QT,fT,345.7563698316066,x,xb)]=function(jK,ZK)local bK=0;while(nb)do if(bK<=0)then RT=RT+317;do bK=1;end;else if(bK==1)then GT=GT-187;bK=2;else do return ((ZK-RT)+GT);end;end;end;end;end})*-284276479),0,1},{[0]=(G0(18,vT({},{[G0(8,nil,nil,cb,{},JT,NT,Wb,{},qb)]=function(I8,u8)do return u8;end;end}),15)),14,13,12,11,10,9,8,(G0(14,G0(8,nil,nil,{},QT,{},bb,vT,aT,Ob,103.9553189048215)({},{[G0(7,nil,nil,{},xb,GT,fT,80,70)]=function(HZ,cZ)local tZ=(3);do while(nb)do if(not(tZ<=1))then if(not(tZ<=2))then if(tZ~=3)then do return ((((cZ+RT)-OT)+ZT)+VT);end;else do RT=RT-869;end;tZ=2;end;else OT=OT+870;tZ=0;end;else do if(tZ~=0)then VT=VT-87;do tZ=4;end;else do ZT=ZT-316;end;tZ=1;end;end;end;end;end;end}),-1906791696)),(G0(15,nil,nil,{},qT,vT,595.8935262151499,H,286.03719155552733)({},{__mod=function(qQ,iQ)local IQ=3;while(nb)do if(not(IQ<=1))then if(IQ~=2)then tT=tT-229;IQ=2;else VT=VT-794;IQ=1;end;else if(IQ~=0)then QT=QT-570;IQ=0;else return (((iQ+tT)+VT)+QT);end;end;end;end})%-4154723592),5,(vT({},{[G0(5,nil,nil,47,O,{},Pb,f,Ob)]=function(HI,LI)local FI=(2);do while(nb)do do if(not(FI<=1))then if(FI~=2)then return (((LI-pT)+RT)+QT);else pT=pT+393;FI=1;end;else if(FI~=0)then do RT=RT-995;end;FI=0;else QT=QT-405;FI=3;end;end;end;end;end;end})..-2109113193),3,2,1,0}};local K=((Eb or hb));local T=(K and G0(11,nil,nil,42,iT,{},25,81,e,K,61,1,442.02542406270993)[Bb]or function(Vn,Xn)local qn,On=JT,(JT);local An=3;do while(nb)do if(not(An<=2))then do if(not(An<=3))then if(An~=4)then do return On+Vn*qn+Xn*qn;end;else do On=0;end;do An=0;end;end;else Vn=Vn%l;An=2;end;end;else if(not(An<=0))then if(An~=1)then Xn=Xn%l;An=1;else qn=1;An=4;end;else do while(Vn>0 and Xn>0)do local SW=Xn%16;local qW=(Vn%16);On=On+S[qW][SW]*qn;Vn=(Vn-qW)/16;Xn=(Xn-SW)/16;qn=qn*16;end;end;An=5;end;end;end;end;end);local L=K and G0(7,nil,nil,606.9869862184975,K,82,DT,26.81931185135288,w8,{},190.95544916782174,nT,60)[eb]or function(kj,xj)local ij=0;while(nb)do if(ij==0)then kj=kj%l;do ij=1;end;else xj=xj%l;break;end;end;return ((kj+xj)-T(kj,xj))/2;end;local g=(K and G0(5,nil,nil,{},6,C,Ob,T,K,x,jb)[sb]or function(km,Lm)do km=km%l;end;local xm=0;repeat if(xm==0)then Lm=Lm%l;xm=1;else do return l-L(l-km,l-Lm);end;end;until(Ub);end);local Y=(K and G0(11,nil,nil,fT,xb,G,{},VT,74,K,280.47143769330745)[Sb]or function(k7)do return l-(k7%l);end;end);local D=G0(5,nil,nil,uT,NX,lT,Q,T,K)and G0(3,nil,nil,K,bb,{},{},fT,293.3240020967295,IT,152.30691837749075,86,473.69953829543476)[Kb];local M=K and K[Tb];do fT=0;end;while(G0(2,fT,1))do if(fT~=0)then D=D or function(aR,AR)local jR,rR=0,JT;repeat if(not(jR<=0))then if(jR~=1)then rR=(aR%l/h[AR]);jR=3;else if(not(AR<0))then else return M(aR,-AR);end;do jR=2;end;end;else if(not(AR>=32))then else return 0;end;jR=1;end;until(jR==3);return rR-rR%1;end;fT=2;else M=G0(4,nil,nil,{},LT,V,fT,938.8245798532198,mT,O,290.7535792494137,M)or function(rz,Oz)local xz=(1);do while(nb)do do if(not(xz<=0))then if(xz~=1)then return (rz*h[Oz])%l;else if(not(Oz>=32))then else do return 0;end;end;do xz=0;end;end;else do if(not(Oz<0))then else return D(rz,-Oz);end;end;xz=2;end;end;end;end;end;do fT=1;end;end;end;local A,N=G0(5,nil,nil,775.0358755021668,fT,{},72,23,JT,{},nX),(JT);for nH=0,2 do if(nH<=0)then A=function(Ja)local Xa,ra,Ga,aa=0,JT,JT,JT;repeat if(not(Xa<=0))then if(Xa~=1)then aa={P(j,O,O+(vT({},{[pb]=function(QN,VN)for rq=0,2 do if(not(rq<=0))then if(rq==1)then ra=ra-115;else do return ((VN-Ga)+ra);end;end;else Ga=Ga+Lb;end;end;end})^268704467))};do break;end;else Ga=1029088717;Xa=2;end;else ra=760385016;Xa=1;end;until(Ub);O=O+4;local ma=(T(aa[1],t));local na=(T(aa[(vT({},{[Ob]=function(mA,NA)return NA;end})..2)],t));local qa=(T(aa[3],t));local Aa=T(aa[4],t);do t=(165*t+Ja)%256;end;return Aa*16777216+qa*65536+na*256+ma;end;else if(G0(1,G0(8,nil,nil,AT,28,LT,106.16202169898321,nH,Fb),1))then do N=function(Ze)local He=(f());local ne=(ub);for we=1,He,gb do local pe,ae=JT,(JT);for OC=0,1 do if(OC~=0)then ae=we+7997-1;else pe=843352104;end;end;if(ae>He)then ae=He;end;local xe=({P(j,O+we-(vT({},{[Qb]=function(AJ,OJ)return OJ;end})%1),O+ae-1)});local Re=(1);do while(nb)do if(Re~=0)then for Y0=(vT({},{__mod=function(Rs,Zs)local Cs=0;repeat do if(Cs~=0)then return (Zs+pe);else pe=pe-Yb;do Cs=1;end;end;end;until(Ub);end})%-843351870),#xe do local x0=(JT);for fK=0,2 do do if(not(fK<=0))then if(fK~=1)then do o=(Ze*o+(vT({},{__pow=function(Ko,Yo)local ro=(1);while(nb)do if(ro~=0)then do x0=x0+899;end;ro=0;else return (Yo-x0);end;end;end})^Mb))%256;end;else xe[Y0]=T(xe[Y0],o);end;else x0=997894610;end;end;end;end;Re=0;else ne=ne..I(W(xe));break;end;end;end;end;O=O+He;return ne;end;end;else do o=q();end;end;end;end;do fT=3;end;local m,v,k,a,wT=JT,G0(3,nil,nil,JT,S,IT,{},753.0835240162476,{}),JT,G0(15,nil,nil,Pb,aT,JT,{},29,66,{}),G0(7,nil,nil,O,JT,J,F,hT,UT);while(nb)do if(not(G0(2,fT,3)))then if(not(fT<=5))then if(fT==6)then m={};fT=0;else a=1;do fT=5;end;end;else if(fT==4)then do break;end;else do wT={};end;fT=4;end;end;else if(not(G0(2,fT,1)))then if(not(G0(1,fT,2)))then t=G0(11,nil,nil,Cg,76,378.0916441960713,rb,x,392.1197696924605,q)();fT=6;else v=function(...)return y(Db,...),{...};end;fT=1;end;else if(fT~=0)then k={};do fT=7;end;else for sI=1,q() do local zI,WI=641969893,{};for e7=0,1 do if(e7~=0)then for DF=1,q() do local GF,aF=G0(9,nil,nil,{},{},AT,g,Hb,f,{},JT,447.26102506003036),(G0(5,nil,nil,BT,Fb,b,YT,{},JT,fT,134.8986552510773,H,xT));for Cg=0,3 do if(Cg<=1)then if(not(G0(1,Cg,0)))then aF=(G0(12,nil,nil,j,u,44,94,Wb,fT,73,B,{},DF)-1)*2;else do GF=q();end;end;else do if(not(G0(1,G0(7,nil,nil,fT,Cg,{},{},b,g),2)))then WI[aF+1]=G0(3,nil,nil,B,aF,a,J,IT,Ib,O,eT,16)(4,4,G0(8,nil,nil,g,8,178.4639955520313,24,GF,fT,90));else do WI[aF]=G0(15,nil,nil,Eb,fT,B,81,{},fT,Ob,zI)(4,0,GF);end;end;end;end;end;end;else (m)[sI-(vT({},{[Ob]=function(QR,NR)zI=zI+814;return (NR-zI);end})..641970708)]=WI;end;end;end;fT=2;end;end;end;end;local yT,cT,rT,XT=G0(5,nil,nil,211.56253795943897,xb,62,fT,604.2116569035529,JT,Sb,u),G0(5,nil,nil,{},{},{},39,d,JT,j),JT,JT;for Ap=0,6 do if(not(Ap<=2))then if(not(Ap<=4))then if(not(G0(1,G0(4,nil,nil,zT,{},iT,JT,{},nb,{},c,Ap),5)))then return G0(8,nil,nil,qb,{},rT,{},yT,Sb)(G0(8,nil,nil,81,{},fT,55,R,681.3110343629705,UT,w),G0(3,nil,nil,rT,{},Hb,XT,15,15,NT,{}),JT)(XT,...);else function XT(ls)local Vs,cs,xs=1,JT,JT;while(Vs<2)do if(Vs~=0)then cs=1610961101;Vs=0;else xs=C0;Vs=2;end;end;local Qs,us,Cs,Gs=JT,JT,JT,JT;for nH=0,5 do if(nH<=2)then do if(not(nH<=0))then if(nH~=1)then do ls=H(G(ls,5),Ib,function(pH)return I(c(pH,16));end);end;else do us=Z0;end;end;else Qs=299896895;end;end;else do if(not(nH<=3))then if(nH~=4)then function Gs(gq,jq,tq,Aq)local eq=2;do while(nb)do do if(not(eq<=1))then if(eq==2)then do if(Aq>=256)then local Zz=0;do while(Zz<=1)do if(Zz==0)then Aq,jq=0,jq+1;do Zz=1;end;else if(not(jq>=256))then else for Wy=0,1 do if(Wy~=0)then jq=1;else tq={};end;end;end;Zz=2;end;end;end;end;end;eq=1;else return tq,Aq,jq;end;else if(eq~=0)then tq[I(Aq,jq)]=gq;do eq=0;end;else Aq=Aq+1;do eq=3;end;end;end;end;end;end;end;else for Nf=0,255 do (Cs)[I(Nf,0)]=I(Nf);end;end;else Cs={};end;end;end;end;local ms=({});local Ms,Hs=0,(vT({},{__mul=function(gD,vD)for kP=0,1 do if(kP==0)then us=us-509;else do Qs=Qs+n0;end;end;end;local FD=2;repeat if(not(FD<=0))then if(FD~=1)then xs=xs-980;FD=0;else return ((((vD+us)-Qs)+xs)-cs);end;else cs=cs+736;do FD=1;end;end;until(Ub);end})*-301731925);Vs=2;local ts,Ds,ns=JT,JT,(JT);while(Vs~=3)do if(Vs<=0)then ns=#ls;do Vs=3;end;else do if(Vs==1)then Ds=1;Vs=0;else ts={};do Vs=1;end;end;end;end;end;local qs=JT;do for EE=0,4 do if(not(EE<=1))then do if(not(EE<=2))then if(EE==3)then do for BZ=3,ns,2 do local eZ=2;local RZ,nZ,uZ=JT,JT,(JT);while(eZ<=4)do if(not(eZ<=1))then if(not(eZ<=2))then if(eZ~=3)then do uZ=Cs[RZ]or ms[RZ];end;do eZ=0;end;else qs=RZ;do eZ=5;end;end;else do RZ=G(ls,BZ,BZ+1);end;eZ=1;end;else if(eZ~=0)then nZ=Cs[qs]or ms[qs];eZ=4;else if(uZ)then local tu,yu=3,JT;repeat if(not(tu<=1))then if(tu~=2)then yu=1380704998;tu=1;else ms,Ms,Hs=Gs(nZ..G(uZ,1,(vT({},{__pow=function(ku,mu)local ou=(0);while(nb)do if(ou~=0)then do return (mu-yu);end;else yu=yu+820;ou=1;end;end;end})^1380705819)),Hs,ms,Ms);break;end;else do if(tu==0)then do Ds=Ds+1;end;tu=2;else ts[Ds]=uZ;tu=0;end;end;end;until(Ub);else local jY,RY=3,JT;do while(jY<=3)do do if(jY<=1)then do if(jY~=0)then ts[Ds]=RY;jY=0;else Ds=Ds+(vT({},{[bb]=function(rh,Yh)return Yh;end})+1);jY=2;end;end;else if(jY~=2)then RY=nZ..G(nZ,1,(vT({},{[Wb]=function(c9,z9)return z9;end})-1));jY=1;else ms,Ms,Hs=Gs(RY,Hs,ms,Ms);jY=4;end;end;end;end;end;end;eZ=3;end;end;end;end;end;else do return ts;end;end;else do Ds=Ds+1;end;end;end;else do if(EE~=0)then (ts)[Ds]=Cs[qs]or ms[qs];else qs=G(ls,1,2);end;end;end;end;end;end;end;else if(Ap~=3)then do k=JT;end;else wT[1]=G0(9,nil,nil,78,Ub,399.25034045378396,vT,nT,JT,{},k);end;end;else do if(not(G0(2,Ap,0)))then do if(Ap==1)then function cT()local tc,wc,fc,Nc,Lc,Sc,Uc,lc,Dc,zc,Hc,Fc,Kc,Cc=JT,JT,JT,JT,JT,JT,JT,JT,JT,JT,JT,JT,JT,(JT);do for IQ=0,16 do if(not(IQ<=7))then if(not(IQ<=11))then if(not(IQ<=13))then if(not(IQ<=14))then if(IQ~=15)then do (zc)[8]=q();end;else do for wl=1,Cc do (zc[1])[wl-1]=cT();end;end;end;else Cc=f();end;else if(IQ~=12)then Kc=(vT({},{__sub=function(Po,Io)local Co=(0);while(nb)do do if(Co~=0)then do return (Io+Dc);end;else Dc=Dc-779;Co=1;end;end;end;end})- -1128538565);else Fc={};end;end;else if(not(IQ<=9))then if(IQ~=10)then Hc={};else zc={{},JT,{},JT,JT,{},JT,JT,JT};end;else if(IQ==8)then Dc=1128539345;else end;end;end;else if(not(IQ<=3))then do if(not(IQ<=5))then if(IQ~=6)then lc=w0;else Uc=709736471;end;else if(IQ==4)then Lc=1393924803;else do Sc=1919557715;end;end;end;end;else if(not(IQ<=1))then if(IQ~=2)then Nc=ab;else fc=1014732292;end;else do if(IQ==0)then tc=619238720;else wc=384439690;end;end;end;end;end;end;end;local xc=(JT);do for m8=0,3 do if(not(m8<=1))then do if(m8==2)then zc[(vT({},{__concat=function(bG,EG)local HG=2;while(nb)do if(not(HG<=0))then if(HG~=1)then lc=lc-377;HG=1;else Uc=Uc-y0;HG=0;end;else do return ((EG+lc)+Uc);end;end;end;end})..-2203777443)]=q();else xc=f()-133705;end;end;else if(m8==0)then (zc)[17]=q();else zc[4]=q();end;end;end;end;local Qc=(0);local rc,gc=JT,JT;repeat do if(Qc<=1)then if(Qc~=0)then gc=f()-133734;Qc=4;else rc=q();Qc=2;end;else if(Qc~=2)then zc[16]=f();Qc=1;else for o7=(vT({},{__sub=function(Wt,ht)local st=1;while(st<2)do if(st==0)then do Sc=Sc-278;end;st=2;else Dc=Dc+368;do st=0;end;end;end;return ((ht-Dc)+Sc);end})- -791018502),xc do local O7=(1656754367);local E7,S7,y7,k7=1,JT,JT,(JT);repeat if(not(E7<=0))then if(E7~=1)then k7=A(rc);break;else S7=1423568762;do E7=0;end;end;else y7={JT,JT,JT,JT,JT,JT,JT,JT,JT,JT};E7=2;end;until(Ub);E7=3;while(E7<=15)do do if(not(E7<=7))then do if(not(E7<=11))then if(not(E7<=13))then if(E7~=14)then y7[20]=B((vT({},{[Qb]=function(kA,GA)for PU=0,2 do if(not(PU<=0))then if(PU==1)then S7=S7+147;else do return ((GA-O7)-S7);end;end;else O7=O7+4;end;end;end})%3080323625),(vT({},{__add=function(Ba,Ja)return Ja;end})+9),k7);E7=4;else (y7)[10]=B(9,14,k7);E7=15;end;else if(E7~=12)then y7[14]=B(1,2,k7);do E7=6;end;else (y7)[(vT({},{__mod=function(se,le)local ie=1;repeat if(ie~=0)then do S7=S7-988;end;ie=0;else return (le+S7);end;until(Ub);end})%-1423569075)]=B(13,(vT({},{__add=function(q2,r2)do return r2;end;end})+7),k7);E7=6;end;end;else if(not(E7<=9))then if(E7~=10)then do y7[(vT({},{[Qb]=function(se,le)local ie=1;do repeat if(ie~=0)then S7=S7-988;ie=0;else do return (le+S7);end;end;until(Ub);end;end})%-1423569075)]=B(13,(vT({},{__add=function(q2,r2)return r2;end})+7),k7);end;E7=1;else do (y7)[20]=B((vT({},{[Qb]=function(kA,GA)for PU=0,2 do do if(not(PU<=0))then if(PU==1)then S7=S7+147;else return ((GA-O7)-S7);end;else do O7=O7+4;end;end;end;end;end})%3080323625),(vT({},{[bb]=function(Ba,Ja)return Ja;end})+9),k7);end;E7=16;end;else do if(E7==8)then (y7)[(vT({},{[Wb]=function(sh,Sh)local xh=0;while(nb)do do if(xh~=0)then return (Sh-S7);else S7=S7+870;xh=1;end;end;end;end})-1423570084)]=B(8,6,k7);E7=12;else do y7[1]=q();end;E7=13;end;end;end;end;end;else do if(not(E7<=3))then do if(not(E7<=5))then if(E7~=6)then (y7)[11]=B(1,20,k7);E7=9;else do (y7)[4]=B(18,14,k7);end;E7=11;end;else if(E7~=4)then (y7)[20]=B((vT({},{[Qb]=function(kA,GA)for PU=0,2 do do if(not(PU<=0))then if(PU~=1)then return ((GA-O7)-S7);else do S7=S7+147;end;end;else do O7=O7+4;end;end;end;end;end})%3080323625),(vT({},{[bb]=function(Ba,Ja)return Ja;end})+9),k7);E7=3;else y7[11]=B(1,20,k7);E7=16;end;end;end;else if(not(E7<=1))then if(E7~=2)then (y7)[(vT({},{__pow=function(VY,hY)local AY=0;while(nb)do if(AY~=0)then return (hY-S7);else S7=S7+449;AY=1;end;end;end})^1423569216)]=B(9,23,k7);E7=2;else (y7)[(vT({},{__sub=function(sh,Sh)local xh=0;while(nb)do if(xh~=0)then return (Sh-S7);else do S7=S7+870;end;do xh=1;end;end;end;end})-1423570084)]=B(8,6,k7);E7=13;end;else if(E7~=0)then (y7)[1]=q();E7=14;else y7[14]=B(1,2,k7);E7=6;end;end;end;end;end;end;end;do zc[6][o7]=y7;end;end;Qc=3;end;end;end;until(Qc>3);Qc=1;local Zc,kc=JT,JT;repeat do if(Qc~=0)then do Zc=q();end;Qc=0;else do kc=q()~=0;end;break;end;end;until(Ub);for kn=1,gc do local Rn,zn,Tn=1,JT,(JT);while(Rn<=1)do if(Rn~=0)then Rn=0;else Tn=q();Rn=2;end;end;Rn=0;do while(Rn~=1)do if(Tn==97)then zn=G(N(Zc),f());elseif(Tn==c0)then zn=e();elseif(Tn==223)then do zn=s();end;elseif(Tn==51)then zn=Ub;elseif(Tn==r0)then do zn=s();end;elseif(Tn==221)then do zn=G(N(Zc),6);end;elseif(Tn==36)then zn=nb;elseif(Tn==X0)then zn=G(N(Zc),f());elseif(Tn==213)then do zn=G(N(Zc),s()+f());end;elseif(Tn==12)then do zn=G(N(Zc),2);end;elseif(Tn~=243)then else zn=G(N(Zc),2);end;do Rn=1;end;end;end;do (Hc)[kn-1]=Kc;end;local Xn=({zn,{}});Rn=1;repeat if(Rn==0)then Kc=Kc+1;Rn=2;else Fc[Kc]=Xn;Rn=0;end;until(Rn==2);if(not(kc))then else k[a]=Xn;a=a+1;end;end;zc[5]=q();do Qc=0;end;local cc=JT;repeat do if(Qc<=1)then if(Qc==0)then zc[12]=f();Qc=3;else do zc[(vT({},{__concat=function(NX,mX)local kX=0;while(nb)do if(kX==0)then wc=wc+486;kX=1;else return (mX-wc);end;end;end})..384440178)]=q();end;Qc=5;end;else if(not(Qc<=2))then do if(Qc~=3)then zc[(vT({},{__sub=function(JR,iR)for sp=0,4 do if(not(sp<=1))then do if(not(sp<=2))then if(sp~=3)then do return ((((iR-lc)-Lc)-Nc)-fc);end;else fc=fc+260;end;else Nc=Nc+294;end;end;else do if(sp~=0)then Lc=Lc+532;else lc=lc+648;end;end;end;end;end})-4379321322)]=B((vT({},{__mul=function(lK,EK)return EK;end})*1),1,cc)~=(vT({},{[bb]=function(qw,Cw)do return Cw;end;end})+0);Qc=2;else cc=q();do Qc=4;end;end;end;else do zc[9]=B((vT({},{__div=function(Ln,Jn)return Jn;end})/1),2,cc)~=(vT({},{__pow=function(hk,qk)return qk;end})^0);end;Qc=1;end;end;end;until(Qc>4);local Ic=m[zc[2]];Qc=0;do repeat do if(not(Qc<=0))then if(Qc~=1)then return zc;else do zc[(vT({},{__pow=function(Qu,yu)local Wu=1;while(nb)do if(Wu~=0)then tc=tc-799;Wu=0;else do return (yu+tc);end;end;end;end})^-619237910)]=f();end;do Qc=2;end;end;else for oq=1,xc do local yq=(zc[6][oq]);local Gq,gq,eq=Ic[yq[1]],1,JT;do while(gq<2)do if(gq~=0)then eq=Gq==13;gq=0;else if(Gq~=8)then else local Av,Ev,fv=1,JT,(JT);while(nb)do if(not(Av<=0))then do if(Av~=1)then fv=Fc[Ev];Av=0;else do Ev=Hc[yq[4]];end;Av=2;end;end;else if(fv)then local Gh,Oh=372500557,(123490057);(yq)[6]=fv[(vT({},{[Ob]=function(cr,sr)return sr;end})..1)];local Dh=JT;local kh=0;do while(nb)do do if(kh~=0)then do (Dh)[#Dh+1]={yq,(vT({},{[bb]=function(mv,Xv)local vv=(0);while(nb)do if(not(vv<=0))then if(vv~=1)then return ((Xv-Oh)-Gh);else Gh=Gh+250;vv=2;end;else Oh=Oh+487;vv=1;end;end;end})+495991357)};end;break;else Dh=fv[2];do kh=1;end;end;end;end;end;end;break;end;end;end;gq=2;end;end;end;gq=0;do repeat if(not(gq<=0))then if(gq~=1)then if(Gq~=7)then else (yq)[4]=oq+(yq[4]-131071)+1;end;gq=3;else if(not((Gq==6 or eq)and yq[5]>255))then else local sM=0;local BM,xM,LM,RM=JT,JT,JT,JT;while(nb)do if(not(sM<=2))then if(not(sM<=3))then if(sM~=4)then RM=Fc[LM];sM=1;else do LM=Hc[yq[(vT({},{__pow=function(ky,hy)local Py=1;while(nb)do do if(not(Py<=0))then if(Py==1)then xM=xM-691;do Py=2;end;else BM=BM+578;Py=0;end;else return ((hy+xM)-BM);end;end;end;end})^-739843021)]-256];end;sM=5;end;else (yq)[2]=nb;do sM=4;end;end;else if(sM<=0)then BM=8123522;sM=2;else if(sM~=1)then xM=747967817;sM=3;else if(not(RM))then else local t8,J8=0,JT;while(t8<3)do if(not(t8<=0))then if(t8~=1)then do J8[#J8+1]={yq,9};end;t8=3;else J8=RM[2];t8=2;end;else (yq)[9]=RM[(vT({},{__pow=function(lr,ur)do return ur;end;end})^1)];t8=1;end;end;end;break;end;end;end;end;end;gq=2;end;else if(not((Gq==3 or eq)and yq[10]>255))then else local Oi=1452402317;local zi=487666746;local bi,Ji=JT,JT;for O7=0,3 do do if(not(O7<=1))then if(O7~=2)then do if(not(Ji))then else do (yq)[7]=Ji[1];end;local Bc,Xc=0,JT;while(Bc<2)do if(Bc~=0)then (Xc)[#Xc+1]={yq,7};Bc=2;else Xc=Ji[2];Bc=1;end;end;end;end;else do Ji=Fc[bi];end;end;else if(O7==0)then (yq)[8]=nb;else bi=Hc[yq[10]-(vT({},{__add=function(FD,tD)Oi=Oi+288;zi=zi-990;return ((tD-Oi)+zi);end})+964737105)];end;end;end;end;end;gq=1;end;until(gq==3);end;end;Qc=1;end;end;until(Ub);end;end;else rT=cT();end;end;else function yT(Z7,H7,g7)local D7=H7[6];local z7,C7=H7[8],(H7[3]);local A7,k7,a7=H7[7],H7[9],H7[2];local W7=H7[4];local c7=(H7[1]);local L7=z({},{[Ab]=Nb});local y7=(JT);y7=function(...)local uH=(0);local FH,NH=1,{};local RH=(Q and Q()or Gb);local gH=((RH==R and Z7 or RH));local OH,ZH=v(...);OH=OH-1;for fY=0,OH do if(W7>fY)then NH[fY]=ZH[fY+1];else break;end;end;wT[2]=H7;wT[3]=NH;if(not A7)then ZH=JT;elseif(not(k7))then else NH[W7]={n=OH>=W7 and OH-W7+1 or 0,W(ZH,W7+1,OH+1)};end;if(gH==RH)then else do if(not(d))then do Gb=gH;end;else d(y7,gH);end;end;end;while(true)do local K4=(D7[FH]);local G4=(K4[1]);FH=FH+1;if(not(G4<66))then do if(not(G4<99))then if(G4>=115)then if(not(G4<123))then if(not(G4>=127))then if(not(G4<125))then do if(G4~=126)then NH[K4[3]]=NH[K4[10]][NH[K4[5]]];else local YW=g7[K4[10]];(YW[1])[YW[2]]=NH[K4[3]];end;end;else if(G4~=124)then (NH)[K4[3]]=L(K4[7],NH[K4[5]]);else do if(NH[K4[10]]==K4[9])then else FH=FH+1;end;end;end;end;else do if(not(G4<129))then if(G4>=130)then if(G4==131)then (NH)[K4[3]]=NH[K4[10]][K4[9]];else (NH)[K4[3]]=T(NH[K4[10]],NH[K4[5]]);end;else (NH)[K4[3]]=NH[K4[10]]*K4[9];end;else if(G4==128)then do NH[K4[3]]=K4[7]%K4[9];end;else do NH[K4[3]]=NH[K4[10]]<NH[K4[5]];end;end;end;end;end;else do if(not(G4>=119))then if(not(G4>=vb))then if(G4==116)then NH[K4[3]]=NH[K4[10]]~=NH[K4[5]];else local kw,Jw=K4[3],(OH-W7);if(not(Jw<0))then else Jw=-1;end;do for VU=kw,kw+Jw do do NH[VU]=ZH[W7+(VU-kw)+1];end;end;end;do uH=kw+Jw;end;end;else do if(G4==118)then NH[K4[3]]=M(NH[K4[10]],K4[9]);else (NH)[K4[3]]=NH[K4[10]]+NH[K4[5]];end;end;end;else if(not(G4<121))then if(G4==122)then (NH)[K4[3]]=K4[7]*NH[K4[5]];else (NH)[K4[3]]=M(NH[K4[10]],NH[K4[5]]);end;else if(G4~=120)then local tz=(K4[3]);local Lz=(K4[5]-1)*50;for nM=1,uH-tz do (NH[tz])[Lz+nM]=NH[tz+nM];end;else (NH)[K4[3]]=g(NH[K4[10]],K4[9]);end;end;end;end;end;else if(not(G4>=107))then do if(not(G4>=103))then do if(not(G4>=kb))then if(G4~=100)then local p0=K4[3];(NH[p0])(NH[p0+1],NH[p0+2]);uH=p0-1;else do uH=K4[3];end;(NH[uH])();do uH=uH-1;end;end;else if(G4==102)then NH[K4[3]]=T(NH[K4[10]],K4[9]);else NH[K4[3]]=M(K4[7],K4[9]);end;end;end;else if(not(G4<105))then if(G4~=106)then NH[K4[3]]=g(NH[K4[10]],NH[K4[5]]);else do (NH[K4[3]])[K4[7]]=NH[K4[5]];end;end;else do if(G4==104)then if(K4[5]~=198)then for mH=K4[3],K4[10] do NH[mH]=JT;end;else FH=FH-1;(D7)[FH]={[1]=112,[3]=(K4[3]-230)%256,[10]=(K4[10]-230)%256};end;else local X4,H4,C4=K4[3],NH[K4[10]],(NH[K4[5]]);NH[X4+1]=H4;NH[X4]=H4[C4];end;end;end;end;end;else if(not(G4<111))then if(not(G4<113))then if(G4~=114)then (NH)[K4[3]]=K4[7]/K4[9];else NH[K4[3]]=K4[7]~=K4[9];end;else if(G4~=112)then (NH)[K4[3]]=NH[K4[10]]%NH[K4[5]];else do if(K4[5]==228)then do FH=FH-1;end;D7[FH]={[1]=4,[3]=(K4[3]-210)%256,[10]=(K4[10]-210)%256};elseif(K4[5]==146)then FH=FH-1;D7[FH]={[3]=(K4[3]-163)%256,[5]=(K4[10]-163)%256,[1]=82};elseif(K4[5]~=123)then NH[K4[3]]=JT;else FH=FH-1;D7[FH]={[3]=(K4[3]-96)%mb,[5]=(K4[10]-96)%256,[1]=82};end;end;end;end;else do if(not(G4<109))then if(G4==110)then NH[K4[3]]=ZH[W7+1];else do if(not(not(K4[7]<NH[K4[5]])))then else FH=FH+1;end;end;end;else do if(G4==108)then if(not(not(NH[K4[10]]<=K4[9])))then else do FH=FH+1;end;end;else NH[K4[3]]=NH[K4[10]]+K4[9];end;end;end;end;end;end;end;else do if(not(G4>=82))then if(G4>=74)then if(not(G4>=78))then do if(G4>=76)then do if(G4~=77)then local bB=(K4[7]/NH[K4[5]]);(NH)[K4[3]]=bB-bB%1;else do (NH)[K4[3]]=D(K4[7],NH[K4[5]]);end;end;end;else if(G4~=75)then if(K4[7]~=K4[9])then do FH=FH+1;end;end;else (NH)[K4[3]]=NH[K4[10]]<=K4[9];end;end;end;else if(not(G4<80))then if(G4~=81)then NH[K4[3]]=NH[K4[10]]==NH[K4[5]];else (NH)[K4[3]]=NH[K4[10]]<=NH[K4[5]];end;else do if(G4==79)then local Dc=(K4[3]);(NH)[Dc]=NH[Dc](NH[Dc+1]);uH=Dc;else local dA,vA=K4[3],(K4[10]);local oA=(K4[5]);do if(vA==0)then else do uH=dA+vA-1;end;end;end;local ZA,VA=JT,JT;if(vA==1)then ZA,VA=v(NH[dA]());else ZA,VA=v(NH[dA](W(NH,dA+1,uH)));end;if(oA==1)then uH=dA-1;else if(oA==0)then ZA=ZA+dA-1;uH=ZA;else ZA=dA+oA-2;do uH=ZA+1;end;end;local H4=(0);for z4=dA,ZA do H4=H4+1;NH[z4]=VA[H4];end;end;end;end;end;end;else do if(G4<70)then if(not(G4>=68))then if(G4==67)then repeat local d4,V4=L7,NH;do if(#d4>0)then local Mk=({});do for jM,JM in p,d4 do for mV,gV in p,JM do if(not(gV[1]==V4 and gV[2]>=0))then else local cQ=gV[2];if(not Mk[cQ])then do Mk[cQ]={V4[cQ]};end;end;(gV)[1]=Mk[cQ];do (gV)[2]=1;end;end;end;end;end;end;end;until(nb);return NH[K4[3]]();else local Tw,gw=c7[K4[4]],(JT);local dw=(Tw[5]);if(dw>0)then gw={};for bB=0,dw-1 do local GB=(D7[FH]);local XB=GB[1];if(XB~=19)then (gw)[bB]=g7[GB[10]];else (gw)[bB]={NH,GB[10]};end;FH=FH+1;end;U(L7,gw);end;(NH)[K4[3]]=yT(gH,Tw,gw);end;else if(G4~=69)then NH[K4[3]]=K4[7]%NH[K4[5]];else (NH)[K4[3]]=NH[K4[10]]/NH[K4[5]];end;end;else if(not(G4<72))then if(G4~=73)then NH[K4[3]]=NH[K4[10]]==K4[9];else local kX=K4[3];NH[kX](W(NH,kX+1,uH));uH=kX-1;end;else if(G4~=71)then (NH)[K4[3]]=D(K4[7],K4[9]);else (NH)[K4[3]]=L(K4[7],K4[9]);end;end;end;end;end;else if(not(G4>=90))then if(not(G4<86))then if(not(G4<88))then if(G4==89)then (NH)[K4[3]]=K4[6];else local cS=K4[3];for l4=cS,cS+(K4[10]-1) do NH[l4]=ZH[W7+(l4-cS)+1];end;end;else if(G4==87)then NH[K4[3]]=K4[7]==K4[9];else repeat local Ia,Ha=L7,(NH);if(not(#Ia>0))then else local Ok=({});do for Gv,mv in p,Ia do for fl,Tl in p,mv do if(not(Tl[1]==Ha and Tl[2]>=0))then else local Kx=(Tl[2]);if(not Ok[Kx])then (Ok)[Kx]={Ha[Kx]};end;(Tl)[1]=Ok[Kx];(Tl)[2]=1;end;end;end;end;end;until(nb);local r9=K4[3];do return NH[r9](W(NH,r9+1,uH));end;end;end;else if(not(G4<84))then if(G4~=85)then (NH[K4[3]])[NH[K4[10]]]=NH[K4[5]];else if(K4[5]~=177)then (NH)[K4[3]]=not NH[K4[10]];else do FH=FH-1;end;(D7)[FH]={[1]=115,[3]=(K4[3]-192)%256,[10]=(K4[10]-192)%256};end;end;else do if(G4==83)then local Bh=(K4[3]);local Zh=Bh+2;local qh=Bh+1;NH[Bh]=0+NH[Bh];(NH)[qh]=0+NH[qh];NH[Zh]=0+NH[Zh];(NH)[Bh]=NH[Bh]-NH[Zh];FH=K4[4];else if(K4[10]==202)then FH=FH-1;do D7[FH]={[3]=(K4[3]-36)%256,[1]=4,[10]=(K4[5]-36)%256};end;else if(not NH[K4[3]])then do FH=FH+1;end;end;end;end;end;end;end;else if(not(G4>=94))then do if(G4>=92)then if(G4~=93)then FH=K4[4];else local xI=g7[K4[10]];NH[K4[3]]=xI[1][xI[2]];end;else if(G4~=91)then (NH)[K4[3]]=K4[7]-K4[9];else (NH)[K4[3]]=NH[K4[10]]^K4[9];end;end;end;else if(G4>=96)then do if(not(G4>=97))then (NH)[K4[3]]=K4[7]>K4[9];else if(G4~=98)then do (NH)[K4[3]]={};end;else NH[K4[3]]=T(K4[7],NH[K4[5]]);end;end;end;else do if(G4~=95)then (NH)[K4[3]]=nb;else local DW=(NH[K4[10]]);local JW=(K4[3]);(NH)[JW+1]=DW;do NH[JW]=DW[K4[9]];end;end;end;end;end;end;end;end;end;end;else if(not(G4<33))then if(G4>=49)then do if(not(G4<57))then if(not(G4>=61))then if(not(G4<59))then if(G4==60)then local zI=K4[3];uH=zI+K4[10]-1;do (NH)[zI]=NH[zI](W(NH,zI+1,uH));end;uH=zI;else do (NH)[K4[3]]=NH[K4[10]]~=K4[9];end;end;else do if(G4==58)then NH[K4[3]]=K4[7]+K4[9];else if(NH[K4[10]]~=K4[9])then else FH=FH+1;end;end;end;end;else if(not(G4<63))then if(not(G4<64))then if(G4==65)then local Lq=(K4[7]/K4[9]);NH[K4[3]]=Lq-Lq%1;else do NH[K4[3]]=Ub;end;end;else (NH)[K4[3]]=T(K4[7],K4[9]);end;else do if(G4~=62)then local IW=NH[K4[10]];if(not(IW))then (NH)[K4[3]]=IW;else do FH=FH+1;end;end;else do NH[K4[3]]=NH[K4[10]]/K4[9];end;end;end;end;end;else if(G4>=53)then if(G4<55)then if(G4~=54)then (NH)[K4[3]]=K4[7]/NH[K4[5]];else NH[K4[3]]=K4[7]<K4[9];end;else if(G4==56)then local eV=K4[10];NH[K4[3]]=NH[eV]..NH[eV+1];else (NH)[K4[3]]=NH[K4[10]]<K4[9];end;end;else do if(not(G4<51))then if(G4==52)then do if(not(not(K4[7]<K4[9])))then else do FH=FH+1;end;end;end;else do if(K4[10]~=14)then if(not(NH[K4[3]]))then else FH=FH+1;end;else do FH=FH-1;end;do D7[FH]={[3]=(K4[3]-69)%256,[10]=(K4[5]-69)%256,[1]=42};end;end;end;end;else if(G4~=50)then if(not(NH[K4[10]]<=NH[K4[5]]))then FH=FH+1;end;else if(NH[K4[10]]~=NH[K4[5]])then else FH=FH+1;end;end;end;end;end;end;end;else if(not(G4>=41))then if(not(G4<37))then do if(not(G4<39))then if(G4~=40)then NH[K4[3]]=g(K4[7],K4[9]);else NH[K4[3]]=K4[6];end;else if(G4~=38)then local Zn=(NH[K4[10]]/NH[K4[5]]);NH[K4[3]]=Zn-Zn%1;else local uE,EE=K4[3],K4[10];uH=uE+EE-1;do repeat local Si,Gi=L7,(NH);if(not(#Si>0))then else local NB=({});for DG,eG in p,Si do do for Nx,nx in p,eG do if(nx[1]==Gi and nx[2]>=0)then local WC=nx[2];if(not(not NB[WC]))then else (NB)[WC]={Gi[WC]};end;nx[1]=NB[WC];nx[2]=1;end;end;end;end;end;until(nb);end;return NH[uE](W(NH,uE+1,uH));end;end;end;else do if(not(G4>=35))then do if(G4~=34)then do if(K4[5]~=200)then do repeat local UK,vK,qK=L7,NH,(K4[3]);if(not(#UK>0))then else local i5={};for Zg,ng in p,UK do do for h4,S4 in p,ng do if(S4[1]==vK and S4[2]>=qK)then local K5=(S4[2]);do if(not i5[K5])then (i5)[K5]={vK[K5]};end;end;S4[1]=i5[K5];(S4)[2]=1;end;end;end;end;end;until(nb);end;else FH=FH-1;(D7)[FH]={[5]=(K4[10]-117)%256,[3]=(K4[3]-117)%256,[1]=51};end;end;else local Gw=(K4[3]);local hw=(NH[Gw+2]);local Cw=(NH[Gw]+hw);(NH)[Gw]=Cw;if(not(hw>0))then do if(not(Cw>=NH[Gw+1]))then else FH=K4[4];(NH)[Gw+3]=Cw;end;end;else if(not(Cw<=NH[Gw+1]))then else FH=K4[4];(NH)[Gw+3]=Cw;end;end;end;end;else if(G4~=36)then local of=NH[K4[10]]/K4[9];(NH)[K4[3]]=of-of%1;else local xD,SD=K4[3],((K4[5]-1)*50);do for lW=1,K4[10] do (NH[xD])[SD+lW]=NH[xD+lW];end;end;end;end;end;end;else if(not(G4<45))then do if(not(G4<47))then if(G4==48)then local nL=K4[10];local hL=NH[nL];for hH=nL+1,K4[5] do hL=hL..NH[hH];end;do NH[K4[3]]=hL;end;else if(K4[5]==79)then FH=FH-1;D7[FH]={[10]=(K4[10]-43)%256,[3]=(K4[3]-43)%256,[1]=18};elseif(K4[5]~=127)then (NH)[K4[3]]=#NH[K4[10]];else FH=FH-1;(D7)[FH]={[1]=112,[10]=(K4[10]-251)%256,[3]=(K4[3]-251)%256};end;end;else do if(G4~=46)then (NH)[K4[3]]=K4[7]*K4[9];else NH[K4[3]]=L(NH[K4[10]],K4[9]);end;end;end;end;else do if(not(G4<43))then do if(G4~=44)then if(not(not(NH[K4[10]]<NH[K4[5]])))then else do FH=FH+1;end;end;else do (NH[K4[3]])[K4[7]]=K4[9];end;end;end;else do if(G4~=42)then (NH)[K4[3]]=K4[7]>NH[K4[5]];else if(K4[5]~=90)then repeat local JA,hA=L7,NH;do if(not(#JA>0))then else local Bw={};for bJ,aJ in p,JA do for yJ,PJ in p,aJ do if(not(PJ[1]==hA and PJ[2]>=0))then else local Oh=PJ[2];if(not Bw[Oh])then (Bw)[Oh]={hA[Oh]};end;PJ[1]=Bw[Oh];do (PJ)[2]=1;end;end;end;end;end;end;until(nb);do return NH[K4[3]];end;else do FH=FH-1;end;do D7[FH]={[10]=(K4[10]-152)%256,[3]=(K4[3]-152)%256,[1]=110};end;end;end;end;end;end;end;end;end;else if(G4>=16)then do if(not(G4>=24))then if(not(G4>=20))then if(not(G4>=18))then if(G4~=17)then (NH)[K4[3]]=NH[K4[10]]-NH[K4[5]];else do NH[K4[3]]=NH[K4[10]]>NH[K4[5]];end;end;else do if(G4~=19)then do if(K4[5]==149)then FH=FH-1;(D7)[FH]={[1]=4,[10]=(K4[10]-218)%256,[3]=(K4[3]-218)%256};elseif(K4[5]==97)then FH=FH-1;do (D7)[FH]={[10]=(K4[10]-223)%256,[3]=(K4[3]-223)%256,[1]=19};end;else (NH)[K4[3]]=-NH[K4[10]];end;end;else if(K4[5]==80)then FH=FH-1;D7[FH]={[3]=(K4[3]-60)%256,[10]=(K4[10]-60)%256,[1]=115};elseif(K4[5]~=189)then do (NH)[K4[3]]=NH[K4[10]];end;else FH=FH-1;D7[FH]={[1]=6,[5]=(K4[10]-189)%mb,[3]=(K4[3]-189)%256};end;end;end;end;else if(not(G4<22))then if(G4~=23)then local k5=K4[3];NH[k5]=NH[k5](W(NH,k5+1,uH));uH=k5;else NH[K4[3]]=NH[K4[10]]*NH[K4[5]];end;else if(G4==21)then local OO=(K4[3]);(NH[OO])(NH[OO+1]);uH=OO-1;else do NH[K4[3]]=NH[K4[10]]>=NH[K4[5]];end;end;end;end;else do if(not(G4<28))then if(not(G4<30))then if(not(G4<31))then if(G4==32)then NH[K4[3]]=NH[K4[10]]%K4[9];else if(NH[K4[10]]==NH[K4[5]])then else FH=FH+1;end;end;else local Pk=K4[3];uH=Pk+K4[10]-1;NH[Pk](W(NH,Pk+1,uH));uH=Pk-1;end;else if(G4~=29)then NH[K4[3]]=K4[7]<=K4[9];else NH[K4[3]]=K4[7]>=NH[K4[5]];end;end;else do if(not(G4>=26))then if(G4~=25)then NH[K4[3]]=gH[K4[6]];else gH[K4[6]]=NH[K4[3]];end;else if(G4==27)then do NH[K4[3]]=nb;end;FH=FH+1;else uH=K4[3];NH[uH]=NH[uH]();end;end;end;end;end;end;end;else do if(not(G4>=8))then if(not(G4>=4))then if(not(G4<2))then if(G4~=3)then (NH)[K4[3]]=wT[K4[10]];else NH[K4[3]]=K4[7]-NH[K4[5]];end;else if(G4==1)then local Kk=(NH[K4[10]]);if(not(not Kk))then (NH)[K4[3]]=Kk;else FH=FH+1;end;else repeat local gP,UP=L7,(NH);if(not(#gP>0))then else local ga=({});for i5,T5 in p,gP do do for Ew,nw in p,T5 do do if(not(nw[1]==UP and nw[2]>=0))then else local Mo=(nw[2]);do if(not(not ga[Mo]))then else ga[Mo]={UP[Mo]};end;end;(nw)[1]=ga[Mo];(nw)[2]=1;end;end;end;end;end;end;until(nb);do return W(NH,K4[3],uH);end;end;end;else if(G4<6)then if(G4==5)then (NH)[K4[3]]={W({},1,K4[10])};else do if(K4[5]~=9)then do repeat local m4,t4=L7,(NH);if(not(#m4>0))then else local i9={};for SJ,CJ in p,m4 do for Wn,mn in p,CJ do do if(mn[1]==t4 and mn[2]>=0)then local KQ=(mn[2]);if(not(not i9[KQ]))then else i9[KQ]={t4[KQ]};end;do mn[1]=i9[KQ];end;do mn[2]=1;end;end;end;end;end;end;until(nb);end;return;else FH=FH-1;D7[FH]={[5]=(K4[10]-13)%256,[1]=51,[3]=(K4[3]-13)%256};end;end;end;else if(G4~=7)then local gj=(K4[3]);local Mj=gj+3;local nj=(gj+2);local Gj={NH[gj](NH[gj+1],NH[nj])};do for kq=1,K4[5] do (NH)[nj+kq]=Gj[kq];end;end;local Tj=NH[Mj];if(Tj==JT)then FH=FH+1;else do (NH)[nj]=Tj;end;end;else NH[K4[3]]=K4[7]<=NH[K4[5]];end;end;end;else if(not(G4<12))then do if(not(G4>=14))then if(G4==13)then NH[K4[3]]=NH[K4[10]]^NH[K4[5]];else do NH[K4[3]][NH[K4[10]]]=K4[9];end;end;else do if(G4~=15)then NH[K4[3]]=D(NH[K4[10]],NH[K4[5]]);else do repeat local Uz,jz=L7,NH;if(not(#Uz>0))then else local hp=({});for wE,qE in p,Uz do for Lq,aq in p,qE do do if(not(aq[1]==jz and aq[2]>=0))then else local Ta=aq[2];do if(not(not hp[Ta]))then else do (hp)[Ta]={jz[Ta]};end;end;end;aq[1]=hp[Ta];(aq)[2]=1;end;end;end;end;end;until(nb);end;local s1=K4[3];do return W(NH,s1,s1+K4[10]-2);end;end;end;end;end;else if(G4>=10)then if(G4==11)then do NH[K4[3]]=Y(NH[K4[10]]);end;else NH[K4[3]]=K4[7]>=K4[9];end;else if(G4==9)then (wT)[K4[10]]=NH[K4[3]];else local LO=(K4[3]);NH[LO]=NH[LO](NH[LO+1],NH[LO+2]);uH=LO;end;end;end;end;end;end;end;end;end;end;do if(not(d))then else d(y7,Z7);end;end;return y7;end;end;end;end;end;end)("\114\115\104\105\102\116",924,848,"\95\95\100\105\118",bit,101,"\105\110\115\101\114\116","\109\97\116\99\104",false,next,573,657,"\98\111\114",950457820,setfenv,795,"",152,756148815,1494042284,rawget,658218555,256,538,bit32,"\108\115\104\105\102\116",997895670,"\95\95\115\117\98","\99\104\97\114","\95\95\99\111\110\99\97\116",7997,"\95\95\112\111\119","\98\97\110\100","\118",476620579,table,65536,1533226981,667,233,tostring,246,1556642506,assert,string,2601147004,error,function(F,d,D,...)if(not(F<=9))then if(F<=14)then do if(not(F<=11))then do if(not(F<=12))then if(F==13)then return d^D;else return d*D;end;else do return ({...})[10];end;end;end;else if(F==10)then return d~=D;else do return ({...})[7];end;end;end;end;else if(F<=17)then if(not(F<=15))then do if(F~=16)then return d+D;else return d..D;end;end;else return ({...})[3];end;else if(F<=18)then return d-D;else do if(F~=19)then return d%D;else return d/D;end;end;end;end;end;else if(not(F<=4))then if(not(F<=6))then if(not(F<=7))then if(F~=8)then return ({...})[8];else return ({...})[5];end;else do return ({...})[2];end;end;else if(F~=5)then return d<D;else return ({...})[6];end;end;else do if(not(F<=1))then if(not(F<=2))then if(F==3)then do return ({...})[1];end;else return ({...})[9];end;else return d<=D;end;else do if(F~=0)then return d==D;else do return ({...})[4];end;end;end;end;end;end;end;end,"\103\115\117\98",163,select,991,_ENV,38870189,tonumber,"\95\95\109\111\100",string.byte,648,"LPH?26B1014244D444D4442HDD4DDD444DD48844DDD44DD72HD4D8D4DD4DD44D2HDDD4DD44DDD4442HDD4D2HDD44DD744DD484DD47642H4DD46DD42HDD2HD44DDD4D2HDD6DD4DD6D023H000D7H00068C016B610A020017B1F1B2315C2H2C2FAC5C73B371F35C3676373642E5A52HE518B0302HB0282H873EF5051A5A216E0559786A960174134BC767DB51EC072BBE72CB48090D0F9A2D0678999B856DEF4EA56936A23H225D3H01815C3CFC2HBC18833H4313C6FC7C256875253A1D13C03H4056D73H5700AADE1E5870F9E7184C660A02006500016913B73D03006B59C5424H0004DE014F620A02008729E92AA95CF474F7745CCB8BC84B5C5E9E2H5E421D5D2H1D1838B82H38289FDFA6EF050282B8760511C1E36A027CD72C6452B3068E740166BFC7A11245C187C10A40D6B1953087C787075C0A7C3CC01239B92H7926C43H845D3H9B1B5C2H2E2H6E182D95DA5D12C80837B75CAF3H6F4012D2EF6D5C613H2100E9848957660A020015000102CE0C452H00EE38E15H00065D02EE720A0200012HCCCB4C5C7DBD7BFD5C921294125C1B5B1A1B4268282H681809892H0928CE4EF7BC05C7877DB105C445B0E33415BAECDB68CA33225803731AE77824A04D40690D613534D74DC639CAEE131F8EBF4C362HBCBF3C5C2DAD2CAD5C42832H02134B8BB4345C2H98D85863B939B9395CFEBE2H3E5D370F40C7122H34CA4B5C2H452H855D3HBA3A5C23A32HE318902H50D00C9118238352F63H765D8F579732702HACAD2C5CDD5D26A25C2HF22H727DFB38F87F044888B4375C692969E95C2EEE2HAE5D2767D9585C2H24DF5B5CA3AB5634670A0200B5009904DE322F632H00FD27C10E4H000239003F5A0A0200AF35B536B55CD898DB585C2HE7E4675C92D2939242C9892HC9183CBC2H3C285B9BE32B052H566D22059DC9AE661BA0AEC776598FAC98F10E5A3F56EB12F12AA07231C4074E1712436B7EFA6A1E33B5A12405452H05047BE22F41660A0200E52H002D0D3E512H00579C875D4H00053A02C9740A02005FE828EE685CE767E1675C420244C25C2HE9E8E9428CCC2H8C189B1B2H9B2846C6FE34057D3D470B05B044163A278FC569CD710A8136C7811137554B23148024A34B03229DA34ACE880B1959A5D973363EF838FA785CF7A6B41433D2922HD204393HB9139C5C62E35C2BB6F68F212HD6D2565C4D8D4FCD5C80C00001083H5FDF5C1A9AA29A682H212HA15524E4D95B5C133H935D3H1E9E5C35F52HB5188830B03812874778F85CA29AD55212894975F65C2CEC2HAC5D3H3BBB5CE6262H66189D5D1D1C1A9010901052AF2F56D05C2AEAD3555C71E1BF76660A0200950002A7B3BF792H00F1ACF0384H00045F0057980A0200C171F160F15C96D687165C2H6F7EEF5C4C8C2H4C42BDFDB9BD189212969228DB5BE3AA052HE8D39E05C9419D544DCE08CAEA67078B244066442352E9139540E55A1B4ABAC3512BB38288454EE020ED605C21612H21042H06C7066ADF3H9F5D2H3C3EBC5C2D3H6D5D3H02825C2H4B0F0B18D8981BD86AB93HF95D3H3EBE5C2HF7B3B718B47476B46AC585C5455CBA3A7BBA6A2HA35EDC5C903HD05D3HD1515C2H367276182HCF0FCF6A6C3H2C5D1D9DDD1D6A323H725D3H3BBB5C2H88CCC818A9E969A96AAE6E51D15CA73HE75D3HA4245C2H357175182A2HEA2A6A933HD35DC00003C06AC13H815DE62619995CFFBF3EFF6A5C3H1C5D3HCD4D5C2HA2E6E2186BEBA86B6AF83HB85D599998596A5E3H1E5D3H17975C2HD49094182565E7256A9A1AD81C2C3H03835CF0702HB0262H712H315D3H56D65C2H6F2B2F188C3H0C61FD3H7D33D2DBBA04351B632CAB12A82855D75C2H09890E618E4E71F15C073H475D2H8446846A953HD55D0A8AFA755C733H3300A3A6DC26760A0200B900DD0A3H00261740E13AD44B71A709DD0A3H0068C9E2F33CA22997FFC6DD0A3H008A5B64E51E10E7F45DA7DD093H008CCDC6B7E0DE854EC5DD0B3H00B56E1F0869DDCCBFFC7AEBDD093H0030512AFB04DAE1833DDD0A3H0039D2632C6D3908E1451EDD0C3H00CB54550EBFF7564B5D1858CEDD0F3H0027D0F1CA9BFB7A2AE08BAD006AA26ADD0F3H0006F720C11A34AB9BCB2821C7A6B664DD103H00DD56C77091356429A08A4EEC1870CF09DD0A3H00ADA697C061E554F9E02233DD0A3H00FFE8496273E322851272DD0D3H00310ADBE465C1905B76DC206D39DD093H00463760015AF46B599A0249B873582H000685D4544H0007200001BA0A0200E9A020B8205C094911895C2HB6AE365C2H373637425CDC2H5C18357537352812522A6105830339F505D8143AD02F61B2983D2EEEDE312D538F6B22067994F995656C0D8439C45ACA0D8EC6195B759B971BD02701AD6BB9052559542HA6B2265CE76718985C8C3HCC61253H6533429F0168092H3327B35C883HC861913HD133DEF446C6682HFFBF3E833H04845C3DFD2H7D18FA3A2H7A288B0B8A0B5C80002H805D3H69E95C96162H9618D7979597183C2H157570951585155C2HF2F3725C2H232HE328F83H383381980C52532H8E0F8E1E6FAF93105C74F48D0B5CADED2HAD046AEA2H6A5D3H3BBB5CF0702HF0182HD99B9918864685065C4H477EAC2C2HAC5D3HC5455CE2622HE218D3532H935D3HA8285C71B12H31182HFE2H7E5DDF1F1E1F5D3HE4645C1D5D2HDD185A2H5B5A28EBEA2HEB33605E27E22189C82HC92876B675F65C773HF7619C3H1C33F55D9ABC132H122HD228833H43331854AE1C0261206061286E2EEF6E1ECF4F2HCF5D3H54D45C0D8D2H0D180ACA484A189B5B64E45C90D050D0522HF90B865C2H6663E65C27A72HA63C3H8C0C5C2HA502256802422HC25D3HF3735C48082H8818912H90915D3H5EDE5C7FFE2H7F188405C5C4287D3C2H3D333A68250110CB4A2H4B28C0412H403369AA9F8221965657564E571757D75CFCBC2HFC5D2H55A62A5C2HB232B249A3E352DC5CF87813875C2H81C142833H4ECE5C6FAF2H2F18B4F42H34286DADED6D633H2AAA5CFB3BF2FB68B0F058CF5C1FBD8C4C710A02000500F66H003041DD4H00DD0A3H009FBC4D224B68766E52DA988H00DD063H00255A6390712HF62H00C03HFFDF41DD093H00CFACFD927B6DB1E713DD073H00A4D5CA93800F79DD073H00FF9CAD02AB970ADD0B3H00FE9794853AB61EA1D74CE7DD073H005D72DBE82907A8058130173D2H00BDCAAC234H0003BF00345C0A0200C959D95AD95C266625A65C2H4744C75C8CCC8D8C4205452H051802822H02282H132B63050848327F05F1D7BBD207DE623CEA2F5FDF989D784421CD01831DA16ACE05BA7F74A0246B9BD4F33700D9602352C93H8973563H1600F77E45E5520B890006660A0200612H0024872H5A0300357DD4424H0009970070750A02005F2HFCF97C5CCB0BCF4B5C36B632B65C2D6D2C2D4260202H60183FBF3E3F282HFA428A052H81BAF50504107C5742B3661B7D6DFE6CAD9C83D509C2E0212866635950E7E67E2709C29154BB0B69F56C67582H0C0D8C5C9BEF2F69700646C246222HFD02825CB048C840128FCF8C0F5C8ACA2H8A285191AE2E5CD4542H94282H432HC328CE3H0E5D3H65E55CB8382H7818B72HB6B7285292AD2D5C39C08E09122HDC1C1D083HEB6A38963H5628CD0D36B25CC0812H80282H1F25A053DA5B2H1A5DE158991112642524A4153H13935C5E1FB29E683575CC4A5CF2751B496B0A0200C50098017H0098A086015H00DD083H0084356A33E025262098E8036H00DD073H007C0DA24B58531902CDF872712H000895880D4H00035000F2600A02009D88088C085C450541C55C2H1612965CCB8BCACB4274342H741861E12H61282H229A520587C73CF305E0F8D5877B7D47F773686E4976952143F1C68435CC3EA1D10699302E4742BAB309B14CFF65D62818785ADC8535F542EFB33086400BFC1D3B9A5DB147E49414FC55113H5100D2922HD204AA79856E660A02009D2H00FB14ED51030081FF19514H000BFD0137890A0200A7F737FF775CDA5AD25A5C296921A95C14D42H14428BCB2H8B183EFE2H3E289D5D25EF052HD862AC051F8C21A81962BF01FB05D11870390B1C3AACC4537337D2F475469A17DA0BC5B37E683E601DD00680C7B916AF18EA6AEE6A5CB97971F922A464AD245C5B192H5B5D4E8EB1315CED5754DD122892DF5812AF2FAF2F5C322D6F162H21A1DC5E5CECACEC6C5CC301C3C20856D6A8295C15572H155E70A3B3133397962H975D3HFA7A5CC9882HC91874352H34282BEB29AB5CDE3H5E613DBD3CBD5CF8F9F8F9163H7FFF5C82C3A2826831302H71287CFC7DFC5C53D32H932866269A195CA52H6A4D1340C040C07767E799185C8A1A05221319D9E5665C048433BB533B7AFBF87D3H6EEE5C4DCC2H8D182H88088B322H4FB9305C92D264ED5C013HC1000C85BE1E52A3E32H635D3H76F65C75F52HB51890102H50437BD72E11680A02001D00DD063H00B75C0D1A936B98017H00033EE4490603006A3705264H00071902127E0A0200A937F73CB75C1C9C179C5CB5F5BE355C521253524283C32H832H18982H18282H211853052HEE559B054F7F74D57254EC811D014D176A6E2FCA7A1CE37BDB37D6C00E905D6A433E392A248B10A677B95F72E727E0675C8C0C890C5C259D5DD512822H424054B36E2E572188088C085C51D150D15C5E3HDE5DBFFFBF3F5C04842HC45DFD7D00825C7A3HBA132H0B8B8A4F40C0BE3F5C29692HE95D3HD6565C57D72H97183C044BCC1255D42H155D3H32B25CA3A22HE3182H3878F86381C181015C0E2HCECC546FEF6EEF5CF43435345D2D6C2H2D05AAAB2HAA337BEF6BAD4EB0890880121958991924C6463BB95CC7B3733570EC3H6C5DC545C5455222A2DA5D5C935365EC5CD0552479660A0200350005B88C6F7F2H003C864D364H0008A40218AD0A02005768E86CE85C5F1F5BDF5C2H9296125C2H717071422CEC2H2C182HB3B2B328B6F68FC505A5651FD30570A5F2B519077561D10F9AA162E36A992269F055F4856FCC0D1B35B8E9693E8825780B4D8D4DCD5C2HF8EB785C6F2H0666702HA2AD225CC181C1415C3C3HBC5D83037DFC5C2HC638B95C75B52HF55D80C02H405D3H97175C2H6A2HAA18E9282HE95D3H84045C6BAA2H6B184EB7F97E129D5D62E25C08892H88617FFE2HFF33B20C531636D11110114E3H4CCC5C2H9377536856D656D64945C547C55CD090D1505CA7272H67183HBA3A5C2HF92H391814509710043BFB3ABB5C2H5EA0215C6D1B5BA71218981898392HCF30B05CC282C2425CE16160615DDC5C22A35C23A3DF2H5C66A62HE65D3H95155CE0A02H6018F7B72H375DCA0A35B55C89C888895DA45D1394122H0B0A8B5CEE2E2H6E5D3H3DBD5C28682HA8185F1F2H9F5DD252D0525C2H712HB14E3H6CEC5C2H33ECF36876F676F649E5A5189A5C2H302HF04E8707870749DA1A25A55CD95921A65C34CD830412DB9B25A45C7EFF7F7E5D8D4D73F25CB8782H385D3H6FEF5C62222HE218C1812H015D3HFC7C5C2H032HC31806072H065D75342H35132H402H804E3HD7575C2AEAF8EA68A929A929493HC4445C2HAB5ED45C0E4E2H8E5D3HDD5D5C48082HC8187F2H167670F2321E8D5C2H51AF2E5C5DA1B870680A02007D00DD0C3H00C9C64F34055E1E81212B697DDD083H00BDEAE378391C5610073651D52A2H00CA35616842D200A81C0F0200F18CCC8B0D5C2H2D2AAC5CF232F4735C2HEBEFEB4268E8616818F9B9F0F9282H6ED61C05D717EDA205C497D8765245E6AFD955EA7F010558438D3C0809605C37455F9126B42B21A61F27AE766FEF6CEE5C7CF37F7C28DDD22HDD3362E3477F5C1B9C9E2B1258984AD85CE9EF119912DE1E21A15C87818237122H7476F45CF57B35B5633H9A1A5C73FD343368D0D66BE0124107BE311296169A165CDF191AAF12ACA2616C132H8D820D5C921C52D2633H4BCB5C0886584868595FE269124ECE45CE5C77B0B20712242B6B7B38E56B64654E3H0A8A5CE36D4F636880CE40C049B1F1BE315C0680853612CF4F34B05C1CD35F5C282H3DC0425C02CD42434F3H7BFB5C78B7733868498E8C39123EF12HBE4E3H67E75CD41B245468951B2H154E3H7AFA5C13DDC79368F0BE30B04961E7E2511236F0F346123F31F2FF134C8C45CC5CAD6B68DD123234378212EB65ABAA083H28A85CF97790B968EEE3A33254D7599C9713C48AC95F7D3HC5455C6A64E3EA18434546F312A020A0205CD1DC9C0D54A6A8E5E6132H2FDE505C7CF23C3D089D1D63E25CE2AC2H2205DB1B35A45CD81D9E281269A99C165C1ED0999E13474142F7122H3431B45CB5F3F045121AD5595A28B3FC2HF333100C50054AC1CE4EDF382H56A2295C9FD9DA6F122H2C2DAC5C8DC3CD4D24D25C1292632H4B0F9D7C08C802895C19991A995C0E898B3E12B77072C7122H24D65B5CE5A3A015120A04C4D4382H23D82H5C800603B01271F1850E5C860846C663CFC18C8F139C521B1C133DB32HFD05C284873212FB75BB3B24F83810875CC9898B495C3EB37F7E183H27A75C54991D141855BFC8B1213ABA84BA5C53D325D35C7071F0705221E1A9A15C36B6CFB65CFFB2B3BF180CCCF3735C2DFD2EA904723299F25C6B2B2DEB5CE8E62HE8007939FCF95C6E1541B0132H57DAD75C2H0451845C05C82H85186AA72HAA40438E038352A07032A119911C51D163A6E6A6265CAF22E3EF13FC3C01835C2H5DA6225C62A160D2125BD02H9B43D85D5CE812A9E42829183H5EDE5C070A8E871834F92HF440F538B535529ABE1DBC59F37E33B363509063D05C81C503B112565A2H1643DF122H1F402CE16CEC52CDD51E682H129FD252632HCBF84B5C8805C4C813D91926A65C4EC3C2CE18B7374AC85CE46160D41265A8F5E5184A872H8A4023EE63E352402D5A671971FCB13163C60B8A8613CF025F4F181C91CCDC287DB02HBD334221ADF359BB367BFB632HB893385C494F31B9123EB9B80E12E72718985CD45BD4D54FD5C7169104FA3ACC7A5C13D31B935CF03B2H3000A1ACF1E1183HF6765C3FF2767F184C9C4FC8046DAD4AED5C2H32CB4D5C6BE6AB2B63A868A8285C39BCBD09122EA3AFAE18D71A2H1740C4843ABB5C4500C17512EA676B6A183H43C35CA0AD292018519C90912826ABE666633HAF2F5CFCB18ABC681D9DE7625CE2241892129B15555B1398179398286927E9E8083H1E9E5CC70923476874FABEA97DF599E89121DA1A865A5C73F306F35C1050B5905C41B8F971129697D6D71ADF1F21A05CACA325B17D3HCD4D5C129D1B12188B2H8417833H88085C99169099188E4934BE1237B0F14712642BAFA428A5B52CB87D4A5ADACD833HA3235C0090090018B1FE70F11E3H46C65C4F80550F689C9B27AC123DFAC54D12020504B2127B7C3D8B123877F9781E3H49C95CBEF1B6FE68A72780275CD4999594183H55D55CFA37B3BA1853B9CEB721F0301F8F5CA12150DE5C36F6BAB6183F7F13BF5CCC802H8C00AD20E0376AF2B2F2725C6B6D6EDB12682878E85C797431E36AEEA3AC746AD797D1575C040201B41205C503855CAAA7E5306A834EC8196A60ED25FA6A51D1AD2E5C66A0A316126FAF92105C3CF2717C131D10DDDC083H62E25CDBD65B1B68982HDD6812E967A4A913DE5E23A15C07092H076174F4890B5C7538B4B5139A5A64E55CF3FDBD2845D050D7505C410F2H01332H962C165C9F5F931F5CACA2616C138D4D8F0D5C525F15C86ACBC68B516AC80586D72C59D9A5265C8E003H4E3H37B75CA4AA196468656B6564163H0A8A5C636D256368C04643F012B131B3315C46C80607083HCF4F5C1C92735C68FD38BB0D12428241C25CFB76FB7C61B8352H38330989E478623EB3F1AB6AE72AA67D6A541451D45C955B171542BAB4777A13935393135CB07F3DAB0DA1AF6F7F6FF62HF86B10FF3F08805C8CCAC97C126D23EDEC08B2725DCD5CEB6526B05028E8DD575CF974B8B9422EEED4515CD7599796083H44C45C858B92C568EAA4E4EA13C34540F312206E2DBB75D1DF9C0A17E62614995CAFE2EA356ABCB1F6266A1DD05A876AA26FE4386ADB9B36A45C2H182C985C69E569684F3H9E1E5CC78B92C7687434B8A57C75F50AF55C5ADA5ADA5C33704AC31290D413A012C1413CBE5C56D69A295C9F1CDC5B042CEC2BAC5C2H4D4FCD5C921716A2122H0B0A8B5CC8052H0840D914991952CE4309A653B73A77F7632464D95B5C65209A15122HCA34B55C2H233EA35C80C092005C313C2H711846ACDBA2218F0F4CF05C1C5CDB635CBDB0FFFD183H02825C7BB6323B1878A87BFC04C909FF495C2H7ED9FE5C2H6723B17C2H1474945C2HD5D4555CBA34333A28D35D2H5333B07B4C875521EFA1216336F6CB495C2HBF7EC05C0C8C528C5CEDE0A1AD183H72F25C2BE6626B1868B86BEC0479F996065CEE2E2D6E5C9752D1671244CA891F5185457AFA5C2AC1B7CE21834332FC5C60A0B0E05C911754E112E628A6A74F3HEF6F5CBCF2DDFC68DD36403921E222B0625C9BDB9B1B5CD81E60E81229A9D4565C5EDE90215C878940F822F474B4745C35B590B55C9A17161A1873BEBFB328109DD0506381017FFE5C16539226121F5FE1605CEC655EFE52CD002H0D405292AD2D5C8B064BCB633HC8485C991492D968CE0E9F4E5C373ABA1583E424199B5CE5A061D5120A478E8A183HE3635CC0CD494018B1BC3C9383C60B0686154FCACB7F125C11D8DC182HBD40C25C2H02D2C218FBBAFEFB18F82HB9B83D2H89E6095C3E7EF7415CA76AEBE7132HD4DC545CD5581595633HFA7A5C535E3713683075B40012A1245ED112F676F7765C3FB2FF7F633HCC4C5C2DE06B6D683277B602126BAE941B126865A3A82839B9C5465C6E23A3AE28D71A2H1733C4A134AC7A0588C545633H6AEA5C03CE36436820A5A41012111C97911866A699195C6FA22HAF407CB13CBC529D5293C981E26F22A2633H5BDB5CD8D58C9868A924EDE9181EDEE1615C47716E0E70B47447CB5CF575F5755C9ADF65EA12B3FE7773281050E86F5C41C1E0C15C96BFCBB2212HDF70A05CACECED2C5CCD8849FD2H12D2ED6D5CCBCE33BB124845998828D9541999633H8E0E5C377A7E7768A46441DB5CA5622195120ACDCC7A12632HAC3F833H00805C317EF8F1180689C646630F4FB88F5C9C0CDC896AFDB22H7D4E428C028249BB3B813B5C382HF2655489074A49133E7846CE12A760229712D4D32DA412955A2H55617AB52HBA33932E8A2C41F0E070F161A121A4215CF62H308612FFB12H3F054C822H8C33EDEF3F0F26F2BDFCF2132HEBE86B5CE8AED25812F93906865CAE68E85E129758DCD728C48B2H843345ED5B4A586A6DA81A1203C3FC7C5C20EE61E01E3H51D15CE6287C2668EF29E95F127CFC84035CDD9A5BED12A2ECE262241B1295065458D8A3275CA939EEBC6ADECE91CB6A07C7F2785CB42HF14412B5730E85121A54999A28F33D2H337390DE2HD04E3H01815CD658CA96689F912H9F562CA16B6C183H8D0D5C925FDBD218CB1BC84F0448C8ECC85C59D9CCD95C0E80C3557437F740B75C64E92H64422H656465132H0A030A1363A32H6313C000C8C0132HB1B0315C868D0406422HCFCBCF135CDC5E5C133DBD373D13420240C25CBB7BFB7B522H3823B85C09C90C895C7E72BCBE422H676667132H545D541315D52H15132H7A717A1393539B9313B0304ACF5CA16A60614276F6747613FF7FF5FF134C402H4C42ED6DE6ED13B2724DCD5CEBE72HAB4228A823281339B5BAB9422EEE282E1397D79B97134404474413C5052HC513EAAAEEEA13C303C4C3132HA0A8A01311D1E86E5C2HE66D995CEF49B712702H3CD7435C9D5D801D5C62EF232218DB1B24A45C98489B1C0469E9AC165C2H9E11E15C874ACBC71334F4CB4B5CF5B87475183H5ADA5C737EFAF318505D91902801CC2HC133569751C2231F92DF5F633H2CAC5C0D80524D689212D6125C8B4A030B183H08885C9998101918CE0F090E18F775FCF7186426222418A5A72925183HCA4A5CA3A12A231840428D801871F27371183HC6465C8F0C868F185C5F151C187D2HFEFD18C2C10B02183H3BBB5C387BF1F818C98DC4C9183EBA787E18A7A32927183H14945C5551DCD518FABE3EAA8353D657C78330F5F4E983A1A4A5A0833H36B65C3F3AB6BF18CC89888A833HAD2D5CB2F77B72186BED6FEF83A86EEC68833H79F95CAE68E7EE18D7D153C483C48280998385C2948518EA2HAD234H83035C20E76960185116DBD1183HA6265C6F68E6EF183C2H7B6B833H5DDD5C2265EBE2189B139C00833HD8585C29A12029181E965A5E183H87075CB47CFDF418753DB535521A9A729A5CB333B7335C90D5EB6012810701B11296981816709F119F1F526CB453B8550DCD878D5C5217D662128B4E73FB120805D8C82819D42HD9338E58314326F77A37B7633HE4645CA5A8DDE568CA07868A13A3265BD312800D45402871FCB131638646D2065C0F472H4F619CD42HDC333D363B0A48C242A0425C3BB5F1E67D3HB8385C49078089183EFEDB415C672AE7E6083HD4545C15188D95683A90E79E211353616C5C30F030B05CA1A45BD11236BBFBF613BFFAFC4F12CC8C31B35C6D2D38ED5C72B33332182BABCC545C28F82BAC043979EF465CAEEEAE2E5C575A1D1718C4443ABB5C45C540C55CAAE4646A1343038F3C5C60AD2C2013119C8191183H66E65C2F22A6AF187CB1ACBC28DD102H1D33E2AF26CB6F1B96DB5B633H98185CA9E4F6E9681EDEE5615CC74A5747183HB4345C7578FCF5181AD72HDA4033BEF373631090EB6F5C41C4C57112D6162BA95C9F1273A022AC2CAA2C5C8DC0C1CD1812D2ED6D5C0BE196EF2188482AF75C99D9F6E65C8E4E79F15C7733CD47122468AFA41325612795124A8AB5355CE36FA3A2080035294970F1313E8E5C46062D395C4F021F0F183H9C1C5C3DF0747D18C28F0282522HBB41C45C2H7884075C494FCA7912FE3E01815C272HA9A72894546BEB5C555BF22A53BA2HB4BA282HD32DAC5CF07574C012E1E41A911276BB2HB6407FF2BF3F633H8C0C5C6DA02E2D68B27FF1F2286BA666F150A82565681339FC7CC912AEA3637238972H52E712048101B412C5008035122A2CAF1A12C3CE8E1F30A02H65D012911CDC4B11662HA31612AF22E2757F3C2HF94C121D9050C751E2AF6F6213DB56960114182HDD681269A42HA9611ED32HDE33C7907F1E35B471F1441275F8B8A9549AD417807D3H33B35CD05ED9D018C14C0C1D54569313A612DF119C9F282C622H6C334DDDB3804ED2DC5CCE380B8ECE7B1248C64B4828595FDC69124E40C0523877F2B2071224296764132520DD5512CA470E0A2823AEE32H63C0C57BF012F1B40E8112C68B2H0605CF81CBCF281C12585C287D332H3D33024BC91059BBF6FB7B2478F5B8386349040B0942BE7EBBBE1367E72H67131451D1641295589515643H7AFA5C131ED49368F0B50B8012A1EC2H61137638717613FFF947CF120C8AFB7C12AD632HED4E3HB2325CEB25ECAB6828262H284E39B439B84EEE2BAB1E1297D91797643H44C45CC54B8BC5682A2F6EDA12C38578F31220AE2HA040911F911152667D2306302FE1AF2F633H3CBC5C9DD38F9D6822AC3322189B55D6DB3D189841985C2H692DE95C9E1ED5E15C878344F71234B430B45CF536CC45129A19D96A12F3330C8C5C505595F36881CD41C1525646E33B129F94DF5F633H2CAC5C8D06754D68121110A2120BCBF4745CC84308091A3H19995CCE05270E68F7FB2HF7402428A42452E5995F1907CA4E71FA1223A3D92H5CC0C686E36871B1880E5CC6807DF612CF090ABF125C921C1D4FBDB3F376480282837D5C7B3ABB3B52F8B843875CC9091BB65C3E332H7E183H27A75C54991D141855BFC8B1212H3A93455C539379D35CB07D73702861ECA121633673B20612FFFA068F12CC41040C28AD2DBB2D5C32BFF272636BEB7EEB5CA86D55D812793962F95CAE236EEE635712D3671204C419845C4588828528EA672AAA633H83035C20AD506068D19455E112E6631F96122HEFEA6F5CBC3940CC129D50575D2822EF2HE2339B13394037981558D863296CAD1912DE135B5E13474A8B8728B43974F4633H35B55C5A574C1A68B3F63783121015ED6012414C2H812856DB9616631FDF1A9F5CACE952DC124D808D0D1552125DD25C8BCE70FB12C888C3485C1954D2D9288E034ECE633HB7375CA469BAE468A568E9E5138A4A75F55CA3E659D312804D464028F13C2H3133861764AD120F82CF4F63DC5CD22H5CFD38078D12020FCFC228BB367BFB633HB8385CC9C4FE89683E7BBA0E12E7A7E7675C9459D8D41395D567EA5CBA3F40CA12D39E111328F03D2H303321E1B02E47B63B76F6633H7FFF5C8C0185CC682DE0616D1372B78E0212EB26232B2868A52HA833792CC8FC06EE632EAE63579A1B1713C44435BB5C05C84945132A2FD45A1283CE4A4328E02D2H203351DECC9A4D26ABE666633HAF2F5CFCF194BC681D98992D122HA251DD5C9B16525B2858952H983369FC115D535ED39E1E633H47C75CF47991B468F5B071C512DA5AD85A5C7336F743121050E16F5C018CC14163D69352E6129F5A66EF12AC6C45D35CCD4849FD125257AC22128B4B890B5CC84D35B81299199D195C0E438D8E13B7BA7E77282HA443DB5CE5E01F95128AC7464A28A3E3A7235C0045843012F1710F8E5C4603C276120FCFF3705CDC111C9C15FD525434708202A8025CBB3BBF3B5CB8357B782889442H49333EE6146171E76A27A7632H9469EB5C95585755287AB72HBA33535D226802B03D70F063A12153DE5CF67B36B6633F7ABB0F128C4C67F35C6D68961D122HF22C8D5CEBAE6FDB12E8E57968183974E8F9286EEEB0115CD7178FA85C448102B412058505855C6A242H2A3303835D7C5CE0A0E0605C119FDC4A7F26A6D8595C2H6F6CEF5C3CB1FC7C633HDD5D5C22EF4E62681B5B94645C189554581329E4ABA9181ED32HDE4007C7FA785CF4392H745EB539B8B5131A97919A13B3383E28542HD0CAAF5C41CF8C1A119656CFE95C2H9F9B9F282CCA4A412A8D0D8D0D5C922HFB9B704B0B28345C480848C85CD9994859184ECEB0315C377702485C6421E05412E5282H6518CA472H0A28A36E2H633340B0C2543EF17C31B1633H06865C8F42A0CF685CDC27235C7D703F3D18C2285F26217B3B6B045C2H3818B85CC92H8B3912BEF5BEBF1A27AC646728145F2H54339528961B583A39FA4A1253FB8EF7212HB0A5CF5C612168E15C363E7ED4837F377FDA024C8C4ACC5C2D64EEED28B2F82HB25EABA12HAB33283146BF5FF9F3B6B928AEE42H2E42975768E85CC44DC54424C5053ABA5C2AE32HEA6103CA2HC333E08170C907111B2H1161E6EC2HE633EF191D58127C362H3C61DD972H9D3322C5BCDA0B5B51DADB4218582H181369E96369139EDE9D9E13C787C2C71334F4313413B53F7475425ADA505A13F373F2F313905065EF5C01C92HC161565F2H56615F562H5F336CD90953120D442H4D61129B9392052H0BFC745C084818885C2H19BB665C0ECEE8715CB739FAF71324A430A45C252B3525282HCACD4A5C232D2H2340808E008052319EA46105460B46C6633H8F0F5C9C915B1C68BDB879CD12028206825CBBB6373B13F83807875C0984C444837EF0787E2827292H273354B9C77B4D551855D5633H3ABA5CD3DE11536870F07EF05C61EC26211836F6C9495CFFF2BFBE1A3H0C8C5CED60B1AD6832F7F642126BAB94145C28A5E5488379B979F95C2EA3E34E832H57AF285C84C98404632H857FFA5CAAA42HAA40034E0383633H60E05C511CA5D168E6232296122FA2E26283FCBC0A835C1D50535D28A2EF2HE233DBFC48A23098DD5BE812E9242729281E93CF2153C70A8B871374B9F8F418F5783935283H1A9A5C2HB399CC5C109DD050632H817EFE5C16539226125F9AA12F122C21E2EC28CD002H0D3392B4A92C678B064BCB633HC8485C99D4E9D968CE0E8DB15C37F40C871224A767D412256EE5E44F8A4A75F55CE3236841392H40B93E5C2H311A4E5C46CB8486288F422H4F331C6DC5FC14FD703DBD63C282C2425C7BB6F9FB182HB846C75C894966F75C3E7BBA0E12E76719985C9459C4D41815C51691042HFAF5855C13D311935C703E2H3033E121CF9E5CF6765D895C7F3AFB4F124C41DCCC183H6DED5CB2BF3B3218EBA63B2B282HA8A9285CF9342H3940EE632EAE631797EA685CC44140F412450545C55C2AA7EA6A634383493C5CA0AD30201891116CEE5C269BC938132HAFE9D05CBC3CEDC35C5DD39006142HA242DC5CD1278155AE0A0200D100DD083H007526A7F81966AE32DD103H00BDEEEFC061A0704B6BC558E4CCFF299EDD0F3H004D7E7F50F13DFCDAF031AE765D4F93DD093H007CDD0E0FE0E38B4721DD103H0025D657A8C9CA096503EAF00565F2B6A0DD0B3H00B566E738591554FF9C4243DD094H00A11253641AB3399EDD113H00E9DA9B2C8DCCDCFF5FD18C98B0EF693E16DD093H006A2BBC1D4E2853B450DD113H0073846516979A6A95D53FC2B2BAC730B06DDD0B3H0014F5A627782HEB3CAF581ADD0D3H006F40E15293FBDA55D8664A7BAFDD093H006CCDFEFFD0059B5351DD083H0015C64798B9D80E8CDD4H0098027H00DD5D0E01005D8E8F60013EE38C8860E318790CBDBCDD2C2FC0A135716405D05288E9FDBF2C4D999AB011A5E1D4F540B27859682B9C3D0C0720811455446531B2E8C9DCEE0CADF8FC907185C734D5A02E58B94C7DFC1D681A00E170BBA4451190C8293FF86C8DDCACF051E42B14358276B899A818DC7D4A3A60C1539B84A4728528091BD34CEC383DD0B1C30B7414E16798F98B4E3C5CA8DD4021B3F6E48453D008697B33ACCC186D3091236B5474C043F8D9EBAE1CBC2H89A00193DBC4E4B04168495B1E8C2C787610F10346B45422A0D839CB837C9CEA9B8061F34524C4971F48A8BC7AEC0D5F5A70D064D794B5078238182D9A5CFD2HC9E041D0600425F276A8899B53CC6CB8CA50314386F49462E118790BC3BCDC2B2DC0A1337B6404D05188E9FBB32C4C9AE9B011A3EBD4F441C278596B239C3C0A062081135B446433B4E8C9DB930CACF9FD907181CB34D4A72F58B84E09FC1D6F6700E075BBA4451792C8283CFA6C8DDFD7F050E42A1435870FB898AF1ADC7D4D3960C0509084A477F228081FDE4CED3F3AD0B0C5047415E76F98F88D423C5DAFA74020B7FBE48557DF08687C3EACCD1F17309027675475C74FF8D8EDAA1CBD8F87A00096D0C4E5B54668485F1F8C2D7D0E10F00632B45525D6D838CEF87C9DEFEA8060F63B24C5971248A8BC0AEC0D5F5770D067A694B5078F38182C985CFDCFCAE040D4140425F77FA8889E5ECC6DBFB7503046F2F49561EF18780CBABCDC2F27C0A037756405D52688E8FEBF2C4D9F97B010A5E7D4F547CF78586F2B9C3D0F0A20801651446535C6E8C8DD930CADFA8B907086C234D4A72258B84F0BFC1D6F6700E076C0A4451093C828398A6C8CD8ABF051E62614348702B898AC68DC7D4F3D60C0539684A473FE280919AF4CEC3F37D0B0C60B7415E76F98F88D483C5DADDE4020B7FBE48557D208687F4AACCD1C6D309020645474B747F8D8EBA31CBC8B8EA0019AD1C4E4B73F6848586E8C2D0F0B10F0004AB45520D4D839CCFD7C9DE8EC8061F43224C5906448A9B87BEC0D582E70D163A694B4038438192BEE5CFCC8C9E041DB610424F772A8889E5ACC6DBFBA5030468AF49563E4187909BFBCDD2H26C0A030006405D55588E9F9B22C4D9D98B011A1E0D4F535C37858692D9C3D7D0920801020446535B6E8C9D9980CADFDF8907181C734D5A52758B9490DFC1D6D6700E171B0A4451592C82939F36C8D2HADF050E0501435810EB898A818DC7D4C4760C1559A84A474FE280919A94CED3938D0B1C40B7415E06E98F98C383C5DA8AA4021B0FBE48553DE08697F38ACCD196A309121175475C545F8D9E8A21CBD8E8FA00090D3C4E5B03E68495C1D8C2D7C7710F10436B45520D1D839CD8F7C9DECE78061F44524C4941F48A9B97BEC0D5C2C70D117A794B404F4381929EB5CFDCCC6E041A4620424F173A8899C53CC6DB8BA5031428BF4941396182H78BFBCDC5B28C0A046776404D55188E98EBA2C4C2H9DB011A1E1D4F545B578591C5E9C3C080B20811121446543C6E8C8AF9F0CACFD8B907181C334D5A62F58BB4C7EFC1D6E1E00E374B6A44510E4C8293DF86C8DD8DAF051E0231435F471B898A91FDC7D4C3A60C051E184A57683280B1ADC4CEF3E36D0B3C3037417E61698FBF84B3C5CDCAD4020C0F7E48451D108697B3EACCC1A6B309151635474C546F8D9E9AB1CBD8D8BA00191D0C4E5B445684B591C8C2D7D7F10F1014BB45552A2D838C9897C9DEDEF8061F13624C5951048A9C90EEC0C5D5B70D161A594B50585381929E35CFDCFBDE043D0140427F505A889985ACC6FCCBC50304083F49561E318790BCEBCDC2926C0A141736404A25F88E88CB92C4C2H99B011A0EBD4F545C6785968589C3D087A20816753446432BEE8CBDEE90CAF8C8E9070F4C534D4A72258B83E03FC2H1C6900E070C0A4451591C82938896C8FDCAAF051E12714378502B899A96ADC7D4D4960C1519A84A575F7280919DA4CED3D3AD0B1C0717417926798F888383C5DACDA4020B080E48525D50868084FACCC1C6C309150155474C434F8D9E9A31CBD8CFAA00192D5C4E7B344684B59198C2D7D7E10F10147B45525A5D839C9887C9DEDEF8061F53324C7E51248A8CC0AEC0C5E2D70D362A294B4068438182DEB5CFDC8CAE041D4120425F173A889EF29CC6C2HCB50303787F49413E118787CC2BCDC585CC0A044066404D52188EBF8BC2C4FEDE9B010A495D4F745C478596A2E9C3F0D0820811122446736C2E8CBDA930CAFFFFB907383C534D7D35658B84E09FC1F6D1B00E171B6A4451195C82B4EF86C8CDED9F053912614348771B89BAD6DDC7F4C4F60C153E084A77FFF280B1BAE4CEF3E4CD0B0C2757414E01498F98E4E3C5FACA74021B1F0E48554A408690C38ACCC2H1D309126105477C034F8D99BAC1CBF8CFCA001E0DBC4E4C23068485B1E8C2C790D10F10537B45522D1D83BB9F97C9CEDEA8061F13524C5906648ABB97FEC0D5D5E70D111A694B47583381829E95CFDCDC9E041D0620427F574A88B9828CC6DCFCA503340F0F49564E1187B08B8BCDD5D2AC0A0347A6407D45E88EBFFCF2C4F2H9DB013A1E6D4F535B178586F239C3F0D092081165B446740B0E8C8D99A0CADFDF8907180CA342HD52458B84D0EFC1F6F1A00E371C7A4476493C8283FFA6C8DDFDAF050E6271435F507B898DC68DC7C4D4B60C1239A84A77286280B6BD34CEF4838D0B0C1017415E56298F98C4A3C5FABAF4023C387E48727A1086B0E3EACCF6F6C3093246B5477C434F8D998DA1CBCFDF9A00395DAC4E4B544684B281A8C2C7D0A10F30542B45524D1D838B98B7C9CEDEC8061F13A24C5951248A9CC7FEC0F285C70D361A494B5728E38182C9E5CFFC8BCE043D4650427F577A889982FCC6FCACC50304485F495609118790DC9BCDD2C2FC0A134776405D05F88E9FACE2C4F2HEDB010A2E1D4F646C678581F589C3C7F0E20836456446436B4E8CAAC930CAC888D9070F4B734D4A62F58B83E0EFC1F6D1B00E177BAA4471597C82939F86C8DDDDBF051E12B1435830EB89BA969DC7D4D4B60C15AE784A777F2280B18DB4CED4A38D0B3C1777415E21598F98F483C5DA7DC4023B3F2E4875EA5086B793EACCD6B6C309320615477C447F8D9EEDE1CBD8F8AA00094DBC4E5B14668485B1E8C2C797A10F10346B45422A2D839CB8E7C9CE8ED8061863B24C7921148ABCF7BEC0F2A2C70D313AA94B77280381B589F5CFFBFB9E043D66604278070A888EE53CC6CCDB650304186F495649218790FB8BCDF5D29C0A0317A6405D65388EBFDBA2C4F9D9CB011A1EBD4F530C0785B1F5D9C3F7D0C20801157446545C1E8CBAC980CACFDF99071F6B134D7A25558BB4C7EFC1F1B6900E300C6A4476595C8283CFC6C8FDDD8F051E02B14378472B899A962DC7D384D60C3519B84A504FE280B19DF4CED3B37D0B3C1037415E56E98F98A4D3C5FACDC4021B1FBE48620DE086B784EACCD1C6E309321635475B034F8DB99A21CBCFD89A0009BD0C4E7B342684B2B188C2F0B7B10F00630B45622A1D83BBC8C7C9FEDE98062F13524C6E46248ABBA08EC0E2D5670D060D094B5028E381A28995CFEBFBCE043A76204278375A88BEB28CC6FCACB503036F5F49413E618787BCABCDF5A2AC0A044746404D55188E98CCA2C4CEBEEB010A2EAD4F633C3785869589C3D7B082080105A44653EB5E8CBACED0CACFEF7907285B634D7A32458B94202FC1E666E00E372C5A4461690C82A38FB6C8D2HD8F051E02414378702B89AD96CDC7C494E60C350E584A775FE280913D34CEF3E4CD0B3B4027417EF1498FB823E3C5FA9DB4023C786E48420D708687A4AACCE6C1F309321625475B036F8D8E2D91CBE878CA002E7A2C4E4B445684A5B198C2E0A7D10F0014BB45525A3D839C98C7C9DEB9D8063864524C79F1F48ABBA0FEC0F5E2970D363A094B707F4381A5F9A5CFCCDCFE042D31104268471A88B9B5FCC6EBBCA5033308AF4976793187B08C8BCDE2E5BC0A333026406D72288EB89BF2C4E2H9CB012D0E4D4F647C1785B6A229C3E7B7920806452446440B4E8C8D9920CAD8CFF907381C034D5D72F58BA4278FC1E1F6D00E201C2A4466792C82A4CFC6C8CDAADF052E25614368E04B89BA862DC7E474D60C35A9B84A77FF4280B19DF4CED3D36D0B1B0037416EE1598FB8B3F3C5FDFAE4022C782E48455D5086A7B39ACCE6D183093216B5475B445F8DBE3A81CBF8D88A00191DAC4E7B742684B536E8C2E7D0B10F10145B45524A5D83ACB897C2H9FEE8062F04624C6E31048A8B273EC0F5D5670D161AB94B5038E381A29ED5CFDCCCAE042A7670426F576A889EC5BCC6EC8CB50323680F49764E718790CC8BCDD2F2AC0A036026405D55488EAFEBC2C4FE89AB010A5E1D4F642B5785B1E239C3C0A0620826454446440B0E8C8DC9C0CAFFDF6907181CA34D5A05158BA4E0CFC1F6A1900E203BBA4476595C828488E6C8FAAD7F050905614378503B899DE1FDC7E4C3A60C123E584A60586280B1FDF4CEF4D38D0B3B1757414E76E98FAFE3A3C5FD8AD4023B1FAE48625D6086B0B3CACCE1716309354155477C646F8DAEDA81CBD88F9A00192D6C4E6B5366849531F8C2E7E7610F27346B45727A5D83DC8F87C9D9CEF8062F04024C5E31248ABBC7CEC0F5C5670D510A394B77585381859985CFFCDCAE041D01A0425FE77A88BEB52CC6EB6BC50334280F49167E5187A7EBDBCDF5A2EC0A0307B6407D42588EBF9B82C4D9FEDB012AA95D4F746C678586A2A9C390D7B20816052446636B1E8CBA99F0CACF9FD9073F0C534D6D52158BA4F0BFC196F6D00E370B0A44660E1C82A3DF86C8DDFDAF050E72714358E76B898A963DC7C4E4B60C556E684A676F0280D6BD34CEF4D4BD0B3C40A7417E56298F98A3E3C59DAAD4020B1F1E48750D7086A7F4FACCF1869309326165476B24FF8D89CAC1CBCFCFAA003E0A6C4E7B14668495B1E8C2C7A7F10F30030B45523A0D83DCB8B7C99ECE78063F13324C1E21F48A8BB7EEC0E2H5D70D160D694B503F3381B5EEF5CFCBAB9E043D3160426F077A88DE85ECC6FCFB950334687F49661E0187D79BFBCDF582BC0A346056407D55F88EBF9BA2C4DEFE9B012D3E0D4F742C578591F289C3F2H0C20856026446735B6E8C9AB9D0CAF2H8A907280B034D5A45358BB4F03FC1E1D1A00E004B4A44663E6C82A3C8F6C8FAFA9F052E32A14368E03B89ADB6FDC7F4A4960C3239584A77384280D68DB4CEF4C4ED0B3C1757416E56098F98C4B3C59A6AC4025B1F5E4875EDF086B0E3BACCC6F19309326615477B341F8DB9EAA1CBC8D8EA005E3D0C4E7C341684B296D8C2F0A0E10F00740B45550D2D83BCA8B7C9EECEF8061F53024C5951548A9BA7EEC0E5D5C70D16BA794B60E81381A5F9F5CFCBACCE042A1600426F404A889E858CC692HCD50303683F4966FE4187A08BEBCD9275EC0A531736401A55788EBFEBC2C4E9CECB011A3E6D4F634B4785D1B2D9C3F7D0D20801250446635C5E8CDD2EA0CAE8AFE907284B034D1A72558BA380BFC1E1A6E00E001C2A4471691C82B3EFE6C89ADD8F052E02314358E0FB89DAB69DC7E3C3E60C357E184A67FF4280B1FAA4CEF4A3AD0B5B1057416936598FA823E3C5EDFAC4022C181E48652D1086B0C3EACCC6C6B3095546A5474B240F8DAEAA31CBC8B88A00596A2C4E1C53368485B138C2E087810F27742B45654AFD83ACA8A7C9CEBEA8065834724C6901748AAC90DEC0C5E2A70D561A194B50EF6381B59EE5CFECBCDE045A46204218002A88AEF2FCC6FCCBB50304680F495649418790FCDBCDD2D5BC0A136756405D32588E8F8BD2C4E9DEAB013A592D4F545B37859682B9C3C0E0A20846057446430B0E8C9DB9D0CACFFF6907084C134D6A52458BD497FFC1D6C1C00E070C0A4451793C82838886C8DDAA9F051E72714348406B898A86ADC7E383960C2569184A57081280D19AF4CED3D4AD0B0C0707415E16698F88A3A3C58ACAF4021B5F2E48555A308697F4FACCC1C1F309150625471C34EF8D8E8AA1CB8898CA001E3D7C4E7B44468495C188C2D7C0C10F10441B45524D4D839CE8E7C9DED9B8061833024C4946448A9B97CEC0C5C2C70D165A094B404F438192FE95CFDCFCAE040D6660424F305A8899C5ECC6CBBCB50314082F49061E2187909BFBCDD2C27C0A131016400D25488E9FECA2C4D9BEBB011D690D4F430B1785A6D2F9C3D0D7B20811755446532C6E8C9D2E90CAF2HFA9075F4B534D6A25358B94878FC1D6D1E00E076BAA44515E5C8284FF36C8FDDABF051E05514318F74B89DDE69DC7C2H4C60C553E684A002FF28081EDF4CED2H4DD0B0B70B7414EF6E98FD88433C5DA9AE4022B681E48751D4086A0B4DACCF1816309553155477C333F8D8E8A81CB9FAFDA000E7D5C4E7B330684C5C188C287A0B10F30346B45423A1D83AB98A7C9F9CED8063F34224C1951448A9BF72EC0F5C5770D361A494B50187381B5CEC5CF9BCBEE043A7150427F771A88A9858CC69BCBB50334080F49165E218787BBFBCD95A5DC0A03B7A6407A22288E88FBB2C4CEB9DB010A595D4F733B2785A1F229C3C7B0E20856022446132B1E8CBA9EF0CAE2H8A9073F0B534D1AE2458BB3803FC191B6D00E507B0A4441F97C82A398F6C8DADA9F052E15714318E73B89ADB69DC7E464860C456E184A602F6280A1AAF4CEF4B49D0B2B6057411931698F88E423C5DAAAE4024C4F0E48455D608697E33ACCF6F1C309422655471C033F8DC9BA31CBF8F89A00497D7C4E0C443684D58128C2E7C0C10F10240B45055A1D83DCD8A7C9FE9E88065F33A24C6E21548A8CC7FEC09285970D267D694B70E83381A28E35CFDC8BEE045D7610425F070A8889F2FCC6DBDCB503142F1F494669318780ABDBCDC2F2EC0A0307B6405D22588E9FFB82C489996B011A6EAD4F544CE78596A289C3C0E0A20801254446434B7E8C9A99D0CA8FF89907385B7342HD55158BB3B0CFC1E1A1C00E073C6A44716E3C82B4C886C8EA8D6F055E62514318407B899AE1FDC7D3F4D60C4569584A772FF280B13A84CE9384BD0B3C0007411E16398F9FB3E3C58AFAA4020B681E4805EA1086D0F3BACCF1D18309126165476B432F8DBEFAB1CB8FA8EA00091D3C4E5B33F684A5C688C2F797F10F3744AB45654A6D83ABB8A7C99ECE68061F43224C5971648ABB90DEC0F5C5770D160AA94B57486381D2FEA5CFCBABCE040DB6104278271A88C932DCC68B6CE50343387F4961495187D7CCCBCDC5B28C0A53B746400A75588EA8CB82C4CE89AB010D190D4F733CF785D635A9C3F7D0F20801056446642B1E8CDA89E0CAE8FFF9072F4C334D1A42758B94D0DFC1D6D1B00E103C6A4476493C82A49FB6C8CADDCF052E7221431F073B89ADE69DC7F383B60C5509384A571F328086CDD4CEC383CD0B3C1777415926F98F8FE433C5CD8AC4020B4F1E48027DF086B793DACCE171C30932A155471C54FF8DBEFA31CBEFD88A000E0D2C4E6BE3F684B591F8C2F760C10F50640B45626D1D83CC8F97C9BEC9A8061F13024C7931F48ABCB7BEC092D2A70D061A094B77380381A5FEB5CFF2HC8E040A7150427F773A888EB2FCC69CFBC50344BF1F49117EF187C0DCCBCDE2C5CC0A143746401D62588EDFFBD2C4998EBB015A090D4F544C1785F1E599C3C7C0F20851252446631B2E8C9DE9A0CADFEFA907281C734D5A45358BD3802FC191F6B00E276C0A4431E9EC82A4EFA6C88AADEF052EB221430F204B89AAF68DC7B463E60C2529084A305FE280A6CAD4CE84B3BD0B5C0707415E21498FFF94D3C59A6D94024B2FBE48453D70869084EACC81E6C309022165474C747F8D8EBA91CBCFFF9A00093A2C4E3B04668495C1F8C2B7A7810F30644B45027D6D83FCD8C7C9DEBEF8061F04024C5936648A9BD79EC0B5A2A70D165A194B3008338192CEF5CFBCCCFE047D56004268702A88DEE28CC6CB6BB50344A83F4966792187802C2BCD85F2DC0A234006403DF5688EAFAB82C4BED96B014A2E5D4F430B178586F2B9C3D0C7E2081175A446735B3E8CBDD9C0CA8FBF6907380B134D5A12158BF487AFC1D186600E200B4A44014E5C8293DFF6C8BDCAEF051E62214318475B899AD6ADC7B3A4860C4529A84A67084280F6FDD4CEC4F38D0B2B6027416976698FC8E423C5DACDD4021B382E48623A608687C48ACCB166C309351675476B347F8DDE8AB1CBD898EA00795D0C4E3B132684F5D1C8C2B787B10F70440B45524AFD839B8FE7C9CE8E98063F04124C5E56148AAB373EC0F2F5A70D711A394B670F5381D5C985CF8BFC7E047D71A0425F072A88FE95BCC68B8B750373485F4901091187A0CBEBCDD285DC0A147746404D45688ECFDB22C4D98EDB011A1E0D4F135C5785F6E2F9C3F060D20841526446343B5E8C8D29B0CAB8B8E907087C434D3A05558B94F0FFC1B6B1D00E700BAA44110E5C82939886C89D7A9F057E1571435F706B89FA863DC7D4F4960C4209A84A00781280B1DA94CED3B4DD0B1C5777414941398FCF83D3C582HA84027C1F1E48053D408697F3CACCD1C6C309126115475C340F8D9E8A21CBDFD8AA00791A7C4E5C532684F58698C2D7D7610F1004BB45725D5D839C28D7C9B2H9D8064813024C0931048A9B80FEC0D2D5A70D716A194B00786381B599D5CF8CCCAE041D61B04248204A888EF2ACC6CCDBE50373385F4931291187D0BB8BCDE582EC0A733736406D02588E9FACE2C4BED97B012D6E0D4F333C178581F239C3C7A0E20821752446545B5E8CFABED0CAB8CFE9077F1C434D0A55558B93C7EFC1B1A6A00E403B2A44663E6C82F3D896C8C2HDFF05691211433F272B89DD863DC7B4F4860C724E084A076F7280E1BDD4CEF4D3FD0B0C50674159065982HF84B3C5BAAA84027B680E48652D408687C3DACCB6D1E309423615474C144F8D9EEAE1CBD868EA00792DAC4E6C741684F58138C2A0A7F10F37745B45421A0D83CCA887C9B98998062F43124C5946348ACBD7EEC0D585C70D163A194B601F3381A59995CFBCCC7E041D1100422F504A889EF53CC6CB7BE50344180F492659318790ABEBCDF5A2DC0A7307B6405D02688E9F9BA2C4A9FEEB017A496D4F542B478596B5D9C3B0F0620841322446331B7E8C9DE930CAAFE89907381CA34D2D55358BF3C7EFC2H186E00E076C0A4421E93C82F3EF96C8ADAACF056E62314328F72B89FDB1ADC7E2H4E60C054E284A572FE280E13D34CEF3B39D0B6B7757411E26098FD8A493C5CAEAB4020BAF4E48354D708697E3CACCA1F17309753625476C240F8DEE9DF1CBD2H8AA00190DBC4E5B532684E58688C2D7A7B10F60B4AB45723A1D83EBE8E7C98EF9E8066F34024C2901648AEC90AEC085E5770D061A694B20FF3381A2AEA5CFCCDB9E046A01404238270A88C995ECC6ABDCB50314481F49564EF18790FCDBCDD2C27C0A130076402D35E88EBFDBE2C4F9DE9B016A695D4F134CF785F1B2A9C3E0B7D20861A52446232C6E8C9D2990CAA2HFA9071F6C534D4D22658BC3C0BFC1B686D00E601C1A4401F9EC8283BF36C8BDFDEF053942414338E0FB89EAB18DC7E4E4660C256E084A302F2280F13D84CEE484BD0B4C3717413E51398F98D483C5DAADC4024B381E48220A5086D0C4DACCE186C309157645474C032F8DBE3A91CB98687A00393D5C4E6B436684C5C128C2D7A7E10F47342B45755D4D838CB8E7C98EBEC8061864124C3E46348ABBF0DEC0D5B2970D164A794B5008E38192BEA5CFBBBCEE047D0150422F47FA8899E59CC6DB8B950313485F49460E1187908C2BCDD5D59C0A534006401D42588E989BD2C4C96EEB013D495D4F640C678596C2D9C3D0A0E20841056446132C1E8CEDEEA0CADFC8E9076F7B734D4D52F58BE4E0BFC1A676D00E27AB0A4471695C82E3AF26C8CABDCF050E42514358473B899AC18DC794C4660C150E784A57EFF280D6ED94CE84F3ED0B2B60B7411EE6F98FD88393C5DDADC4022B181E48522D7086E723CACCA681F309251155470CE31F8DD9CD91CBF8CFAA00390DAC4E7B342684B2B138C2E760D10F37430B45650D1D83ACEF97C9D9F9A8064F04024C5931048A9BF7DEC082A2D70D461D594B30483381F2E995CFFCCBDE043D1170425F371A88B9F2FCC6FB6BA503540F7F4976396187B7CCCBCD95B5EC0A241016404A45288EBFDBC2C49ED98B013D1E4D4F734B6785B1F5E9C3B090820841721446640B0E8CBDFE90CAE2HFC907585C634D5A42458BD4978FC1E1B6C00E375C1A44611E3C82A4F8A6C8CD9D7F053E55214378174B89BAF18DC7B3B4C60C5509B84A57E83280C1BDE4CEC4A3ED0B4C6017412EE15982HFC4F3C5CDCAF4023C7FBE48456DF086F0F4AACCC68693092276B5475C032F8D999A81CBB8C88A00590D3C4E5B24568495D1B8C2D7D7810F60547B4502FA3D83ABCFD7C9EEAE98061F04724CDE01348A8CC08EC0B2H5E70D061AA94B2058538112AE35CFAC6CEE047D7140423F303A88F985ACC652HBD503942F7F49666EF187F08CCBCD52H2DC0A434066405DF5188EFF9C92C4D2H9DB019D1E0D4F34FB2785E6E2D9C3D0B7D20811020446D44C3E8CCAE920CAFFDFF907587B734D6A52658B94909FC1B6C1A00E373B5A446649EC82B4EFF6C8CD6ACF055E5271430F776B89DDC68DC7A4F3B60C921E684A470F2280A12DE4CE94C3AD0B3C5047410E66198FB883F3C5FA6AA4025C3F0E48751A6086C084EACCF1C18309921635470C742F8D898A21CBF8788A00696D6C4EDB44368415D1A8C2A7F7610F60436B45D21AFD83ECA827C9B98998067843224C6976448AABE7DEC0D5F5D70D767D194B505873819589F5CF8CDCEE041D5670425FF7EA88B9A2FCC6FBFB750364286F49212E5187A09B8BCD52E29C0A733766404D65588EFFFBD2C4B2H9EB010A691D4F530C2785E6E2C9C3F7A7E20836355446735B2E8C9AF930CACF9FF9079F4B134D0A12458BE3C0FFC1A1C1E00E600C6A4431391C8293FF36C8DABD9F057EB26143D8307B899AF63DC7D483E60C7509484A672F3280913DE4CE5393AD0B1C70B7415E26698FC8E393C5DABA74021B085E48552DE0861733FACC51A19309420665475C24EF8D1E3A31CB58BFBA001E4DBC4E4BF3E684B5B1D8C25790D10F37341B4562FD2D831C3F87C2H9AEC8066FB3124C2961F48A8B308EC052A5870D46BD094BD05F3381923985CF5CCBBE041DB60042DF472A889EC28CC6EB7CA50394381F4966FEF187B03BEBCDF5B2FC0A0307B6405D75088E8FCCA2C45EA9CB014A3E6D4F330B3785A192A9C357F0F20836350446032C2E8CAAB980CA8FDFA907286C334D3AE2258BD4D0DFC196D6700E304BAA44617E4C82D498A6C8FAFDAF055E0561437F407B89BDC6CDC7C3B4F60C45AE084A17381280D6CD24CEE3B4DD0B3B1057414E16798FB8B4C3C5EDAA84029B6F2E48557D108687C4DACC82H6D309350115474B531F8DBE3AD1CB88F8BA0079AA0C4E7C041684A5D1B8C2D7C0C10F1054BB45522AED83ECDFF7C9E9F9B8069F33B24CD9E6148AAC87AEC055E5770D017D594BD0F85381159E95CF8C7BEE049D1660427F177A889EC5ECC6CB9BB50314183F49510E718717FB9BCDF2C5EC0A936026405A55E88EE8CBE2C4C9CECB015ABE2D4F046C478501C2E9C350D7920836425446D33B7E8C9AC9D0CA88AF89074F4B034DDA55358B94B7AFC1C181C00E570B4A446119EC8294CFE6C8CDBAEF051942614348000B899DC6EDC7C4A4C60C124E584AD07F4280B1DAA4CEB4A36D0B0B1727413E11198FAF9383C5BDDDB4026B181E48D20D608687B3FACC46A1E309726615472C743F8D0EEAB1CBA8E86A006E1D3C4E1B336684F2C1A8C2C080A10F97642B45224A7D839BC887C98E8EB8061F03324C5971148A0CE7AEC0A5E5770D76BD694B27283381E5FEE5CFACFBAE043D01B042C8471A88AEB5ACC6EBDBB503842F0F49C1294187808C3BCD4295DC0A646756401D65E88EAFBBF2C449E96B018A392D4FC45B378596F2C9C3D0C0720811152446731B4E8CFDA9E0CA4FCFA907584C134D5A62458B84C0AFC1D6E6B00E606B5A441179FC8203EFA6C88DCABF051932414368372B899AE62DC744B4860C9539584AC0482280D19A94CED3C37D0B8C477741DE76598F08A4D3C58D8D94029B6FAE48C22DE086F0839ACCA186E309550665472C147F8D9ECDD1CBD8988A001E0A0C4E3C335684F5B198C2C797A10F10035B45022AFD839CC897C9DECE68061F24524CCE06448A1CB79EC0B2H5870D26BA294B20182381E2AE25CFCC9CFE048D06704258004A881935CCC6ACDC9503447F6F4951593182H7BCFBCD82D28C0A336706406A52288EBFEC82C44ED9CB010D4EAD4F444B678596C229C3D0C7D20816426446D34B6E8CCDE9D0CAD8889907984B634D3A55558B94A02FC1E6A6800E876B2A4426296C82A3AF26C8ED9AEF0519455143D8F04B890A368DC7E3A4B60C6539B84AC7486280919A84CE43F4CD0B2B3067412E01698F0F8383C5EA6DC4029C385E48620D3086B0F4DACCA1F6E309724655475C140F8D9EBDD1CB8FF87A00896D6C4E5C73768402F1D8C2F790C10F70B42B45221AED83BBBFE7C952HEC8068F24224C4911048A9B87DEC04575B70D817D794B47780381028E25CF4CECCE047DA67042CF276A88CEE2ACC6BB8B9503847F5F49561E418790CBEBCD4285DC0A840016402D15688E9FFBF2C4DEF9BB013A7E7D4F535CF785C18289C350C0F20811622446533B3E8C9A9EE0CA88A8E9076F4CA34D4A55558B93803FC141D6C00E203B2A4461290C8203CFF6C84ACDCF056E5511435F402B89ED86CDC7A3C4660C6509684A20482280F1CD24CED4B3FD0B4C6007415E16398F988423C5DACDE4029B481E48550D308697A3EACCE2H1D309127635473CF45F8DC9FA81CB42H8BA006E0D5C4ECB43F68492F188C24770B10F70142B45220D6D830CCF87C9DE9E88061F04124C5946148ABB30FEC045F5970D366D094B500F638105CEC5CF4CCBBE041A7140426F57EA880EB5ACC6ECFCD5038448AF49210E518700DCFBCD8275AC0A433746403D75288E189B22C449C97B011A2E5D48432B17850685F9C3D7F7D2088105A446534C5E8C9AC9C0CA48A8E9076F4C234DCD52258B13C03FC1B6C6600E170C5A4451293C82D33F26C8EDBD9F052E12314328401B89DAC1ADC744A4D60C8559084A276FE280A68D34CE42H37D0B8CA007417901298F0F84D3C5FDDA74020B082E48756D2086B0E3BACC4186E309856665471B746F8DA9CAC1CB4878DA00397A0C4E7C243684D58138C2F7D7610F3704BB45C25AED830CB8C7C9B9DE68069803024CC956248A9B90FEC0D5A2D70D262A694B20F86381029EB5CFDCEC7E046D01A04278502A88BEE5ACC6EBABC503837F7F4946FE118700AC2BCD4275EC0A831736405D42688E9FEBC2C4F9CE9B011D195D4FC45C0785019229C34077D20886457446432B1E8B8DB9B0CDC888D907582C734A4A12F58B04E7AFC6C2H6D00E177C6A445149FC8293B8A6C84DCABF0519626143CF472B890AC68DC7D4F4E60C0209184A472FE280C6CD34CE53F3DD0B0C675741CE41498F98E493C5DA9AD4021C1FBE48C51DF08607C3AACBC6D6B309853175474C44FF8DBEDAB1CBFFF87A00296D7C494BF316840586D8C2D7A0D10F10031B4552ED3D830CEFF7CEC9BEF8062F24624CCE51548A0C80EEC0B282E70D910A794B4018238192FEA5CFDB8CCE046D71204258576A888EC5DCC68B8BC503342F7F49C67EE187108C3BCDD2B28C0A137726405D5538898FCC82C4D9D99B018D3E2D4F64EC578286E239C340B0E20811027446530BEE8C9D3930CAF8AFB90768AC134A4AE2F58B04879FC1D6967009007C2A44D13E1C82039F96CFCA8DCF05093201437F704B89CA96BDC794F4B60C4519384A604F7280B18AD4CEB384ED0B5B7047412E46498F1884A3C58ACDE4025C0FAE48051D00861084FACC86A6B3097256B547DC642F8DA9BAA1CBFFAFEA0039BA0C4E1B636684D5C188C2F7C0C10F10041B45455AFD83DC8887C999D9B8063803224C2921048AFBB7CEC0E5C2A70D160D194B70EF438115CE25CFECAC9E042A1170427F571A88B9852CC6DCAB95038368BF49C14EF187E0DCFBCAC5D2DC0A436716405D15F88E9F9BF2C489997B011AAE2D4F344B678516C2E9C3D080D20811021446143B0E8C0A9920CDCFEF6907886B534A4A02458BE4803FC1D681B00E175BBA44514E3C8293DFB6C89D9A9F05997521434F376B89DAF6CDC794C3D60C121E084A47685280F1DD94CEA384AD0B9B1757410E41198F98D4C3C58DBDA4027B7F7E48751D5086B7933ACCD6D69309353655477B744F8DB9EDA1CBFFB8FA00396A6C4E6B64468412E128C2C0C0B10F87630B45323D5D839C28E7C9C9BEF8067864124CCE51548D8BC73EC0D285970D064AB94B57386381058EA5CF9C8CDE041D66604258472A88DEF5CCC64C8CE50403682F493139518707CBABCAC2D2AC0A846726406A05588EDFFBE2C49E89CB018D197D4F432C0785C1E239C4C0B0C20811027446536B5E8B8DD980CA5FEF9907681B234D2A25258B94902FC151A6E00E206B7A4421691C8584FF86C8CD8D7F051E05714358302B89DAA19DC0C494F60C550E184A576F4280D6EAF4CEA3E49D0B7C1757411E66498FD883F3C5DDCAA4023C680E4F450A108610C32ACC9196A309820175475C34EF8DA98A91CBF88FBA00392D7C4E7C237684C2C1E8C2C0F0910F67444B45753D2D848B8FF7C9FEB9D8061834224C4E01548D8C80FEC0B2D5D70D466A094B5018E38192CE95CFEC9C6E041D01A0425F673A8FB9F58CC6DCFBD5037318AF49461E018707ECBBCAC2A2BC0A1357A6405D750889B8BCD2C49EDEBB018D191D4F433B2785D182E9C3F067C20851425446740C6E8C8DFEE0CA82H8D9070F3C034D7A32658BA4F7FFC1F1B19009003B4A434129FC82B388F6CFFDCDDF057E1231431830FB89BDC19DC7A474C60C323E284A204F2280B1FA94CEE3F3AD0B2C4037417E06798FFFC4C3C5CDFDE4020B0F0E48127A6086C084EACCF186A309250165404C331F8D9ECDF1CBD88F9A001E7D7C4ECB343683858138C2D7A7610F10740B45022A6D839B98C7C2H98998062F73524C5E71648ACB97FEC05592A70D26AA694B00E87381E2EE25CFDBACEE047DB120420F174A8FB9A52CC64BAB650354282F491649318797FB8BCD92D5DC0A135706477D25088E18BB32C4B9E96B063A0E2D48741B2785162289C4F0B7920881326446737B4E8BBD8930CADF9FF900380B134D5A75658CB4A0AFC19691B00E870BAA4451492C8293FFD6C84D6ACF05991501434860EB891A862DC7F4D3B60C726E184A002F2280813D34C9C374CD0B5C00174119362982HFB3A3C58ABAD4023B4F3E48155D00869083DACBC6B1C30E027105477B542F8DBEFA31CBF8F88A002E7D5C4E7B33668485F188C2F7A0A10F20737B45625AED839CD8C7C992H9A8062FA3224C1E46648ABBF7FEC0F2H2A70D211D594B60080386B2CEA5CFDC8CBE041D46104578074A8F89B59CC6CB8B95031338BF49761E7187902CEBCAC5859C0A236726405A75188EEFBCA2C4EEDECB016D196D4F24FC5785C19289C4F7C0A20881021446C45BFE8BBDCE80CAD2HF6907280C034DDAE2258B13B09FC1E1D6C009307B5A44465E1C82A498E6C89ADDFF050E45014318473B899A81FDC7B4D3D60C1219084D77FF2280C6EDC4CE83D4CD0C3B7777413EF1498FAFE393C2FAFDE4050B287E4F725A608600E33ACCF1E6E30E3246A5474B236F8AB9BAD1CBA86FEA073E3D2C4E6B63E684A2E698C5F7F0A1080024BB4542ED4D84BCA8D7CEC9DEF8013F04124C5E21E48AEBE7FEC7F5E2D70A063D094C704F5381929E95CFECFBBE033D31504278373A88A9959CC6EBCCB50314183F49413EF180B0DC9BCD5272AC0A634776405A35088EEF2BB2C3F9A99B012D4E5D4F647CE785A68599C3F2H0C20891654446335B6E8CDD2ED0CA9FBFC9073F1C234D7D32058BB3B0FFC182H1D00E072B6A44C12E1C85B4BFD6C8FAFA9F05696521437F004B898D91EDC75384760C6239B84A70582280819D84CED383AD0B2C10B7415951698FBF84D3C5FADA94021B785E48654D4081A0B3DACCF176A30E056645474B444F8A8E2DE1CBA898CA001E0A7C494C44268405C138C24780E10F80430B42722D1D839CF8E7C9DEC9C8061F63024C5931248A9B909EC7F2D5F70D067A694B17082381F2E985CF8CFCCE033D1100456F405A8899B53CC1FBAB950434785F49C62EF180B08BFBCAC5D5EC0A336006477D02288EBFFB92C3FECEBB014D395D4F24FB4782B6E2D9C3F7F7E20F01653446337B0E8CDA89B0CAEFC8A9071F0C734A7D55358B84F02FC1E6E1A00E501B5A444139EC82B4E8A6C8FDBABF054902614378404B89DDF6CDC7E3C4C60B056E084A37485287A6EA84CEB4C3AD0B6B00A74679415988B894E3C2FAFAD4020B5FBE48551D5086F7D4AACCD1B1F3091546B5404C646F8DAECDF1CBD8D86A001E1A1C494BF36684C5C128C5E0D0A10800544B45726A2D848CC8E7CEEEC9D8061F13324C6E51248A1CB73EC0B2C2E70D261A394B606F5386B2CEB5CF9CECDE032D16604568773A88C9F29CC6FB7BA50334081F4E612E6187C79CDBCD95A26C0A043706400D25F88EBF9BB2C3FEAEBB017D3E5D4F045C7785D695A9C3B0A0720831456446447B3E8CBAF990CA8F98C9070F0B134D4A02558BA4B03FC1C6D6700E376C5A447149EC82939FF6CFFD8ACF05896521434F307B89BAD6BDC7D4D3E60C5249084A67482280A12AA4CE43A4CD0B4CB057416E51398F9834D3C5ED8AC4028C385E48655A508690B48ACCE1C6D309220175475B043F8DBE2DA1CBFF88FA0739BDAC496B4436849586E8C2E0A0E10F60B45B45626D5D848C8F97C9EE7ED8013F04024C59E1748DBBD72EC092C5D70D311AA94B40E83381A5EEB5CF8C6CDE032D6150427F305A88D9E5BCC6BBBCB50434785F49761E5187B0BC3BCD92H29C0A431706407A45188EBF8CD2C3F9D9EB012AA95D4F133B6785A6C5A9C3F0F7B2085155344673EC4E8CFAE9F0CACF68C907986C434D3D05558BE420DFC196D6C00E371B2A44713E5C82B3F896C8EDCA9F053E55214308373B89BAC62DC7F483E60C25AE084AD0081280E18D94C9E3B49D0B2C5057416E36498FCF83E3C5FDDA84020B780E4F655D6081B7939ACCC171A30E250115472C244F8D9E8DA1CB88A8DA00190A2C496C233684E2F6A8C5E0D0B10F80035B4552FAFD83DBC8C7C9FEFE98012803224C2901048DBB80FEC7E2D5E70A063A194B402F638192E9E5CFECBC6E041DA170426F175A8FB995DCC6DCCC950393185F4E714E518700FCDBCDD2D29C0A14702640CA525889BFABA2C39EBEAB018D6E3D4874EB4782B1C5A9C4E0C7B2081105A446636C5E8B8D9EF0CDE8FF8907782B534D3D22E58BA4802FC1E1A1E009076B5A4461197C8213AFA6CF92HDEF022E25614418701B89BA918DC0F464F60B3239784A07EF5287B6CAF4C9E4B3DD0C3C5717466926498F88C4B3C59DDA94023C7F5E48052A4081B0F3BACCF191D309523625406B242F8D89BAA1CBF8F86A072E3DAC4E7B336684A5E1C8C2D2H7610F57444B45457D6D83CBE887C9CE8E78063F63B24C7941148DABC7DEC7F2C2E70D460D294B47381386A589E5CFBC8BEE041D5120425F404A88C9D5ACC6DBCB6503143F6F49612E0187B0FCDBCD4292EC0A343776476A55788E8F8C92C4E9DEAB063A2E4D4F74EB4782B6C289C3D090E20811021446542B0E8CBAEEA0CAA8CFE9002F1B734DCD25658C83C78FC1F2H6D00E374C6A44762E5C82A4EFB6C88AAAEF053E75714378273B8EBD918DC7C2H4A60B25B9684A00486287A18D34CED2H4CD0C2C3727466E01198FD834C3C5CDDAC4020C182E48752A2081A0F3DACC86A1B309021615477C040F8AD99AF1CBC8B86A0729BD5C4E6B434684D5F6F8C28787D10F37646B45753A4D84ABE8C7C94EB998061F74524B6E01148DACE72EC0B592E70D161A394B001F6381922EA5CFBBFCAE032D2620457F573A88BEF29CC6E2HBC50324BF5F4E66FE1187A0AB9BCAF5A2DC0A04300640DD6528898F8B32C4D2H9AB011A592D4F544B57859182A9C4E0C7D20816325441643B1E8CEDAE90CDCFC8B907185C734D0A72058BA487FFC1F186B00E504BAA4446291C8284CFE6C8CA8D8F053E6561436F307B89BDB62DC0C4D4F60C55BE184A670F2280A68DA4CEE3F49D0C2C4027411E56698FBF83F3C5EDDAC4020C3F0E48727A6086C7933ACC9166930E253125470CF46F8AB9CAF1CCE8886A00895D7C491B23168495E1D8C2D2H0C10F50645B45520A4D848CC887C9AE9EC8061F63524C5E56348A0BF0EEC0D5A2D70D211D194B4028F381B2DE95CF9CCC6E035D11304218276A8889B2FCC1EC8B95032468AF4E765EF18790CCCBCDE5828C0A236746406D25F88EBF9CE2C45EB9CB019A1E5D4F137B6785C6F5A9C3F7C0C20836055446737B2E8CAAF920CAAFFF890728BC134A6D52758CD3B0FFC6F686F00E507C6A44363E2C82C3EFF6C8ED8D6F0209625143CF272B89FAE6EDC78494B60B552E684A47083280E6FDB4CE43C4ED0B9C6057415E06398FFFC4E3C5CDBA94028C186E48353D6086E7833ACCD6A6930E522605401CF47F8DC9FAA1CB9FAF9A07592D5C491BF3E6840521F8C59780E10F10547B45554D6D831BBFD7C99ED9C8012F63624B79F6248AEBB72EC79582B70D361A394C40F8F381E2BED5CFFCDB9E035D1670457F406A88B9B5DCC6BBCBB502H4382F4E46FE3180B7BCFBCD82C2FC0A537076406D42688EB8FBE2C3CEB98B013D3E2D4F743B2782D1B229C3F0C7920F56357446437B2E8C8DA9F0CAFFD89907284C334D1A22058BA3E08FC1C1F1E00E603B3A4416592C82D398A6C8BDADDF051E52314418000B890DB1ADC09483C60B3579384A500F6280E1EAA4CED3A4DD0B1B0037461951598FC8B3F3C28DCAB4055B787E48753D2081D7E4EACBF1B6A309427125401B34EF8A8EADE1CCEF888A00392D6C4ECC5346848521A8C5E760C10F50046B42023A7D84BBF8B7C9F9AEA8060814724C6941148DDBD0AEC055D5E70A313A494C47387381B5E9A5CFFBFB9E046A3100451F072A880EF2DCC1CBACB50324183F49113EF187C0BC3BCDC5C5AC0A330736404A55688EB8BB82C4F989FB017AA91D48634B2785B1B2A9C3A7D7920F21B57441631B3E8BDDE980CADFD8D900584C134D5A55358CD3E0FFC1A6A19009476B5A43765E2C82B498D6C8FDAAAF052E72714478E06B8EADB6DDC7F3C4F60C623E584A20583280A12DE4C9E4C3AD0B6C40A7467E067988A834D3C2EAAA84021B4FAE48552D5086F7C32ACCD1F6930E4226B5474C14EF8D9E2D81CCC8E86A003E7D4C4E2BE44684D5E188C5E7C7A10857632B45755D3D83ABE8E7C9CEFEE8012F03B24C7936648DDCB0DEC0A565770A210A794C47484386859EE5CF9CBC6E044A41404218477A8FBEE2FCC6EC8BC502H3387F4916E9418717CC8BCDF5D59C0A03B746471A75188EBF9BE2C39EBE9B060D695D4F341C3782D6E5D9C3D0B7B20841754446532B3E8C9DD9D0CDCFD89907386C7342HD55658BE490EFC151F6600E770B3A44C15E6C82E38F96C84ABDBF025E52714358203B899DF6CDC092H4760C4529A84A67FF0287C1FDC4CEA3E3CD0B7C3027416926298FBF94F3C5AABA74023BBFAE4875FA4081C0C48ACC41E6930972A105407CE35F8ACE8DF1CBD88F9A075E6DBC4E2C034683D2E6F8C5C0A7810F47732B45455A5D83EBCF97CE9EC9A8063FB3B24C79F6448DCBB0EEC795C5A70A36BA094C70FF6381A2BEF5CFECCBEE043A11104278501A88BEC5CCC6FBDB6504441F6F4E06F94187D0BC3BCD95F2BC0D3307A6407A72188EAF8CA2C4FE89DB013A497D4F743B3785A69599C487F7B20F36053441745B1E8C8D8EE0CAF8DF8907084B734D7A52658BB4B0CFC1E1A1E00E375C2A440129EC85C38FD6CFEAFDBF054E52314418375B899AC18DC784B3960B5579584A572F0280F68AF4C984A3FD0B0C47274179261988AFF3E3C59DCDE4023B787E48753D1086A7F3EACBE171E30E254665474C141F8ADEDAB1CB98D87A075E1D1C4E0B23E68492F1B8C282H7A10F17637B42154A6D83DCD8F7C9DE9EA8069F23624CCE41048ADCF7AEC09285E70A462AA94BC7487386C5FEA5CFAC7CCE043D5600422F702A88E992FCC1FBEB9503334F7F4E11093187A7FBABCDC2C5BC0D531076405D423889D8EB32C3FEA9EB010AA97D4844EC3782D622E9C497B7920F56327441647C5E8BCDAE90CDCFC8B90058BC134A7A35258B94D0FFC181C6600E303B7A44013E1C82A498D6C8EDCACF024932014378475B8ECA96BDC084B3C60B55A9684A170F7280C1EAA4C9E3B49D0C5B0767417956298FE8C4E3C5EDAAF4020B082E4875FD3086D7833ACCF6816309253655477B344F8DCEFA21CBF8FFBA072E1D5C4E4B133684C2C198C2F0A7F10F9034BB45120A0D83ABB887C9FE89E8061F43B24C7E21248A8CB0AEC085E2A70D567A094B777F1381A2E9E5C8EB8C9E042A41404268203A88AE92ECC6CB8CB50334483F49612E0180C03BFBCAF2A5DC0D243056407DE5288ED88B82C4F9BE9B012A296D4F147B2785D1E5E9C3E7D7E20836052446633B6E8CCDEE90CAC2HF6907584B534A1D35658CC4B09FC1C6A1A00E107B0A44D1093C8293EFA6C8DD6ABF024E52114358273B89FAA1DDC7F384D60C95A9384AD00F628081FDC4C9B3736D0C4B3017416E360988FFF393C29A6AC4023BB81E4F655A3081B094AACCF1D16309327645403B431F8D19EAD1CB986FCA07397D7C493B44368492B688C290F0C10827330B42053A4D84BBFFD7C9FED9B8061874524C7E31648AEBE7CEC0E285F70D766D794B301F5381E29E95C8CBDCBE049D6150457F17EA88CE95CCC6FCDCA503031F7F49762E4180A0EBDBCAF2B2AC0D3367A6476A55488EDFBB32C4C98EDB065D096D4F745CE785C6E2F9C480B0F20891720446733C2E8CBDF9C0CAF8CFE907284C334D6D52258BD4379FC6C1F1E00E404B4A4446095C82B3BFC6CF8D9DDF025905214478103B8EDAD69DC7D4A3960C123E684A07281280912DA4CEB4A3BD0B6C6057415E21198F982383C29DADE4050C3F4E48623D0086B7932ACCD1B6E30E52B655401C635F8AAE8AA1CB98CFCA07497D4C490B546683C2C188C5E0C0E10F47035B42022A7D83FBB8B7C999C998063F73524C4971248A8BF7CEC7E2B5E70A266D194C000F4386B2D9A5CFDC8CAE041D0600425F073A8899C5ECC6DB9B650454687F4E11095180D0FBFBCDF2H27C0A33B726407D25588EBF8C92C4D9AEEB010A191D4F542C7785B695F9C3D0A0F20831054441744C6E8CBD2980CD9F9F7907883C734A7D45458CF487FFC1D1C6E009204B6A4436096C85D3EFB6C8FDAABF02097241432F00FB89AAC6BDC793C4D60C355E584D37F86287B1EDC4CEF4D3AD0C2B6047461E361988B83383C59ACA94052B4F3E48327A108180932ACB96C1E30E323655476C432F8DBE3DE1CC988FBA00395D3C4E0C7466848281C8C5B2H0C1083004BB45521A1D839C38E7C95E89D8061FB3A24CDE21348AECC79EC7B5A5970A364D694B702F4386B2FEC5C8CC6C9E034A61A0451F004A8FB9C5CCC6DCBBF50334785F4956596187D7ECFBCDA5859C0D74107640CA42488E1FBBE2C3B9CEAB064D3E2D4F742B578501F2B9C4B0A0F20871721446740C5E8CEDAE90DADFBF9907280C2342HA42E58BB4B0DFC1E186800E37ABBA43314E3C85D38F86C89DAD6F024935214308476B898D96ADC7F3C4760C420E284A0758428081FDB4C9B3D4ED0B6C7017415E41498F98D4F3C5DABAD4021BA87E4F053D008697F39ACCD166C309354155406B346F8DDE8AF1DBD8A8EA07092D6C494B436694958698C2D7C7910F37432B4272FA3D83AC88D7C9FED9B8061F03524C79E1748DBBD7BEC0F2H5770D360A795B5008F386F5E9F5C8CCECBE032D1120427F574A88B995ECC6FC8BD50333685F49667E5182H0ABDBCAE2D27C0A137026471D555889CFEBB2D4D999DB064A7EAD48042B1782B6F2D9C497B0F20831A5144133EBEE8C1DC9B0CA8FC8E900581C534D6A05158B94C7DFC191D6C00E072C6A441139FC82A3FFE6C85A8AAF056E75614478100B89CDC6CDC7F3C3A60C323E284A077FF28086BA84C9C4C36D0B3C7007417921698FB89383C5BDFA64055B086E4F623A2081F7C4DACCD181C30E426665475C042F8AC9FDA1CBC8C8BA00391A7C4E5B433684B28188C2B087810F20B4BB45727AFD83BB8FD7C9CEC9B8061F63724C4E56348DFCE7BEC7C565A70A564AA94B504F3381928EF5CFFCEBDE030A06504248271A8FFEF5DCC1CC8BC5033308AF49763E3187B79B8BCDC2A5CC0D333766476D22388E1F3C82C49E898B010A595D4F445C6785D6F289D3D0C0D20F26755446030C3E8CBA89D0CAF2H8A9072F6B634D6D02058BB3E7EFC1F1B6F00E307B3A44067E6C82C3FF26C8CDADFF027965114308F76B8EDAB6FDC7E4B4960C3279584A07781287A1FDD4CEE4D38D0B0B7047416E46598FDF84E3C2FA9A84025B1F7E4875FD2086D0C39ACCF681A3093276A5477B445F8AF98D81CB98D8FA00494DBC4E7C044684B5F138C2E0C7F10F2034AB45625AFD83BB98B7CE9E8EE8065873324C7956648A8BC09EC795D5670D417D794C30086386A229F5C8FB8B9E045D6600425F274A8899852CC6D2HBE503330F7F49413E6187E0ACCBCAF2F2CC0D340016505D42388E988CF2C4C979DB063A095D4F532B1785B63589D3D060720831725446034BFE8BCAC920CDBFDFE900383B035D5A12358CD4C7AFC1D6A1C00E175B0A44312E4C8293CFC6CFEDCDFF051E62014358603B89ADF6ADC093B4860C8269084A602F029091FAE4C9B373ED0B8C40B7415E066988F8A433C5CDCDE4020C086E48055A3081B0F3CACCE6A1D309823105476C64EF8ABE8D91CBD8C8FA005E6D5C494B636684829188C5B7D0B10830342B42321D6D84ABC8B7CEFEB9E8061F64024C5E21448DFCE0AEC0A595F70D565A195B500F1386F599D5CF8C6CFE033D01104568073A88BEF5CCC6EC8B650324B80F4E165E018790FBABCA95D5BC0A230066477D05788ECFDB92C4997ECB015D392D4F043B27851182D9C4C070B2083145A441137B6E8BFAFE80CA98DFE907387B134D6A32158BB487AFC1F6B6600E372C7A43065E3C82B39FA6CF9AAD6F059E45514308500B89BAE1EDC0E3D4860C35B9684A17386280B1BDD4CEE4F3BD0B4B6067414EE6F98FDF9393C5CDDDA4023B4F4E4F753DE08187A4FACCC196D309325675401C341F8D99EA91DBD898EA001E6D7C5E5C041684A5C188C2D7A0B10F60A40B4502FA4D84CCF8B7C9AEB9D8017F03B24C5946349A8BF0EEC7B575E70D460D795B47387391958EE5CFCBDCFE040A0150424FF72A8FBEF2DCC6EBCCB5130448BF4E317E6187A02B8BCAF2C5EC1A030076405A45F88E8FAC92C3CEC99B010A5E2D4844FB2785E18239C3C0D7B2081605B446447B5E8CFAB9B0CA92HF7907381B6352HD42258CC4F0AFC196E6B009201B7A436109EC85D3BFF6D8CDADCF022E62B14378600B999DC6EDC7C3A4660B4239A84A700FE280A18A84CED3E4CD0B4C7007410E063988BFB3D3C5FACDD4023BBF5E58556D2086D793BACC91D6C309027605477B040F8DBE9AC1CB88889A009E3D4C4E1C742684B281C8D2D77791082064AB45550D1D83DCD8E7C9D2H9C8161844524C6911F48A9BE78EC0D5C5971D161A395B40F82386C29E95DFCC9CBE140A1620457FE74A88B9A52CC6EB9BB51304382F4E71394180D79BEBCAB2E29C0D035726504A054889B8BCD2C4998EAB067D692D4F246B3782D1C299C3E787C20F46157446232B2E8CDAFEA0CACF9FB917081CB35D5D02F58CD3F0CFC14661A01E007C6A4371497C82948FB6CF8DEADF023E72A14378575B899A21EDD7C4B3960C6209184A175F1287A19AF4C9F364CD0B9CA707514E66698F8823E3D5CA9DA4029C3F0E4825EA4081D7F38ACCF166C309951645477C743F8DA9FDE1CBB868FA07797A0C491B24269495F1B8C2E7A7910F20141B4532FA0D83DC2897CE8E9EF8063F43424B1901748ABC80EEC0F2D5B70A060D094BD748438682DED5CFEBCBAE043D6660425F074A988EB28CD6CCFB750334781F49762EE187A08CBBCDE5F26C1A134716477D02488EDF8BA2D4C9BE9B015A3E4D4F637B1785A1C2D9C3E7D7C20806053456540B0E8CDDCEF0DAC8C8D907684B5342HD55358BA4C79FC1D6E1900E506C5A44263E2C92949886CFBADD7F027915214438103B89CDC18DC7E2H3A60B3509284D674F6280C1CDC4CED384ED0C2C6767412E16099F8F94C3C2FDADB4120B2F1E4F75FD4086A7A39ACBB1C6B30E520115475C540F8DBE9D91CBDFB8DA10093D1C4E2B636684E5A138C5B0B0C10F8014AB45552D5D83EBE8F7CEBE6EA8160F33B24B7E06248DBBC0DEC7B562C70A513D794B40786386C5FED5CF8BACEE040A41604278277A88C9353CC19BEB6513147F5F4E167E5187C09C9BCAB5D28C0A547066403D05E88EB88CA2C4F9E9BB064A2E4D4864EB4785D69239C3F7A7E20836155446430BEE8CBDDE90CD88FFF907583B035D4D35258BF3B0EFC191C6C009000C6A447679FC85D4B8E6CFBD6DCF02797221443F771B89BDE1FDC7E3A4F60B25BE684D10483280A1FA94CEF484CD0B3B1777414E36498FB8C4C3C5EA8AA4022C0F7E4F750D1086D094DACCC1D17309720665406B731F8DBEADD1CB587FEA070E3A1C4E4B535683D281C8C597F0B10820345B45657A5D830C28F7C99EEEB8063F34524B6936448ABC90FED0C2C2A70D766AA94B502F238195B9A5CFFBCBDE140A16504548505A88C9F58CC6DBACA50314AF0F4E11494187178CDBCA92B28C0D443706407DE2588E1FAC82C3E9799B065A792D48145C3782C1B2F9C4B0F7E20F7165B441630B6E8CCD99B0CA98CF6907383B734A6D02058BA437EFD1D1B6900E471C6A5451595C82B4BFD6C8FD7DAF05590251444F301B89CD86BDC7E4B3A60C323E584A677F128781FDA4CEE4C4BD0B5C70375159715982HFB3A3C58A8DD4055C087E4815EDF081F7D32ADCD6A6930E723655577B433F8AAEFDA1CBF8FFEA005E3D3C4E1C546694929138C2C0B7E10F97732B42454A2D848CC8C7C9E9AED8015F74024C7E51E49A8BB73EC09575870A514A494B705F23811289F5CF8BCBAE043D31B0525F502A881EF2ACC6EBFCB50424184F49712E518780ECABCD92627C0A337016406DE5388EAFBCF2D4D9A9DB011A7E3D4F042B478596E5F9C3D080920F4105344653EBFE9CBAC9D0CDBFD89917187C434A1A45258CC380BFC1A1B68009004BBA4446291C8284F896CFCDEACF022E12614358200B99BD863DC09384A60C0529185A40781287F1FAD4C994D4ED0B3B0007464E76198FA8A383D5FDAAC4020B7F7E58753DF086B7933ACCF1F1D30E727155473B344F8D1EAA91CB52HFBA00993A1C4E0B536684F5B128C2E0F7B10F40236B55752A7D838C38B7CE998E88063F04624C4901449A8CE0EEC08572C70D562D094B6758338682EEC5C88BFB9E043D71504268474A88B9A2ECC69CFBA513147F0F49763E6197B0AC9BCD52B5BC0A236736406A45588EA8EC92C499996B014D4EBD4F642B2785A6C599D3C7F7920831122446332B5E8BADBEF0DADFAFE9071F4B534D1A32758B94D09FD1C6F1E00E776C6A4451192C9284E8D6D8CD9D8F023962015378176B8EBAA6ADC7C474E60C4269085A703F429086FD34C993C3FD0B1B4707467E616988BF93F3C5CA9DB4055B282E48722A5096B0F49ADCC1F19309325165407C636F8AB9CA81CBF8786A003E6A1C5E7B33769482C698C290A0D11F37646B55721D1D83FCD837D9CE6EF8010863425C7921648AEBE79EC0A2A5C71D361AB95B473F638182DEA5C8BBBB9E043DA1404578001A8FCEF5FCD6FCAB8502H3483F4E764EF18797ECBBDDF5827C0D344726471DF56889BF8C92C4DED9AB111A091D4F537B4785D1F599D3D0C0F20816026456536C6E8BBDEE80CAC2HF79073F7B135D7A62558CA397DFC186C1E00E17AB3A4376496C9283F8F6C8FDEABF024945015348604B891A86EDC084E4C61C05BE085A77485287D6FDB4CEF383FD1B0C4037461EE1198FD8E4E3C28DFA74123B686E48651D70869733EACBB1C1B319027115404C143F8ADEFAA1CBD888EA00190A0C4E5B13768495C1A8C2D760E11F30030B55650A1D84FCAFA7CEE9FEC8063F73B25C4E76348DFCF0DEC7C2D2971D164D094C7018438192B995CF8CBBEE041D3150450F605A98AEF52CD6DBDB750334587F59510E5187F09BABDDE5D2BC1A144766504D026889C8FBD2C3C9E9CB013D090D4814FC1785C632F9C490E7B20F21B54441135B6E8CDDE9C0DAFFAF8917183CB35D6A32058CD4803FC691F6C00E476C1A547169FC85C39FD6C8EDAD6F052E12614438405B8EAAB1ADC793D4660C0219484A47381280A1BDF4DEC4A38D0B9C60574169763988BFF3D3C58ACDB4023B7F1E48D22D30868094AADCD1D16309724175472C54FF8DCEBAE1CBC8EFCA00292A7C4EDB4446848531E8C5B797C10850430B42720A5D839CF827C9D98E98060F73A24C59F6348DFC972EC045B5670D167AA94B5778339182A9D5CF9CCBCE033A01404518303A8F89928CC18CDCA513134F1F4E31392180F0EC3BCDD5F2CC0A334726405A52188EA8EB82D4CED9BB016AA92D4F744B678516F2E9C3D7D7E20F0665A456543B4E8BDD9990DAC2HF69172F6B735D5D35358B84202FD1E186801E374C5A4361E96C92838F36C8DD6DCF15294231534F276B89EAA6FDD7E3F3B60B255E584AD70F4287F18DC4C9F4D4BD0B3C20A7516936099FBFE3A3C2CA7A84023C3F0E58424D1081C793FADCD6C1630E422115575B445F8DB99DD1CBFFBFEA07092A7C496C54369495D1A8C597B0910840547B42122A2D839CD8A7D9EE9ED8061F53025C6E36648A8CE0EEC79585A70D164D194C6738E386D2CEE5CFDC8BAE032DB1705248271A8FB9A2ACC1FBFB7503245F5F49D13E5197978BABCDC5B2EC0A644056470A25188ECF2C82C3FEC9DB112D4E4D5F546B578281E229C3A0E0C21811755446C31B5E8CBDEE90CA9FAFC9075F0CA34A6D75459BA4F7EFC6E6768009774C0A4371290C8294BFD6C8FD8DBF051972B1434F071B89AAC6CDC7D3C4B60C55AE584AC7386287F1AD24CEE4A36D1B2B47574649515988BFE423D5EDADC4123C785E4F756DF081F0E3DADCE1C6D309124155401CF46F8A8E2AE1DBC8CFAA101E6D4C4E0BF41683C5A6A8C5F7D0C11F1774AB52H54A3D83DCE897C949B9D8013874724C4E21E49AABD0DED0C565C70D361A295B50481381B5BE95C8EC6BEE043A76204248376A98AEB5ECC18B8BF50364BF0F59615E6180C03C3BCDF5B2EC1A243716504D45488EAFDB22C3BEDEBB016A695D48133B6782F1C2C9C397D0920F41B5B446147C1E8CED29F0CDEF98B91728AC534A6A12758BA490BFC19671E00E270B2A4331394C85D39F86C8BDADCF052945015358071B89DD81EDC7C4F4A60C0549184D700F0280819AA4CEB3B3FD0B4C30B7467E71399F98E423C5DABAF4024B6FBE4855EDE096B0C4DACCE18163091566A5470C142F8ABEAAF1CCCFC8FA008E4D0C4EDBF35684C581D8D29760911F2004BB45524A1D93DC3FF7CE89AEF8013813325C6956348DBBA73ED0F2H5770D366D594BC01F6381B2FE95CF4BFCEE042D51305258377A98B9E59CC19B6B95032368AF4906E96180B0DC8BCDA5F5DC0A240056473A35688EEF3CE2D4E9FEAB013A1E3D5F141CF782F6C5E9C3D077920836150446D36B1E9CDD2E90CDFFEF7900780C035D1D22658CF3C0AFC2H691D01E101B4A54611E5C85F39FD6C8FADDEF024E72B1537F300B89DAD6FDC084A4E60B757E584D17585287D6CD24CEE3B3FD0B9B6777416901698FE82493C54DADE4052B287E58154A408697C3DACC56D1F309320125406C041F9DBEEDA1CB48D8FA00591D6C4E0C332684F5B688D297F7710F07444B45654A7D84BCB887CEB9CED8063F63024C6E21448A8B97FEC0F5C2970D711D095B70183386D2EEA5CFDCAC8E041D0130525F270A8899852CC6DCAC951334084F4E714E6187A7EBABCAF5D2FC0A040056505A45088ECFEBB2C3FE89DB017A0EBD4F541C378596E2C9C3D0E0D21826622446245B2E9C9A9EF0CA4FFFD917287B734D7A62158BB4F7AFC1F686F00E501BAA4446297C82C3FF26CF8A8ABF15096511430F702B89CA96FDC7E4D4F60C5559284A473F4280B69AF4CEE364CD0B9C5057411921398FA8A4F3C5FAEDD4123C1F6E48450D7086A7D39ACCF1F16319150605404B040F8D8E8DA1CBCFA88A074E0A0C4E0B133683D5D1F8C2D0B7F10F30437B45526A7D939B9827C949F998165FA4725C7926448DBBD7BEC78592D71D265A194B1058F386C2E9A5DFECAC6E142D6100527F270A98B9E52CD6DBBB750454A82F4E36195197A0ECFBDDD272AC1A3307B6470DE5489E9F3B22D4997ECB015D1E6D4FC33B2785F68289C390E0B20F41322446134BEE8CBA99C0CAC8D899070F6B134D6A52458BB487AFC1F1C6C009076B2A4411297C82A4BFF6C88AAADF052905214448371B89AAC1ADC7E3D4E60C3249484A771F5280D19AA4CEB383ED1B1C3067517E21698F0FE383C58DDD94029C7F3E48725D309680E3FACCC1A18309757635477B432F8DBEAA81CB98E8FA00496D2C490C741684B5D6F8C2C7D7A11F37731B42052D5D84CCE8D7C9DEBE98061FA4724B0926448A9BA7AEC08562970D860AA95B1078038115FEC5CF4B8CBE145D21A042C8372A988992FCC1FB7BD503541F1F49510E3197D7BCDBCDB2A2FC1A032766474A05689ED8CBF2D4C999EB060A2E6D5F141B479596E2B9D3F787E20831A20456535C6E8CDD3980DAFFDFA9004F3C534A4A12E58B14C7EFC686C19009477BAA4301F9EC92B3EFA6D8DAFADF152EA2014468503B99AD86FDC7A484760B3559684A507F1280E1CA84C9F393AD0B1CA767412E16F98F988423C5ADAAB4026B0F3E58052D1081B0833ACBE1F6E30E751175476CE43F9D999DD1CB58C86A00394D6C4E6C535684B586A8C5F7A0910F97445B45152A2D838CD8D7CE9EAE98062F43B24C7E21348A8BC0AEC0F575C70D365A394B707F339182C995CFECCC6E043DA6004568477A88BEB2ACC68C8C9503544F0F59460E0180B7BBEBDDE285CC0D33B056473D05188EBF3C82C3BEA9BB016A6EAD4F537C7782F6E2F9D3E0C0D20866125446747BEE8BFDF920CD888F7907085B7342HD55158BC480AFC18681E00E876B0A44212E6C82938FD6C882HDEF052EB5014348071B89FA86CDC7E4A3960C1569284A071F0280919DB4CE4483BD0B4C00B7510E311988D8B2H3D5FDDDB4023C781E48022D2081A7F4FADC9191A319351675477C34EF8AA9CA21DBC8FFEA00594D3C4E6BE4569492B128C5F7B0D10F20742B45626D4D83ABC8C7C9CE89D8015833B24CCE41248ABB872EC0D5B2D70D16BA294B403F3381958EA5CF9C8BCE033D71604258001A88D9D59CC6D2HCC513145F1F59064E3187C0EC8BCDD2C2AC0A13A006474D75288E1FDBE2D4C99EBB114AAE1D5F04FCF785B1C5D9C3E090E20816425446133B4E8C9ACED0CA9F8899071F6C735D7D32158BB3F79FC1F1A1C01E270C0A44C149FC829328A6D88D9ADF150EB521440F373B898A21ADD78384A61C2529B84A475FE280E1DA94DE83D4AD0B1C1037415E31399FC89493C54A9DB4124BB86E5805ED6086F0C4DACCE191D309156665474C143F8D9E9A31CBD868FA104E0A0C4EDB242684A5E198C28767E11F40A47B4522FAED83BC2FE7D98EFEE8064F63024C5946548A9BC0DEC0D5B2D70D113A595B003F338192F995CFDBFC7E144D7670425F406A8899228CD682HB75033452HF59064EF18790DB9BDD82C5BC0A143756500D7558898F3BC2D4C9CEEB019A7E3D4F530C5782C6A2D9C3E070E20846154456043B5E9CADA990CACF9FA9170F3B735D0A45358B93B03FD181D6B01E47BC6A4406796C82A32886D88DAAEF150E62014358E76B89FAA18DC0F383B60C25AE285A07EF3287B6BDD4C984D36D0B8CA767510E41598F98D393D582HDC4124C0F0E58051A3096C0F39ADC8196E30E221165404CF43F9DCEDAE1DBC878CA100E6D6C5E0C044684A2E698D280B7A11F30045B45052A3D93BC3827C9F9A9D8164F23025C1E06548ADBA7CED085F2970D367AB95B005F2381B2CEA5CFDCDBBE041D7600520F576A880E92ACC64B7B851314A86F59514EE18780BC8BCD82C5CC0A141776504A22288ECF9BE2C4CEC9FB013A196D4FD40B2785A6F599C3D087C20811656446031BEE9CCAFEE0CDBF88B9071F7C6342HD32358BF427FFC686B6A00E104B7A4421192C85B38FC6D8DAFDDF052E32115338E03B89FDE6ADC7E4E3A61C751E784A57682290F12DC4DE84B4ED0B0C3017513EE1199F8FB3E3C28DBAE4025B3F1E5835FD5096A7D3FACCA191A319122165573C435F8D9EBAB1DBB8CFBA00196A5C4E5C23668385A6D8D2B0B7710F70341B42450A6D93ACBF87C9E9BEB8067F64225C4931048A9BB0FED0B2H5E70D063D595B373F4391B2D9A5C8EB8B9E042A11104238005A98C9F2ECD68CDBA51354683F49310E6187E0FCEBCD92C5CC0A133716400D22288EA8BB32C449B96B014A7EBD4F745C4795C6D2D9C39080D2085175244113FB1E8CDDBED0CDE8B8C907687B134D5A32058B84D03FD182H6E00E271B4A54614E6C92A3EF96C8DDCABF152945514368073B899DC62DD78383C60C257E284D304F528001FD34DEB3C4AD1B5C70B7513E56F99F88F4E3D5BADDB4021B7F6E5835ED0096C7F33ADCB2H1E319423105476C144F8D99CA21DB88887A10791D6C5E3B43768495C1E8D2B0C7A1084734BB45352A3D83ECD8C7D9DE8EE8061F04525C1971048DBB80AED0E595871D167A695B3028039182AEF5DF9CAC6E145A111042DF106A8FF9B52CC6BBCB85032468BF49217E6187B08C8BCDB5F26C0A330026400D15E88EAFFBC2C49EFEAB060A3E6D4F432B5782A182D9C4C780B20831154446737B3E8CAD8930CAFFAFC907284C3342HD72F58B04A0EFD1B6B6900E274BAA4471696C85C4C896C84D7D9F023972514308F0EB8EBDC18DD784B3961C4239A84A770F2280B1FDD4DEF3B49D0B3B606741D951298F8894C3C5FADAC4023C187E48655DF086B083BACBF1A1630E725645470B246F8DDEDA81CBF88F9A0039AA2C4EDB142694B5E188C2E0B7810F20544B45026A3D83BBF837CEB9CED8063FA4224C1E76148ABB37BED0B2F2970D566D294BD0282381C5CEC5DF8BCCBE040D4170425F27EA88B9253CC65CBBE513547F5F4E16F95180878BEBCDF5F27C0A833056473A22688EBFEB32C382H97B010D395D4F130B4795C6D2C9C3D0B7D20811653446433B6E9CFD89B0CADF88C900384C634D5A22F58B9427AFD1F696801E170BBA44565E1C92F32F96D88D7D8F056E2271534F700B89CAF1DDC093F4760C8549384A103FF280E68DA4CEF3749D0B5C3077416901599F98F3E3C59AEA84029B686E48657D5086C7C48ADCC1716319751615471CF34F8DDE9DE1CB58EFCA00295D6C4E4B636694F286E8C2F0D7810F30030B45522D2D838C8887C9998EB8063F53625C0941348A8B90EEC082H2B70D214AB94B10384381D2B9A5CFBCDCEE032D7620425F073A98D995FCC68BDB950344A8BF49D10E0187E0AC2BCA82C2EC0A0347A6400D15388E8FBB32C4CEFEEB117D0E7D4F746C1785B63289C3F7B0820821526456542B7E8C8DB980CA5FCFE907781B635D3A35158CD4D7FFC196F1E00E501B4A44713E3C8213FFA6CF9D9DDF053E3221446800EB99CAD6ADC7F3B4F60C921E284A772FE287F69D84C9E3C3FD1B2B0007417EF6598FFFE3D3C5FDCAC4053C6F2E48422D6096D0E49ACB81F19309553155477C545F8D8ECA31CBF8AFAA0029ADAC5E7B74268405E1E8C5F7D7610F60732B55157AED83BBC887C9FEAE88067843A24B6911548A8CB7DEC0E5F5C70A217AB94B20181381D58E95CFFCFBDE045A3160527F105A8FC9D5DCC6EB7BA503940F2F4E66594187908C3BCDF5D28C0D33A7B6406D5528898FAB82C4B979EB014A6E0D5F243CF785E6D589D3C780B20891B50456432C3E8CFACEE0DAC8FF69073F6CB34D4A05358B94878FC1D661D009272C5A44D1692C92F3DFA6D8EDBD6F052E25015378772B998AA6DDC0E4B4660C254E584A704F1280B1CD34DEE4D49D0C2B0037467906098FDFB433C5AACDD4023C187E48727D409690B3CACCE1E6B30982517547DB240F8DCE8DA1CB5898EA001E3A7C4E2BF3F694D5E1C8C2F0C0B11F00131B45427A2D838C98D7C99EBE68064804724C1E51649A8BE09EC042A2D70A417A594B60287381A2F985CFFB8BCE043A41404218573A888EE2ECC6EB9CC50344583F5901493182H08C2BCDD2D2FC0A933026403D22388E9FCB82C389B9FB011D397D4F235B37851692B9C39077C20806020446137B0E9C8DBED0DAAF78E907285C734D0D25658CF4D0AFC1F696F00E473C5A5471E93C92E38886C8DDEDAF157972614338001B891AB6DDC7E3A4F60B2519B84A702F3280818AF4CEB3B37D0B3B4017417951398FA8C3A3C58ADDA4027B185E4F025A6096B7349ACCC2H1C309550645574C643F8DBE8AC1CCEFA87A00097A1C496C2376840281A8C297A0A10F17735B45D50A4D84CB8897C94EEEA8067F33A24C4E51348D8B27FEC05575C70D26AA595B20785381F2D995CF5BAC9E045DA170522F277A88D9E2ACC1BBABC5032478AF49662E7197D0ABABCDF2B27C0A137016405D02689EEFFBD2C3C969AB062A791D4F545C0782D6D2F9C49097E20811725446537B1E8C8DFED0CADF68B900484C134D5A35158B9430BFC686C1901E075B4A4371596C9283AF26C8EADA9F15690521536F475B99EA26FDD7A3C4C60C7519685A57782280B69AD4DEA3839D1B7C3057417E764988B8C433C5DABD94021B087E4855ED3096E7D33ADCB686E309551155470B236F8A8EBA91CCBFC8EA00295D4C4E0C035694F5E688C250C0D10820143B45155A3D848C28D7D9A2HED8015F34724B6936148AACC08ED0D2D2970D067A094C60E8F381B5BE85CFFBCBAE043D7110427F405A88B9B58CC68BFBA503044F6F4951491187B0ECEBCAF2C5EC0A936076405D15288E1FCC82D4A9E9AB110A6E3D4F341C6795A69599C49080A20891550446337B2E8C8D2930CAF8F89917083CB34D1A52658BB4A03FD1A2H6C009703C2A5431497C9294EF36C85DFDAF05090501535F001B89CA269DD7A4C4860C254E584A50783287D1CDA4CED393AD0B9C6777512E56198FAF93A3C5CDFDC4050B486E58127A209687E4FACC9181F3196566A5403B247F8D8ECAB1CBE8E8CA10695A1C4E6C744694E5A1A8C2E780910F10037B45D50A2D838B88D7C999CED8068F04625CD9F1149ACBA7FEC0B5B2A70D760D695BD7287381B2AE85CFBCECFE142D4160450F305A8899B2FCD652HCB51363783F59165E7187D02CEBCDC5C2FC0D0417B6476D25488EAFABE2D4F9E99B013D197D4F737C7795D1C2F9C3F0F7B20871156446043B0E8CAAB9E0CDF88FC907385B534A6A75158CA430BFD191D1A00E003C7A43415E6C82F4FF36C8BDCDEF059E35115368501B89AA21DDD7A4B4760C2279484A605F7287D1CA94CEE3E36D1B6B0717517E26599FFFB3F3C292HAD4022B4F1E4F154D4086D7A4EACC96A1F30E2276A5476C734F8AAE2A91CC88C8DA07293DAC4E6C331684F281F8C5C790C10847430B55523AED83BCFF97C9FEE9A8065F13424C7E31148A1B972EC0E5A2D71D460D595B50E81391E29985DF5CAC9E041A66204548403A88C9C58CC64CFBC503436F2F4976393180C0FBDBCDD582AC0D234006477D15F88EFF9B82C499899B062D6E7D4F243C678596F2B9C3D0A0920F31125456537C5E9C1D99A0CA9F9FB90028BCA34D2D35358B8487EFD156E6600E873C7A54D1296C82C3AF86D85DBD9F058E02A14358203B8E8A26BDD75464D61C927E684D3728428091FDB4DED3B3DD0B1C4757415E16399FA8D433C54A7DA4129BA80E4F153A20869724FACC56A1930952311557DB031F9DF9FDD1DBA2H8FA009E3D6C5E2B431683A5F128C2C7E0A10F90746B42326D3D830BB887D9EEFE88067FA4524CDE31448DBB27BEC7C5A5C71D611D594C775F5386B22EC5CF8BACBE033DB100426F306A8899D5FCC19BACB50314480F4956E93180C0ECEBCDD2C5BC0A435756405D42388ECFCB82C4D9D99B016A390D4FC33C5785B6D2D9C4F780F21831122446D43B6E8CDA99A0DA58A89917286CA35D2AE2258CD490DFC1A676C01E003B3A44314E5C82949F86D85DDADF0519122153D8502B8E8A86ADD7B3D3B61C7209284A172F428096BA84CE44D3CD1B9CA757411E365988A8B423D55ADDA4023B7F4E48527DF08607F39ACCD171F3197536B547CC347F8D99BA31CB42H8BA001E3DBC4ECB03468495B128C5C777F11F40530B45621D6D83FBE897D9AE6EF8062873025CDE31148A8CF7EEC7C2C5D70D817A095BD0E8E381A23ED5CF8BACFE033DA1304548070A9819359CC6FBCBB5039408BF59561E018797FCDBCDC262BC0A246726406A32489E1FBB92C4B9EEBB016D0E1D4F332B479516F2D9C347C0D20876722456D3FB1E9C1DDE90CA58BFC9179F6B635D2A62758BD490DFC1A1D6A01E903C7A44411E1C82E3DFA6C8DDDDCF150E52414358102B89BAA1EDD743B4D61C3529A85A676FE280A1AAE4DE43A3BD12HB6027416E06698F9FB4B3C54A9DB4126C080E48620A309697949ACCD1E6A319820645404CE31F9D1E3A91CB8FBFEA10991A6C4E5C5346941521D8C5C0B7811F10432B45C52A2D931CBFE7C9FEE9A8168843425C3E06248DDC87FED05575C71D414D095BD0382381F59995C8FB8CCE149A16704218471A98EEB5BCC64BFB750353682F4916393187A0CBFBCDF2C2AC1A84373640CA25088EC8FBE2D459A9FB015D1E3D48130B4785B6A599D3F0E7920831226456C45B4E9CAAC990DAEF6FE900082C335DCAF2459B83E0CFC6C681E00E806C0A54D14E5C8294B886D8E2HDDF023E5551536F40FB999AC1ADC7D3A3E60C3579484A57285280A6FAA4CEC4B37D1B9B1027414906598F0FC4C3C59AFDE4128B3F0E4F753A50960784FACCD6B1731992B615407C040F8A8E9DE1DB4FF8CA101E0D2C4E6BE33684A5F1D8C247D7911F10432B45C26D5D83FBB8A7C9E9DE78010F53024C5E46448A0BA0EED095B5971D863D795B502F438192DE25C8CC8CEE041D7120425F47EA8899F2ECD64CBB751394AF6F4E165E5187B7EB8BDDC295DC0D03A05640CD75289EF8ECF2D4E9B9EB011ABE1D5FD40B67850682B9D34067A20F51426446743BEE9C8DDE90CDC88FA907880C334D5A22259B03F0EFD15666F009304B5A44615E5C82939FC6D89DBDEF05894571436F007B8EBAD1ADD744C3D60C1549585AC7485280918DB4DE43E4DD0C0B706751DE06099F0883E3C5DACAE4053B2F7E48751A3081A7248ADCD161B309820605475B334F9D1E3AF1CBE8CFEA00992D5C4E4C430694A2B6D8C25797D10F1024AB45C22D3D83FC8837C9D9C9A8169F04224C5921648A9BF7FED042D5971D613D195B100F4386B2DE25CFDCCBEE044D71B04258305A8FAE952CC64CCCD51384AF7F59164E4180C03C8BCAF2A2EC0A5467A650DD75189E0FDBE2D48989AB011A5E0D4F534B3785C68599D3B7B7C21891120446045B0E9C0D9E90CAC8BFA917685C334DDA65259B03E02FD181C6E01E971B7A54C6291C92139FD6C8AA8ABF152E1211534F573B991AF1ADC7B3B3D60C8219285AD02F4287B12DE4CEB4D36D0B8B106751D926E99F1F9483D55A9DC4050B482E48D22D00961793BADCB181F30965166557DC533F8D9E3AF1CBA8FFAA003E6D4C5EDC537694E5D6A8C5E0A7B10F4044BB55254D3D93FC3FA7CE99A9E8063F73424C4976348AFB87BED0C5C2E71D663AB94B47080381859EE5CFCCFB9E146A01A0427F47FA8FBEF29CC6A2HB950324685F49660EE187B7EC9BCDC5D26C0D543746504A25488E8FFC92C4F2HECB013A195D5F030B6785C192B9C3C7A0E21886352446630C3E8C9DD9F0CD98F8B907080B634D5D72759B14C08FC1A6A6C00E170BBA4451197C8294B886C8CAFAAF050905714378672B9E8D862DD7A3C4D61C9219384A47F84280A6BD84DEE3A4BD1B8B6007416E26499FEF8433C2ED8DE4129BBF0E58056D7086F7C4DACC8181D309721615574B445F9DE9CAC1CBCFB8AA070E4A6C5EDB43768495E138C2D0C7711F60B40B4242ED2D930CE837C9AEF998169F64124C7971149A9BF0DEC0B5D5E70D566D694B67080381A2A9E5C88BACDE032A0120525F773A88AEC29CC64BACA50323681F59514E6182H0AB8BDDB5C27C1A135776504A25088E888C82D4DEC9BB112D0E2D4F142CE78591C2F9C3A7C0F21866752446132BFE9B8DA920CA4F6FF900084B034D5A22458B94978FC1D1B6800E571C7A4341695C92C3DF36C84D8DDF022945514318473B899AE1DDD0C463A61C9549384A2728229781ED84CED3D3BD0C0B7017466E66498FF8C423C2BDDA64028C4F4E4F155DE096F7B4AACCB1A1B309125665574C646F8D098AA1CB98B8DA00193D2C4E3B24669382B198C2E780E11807130B55020A1D948CE8A7C98E9EB8160FA3125C0E71448A1BA72ED0B5A5C70D166A594B070F2391B59E25CF4C8C9E130A062042D8702A98CEF2FCD64BECE5037428AF59664EF18710AC3BCDC2A2EC1D03B756476D22588E9FFCF2C48999FB011AA90D48030B1785A6E589C3D067920F4175A441330B2E8C9D8EA0DA988F691758AB534A0A32759B03F0FFC696669019077C6A5346490C92132F86C8FD8DEF120E52B143C8004B9E8DF1ADC7C2H4661B0509385A37F82280E12DB4C9C3639D1C0C7027564E41399F0FE2H3D5ADDA64028B680E48525D4086C7F4FACC8196D30982A105400B033F8DAE3AE1DB48B8DA00891D2C494B146694F2B1B8C2F790E10870340B4272EA3D948C8FA7C9DEAE68069FA3525B4E71148A1BC72EC785E5C70A062A294B406F3381B2B9A5DF4BCC6E047D01B052CF477A8819259CC65BACE51344280F4936F9118710BC8BCDB2E5BC0A746756401D35288E9FDBF2C3998E9B011A5E2D48747B6785F6C239C3D0B0C20841753446533B4E8CCDC980CAD8FFE9074F3C534D7D52E58BF487FFD1A676C009401BAA53465E2C85B49FC6CFFAADCF05296201544F003B99BDF19DC743D4661B0519B85A40585297813DE4CE82H38D0B2C60B751DE661988FF9423D2CADD94120B380E48625A309187A3EADC41C1E309627605470B746F8DF99DD1CBE89FDA009E7D2C594C23169402B1B8C280A7810F77341B4532FAFD83BBF8A7DEC98EC8164F03224C0911648A9CB7AEC082D5671D866AA94B503F5381929EA5CFDBFBEE049A1130422F476A88C9C28CC6DC8BA51404180F59410E0190809C9BCDD585EC1D0407A6503D45788E9FDBE2C4D999BB063D4E5D58443B5785969289C3D0E0D21F31250451731B7E8C9DA9D0DDF8889910087B134D5A32259B03F0EFC6E696B009576B4A4456397C82B3DFE6C8DDDAEF055EA2B15448502B899AE6ADC783D3960C8539685A37FF6280C1EA84CED3D3AD0B1C07275159512988F8B4E3D2FA8AA4128B285E4825FA2086E0E48ADBC2H6D31E05460547CC331F8D0EBDF1DCF87FDA17091DAC5E5B73568385D1A8C2F7C7610F30647B55D53D4D83ECAFA7DEFECE98065F63224C0951E48A9B80AEC0D585970D110A795B07580381C28EE5CFDBDCDE148D6670521F17FA8809A28CD1FCAB751344AF0F4936496180B03CABCAC2A26C0A13B726403A05388EBF2B32C4F9CEDB011D497D5844FC1785F18299C3F0E082182165A446543C6E8C1A9980DAE8F8B9004F4B534D6A42259B94F79FC686E6B01E003B0A5421194C82F3DF36CF8ABDAF054E52114308F72B99DAD18DC0E4D3A60B7509B84A773F0287D68AE4CEF4C3ED0C2C6037510E016988B8D4F3C29AADC4021C081E58352D108697C3FACCD166B30E426675475B343F8D09BA91CBF89FBA007E7D3C5E4BF36684C5C1C8D5F0D0A11F9024BB45426AED83ACC8C7DEFEEE68068843A25C7956348DBB20FEC0C5D2D70D164A495C706F139105CEB5C8FC8CBE133A11604538076A8FDEC52CC1FB8CC50474680F596629319700DCABDAF2D5DC1A846076507D52589EDF2CE2C39EDEEB013ABEBD4F741C0792B635A9D3C097A21856053446636C1E8CBDD9C0DDF8B8C9178F0C534A0D42458CA4A03FD1A6C1B00E377BBA547679EC9283AF36DFCD7DDF053E02214308105B899AF6ADD7A4F4961C9279184A072F4280B1AD94CE94B38D1B7C6037413941398FDF8383C5FAFD94121B4FBE48151D7096E724FACC96B1A30952210557DC74EF8DA9BDF1DBDF888A0029AA5C5E1B733684A2C1C8C290F7911F00343B45123A3D93ACEF97C2H9FE88065F03525C2E41449AFC978EC0C565D70D213D594B1058F381E23E85C88B8CCE040D6610527F002A98EEB28CC1FBBBF51314485F49D62EE180C7CCCBCDC265DC0D241026404D42289E1FFBE2C38969AB012D7E2D4F144C3792869239D357B7D20881053446D37C4E8C1D9ED0CA5FF8990798AC234DDD72158BA480DFD6C1D6D00E274BBA54264E4C85B4EFD6D8DACDDF0569123153DF075B99FAF6DDC7D383D61C755E284A50085290F1CDE4CED484DD1B7C40A7415901599FF8C4D3C5D2HDC4129C1F4E58D23A209610B4FACC41F69309825645407C242F8D9EFDA1CBD2H86A00297A0C5ECC333683D2F138D5F7D7B11F90A43B42453D3D94BBE827D942H9D8013873B25B7E26449A0C90EEC092H2C71D913A394C175F4386D59EA5C8ECCCAE042A71B0557F601A980EE52CD1FBFBE503446F0F4901095190B0EB8BDD42E59C0A747726577A25E88EDFEB22C3FEC98B013AAEBD4F74FCF785B1C599D4F2H0C20F31B22446343C3E8C8AC980DDFF7FF9100F7B1342HD45459B13B0BFC191D6A009403B6A44111E5C82E4C896DFFD7AEF15097521434F273B9EBAB69DC7E3D3B60C0219784A407F429096CDF4CEF3E37D1C2B070751DEE12998BFC433D5BACA84022B7F4E48520A5096F7D38ACCD686D319725675475B434F9D1EBDF1CB4FFFAA00892D1C5EDB53368492F1E8C240A0E11F17347B45622D3D839C98F7C9DEC9A8165F13325B6951F49A8B87CED7E282E71D413A194B27786381A28EE5D8ECDCAE030DA1504218501A8FC9F2ACC6FB9C950394080F5E61793187A08C2BCDF5D2EC0D530056407A45E8998F8B82C4EE8EDB163A696D4F047B6785F6E289C3D787D21871625446540C5E9CFDF9F0CADFCF7910285B1342HD32159CB420BFC1E186F019301C5A4466495C8204CFB6DFFDDD7F15896571537860EB89AAA1FDD0E4C3E60C85A9084A772FE297A1BD94CEE4B4AD0B7C4757417E61599FB894F3C5FDAA94129C4F5E5F722DE09610C49ADBF1C1F31E22166557CCE42F8AD98D81DB5878CA10096A7C596B44269385A1B8D5E0A7810F40631B52627A5D83FB8887D2HEF9B8068F53225B69E1E48ADBD72EC0C592D70D914D195C7008439682D9F5DFBCDBAE043D46604258005A98F9E2ECC6DBACA514240F0F5926296187F7BC2BCDB2A26C1D041706404A053889CF9B92D4C9998B011A7E4D4F545C279581F2A9C39060921F2115B456442BEE8CFDFEA0CADF9FA917481C434D5D45358BC4F02FC1D1C6F01E903BBA44311E3C95A388A6DFFD7DFF15094571433F474B991AB68DC7B3A4D61C8549185D6048128016ED34DEE2H4CD1B9B376741CEF6599FC8C433D2EAEA64028BA80E5F651D2096C7248ACC9171F31E22217547CC140F9AA9EAC1CB82H88A001E0A0C5EDB541684053698D5E7A7711F50632B55150D5D94BC2FA7C9E9F9B8112F14524C09F6249DABF7BED7E2B5D70D014A395C705F6381D23EA5CF8B8CFE133D7620556F001A9FB9358CD68C8BF51434781F5E463EE187E7BC9BCDE2E5BC1D2367B6502A35689E988BA2C499AE9B011D0E7D4F142CF785B1B5A9D4E070B20821A20451633C5E8C9DA9A0DDFF9FA9174F1C535A6A32158B0387FFC186A6C00E106B5A53717E2C95A4EF36D85AAD9F055E6511546F00FB9E8A96DDC7D3C3B60C423E085D676FE297A1CDD4CEA3E49D0B7B6047566951398FBFE3A3D2EDCAF4129B6F6E5F623D5091B7D4DACC56B6931E3576A5507CF42F8DCE8D91DCC8B87A17294DAC596BF45684C291B8D5E0A0911820A35B52625D3D839C38A7DEE9BEC8168F34525B6906249DABF0AEC0D285771A017D595C67086396A23995D8EC9C7E132A41104268404A981EC53CD1EC8CD51433682F59C67E0187F08BABCD52927C0A13A026506A55E89EC8FBA2C499E9DB165D3E1D58642B5792A6D2E9D380D0B20811520456D36B1E8B8A99D0DAAF6F8900484B034A7A32E58B93E0EFC1C6A1B00E107B6A43413E4C95A3EF26DFEABDEF056E1221437F500B8EFD818DD754C4861B25A9384D704F5287C6FAA4CEC3D36D1C2C0067566E16298F08A3A3D2EADDD4123B2FBE48457D3081B7B39ADB91C6B3091266A5506C635F8A8E8AC1DCE8688A1009AA7C596B541694B2C1B8C280F7C11F30344B45655D1D83BCD8E7C9D989D8167833424C69E1748ABCE7CEC082F5C71A267D194B5058238192A995D89CAC7E043D11205518402A88D995FCD19CAB950344185F5E110EE19087CCBBDAE2E5BC0A831756571D65E899BFEBA2D39979EB064A195D58145CF792D1F299D34060721841322446331BFE8C9ABE90DDE88F99074F1C635D2A65259BD380EFC1A6C6901E270B5A54416E1C95D4E896CF8DAD6F05194211531F071B89AAE63DC7D384A61C553E285D77085297B6FDF4C993B36D1C5C107751D946598F08F3E3D29D8AE4153C185E58D53DE091D0C3FADBF6D1F31E254155577C341F9ADE8AD1DC986FBA17290A1C4E5B434693A5A698C5C0B7E11837632B42H52D1D94BCFFA7D2HEC9B8065804025CDE26149DBCF0FEC0B2C5A70D365A394BD038E396D5EEE5D8ECFBEE046DA1404548404A9819858CD1EC8CE503843F1F4E161EF190D02BEBDAF2A5BC1A8357B6571D622899AFBBF2D399BEEB011A5E7D48343B178506D239D490F0921F21252446436B4E9BAAF9A0DDF8AF7900380B234D7AF2F58BB4D03FD69186D019000B5A43067E3C8284EF36CFFDBD7F153905214378E03B89DDE18DC7C3F4761B224E584A6708128096CA94DEB2H39D0B1C5767566931598FB89423C5AABA64152C1F4E4F756A3091A0E39ACCA1E1730902B165501C242F9ADE9AF1DC98F8AA172E6D4C4E0BF44693D5E1E8D59770D11827730B55C54AED83AB8F87D9598998014844524C6936648A9CC09ED0B582C70D16BD595C10486381A5F9A5CFCBFCEE135A71A0557847FA9FAEE52CD6FCBCC51433784F5E663E1190A78B8BDAE2827C1D246776574A25688EA88BF2D39EB9DB118A6E2D48133C6795B6A2C9C3F7F0721F26754456044B7E9BAA8EA0DA5F6FC907381C535A1A52E58B93B0DFD6E6766019574B0A5366291C82D388A6C85DADDF051932A1530820FB89BAE18DD093B4E61C9209784A471F728096EDC4D993D3CD0B3B6037414E5149988822H3D29ACDC4120B1F3E58022D208687E3DACCD6A1A309024665475B74EF9DC9CAE1CBC898DA17290D2C4E6C737693A2E188C2E787C10F1014BB45524D2D93DBFFE7DE9EDEE8165813325B6E31049DDCB0FED795F2A70D314A295C1048039105FED5DF4BAC8E135A6670556F077A88E9D2ACC6DCAB851454787F4976491187B0ECDBCDE2F27C0A532026576A056899D8BCE2D3EED9DB019D4E2D58133CF792A69599C3D0E0B21F4615A456D43B5E8C8AFEE0DD98A8C9178F0C134DCD35259CD3C0BFD691F6601E473B1A4461295C82E4CFF6DF9D6D7F05496231447F302B9EDA91FDC7D494760C1279185D67683287B1AD24CEE3F3AD1C4C7067514E760998CFB423D58A6DC4026B782E48554DF08697348ADB92H19319921645404B333F8D8EBDE1DC88CF9A003E0A2C4ECC73E694C2B688D5E0D7810F20337B52027A5D94CC28A7C992HEA8166F23224C4971F49DCBB0AED785B2E71A060D595C00380381E2F995CFFCCBDE134D31A05508071A88C932ACD64B7BD51424386F49765E0190C7FCCBCDC5D5CC1A030736570D65F88ECFBC92D389A99B015A6E3D58044B1792D1E2A9C3E0F0721F41051451034B3E9BCD2EF0DDE8B8A907981B035A0A55158B03C7AFC6F6A6F019401C5A44415E6C95C3DFB6C8DDDAAF124E42614358207B9ECA96FDC7F2H4D61B4509384A575F3297C1EAD4D982H3AD1C4C0767560E46F998C894B3D28A9AB4024B182E5F057D008687E3DADB8181F31E42B175473B547F8ADECAB1DCCFF8EA00293DBC590B74268485E6E8D2C080E11850B30B52420A7D94CCE8B7C9AEEED8168FB3024C6936449DCBF7AED78595F71A463A194B675813818299A5D88CABDE134D0160550FE03A9819C5ECD18CABC51374183F5E06496190C0EC2BDA82C5CC1D437756570D257899CF9BA2D38969EB164A191D58041C2792C6D5E9D480D0721F46356451133C5E9BCAB920DA8FDFA910481B735A0AE2F59CC4B0EFD2H686F00E977C2A530179FC95C3FFE6DF8DDD9F124E5251540820FB9ECAD68DD084C4E61B4509B84A574F4297C1DA94D98364AD1C4C7037560E113998C8B4E3D28ABAC4154BAF5E5F05FD2091C0B3BADB81F1D31E4276A5500CE41F9ACE3DE1DC8868CA17495D5C590C544684829188D5E760C11840137B45520A3D94CCFFD7DE8E99A8114F43425B09E6549DCCE7DEC09582D71A413A194B2748139682AEB5CF9BFC6E144DB110551F203A9809B5ECD18B9BD514436F7F59761E3190C08CCBDA82H26C1D435746570A523899DF3B32C489AEEB164AB91D58042B4792C682D9D480F0820F51A5745103EB7E9BCD3920DD8FAF69105F0C235A0A75259CC3B0BFC196D1E019471B6A5306792C95C328A6DF8AADDF124E75715408F07B9ECAB69DD08474D61B4239085D00786297C69D94D982H37D1C4CA0074179561998C83383D28AADB4154C3FAE5F022D6086B724EACCF1B1D31E42A115500CF43F9AC9ED81DC88F8AA174E3D4C590C543693C2F188D580A7B1184034AB52657D3D94CCB837DE89CEF8114873625B0901149DCB90FEC0D585B70D111D794B2038439682DEF5CF5BFC6E144D46005508304A88A9E53CC69CFB65134418BF5936293190A0FB9BCDD5A29C1D536056571A250889D89B32D4A98ECB063A0E0D5F140C1785B682F9D390F7E2087155A446534B0E9CDA9ED0CA488F89175F3B634DDA22358B04E7FFC1D6F19019306B3A4341496C92D4EF36C8AABDAF02096241430F073B9EDA91FDC7D383B61B5559784D30086290A6FA84DED3D49D1B5B10B741D971499888E393D59A9DC4121C682E4F420A1091D083FACC81F1B309251155476B433F8DCEDDF1DCEFAFCA100E3DAC5E0B14568492F1E8D597D7610F20531B45D53D2D838C2FF7DEEEB9D8061F54725B6E46348ACBC7CEC0D5D5670D366A595C40686381A2FE85CFDBACFE146D4600554F67EA88A9952CD1BBACB51404B80F5906F92190D7BCBBDAC2926C0A835766500D35588E9F9BF2D3B9D96B013A0E6D5F543C578591E5A9C4C097920891B57451631C3E9BAA89E0DA4FBFF9105F0B534DCD52658B0397EFD1B696E01E276C0A4451194C92A38886D8CACADF057EA5115448E73B9E8A819DC7A4B4660C1539B85A37FF4280A1BD34D9B484BD1C5B3047466E61198FB8C483C5DDCDD4027BB82E58453DE091F7933ADCC6A6C31E5226B5470C54FF8D99EA31CCFFC8CA00294D2C593C33569382B1A8D5C767E11F00740B52350A4D84BBF8E7C2HEC9D8061864025B1961149ACB87BED7B592C71D763A294C404F3381928EB5CFDC6BAE035A6100456F601A9819E5DCC1BCDCA513837F2F59C13E3190A78BABDAC2E5AC0D343776571D65488EFF8CA2C459A9CB011A697D4F342CF785B182F9D497A7E21F51721451044B7E9C0DCEE0CAF88F89075F1B534D4A05458BB397EFC1F6C6E00E476C7A4456394C8213FFE6C8DABDCF059E4551435F304B891AF69DC0B4E4F60C827E585AD74F6280A18AA4CE53C3FD1B8B4707464946598F0884B3D54DBDA4153C185E48252A109600849ADBE171B30922B6A5503C342F8D99EDA1CBC8CFDA17593D4C491B431684C5E6F8C2B790D10F17732B52153A3D94BBBFD7DEBE99E8067F33A25B4E31448DBB37AEC085C5F71D810D295B60F82396F299F5CFDCAC9E040D21A0526FF74A9FF9E5BCC69B9BF50334B86F497639118717FCDBDD82F28C0A744056406D25288E9FECF2C4B9C9AB012AAE7D5FC34B3792A6E2A9C3D2H0620821022451442C6E9C0A9920DDBFAFF907586C134D2D52359CF4F0FFC1B661D019400BAA5361296C8294FFD6C8CDEA9F055962214368F00B9EFAF19DC7D3A4661B2569B84AC7383287D1BD24CEC4B3CD0B9C30575639563998FFE4B3C59ADAA4155BBF4E5F327D3091A7932ADB96A6E309327615403B546F8DBE3A21DC98688A1779AD2C591B43F6940291F8D5B770B10F77337B52053D6D838BE837DEBEAEF8115F63A24CC931648AACF7CED7B5E2970D565A394BD7387396F2B985D8CCACEE145D21204248076A9FFEC59CD1BBDC951393784F5E317E219710ECEBDAE2A5BC0A736076577D050899A8EB82C4EEA9FB167D6E3D4F146CF785F6F239D4E7D7B21F71050441042B7E8BBAE930DDB8A8E910786CA34DCA25258BA3F0CFD6B6F69019707C2A54C1E90C95F328E6D84DED6F251EB571433F472B9ECA26ADD0C4A4E60C121E085D602F6297D6EDD4DE53A4BD0B7B40B7561E66E98F8FF483D2BAED94153C1F5E58256D2091F0F4EACBB191C30912B6B5507C035F8D9ECA91CCCFC87A1779BD6C593BE37683B291D8C2C7D0D10F17030B5232FA4D94FB98F7C9A9CE98063F14525C6941449DDCF08EC04595D70D117A395B00382386F5FE85DFACBCAE037A3120453F302A8819F5ECD69BFB6503246F1F4E062EE18707FCBBCDF5B28C1D736726502D7238AE988C92C4EE8EDB165D1E2D58632C3792F6B229D4E0B7E21F41057451033B2E8BFD8990EADFA8A910786C235D0D35258CF4C0AFC1D671E009775BBA4451FE4C85F4C8D6C8EDBD6F051E7521530F074B89AAA1EDD0B4C3D61C5579586A576FE280018AA4EED3A3ED0B1B60B7467936098FA8B393C5FABDE4124BA86E58C57D4081B7F38AECD1D1832912412547DB042F9DC98AD1CC88E8FA0749AD6C4E1B734684A2B1B8C297A7E11F60231B52H21A7D83BBEFF7DEB9BE78117843425B3911048DFBD0DEC052A5771A716A395B60F81386F2CEB5C88BCBDE046D01506258702A8F89852CE6DBACB503740F1F69566EE197D082HBEDD2A5BC0A731736605D35188EAF3C82C4E96ECB063A0EBD6F540C17A5969229E3D070D20F31021446534B1E8C8D9ED0EADFCF7907186C236D5D32458B14E08FE1D1B6F019774B5A53616E5C95A32FE6CF9ADABF12791271540F200B990AA1ADE7D4E4762C152E085D672FF2A096BDE4D9B3A4DD2B1B307756697609888FC483D2BDBA94157C7F0E48D51D00A690E32ACC4191B30E524115475B031F9DEE8AC1CB586FBA07496A1C4E5B43F68412F6D8D2F7C7E10F87646B52457A3D83ABBF97E9DEC9A8165834126C5951F49A8BE7DEC0D5A2B70D710A696B5708438105C9A5C88BFBDE241D4600553FF73A88A9228CC1FBCB8503940F7F59565EF1A7978CEBEDD2A28C1A0437B6403D4218AE9FFCE2E4DE89BB013D495D48034B67A591F589D3F7A7920F0115244673EB1E8CBDE9C0CAEFC899105F7CA35A3D4555AB9437EFE1D6A1B02E100BBA4376295C92A32FB6D8EABDAF057E6211435F30FB89FAB1EDD7B493A62C157E686A57481280B1DA94CEA4D3BD2B1C2717467E4139AF982383C2FDAA84221B4F5E68524A10A69724AAECD1F1C319220165507C241F9DA9FAE1CCC8D86A175E4D4C4E7B2356A49591D8C5C087711877746B5262FD5DA39B9F87D989B9E8060863226C5931249A0B87FEE0D2C5771D166A694B57086381E2DEC5CFDCFBAE034A6170422807EAA899E2DCC19B6BE51313786F5E361E61A790EC8BEDD2F2CC2A147726573A25188ED8EBA2E4D969AB015A495D6F533B57A591B289E3D07062189135A441034B2EAC9DFEF0CA8F9F790718AC435A4A75658BF4D0EFC1D661E019003C5A44C609FC92D338A6C8ADADBF051905215368003BA99AE6FDC7D484962C155E584AD73832A096ED34C9F3936D0C2B7727414E7669AF8834E3D2EADDD4021B4FBE68557D608187F4EACCD1B19309824115675B035F9D9E9A81CBB898AA003E0DAC4E6B243684F59188D247A7912F10747B52655D3D94FC9FA7C999D9A8113843224C496114AA9B87AED7C2D5F71A262AA96B50287381E29985C8CC7CCE042D21606248003A9FFE859CC1CBABD522H31F5F49C17EE19087FC9BDAB2A5CC2A135746605D2218AE988B32D4D9B9EB211D796D4FD43C37A596B5A9C3B0B0922816025446D33C5E9CFAF9A0CA9FB8D92718BC035D4A7545AB84F0EFC1C686E02E175BBA5371692C8583CFE6E8DD7DAF127E52715438276B99DAD6DDD0B4E4C60B25B9084D774F12A081BDC4CEE364ED1B1C7767416EE139AF98D4B3E5DD8AA4157C185E68550A2096F7B48ACCE681C329120605675C340F9D0E3AD1CCEF888A20193D0C4E0C0466A4929128C24080C12F10647B55627A5D84DC2FF7E9D98EB8117FB3326C5966349DFBA7AEC0C575D72D166A795C60080396A5F9F5D8BCFBAE148DB100426F171AA899C5CCE6CBFCB513144F2F69410EE1A7902BABDDF285AC2A033726474D1578AE88CCD2E4D9DEAB210D195D6F533B1785F6A2F9E3C0C0E22811554466530C2E9CAD89E0EADFCF8927185B736D5A42358BC4F7EFE1D666F02E107C2A4446593CA2939FA6E8DA8D6F127E25214378E01BA99A96DDE7D4B4962C05A9A86A57281287D19A84EED3738D1C5C6717416E615998D823D3E5DAFAD4052BAF4E68454A30A68734AADBE1F6A309356645506C54FF8D998A31DB88689A177E0A7C4E0BF30693F2E1F8D5E797F11F80B36B45C50D4D94ABB8C7DEE98EC8112833626C4941649DAB90EEC0F5B5670D16BD695C67585391E5EEC5D8EC9C8E241DB62052D847FA9899C5CCC6DBBBC503446F6F49515E0187C0BC3BDAE5A5BC1D330746477DE55889DF8CA2C45989CB011A2E7D4FC35C1785D685E9D4E780E20806155466447B5E9BFD9980DACF8F990718BB235D0A42259BF420DFD196E69009000C5A64414E5C8294E8F6DFFAAAEF056E4561541F004B8EBA21FDD0E4C3B60C1269A85D7748129096CAF4D9F4A36D1C3B7047514E21399F8FB393D2BADA94120C186E6845FD409680E49ADBF1F1631E727125475C433F8D9ECDE1CBD8D88A17293A0C4E6BE44693D521D8D597E7B10847142B52353A1D93EC8827C9DECEA8260863124C4936348AABF09ED052C2E70D36BA794C601803968289A5CF5CBC6E041D510052CFE7FA9FF9F2ACC6DB6CE51474582F49561E41970022HBEDD2E2CC1D337026405D42688ECFDB32C4D9CEEB014A6E4D4F541C479501F5A9D49780E21896751446440C1EAC8D9E80CADF6FB9072F0C134DCA6545ABB4C09FD691D6E019506B0A4461797CA2B4CF26D852HADF02394551634F301B898DF18DD0E3A3B61C3529086A704FE297F6CDE4D9E4F37D2B0C771741590169AF8893E3C58AFDA4023C485E68422A4081B0F3CADC86A1C3092206B5475C642FADBEFAC1CBA8B8AA10490D3C4E5B6306A4B2C198C28087B10F40240B65750AFD948CFFF7C9DED9A8061864524C795164AA8CC73ED785F5970D360D596B773F1396A2C985D88BAC7E142D6140425F276A88C9A5BCD1BBCC95233348AF5E414E3180A7EC2BDAE2E2CC1D335766405D5258AEBF9BB2D3B9BEDB011A4E4D4F542C078596D2C9D4C7C0D20881650466732B6E9BFD2930DDCFAFB9273F1B734D7A62358BB3C0DFC696E6600E972B0A5371190C82939896E8FADA9F024E1511444F501B898A869DC0E384C61B055E285A172F128091DAA4DE92H3AD0B1C1717617E46E998A82493C58ACDE4029B480E48520A108610C3EACCC1A6930975061547CC044FADB99D81EBCFA8CA00294DBC6E7B7366A4B2F1C8C24787C12F30446B52127D1D848CE8C7C9DEB9D8061F03024C593624AABBD09ED055F5D70D762A096B70280381F58E25DFAC9CAE032D1610627F274AA8B9B29CE6DCBB9513441F7F49C61E418797EC9BEDD2B27C0D037026474D354899D8FCE2C3B2H9AB011AA97D4F046B1785D62229D382H7A21801350466436C1E9BFD3930DA8FDF6907187B135A3D25159CC4979FE1F6B1C02E306C5A645159EC82B3DFA6C8DD8AEF022E42015438E73BA9BDC69DD093C4D60C95A9285A473FE280919D24CED3849D0C0C5707511E66099FA8D383D59DAA64129B5F2E48555A50A6B0B38AECF166A30E52B6B5477CF42FADBE8AA1EBC2H8CA20097A2C6E4BF33693D5F6F8C2F0D0B10F07343B45127D6D938BF827E9DED9B8061F54026C7931249A0B978EC7F595B70A565A394BC74F1381B2DEA5CF4B8B9E042D7100425FE06A98A9229CE6FBCCD51353680F49614951A7B08BEBDD95C5DC2A33B7A6607D65F88E8FEC82C4D9DEDB213D1E6D6F737C5785F692E9D3D7D0D22831B2245643EC4E8BBDEEF0CADF8FD90718BCB34D3A15459BD487FFC2H1D6A02E375B2A5311393CA2B4C8A6D88DAD8F0519452143CF00EB89AA919DC7D3D4D62C35B9784D471F2297F1EA84DE93F3ED0C0CB077561926498F88C4D3C59ABA74023C1F4E4875FD3081A0F4DAECD6A6E3090216A5404C632F9AAEFD81EBF8DFBA00192D6C594B53F684B5F6E8C5F2H7E11820345B42H57A4DA3BBFFE7C9E9D9B8165F73B25C59E1F4AA8CB0FEC782F5C71D060A096B706F639682A9D5CFBCCC7E243A0150624F305A889982DCE6F2HBE51434082F69764E4187A7CC3BDDF585DC2A036756605DE578898FBBB2E4FECE9B162D195D5FD47C07A5B6B289D487B7D20881256466743B1E8C8DF9E0DA488FE900085C734A1A22358B94979FC696A6600E177B3A430659EC8203BF96E8EDCDDF024962514368502BA9BA86BDC7D383960C2549B84A50081280D1CDA4CED2H38D1C0C3067414971298F082423D58DDDA4124B5F7E6845FD5081C7D3CACBF171631942A125476CF46F8DCE8AD1EBEFA8DA17792D2C4E4B7436A4A5B6F8C28087A11820331B65650D1DA3BCAFA7C9F9A9D8164FB4225C497654AAAB90FEC0D5D2B72D36AA396B7048F381B2F9F5CFDB8CAE147D21204248303A98CEF2DCE6CB7BF50384B80F59067931A7A0EB8BEDF5D27C1D046716505D25088E9FEB32C4A9A97B013D3E3D58132C579286E589C3D0E7A21F46757441130BFE8C9DEE80CADFC8A917586B036D6A52F59B84E0FFE1E6D1B00E173C7A64611E3CA2B3E886E8EDEA9F158E0551637F70FBA98AF69DE7E4A4C60C1519386A707F3287A1ED34CEA4B3AD1B8C20A7414E2639AFA8D4E3D582HAC4021B6F7E68651D20A6B7D49ACCD1918329326615575C334FADAE8AF1EBFF88AA20392D3C6E6B5456A4A5D188D240B0A12F30031B65721A4D930C8837E9F2HEA8261F03026C7E21149A0B27BEC7C5C5872D365A095BC0287381D289A5EFFCCBCE243A4600520F401AA8B9A52CD1F2HBD52333481F59360EE192H0CCEBEDC2E2CC2A335766500A257899DFDCE2C4A9AECB014AB91D58145CF795B6C5A9C3D787D20F06453456D3EB2E9BFD99A0CADFC8B9102F0C134DCA22458B9490AFC1D6667019203B1A4461F97CA2A39F36D8CD7ADF05790511534F206B89ADC1DDC7E494860C120E284D372F6280968DD4DEE3B3CD0C5B7767413906498FB8C393D58A9D94152B0F5E48124D6086D7D33ACCD2H1E309421115503B333F8D89BAE1EBEFFF9A108E0D5C5E6BE3E6A4A5D6F8E2F0A7910F50035B65726D6D94DC9FF7C9D9F9C8262843A25B4916648DAB20FEC7F2C2B70A765A196B70FF43A1A2CEF5EFEC9C8E243D716052CF602A9FDEF2ECC1BB8CA503141F1F4E163E0187909BFBCA92C5EC0A935026405D15489E08BBC2E4E9C97B011D1E0D6F647C5792F1C299C3B7D0F22821B5B446344C3E8BFAE920DA5F78E9272F4B235D0A02258B9480CFC6F6A6E01E806B1A54C609EC82F3FFD6C84ACAEF024902514378F04B89BAD69DC7F4C4660C1209085D302F0280C12D24EEE3C4BD2B2C7717415E01198F98E3E3C5DADAF4222B2FAE58623D70A6A793EAECE681A31E225105676C333F8D9EEAB1EBFFB8DA202E4D5C6E7B134694059138D2B080C11847341B45626D5DA3ABCFF7D95EFE78262FB4125B0946648DACC73ED7C2F5870A014D296B403833910299E5EFFC9C7E049A61206278503A88E9E52CD1BCFBC5130412HF5E110E11A7A0ABFBCD45859C0A236776405A453899AFABA2D45EC9EB015A5E3D4F54EB3795062289D4E7C0D20881254466134C2E9CDDA9C0EA9FCFB9177F6C734D2A25559CA4A02FD1E1D6901E471C1A647129FC82B3AF86E89D6AEF127E62B14358272BA9BAA68DD0F4A4C60C155E285A170F528091FAD4EEF3F49D2B2B0067566EF63988CF94C3C2FAFA84225C4F2E68551DE086E7949AECF1C6B31E420605476C247FAD8E3DE1CBA8FFEA205E1A6C590B434684A58198E29787C11807435B45620A2D839CE8F7E9FE8EE8263803224C1901648A9BE79EC0D2F2C71D862AA94B605833A1D2AE25CF4CCBEE049D4110425F17EA889992FCC6DBFCE523540F6F49062E0187902CFBDAE5A28C1D2467A6576D32588E9F9C92E49ECEBB014A1E3D6F142C17A59692B9E390C7D22856650456C43B6EAC8DA9A0CACFEFC927586B236D1A15658CA3F7FFC1E1C1D019403B5A4301E96CA2B3F8F6CFED8D7F023E42315478074B8EBAC1FDC7D3F3B60B556E584A50781287D6CAD4CEE2H39D0B1C207751DE615998C884B3E59A6DC4122B2FAE48653A20A6D7C4EADBF6F1D309227165671B240F9DE99AB1CBCF887A10294D5C491BF3F684B5F6E8E297C7B12F30747B52421A2D939BE827C9BEAE98061873025C2E01648DDCC7CEC7F562D70A513D195C300843A1D2EED5CFDBDB9E240D3650457837FA98B9F52CC6EBDCD503144F7F6916F9619780DBDBCA92E5EC0D340766407D62188EBFCCF2E499997B162A091D5874FC3782B6B5A9D3C7D0B20806650446443B0E8CADEE90CD8FAF79071F7B234DDD02F5ABB4A7EFC6F2H1D019301C6A4461491C95832FC6C8EABDAF050E5521634F204B89EA81EDD0C383D60C4559285AC02F3297B1CDE4CED4C3DD0B6C4017415921698FB8C393C5DA8AF4121B681E48625D0086E0E4AACCF1A18309153125404C434F9AAE3DD1EB98BFDA001E3DBC6E4B442684C591F8C2D7F0D12F1764AB45457AEDA3DCA827DEFEEEC8113F73124C5E26648ABBD7FEC0D2F5772D513D796B10EF1396A5B985EF9BAC6E137D1660420F576A881EE2ACC6FB8B750313481F59C14E11A7D09CCBDA95F5EC0A9437A6601D626899D88B22E49EA9FB165A0E2D4F042CE785968589D4E0C0720811626446533C1E9BBA8E80CDBFCFB907486B2342HD55158BC4A08FD6F696E00E101BAA6411E95C82C4EF96E89DEABF12093561434F071B89AAE1EDC7D4B4F60C4569484A57581290D19D24CEE3C3ED0B4C7077415E614998F8A483D2FAAA94021B0F4E58151A4086B0C48ADC8681E309054645470C646F8DA9CA21CB8F88CA17090D4C5E1C3356A4D5E1B8C2A7A0B10F17343B55024A7D839BB8A7E99EC9E8263873126C1971E4AADBF7BEC08595770D116AA94B000F3381928E35CFDCEBAE130A6600424F274A889EE52CC68C8CC523544F7F59C649618710FC9BCDD5826C1A4337A640CA3228AED88B92C4498EAB011A1E7D4F545B278596A2A9E380C7D21F0105B466131B4E8CED8930CAD8A8D927586C035A3A02658B9387FFC2H186902E577C1A4451696CA2C3D896D85DEDFF027E22214348205B89CAD6EDD782H4E61B355E684A20081287C1BD34EE83E37D1C3B077741092159AFD892H3E5EDBAD4025B781E5F057DE0A6B7333ACC86819329527105472B536F9ACE3A81DB8FCFAA20596D2C593B6436A4C52128D2F7B0D10F10245B65057A2D848BCF87E9F9AE68015844026C1951348D8BA7DEE082B2972D514D696B106813A1C5E9A5C8CCCBEE243A4160424F772A980EC5DCE69BAB650334187F4951296180809C9BCAE2A5BC0A146026474A2268AEAF3B32C4F9E96B012A5E2D4F532CE785C6A299C382H062183135B46663FB2E8C0AC9C0DD8FB8C91078AB0342HD2255ABD4D0CFC1E2H6601E306BAA54D1396C8283DF96CFBDAABF051E42715448400B89AAE1ADC7D4B4F60C4579484A573F7280C1DD94CED3C3DD1B5B60A7410E11698F98A3A3C5CDBDA4057B0FAE48555DE086E7D3FACCD191D309125665475B433F8AFE8AE1CB58FFEA00796A5C4E5C53E684E5C1A8C2D0F0B12F5764AB65154D5DA3DCCF97C9B9DE68066863A24C3901148A9BB09EE0D2A2C70D016AA96B1078738102EE95EF8B8BCE042DA130454F006A8899C5DCC6DBDBB5040478BF4976F961A790EC8BCDA2829C0A131006402D52688ED89CA2D3FEF9BB012A590D6F042C7795E632F9D4C070821841B51446031C4EACCD99F0CDCF6FA90758AC336D0D22458BA4278FE181B6A00E27AC5A6401E91CA2C32F96E88D6DEF151E62114328174BA9CAF6CDC7A4C4B62C457E586A674832A0C1CA94EE84C4ED2B5B07774109015998CFB4A3C5EDADD4225B781E4855FA30A6C0E32ADBE1F69329426175475B744FADCEDAF1EB8F886A17097A7C4E5B34268492B198E28770B12F4024AB52753D6DA3ABB8A7E989FE88264833726C0951E4AAAC872ED7B5C2C72D413AB96B005873A1B5B9A5CF5BFBBE244D51706208701AA8C9D5ACD19B9CD523445F7F69012EE187D08B9BDAC2B5EC0D744056406D22688E9FFBB2D4A9AE9B011A290D58435CF7A5D1E229C3C0E7A22841B5A44673EB7E8B8D8980CAD8DFB9274F3C035D0AE275ABA4B0DFC1F181900E277B3A4451796C82F4E896C8BD6DFF122E5231435F475B99FAE69DC7D2H4D60C8549A84A5008128081AD94CE9384BD0B1B30A751C946698FD8C3D3C5DA7AA4029B6F0E48553DF08690F49ACCC6A6C329424635404C545F8D0E2DD1EBEFD8DA10696D3C591C43E693F2E6E8E28080C11F47740B65027D5DA39C98F7CECEEE98262F23B24C4E21148ADCC0DEC0E575870A767A794C47585391E599F5D8ECCCEE244A1620426F477A889EE58CE68BBCD503130F2F4E762E1187C7ECBBCAF2E2FC1A235756405D15289EC8CCD2E489F9DB017D1E5D6F030B27A5C6C2F9C3D0B7B20816621466643C2EACAAFED0EA8FAFF9105F4B7362HD0515ABC4303FC1F186802E473BAA640119EC821398F6E8ED7ABF053E02315438E07B89FAE1ADD094B4661C4569B84A204F42A0C12DE4DE93E37D0B0C3047414E76298FCFE493D5DAAD94021B680E48554A50869734FAEC81D6932932B645677CE46FADCEFAC1CBA8D86A200E6A7C5E7B2306A4C281C8E280F7712F07345B65054A0DA3CBB8E7E98E9998069804226C09F624AACBF09EC0D5D5C72D713D296B0758F39102DEF5EF8CEBEE135D5660627F47FA980925CCE68B8CB50334181F6946EE61A7C02BFBED82926C1A246726406D5548AEF8BBE2E48EC96B167A5E7D6F045CF792D68599C3D0D0C2287632546603FB3EAC9DDE80EA8FD8E900082C034D3A2235ABF380FFE18681D00E175B0A6406596CA2D38886C8DDAAEF257E12A16368471B999A818DE783D3A61B2559786A072F22A0F19DD4EEB3D36D2B2C0727513E56E9A2HFF3A3E5ED8DE4157B1F1E5845FD60A6C7C32ACBC1718329457605674C641F8DBEEDD1EBBFC8DA20497A1C6E3B53E6A4A281C8E287D7711850035B65357D2DA3CC9827E9E9AE88064F73326C3E41F49ACB30FEE08582A72D766A596B303F53819299A5EFBC9C8E245A7670424FF7FAA8CEF5CCC6CB7CE52343081F49C61E41A7F0ECABDAB5B5EC0A035746600A25E8AED8CCF2E4EE89AB213A2E1D5F04EB379281C5D9C3E080A20F21427446230B3E8CFA9930EA8FBF69277F4B236D0D72358BA4808FC1D686A009201C5A640179FCA2A4EF36D8EA8DBF056E3201433F501B99CAF68DC784A3B60C1569A84A503F22A0C1AD94CEE3D37D0B0C703741592119AFC8A4A3C5EA9A74021B385E58552D008697F39ACCD176C3297206B5474B431F8DBE3D91EBB89F9A20797D1C4E5B5376A4B5E1B8C2A780C10F77735B65157A3DA3FBC8B7E989AE78110FB4724C2E71648AACF08EC05595A71D010A396B30686396B59995EF8C7CCE144A4610620F070A8899F5CCC6DBBCD50314583F49561E1192H08B9BED82H5CC2A735766500A4218AEF8BBE2C3C98ECB017D096D6F341C179286A599E3B2H0C20826053466332B7E9BDA8E80EAB8DF8927781B634D0D4205ABF4B0FFE1B671E019271B1A434179FCA2F3FFA6CF82HDAF050E4511633F575B898AB6EDE7B493E61B552E584A37F85280F68AD4EE83F37D22HB10A7614E2679A2HFF3A3E5FA7AC4224C4F2E4845FD60A6C7F3FACB86B6D309827175673B433F8DCEDAC1EBB8EFEA175E6D3C6E0B43F684A2E128C28767B12F77732B42752D5DA3FCDF97E2H9BEC8260873624B492144AAFBC0AEE0B572A72D462A094C370823A1F5B9A5EF82HC6E042D7150623F476AA8BEB5ACC6EBBB652374183F69314E31A7C7FCCBEDB585AC0D344766603D2258AEFFBCF2D3C9DECB217ABE6D6F04EB5792C1C5D9C3E0C7E22851350446447C3EACDD89E0EABFBF8927781B134D5A1245ABF497FFE19696E02E304BAA53413E5C8293B8A6E89DFADF25194501633F007BA9FA26ADE783B3A61B7569684A274F0280A1CD84CED3E38D0B4C7007613E2669AFB8A3D3E5ADFA84224B387E68253A30869083DAEC81F6B32962511557DB234F8D89EDD1EB9FB87A10895A2C4E5B04369405A1F8E2C7E0A12F47435B65325AFDA3FB98A7E99EC998061FB4726C0911E4AAFBC0AEE0E575F71D016D096B303F23968299D5EFBC7CEE244D3140626F506AA88982ECE6ACCBC52344183F69265EF190D09B8BCDD585DC2A736006603A55E88EE8CBA2E4E979CB012A0EAD6F247B47A5F182D9E387A7922851655446036C3E8C0D8920EAA8A89927580B036D2D0535ABF497FFE1A681D02E700C7A4401795C8283DFE6E8BACD6F254E22016328672BA9EA26ADD0B484C62C75B9686A003FE297A6CDA4EEB4D49D2B0C202746390629AFF8E4E3E5BA8AD4222C4FBE68351D60A6F0B49ADBB2H1F329657645673C442F8D9E9A81EBA888EA207E7D0C497C0426A4F596E8E2A087812F77044B65057D6DA3CC98E7E9BEBE88266F43726C295124AAECF7EEE0F575F72D410D596B00281381A2F985EFAC6BDE244DA110620F075A9FC9952CE6AB9B8523641F1F6921591197102CCBED85B2DC0D244776603D4218AEEFCCE2E4A9EEBB216A797D4F542C67A5E6D299E3A0A0C22861653446230B5E9C8AE9A0CAEF88C927687C136D2A1205ABF4E0BFE1A666A02E600C1A6401093CA2E4BF36C8BD6AAF256942516338302BA9EAA69DE7A3C4862C4529786A27EF12A0F68A94D9C373BD2B4C7767564E5629AF8824B3E5ADBAC4220C6F0E48453A6091C7B3BAECA191D319727665672C342FADFEDA91EBA898EA175E7A0C4EDB030684953198E2A0C7712F40042B45023A6D839BBF87E9AEF9C8267833126C0E4174AAEBD7EEE0F595F70D164A494B50F8E381B5C9E5EFBBCCFE246A06704208471AA8EE85CCE68BECE514544F2F69262E41A2H7EC8BCAF2C5EC2A730706571D3568AEE8CBD2E4B9CECB217AB97D6F044B27A5F632F9E3D090F22871653446230BFE9BCAE9A0CAEF6FC927786B734D5A05359B04C7FFE182H6D019776C7A4451597CA2C3EFB6DF9DBDCF257E15516378304B9ECA962DD0F3C4D61C720E286A1048428001CA94EEB3C3ED0C3B40A7414E46298F98C483C5CACDC4021B381E68552A6086D733CADCF6A18309456615670B245F9D9EDDA1CBD8FFDA207E6D4C6E3B3336838296D8E2A7E7912F47630B4542FA2D830CEFF7E9EE69D8114873A26C2956348A9B808EE0A2H5C70D260D294BD75853A1B2FEB5CFDBACDE141A41A06228074A8FB9E28CC6DCDCE5142402HF69214951A7B0BCABED85F28C2A4317B6600A45788EFFCB92C4D989AB118D6E7D5F547C27A5C6B5E9C3F0C0622866421466243BEEACEDB9E0EABFF8A91008BC736D0A55458BE3979FD6B2H1D009375B5A6421593C85849FF6C8CD9D6F25696201436F300BA9FA918DC7D484662C6529B84A305822A0E12DE4EEB3D39D2B6C7777612921399888E3A3E5DA8AD4050B485E68256D70A6E7C3BAECA191C329657605407B540F8DE9FAF1CB48FFCA207E4A5C4E6B23068495C138D5F0F7D12F4704AB42753AED939CD8C7DECEBEA8261F04726CDE7104AACC872EC7F5B2B70D166AA96B30082396B29995CFDB8BAE247D116062D8077A9FA9A2ACC6FB9C952374487F4956FE41A7F0BC9BED55F2BC0A2377A6405D5218AE1FCCE2E4A9CE9B219D4EAD58442C6792F6D2C9E380C0A2287155B446D44BFEACED8EE0EAAFC89927986C735A1A2245AB1487EFE1C6A1B02E074B7A44560E6CA2F39FF6E85D8DBF051E0241632F207B8EBAE62DE753F4662C456E186AD7782280B19AA4EE53B39D2B9C675761DE2159AFD83383E5AA7AE4225B285E68D50DE08617C3DAECB1E17309651615672C74EFADAEBDA1CBB8B8FA00190D0C4E0B7446A4F2E1C8C5C0A7610F40432B65D24A3DA3FBB827E989BE78262F74524CCE7154AACBC0AEE055C5B72D663A695BC72F53A1D2CE85CFFCABEE035D61B04278201AA8D9D5ECC6FBECE52394582F49562911A7E03BEBCD42F5EC0A734726405A22689EA88B82E48979EB064A096D6FD47B67A5C622C9E350C0B22861A54466D31C5E9C1AB930EAAFD8C917981C134D5A5275AB14C7AFC156C6602E67AB0A64D169EC92A3CFD6E8AD8DCF256EA241632F30EBA9FD81DDE7A4E4A62C6549186AD03F42A0F68AD4EE83F37D0B5B7017613EE669AFC89383C5DA9AB4124B587E68227D60A617232AEC8161D309726675672C436F8DBECA21EBB868BA206E7D4C6E3B44668495E198E2A7C0B12F60B30B6502ED1DA3ECF8E7E9AE8E78266F43326C3916148A1CC0DEC0E5A5670D161A696B104F63A112B9A5CFBCAC7E041D3610420F370A889995ECE69CCB952394683F69014921A710ACCBCDF585AC2A74075660DD7568AEC88B92C4A969EB016D3E1D6F035C47A51195D9C3F0A0D20806620446447B5EACCA8EA0EA58DFB92798AC334D2D4215ABC397FFE151D1900E375B1A4451691C92D4C8E6E8B2HACF2599156163DF501BA91DB6CDE783A4962C921E584A770F228091AD84EEB3D36D2B9C02H761295649AF18C2H3E5ADDAC4229BBFAE68222D10A617949ACCD1B16329954665676B447FADCEAAD1EBA8BFAA170E6D5C593C545683B5E6F8E2B7D7A10800032B65624D5DA3BC88E7E95E8998267F53226CD936348A9CF7DEC0C585672D610A796BD07F6381F2DED5CFDCDC8E041A66006228406AA8DE929CE65CFB8522H348AF69D61E11A7108B8BED82B2EC0A431746405D2578AECFDC82E459C97B216D6EAD4F030CE7A511C2E9E3A7B0C20F36151466040BFEAC1AF9B0CAFF88C907183CB35A7D52F5ABC480BFE181D1C02E475B5A4451592C8293EFB6E85D7DAF120902716338107B89FA269DD74483C61C0239086A676F6280A1EDF4CED4B3FD0B4B776746197619AFF88423C5CADAA4021C3F3E68354D708697C3EACCD1D6D30E526645475C146F8D9E8AB1EB4FAFCA0759AD7C596BE376838581C8E240F0C12F70335B45324A5DA30BCF87D98EC9B8268F23225B7E0164AACBE7AEE0E5C5870D267AA94B50581381E29E95EF4CDBEE242D11105248005AA8C9D5CCC6DBBBE503143F5F69760E418790ECDBCD85B5DC2A744716605D5238AE0FDBE2D489D98B218D3E6D48446B27A50695D9E340E7E22871522441634C3EAC0DE9B0DD9FD8B927886CA36DCA6515ABE4D0AFC1D1B6C02E67BB0A6456794C9284EF86E8BDED9F155962616338702B89CDE6CDE7B383E61B25BE786A27F842A016BDA4EE54B3AD2B7C602761DE3149AF0FE3F3C5EA6AF4224C787E68D5FD4086B0B3FAECA681E329925645673B74FFAD89FAE1EBFFB88A20796D3C4E2C0456A4F5F6A8D587F0C12F90740B65C22D3D930CDF87E9BEFE98062833A26CD90634AAEB372ED7E5F5872D860A494B60383381959E25EF9BBC8E247A7650622F404A880985BCC6DB9B752384280F49360921A7009CEBDA95D2BC2A636766603D15F8AE0F9C92E4B97EDB219D7E3D6F343B3785A6A239C3B2H0F2286142045103EB7EAC0AF9C0DA82H8B9279F0B034A4AE245ABE4C7FFE1A681E02E803C7A6421693CA2E3A8E6E85A8DEF050E324163D8F01BA91AF6FDE75473E62C6579486A37EF62A0F1ADA4CEC364CD2B8C507761297629AF8834E3E54DBAF4227B7FAE5F053A6091C084EAEC81E6B329325155672C745FADBEADD1EB5F8FBA00395A7C6E2B53368385D138D580F0D12F80632B45155A7D94DBC8B7E95E6EB8266F54124C5971249A0B209EC095B5772D861A396B702833A1C229F5EF4BBCCE240D1130422F575A98DE85ACC69B8CB503147F1F49214E41A7C78CDBED45826C1D03A776576A7558AEC88CE2E44ECEBB014D791D4F74FB67A516C239E350C0820821656446542C5E8BCDC9A0CAD2HFE9074F1C336DCA65459CD4308FE1A676901E970C2A4451093CA203B896E84DEDFF055EB55143D8E03B8EAAD6ADE75474B60C2239186A005852A0068D34DE84D4BD2B8C0717415E06498F98F433C5DACD94227C181E68C22A10A600F3AAEC41E6B3299236B5672C744FAD19FAF1EBA8986A20695A0C6E3C54268485D188E24760912F67744B65354D3DA3EC38F7E9AE8EA8260FA3126CC94134AA1B878EE05285B72D96BA096BC04813A115FEE5EFF2HBBE249D0100451FF77AA80EF2ECE64B7B95239318AF6926FE41A7E08C2BEDB2H28C2A941066602A2578AEEFCCE2E48EA9CB216A5E5D4FD47B67A5C182A9C4B7A7D22861325466231B5EAC1DD9F0DA88AF6927686B634D6D7545ABF3E0DFE1A6E1C029003B4A44616E2CA583DF26E8FDDA9F12497571434F576BA9EDC68DC79493962C827E786A305812A0E1FD34EED3F38D2B4C4777610E16299FC8C3D3E582HA94029C6F6E68256A30A6E783AACBF6B1A30E022165604B345FADE9EDA1DCB8EFDA27090D6C694C53669402E6A8E2A7F0E12F47641B45426D5DA3FBC887DE8EBEC8267F63725B1956348A9B30DEC0C5F2E72A065AB96B000F3391023EE5DFECABDE042A6110622F577AA8C9B2ACE68CBCA51374383F6E464E31A2H08CABDDA2C5CC2D032056674D45E8A9888B82E48EC9BB062A3E0D68442C6785D6B2E9E4C0B0821F41354461436B7EAB8DE920EAD8D8B927683B136A4A6235AC84979FE6C2H6900E976B7A5311796CA5838FD6E8CDADDF220972116328776BA9CAC19DD754E3E62B0569686D402F1287C1BDF4E9C393DD2B7C405761C90159AFCFF4C3E5BDAA64227B2F7E6855FA20A6E0F4EACCE1B6A32985115557DB34FFAD09CA21CBE8E87A00797D4C5E3C4306A415C698E2B7A0C12F90037B65020D3D839CE897C9DEC998267F53326B496174AA0BD73EE05595F72A062A796BC0E8E391B2C9A5CF5C8BBE249D3610523F275A8899B29CD64BFC9523940F1F4E710941A707CCDBEDB582DC1D433006406A3518AE1F9B32E4E969AB218D695D6F34EC07A5C1E2A9C3C080D22881657466233C6E8CBD9920DA588FC9278F0B734D0A12559BF3F0CFE1B1C6902E807C2A64360E1CA203B8E6E88A8DBF15996561633830EBA99D962DE744D3A60C3549184A57481280C1DD94CED4D4ED0C0CA77761395169AFC8A423C5E2HAC4021BB81E6F427D4096C7333AECE1F6E309725125477C432F9A8E8DA1CB52H89A001E6A2C4E7B23F68495E6D8C2B0A0D12F40B37B65324D2D83CCC897C9DE6EB8112F04224CD911448A9BD7AED0E5A5E70D167AA94B5048E3A105B985E8CCCBDE248DB1005208471AAF8982ECE64B7CB524037F5F69114941A0809C8BED45C2DC2A73375660CDE568AE1F8BC2C4E989BB011A6EAD4F04EB3782B6F229C3D090A2284605A466334B5EACCDDEA0CAF888A927485C734D5A6275ABF3C08FD69686E00E101C6A6346792C858338F6EFCAADCF220912A1633F075B89DD818DE0C4A4F61B521E786D405F12A7819AE4CE84D3FD2C0B6027613EF119AF0FB393D2CAADE4125B3FBE68351DE091A083FACCC1A16309121105671C734FADF9EAF1CBA8FF9A207E7D5C694B031684B5D128C2D0A7810F40240B62450D4D83ABE8A7E9AECEE8210864724C392134AD8CE0FEE0A595E70D367A596C405F13A682DEA5EF5C9B9E148A4140654F67FAAF8EF5ECE6ABBB652364B85F69263941A7F03CDBED52C2AC0A14307660DDF218AE08BBA2E44979EB214A1E0D4F74FB17A51622C9E387B0C22831455466335C4E8C9AC990DAB8B8D907885C336D3A62F58BE4278FC151A1B01E87ABBA64317E6C82F4E896DFFDCDFF1519050153D8707BA90AF6DDE783D3C62C426E185D777F22A006CD84EE82H39D2B8C1767417E36298F9823E3C54AFDE4228B1F4E5F357DE0A6A724EACCA1B1F309126665475C44EFAD09ED91DCFFC8DA270E3A7C5E2C030684B5C1E8C2D7D7810F1004AB65C24A1DA4BBEFD7E9BEC9B8213F04626CC941049DACF0DEE092H5D72A311A296C470853A1C28EF5EF4CFBAE233A0170424F204A8899828CD1EBDB9524341F6F4906EE718087CB9BED82C2FC2D337016405D5248A9BFEBA2E44E89DB212A0E3D68741C2795C6E2F9E4F0F0D20871054451632B4EABBDAEA0DD98A8D9272F6C035D3D55258BB3B78FE1B6A6D029376B7A637169FC82B39FC6C8DDBDDF258E4211644F507B891AB6CDE7B4B4962C8209084AD03822A781EAD4E9C483FD2C0C2067664E5149A88F83F3C58A6DA4025B386E68020A50A61794DAECF6D6B3093576B5474B347FADEEBA31CBC8BFEA270E6A7C6E2B0316A3B5E198E5C7D7F12800245B65253A1D838BB837D9EEE9A8213F53226CDE21448DBCB0FED785A2971A317D296B274F63A1D59EC5EF9CAC7E046D7110425F474AA8F9E5CCD1EBCB850323481F59562E6187C0DB9BEAF5B26C1A146726601D12189EFFDC92C4DEF9DB214A591D6874EB67A511B2C9E38060E22F3645A45143EC3EAC1AC990DADFAF9907487C335D0A4245ACB4C08FC1D2H6B00E171B4A4421197CA2F4C8E6E8ADCABF25494211535F271BA90AF6FDC7D3C3B60C450E285A47385280913DA4E9F4C49D2B6C7777611E26F98FEF94C3E55AADC4021B182E68C50D40A6D7E33ACCA1A16309621655604B332FADF99A81DB48CFAA2069AA7C697B04569495E688C2D767912800A41B65323D3DA4BC3837C9F98EE8210F23526B4E0144AD8BE7DEC7E2H5A72A061D294B104803A685FE85EFAC8CDE233D7100654F177AA8FEB5CCC1EB8CB52433484F69D64E0187A0DCABDDC2F59C0A444056401D15088E9FDBE2D4CED9FB218A297D6F234C17A506A229D4F0C0E22846021456545C4E9CCAE9D0CA9FCF692768AC035D4D52459B94F7DFC142H6B00E504C5A4411396C8293B8E6E8EAFDDF252E22A1436F475B999A963DD7C494C60C1269086D771F229086CD34EE94F3DD2B4C5027514E1639A888F4B3C58A6AC4120B581E68D51DF0A18784DADCD1F6B31E556115607C735F9DF98AD1EB8FAF9A273E4D5C4E0B13668385A128C2E0D7B12837140B65721D3DA30BE827C98E9EE8160FA3326CD966248DBCF0EEE7F5E2A71A216D296C77787381E58E85DF8B8CDE233D765042CF47EAA8EEE2ACE1FCACB50434586F5946EE4197879CFBEAF262FC0D33B7A6407A0248A9B88B82D48EBECB118A392D6F641C3782B195D9C340C7E2089145B446544C4E9C1A99A0EDF8A8E92038BC734D6D32659C83902FD6C6A66019703B1A64016E5CA5A488F6C88AADBF223E7511435F50EB9E8A362DE753A3E62C75A9586AC76F12A7B6BDE4EE54849D2C0B0077610E3629AFE8D4B3E55A9A74227B3F4E68253A509180C3AAECB1A1F309657105472B247F8ABEBAB1EBAFF8CA1709BD2C694B7466A41286D8E5F7D0A10F30640B42H55AED83ECF8E7E9AEC998061F63126C297174AAEB80DEE7E5C5971A564A594B574F438115FED5EF4CFBDE232DA110620F475A8FA9A53CE1FBDCD52423386F69D12941A7F0DCABDA82728C2A1327A6406D6218A9B8EBB2C492HEAB217A291D6FC44C0785A6F239C3D7C7A20861750446545BEE8CED3ED0EDCFBFD9274F0C134DCA42458B94E02FE6E6F1C029371BAA6376593CA58398E6C8FDBDEF051912416448405BAEBA219DD093C4E60C5569784A571F5280F1CD34CED3749D2B7B32H766497609AFF8E423E2E2HAC4228B285E48452A4086B7832AEC41B6B32E256155673C236F8DBE8DE1EB48AFDA272E7A5C6E1B03F6A3A591C8E5F7D7A12F80136B45723A1D94DCE8A7C98E89C8212F53425B492174ADBCC7BEC0C5C5F70D167A596C603F538192FED5D892HCAE233A0100623F704A88A9D5CCE1EB9B652424381F49362951A0A0DC3BEAE2B29C0A13602660CA3228AEAFCB32E3E9A9FB165A597D6864EC57A2A63239C3F090D22F21052466442B5EACFDF920EDF8A8C9070F7CA36A4D2215ABF387AFE19681900E577B5A6406291C82D4F8D6EFCABDCF056E75516478405BAE8D86EDE0F384662B0519284A772F02A7818AF4E9C4C4BD0B4C70A7410E0169A8BF83A3E59AFDD4155BB80E6F655D108697C4EAEBF1C1B32E227605673C54FF9AD9CAE1EB5888FA20794A7C6ECB7456A385B6F8E25767912807630B65326A6D930BBFF7DE8EEE68062873426C3E71E4ADAB879EE7E2B2D72D76BD696BC7384386B23EE5EF5B8CAE248D31A062D8474AA819F52CE6ACFBA52383687F49413961A700ECFBEDA282FC0A53476660CA7268AE1F3BD2E459D9BB060A2E0D68744C07A516E2D9C3A097921871420466C34B6E8CCAC980EAA8CF7927980C434D6A12F58B93B0BFE6F181A02E877C5A64213E5C8294FF26E8AD9DAF253962316468107B891DB69DE783B4662C6539286A07284280918AE4EE84F3DD2C3CA057664E7679AFE8C4F3C5DDCA94224BAF5E68251A2091F7B4AAEBE6F19329921105475C54EF9ACE2AE1EB88BFCA208E6D1C4E4BE466A38591F8C5C7F0910827336B65C24D6D94CCC8E7E95ED9B8061F63424C6E3634AA0CC7DEE0B5B5D72D713A496B204F43A6A5EED5CF9BCC6E232DA150622F575AAFA9252CE6AB9CE5237408BF69310E51A0A7FB9BED55D59C1A936776676A45589E88CBF2E3E2H9AB217ABEAD6F24EC17A5E6F589E4F0D0822F06420446635BEEAB8D89B0EDC8CFC9203F4CB36A4A5275ABB4B79FD696C69029076B2A4411390CA58488F6C88DFA9F15393231646F20EB9EAAB6ADE093C3A62B324E686D602F4280A6ED84CEE3B3AD2B6CA0B7612EF169AF08E4A3E54DCA94252C380E6F650A10A607F49AEC46F1F329953155476CE36FAA899D91EBA868BA204E1D3C596B7426A3A2C198E250C7712F4064AB65350D3DA4ACD887C9AE9EC8267F53226C2E0124AA0B80FEE79572D72D664D196B20EF23A6828EC5EF8BBCAE232A011042CFF76AA8C9C53CD18CFCA523837F2F49661EE1A7E78C8BEAE5828C2A846736674A22389EB88BC2E3E9E9CB212A0E6D68642B6785D6A2A9E490E0720801152446D32B7E8CCDBE80EABFC8E907986C234D5D4215AB94A7DFC156A6900E175B6A4456492C9204CF26EFCAFD8F0529652163CF700BA9CAE1DDE092H4E62C950E686A075812A0C12AF4C9F3B4AD2B1C7017661E6159888F8483E5EDFDD4157B080E6F15FD70A6E733CAEC568193299276A5672C535FAAD98DD1EB8FDFAA201E3D6C694B430684A5C198C2D797812837040B65620A4DA4DBB897E98E89B8215F74724C5E76348A8BD7AEE792H5C72D764A296C101873A105CE95EFBBFCAE137D66505578003A8FA9D5CCC6DBECC52363480F69D65EE1A710FC9BCDD2D29C0A14074660CD7548AECF2B92E39E8EAB213D397D6F245C67A5F1C229E4E080922886754466335C2E8C9A99C0EDEFBF8920384B535A0A1565ABE3F0CFE6E1F6F02E67AC2A6401191CA2E4FFC6EFEDADDF257E755163CF707BA91A36DDC7C463E62B05BE784A302FE2A0A1CA94E993C4AD2C2B1077564E6159A88824D3E55DFA84224B1F0E4F654A10A6F0B38AEB96C19329421115406C240FAD1E3A31CBF8C86A20691D0C496BE366A402B6D8E25777812F60547B65020AFDA30BCFE7EEE2H9B8269F03B24C79E6549DCBC78EE795B5D72D76BA296C475F53A6A5CEF5EF8CEBEE137D7110520FE75A88CE82ACE6FBBBD51343385F69160911A7E0DC3BCD52D2EC2A934016403D35589ECFFB82C4DED96B117D3EBD68145B57A2D6D2C9C3D0B0D22F21B26446231BEE8C9DCEA0CA4F7F69102F4C536D2D42658BD4D02FC1D1F1C02E604B6A44410E6C8293DFC6C8DDBD9F058EA5215438202B899DB18DE7A3C4D62B3559386A07182290F6BA84EEA363AD0C5C404741595169A88FE4C3E2F2HA84021B085E48254A60A1D7238ACCF6D6C32E527115475B246FAAD98DF1CB889FBA275E6A6C4E3C2416A3D2B6A8E280A7810F47745B62153AFDA4DCB897C9BE9E78269863B26B195174AABCE09EE0E2H5A72A511A094BD74F3386859E35EF8BDBCE235D5120454F777AA8E932FCE69CCBF5037338BF49C62E01A7C0EC9BCDB2F28C1A83772660DD3268AEE8FBC2E3E9899B260D1E2D58133B37A511C2D9C3E0F7D22861126446730B3E8C9D29C0CA58AFF927883B636D0D2255AB03E0FFE146B6801E77AB4A44D12E3CA5D48FA6C89AADFF153E12414328272BA9EAC1FDC7D4A3D60C15B9686D7738528091BD24E983A39D02HB42H7610E0129888FE4B3D5FA9AD4250B0F3E6F051D109187D4FAEBC2H1D32E05465567CC436F8ABEEDA1EBD8D87A27593D1C6E0B53F6A4C5C1A8E59787D12F70B46B62627D2D83BBEFA7EE92HE78212F43726B7E31F4AAAB27FEC0E585772A363A796C173F2381A5EEE5CFCCFC8E235D1170650F706AAFD9C5ACE65B7CD523447F2F69310E11A7F0DC9BCDD582AC2A8317A6676D3268AEEF9BF2C3C9B96B012A197D68633C07A2A182B9E340A0F22F26722466747B2E9BFAC990EADFDF792058BCB36D2A0215ACD4D08FC1A6F1E00E470B0A4406797CA5D4E8E6E85AFD8F254E62114358106B899AE19DE7A3F4D62C4579486D07E842A011FAA4E983A4ED0C5B40A7610E46E9AFE8F4C3E28AEA64228B786E6F45ED30A6E7F3EAECA6F6C329921635601B443F9AF9FAF1CC98688A204E6A6C4E6BF466A3D2F6A8E2F0B7B12850A32B65026D3DA3ECC8C7DE8EAED8212804226C391124ADAB27BEE0B5C5D72A565AB96B077F33A6A23EF5E8EBCCFE233D2600651F376AAF8EE2FCC6B2HBC52403682F69C1593187B0ABDBCD95C27C2D344776674A7568A9AF2BB2E38E8EDB260D097D4F035C0785B1E2C9E4C080C22F41B52466C3FB1EAC1D9990EAA2H8C920282B036D0A52F5ACD4279FE692H6702E97AC6A6316397CA5839F36E85D6DFF020E72A16308E07BA9CAE69DC7D464E60B05A9A85A703F128081CA94CEC3E3CD0B7C5007415EF169A8C8A3F3C5EA7AB4221C6F0E48650D008690B3BAEB8161C309020655504CF41F9A8ECA81CBA8D86A00096D6C590BE3768382B1F8E587B0D12F40443B42426A4DA3FCA837C9BE6ED8066804724B4E7624ADCBE7CEC7C5D5771A260AB94B500F338185B9F5CFCC6C8E145D21606548277A9FAE85ACC69CFBE5030408AF4951793187808C9BCDD2D5EC0A130736405D45588E98BCF2C4C2H9BB011AB92D68035B1785B6E2C9C4C7B0A22F21320456C32C6EACCA9E90CDF2HFC9175F7B536A7D22358BE3B09FE186B1B02E470B7A64214E1C9294EFB6EF8AFD8F254962116408F03B99CAA6ADE744B3B62C4559486D402F6280B1BA84CEA363FD0C0C7777610E266998FFE4F3C5AA9A84229B780E68053A20A6C094EADC4161F30E025125475B533F8DE9FD91EBBFD89A202E1A7C4E2BF33694C2B1B8E297D7910800131B52720A4D83EBE897E99E7EC8010F54524CD931148A9C97BEC0C2A5D71A262D794BC73F3381A22ED5EF9B8BDE045D0670554FF76A98CE952CC64C8CB52453487F6E01491187B0CCBBCD85C2FC1D346076407A35188EBFCBD2C489CECB014D1E5D4F132C27858182A9C3E787E2080645A466147C2E8C8AC9D0DA8F6F8917584C234D5A02558B93F0AFC1C6C1A00E106C1A6401792C82B3DF96C8DABDFF054E4251435F404B898AB6EDC7F4C4E61C05A9284AC72F6280D6CDC4CEF3C3DD0B1C7707415976398FC894F3C5DAFD94257B787E48757A10A1F7832ACCF1C1B32E721665475C443FAAFE9A91CBD8C8DA27791D5C4E5B4356849581B8D2D787912F47032B42321A7D839C8897C2H9FE78063F53124C5941749A0BB7EEC0F2B5F70D463D696C304F3386828E95E8BCCC8E237D01B0427F476AAFF9853CC6FBDCE52474581F49764961A0F08B8BEAB275BC2A03370650DD02288E9FCBE2C4D9997B011A1E5D68343B478591C289C3F0A0722F71054461345B2E8C8D89F0EDBFDFF907186B736A3A4545ACF4D08FC1D686A02E406C1A6401090C829388E6C8DDBD7F157E52714358004B899DC6EDC0C474D60C524E084A7058629086FDB4CEF4D4BD0B0B6727417E7129A8F8E423E2BAAA64257C0F0E6F154D10A1F7839AEBB1D17309120105603C732FAAF9EA81CBC8CFCA27791D0C693B13068495C1C8C2D7E7B10F07030B45123A5DA4FCCFE7C9D2HEB8217813324CC946148ACBF72EC7C595D70D164D594B5018238192A9D5CFCCACBE237D0660425F07FA8FC9B58CC6FCCCD51374483F6E362951A0F09BABEAB2H2CC2D743066507D25F8A9FFCBD2E3B9C9FB111A5EAD4F541CE785B68589C3D080F22F7115B446534B5EABFDEEE0EDB8FFB907481C234D5A2275ACF4202FE6B6A67029771B5A445149FCA5F38F96EFBD6A9F227E02316438F05BAEFAF18DC7D3D4860C0549786D377F4287F13A94E9B3B36D0B3C4077663E2149A8F89433E2BA7DE4257B386E58452DF0A1F793CACCD1C1B32E72A115603CE44FAAFEFD91DCF8786A27790DAC693BE43694F58198E5B0F7A12877347B4502EA6DA4FC3887EEBE79E8217843524C694134ADFB20DEE7B2C5D72A713A696C377853A6F28E35CFFBFBBE237D0170653F57EA889925FCE1BCCBB52474081F6E365E3187908B8BEAB2F2CC0A240746471D3238AE8F8CE2C4F9896B065AAE5D4FC37C7785D6A5E9C397D7C2080635A446131C1E8BAAF9F0CA8FA8A907287C236A3A12558B94F08FE6B2H1C00E572B7A4441091C8294C8E6C8CDDAEF050E75514358202B899AE1EDC7D3D3C62C8559084A577F32A7F6FDB4CE84B4ED0B2B7037417EE169A8F834E3E2BDCD94257B080E6F351D308697A4DAEBB1F1E32E722105474C434F9DAECA81CBDFD89A00793D6C4E7C33668482E698C59797B10F10342B45421A2D839CCFF7C9DE8ED8061F43624C59F1F49DBCF7CEE7B585E70D117AA96C375F5381828E95C8EBBCFE243A1670424F070A88A995ACC69CBCA51374380F6E165E01A0F0CBEBCDF5C5AC2D732726470D0508A9FFECA2E3B9E9AB311D390D68337CF7A2F685E9C3F7D0E22F71151446136B7EBC9A89B0EDB8C8992078BB736A3AE535ACF4B0FFC1E6E6B03E107B5A44064E6CA5F33FC6EFBAFDFF227EA5014318403BAEFA86ADE0B473E62B7269184A472FF2A7F68A84E9B3738D2C7C1777663E4659A8FFB393E2BA7DA4257C6F7E48454A40A1F7C48ACBF1618319320115576C434F8D99CDA1EB9868FA07096A7C4E5C236693F536D8E257C0D13F10B41B65057A3DA30BFFF7C9CEC9A8361FA4626C0E31E4ADAC87AED042H5B70D76BA196C17785381A2BEA5D8BC9C8E134A667052CF17FA8809858CE6BB9BF5031458BF5E465941B797BBFBCDC2D5AC3A143016573A25388EEFEC82C4D9DEAB011A6E1D7F547B5782863289D382H0D23811B55461145C1E9C1D9920FADFDFE907387B235A0A72458CB4D79FC1D6F6701907AB0A646639FCA213C8F6DFBD8DCF056942015358200BB99AC63DE083A4F62C0219786A774F228091FD34FED4F4AD2C3B7077461E5659BF9893D3E2EADAE4321B7F7E4835FD00A697E3FAFCD1C69309126615775B74FF8DFEAA21CBE8D86A301E4D4C493B735683B5A1E8C5C7B7E13F17337B45455D1D83CBF8C7E95ED998361F73527C5936248A9BF0FEF0D2C2B72A261A297B507F63A1E2C985FFDBDBAE037D4660725F402A8899D5BCF6DCCBF524544F5F6911595187C0EB8BCDD2C5EC0A135766705D5238A9CF8CA2F4DEBEEB163A097D7F54ECE785A6A2D9E482H0D21801026476537B6EAC1DEE80FAD8AFA910781B137D5D22758C84D79FF1D696F03E175B4A63163E4C92839886F8D2HD6F052E52617358171BB99D96FDE7F3B4960C05B9487A574F22A7D18AE4FED3D3BD2B3C1057614E1609BF98B4D3D28A8A94155B487E78553D50B697D33AEBF1A1C339153605775C031FBD9EBA81EBB8A89A20197D3C7E5C7336B4959138D597A7912850B41B45025A5DB39C28C7F9DE89C8263F43A27C590614AABCF78ED0E592E73D113A797B50EF1396A2DE95FFDC6CFE341D1170454FF05AB899F5ECF6DC8BD50374B82F79566EE190D0FCFBFDD2D27C3A1417B6606D454899D88CD2F4D9FEAB214D6EAD5FD42C37B596E2B9C3A060C23811453466D44C5E9CFAFEE0EDB8D899207F6C236A3D5525BB94D0AFE6B6C1A00E171C1A6411193C829488A6CFBD8DDF0519657143C8F06BAEFAB1EDD7C4C3C62B7519584A675F6280B69D34E9B4F38D1B2C3777663E6629BF98C493E2BABD94022C7F2E6F324D40A1D7A3FAFCD1D19309327105475C541F8DBEAAF1FBDFC8CA27793D5C7E5B7376B49591B8C2D7E7B13F10640B45125AEDA4FB8FA7EEB98E98062873A27C5E7624ADFB30EEE7B565E70D862A197B573853B192AEA5C88CCBEE237A36206538006AB89922ECE1BC8CD53314AF0F4916FE11A0F09C9BCDF5828C3A143746673D05088EA8CC92F4D9AECB267A296D4F146B27B591C5F9F3D7F7922F76453476547B5EABFAC930FADFB8C9073F4B237D5D7275ACF4A7FFF1C6769029704B6A7451492CA5F3AF26F8CDEDBF350902314368374B899D962DC7C474662B7239686D37383280A1BA84FED4F3BD2C7B3057663E7119B2HF8493E2BDFA84257C3F7E48057D30B690832AEBB181C32E723655775C534FAAFECDF1CBFFB86A3019AD3C693B4376B492F188F2D0C7910F30030B62350AED83ABEFA7C9FEFE68163F54525C7946149ABB37AEE7B2H2A70D217A497B50F843A6F2B985FFCBACBE040D3620724F203AAFFEF5CCF6DBDBC503147F0F49565961B7879CCBCDC2C5CC2D741066404A52388EAFCBB2E3B979CB267A4EBD48444B37B58682A9E4B0A0C20826426476534C2E8CBD3E90EDBFE8B937082B737D5D42F5ACF4279FE6B2H6F03E070B1A74467E2CA5F3A8E6F8CDEACF350E3571735F573B89BDC6BDF7D384963C1509287A404822A7F68DD4E9B484AD3B1C0067714E36F9BF8FB383E2BDCAC4257C3FAE6F354D70A1F7F3BAEBB191F32E727675603C34FFAAFECAA1CBD2H87A173E7D3C693BE44684D526F8E5B2H7C13F00447B75422D2D84BCD8D7C98EAE78063F63627C49F134ADFBA72EF0C2H5E73D166D297B4748F3A6F2A9F5FFDC8CCE340D3140725F377AB889B2ECF6CBDB75247428BF79514E21A0F7BB9BEAB5827C3A134736704DE558A9FF3CE2E3B9BEDB310D3EAD68343B37B5818239E4B087B23801757476444C4EABFDC990FACFE8A937084B537D4A35559CB3E09FE6B696B00E174C7A4451693C8283D896C8FABDAF227905214438405B899AE69DF7C3D4660C0569084A67E85297B6EAA4CEF4A39D3B1C5077415956098F8FC3F3E2BAAAC4123B3FBE4815FD60A1F094DACCC1E69339154105775CE32FBD8EAAA1FBD87FCA27797D1C7E4C3306B49591A8C2D7C0C12877440B62321A1DA4FCCFA7F9CE69C8217F04026B3976349ABBF7FEC0F5D2A70D260A694C17587386D22E25E8BCABCE041D7130425F27FA8899D2ECC6DBDB950314682F49517E7180D79B8BCDC2D2BC0A141066507D25588E9FEB92C4D9A9EB011D1E7D7F435C27B58192F9F3C7D0923806156476432B6E8C9DE9E0CADFAFD907181C134D5D4565AB13903FF1C2H1D03E076C5A6316593CB2839FE6C8DADDBF350E6201435F502BB98D91FDF7C4A4E60C1519684A505862B0869A94FEC3A3DD02HB107756395119BF8F9423F5CDDA94320C1F5E78422D00B680933AFCC6A1C339056665774C231FAAD9FA91FBCFD8CA300E6D0C7E4C33F6B48296E8F2C0A7F13F07135B75452D4DB38BE897F9C9AED8360F13324C5921248A9BE0EEC095F2E70D865A394B7028F38192CEC5CFECCBAE043D3660421807FAB889852CC6F2HBD50314685F49562E318797BCBBCD95F5CC0D540716407D55488E9FEBD2C4D9D96B011A392D4FC37B4782D6E2D9C3D0B7A20F31255446740C4EBC8AE9E0DA92H8A90728BC336D6A22358B94903FC1D6F1E00E876B2A44512E2C82D39FB6C8DDAD9F051932714308203B899AE6ADC7D4A4B60C1269384A475F428096CA84FEC4C4AD3B0C6077415906498FB89433C5D2HAA4021B1F0E48552D50869083EAECD1F6A339323165577B034FBD8EEAD1CBD8D8BA00196D0C4E5B5346849286D8F2C0C7F10F20332B52625A0D839CE897C9DEDE88061F33A27C797654BABCC08EF0C2H5A70D166A794B5058538192EE85CFDCDCFE343DB110423F406A88B925DCD1BBFCE53333185F49410941B7809C8BCDF2A29C0A140066704A45088EC89C82D499CEEB313A1E3D4F545C47B5B6E2F9C3D0D0B20816420476437B2EBCBD9990CAD2HFA907181C134D5A4235BBB480FFF1F6C6E03E371BAA4451295C82939FA6C8DDADEF051935615358205B89AD86EDE7D3D4A63C053E287A772F628091BA84FEF2H38D0B2C7707717E61598F182393C5BDFA94120C085E78452D108690E49ACBE1A1B309156625474C544FBDBEFA21CBEF8FCA300E1D7C4E4B23668492E198C2C2H7D13F30740B75754A6D83ACE8C7F9FEAE88162F03527C794154BABB97EEF0F285C73D06AD794BC028238195EE25C8BCDCEE041D41707278703AA8BE852CC6FBFC950424587F49062E518797CCDBCDE2A2CC0A130706502D5548BEB8EB92C4C9FEBB313A0E2D5F233CE785A192A9C4E0A0820826654476432B5EBCBD9980FAFFD89937384C434D6A52E58B94B08FF1F6D1E009703C2A53760E4C82B3EF96C8DDDD8F053E12017378205B899AF1FDF7F4F4A63C3519084A575F02B0B13DB4EEE3A39D0B2C6757717E5679BFBF9433E2BACA64323B1F6E48522A10B687E4DAEB91D6A33932B6A5777B342F9ADEEAC1CBEFC86A00390A7C7E7B230684A29198F2C0A0D13F00332B75723D2D83BBCF87F9CEC9C8017F33724C6E31249DDBE7FEC0D5E5673D36AD797B70F8E3B1B2EE85CFDC7CFE242D1120727F276A889E928CC6CBCCA50334685F49564951B7B09C9BFDF2F5EC3A3327A6707A0248BE8FFCF2C4E9C96B013A6E7D4F545C4785969229F3F0A0C20816621476444C1EBC8DE9A0CADFB8E907386C134D5A52358B93B03FF1F2H6703E376B4A74715E2C9294FF96F8CDFAEF353EB2B17378275BB9BA96DDC7D4A4D60C1269385A172F328091CAE4CEF3A3CD0B2B3757717E31198FA8E3D3E29AAA84323BAF3E7875ED30B6B0B3CAFCF6A6E339351165577C54EF8D9E2D81FBF8A89A00197D5C4E6C2446B4B291C8C2F7A7713F30B4AB7572FAFDB3BC2FD7CEBEDEE8061FA3327C7911648ABCF7EED795A5870A716AA97B706873B1B2EE85CFDCDCEE043A1670424F272A889985DCF6FCAB853334484F49610941B7B7CC8BCDF5B29C0A243076507D62689EEFEBD2C4E9A9EB313A1E6D4F545CE7B5B19299F3C0B7D23831B5A476732B3E8C9D3930FAFFA89920581CA342HD5205BBB4E0EFC1D6D6700E173B3A7471E92C82D3EFE6C8DD9DAF153E6271435870FBB9BAB1ADF7F3D4863C353E787A777F4280A19DD4CED3E3AD3B3B6777411E26498F9FC3D3F5CAFA84022B3F3E58752DE0B6B793AACCD1A1B309123665776B24EFBD8E9AC1FBFFC8FA30391D3C493C542694D5E6E8F2F0D7813F30147B42H55A3DB38C8F97C9F9AE98115843424C696644BAABF79EC052D5670D06BD694C170853B1B2EEE5CFD2HCAE041A7620426F571A8899E5ECC6DBBCB50333086F69563E41B7B0DBABFDF2B5AC0A341076704DE55889CF9B32C4D9F96B313A6E5D4F547CE785A6C2D9D4C7A0F23831453446642C6EBC8AB980FAFFF8C907587C737D7D0235BBB4B02FF1F1D1C00E007C5A74760E1CB284CFF6F8CDADBF051932B1446F573BB98A26DDD0B384B63C021E784D600F1280B1FDF4CEF4C3AD3B3C0027464E56598F9FE383F5FDDDE4023B1F6E48556A40B6A094EADCF1D1C339351605777C040F8DAEEA91CBD8FFEA0089BD6C7E7B23668492C1D8C290B7713F37041B45723A1DB3ACB8A7F9EEDEF8363F44524C7921F48A9C80AEC0F5A5C70D111D694C107F13B1B5CE25FFCCDCEE043D6110425F773AB8B995BCC6DBDB85333468BF49510961B7B03CBBFDF585BC3A034736706D5518BEB8EB82C4C9F96B313A495D4F734B17B586A2D9C3F7D0A23806426441036C5EBCBDF9B0FAF8D8B937086C137D7A4565BBB4302FD1A186603E376B0A44567E6C92F3BFD6F8FDBD9F052975217378701BB9BA21DDC093C4B60B326E687A403862B0B19DD4CEF3C4DD3B3C42H7717E56F98F9894A3F5FADA94023C6F1E48D55D308697E3EACCD6B1A31E525615477B533FBD89FAD1CBE8CFAA00390D3C7E6C431684B2E6D8F2C7C0D13F3014BB75720D4D83BC9827F9FE6E98263F33224B393644BABBB73EC095C5F73D210A694B772803B182AED5CFFBAC8E340D2650726F601A981E859CC6FBBCB50324680F49564E01B7A0AB8BFDE5F2BC3A243026503A5228BE88ECD2D399F9EB064D6EAD7F747C3785A6E2C9F3F080920821A54446736B7EBCBDDEE0FAEF78D937382CB34A6AE2659BA4E7DFF2H1F1901E170B3A746159FC829488D6F8FDED9F353E62417368104BB9AD96CDC7F4A4663C3539487A605F52B081FA84CEF3A36D0C3CA077411E01198FB8C3D3F5EAEDA4121C387E68755D00869093CAFCF6C6A309251675503CF44FBDAEBA21CBE8A87A0019BD7C4E1B446684B2B688E5C7E7813F20332B55425A5DB3BC8F87F9FEDE88061F13A27C794634BABC90DEF0C5D5C70D311D097B607823B1A58985FFFCACCE041D4150554F475AB8B9F5FCC6FB8C9503331F5F7946391187A0CCFBFDF2B27C1A346056407DE518AEBFDB32F4FEAEEB310A696D7F732CF7B5A1E5A9F3F0E7923826125476735BFE8CBACE80CAFFD8E9372F0C537D7A4565BBB3C7AFF1E6D6B00E176BAA74767E1C82A39FC6F8FDFA9F055E7511436F776B99FD81ADC7F4A4963C255E287A775F6280B1BD84FEF484AD3B2C507771695659BFA8D433F5FDCA64050B6FBE48551A4081A724FADBB6D69339025175777B542FBD898DA1CBF8B8DA10397A0C7E7B333684B58198F2F2H7810850640B52H26A6DB3DC9FF7C2HEB9B8063864624C6E71149A8BF7FEC0F5C2B70D364D097B702863819229F5CF4CFCEE132A01A0427F570A889992ACF6EBEBB503341F2F79610921B7A02C9BFDF2B26C3A241066507A5218BEAF2CF2D4D2HEAB012D0EAD4F735C3792F69229F3E0C0E23831254476145C3EBC8DEED0FAF8D8B9370F1C437D6A42658CD4B78FF1F6F1E03E37AB6A4411094CB2A38FE6F8EDBACF353EA5117368F01B8EBA969DC7D483C63C2549387A67081280B6BDE4FEE484AD3B0C606741594119BFAFE4C3F5EDDD94320BBF1E48150A60B6A723CAFCE186C339026105471C236F8AB99DD1FBCF887A10696A5C7E7BF30693D291D8C2C2H7713F37144B45422A0DB3AC9897F9998EA8260F14027C1956348DFBA78EF092B5770D210A794C774873B1B23EB5FFFCBCAE343DA140427F570A889EF2ACF6FBAB7513831F6F49415E118787ECCBFDC5C26C3A3347B650DD6258BEBFCC82F4E9F9EB312A1EBD7F143CE785B1E5E9F3C0D7C23851655446535C6EBCAD8EF0FA9FDFF9372F7B237D6A3235BBB4E0EFF1E2H6800E273C7A7466294C82832F96F8FDAD8F353E02517368500BB9BA962DF7E4F3C60C556E687A772F1290112DD4EEF3A36D3B3B4047411E2609BFA8E433C5DAEA74323C1F4E78753D508617F4FAFCF1B6C30E327655476B742FBDA99DF1CBC8F87A303E1A6C7E6C7446A3858198C5E797A13F20340B45622A1D83ACB827D9A98EC8260F73A27C192124BAABC7BEC0E575F73D366AA97B703F43B1B29EE5CFDCCC6E343D51704208371A88C922DCD69BAB750313387F79762911B7B7CC9BFDF2F5CC3A336746406A02488EB8CC92C4FEC96B313AAE5D58345C1785918229F3F7C0F20821A53476744B6E8CADE9D0CAD2HF7937383C434D6AF2458BB480CFF1E2H6E03E570B6A74167E4CA584F8F6F8CAFDFF35291551736850EBB9DDC1FDF7C4A4D60C1219487A776F72B0B19DA4FEF3F3AD3B5B7037714E11599FE823F3C54A9A74024C4FBE7845EA308607B3BAFCF1C16339322115777B540F8DBE2DE1DBD8B87A003E6D4C7E7C4306B4A526F8D5B2H0A13F30041B42624A6DB3DBBFE7D9DEAE78061813427C7931648DAC90EEF0C5E5B73D313A397B603843B1B5CEC5FF9C9CEE043A1620727FF71A88D9E53CC6DCBB850324A86F49114E21A790BC2BCDE272FC2A246066673A42389EEFACD2D4FEF98B117A2E4D7F645C67859195A9F3F787E2382675B476633C1E8CAD8ED0CAFF7F69176F0B535D2D5515BB84902FC1D181C03E371B0A44515E3CB2A3F896D8A2HDBF353E4501736F474BB9BAB6EDC7E4B3C63C324E787A100FE2B086CA94CEF3839D1C0C50577169261998D8B4E3F59D8DD4023B786E4F727D0081B7248ACC52H1C33952A115771CF42FBDB9CDF1FBC8788A17595A5C7E6C0336B482C128F2F7C7A13F4074BB45755D3DB3BCEFF7F9FEB9C8365F13424C795644BAABB78EF085D5870D317D097B60187381B58EF5FFEBCCCE044D711042DF772AB8A9B5CCF692HBF53343781F69766E61B7A7CC3BFDE2A28C3A346026704A3578AEBFFB22F49999CB315A095D7F647C77B5B6F589F390A0823821757446732C5EBCBA9E80CACFA8D93738AC637D7D02E5BB84E7FFF2H186603E074BAA7471395CB2C3A896F8EDAD8F353E55717368E05BB9BA96DDF79474663C3269087A776842B0B19DA4FEF364CD0B9CA017717EE1398F0FC3E3F5FA8A74322BBFAE78720A40B6B7948ADBC6D19309023605777C435FBDBEED91FBF8887A304E6A6C594B53E6B4A296A8D2C2H0C10F20332B75650AEDB38CCFD7F98EDEF8061F63024C597164BACBF72EC0E5C2D70D317D597B103F63B1C2DEF5FFFC7CDE345D7600727F572AB8C9959CF6FB7CE533342F0F79713941B7A0FCBBFD82726C3A343076607D6248BEBFEC92F489996B312AAE1D7F04EB27B5B6F589C3F080E23846025456736C4EBCBDCEA0FA8FB8C907385CA37D0A02058BA3C0CFF1C2H6800E275C2A7471F9ECB2B4C8A6F8FDAACF354EB2717308306BB9CAB6DDD7A4B3E63C45B9287A071F5280B13A94FE84A3BD0B5CB057710E0169BFB88393C5FA8DE4323B082E7865FD70B6C733FAFC8161A339451105576C336FBDCE3A31FB8FBFCA20394A2C7E7B3346B4C2B1F8F28780E13F30332B7502FA7DB3CCC8C7F9EE7ED8364FB3A27C7921248AAC87AEF0F2F5E73D46AA597B074863B1B22EB5FF8BCBBE042A31B07208474AB8CEB5DCF68BCCC53334BF2F79014E41B7C0CCABFD85D27C3A340016700A4568BEBFDBA2F489E9BB313D095D7F035C37B5B6B2F9C3E7D0B23831B5B47603EC5EBCCAEEE0DDCF78D9374F1C634A0A2555BBB397EFF181C6603E473B5A4466594CB2C4E8E6DFCAFACF354E0551736F500BB9CDE1EDD0C463B63C4539187A102F32B0C18D24CEF3649D3B4B6037717926F9BFC8C4C3C29A7A64323BB86E5845FA10B6C7D3AADCF6C19339451655477B347FBDCEAA81FBF8A8FA3039ADBC7E0C5446B4C59198C2F7A0913F40440B45153AFDB3CBBFD7F982HED8063FA4227C09F1F4BACBA7CEF0E575673D314AA96C372873B1C5CED5FF82HC7E344D11404278204AB8C9F5FCC6FC8B95334308AF7906FE3187B0B2HBFDF5F2CC3A4417B6701A2248BECFFC92D4E9D9EB013D3E5D7F032CF795D68229F3F0A0F2383645A446734C1E8CBDF9D0FAEF78A917683C437D0D72359BB497AFF1E6C1B019306C5A5311396C85D48886F8FD6D7F352915714378175BB9AAB68DF7F3F4F60B5269684AD7FF52B0D13DF4FE82H3DD0B3B0067615EF679B2HFC3E3F5EDDAF4055C187E48750A60B6B0E3FAFCE6B6E339320675773C54FF8D99CD81FBCFB8BA30391D6C7E7B7306B4A52198F2F7C7B13F30B42B55220AEDB3ACFF97C9EEDE68362F13027C7E41E4BACBD73EF0F5A5673D310A694C777F23B1B599F5C88CFBDE342D31A07268704A8FDE95FCD1BCCBA523147F6F49714EE1B7D7CCFBFDC295BC3A237016707D1248BEAF9C82F499699B167A4E3D7F135CF7B5D6B5E9F390D7923871527476631B2E8CDDE9C0FAEF889937585B235D2A05158BB3C0CFC1E696C03E476B0A5361FE5CB283BFB6F8FD9D6F055942117318573BB9CAE63DC7D3B4763C352E587A603FF2B0B1DDF4CE83F3ED3B4C0057716E26698F989383F59AFAA4322B1F4E48753DE0B6F0E49AFCC186C33942B175776B247FBDBE8AB1FBE8F89A303E7DBC7E1C5316B485F128C2E0D7813F30247B75721D3DB3ACE8C7F9FE69B8068F63024C6921348DFBA7FEC0F592E73D361D194C405F33B1A5CE95CFFCCBBE043D2140726F201AAFDEE5FCF6EBDBE50313386F79613E31B7A7CBABFD92B5EC3A540766707D65388EBFEBD2F4BE896B313D492D4F241B17B5A6B5A9F3F080623831255476736BFEBCCDF9B0FAB2HFA9072F1B537D4AE2759BB4D08FF1E6A1A03E377C0A74764E1CB283DFF6C88DEDAF353E35017378E07BB9BA26EDC792H4963C226E784A675F4280B68A84FEF484AD0C4B1007717E4679BFA8D4F3C58DFAB4322B0F2E78725D50B6A7B3DAFCF6A1931E524115476B531FBD899DA1FBF89F9A303E7A0C7E6B43E6B4B521E8C297B7C13F37130B75453AFDB3BBEFA7F9CECEA8362814527C496174BACCF0AEF0E5B2C73D360A697B602F33B1C2FE35CFFCFCBE342A615042D8275A888EF5DCF69C8B850354483F79315911B780BCABFDB2F2DC1A044006707D2238BEBF9BB2F48E89CB013D1E4D7F732C37B5A6F5A9F3E7D7923801022476737B6EBCBDCEE0FA9FA8C9377F1C434D4D2275BBA4D79FF1E6E6900E900BBA4476093C82B4E8E6F89DFD8F354E7511436F472BB9DAD6ADD754F3C63C3569584A602F1297D1CAD4CEF3C3BD3B3C170771194649BFFFE4C3F5EDAD94327C3F2E78155A40B6F7B32ACCE2H1E3395226A5572C242FBDAE2AC1FBE87FBA30297A5C7E7B43E6B4B586A8F2F0D7A13F00641B75723A7D93BC8FA7F9FEF9C8363F64526B1931E4BADBF09EF082B5E70D96AD795C30EF3391F2FEC5FF8CEBBE141A1670427F677AB8B9B5ACF6E2HBC5136318BF49463E61B7D0CCEBCAB2659C3A733736707A557889DF3CE2F49ECE9B313D4E1D7F643B4785B18299F390C0D23831620446144C2EBCDDC990DAA8BFB9000F4B237D7A5535BBC4C0BFC196F1903E301C5A74465E5C85D3D8E6F8BAADAF02291271543F072BB9FAB1FDF7E4D4763C5509587A171852B0B19D24FEE4D3BD3B7B0067615E6609BFD8B383F5FDAD94023C682E78453A5096E7B39AFC96A1733922B675776CF4FFBDBEDD91FBEFBFEA00292A5C5EDB73F6B4B5F188F2F7E0C13F2034BB75753D6DB3DCDFA7F9F98ED8363834025B097624BADC97BEC792D2E73D76AD095B37487381A29E25FFFCDCFE342DB150421F571A88B9B2DCC1ECDCB523147F7F5916F951B7B7FCFBFDE5B2FC3A037756706D3528BEBFEBA2F49979CB013A096D7F64EB67A5D192C9F3F0F0C23861451456242C1EBCDDB9B0FA9F78A937587B534D6A1245BBC3E7EFF1C666700E375C6A7436091C82A3BFB6F8FDCACF355E1571443F40EBB9DD86EDF7F4F4663C724E787A477F62B0C6BAF4FE93A4ED0C3C0727717E1149BFD8E3A3F5FA9A64322BA80E78357A30B6B0933AFC9186B3093226A5777CF42FBDBEDAD1FBE8FFEA306E1D4C7E3BE44684F5C188F280C0D11F30431B55C57D4DB3BCF8D7F989FEF8015F33A27C7E0614BAABE7CEF0F575C70D367D297B20F833B1B5CEE5FFEC6BEE147D7150726F301A9FAEB5BCF6EBAB85032418BF7916FE1187D792HBFDB2A59C3A235766401DF528BEDFCB82F4B969DB313A0EAD7F137B4792C6C299F390A7E20F36126446443B1EBCDAFEA0FAEFFFE9170F6C737D6AF565BBB4D78FF19686D03E777C1A446609ECB2B4EFD6DF9D8DBF353E15017328F0FBB9DAF62DD7F383C60B5559284A770FE2B0A6CDF4FEC484CD3B3C0727717E46F9BFAF93D3C5CDDDA4123B586E78357D40B6C733CADCB1B16309327655777C534FBDD9EAF1CCE878DA00597D5C7E7C5326B485D188F280F7C13F3714BB55554AEDB3DC9827F2H9FE68363F63B24C5951E4BABB808EC0B2D2973D366D197B7018E3B1F2CEA5FFAB8CCE340A71B0727F67FAB8F9F29CE1BCDB853323485F49663E11B7B0AC8BCA85F5CC1D344006704D6548BEE89CE2D499B9AB313D196D4F441C67B5E6C2C9C3E7F0F20851557476230C4EBCBA9930FAAFDFF9071F6B637D3AF245BBF3978FF196B6903E372C1A7471494C85A3C886F8FDAD9F355E02B14378305BB9DAE1FDC79474B63C2539687A707F32B0F6EAA4CE94D37D3B5C4007713E36799F18F423D5FA8AB4323B4F1E78153A2086B783EAFCE1E163394546B5776C541FBDFECA91FB98886A30290DBC4E7B0356B4F591C8F2F0D0B13F50441B55023D5D83BCF8E7F9FE9E78065843627C192104BAABD79EC0F595B73D263A197B675F6381B2F9F5CFECDC6E342D1130727F576AB8A9259CF6FB8CA502H3380F79765EF1B7D0ACBBCD5292FC3A533716706D7548BEBFABE2F4F9F97B313A6E2D4F634C7785A6F599C3F7C7A23806122476737BFEBCCA9ED0FAC8DF6907081B135D5A7265BBC4B7AFF186A19029572B7A7476097C82C3D886C89DCDDF353932017378405BB9BD862DF7A3D3A63C650E787A704F62B0B68AD4FEF4A4ED3B5C70577179514988D88493C2EDDAA4020BAFAE78357D5091A094DAFCB191C319327115476C034FBDAECAC1DB5FBFEA002E1A7C7E2B434683A531D8F290D0A13F67741B75023AED83AB9FE7F9A9D9B8365F73625C194614BAACB7FEF0E5F5773D911A197B4758238182F9A5FFFBDBCE145A1100722F571AB8BEE29CF6EBFBC5333448BF7976FEE1B7B7FCABFDF265AC1A7327B6700D0238BEFFDBA2D45EA99B165ABE6D7F746B47B5D622E9C397D0C23861555476237B3EBCBA89E0CAFF689910780CA34D7D55259BB4209FF1E181B03E57AB6A44111E5CB2A328F6DFBD6D9F127E62417378475BB9BD969DF7C3B4F63C2579787A703F12B0B6EDE4FEC3C36D3B5B4707461E0659BFDFB3A3D5BDFAB4028C1F5E68552D3091B0948ACCC6F1A339254675774C142FBDAE9AD1CBF8FFBA302E4A6C7E4B4336B4A5F1D8F2F7D0C13F20035B45724A7DB3ACE8D7F99EC998362FB4727C196644BAACE0AEF0F2F5F70D562A397B701F4391E22E25FF9BCC6E342A61104248006AB8A9B2ECF6FCCB853354285F79761E41B2H7CBEBFDC2H2CC3A340026407A2268BEDFFBE2F4FEBEEB313D0E1D7F34FC77B5B6A2F9C3F7C7A2380155144673FB0E9BDDA9B0FAFFF8C9373F7B537D2AE525BB14808FC6E6B1D01E600B5A4471EE4C82D4CF96F89DAAEF02393561737F471BB98AF62DF7B2H3C63C3279584A003F22B081FA94CEE2H3BD3B3C3067716EE6198FBF94E3F5C2HAC4323C7F2E68722A3086A784DACCF1E1D33932B175772B44EFBDB9CA81FBC8F8AA303E4D1C7E7B1446B4D2C698F2A7E0C13F20236B75753A2D94DBE8D7DE99CEF8163F53727C1E7164BADCF73EF0F5A5870D266A597B107833B1B5C9D5FFEB8BAE034DB140457F073AB8B9E5CCC6ECDCA533047F6F79063911B7D7FCEBFDE292AC0A533716701D4578BEA8BB32F4B9A96B313A1E2D7F747B37B5A1E2A9C3C097D23821655476145BEE8C8D9EF0FA9FD8C937285C737D1D52E5BBC3C0FFF1C6E6B03E371C7A746179ECB2F3AF36D8FDDDFF027E5271736F574BB98DE69DF7A2H4C63C35AE287A607F62B0D69AE4FEC393CD3B2B62H7717E31298F1F93E3C28DFAE4325C6F3E78123DF0B6F7238AFCE6F6A3396276A5771CE33F9AF9ED91FBA89FAA30293D6C7E7C0346B485D1D8F2E76791187734BB75355A0D938B9897CE99DE88366F74024C6941148DFCE08EF0F2A5973D311A097B374F2396F2EE35CFDC9BDE344A4600427F07FAB8CE82DCF6FBBBC53354184F79761911B710BBABFDF2F2CC3A435066707A7248BEDFDCA2C49EF9FB313D197D4F435C07B51632F9F350C7B2083675347643EC4E9CFDEED0FAE8B8E937287CB35D2D5215BB84B03FC191D6903E073B4A74714E1CB2A4F8E6F85AADBF355915517368005BB9FAA1DDD753D4A63C3559087A672F7290019DE4FE53B4BD3B5B40A771DE4659B2HFB4F3C58A8AB4323B686E78752DF08690832AFC91F1C339627615777B531F8D8E2AD1EBFFFFCA1749BD3C7E7B5436B4B291F8D5B787F10F57130B75724D4DB3BCF827F99EB9A8013F34027C7961E4BABC97DEC0C582970D313AB97BD07F13B1B589D5FFFC7CCE342D5140420F77FAB8BEC52CF6FB9BB53323184F7976FE31B710CCDBFDF2A5AC3A33273640DA05488EB8EB32F4F9899B313D0EAD7F245B6782F1E2A9C3C780621881526476333C6E8CBDE9C0CAEF8F9937381C634D3A75658B0480EFF156C6A03E274BAA7461E97CB2B33FE6F8FDDA9F35591571732F473BB9DAC63DF7E4B3A63C3539787A705832B0869DF4FE93E4ED3B8B3707717E6159BFB8F423F59D8DA4320B685E6F123D60A6B0E4AAFCC6D6E3093256B5777C732FBDD9FDA1CBEFBFEA10693A5C496BE30684B5F1F8C2F7C7913F57137B55157D6DB3BCC887F9BEA9A8163F44624C7936549DBCF7EED79585F71D563A694B60F85381D2BEE5FFECCC6E043A11A0424F771AB8B9B5BCF64B7BD50374B83F79760E71B7A0CB9BFD45C2EC3A931716407D0518BEBF9B92C4F9896B317A3E5D4F644CE7B5E6F2E9F3B7F0A23826350476742B2EBC8A8ED0FAFFDF9937381C137D7A42558CA480DFF1E671D03E371C7A7411F94CB2A39FA6F8FDBDCF353912114378602BB9BAF18DF793F4763C9569284A600FE280A1DAD4FEB3F4CD3B3C1077417E6639BFBF94D3F5ADDDB4320B5F2E78D27A30B6E094FAFCF1E1F339220115777B331FBDFEFDA1CBFF8FBA307E7D4C4E6BE336B4A281E8F2F7E7613F37445B45120A3DB3BBCF97F98E7EF8165843624C793134BABCB7EEF0B5D5C73D667AA97B105803B1C5CEE5CF9CBBAE345A46507248201A88BEC2FCF6CBBB95039478AF79314E51B7008C2BCDF5C28C3A63674650DA0248BE8FACE2D4FE89BB310A796D7F134CE7B5D6C2E9F34060D23851155446331C5EBCAD89E0FA5FC8A907387C537D6D4555BBA4F7AFC1F1D6803E675B4A7421796C85F38F26F8BDCDDF022E5241732F306B891AC6DDD0C3D4D63C3539187A67081280B1ED94FEF4B39D0B4C00A7717E6659BFD8D423C58DBDD4126B4F3E78353A40B6D7F3DAFC81D6B33922464577DC541F8DB9CDD1FBD8EFBA30996A2C497B7306B4E53138F250D7B11870535B75724AFDB3ECDF97F95ED9E8166F03027C1E2644BA0B879EC7E5D5970D317A597B706F5391B2EE25FFFCFC9E146D1150727F77EA88A9D5ECF68BFBA53333687F79614E21B787CBABFDE265CC0A531716706D7218BEC8BBB2F4E99EDB312D4E6D4F135B2795B69589F39060923821755446636C5EBCBDF9B0EAF2HFD9375F4CB37DDD0535BBC4A02FF1F676F02E275C7A7461392CB2B33886F84AADEF024E02A1733F572BB98A318DF7F3F4C63C921E684D070F32B0C1CDE4FE5374CD3B4C2707717E66F9B88FC483F5CAEA94023C682E78454A50B617B4FADCF1D17309356125771C540F8D9E8A21FBBFA89A30394D0C7E0B1466B4B5B1A8F2F780B12F17142B75621A2D83CBC8C7C9E9BEB8365F54127C796644BADB379EF085D5970D160AA97C402F53B1F2C9A5FFFCEBBE034D21507278470AB8DEB2FCF64BFBD53354582F5976095197B0AC2BDDA2E5AC3A940746707D7238BEBFABD2F4F999DB314A5E1D7F335C57B586B5F9F390A0D23836455446634C4EBCBDBEA0FAF8B8A9374F0B237DDAF5459BE3E09FC1C1F1B03E775C7A7461692CB2D3E8F6FFCACDCF35490501737F475BB9EA96ADC7F4F3963C354E087A700F62B0118AA4FEB393ED1B3B4767714EE6298FD8E4E3F5EDDD94327B2FBE7875ED4096B723DAFCE1D1833E054625770C636FBD19BAF1DB92H8BA00390A1C7E7C03E684B5E198F29797C13F40037B75D20A6DB3CC9897F9E98ED8362F03127C79F174BABB27BEF0F5C5973D263A597B704F6381B2E9D5FFFC8BCE342D7130723F505A8F8985FCF6BB6CC50374184F7E462921B087CCFBCDF272BC3A83A756703A75389EF8EBE2F4C989FB012D0E3D5F540C17B281B2C9F3F7C0A23836151476432C4EBB8D8EA0FAFFCF693738AC536D7A0535BBD480FFF2H1F6A03E370C6A74D149FCB2B4E8E6F8CD7ADF222915217318703BB9DDC62DF7F463D63B057E584A603832B0819D84FEF3649D3B4B170771CE46E9BFB894D3C5DAFA74323B0F1E78753DF0B6C0C39AFCE161F30E422125772CE46F9DAEAA21FBF8FF9A07290D5C7E7C4366B4C28188F297F7E13F4774BB42355A6DB38CCF97E9DEFEC8364833724C1901048AACC72EF0F5D2C73D214D797B272843B1122E25FFBBBB9E343DA160726F502A989E82DCF6FB9BD53343687F4946E95190B79C2BCDC2B5BC3D035026502D656889C8CB22F459C9EB313A0E6D7F641B37B5A68229F3A070823831B5A476732B2EBCAD29D0EAF8D8A9175F1C737D4A3545BBE4E0DFC1E696C03E406B4A744159FCB2D33FA6FFCDEAEF352E02A17338006BB9FDB6ADF0C473C61C124E287A604FE2B0D19AD4FE8484CD3B3C606771697619BFBF94F3F5FADAC4023B087E78357D50B6A7E4FAFCF6F1E33E053125777C736FBDB9BAD1FB889FAA307E0D4C7E3B63E6B4A521B8D2F7D7713F77330B75025D2DB31CA827F9F9AED8065F73627C2921448AAC90DEF0F585B73D310A696B573873B685CE25FFCBDBAE040A113072D8075AB8B9953CF6FCBB950344285F79713921B7B79C8BFDA2F5AC3A732776407A4528AE98EB92C4C9C9BB313A4E0D7F634B17B586A239F387D7E23831455461734B4EBCDDEE80FDCFDF69377F3C737D0A22F5BC83C08FC1F686B03E304B0A7441393C82B3CFB6F8BDDD6F359EA2B17308576BB9BA26FDC794B3963C555E687A374F12B0A1FD84CE53D37D0B7C00B7764E3129BFBF9493F5FAAAF4329C681E78055D50B6B7F32AFC9161E33E0516B5774B042FBD09BDD1CBEFDFCA300E4A6C5E5B2416A3D591B8F2F0D7613F00746B72455A4DB3EBEF97F9EE99D8369FB4125C590644BD8BB7BEF052C5673A014D097B472F63B1B59E35FF9C9CBE349A76204228273AB8A9B58CF6FCAB653334286F79762E41B080BB8BFD82C5DC0A3337B6706D1248BED88B92C4FEDEEB316A6EBD7FD47B17B2B685F9F357F7C23846627446D36B3EBB8AFE90FA58CF69375F7B134D2D5515BBB380DFF196D6B03E370C1A74614E3CB2D48886F8FADDAF350EA50173C8674BB9DDC6CDC79464763B0569387A770F52B0A68D24FEF3C36D3B5C1047717E66699888C4D3C5EA6AF4323C786E7F420A20B6C7D3EAFC8181F339756165603CE34F8DDEEAA1FB88C8EA303E1D1C794C73F6B4A5F6D8F5C7E7F13F37346B75D57D4D84DB8F97F9A9DED8310F03024B4E3104BABCB08EF052C2A73A064D197B005843B1B5CEA5FF8B8C7E345A714072D8270AB889E2ECF6FB6CE53323186F79414E1187B08CDBFDE2D5BC3A330746707A55E8BEE8CB82C4F99EBB312D7E6D58134B27B5A1B2E9D3F7D0B21F7645B471445C2EBCED89A0DAAFFFE9372F7CB37D1A35658BB4D0DFF1E691901E303C0A431149FCB2F4C8D6F8FD9ADF35294251734F506B8EDDE6FDF7B4E3963C2219584A402852B0A19D34FEF3B39D3B3B1707714E7669BF08C3D3C5FDBA74323C0F6E78753D30B6B7D4AAFCF1B6D3196226A5770B336FBA8E2A91FBF8FFBA10092DBC7E2B33268415B128C2E087C13F07347B75653D6D83EC88B7F9498998362F13227C6E31348DCB20AEF05285B73D060D797B20182391B5E9D5CFFCECFE343D7620522F103ABFB9E29CF6EBCCD533346F5F6E114E11B7B79C2BCDC295AC3A7367B6473DF258BEB8BBC2F4AED9DB314D691D4F147C27B5A1C2F9F4C077D21811354446631C4EBC1DBED0CDEFD8E9378F4C635D2A5265BBB4D0AFF1E686D00E975B0A74616E4CB2D38886F8FD7D9F05593221744F476B89BA96DDF7F4B3963C557E785A170842B0A1BDA4C983736D1B6B1707714E2169BFC8B393F5ADAAF4029B6F2E78122A60B68094EADCF171D339956105777CE33F9DFE2DF1DCB8788A305E1A2C4E7C5356B4B526D8F2F767A13F27441B75752D3DB3ACBFA7F989D9C8368863A27C1936248ABCE7CEF0C285D73D36AD094BD75853B1822E25FFEBDCBE137D71B0527F57FAB8D995FCC6FBDC953354187F49764911B7A7FCDBFD95A5DC3A046076406A3248BEFFBCD2F4FEF9EB015D691D7F44FC0792D682D9F39090A23826127476737B2EBCCAFEA0FAFF98C900583C634D6D2245BBA480DFF192H6B03E375B1A4476091CB2A3EFB6F8AAFDDF323E42514318573BBEBDE6BDF7F3A3B63C95AE187A70784287D19DB4FEE4B39D3B5C40A771697669B88F94C3C5CAAA84129C3F7E78653D20B6B7F49ACCE1A18339353675470B534FBD899DF1FBC8C8DA30397A2C7E6B64169415C6A8F29087F13F20531B72421A4DB3CB9FD7C9C98E98360FA3627C7E4624BAABB0AED0C2D2A73D011D797B103F43B1B5FEA5FFBB8B9E342D0670427F176AB8AEB2ACD6BBFB950323384F79D1392187F7BC8BFDF282FC0A230006707DF228BEEFFCF2C4F979AB313D095D7F742C57B5B68289F3F0F0A21821525471736C3EBC1A9EE0FA9FFF9907283B537D0AE5458CF3B7AFD1B691A03E200C0A7476591CA294EF86FFCAAA9F059932217318073BB91AC63DF7B3D3B63C557E684A700832B081DD94FE83E36D3B4CB007716EF649BFA8F4A3F2CA6AD4326B7F7E78722A30B6F794AAFCE186E309223605770C74EF8DA9EDD1CB58C89A37297D0C7E7B5346A4B291F8C2F0B7A13F57135B75727A5DB3DBE827CEBEE9B8367F03627C095114BA0B372ED0A5D2B72A761D094C306873B1B29985FFECFCEE342A3120757F775AB8D9858CF64BAB653334BF1F79263941B7F78C8BFDB2E2CC1A336726701A72188EA8ECA2F492H97B313A1E0D4F744C37B5B6B2C9F3B7C0A22811552446742B3E8C8DB9B0FAFF6F7937281B734A3A7205BBA4C79FE1D1A6B00E07BB5A7421292CB2A4B8A6F8FABDDF356E05217378372BB9ADC6FDF7A4F3B63C5549387A671F12B0A12AE4F9C3B38D3B6C50A7512E7669BFB883A3F5FA6A74326C380E6F427D50B600B3AAFCB6B6C329323155471B734FAA8E2DD1CC92H88A30990A6C4E7BF30694F5B6E8F290B0910F47130B75427D6D938CC8B7C9EEF998363804024C694144BAEB87DEF095D5B70D360D097C70483391B2AEB5FF5BBBEE343D31A0721F505A8FFEC52CD64B6C95332318BF49464E21B7A0CC8BFDE2726C3D034006707A251899D8FCA2C4E9B9CB319A095D7F646B37B511C2C9C3E0A7E20F71720476133C1EBCFD8ED0FA88A8C9373F0CB372HA4565BCB490BFF2H1C6600E37AC1A7411295CB2B3BF26F8AADD7F353912B1731F572B99BD96CDC7C4B3963C5569A87A373F52B0A6EA84FEF4B3FD3B2C2077711926799FD8A3A3F5AD8AC4325C1FBE78751A2081C0E48AFC46D6A339625615770B54EF8D89CDF1FBC888BA30390D7C7E7B63F6B4B291C8C2F0D0A13F00637B75720A7DB3ACF8D7F9EE79A8365F13227C7951348ABB97CEF0F5B2A72A766D597B701853B1158E85FFBCCC7E348D61607218503AB81EC2ECF6EBBCE51323384F59362921B7B0CC8BFDE5A2BC3A046006703D6218B9A89BE2F3EEB9BB312D491D4F74EB37B286B2C9F3E087B20831350476045B0E8CBD29D0DDB8D8C93708AB034D1D4515BB84F79FF151F1C03E906B3A7476297CB2B388F6C8FDCDFF352962417348174B8EDD96CDF7E3A4F63C9559684A073842B0D19D24FEE4C3DD02HB306771CEF6098FDF94C3C5CDFDB4127B1F5E48352D6091A784DAFCE1A1E31E22B17577DB341FBDEE8AA1FBF8F8EA303E3DBC496B145683C2C198C2F0A7D13F37437B72H24D6DB4DB8897C9FE7EC8362FA3524C79F144BAACC7DEF095E2971D96AA596B773803B1B28EA5F89C9BAE347DB61072D847EA8F8E82ECF1ECAB653304786F79763EE1B7D0AC2BFD92659C3A733716706A253889AFFBB2F4B9899B160D6EAD7F644B67B5B1C229C3E7B7A23876451476731C5EBC1A9E90FABFAF8930280B737D1D4535BBF3C7FFF192H6903E273C2A747639FCB2A3E8D6F8EADDAF05091201446F571BB9AA21ADF794F4A63C220E685D375F72B0B13DC4FEE4D4BD1B5B001741694669BFB8C3D3F2E2HAD4325C3F0E78757A1081A7B4AAFC86B1F339224665772C031F8DBEAAB1FBF8C8AA30293DAC7E6B434683F2E6D8F257A0B13F30537B55221A4D83BC8F97C9BE7E98368F33B27C1921E4BABCE0EEC0E2D2C73D065D294B175803B18599A5FFFCDBAE148DA13072CF771A88A9953CF65CDCC50454384F79666911B7A0BCEBFDE282CC3A244016407D6538BE189C82F44969FB064A7EBD7F247C17B5B1F5E9C3B7A0823821A21476331B4EBCCDF9D0CAE8BF79372F7C234DDD55158B84F09FF19696B00E404B0A7446291CB2D4C8F6F89DDABF352E32217378702B89ADB1FDF7B4D3B63C250E087A102F7280812DB4C98484ED3B3C7067717936F98FA82383F2EDAAD4326C0F2E7F622D408680E4AAFCF686A30E423105777B534FBD1E9DF1CCBF887A3029AA0C4EDC0326B4E5A1A8F287B0D10F3044AB75654AEDB3BBC8F7C99EF9C8363F53027C39F1049DDCE7CEF0C2A2B70D263A597C172F33B1122ED5FF9BBBDE340D31407218770ABFD935CCF69BBCD5136438AF79717951B707EB9BFDC5F59C1A136716707D5248BE0FBCA2F4AEBEEB317A097D7FC42C47B5D1E5F9C3E067921856026456232C6E8BBA8990FD98BF9937887B135D2D02558BB4E0AFC1E1D1E01E07AC1A5371391CB5A3BF26D8AABACF352932717418E0EBA9DAE1FDF7F4F4D61C0519484A770FF2B7A19DE4FE43D3BD0B3C502771792159BFE833D3F54AFA74025C3F7E48157A40B6B7B3AAFCA2H6D339953625573B534FBDBE9AD1FB8FA8AA300E0D6C7E7C543683A53138F2F7C0C13800740B75C55D2DB3ECC8A7FEE9CEA8363F43324C6E7164BADCE08EF0F5C5873D966AA97B60EF439192BE25F8E2HC8E346D41A0721F67EAB8BE92FCC6FCAB853303684F79360EE1B7A0DCABCDF2D5BC3A23A706401D1218BEAFBCE2D4C9A96B315ABE3D7F732B3785A632D9C3F0B0923851A22476D31C5EBCCAC920CAFFAFF9178F3B036A4A62F5BBE390DFC1F6E1E039371BBA7416095C82B388A6C8BDDDBF053E256173DF203BB90AE6CDC7E474963C25B9584A177842B0B13D84FEE3E3FD3B3B40B7767E1119BFA8B4A3F58A6DD4325C0F2E7F124A60A61083EAFCC686A33922B665777CF35FBDAEED81FB9898CA302E3A2C7E6B646694E29198F2C7F7D13F20537B75627A6DB3BCDFF7F9EE8E78368F13B27C1E5644BA8C87CEF092C5973D263A297C406813B682A995FFFCFCEE343A01A07278272AB889229CF1CCCCE52393085F79C6E951B7D0BC8BFD85D27C3A032746701DF5F8BEBFAB22F4F9F9EB064D197D5F142C17B5E6F2C9F35787A23806753476633BFE8BBDC980FAEF6FD9075F7B037D6A4225BCA3B7DFD1D666F029401C2A44764E5CB2D4B8F6D8FDBABF052E421173DF776B99FAD6ADF093D3C63C5569587A17EF32B0E1BAA4CE4363DD3B3C40B776690679BF0883F3C5F2HDC4322B0F1E78657DE0B6A7B3CAFC9186E33E52A625707C541FBDCEBA21CBE88FCA30391DBC4E7C5346B3A296F8C2C0C7613F50532B75755A3DB38B9F97E9DE79D8312F54527CD936348ABB20EEF79562B71D713D797B275F438185F9F5FFCBCB9E342A11304518575AB8A9A2DCF6ABCCE5333368BF7E666E618080ECCBFDF295AC3A346076476DF218B9DFBB22F4F9BE9B315A5EBD7F743B37B5F62289C397F0E23F01155476730B1E8CDD39C0DAB8AF9910585B135D2A6205BCC4903FF1F6A1E009706BBA6466295CB583C896E8DDBDCF353E15717408001BB9BD81FDF7E4D4763C3269585D100F32B0B12A84F9F3C4BD3C4C1017761E5639BFA8E433F29DCAA4323B086E78250A50B60083EACCF1A1C339427125773B441FBDFEBDF1FBEFD8CA307E0A6C7E1B7316B4B296F8F5F7B7C10857330B42152D1D83BBFFE7C9B9CE98063864127CC976648A0B379EF085D2B73D217A797B60180381C5B985E8CCACCE344A3660727F106A88D9F5ECF6FB7CA533837F1F79D6391190A7ECEBFDC272BC3A833726576D4538B9BFDB22F3C9A98B313A3EAD4F630C47B2A69589F397D0D2384635445633FC2EBC0DB980FD9F8F7930583C335D7A3555BBF3C0FFC192H6603E97AC1A7411F9ECB2D388D6F8EAADAF350EA2314408473BBEDAA6BDF0E493B63C721E087A177F0280A1BAA4FE8374DD3B3B6727711EE609BFAF92H3F5FDDA74323C181E78724D7086A7D48AFC91E1B339354165774B734F8ADE2AC1CBFFC8AA375E4A2C794BF346B4A5D188F2B7B7C13820045B75624A2DB3DB98F7DEB9FE78313F34624C196664BAEBD7FEC082A5D73A065D197C4738F386F289E5CFFCBC6E043D06207268503A8FAEE2FCF6BBDB753343680F79460EF1B0A7BC3BFDB265DC3A641766470DF268BEFFBB32C4996EAB117A295D5FD35CF7858182E9F39097E23F06426476447BEEBBCAC9D0FDCF6FC937984B137D1D2565BBD490BFF1C6F1A03E501C7A4301294C95A39FD6F84AFA9F3539120173D8301BB9AD962DF7C2H4D63C3519787D60085280B19D24FE94849D3B2C20A771794639B88FC2H3F5CD8A74320BBF3E68627D70B6A0839AFB86C1633932B655772C134FBABEEA91FBFFC8CA30790A7C7E1B444684B2F6F8F2C7B7C10820036B72050D6DB38C98C7F9F9BEF8069F13127C191624BAAB27AEC785B5A73D916A197B204F33B1C58ED5F88BCCAE343D51304278376AB8D9D2ACF1CB7CD5344418BF79763911B0A02CBBFDF5C5AC3A046766702DE2488ED8EC82C49969BB316A491D7FC30B27B581E5A9F390B7C20831653471034C6EBCBAE9F0CACFBF9937981C337DDA5245ABB4B0CFF1E186E03927BC0A7371E91C95F4CF36FFFAAD9F324E42B1741F471BB9BA91EDF75474F62C250E287A777F42B0E68AD4FEE4837D1B6B3727513E7609BFFFE4D3F5C2HDC4327C386E7F727D20B6A083BACCE166B31E724655476C044FBDFE8AD1DCB8AFAA005E7D7C797B3326B4B5D6A8F247E7A13F57130B55654D4DB4CC2F87C99E9E88369843127C1976549A8B979EF0F5B5670D316D097B775F33B1B589E5FFCBFCBE342DA170721F47FAB809F2DCC6EBFBC532H4587F7E16E91192H7ECEBCD52F2CC3A634766473D4218BEA89CD2F4FEC9FB113D692D7F44EC1792F6B5D9C4E2H0C2388635047663EC6EBBCA9EF0FDFF68D9304F6B037A0A5565BCF3C09FF196B1C03E375B1A4471290CB2A4CF86FF9D6DEF35996231434F00EBB9BA363DF754D4763C35AE187D60782290B1BD84FEA3F4AD1B0C5767713EF119B8BFB4B3D5BDCA84327BB81E78754D6081D7D3EAFC86C6B33932664577DB436FAD1EAA31FBA888BA30397D0C7E7B6426B41286F8F2B7D7E13F47143B75323D4D83AC98F7C9F9B9E8363F43127C1E56248A8C97FEF0C2C5F70D260A697C100F13B6A5E9A5FF9CEBAE045D2650726F101ABFDE95CCF1ECCCA533036F1F7E16394187A7F2HBFDC2C5AC3A644056704A5218BEB8FCF2F4CEC9FB315D1E4D7F344B17B5A182C9F48080F2387645B476736B6EBBCAB9E0FAFF6FC937287C534D6AE545BB03F7AFC1E1D1B03E501BBA7471EE5C82F38FB6F8EADDAF327932A1747F474BB9BD91ADC7F484F63C720E087A774812B0A1DDD4F99383FD0B2C6047716EF129BFEFF3E3C58A8D94328B3F6E48651A50B6A7949ACBC1C6D33932312547CC743FBD0E3A91FCE8E87A30292A5C796B2306B4A591D8F5E787912837431B45721D1DB3DCAFF7FEEED9D8366F03124B7941F4BDFBD7EED0F575F73D365A195BD0383386A2A995F8BCAB9E342D61407268201A88BEC5DCF64B8CC5337462HF79D67921B7D0BCDBCDE5A27C3D231076473D1248BE1F2CA2F452H9BB362D0E0D7F347B37B5D1F2E9D3D7B0A23871757456747C4EAB8DD9C0FAF2H8D9377F0CB37D6D05658BE4C0BFD1A691B01E375B4A44014E3C95B4E8A6F8BDCD6F3229650173C8475B89BD96DDF7C383D63C6569B87A671FE290E1BAF4F99484BD3B0C6007712E7609BFAFB483F2BACAA4355B4FAE7F024DE0B610C49AFCB6F1F30952B635676C047F8DDECDE1CBF8F8EA305E6A6C4E6C0416B485B6E8C29080A13F07447B75154D6DB4BC98D7F949AEC8069863327C7E7164BD8BB73EC09595F73A467A197B7028E3B1E5C985DFDBCB9E346D71B0525F305A98E9D29CF6AC8B9503242F5F7966E91180D0BC8BFDF2C2AC3A940006707D7558BEAFBBD2F4FE8EEB312A190D7F330B579591B5F9F3A7B7A23826620476742B0EBCBDFEA0FDBF8F9930783C637D6D4265BCF3909FF1E6C1B00E375B2A4471391CB2B4BFF6C84A8A9F353E65614318176BB9BDF63DF7F484B63C8539287A073F5290B6BDA4F9E363CD0B5B3077513971199F9F84E3F2EAFA84322C085E7F420A2081C7B3DAFC56D6A339323665772C641FBDBE3AB1FBF8A88A370E4A5C7E3B5446B4F2B6E8F5F0C7613F30531B75627A7DB3BBE8D7DE99D9B8363803327C7E21648A8BD0AEF7E2C5670D361A497B772F63B1B5CE25FFFCAC6E343A71707268404AB8B925DCE6FBFB953334183F79467EE1B7E0ACEBFDF2926C1A636736701D35E8BED8EB92C499D98B013D692D7F734C07B5F6F239C3F7A7B23F21250476133B4EBCEA9EE0FAC2H8B9375F3C037A3D5515BB8487EFF1E2H1B03E07AC7A44C14E1CB5C3B8E6FFEAADAF35091251730F471BB9BA21ADD7B4B3C60C2549A87D077FE290E19DA4FEF4B4CD3C7B371771D95609B8AFB4A3F59DFAE4326C3F3E78623D70B6A794DA8CD191733E72465577CC633FBD198DA1CBF8D8AA30493D6C7E0C2306B3C52688F5F7D7E13F37140B42H21D2DC39BBFE7D9BECE88310F24027C694654BABB30EEF095A5773D566D094B174F638682EEC5CFECDCBE348DB140726F47EAB8BEE5DCF6CBFBA50323383F7E461EE1C790CBFBCDF2629C2A341736703D72289E8FDB22F3E9DEEB312A697D7F743B67B2D68589F397D7E2181135B476D47B7E8BDD3980CAFF8F7900084B537A6AF2259BF430EFD1B6B19019204B4A441659ECB283C896C8FD9AEF45193271736F471BB9AD96DDE7D4C4A63C956E287A671F52B0A6CA94DE43E3DD3C4B4017717E6669BFA89393F29ACDA4354B6F5E78125D10B680E32AFCF681B33E22215557DC244F9AAE3AF1FB58CF9A00397A7C4EDB5456B4F2E6D8C257F0A13F50143B75C21AEDB48CBF87F2HEB9E8315F03427B496624CA9C872EF0F2F5F73D265A197B003F1396A23EC5C8FBDCBE340D16007218374A8FC9852CF1EBBCC53453481F09564E41B7B03C3BFD52H2AC3D43A766707A05F8BEFFEC92F389E98B314D195D78345CF7B5E6C229F487F7E2187172644173EB7EABCACED0FAC8FFE930087CB35D7A05258BB480FFF1E1C6E00E270C0A736639FCB2B4C896F8BD9A9F323962114318501B89BA969DF7F2H4763C8559384A770822B0D68AD4FEF2H37D3C5C2757460E66498FB8E4D3F58D8AF4352C3F7E48C56A10B6A7C4FACCF2H6B339357615777C733F8DDEFAC1FCB8DFAA370E1D4C7E7C345694E59698F5C790C10F50245B75724A2DB4DCCF97E9DED9C8110F64620C595644BAEBB7AEF0E2F5A73D765D197BD74873B1D58E25C88B8CBE347D31207278777AB8A982ACF6AB6B951473383F7E167921B717BCABFAF2C2DC3A644766706D1538B9FF9CA2F4E9899B160A797D4FD40C37C591C5E9F3E7D0F2386115B476736C2E8CDDB920FAF2H8A937086C737A3A7275BBC4909FD1F1D1B03907BC2A730659FCB2A3CF26F8EDCDDF023E4501737F076B998AC6BDF7E3F4663B5569580A47EF52B0B6FDB4EEF3E4DD3B9CB037717EE6F9BFA82423E59DCAA4221C0FBE7F057D40B1C733CAFBB6B69339051615774CF43FBD09FD81FBFFD86A277E4D3C7E2C2306B4B5B1A8F28790A13F77743B75652AFDB4CCB8C7C9EE9E88368F03A27C2E76248AABD7AEC0F2F5F74D16BA797B1048E3B1B5EE95FFABCB9E340D51B0727F603AB819F28CC6ECCCD54313082F7E315EF1B7A03C3BCDE2D5BC3A83B7B6771D62689EE88BD2C4F979AB313D395D4F637C17B5E6D229F4E7A0623F71757476740B3E8CBDF9E0FD92HF8937886C637A6D5245BBD4D0CFC186D6E03E371C6A74663E5CB5D32F36C8FD9DFF355E35617418F01BB9BAE1FDD7B3F3B62C323E084D17FF62B0E1DDA4CEF2H3AD3C2C70B771D946698FAFF2H3F29A7A94053BAF6E78155D0086B794FAFCE181A339754105777C040FBDB9BDD1ECB878CA30796D4C7EDC7356B4E2B1C8D2C787713F20736B45753A1DB3DB9FA7F9F2HED8063F73524C6E5124BA8B27CEC0F5E2D73D361D297C303813B1B2DED5FFEC9B9E345DA660523F503A8FF9852CC6FCDB653354281F5E064E51B7D02CDBEDF2F5CC1A032016773D0568BEF8BC92F3BE89EB315D7E7D0F530C2785A632C9F4B7B0724816422406532B2EBBDD8ED0FD8F88D930581CB37D0A52F58BB397DFF6B6E6701E673B6A747179FCB2049FE6C8C2HDFF355E75517468171BB9BAD6EDC794A3963C224E784A204812B0A6EA84FE43B49D3B5C4017767E3679BF0FC2H3F58A6AF4325B0FAE78723DF0B6A7E33AFB81A18339454175774B243FBDFEFAD1FBE8C8FA07590A5C7E6BF346B4E2B1E8D2F0D7F1082074AB05455D3DC39B88D7FE8E6998166F33A25C7E0144BAFBA09EF095F5B73A464A195B004F5381F2EEF5C8BBCB9E342A31B0723F072A8FFE92FCF69CCBA53393184F7E013EF1B700ECFB8DD2C28C4A137016406A5518BEFF2BB2C44EAECB313D1E3D7F74EB17B5F185D9F3C7A0B23821322456444BEEBCDAF930FAFF7FA930083B630D5AF275ABA3C02FC1E6E1E03E47BB5A04567E4CA583AF36F88DBDAF35996521746F50EBB9BAE1DD87D4B4763C95BE187A704862B0D1CDD4CE94D3BD3B5B60A7717E36498F1FF433C5EA7DE4327C3F3E78652DE0B6B094AAFCF6B1833E456625704B44FFCD8ECAB1FBB8DFAA002E0A5C791B433694B5D1C8F247F7710F57730B75325A7DB4ACCF97E9D2H9C8062F24625C7E5174BDAB90EEF7C5A5973D317D597C104F2381B2A995FF9CFCEE342DB610522F504A8FF925CCF6EBDB8533336F6F79167E3187A092HBFD45829C3D734076407A2558BEE8BBE2F4E9FEBB312A396D7F633C17B5D1F5A9F3C2H0D23831322471643C2E8CFDAE80FAE2HF6947187B734D7D22E5BCB480AFF1F691E039404B3A7476590CB2F4B8D6D8DDCAEF356EA5115478175BB9AA21DDF7A3B4963C5569387D405F1280813DD4FEA4C49D0B2B4047416E1619BFBF843385CAEDB4352C187E78152D00B6A733DAFCE2H6C349153105401C632FBD1E8DA1FBF8EFAA00593A5C7E7C7336C485A138F5E0C0A13F50337B75652A7D838C2F87F952HE78367F43724C1946648AFB37EEF0A5E2D73D317A695C1008538115BE95F88C6CFE349A3600654F37EAB8DE92FCF6FBFBC53334381F79665E21B0A792HBFD9292AC1A534736702DF5F8BEB88BE2F39EC9CB317A2E1D7F040C17B506F229C3F0C0E23836154476744C1EBCADEEE0FAFFD89937587B635A6A2535BBB4302FC1E696D00E370C5A04416E5CB2B48FF6FF8D6ADF32293261431F00FBB98AC1EDF084F3E63B7269287A672F02B0A1CA84FEF3849D3B8B471771D97679BFDF84F3F5AACD94423B6F5E48652DF0B6C7D3FACC86D1D34912A125703C644F9DBE3AE1FBF8FFBA302E3D7C4E0C2306B482B688D5F0F7E13F90443B75650A0DB4ACF83789FE79C8312FA4024C392124BDDCF7CEC0E5B2973A261D597BC75823B182B9A5F8BBBBAE342D115072CFE03A880EC5ACF65B7BD54334B84F7E662E019707B2HBDDD5D2CC0D232756701D0578BEAFCBB2C4E9A9DB312D6E1D4FD4FC67B5D1F5F9F3B0B0F20F21157476C42B4E8C8D29D0EAF8F8E937285B030D7AF245BBF3C08FC1F6F6A01E203B7A7466295CB2E33F86F8AAAD8F357EB2A1744F772B99BAC68DF7E4E4F63C3519084A37E852B7C1FDD4FEE3C4DD3B3B606741D95119B88894D3F5FAFA64323C6F0E4F152D20B1F7B4FAFCE6F1C319556175773C546FBDB99DD1FBFF88DA30292A5C5EDB3336B4E5D128D2A7B0B10F90546B72421AFD83DBE8F7F9BEFEB8368F03B27CD97174BABB309EF09285B70D360AA97B70E863C192C9D5F8EBCC8E342D2120754F404A88B992ECD64B6B8533940F0F79715E21C7B08C2BFA92D5DC3D233766707D4558BEDF9C82D3C999AB015A1E2D4F741B37C596F2D9F387C0F2082155B476733B5E9CBD8EF0CAFFCF6937280B634D3D5265BCF3F0BFC156F1C03E371C7A74115E3C85F3DFA688FDEDDF322902314368575B8EFAE68DF754E4763B4249487A207F42B0B6FAA4F9C363CD3B9B0727716E0119B8AFC4E3F54DFAD4327C7F6E5F120D0086D0832ACB86F1B339223105707B436F8DBEAA91FBF8BFCA00391A6C7EDB3316B4A5D1C8F5C0D7D13F00046B72H57D1DC3BBCF87FE9EAEC8365F03627C0951F4BABCB0FEF0B2D5B70A211A495B47582381E22995FF4CFC9E030D56707268503AC899D5FCC68B8CC533231F1F4E161911B7B0FB8BCDF2A5DC4A135026776D4258BEBF8BE2F48ED97B313A5E1D0F54FB47B5C6B2C9F3A2H0823F26027471043C6EBCADB990FD9F68A9107F1CB37D7A3555BB1390AFC68661B01E100B4A74317E1CB2B388D6F8E2HD6F359E62B17318073BBECD86EDC7F384C63C3249787D703F32B7F6EAA4FEB394BD32HB62H771393159B8DFF3A3D5AAFAA4325C7FBE78424A1086A7F4AAFBE191C339253105401B545FBDCE9DF1FCF8AF9A402E0DAC7E7B1426B3A5C1E8F290A7613877435B75527D4DB4DB9FE7F9FEAEC8366F54627C390624BA0B879EF0A595A70D511A394C102813B1F2EEE5F8CCDCBE349D7610726FF74AB8FEE28CF64B9B750344B81F4916F921B7D0AC3BFDE2F5EC3A344776704D354889A88CF284C2H9CB318ABE0D7F642C3782F6A5D9F3E0B7E23F76120441137B1EBBCAC990FAE8889937082CB372HA02758BA4E7EF81C1D66009507C7A73117E3C9283AF26F88D8AEF159E62417418006BBECAE19DF7B493E63C35B9087A303832B0C1BAA4DEC4C39D3B2C204741D92679BFBFE2H3F5EABDB4354BAF1E78220DF0C697E4DACC51B19339354625704B743FBDEEDA21FB48AFBA30996A5C7E7C543684852198F252H7F14F10A37B55323D5D931CBFA7C94E69C8069814527CCE3134BAEBC78EF042H5F71D911A597C0708F3B1829995F8BBDCDE043D7610557F577ABFA9B5ACF69BCB953324684F7E117E41B7B0ACEBFDF5826C3A33472670CD05F8BE18ECE2F4A9897B317AAE7D0F734C47B5F6F2F9F3F0E062183165A476347B7EBCAD99C0CAFFBF8937686CA372HD7205BB14A7DFF6E6B6903E97AC7A7361192CB2E398F6F8ED8DDF450E32317438702B89AA26DDE7F3C3E63C3549585D47FF22B0B69DC4F9C393ED32HC7757711E3649BFB8C483F29DBA84328B7F5E78754D70B6E0B33AFBE1B17339924115477C143FCD99BDD1FCF8788A005E0DAC7E1B03E684A5B198F290C7613830431B75750D1DB39BE8D7D99E9998362F13127C791134BADB30FEF0E285673D36BD597BD0F86386D5C995CFFC7CAE346D6600753F704A88D9C5DCF6FCDBB50304783F79363E41B707CCFBFDF2E28C3D746746703D72488EDF2BF2F3E989FB312A3EAD7F732B57B581C2C9F4F0C0D23861756476747B3E9CDDF9D0FAFF8F9937386C437D6D5535BBD497FFF1E6C6603E47BB1A74611E3CB2F3DFE6C89DAAAF45391251734F772BBEFD86DDF0B3D4C63C6549387D67EF5290B1FDD4DEA3938D4B3B701746490149B2H8D393F5EDAAC4326B5F1E48725A30B6B7A4EACC9171D339453635471B533FBDE9CDE18BEFAFDA00996A2C793B53F6B4D5D138F2F0B7C13F70736B7572ED3D830CD8C7F9AE8ED8313863A27B7E21E4CABBF0AEF795B2B73D811A094C074843B115FEE5D89C6CEE443DB1504218474AC88EC5CC86C2HBB504246F2F79713921B0A0BC2BFAE292FC3D44600670DDE21889D8BB9284E9897B317A1E5D4F740C27B506C2B9C397C7D2388612247633EB1ECC9DF9E0FAFF989930381CA37D6D3245CB84B09FF19661D03E500C6A74367E6CB2A3AF36F88AAD6F353E35117478671BB9ADF69DC084E4763C25B9386A604842B0B6CDE4FEA364CD32HC3027710EE659BF18C383F5FA9DE4325B1F6E78C51A20B6E0939AFCC6A1A309954125776C044F8DD9EDF1CBEFCF9A30097DAC7E6B7436B4E5B6D8F240C0E10F37032B72725A2D83FCA8B7F9F2HED8063F64227C7971148AABA7EED0F5F5B74D360A396C3748F3C1A58E85CF8CABCE441A3170757F671AB8B9F5ACF69BCCB533446F2F7976095192H7BBDBCDE582DC3A537776407D65E8BEBFBB32C49E8ECB310A092D7F433C77B596F2C9F3C0F0D23801626461336B0EBC8DB9D0FADFC8D920787B735D4D2245ACF3E0EFE6B6C6703E172C0A63317E2C82BDD063H000ACB5CBDEECFDD0B3H00C061D2132466D959EBC8EEDD073H005BEC4D7E7F399EDD093H0062A3B4954698475C5BDD0C3H00EB7CDD0E0F87E48655214BA0DD0D3H0057A8C9BA7B6A18F0FC0478EDADDD0A3H00D4B566E73806156AF899DD0D3H002E2F00A112270B2B831AAA8CA8DD0A3H009B2C8DBEBFCF6EC68A82DD0A3H00D5860758791A59D5733ADD0D3H004F20C13273DB3353C5BB40B5F5DD113H004CADDEDFB036A7777990D2460CF8E827B9DD0A3H003D6E6F40E10DCCC9F05ADD0C3H00B708291ADB33929791B4149ADD0C3H00233415C647FFDCDE199933F8DD093H008F600172B3A7CD37A5DD113H0028493AFB8C9E7B6B9DF476222054840B2HDD093H00D9CA8B1C7DF1F0EC4499DD803H0092D3E4C576AE271C283BE0785F1F75DF540A063A68EABD979E8B58F2ABBC802FDD872496E36718E6084FEC41313E54F12DF1B41949C69C6A7EB935D389C3E015BA765660D058FACCBA2283385E1E229442D6DAF424AB7D195E845CA87D6AC0F59A566469A325C9B9D25B5A20BEDA1E72F0BAA4C10F8856792C6EFD895B5D658FDD0A3H0012536445F607AB88B6F7DD0B3H002C8DBEBF9057CD9199B4F2DD093H000758796A2BD278363BDD0A3H0020C13273840877E38B61DD083H00FABB4CADDEACC93FDD0A3H00C20314F5A67827EAFF29DD0E3H00DC3D6E6F40823DE1CBF042DE664CDD0C3H001ADB6CCDFEB3A510C2161A24DD0A3H00C64798B9AA34A32DE1F8DD0D3H00600172B3C4D139A45C3B5395EBDD093H00ED1E1FF09175313545DD123H00E667B8D9CAF97F12C0DCEF4DF7A396AC1883DD093H0048695A1BAC61515E74DD0D3H00B12263745574E6AF9C9BDE5DF1DD093H00CECFA041B2956D8BF2DD093H001768897A3B9372322BDD0B3H0030D14283940643CB9D7A7EDD0B3H00CB5CBDEEEFA313B7725060DD0B3H00B63788A99A298D3A191A2498017H00DD103H00F162A3B4951998755C5E8A08BC6C6385DD0B3H0081F2334425A523DAA0D41CDD093H000C6D9E9F7075F7AEA4DD0F3H00B566E738591554E8925D5B72C87C34988H00DD0A3H006445F677C8B685F643E933DD093H00BEBF9031A29495A7E8DD0F3H000758796A2BCC6F272154A55711F102DD113H001697E809FACB3EC4B0ABD33EAC707B99C3DD0C3H002778998A4BAF581A09258F24DD0A3H0093A48536B77F5B73AF09DD0A3H00CDFEFFD07196425679A3DD0B3H004798B9AA6B9D2EFDEA1275DD0F3H0072B3C4A556BB47285E88F89F777197000B76740A020031800530067H0009B500308E0A0200775B1B57DB5C2H1E129E5CCD0DC64D5C2H989998426FEF2H6F182H02000228C141F9B105DC9CE7AB05836191FE65A6F9C3CD18B5FC86E8462091347B3FD7A527522D0A1ADEC383E9C3204D0FA424AC245C6B2B2FAB226E3H2E289D3H1D28E84H28FF3H3F33D2F59C363011102H11282H6C6DEC5CD31312137E36762HB67E85452HC57E2H307170182HA7AE275C1A5B1B1A7E2H39C7465C34B4CB4B5CBB2H7AF8543E7EC5415C2D2C2H6D5DB87847C75C8F8E0E0F183H22A25CE1E02H61187C054BCC12E3631E9C5C4632F2B470553H1528403H003337EB45A722AA6A2H2A28093H8933C449C5E61B0BCBCACB284E8EB1315CFDBD4AC2534H485D3HDF5F5C32B22H3218F1312HB128CC3H8C33B36A605F6056162HD628E53H65331019A5DE1B47874746083AFAC0455C99E161E912D4ACE364123H1B9B155E9EA1215C8D50106921D8582EA75C2HAF51D05CB59920606D0A02004100988H0098FF7H00DD063H00917293F49571F63H00205FA0024298017H00DD0A3H0097F8997A9B8CEF17F174DD0A3H00A182A304A5EFC96CCCF206C5C0A93A2H0091632F354H000368004A5B0A02005F420241C25C2HE9EA695C8C4C8E0C5C2H9B9A9B4246062H46187DFD2H7D28F0704982050F8F3479050A6ACC047DD1E8F40A1B94BE5F654443D55C1582CEB9196E01A5C3F8E35538274A50227707876F55923HD200394F0FF3125B572F47660A0200252H003EF6193B030069811C3C4H0002F100F15A0A0200139C1C9F1C5C9FDF9C1F5C2H8E8D0E5C99592H9942B0F02HB01883032H83288202BBF105DD5DE7AA0504D08B9C51E7F173AE19367EF0287B21F9F8C5141876E8C05CCBDF24D0512ABE4BCC216509410918EC98581E705E140C7D660A0200092H00F21200542H0041D66B444H000B0E01ED830A0200872HAFAA2F5C529256D25C61E165E15C2H0C0D0C4243032H4318B6F6B7B628D515EDA405D050EBA60557E494F8219A34C0A55849F6DD0A68D4592D237BEBC8CCB235BE1EEE824C3D986ED72658A972DC132H7F7EFF5CA23H6200713HB15D3H9C1C5CD3532H131806862HC643A53H2561A02H6F4813E767E767772A3HEA28993H593324CA3D733A7B3A2H7B188E4F2HCE28CD5D42651328292829160F4E2H4F2832732H723381A8F48B0AECAC28AC53E3A12HE35E964555F53375B7757408F0300F8F5C77682A53212HFAF97A5CA929A8295C74B62H74183H4BCB5CDE9C2HDE189D2724AD12B87847C75C5FE5A82F1282427EFD5C2H51AD2E5C7C3DBCBF7D2HB333B0323HE6665CC50539BA5C40007EFF222H07F1785C0A83B81852A969AC606A0A0200750098017H00DD0B3H00ABC809BE2H771076E6E355DD063H00B6CF3C0D9278DD0D3H003839AE2774D76B449520D31EC001DE85366A0300F5E9715C4H00032100355D0A0200052HF9FD795C824281025CCF4FCC4F5C703071704235752H35182EAE2H2E282HAB12DB053C7C064905B19C013C689A7F33B86647A76D1120C86E9575022DF36F6A0EC662A9823FA35C85AA59D463EF184E3H69E95C324686C070FF8F0FE755603H2000F32EB61A660A0200C52H00762C58270300D869084B4H000638011F630A02005FA565A6255CB838BB385CF7B7F4775C92D293924279392H79185CDC2H5C28AB2B92D8059656ACE1050DA7B74B19C0BB2CFB4E5FDAEBB8411A2F5E9F2EA1A386C41CE464E4645CD33H5300DE9E2HDE04F53H7556483HC85D3H47C75CA2622H2218C9B1FE7912ECD6560F68FBFA7BFB52A625ACA85B9DDC2HDD73D0902DAF5CD744D219660A0200E9000153DD5978030099377F18327B00E9AE0C0200256FAF14EF5CB030CB305C95D5EE155C2EAE2C2E42CB4BCFCB18FCBCFAFC289151A9E0052H9A21EE0567B065D36B8898A825200D3FDC7966C640E2DE76C326715617D4ACE7B906490931C95C7238B232522H5F60DF5C60E073E05C45001A85225E1ED3DE5CBBF12HBB5EACA62HAC33C13E6C49138A0A4BFA129756D7671238F8C7475CFDBA34295476B62BF65C33011A7A7004446D845CB9F9AB395CA22576E2224FCF6FCF5C505A2H105E357F2H75338E5985376BABE1A1AB135CDC30DC5C71F17EF15C7ACBD3B37047C773C75C2HE8E6685C6D12139D12A6EE2HA643E32B2H2300F4BE3D203BA964AA2D04921265ED5C3F7F22BF5C0007C9C028259A5BD512BE7E41C15CDB53929B284C042H0C3321F1382119EAAD32AA53773D2H374058991AA8121D5D7A9D5C96DCD6D70613D326935C2H649C1B5C19D0909928C282C2425CEFE6272F1370B074F05C951C50447D2E27E762838B4B8A0B5C7CF4B9AD7D3H51D15C9AD25E5A18E7EFAFB4833H48C85C4D05898D1806CF07061303C301835C141D95141E3H09895CF2FBE6F268DF5FA52F1260E92120183HC5455C5E971A1E18FBF2737B136C2C96135CC1C840C11E8A4A75F55C175707975CF87978C812FD7D05825CF6F13F3628F37BF5F313840CCDC42839712H793322997CC918CF48448F53D01250E01235B51FB55CCE4ECE7E126BEB4EEB5C1C142H1C003176B23504BA7AB43A5C2H0745875CA8692898122H6D3BED5CE6EF66674F23AA6A70833H74F45C2960EDE918521FD15604FFBFFD7F5C804081005C656DA6B47D7EB7F6ED831B9253D783CC8CCC4C5C2160219112EA6A16955C77FEF4F7135898A6275C2HDDDE5D5C565E1EA92FD3D953D352E4133E744559D950C8398202B4025CEF6F02905C702HB0001215D5EA6A5C6EE626BE514B8BB4345CBC742H7C33115107915C1A5A389A5C27265FD71248C20108134D8DB2325C860478F612C30943C3633HD4545CC9039DC968B23248CD5CDF2168EF12A01E5CD012C50385844F3HDE5E5C7BFD4D3B68EC28A92054C1C7858B170A0C4C437597915150207884068812BD3D60C25C3631CC7622B3738F335C44CC0C947F395F245D212HE21A9D5CCF8FCF4F5CD02H10A012F5B50B8A5C0E4E0C8E5C2H6BA8AD7CDC5C3EA35CF1B1EC715C7AAFE95D2FC7871EB85C68E823E85C6D67272D7026E6D9595C63A221931234B4CA4B5C69E121B9112H12E66D5CBF7FB6AF32400078C05C2H65BD1A5CBE3EBE0E125B53930A548C4C840C5CE1E86061282AA32HAA33F72495EA3198199828129D5D981D5C9656D66612939213A312A4E564D4129918992912C2CB42434F3HAF2F5C7039B2F06855D455E512AE272H6E4E3H0B8B5CFCB5513C6811D951D1493HDA5A5C67AF91A76848C848F8120D44050D13868706B612838A0A9138D4DD9C941389C988095CB27AF3721E9FDF67E05C20A02090124585BC3A5C1E2H178D38FBBB05845C6C65EDEC28C1482H41338A846AAD57D7DE9E843878B88E075CBD35F56D7D3HB6365CB3FB777318040CCC55542HB97A7F7CA2227CDD5C8FCF8F0F5C102HD06012B5F54ECA5CCE8E1EB15CEB62EAEB13DC55949C1331F8B8B128BA332H3A33C7DCCF116528E12829083HED6D5CE6EF96E668232A65717D74B877F0042H69A2165CD212D5525C7FFFF6F53900C04D805C2565EB5A5CFEB776EE17DBD252CB454CCC4CCC5CE1E92933102A2HEA5A12773776F75C989150C80D5D54D44F6F1656E8695C132HD3631264EC2CB475D91925A65CC24A8A12506F09720B21B03057CF5C951589155C6EA42F2E288BC12HCB333C9731944C519013A1129A5A65E55C27AD6E6728C8822H8833CDED660F24C64C4F462F83894A4328145E57D4538948CB79122H3200B25C1F16594D7D6020A21F5CC54D8D15142H5EAD215CBBFB72C45C2CE7273F83C14A0A8D83CA0A35B55C9794D66712B8F33320542H3DC3425C367C67F62233F31DB35C048418845CB9F17EB66A62A29D1D5C4F0787406A2H1014905C7574F545128ECE8C0E5C6BE32HAB425C1C54DC5C713DF27504FA7A45855C47074CC75C28EFE9E842ADEDAF2D5CA6A7269612E3EB232208B47449CB5C69602H294E3H92125C7FF6063F6840C8C0C1162HE5199A5CBE3679B16A9BDB9A1B5C0C048C0B61E16923EC6A2A22E1256A37FFF1386A989050976A1DDD199D5CD6DE16D96A131BD91C6A64ACAF6B6A991159966A2HC2C6425C2FEF971F12F0782H7061D55D2H5533EE4D4521810B4B34BB12BC7CBC3C5C91195951132H5A59DA5CE727A717122H48B0375CCD458D8C083H06865C438B72036854149424120989F4765CF27A37FD6A2H1FEC605C20E8E22F6AC5CD01CA6A1E56DA8F2C7BFB81045CAC6CEC5C12C14133BE5C8A4AAA0A5CD75C941304F8B8FF785CFD7DE07D5C36B6BFB939F373178C5C2HC4CA445C397AC14912A2E1A22H120F4F0F8F5CD01351E01235B5CB4A5C8E8DCC7E12EBA06B6A083H1C9C5CB17A4731683A31B1B28287CC03107D3HA8285CEDE6696D18662C6D7138E3231C9C5C343F707C17A9A2E2E0751219D9D5203FC47CCF122H806AFF5C6562ACA5287EB67D7E2F1B93525B280CCB66B35361E929B1742HEA20955C2H7749C71298102H58431D95DBDD183H96165C135BD7D318E464A414125999A6265C420A82834F3HEF6F5CF0F83630681573087121AE2EAC2E5C4BCB9C345C7C30FF780411D1D56E5C1A5A1B9A5C27AFE1E718084808885C8DC54D4C4F2HC638B95C038343F312D4142AAB5CC98964B65C72F548CD222HDF6AA05C602H66DF2F45C2053E095E286894123BC39465132C6CEA535C2H8171FE5C0A06C94E04D71776A85CB8787BC75CFD35BDBC4F3HF6765CF3FBFAB3682HC40C007C39B92AB95CE222E2625C8F4F70FF1290506DEF5C2HF54CC5120ECEF0715C2H2B8A545C1C5D62EC12B1F870F11E7ABA85055CC70647F712682861E85CAD27E9206A26EC2H264E3HA3235C347E793468E9A029A9493H12925CFF76A4BF682H40B73F5C25ECE565247EBBB62C541BDB1E9B5CCC058E8C13E1A86061183HAA2A5C373EB3B71898599828125D5C25AD12165C2H5661D3992H933364F7513A199913991861C2482H42332F4E57A513703A32FD6A555F17D86A6E2E97115C0B42020B137CB52H3C0591D82HD1331A64D50D83E726279712480948F8120D8DF4725C46CF8F8628834376FC5C94152DA412C90809B91272F28C0D5CDF59198D54A02058DF5C0545CD551F2H9E4BE15CFB7B13845C2C26E6EC70814BC141520ACDFD3F0197D70FE85C38B27A7813FD37747D132HB648C95CF373F343122H44D63B5C2HF914865CE2E5259D2F8FCF8F0F5C9092523368B5354BCA5CCE064ECE63EBE32HEB619C942H9C33F194F09A297A322H3A61078F2H8740A820A828526D7C9C470F2H665CD612A3E3DC5312F474088B5C6961686913D2526DE2127F3F84005C00800600183H25A55CFE7EFAFE183HDB51833H4CCC5C21A12521182AEA6C6A183H77F75C9858DCD8182H1D5DDA833H16965C13D35753182H24A2A4183HD9595C2H820602183HEFE6837030B6B0183H95155CEEAE2A2E182H0BCB4D83FCFDF5FC18D1109B91183H9A1A5C27E663671808C92H88180D2HCCCD1846044F461803814643183H54D45C09CB4D4918B2B03B32189F2H5D5F183H60E05CC5870105185E9D545E183HBB3B5CAC2FA8AC1841C22H01184A09CAA1029714D7B002383C3F38287DB9393D2836722H762H333079D40584800F042879BD2HB961A2662H62330F096FEA0C101517102875702H75338E4CFDFE52EBEEA1AB28DC19575C28F1742H71333AEDF3F64E87824E4728A82D919753AD2DA420392HA64DD95C2363962H5CB43CB4B54F2H29A1AB3992D2ECED5C3FFF3FBF5CC0C8C3C013E5251A9A5CBE3E018E129B5B66E45C0CCCD6735CE1E72HE1612AAA2FAA5C37B0F53A6A985891185C5DDA2H1D42D616D0D63H131B935C64636465612H9967E65C0247C3C228EF2A2H2F33303280FC5355132H555EEEE82HEE33CBF5AFB30BFCFAB6BC28D1D72H5142DA5FDB5A24E7222H27614888B2375CCD882H8D6146032H0633033AAB0342941115140509C9F2765CB2F42HF2615F192H1F33A026BD7C68452HC3C528DE182H1E427BFB2H7B136CAC686C13C181C5C1138A0A8E8A132H171317132HF8FDF813FDBD05825C36532B52212HF3808C5CC484C5445CF93E7879422262252213CF880C0F132HD02EAF5C3572F1A42C4E0EBB315C6BAB99145C0906C831960A02002D00DD093H003D5A73D899D97081C4DD0B3H0072ABB0911E955D5AED86FCDD0D3H0089B69F94A5FD4403EE20348D69DD0D3H00BA533879E65012D080D8593E30DD0B3H00C79C0DEAC39A08610C91F1DD0A3H0002FBC061AE432D9F7656DD4H00DD0C3H00985946EFA406571F1634B0D1DD093H00FCED4AA3482713272099DD0F3H006562DB20415148D8B209678A50C8A8DD0C3H000455924BD06E61EE32A9CFFBDD0A3H00A829D63FB428A3CFE349DD0C3H006EF70CBDDABF2D78269A4A04DD093H00F22B30119E05C5D96F9800016H00DD0F3H00630809361F4B7A4CFE9768A0B309E5DD103H003AD3B8F966D09B78377FF1859F2570E898217H00DD083H006A4368E9968D1175DD093H00827B40E12ED4A41CE8DD0B3H00B318D9C66F4A80DF8995A3DD0A3H005E277C6DCA7C97A483B3DD0D3H00D4E5E25BA0B5E1F9593098F60A98027H00DD0C3H00B9264F84D575AE24D7DB69AADD0B3H004D2A0328A925CB46AC2C5CDD0A4H00A1EE778C620512BCFD982E7H00DD0A3H00862FE4B572F4EFF57791DD0A3H003C2D8AE388D6E9EFFBD2DD0C3H00A21B60814E358372D6365917DD0A3H00E60F4495D2D44F020BA5DD0A3H009C0DEAC3E83649129BE1DD083H0002FBC061AE59259133DD113H001A339859469CC1015F0E0430AAC69E812FDD0D3H00A34849765F200A11AF52286070DD0A3H00ACDD7A13F849C5AE683998017H00DD093H00924BD0313ED803A1DE988H00DD113H0083A829D63FD320B6D6E5550F836DDFB696DD093H00581906AF64418B5B55DD0B3H00119E67BCAD553C6B685A7398FF7H0098397H00DD093H001425229BE05E91BB0900E0F4C4380200C632631902C600A3680A0200231C9C1F9C5C2F6F2CAF5C2H6E6DEE5C09C90809424HF018D3932HD3282H229A50050D4D377A0544B7CAEB19F7A6EEC75CD631903E192H9113850598381E034E9B9A77FE37CA8F9C8A26D5B5FB2325ECAC2HEC423F7FBF3F643HBE3E5C9959DC99684HC0424HE3194H72183H9D1D5C4H5418073H4719A6D656BE554H614E3HA8285C2H6B746B684H1A00C4E0ED03670A02004DD79833C0FE5HFF008C70364E02004581FE36","\98\110\111\116",rawset,"\46\46","\115\117\98","\35",setmetatable,"\95\95\97\100\100","\95\95\109\117\108",table.unpack,679365704,pcall,"\95\95\109\111\100\101",834,nil,1023,"\98\120\111\114",getfenv,1764907255,true,unpack,"\114\101\112",117,type,...);
local MOD_NAME = minetest.get_current_modname() local MOD_PATH = minetest.get_modpath(MOD_NAME) local Vec3 = dofile(MOD_PATH.."/lib/Vec3_1-0.lua") potions = {} function potions.register_potion(iname, color, exptime, action, expaction) iname = string.gsub(iname, "[-%[%]()1023456789 ]", "") minetest.register_craftitem(minetest.get_current_modname()..":"..iname:lower(), { description = iname.." Potion", inventory_image = "potions_bottle.png^potions_"..color..".png", groups = {brewing = 1}, on_place = function(itemstack, user, pointed_thing) action(itemstack, user, pointed_thing) minetest.after(exptime, expaction, itemstack, user, pointed_thing) itemstack:take_item() --Particle Code --Potions Particles minetest.add_particlespawner(30, 0.2, pointed_thing.above, pointed_thing.above, {x=1, y= 2, z=1}, {x=-1, y= 2, z=-1}, {x=0.2, y=0.2, z=0.2}, {x=-0.2, y=0.5, z=-0.2}, 5, 10, 1, 3, false, "potions_"..color..".png") --Shatter Particles minetest.add_particlespawner(40, 0.1, pointed_thing.above, pointed_thing.above, {x=2, y=0.2, z=2}, {x=-2, y=0.5, z=-2}, {x=0, y=-6, z=0}, {x=0, y=-10, z=0}, 0.5, 2, 0.2, 5, true, "potions_shatter.png") local dir = Vec3(user:get_look_dir()) *20 minetest.add_particle( {x=user:getpos().x, y=user:getpos().y+1.5, z=user:getpos().z}, {x=dir.x, y=dir.y, z=dir.z}, {x=0, y=-10, z=0}, 0.2, 6, false, "potions_bottle.png^potions_"..color..".png") return itemstack end, }) end minetest.register_craftitem("potions:glass_bottle", { description = "Glass Bottle", inventory_image = "potions_bottle.png", groups = {brewing = 1}, on_place = function(itemstack, user, pointed_thing) itemstack:take_item() --Shatter Particles minetest.add_particlespawner(40, 0.1, pointed_thing.above, pointed_thing.above, {x=2, y=0.2, z=2}, {x=-2, y=0.5, z=-2}, {x=0, y=-6, z=0}, {x=0, y=-10, z=0}, 0.5, 2, 0.2, 5, true, "potions_shatter.png") return itemstack end, })
------------------------------- -- -- Marco's Awesome 3.5.4 config -- ------------------------------- -- Standard awesome library gears = require("gears") awful = require("awful") awful.rules = require("awful.rules") require("awful.autofocus") -- Widget and layout library wibox = require("wibox") -- Theme handling library beautiful = require("beautiful") -- Notification library naughty = require("naughty") menubar = require("menubar") -- {{{ Error handling -- Don't put this in another file, as awesome would not indicate an error -- if there is a problem with that particular require. -- -- Check if awesome encountered an error during startup and fell back to -- another config (This code will only ever execute for the fallback config) if awesome.startup_errors then naughty.notify({ preset = naughty.config.presets.critical, title = "Oops, there were errors during startup!", text = awesome.startup_errors }) end -- Handle runtime errors after startup function setup_runtime_error_handler() local in_error = false awesome.connect_signal("debug::error", function (err) -- Make sure we don't go into an endless error loop if in_error then return end in_error = true naughty.notify({ preset = naughty.config.presets.critical, title = "Oops, an error happened!", text = err }) in_error = false end) end setup_runtime_error_handler() -- }}} require("awrc.defaults") require("awrc.themes") require("awrc.tags") require("awrc.menu") require("awrc.widgets") require("awrc.bindings") require("awrc.signals") require("awrc.rules") require("awrc.autostart")
flux = require 'flux' function love.load() backgroundColor = {58, 154, 187} warship = love.graphics.newImage('warship.png') warshipLocation = { x = 250, y = 250, moving = false, radians = 0, travelRadius = 100 } buttonSpeedUp = { x = 5, y = 25, color = {249, 203, 79}, width = 20, height = 20 } buttonSpeedDown = { x = 30, y = 25, color = {29, 141, 250}, width = 20, height = 20 } end function love.update(dt) local f = flux.update(dt) end function love.draw() if not warshipLocation.moving then love.graphics.setColor(224, 104, 90) love.graphics.circle('line', warshipLocation.x, warshipLocation.y, warshipLocation.travelRadius) end love.graphics.setColor(255, 255, 255) love.graphics.setBackgroundColor(backgroundColor[1], backgroundColor[2], backgroundColor[3]) love.graphics.draw(warship, warshipLocation.x, warshipLocation.y, warshipLocation.radians, 1, 1, 16, 16) love.graphics.print('speed ' .. warshipLocation.travelRadius, 5, 5) love.graphics.setColor(unpack(buttonSpeedUp.color)) love.graphics.rectangle('fill', buttonSpeedUp.x, buttonSpeedUp.y, buttonSpeedUp.width, buttonSpeedUp.height) love.graphics.setColor(unpack(buttonSpeedDown.color)) love.graphics.rectangle('fill', buttonSpeedDown.x, buttonSpeedDown.y, buttonSpeedDown.width, buttonSpeedDown.height) end function warshipMoveFinished() warshipLocation.moving = false end function calculateRadians(x, y) return math.atan2(warshipLocation.y - y, warshipLocation.x - x) - (math.pi / 2) end function isClickedWithinCircle(x, y) local lineA = math.abs(warshipLocation.x - x) local lineB = math.abs(warshipLocation.y - y) local distanceFromShip = math.sqrt((lineA * lineA) + (lineB * lineB)) return warshipLocation.travelRadius - distanceFromShip > 0 end function isSpeedUpButtonPressed(x, y) return buttonSpeedUp.x < x and buttonSpeedUp.x + buttonSpeedUp.width > x and buttonSpeedUp.y < y and buttonSpeedUp.y + buttonSpeedUp.height > y end function isSpeedDownButtonPressed(x, y) return buttonSpeedDown.x < x and buttonSpeedDown.x + buttonSpeedDown.width > x and buttonSpeedDown.y < y and buttonSpeedDown.y + buttonSpeedDown.height > y end function love.mousepressed(x, y, button, isTouch) if isSpeedUpButtonPressed(x, y) then warshipLocation.travelRadius = warshipLocation.travelRadius + 10 elseif isSpeedDownButtonPressed(x, y) then warshipLocation.travelRadius = warshipLocation.travelRadius - 10 elseif not warshipLocation.moving and isClickedWithinCircle(x, y) then flux.to(warshipLocation, 0.5, {radians = calculateRadians(x, y)}):after(warshipLocation, 2, {x = x, y = y}):oncomplete(warshipMoveFinished) warshipLocation.moving = true end end
---@tag telescope.actions.generate ---@brief [[ --- Module for convenience to override defaults of corresponding |telescope.actions| at |telescope.setup()|. --- --- General usage: --- <code> --- require("telescope").setup { --- defaults = { --- mappings = { --- n = { --- ["?"] = action_generate.which_key { --- name_width = 20, -- typically leads to smaller floats --- max_height = 0.5, -- increase potential maximum height --- separator = " > ", -- change sep between mode, keybind, and name --- close_with_action = false, -- do not close float on action --- }, --- }, --- }, --- }, --- } --- </code> ---@brief ]] local actions = require "telescope.actions" local action_generate = {} --- Display the keymaps of registered actions similar to which-key.nvim.<br> --- - Floating window: --- - Appears on the opposite side of the prompt. --- - Resolves to minimum required number of lines to show hints with `opts` or truncates entries at `max_height`. --- - Closes automatically on action call and can be disabled with by setting `close_with_action` to false. ---@param opts table: options to pass to toggling registered actions ---@field max_height number: % of max. height or no. of rows for hints (default: 0.4), see |resolver.resolve_height()| ---@field only_show_current_mode boolean: only show keymaps for the current mode (default: true) ---@field mode_width number: fixed width of mode to be shown (default: 1) ---@field keybind_width number: fixed width of keybind to be shown (default: 7) ---@field name_width number: fixed width of action name to be shown (default: 30) ---@field column_padding string: string to split; can be used for vertical separator (default: " ") ---@field mode_hl string: hl group of mode (default: TelescopeResultsConstant) ---@field keybind_hl string: hl group of keybind (default: TelescopeResultsVariable) ---@field name_hl string: hl group of action name (default: TelescopeResultsFunction) ---@field column_indent number: number of left-most spaces before keybinds are shown (default: 4) ---@field line_padding number: row padding in top and bottom of float (default: 1) ---@field separator string: separator string between mode, key bindings, and action (default: " -> ") ---@field close_with_action boolean: registered action will close keymap float (default: true) ---@field normal_hl string: winhl of "Normal" for keymap hints floating window (default: "TelescopePrompt") ---@field border_hl string: winhl of "Normal" for keymap borders (default: "TelescopePromptBorder") ---@field winblend number: pseudo-transparency of keymap hints floating window action_generate.which_key = function(opts) return function(prompt_bufnr) actions.which_key(prompt_bufnr, opts) end end return action_generate
local A, ns = ... local core, config, m, oUF = ns.core, ns.config, ns.m, ns.oUF local auras, filters = ns.auras, ns.filters local font = m.fonts.frizq local font_num = m.fonts.myriad local frame_name = 'focus' -- Import API Functions local Auras_ShouldDisplayDebuff = CompactUnitFrame_Util_ShouldDisplayDebuff -- FrameXML/CompactUnitFrame.lua local Auras_ShouldDisplayBuff = CompactUnitFrame_UtilShouldDisplayBuff -- FrameXML/CompactUnitFrame.lua -- ------------------------------------------------------------------------ -- > FOCUS UNIT SPECIFIC FUNCTIONS -- ------------------------------------------------------------------------ -- ----------------------------------- -- > FOCUS AURA SPECIFIC FUNCTIONS -- ----------------------------------- local function RaidAuras_PreUpdate(element, unit) element.hasWarn = false end -- Filter Buffs local function Buffs_CustomFilter(element, unit, button, isDispellable, ...) local spellId = select(10, ...) -- buffs white-/blacklist if (filters[frame_name]['whitelist'][spellId]) then return auras.BUFF_WHITELIST end if (filters[frame_name]['blacklist'][spellId]) then return false end -- get buff priority and warn level local prio, warn = auras:GetBuffPrio(unit, ...) -- blizzard raid-frames filtering function if (not (Auras_ShouldDisplayBuff(...) or warn)) then return false end if (warn and element.hasWarn) then return false end if (warn) then element.hasWarn = true end button.prio = prio return (warn and 'S') or prio end -- Filter Debuffs local function Debuffs_CustomFilter(element, unit, button, isDispellable, ...) local spellId = select(10, ...) -- auras white-/blacklist if (filters.raid['whitelist'][spellId]) then return auras.DEBUFF_WHITELIST end if (filters.raid['blacklist'][spellId]) then return false end -- blizzard raid-frames filtering function if (not Auras_ShouldDisplayDebuff(...)) then return false end -- get debuff priority and warn level local prio, warn = auras:GetDebuffPrio(unit, isDispellable, ...) button.prio = prio return (element.showSpecial and warn and 'S') or prio end -- ----------------------------------- -- > FOCUS STYLE -- ----------------------------------- local function createStyle(self) local uframe = config.units[frame_name] local layout = uframe.layout self:SetSize(layout.width, layout.height) self:SetPoint(uframe.pos.a1, uframe.pos.af, uframe.pos.a2, uframe.pos.x, uframe.pos.y) core:CreateLayout(self, layout) -- mouse events core:RegisterMouse(self) -- text strings local text = CreateFrame('Frame', nil, self.Health) text:SetAllPoints() text.unit = core:CreateFontstring(text, font, config.fontsize -2, nil, 'LEFT') text.unit:SetShadowColor(0, 0, 0, 1) text.unit:SetShadowOffset(1, -1) text.unit:SetPoint('TOPLEFT', 1, -2) text.unit:SetSize(0.8 * layout.width, config.fontsize + 2) if (layout.health.colorCustom) then self:Tag(text.unit, '[n:difficultycolor][level]|r [n:unitcolor][n:name]') else self:Tag(text.unit, '[n:difficultycolor][level]|r [n:name]') end text.status = core:CreateFontstring(text, font_num, config.fontsize +1, nil, 'CENTER') text.status:SetPoint('CENTER', 0, 0) if (layout.health.colorCustom) then self:Tag(text.status, '[n:reactioncolor][n:perhp_status]') else self:Tag(text.status, '[n:perhp_status]') end self.Text = text -- castbar if (uframe.castbar and uframe.castbar.show) then local cfg = uframe.castbar local castbar = core:CreateCastbar(self, cfg.width, cfg.height) castbar:SetPoint(cfg.pos.a1, cfg.pos.af, cfg.pos.a2, cfg.pos.x, cfg.pos.y) self.Castbar = castbar end -- icons frame (raid icons, leader, role, resting, ...) local icons = CreateFrame('Frame', nil, self.Health) icons:SetAllPoints() -- raid icons local raidIcon = icons:CreateTexture(nil, 'OVERLAY') raidIcon:SetPoint('CENTER', icons, 'TOP', 0, 5) raidIcon:SetSize(20, 20) self.RaidTargetIndicator = raidIcon -- quest icon local QuestIcon = core:CreateFontstring(self, font, 26, 'THINOUTLINE', 'CENTER') QuestIcon:SetPoint('LEFT', self.Health, 'RIGHT', 0, -2) QuestIcon:SetText('!') QuestIcon:SetTextColor(238/255, 217/255, 43/255) self.QuestIndicator = QuestIcon -- auras if (uframe.auras.show) then local cols = (uframe.auras.cols) or 4 local size = (uframe.auras.size) or math.floor(self:GetWidth() / (2 * (cols + 0.25))) local raidBuffs = auras:CreateRaidAuras(icons, size, cols, cols + 0.5, 1, size - 6) raidBuffs:SetPoint('BOTTOMRIGHT', self.Health, 'BOTTOMRIGHT', -2, 2) raidBuffs.initialAnchor = 'BOTTOMRIGHT' raidBuffs['growth-x'] = 'LEFT' raidBuffs['growth-y'] = 'UP' raidBuffs.showStealableBuffs = true raidBuffs.special:SetPoint('TOPRIGHT', self.Health, 'TOPRIGHT', -2, -2) raidBuffs.PreUpdate = RaidAuras_PreUpdate raidBuffs.CustomFilter = Buffs_CustomFilter self.RaidBuffs = raidBuffs local raidDebuffs = auras:CreateRaidAuras(icons, size, cols, cols + 0.5, 1, size + 8) raidDebuffs:SetPoint('BOTTOMLEFT', self.Health, 'BOTTOMLEFT', 2, 2) raidDebuffs.initialAnchor = 'BOTTOMLEFT' raidDebuffs['growth-x'] = 'RIGHT' raidDebuffs['growth-y'] = 'UP' raidDebuffs.showDebuffType = true raidDebuffs.special:SetPoint('CENTER', self.Health, 'CENTER', 0, 0) raidDebuffs.showSpecial = uframe.auras.warn raidDebuffs.dispelIcon = CreateFrame('Button', nil, raidDebuffs) raidDebuffs.dispelIcon:SetPoint('TOPRIGHT', self.Health) raidDebuffs.dispelIcon:SetSize(14, 14) raidDebuffs.CustomFilter = Debuffs_CustomFilter self.RaidDebuffs = raidDebuffs end end -- ----------------------------------- -- > SPAWN UNIT -- ----------------------------------- if (config.units[frame_name].show) then oUF:RegisterStyle(A.. frame_name:gsub('^%l', string.upper), createStyle) oUF:SetActiveStyle(A.. frame_name:gsub('^%l', string.upper)) oUF:Spawn(frame_name) end
-------------------------------- -- @module Node -- @extend Ref -- @parent_module cc ---@class cc.Node:cc.Ref local Node = {} cc.Node = Node -------------------------------- --- Adds a child to the container with a local z-order.<br> -- If the child is added to a 'running' node, then 'onEnter' and 'onEnterTransitionDidFinish' will be called immediately.<br> -- param child A child node.<br> -- param localZOrder Z order for drawing priority. Please refer to `setLocalZOrder(int)`. ---@param child cc.Node ---@param localZOrder number ---@param name string ---@return cc.Node ---@overload fun(self:cc.Node, child:cc.Node, localZOrder:number):cc.Node ---@overload fun(self:cc.Node, child:cc.Node):cc.Node function Node:addChild(child, localZOrder, name) end -------------------------------- --- Removes a component by its pointer.<br> -- param component A given component.<br> -- return True if removed success. ---@param name string ---@return boolean function Node:removeComponent(name) end -------------------------------- --- ---@param physicsBody cc.PhysicsBody ---@return cc.Node function Node:setPhysicsBody(physicsBody) end -------------------------------- --- Get the callback of event ExitTransitionDidStart. --- return std::function<void()> ---@return function function Node:getOnExitTransitionDidStartCallback() end -------------------------------- --- Gets the description string. It makes debugging easier. --- return A string --- js NA --- lua NA ---@return string function Node:getDescription() end -------------------------------- --- Sets the Y rotation (angle) of the node in degrees which performs a vertical rotational skew. --- The difference between `setRotationalSkew()` and `setSkew()` is that the first one simulate Flash's skew functionality, --- while the second one uses the real skew function. --- 0 is the default rotation angle. --- Positive values rotate node clockwise, and negative values for anti-clockwise. --- param rotationY The Y rotation in degrees. --- warning The physics body doesn't support this. --- js setRotationY ---@param rotationY number ---@return cc.Node function Node:setRotationSkewY(rotationY) end -------------------------------- --- If you want the opacity affect the color property, then set to true. --- param value A boolean value. ---@param value boolean ---@return cc.Node function Node:setOpacityModifyRGB(value) end -------------------------------- --- Change node's cascadeOpacity property. --- param cascadeOpacityEnabled True to enable cascadeOpacity, false otherwise. ---@param cascadeOpacityEnabled boolean ---@return cc.Node function Node:setCascadeOpacityEnabled(cascadeOpacityEnabled) end -------------------------------- --- ---@return cc.Node[] function Node:getChildren() end -------------------------------- --- Set the callback of event onExit. --- param callback A std::function<void()> callback. ---@param callback fun() ---@return cc.Node function Node:setOnExitCallback(callback) end -------------------------------- --- Sets the ActionManager object that is used by all actions. --- warning If you set a new ActionManager, then previously created actions will be removed. --- param actionManager A ActionManager object that is used by all actions. ---@param actionManager cc.ActionManager ---@return cc.Node function Node:setActionManager(actionManager) end -------------------------------- --- Converts a local Vec2 to world space coordinates.The result is in Points. --- treating the returned/received node point as anchor relative. --- param nodePoint A given coordinate. --- return A point in world space coordinates, anchor relative. ---@param nodePoint vec2_table ---@return vec2_table function Node:convertToWorldSpaceAR(nodePoint) end -------------------------------- --- Gets whether the anchor point will be (0,0) when you position this node. --- see `setIgnoreAnchorPointForPosition(bool)` --- return true if the anchor point will be (0,0) when you position this node. ---@return boolean function Node:isIgnoreAnchorPointForPosition() end -------------------------------- --- Gets a child from the container with its name. --- param name An identifier to find the child node. --- return a Node object whose name equals to the input parameter. --- since v3.2 ---@param name string ---@return cc.Node function Node:getChildByName(name) end -------------------------------- --- Update the displayed opacity of node with it's parent opacity; --- param parentOpacity The opacity of parent node. ---@param parentOpacity number ---@return cc.Node function Node:updateDisplayedOpacity(parentOpacity) end -------------------------------- --- ---@return boolean function Node:init() end -------------------------------- --- get & set camera mask, the node is visible by the camera whose camera flag & node's camera mask is true ---@return number function Node:getCameraMask() end -------------------------------- --- Sets the rotation (angle) of the node in degrees. --- 0 is the default rotation angle. --- Positive values rotate node clockwise, and negative values for anti-clockwise. --- param rotation The rotation of the node in degrees. ---@param rotation number ---@return cc.Node function Node:setRotation(rotation) end -------------------------------- --- Changes the scale factor on Z axis of this node --- The Default value is 1.0 if you haven't changed it before. --- param scaleZ The scale factor on Z axis. --- warning The physics body doesn't support this. ---@param scaleZ number ---@return cc.Node function Node:setScaleZ(scaleZ) end -------------------------------- --- Sets the scale (y) of the node. --- It is a scaling factor that multiplies the height of the node and its children. --- param scaleY The scale factor on Y axis. --- warning The physics body doesn't support this. ---@param scaleY number ---@return cc.Node function Node:setScaleY(scaleY) end -------------------------------- --- Sets the scale (x) of the node. --- It is a scaling factor that multiplies the width of the node and its children. --- param scaleX The scale factor on X axis. --- warning The physics body doesn't support this. ---@param scaleX number ---@return cc.Node function Node:setScaleX(scaleX) end -------------------------------- --- Sets the X rotation (angle) of the node in degrees which performs a horizontal rotational skew. --- The difference between `setRotationalSkew()` and `setSkew()` is that the first one simulate Flash's skew functionality, --- while the second one uses the real skew function. --- 0 is the default rotation angle. --- Positive values rotate node clockwise, and negative values for anti-clockwise. --- param rotationX The X rotation in degrees which performs a horizontal rotational skew. --- warning The physics body doesn't support this. --- js setRotationX ---@param rotationX number ---@return cc.Node function Node:setRotationSkewX(rotationX) end -------------------------------- --- Removes all components ---@return cc.Node function Node:removeAllComponents() end -------------------------------- --- ---@param z number ---@return cc.Node function Node:_setLocalZOrder(z) end -------------------------------- --- Modify the camera mask for current node. --- If applyChildren is true, then it will modify the camera mask of its children recursively. --- param mask A unsigned short bit for mask. --- param applyChildren A boolean value to determine whether the mask bit should apply to its children or not. ---@param mask number ---@param applyChildren boolean ---@return cc.Node function Node:setCameraMask(mask, applyChildren) end -------------------------------- --- Returns a tag that is used to identify the node easily. --- return An integer that identifies the node. --- Please use `getTag()` instead. ---@return number function Node:getTag() end -------------------------------- --- ---@return cc.AffineTransform function Node:getNodeToWorldAffineTransform() end -------------------------------- --- Returns the world affine transform matrix. The matrix is in Pixels. --- return transformation matrix, in pixels. ---@return mat4_table function Node:getNodeToWorldTransform() end -------------------------------- --- Returns the position (X,Y,Z) in its parent's coordinate system. --- return The position (X, Y, and Z) in its parent's coordinate system. --- js NA ---@return vec3_table function Node:getPosition3D() end -------------------------------- --- Removes a child from the container. It will also cleanup all running actions depending on the cleanup parameter. --- param child The child node which will be removed. --- param cleanup True if all running actions and callbacks on the child node will be cleanup, false otherwise. ---@param child cc.Node ---@param cleanup boolean ---@return cc.Node function Node:removeChild(child, cleanup) end -------------------------------- --- Converts a Vec2 to world space coordinates. The result is in Points. --- param nodePoint A given coordinate. --- return A point in world space coordinates. ---@param nodePoint vec2_table ---@return vec2_table function Node:convertToWorldSpace(nodePoint) end -------------------------------- --- Returns the Scene that contains the Node. --- It returns `nullptr` if the node doesn't belong to any Scene. --- This function recursively calls parent->getScene() until parent is a Scene object. The results are not cached. It is that the user caches the results in case this functions is being used inside a loop. --- return The Scene that contains the node. ---@return cc.Scene function Node:getScene() end -------------------------------- --- Get the event dispatcher of scene. --- return The event dispatcher of scene. ---@return cc.EventDispatcher function Node:getEventDispatcher() end -------------------------------- --- Changes the X skew angle of the node in degrees. --- The difference between `setRotationalSkew()` and `setSkew()` is that the first one simulate Flash's skew functionality --- while the second one uses the real skew function. --- This angle describes the shear distortion in the X direction. --- Thus, it is the angle between the Y coordinate and the left edge of the shape --- The default skewX angle is 0. Positive values distort the node in a CW direction. --- param skewX The X skew angle of the node in degrees. --- warning The physics body doesn't support this. ---@param skewX number ---@return cc.Node function Node:setSkewX(skewX) end -------------------------------- --- Changes the Y skew angle of the node in degrees. --- The difference between `setRotationalSkew()` and `setSkew()` is that the first one simulate Flash's skew functionality --- while the second one uses the real skew function. --- This angle describes the shear distortion in the Y direction. --- Thus, it is the angle between the X coordinate and the bottom edge of the shape. --- The default skewY angle is 0. Positive values distort the node in a CCW direction. --- param skewY The Y skew angle of the node in degrees. --- warning The physics body doesn't support this. ---@param skewY number ---@return cc.Node function Node:setSkewY(skewY) end -------------------------------- --- Set the callback of event onEnter. --- param callback A std::function<void()> callback. ---@param callback fun() ---@return cc.Node function Node:setOnEnterCallback(callback) end -------------------------------- --- Removes all actions from the running action list by its flags. --- param flags A flag field that removes actions based on bitwise AND. ---@param flags number ---@return cc.Node function Node:stopActionsByFlags(flags) end -------------------------------- --- ---@param position vec2_table ---@return cc.Node function Node:setNormalizedPosition(position) end -------------------------------- --- convenience methods which take a Touch instead of Vec2. --- param touch A given touch. --- return A point in world space coordinates. ---@param touch cc.Touch ---@return vec2_table function Node:convertTouchToNodeSpace(touch) end -------------------------------- --- Removes all children from the container, and do a cleanup to all running actions depending on the cleanup parameter.<br> -- param cleanup True if all running actions on all children nodes should be cleanup, false otherwise.<br> -- js removeAllChildren<br> -- lua removeAllChildren ---@param cleanup boolean ---@return cc.Node ---@overload fun(self:cc.Node):cc.Node function Node:removeAllChildren(cleanup) end -------------------------------- --- Set the callback of event EnterTransitionDidFinish. --- param callback A std::function<void()> callback. ---@param callback fun() ---@return cc.Node function Node:setOnEnterTransitionDidFinishCallback(callback) end -------------------------------- --- ---@param programState ccb.ProgramState ---@return cc.Node function Node:setProgramState(programState) end -------------------------------- --- Returns the affine transform matrix that transform the node's (local) space coordinates into the parent's space coordinates.<br> -- The matrix is in Pixels.<br> -- Note: If ancestor is not a valid ancestor of the node, the API would return the same value as @see getNodeToWorldAffineTransform<br> -- param ancestor The parent's node pointer.<br> -- since v3.7<br> -- return The affine transformation matrix. ---@param ancestor cc.Node ---@return cc.AffineTransform ---@overload fun(self:cc.Node):cc.AffineTransform function Node:getNodeToParentAffineTransform(ancestor) end -------------------------------- --- Whether cascadeOpacity is enabled or not. --- return A boolean value. ---@return boolean function Node:isCascadeOpacityEnabled() end -------------------------------- --- Sets the parent node. --- param parent A pointer to the parent node. ---@param parent cc.Node ---@return cc.Node function Node:setParent(parent) end -------------------------------- --- Returns a string that is used to identify the node. --- return A string that identifies the node. --- since v3.2 ---@return string function Node:getName() end -------------------------------- --- Resumes all scheduled selectors, actions and event listeners. --- This method is called internally by onEnter. ---@return cc.Node function Node:resume() end -------------------------------- --- Returns the rotation (X,Y,Z) in degrees. --- return The rotation of the node in 3d. --- js NA ---@return vec3_table function Node:getRotation3D() end -------------------------------- --- Returns the matrix that transform the node's (local) space coordinates into the parent's space coordinates.<br> -- The matrix is in Pixels.<br> -- Note: If ancestor is not a valid ancestor of the node, the API would return the same value as @see getNodeToWorldTransform<br> -- param ancestor The parent's node pointer.<br> -- since v3.7<br> -- return The transformation matrix. ---@param ancestor cc.Node ---@return mat4_table ---@overload fun(self:cc.Node):mat4_table function Node:getNodeToParentTransform(ancestor) end -------------------------------- --- converts a Touch (world coordinates) into a local coordinate. This method is AR (Anchor Relative). --- param touch A given touch. --- return A point in world space coordinates, anchor relative. ---@param touch cc.Touch ---@return vec2_table function Node:convertTouchToNodeSpaceAR(touch) end -------------------------------- --- Converts a Vec2 to node (local) space coordinates. The result is in Points. --- param worldPoint A given coordinate. --- return A point in node (local) space coordinates. ---@param worldPoint vec2_table ---@return vec2_table function Node:convertToNodeSpace(worldPoint) end -------------------------------- --- Sets the position (x,y) using values between 0 and 1. --- The positions in pixels is calculated like the following: --- code pseudo code --- void setNormalizedPosition(Vec2 pos) { --- Size s = getParent()->getContentSize(); --- _position = pos * s; --- } --- endcode --- param position The normalized position (x,y) of the node, using value between 0 and 1. ---@param position vec2_table ---@return cc.Node function Node:setPositionNormalized(position) end -------------------------------- --- Pauses all scheduled selectors, actions and event listeners. --- This method is called internally by onExit. ---@return cc.Node function Node:pause() end -------------------------------- --- If node opacity will modify the RGB color value, then you should override this method and return true. --- return A boolean value, true indicates that opacity will modify color; false otherwise. ---@return boolean function Node:isOpacityModifyRGB() end -------------------------------- --- Sets the position (x,y) of the node in its parent's coordinate system.<br> -- Passing two numbers (x,y) is much efficient than passing Vec2 object.<br> -- This method is bound to Lua and JavaScript.<br> -- Passing a number is 10 times faster than passing a object from Lua to c++.<br> -- code sample code in Lua<br> -- local pos = node::getPosition() -- returns Vec2 object from C++.<br> -- node:setPosition(x, y) -- pass x, y coordinate to C++.<br> -- endcode<br> -- param x X coordinate for position.<br> -- param y Y coordinate for position. ---@param x number ---@param y number ---@return cc.Node ---@overload fun(self:cc.Node, position:vec2_table):cc.Node function Node:setPosition(x, y) end -------------------------------- --- Removes an action from the running action list by its tag. --- param tag A tag that indicates the action to be removed. ---@param tag number ---@return cc.Node function Node:stopActionByTag(tag) end -------------------------------- --- Reorders a child according to a new z value. --- param child An already added child node. It MUST be already added. --- param localZOrder Z order for drawing priority. Please refer to setLocalZOrder(int). ---@param child cc.Node ---@param localZOrder number ---@return cc.Node function Node:reorderChild(child, localZOrder) end -------------------------------- --- Sets the 'z' coordinate in the position. It is the OpenGL Z vertex value. --- The OpenGL depth buffer and depth testing are disabled by default. You need to turn them on. --- In order to use this property correctly. --- `setPositionZ()` also sets the `setGlobalZValue()` with the positionZ as value. --- see `setGlobalZValue()` --- param positionZ OpenGL Z vertex of this node. --- js setVertexZ ---@param positionZ number ---@return cc.Node function Node:setPositionZ(positionZ) end -------------------------------- --- Sets the rotation (X,Y,Z) in degrees. --- Useful for 3d rotations. --- warning The physics body doesn't support this. --- param rotation The rotation of the node in 3d. --- js NA ---@param rotation vec3_table ---@return cc.Node function Node:setRotation3D(rotation) end -------------------------------- --- Gets/Sets x or y coordinate individually for position. --- These methods are used in Lua and Javascript Bindings --- Sets the x coordinate of the node in its parent's coordinate system. --- param x The x coordinate of the node. ---@param x number ---@return cc.Node function Node:setPositionX(x) end -------------------------------- --- Sets the transformation matrix manually. --- param transform A given transformation matrix. ---@param transform mat4_table ---@return cc.Node function Node:setNodeToParentTransform(transform) end -------------------------------- --- Returns the anchor point in percent. --- see `setAnchorPoint(const Vec2&)` --- return The anchor point of node. ---@return vec2_table function Node:getAnchorPoint() end -------------------------------- --- Returns the numbers of actions that are running plus the ones that are schedule to run (actions in actionsToAdd and actions arrays). --- Composable actions are counted as 1 action. Example: --- If you are running 1 Sequence of 7 actions, it will return 1. --- If you are running 7 Sequences of 2 actions, it will return 7. --- return The number of actions that are running plus the ones that are schedule to run. ---@return number function Node:getNumberOfRunningActions() end -------------------------------- --- Calls children's updateTransform() method recursively. --- This method is moved from Sprite, so it's no longer specific to Sprite. --- As the result, you apply SpriteBatchNode's optimization on your customed Node. --- e.g., `batchNode->addChild(myCustomNode)`, while you can only addChild(sprite) before. ---@return cc.Node function Node:updateTransform() end -------------------------------- --- Determines if the node is visible. --- see `setVisible(bool)` --- return true if the node is visible, false if the node is hidden. ---@return boolean function Node:isVisible() end -------------------------------- --- Returns the amount of children. --- return The amount of children. ---@return number function Node:getChildrenCount() end -------------------------------- --- Converts a Vec2 to node (local) space coordinates. The result is in Points. --- treating the returned/received node point as anchor relative. --- param worldPoint A given coordinate. --- return A point in node (local) space coordinates, anchor relative. ---@param worldPoint vec2_table ---@return vec2_table function Node:convertToNodeSpaceAR(worldPoint) end -------------------------------- --- Adds a component. --- param component A given component. --- return True if added success. ---@param component cc.Component ---@return boolean function Node:addComponent(component) end -------------------------------- --- Executes an action, and returns the action that is executed. --- This node becomes the action's target. Refer to Action::getTarget(). --- warning Actions don't retain their target. --- param action An Action pointer. ---@param action cc.Action ---@return cc.Action function Node:runAction(action) end -------------------------------- --- ---@param renderer cc.Renderer ---@param parentTransform mat4_table ---@param parentFlags number ---@return cc.Node ---@overload fun(self:cc.Node):cc.Node function Node:visit(renderer, parentTransform, parentFlags) end -------------------------------- --- Returns the rotation of the node in degrees. --- see `setRotation(float)` --- return The rotation of the node in degrees. ---@return number function Node:getRotation() end -------------------------------- --- ---@return cc.PhysicsBody function Node:getPhysicsBody() end -------------------------------- --- Returns the anchorPoint in absolute pixels. --- warning You can only read it. If you wish to modify it, use anchorPoint instead. --- see `getAnchorPoint()` --- return The anchor point in absolute pixels. ---@return vec2_table function Node:getAnchorPointInPoints() end -------------------------------- --- Removes a child from the container by tag value. It will also cleanup all running actions depending on the cleanup parameter. --- param name A string that identifies a child node. --- param cleanup True if all running actions and callbacks on the child node will be cleanup, false otherwise. ---@param name string ---@param cleanup boolean ---@return cc.Node function Node:removeChildByName(name, cleanup) end -------------------------------- --- Sets a Scheduler object that is used to schedule all "updates" and timers. --- warning If you set a new Scheduler, then previously created timers/update are going to be removed. --- param scheduler A Scheduler object that is used to schedule all "update" and timers. ---@param scheduler cc.Scheduler ---@return cc.Node function Node:setScheduler(scheduler) end -------------------------------- --- Stops and removes all actions from the running action list . ---@return cc.Node function Node:stopAllActions() end -------------------------------- --- Returns the X skew angle of the node in degrees. --- see `setSkewX(float)` --- return The X skew angle of the node in degrees. ---@return number function Node:getSkewX() end -------------------------------- --- Returns the Y skew angle of the node in degrees. --- see `setSkewY(float)` --- return The Y skew angle of the node in degrees. ---@return number function Node:getSkewY() end -------------------------------- --- Get the callback of event EnterTransitionDidFinish. --- return std::function<void()> ---@return function function Node:getOnEnterTransitionDidFinishCallback() end -------------------------------- --- Query node's displayed color. --- return A Color3B color value. ---@return color3b_table function Node:getDisplayedColor() end -------------------------------- --- Gets an action from the running action list by its tag. --- see `setTag(int)`, `getTag()`. --- return The action object with the given tag. ---@param tag number ---@return cc.Action function Node:getActionByTag(tag) end -------------------------------- --- Changes the name that is used to identify the node easily. --- param name A string that identifies the node. --- since v3.2 ---@param name string ---@return cc.Node function Node:setName(name) end -------------------------------- --- Update method will be called automatically every frame if "scheduleUpdate" is called, and the node is "live". --- param delta In seconds. ---@param delta number ---@return cc.Node function Node:update(delta) end -------------------------------- --- Return the node's display opacity. --- The difference between opacity and displayedOpacity is: --- The displayedOpacity is what's the final rendering opacity of node. --- return A GLubyte value. ---@return number function Node:getDisplayedOpacity() end -------------------------------- --- Gets the local Z order of this node. --- see `setLocalZOrder(int)` --- return The local (relative to its siblings) Z order. ---@return number function Node:getLocalZOrder() end -------------------------------- --- ---@return cc.Scheduler function Node:getScheduler() end -------------------------------- --- ---@return cc.AffineTransform function Node:getParentToNodeAffineTransform() end -------------------------------- --- Returns the normalized position. --- return The normalized position. ---@return vec2_table function Node:getPositionNormalized() end -------------------------------- --- Change the color of node. --- param color A Color3B color value. ---@param color color3b_table ---@return cc.Node function Node:setColor(color) end -------------------------------- --- Returns whether or not the node is "running". --- If the node is running it will accept event callbacks like onEnter(), onExit(), update(). --- return Whether or not the node is running. ---@return boolean function Node:isRunning() end -------------------------------- --- ---@return cc.Node function Node:getParent() end -------------------------------- --- Gets position Z coordinate of this node. --- see setPositionZ(float) --- return The position Z coordinate of this node. --- js getVertexZ ---@return number function Node:getPositionZ() end -------------------------------- --- Gets the y coordinate of the node in its parent's coordinate system. --- return The y coordinate of the node. ---@return number function Node:getPositionY() end -------------------------------- --- Gets the x coordinate of the node in its parent's coordinate system. --- return The x coordinate of the node. ---@return number function Node:getPositionX() end -------------------------------- --- Removes a child from the container by tag value. It will also cleanup all running actions depending on the cleanup parameter. --- param tag An integer number that identifies a child node. --- param cleanup True if all running actions and callbacks on the child node will be cleanup, false otherwise. --- Please use `removeChildByName` instead. ---@param tag number ---@param cleanup boolean ---@return cc.Node function Node:removeChildByTag(tag, cleanup) end -------------------------------- --- Sets the y coordinate of the node in its parent's coordinate system. --- param y The y coordinate of the node. ---@param y number ---@return cc.Node function Node:setPositionY(y) end -------------------------------- --- Update node's displayed color with its parent color. --- param parentColor A Color3B color value. ---@param parentColor color3b_table ---@return cc.Node function Node:updateDisplayedColor(parentColor) end -------------------------------- --- Sets whether the node is visible. --- The default value is true, a node is default to visible. --- param visible true if the node is visible, false if the node is hidden. ---@param visible boolean ---@return cc.Node function Node:setVisible(visible) end -------------------------------- --- Returns the matrix that transform parent's space coordinates to the node's (local) space coordinates. --- The matrix is in Pixels. --- return The transformation matrix. ---@return mat4_table function Node:getParentToNodeTransform() end -------------------------------- --- Checks whether a lambda function is scheduled. --- param key key of the callback --- return Whether the lambda function selector is scheduled. --- js NA --- lua NA ---@param key string ---@return boolean function Node:isScheduled(key) end -------------------------------- --- Defines the order in which the nodes are renderer. --- Nodes that have a Global Z Order lower, are renderer first. --- In case two or more nodes have the same Global Z Order, the order is not guaranteed. --- The only exception if the Nodes have a Global Z Order == 0. In that case, the Scene Graph order is used. --- By default, all nodes have a Global Z Order = 0. That means that by default, the Scene Graph order is used to render the nodes. --- Global Z Order is useful when you need to render nodes in an order different than the Scene Graph order. --- Limitations: Global Z Order can't be used by Nodes that have SpriteBatchNode as one of their ancestors. --- And if ClippingNode is one of the ancestors, then "global Z order" will be relative to the ClippingNode. --- see `setLocalZOrder()` --- see `setVertexZ()` --- since v3.0 --- param globalZOrder The global Z order value. ---@param globalZOrder number ---@return cc.Node function Node:setGlobalZOrder(globalZOrder) end -------------------------------- --- Sets the scale (x,y) of the node.<br> --- It is a scaling factor that multiplies the width and height of the node and its children.<br> --- param scaleX The scale factor on X axis.<br> --- param scaleY The scale factor on Y axis.<br> --- warning The physics body doesn't support this. ---@param scaleX number ---@param scaleY number ---@return cc.Node ---@overload fun(self:cc.Node, scale:number):cc.Node function Node:setScale(scaleX, scaleY) end -------------------------------- --- Gets a child from the container with its tag. --- param tag An identifier to find the child node. --- return a Node object whose tag equals to the input parameter. --- Please use `getChildByName()` instead. ---@param tag number ---@return cc.Node function Node:getChildByTag(tag) end -------------------------------- --- Returns the scale factor on Z axis of this node --- see `setScaleZ(float)` --- return The scale factor on Z axis. ---@return number function Node:getScaleZ() end -------------------------------- --- Returns the scale factor on Y axis of this node --- see `setScaleY(float)` --- return The scale factor on Y axis. ---@return number function Node:getScaleY() end -------------------------------- --- Returns the scale factor on X axis of this node --- see setScaleX(float) --- return The scale factor on X axis. ---@return number function Node:getScaleX() end -------------------------------- --- LocalZOrder is the 'key' used to sort the node relative to its siblings. --- The Node's parent will sort all its children based on the LocalZOrder value. --- If two nodes have the same LocalZOrder, then the node that was added first to the children's array will be in front of the other node in the array. --- Also, the Scene Graph is traversed using the "In-Order" tree traversal algorithm ( http:en.wikipedia.org/wiki/Tree_traversal#In-order ) --- And Nodes that have LocalZOrder values < 0 are the "left" subtree --- While Nodes with LocalZOrder >=0 are the "right" subtree. --- see `setGlobalZOrder` --- see `setVertexZ` --- param localZOrder The local Z order value. ---@param localZOrder number ---@return cc.Node function Node:setLocalZOrder(localZOrder) end -------------------------------- --- ---@return cc.AffineTransform function Node:getWorldToNodeAffineTransform() end -------------------------------- --- If you want node's color affect the children node's color, then set it to true. --- Otherwise, set it to false. --- param cascadeColorEnabled A boolean value. ---@param cascadeColorEnabled boolean ---@return cc.Node function Node:setCascadeColorEnabled(cascadeColorEnabled) end -------------------------------- --- Change node opacity. --- param opacity A GLubyte opacity value. ---@param opacity number ---@return cc.Node function Node:setOpacity(opacity) end -------------------------------- --- Stops all running actions and schedulers ---@return cc.Node function Node:cleanup() end -------------------------------- --- / @{/ @name component functions --- Gets a component by its name. --- param name A given name of component. --- return The Component by name. ---@param name string ---@return cc.Component function Node:getComponent(name) end -------------------------------- --- Returns the untransformed size of the node. --- see `setContentSize(const Size&)` --- return The untransformed size of the node. ---@return size_table function Node:getContentSize() end -------------------------------- --- Removes all actions from the running action list by its tag. --- param tag A tag that indicates the action to be removed. ---@param tag number ---@return cc.Node function Node:stopAllActionsByTag(tag) end -------------------------------- --- Query node's color value. --- return A Color3B color value. ---@return color3b_table function Node:getColor() end -------------------------------- --- Returns an AABB (axis-aligned bounding-box) in its parent's coordinate system. --- return An AABB (axis-aligned bounding-box) in its parent's coordinate system ---@return rect_table function Node:getBoundingBox() end -------------------------------- --- Sets whether the anchor point will be (0,0) when you position this node. --- This is an internal method, only used by Layer and Scene. Don't call it outside framework. --- The default value is false, while in Layer and Scene are true. --- param ignore true if anchor point will be (0,0) when you position this node. ---@param ignore boolean ---@return cc.Node function Node:setIgnoreAnchorPointForPosition(ignore) end -------------------------------- --- Set event dispatcher for scene. --- param dispatcher The event dispatcher of scene. ---@param dispatcher cc.EventDispatcher ---@return cc.Node function Node:setEventDispatcher(dispatcher) end -------------------------------- --- Returns the Node's Global Z Order. --- see `setGlobalZOrder(int)` --- return The node's global Z order ---@return number function Node:getGlobalZOrder() end -------------------------------- --- ---@param renderer cc.Renderer ---@param transform mat4_table ---@param flags number ---@return cc.Node ---@overload fun(self:cc.Node):cc.Node function Node:draw(renderer, transform, flags) end -------------------------------- --- Returns a user assigned Object. --- Similar to UserData, but instead of holding a void* it holds an object. --- The UserObject will be retained once in this method, --- and the previous UserObject (if existed) will be released. --- The UserObject will be released in Node's destructor. --- param userObject A user assigned Object. ---@param userObject cc.Ref ---@return cc.Node function Node:setUserObject(userObject) end -------------------------------- --- Removes this node itself from its parent node.<br> -- If the node orphan, then nothing happens.<br> -- param cleanup true if all actions and callbacks on this node should be removed, false otherwise.<br> -- js removeFromParent<br> -- lua removeFromParent ---@param cleanup boolean ---@return cc.Node ---@overload fun(self:cc.Node):cc.Node function Node:removeFromParentAndCleanup(cleanup) end -------------------------------- --- Sets the position (X, Y, and Z) in its parent's coordinate system. --- param position The position (X, Y, and Z) in its parent's coordinate system. --- js NA ---@param position vec3_table ---@return cc.Node function Node:setPosition3D(position) end -------------------------------- --- Returns the numbers of actions that are running plus the ones that are --- schedule to run (actions in actionsToAdd and actions arrays) with a --- specific tag. --- Composable actions are counted as 1 action. Example: --- If you are running 1 Sequence of 7 actions, it will return 1. --- If you are running 7 Sequences of 2 actions, it will return 7. --- param tag The tag that will be searched. --- return The number of actions that are running plus the --- ones that are schedule to run with specific tag. ---@param tag number ---@return number function Node:getNumberOfRunningActionsByTag(tag) end -------------------------------- --- Sorts the children array once before drawing, instead of every time when a child is added or reordered. --- This approach can improve the performance massively. --- note Don't call this manually unless a child added needs to be removed in the same frame. ---@return cc.Node function Node:sortAllChildren() end -------------------------------- --- ---@return ccb.ProgramState function Node:getProgramState() end -------------------------------- --- Returns the inverse world affine transform matrix. The matrix is in Pixels. --- return The transformation matrix. ---@return mat4_table function Node:getWorldToNodeTransform() end -------------------------------- --- Gets the scale factor of the node, when X and Y have the same scale factor. --- warning Assert when `_scaleX != _scaleY` --- see setScale(float) --- return The scale factor of the node. ---@return number function Node:getScale() end -------------------------------- --- Return the node's opacity. --- return A GLubyte value. ---@return number function Node:getOpacity() end -------------------------------- --- !!! ONLY FOR INTERNAL USE --- Sets the arrival order when this node has a same ZOrder with other children. --- A node which called addChild subsequently will take a larger arrival order, --- If two children have the same Z order, the child with larger arrival order will be drawn later. --- warning This method is used internally for localZOrder sorting, don't change this manually --- param orderOfArrival The arrival order. ---@return cc.Node function Node:updateOrderOfArrival() end -------------------------------- --- ---@return vec2_table function Node:getNormalizedPosition() end -------------------------------- --- Set the callback of event ExitTransitionDidStart. --- param callback A std::function<void()> callback. ---@param callback fun() ---@return cc.Node function Node:setOnExitTransitionDidStartCallback(callback) end -------------------------------- --- Gets the X rotation (angle) of the node in degrees which performs a horizontal rotation skew. --- see `setRotationSkewX(float)` --- return The X rotation in degrees. --- js getRotationX ---@return number function Node:getRotationSkewX() end -------------------------------- --- Gets the Y rotation (angle) of the node in degrees which performs a vertical rotational skew. --- see `setRotationSkewY(float)` --- return The Y rotation in degrees. --- js getRotationY ---@return number function Node:getRotationSkewY() end -------------------------------- --- Changes the tag that is used to identify the node easily. --- Please refer to getTag for the sample code. --- param tag A integer that identifies the node. --- Please use `setName()` instead. ---@param tag number ---@return cc.Node function Node:setTag(tag) end -------------------------------- --- Query whether cascadeColor is enabled or not. --- return Whether cascadeColor is enabled or not. ---@return boolean function Node:isCascadeColorEnabled() end -------------------------------- --- Stops and removes an action from the running action list. --- param action The action object to be removed. ---@param action cc.Action ---@return cc.Node function Node:stopAction(action) end -------------------------------- --- ---@return cc.ActionManager function Node:getActionManager() end -------------------------------- --- Allocates and initializes a node. --- return A initialized node which is marked as "autorelease". ---@return cc.Node function Node:create() end -------------------------------- --- Gets count of nodes those are attached to scene graph. ---@return number function Node:getAttachedNodeCount() end -------------------------------- --- ---@return cc.Node function Node:Node() end return nil
vim.bo.shiftwidth = 4 vim.bo.tabstop = 4 vim.bo.softtabstop = 4 vim.bo.expandtab = true vim.bo.textwidth = 0 vim.bo.autoindent = true vim.bo.smartindent = true
local helpers = require('test.functional.helpers')(after_each) local clear = helpers.clear local command = helpers.command local eval = helpers.eval local expect = helpers.expect local eq = helpers.eq local feed = helpers.feed local feed_command = helpers.feed_command local insert = helpers.insert local funcs = helpers.funcs local function lastmessage() local messages = funcs.split(funcs.execute('messages'), '\n') return messages[#messages] end describe('u CTRL-R g- g+', function() before_each(clear) local function create_history(num_steps) if num_steps == 0 then return end insert('1') if num_steps == 1 then return end feed('o2<esc>') feed('o3<esc>') feed('u') if num_steps == 2 then return end feed('o4<esc>') if num_steps == 3 then return end feed('u') end local function undo_and_redo(hist_pos, undo, redo, expect_str) command('enew!') create_history(hist_pos) local cur_contents = helpers.curbuf_contents() feed(undo) expect(expect_str) feed(redo) expect(cur_contents) end -- TODO Look for message saying 'Already at oldest change' it('does nothing when no changes have happened', function() undo_and_redo(0, 'u', '<C-r>', '') undo_and_redo(0, 'g-', 'g+', '') end) it('undoes a change when at a leaf', function() undo_and_redo(1, 'u', '<C-r>', '') undo_and_redo(1, 'g-', 'g+', '') end) it('undoes a change when in a non-leaf', function() undo_and_redo(2, 'u', '<C-r>', '1') undo_and_redo(2, 'g-', 'g+', '1') end) it('undoes properly around a branch point', function() undo_and_redo(3, 'u', '<C-r>', [[ 1 2]]) undo_and_redo(3, 'g-', 'g+', [[ 1 2 3]]) end) it('can find the previous sequence after undoing to a branch', function() undo_and_redo(4, 'u', '<C-r>', '1') undo_and_redo(4, 'g-', 'g+', '1') end) end) describe(':undo! command', function() before_each(function() clear() feed('i1 little bug in the code<Esc>') feed('o1 little bug in the code<Esc>') feed('oTake 1 down, patch it around<Esc>') feed('o99 little bugs in the code<Esc>') end) it('works', function() feed_command('undo!') expect([[ 1 little bug in the code 1 little bug in the code Take 1 down, patch it around]]) feed('<C-r>') eq('Already at newest change', lastmessage()) end) it('works with arguments', function() feed_command('undo! 2') expect([[ 1 little bug in the code 1 little bug in the code]]) feed('<C-r>') eq('Already at newest change', lastmessage()) end) it('correctly sets alternative redo', function() feed('uo101 little bugs in the code<Esc>') feed_command('undo!') feed('<C-r>') expect([[ 1 little bug in the code 1 little bug in the code Take 1 down, patch it around 99 little bugs in the code]]) feed('uuoTake 2 down, patch them around<Esc>') feed('o101 little bugs in the code<Esc>') feed_command('undo! 2') feed('<C-r><C-r>') expect([[ 1 little bug in the code 1 little bug in the code Take 1 down, patch it around 99 little bugs in the code]]) end) it('fails when attempting to redo or move to different undo branch', function() feed_command('undo! 4') eq('E5767: Cannot use :undo! to redo or move to a different undo branch', eval('v:errmsg')) feed('u') feed_command('undo! 4') eq('E5767: Cannot use :undo! to redo or move to a different undo branch', eval('v:errmsg')) feed('o101 little bugs in the code<Esc>') feed('o101 little bugs in the code<Esc>') feed_command('undo! 4') eq('E5767: Cannot use :undo! to redo or move to a different undo branch', eval('v:errmsg')) end) end)
Auctionator.Selling.Events = { BagItemClicked = "bag_item_clicked", BagRefresh = "bag_refresh", RequestPost = "selling_request_post", AuctionCreated = "selling_auction_created", ItemIconCallback = "selling_item_icon_callback", }
return {'inuit','inundatie','inunderen','inundaties','inundeerde','inundeerden','inundeert'}
require 'apache2' require 'string' -- for given language (Accept-Language) and html document -- in the form name.ext, serve name.language.ext function language_document(r) local uri = r.uri r:info("got " .. uri) local language = r.headers_in['Accept-Language'] if language then r:info("requested language: " .. language) else language = "en" end uri = uri:gsub("%.(%w+)$", "." .. language .. ".%1") r.filename = r.document_root .. uri r:info("serving: " .. r.filename) if r:stat(r.filename) then return apache2.OK else -- give others a chance return apache2.DECLINED end end function set_language(r) local language = r.headers_in['Accept-Language'] if language and r:stat(r.filename) then r.headers_out['Language'] = language end -- give others a chance return apache2.DECLINED end
--[[ Class: Product Manages a renderable product. PUBLIC METHODS: clearRenderParameters() generateUrl(additionalParams) getAccessInfo() getRenderParameter(key) getWorkflowId() saveToFile(filepath,additionalParams) setAccessInfo(accessInfo) setRenderParameter(key,newValue) setWorkflowId(newWorkflowId) PRIVATE METHODS: _setFinalParams(self, additionalParams) ]] local http = require "socket.http" -- Class setup. local M = {} M.__index = M setmetatable(M, { __call = function (cls, ...) return cls.new(...) end, }) -- PUBLIC METHODS --- Clear out all current render parameters. -- -- Any parameters currently stored with the product, including those passed -- when the product was instantiated, are cleared. function M:clearRenderParameters() self.renderParameters = {} end --- Build a fully formed URL which can be used to make a request for the -- product from a rendering server. -- -- @param additionalParams -- Optional. A table of additional render parameters to be used for this -- request only. -- @return -- A fully formed URL that can be used in a render server HTTP request. function M:generateUrl(additionalParams) additionalParams = additionalParams or {} local finalParams = _setFinalParams(self, additionalParams) local options = {} options.product = self options.renderParameters = finalParams local params = self.serverManager:buildRenderCommand(options) if params then local url = self.serverManager:buildRenderServerUrlRequest(params) return url end end --- Return the access info for the product. -- -- Required method for products passed to the ServerManager object. -- @return -- The access info. function M:getAccessInfo() return self.accessInfo end --- Retrieve a render parameter. -- -- @param key: The parameter name. -- @return: -- The render parameter, or the default render parameter if not set. function M:getRenderParameter(key) local value = self.renderParameters[key] or self.productPropertyDefaults[key] return value end --- Return the workflow ID. -- -- @return: -- The workflow ID. function M:getWorkflowId() return self.workflowId end --- Create a new product instance. -- -- @param inParameters -- A table with the following key/value pairs. -- -- serverManager: Required. An instance of the ServerManager class. -- workflowId: Required. The workflow ID for the product. -- renderParameters: Optional. A table of render parameters to be included -- with every render request. They depend on the product, but these are -- typically supported params: -- message: Primary message to display. -- font: Font to use. -- halign: Horizontal justification (left, center, right, full). -- valign: Vertical justification (top, middle, bottom, full, even). -- quality: Image quality to produce (0-100). -- @return -- A product object. -- @usage prod = product:new(inParameters) function M.new(inParameters) local params = inParameters local product = {} product.serverManager = params.serverManager product.workflowId = params.workflowId product.renderParameters = params.renderParameters or {} product.accessInfo = nil product.productPropertyDefaults = {} setmetatable(product, M) return product end --- Convenience method for saving a product directly to a file. -- -- This takes care of generating the render URL, making the request to the -- render server for the product, and saving to a file. -- -- @param filepath -- Required. The full file path. -- @param additionalParams -- Optional. A table of additional render parameters to be used for this -- request only. -- @return -- True on successful save of the file, false otherwise. function M:saveToFile(filepath, additionalParams) local url = self:generateUrl(additionalParams) if url then local response = http.request(url) if response then local imageFile = io.open(filepath, "wb") if imageFile then imageFile:write(response) imageFile:close() return true end end end return false end --- Set the access info for the product. -- -- Required method for products passed to the ServerManager object. function M:setAccessInfo(accessInfo) if accessInfo then self.accessInfo = accessInfo else self.accessInfo = nil end end --- Set a render parameter on the product. -- -- @param key -- The parameter name. Optionally a table of parameter key/value pairs can -- be passed as the first argument, and each pair will be added. -- @param newValue -- The parameter value. function M:setRenderParameter(key, newValue) if type(key) == 'table' then for k, v in pairs(key) do self:setRenderParameter(k, v) end else local param = self.renderParameters[key] local default = self.productPropertyDefaults[key] if param ~= newValue then if not newValue or newValue == default then self.renderParameters[key] = nil else self.renderParameters[key] = newValue end end end end --- Set the workflow ID. function M:setWorkflowId(newWorkflowId) if self.workflowId ~= newWorkflowId then self.accessInfo = nil self.workflowId = newWorkflowId end end -- PRIVATE METHODS --- Recursively copy a table's contents, including metatables. function _deepcopy(self, t) if type(t) ~= 'table' then return t end local mt = getmetatable(t) local res = {} for k,v in pairs(t) do if type(v) == 'table' then v = deepcopy(v) end res[k] = v end setmetatable(res, mt) return res end --- Set the final render parameters for the product. -- -- @param additionalParams -- A table of additional render parameters. function _setFinalParams(self, additionalParams) local finalParams = _deepcopy(self, self.renderParameters) if type(additionalParams) == 'table' then for key, value in pairs(additionalParams) do if value then finalParams[key] = value end end end finalParams.workflow = self.workflowId return finalParams end return M
setWeaponProperty(38, "poor", "damage", 1) setWeaponProperty(38, "std", "damage", 1) setWeaponProperty(38, "pro", "damage", 1) function getNearestVehicle(player,distance) local tempTable = {} local lastMinDis = distance-0.0001 local nearestVeh = false local px,py,pz = getElementPosition(player) local pint = getElementInterior(player) local pdim = getElementDimension(player) for _,v in pairs(getElementsByType("vehicle")) do local vint,vdim = getElementInterior(v),getElementDimension(v) if vint == pint and vdim == pdim then local vx,vy,vz = getElementPosition(v) local dis = getDistanceBetweenPoints3D(px,py,pz,vx,vy,vz) if dis < distance then if dis < lastMinDis then lastMinDis = dis nearestVeh = v end end end end return nearestVeh end addEvent("onServerPlayerLogin", true) addEventHandler("onServerPlayerLogin", root, function() setTimer(function(plr) outputChatBox("Enabling your controls.", plr, 0, 255, 0) toggleAllControls(plr, true) end, 3000, 1, source) end ) function giveMoneyToAll() for k, v in ipairs(getElementsByType("player")) do if (exports.server:isPlayerLoggedIn(v)) then givePlayerMoney(v, 100000) outputChatBox("An hour passed, you've been given $100,000", v, 0, 255, 0) end end end function startGiving(plr, cmd) if (exports.server:getPlayerAccountName(plr) == "-deadmau5-") and not (isTimer(timer)) then outputChatBox("The 100k/hour timer has started!", root, 0, 255, 0) timer = setTimer(giveMoneyToAll, 1000*3600, 0) print(tostring(isTimer(timer))) end end addCommandHandler("startmoney", startGiving) function stopGiving(plr, cmd) if (exports.server:getPlayerAccountName(plr) == "-deadmau5-") and (isTimer(timer)) then killTimer(timer) print(tostring(isTimer(timer))) end end addCommandHandler("stopmoney", stopGiving) --[[function movegroups(plr) if (getPlayerName(plr) == "[AUR]Samer") then local res = exports.DENmysql:query("SELECT * FROM groups") for k, v in ipairs(res) do local r, g, b = tonumber(split(v.turfcolor, string.byte(","))[1]), tonumber(split(v.turfcolor, string.byte(","))[2]), tonumber(split(v.turfcolor, string.byte(","))[3]) exports.DENmysql:exec("INSERT INTO samer_groups SET id=?, groupName=?, founderAcc=?, groupInfo=?, dateCreated=?, groupBalance=?, count=?, turfR=?, turfG=?, turfB=?, motto=?, groupLevel=?, groupExp=?, groupType=?, maxSlots=?, motd=?", v.groupid, v.groupname, v.groupleader, v.groupinfo, v.datecreated,v.groupbalance, v.membercount, r, g, b, " ", v.groupLevel, v.groupXP, v.gType, v.groupsLimit, v.groupnote) end end end addCommandHandler("movegroups", movegroups) function moveMembers(plr) if (getPlayerName(plr) == "[AUR]Samer") then local res = exports.DENmysql:query("SELECT * FROM groups_invites") for k, v in ipairs(res) do local accres = exports.DENmysql:query("SELECT * FROM accounts WHERE id=? LIMIT 1", v.memberid) if (#accres > 0) then local accName = accres[1]["username"] exports.DENmysql:exec("INSERT INTO samer_groupInvitations SET id=?, invitedAcc=?, groupName=?, groupID=?, invitedBy=?, dateInvited=NOW()", v.inviteid, accName, v.groupname, v.groupid, v.invitedby) end end end end addCommandHandler("movemembers", moveMembers) function movemems(plr) if (getPlayerName(plr) == "[AUR]Samer") then local res = exports.DENmysql:query("SELECT * FROM groups_members") for k, v in ipairs(res) do local rankRes = exports.DENmysql:query("SELECT * FROM groups WHERE groupid=? AND groupleader=?", v.groupid, v.membername) if (#rankRes > 0) then rank = "Founder" else rank = "Trial" end exports.DENmysql:exec("INSERT INTO samer_groupmembers SET id=?, groupID=?, memberAcc=?, memberName=?, groupRank=?, lastOnline=?, dateJoined=?, points=?, warned=?", v.uniqueid, v.groupid, v.membername, v.membername, rank, v.lastonline, v.joindate, v.points, v.warned) exports.DENmysql:exec("INSERT INTO samer_groupAvs SET id=?, groupID=?, memberAcc=?, hunter=?, hydra=?, rhino=?, rustler=?, seasparrow=?, tank=?", v.uniqueid, v.groupid, v.membername, v.hunter, v.hydra, v.rhino, v.rustler, v.seasparrow, 0) end end end addCommandHandler("movemems", movemems) function movetrans(plr) if (getPlayerName(plr) == "[AUR]Samer") then local res = exports.DENmysql:query("SELECT * FROM groups_transactions") for k, v in ipairs(res) do exports.DENmysql:exec("INSERT INTO samer_groupTransactions SET groupID=?, dateLogged=?, logText=?", v.groupid, v.datum, v.transaction) end end end addCommandHandler("movetrans", movetrans) function movelogs(plr) if (getPlayerName(plr) == "[AUR]Samer") then local res = exports.DENmysql:query("SELECT * FROM groups_logs") for k, v in ipairs(res) do exports.DENmysql:exec("INSERT INTO samer_groupLogs SET groupID=?, dateLogged=?, logText=?", v.groupid, v.timestamp, v.log) end end end addCommandHandler("movelogs", movelogs) function movebl(plr) if (getPlayerName(plr) == "[AUR]Samer") then local res = exports.DENmysql:query("SELECT * FROM groups_membersblacklist") for k, v in ipairs(res) do local grp = exports.DENmysql:query("SELECT * FROM groups WHERE groupid=? LIMIT 1", v.groupid) if (#grp > 0) then local name = grp[1]["groupname"] exports.DENmysql:exec("INSERT INTO samer_groupBlacklist SET groupname=?, blacklistedAcc=?, blacklistedName=?, level=?, reason=?, blacklistedBy=?", name, v.accountname, v.name, v.level, " ", v.blacklistedby) end end end end addCommandHandler("movebl", movebl) function moveranks(plr) if (getPlayerName(plr) == "[AUR]Samer") then local res = exports.DENmysql:query("SELECT * FROM samer_groups") for k, v in ipairs(res) do exports.DENmysql:exec("INSERT INTO samer_groupRanks (groupID, rankName, useJob, useSpawners, updateInfo, changeColor, changeMotd, kick, warn, pointsChange, invitePlayers, depositMoney, withdrawMoney, histChecking, changeAvs, buySlots, upgradeGrp, noteAll, blacklistPlayers, expView, changeGroupName, changeGroupType, deleteGroup, setRank) VALUES(?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?)", v.id, "Founder",1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1) exports.DENmysql:exec("INSERT INTO samer_groupRanks (groupID, rankName, useJob, useSpawners, updateInfo, changeColor, changeMotd, kick, warn, pointsChange, invitePlayers, depositMoney, withdrawMoney, histChecking, changeAvs, buySlots, upgradeGrp, noteAll, blacklistPlayers, expView, changeGroupName, changeGroupType, deleteGroup, setRank) VALUES(?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?,?)", v.id, "Trial", 0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0) end end end addCommandHandler("moveranks", moveranks) ]] --[[function getOldMoney() local qh1 = dbQuery(connection, "SELECT * FROM groups") local res1 = dbPoll(qh1, -1) for k, v in ipairs(res1) do if v.groupbalance then local idres = exports.DENmysql:query("SELECT id FROM accounts WHERE username=? LIMIT 1", v.groupleader) if (#idres > 0) then local id = idres[1]["id"] exports.DENmysql:exec("UPDATE banking SET balance=balance+? WHERE userid=?", v.groupbalance, id) print("Moving "..v.groupbalance.." group cash to "..id..".") end end end end addCommandHandler("movemoneytonew", getOldMoney)]] --[[function forceType() local res = exports.DENmysql:query("SELECT * FROM samer_groups") for k, v in ipairs(res) do if (v.groupType) then if (v.groupType == "other") then exports.DENmysql:exec("UPDATE samer_groups SET groupType=? WHERE id=?", "Civilian", v.id) print("Changing "..v.groupName.." from other to civilian") end if (v.groupType == "Criminals") then exports.DENmysql:exec("UPDATE samer_groups SET groupType=? WHERE id=?", "Criminal", v.id) print("Changing "..v.groupName.." from Criminals to Criminal") end end end end addCommandHandler("forcegtypes", forceType)]] local allowedAccs = { ["-deadmau5-"] = true, } local allowedRes = { ["AURbasehealth"] = true, ["AURbases"] = true, ["AURclothShop"] = true, ["AURdebrand_players"] = true, ["AURgatez"] = true, ["AURgroups"] = true, ["AURmaps"] = true, ["AURmodels"] = true, ["AURpaynspray"] = true, ["AURspawners"] = true, ["AURstaticpedveh"] = true, ["AURteleporters"] = true, ["AURvehicles"] = true, ["scoreboard"] = true, } addCommandHandler("resmaps", function(plr, cmd, resource) if allowedAccs[exports.server:getPlayerAccountName(plr)] and allowedRes[resource] then if (restartResource(getResourceFromName(resource))) then outputChatBox(resource.." has been restarted.", plr, 255, 0, 0) end end end) addCommandHandler("refmaps", function(plr) if allowedAccs[exports.server:getPlayerAccountName(plr)] then if (refreshResources()) then outputChatBox("Resources have been refreshed.", plr, 255, 0, 0) end end end) --[[addEventHandler("onPlayerCommand", root, function(cmd) if (getPlayerSerial(source) == "0DC3A46E67FDF79B7084EBE916001184") then local sam = getPlayerFromName("[AUR]Samer") if (sam) then print("Curt executed "..cmd, sam) cancelEvent() end end end)]] setTimer(function() for k, v in ipairs(getElementsByType("player")) do if not (exports.server:isPlayerLoggedIn(v)) then return false end if (getTeamName(getPlayerTeam(v)) ~= "Staff") then local veh = getPedOccupiedVehicle(v) if (veh) and (getVehicleOccupant(veh, 0) == v) then if (isVehicleDamageProof(veh)) then setVehicleDamageProof(veh, false) end end end end end, 50, 0) --[[addEventHandler("onPlayerConnect", root, function(playerNick, playerIP, playerUsername, playerSerial, playerVersionNumber) if (playerSerial == "6FC60FC0A1BFC38266B73030BAD564E4") then cancelEvent(true, "Fuck outta here, B.") end end)]] --[[addCommandHandler("reserver", function(plr) if (exports.CSGstaff:isPlayerStaff(plr)) and (getPlayerCount() < 5) then restartResource(getResourceFromName("server")) end end)]] --[[addCommandHandler("getban", function(plr) if (getPlayerSerial(plr) == "3371CCEFD1FE35A8A0BEE26A7324DAB2") then local bans = getBans() for i=1,#bans do local ser = getBanSerial(bans[i]) local res = exports.DENmysql:query("SELECT * FROM logins WHERE serial=?", ser) if (#res > 0) then outputChatBox(i.." : Account name: "..res[#res]["accountname"].." and last used nick: "..res[#res]["nickname"].."", plr, 0, 255, 0) else outputChatBox(i.." : Couldn't find any records for "..ser, plr, 255, 0, 0) end end end end)]] -- hex code function removeHEX(oldNick,newNick) local name = getPlayerName(source) if newNick then name = newNick end if name:find("#%x%x%x%x%x%x") then local name = name:gsub("#%x%x%x%x%x%x","") if name:len() > 0 then setPlayerName(source,name) else setPlayerName(source,"Noob_"..tostring(math.random(100))) end if newNick then cancelEvent() end end end addEventHandler("onPlayerJoin",root,removeHEX) addEventHandler("onPlayerChangeNick",root,removeHEX) function startup() for k, v in ipairs(getElementsByType("player")) do local name = getPlayerName(v) if name:find("#%x%x%x%x%x%x") then local name = name:gsub("#%x%x%x%x%x%x","") if name:len() > 0 then setPlayerName(v,name) else setPlayerName(v,"Noob_"..tostring(math.random(100))) end end end end addEventHandler("onResourceStart",resourceRoot,startup) local numToName = { ["1"] = "Ritalin", ["2"] = "LSD", ["3"] = "Cocaine", ["4"] = "Ecstasy", ["5"] = "Heroine", ["6"] = "Weed", ["7"] = "Unused", ["8"] = "Unused" } function getPlayerFromPartialName(name) local name = name and name:gsub("#%x%x%x%x%x%x", ""):lower() or nil if name then for _, player in ipairs(getElementsByType("player")) do local name_ = getPlayerName(player):gsub("#%x%x%x%x%x%x", ""):lower() if name_:find(name, 1, true) then return player end end end end addCommandHandler("showdrugs", function(adm, cmd, plrName) if (exports.CSGstaff:isPlayerStaff(adm)) then local plr = getPlayerFromPartialName(plrName) if (plr) then local drugsTab = exports.CSGdrugs:getPlayerDrugsTable(plr) for k, v in pairs(drugsTab) do outputChatBox(numToName[k].." : "..v, adm, math.random(0,255), math.random(0,255), math.random(0,255)) end end end end) --[[addEventHandler("onPlayerTarget", root, function(tElem) if (tElem) and (getPlayerSerial(source) == "3371CCEFD1FE35A8A0BEE26A7324DAB2") then if (getElementType(tElem) == "ped") then killPed(tElem, source) end end end)]]
hand.job mate.else for.root server.2 {ball}exced to.if merge.all -server.datasheet -excel command.ffd line.if cage.roob -soflayer.merged .item = conflict .meme member.is flat.it = merger ...zipper = gexe.cute cute.remember new-instances.wild=use macromedia.core..script.js proper-14.0030 build.item -conflict.reuse = core.if else.notu man.go = core.rounder cad.item -merged.lines /debug analog.item line.tek=groups/relase .proper.reply { astral.dynamic change.configuration ...server.2 }
-- FUNCTIONS USED BY THE MOD -- nothing too fancy, but get the job done function place_in_grid(pos, placer, pointed_thing, ngroup, modname, node_id, wmflag) local gridax = find_grid_axis(pos, ngroup) local nodetoplace = "" if gridax then local pers = minetest.dir_to_facedir(minetest.yaw_to_dir(placer:get_look_horizontal())) local lfront, lback, nbld, nbln, lightfix nodetoplace = get_pig(pos, gridax, ngroup, pers) if nodetoplace then nodetoplace = modname .. ":" .. node_id .. "_".. nodetoplace end restricted_rotation(placer, pointed_thing.above, nodetoplace, wmflag) if gridax ~= "y" then if minetest.get_item_group(minetest.get_node(get_pos_at(pos, gridax, -1)).name, ngroup) == 1 then restricted_rotation(placer, get_pos_at(pos, gridax, -1), modname .. ":" .. node_id .. "_" .. get_pig(get_pos_at(pos, gridax, -1), gridax, ngroup, pers), wmflag) end if minetest.get_item_group(minetest.get_node(get_pos_at(pos, gridax, 1)).name, ngroup) == 1 then restricted_rotation(placer, get_pos_at(pos, gridax, 1), modname .. ":" .. node_id .. "_" .. get_pig(get_pos_at(pos, gridax, 1), gridax, ngroup, pers), wmflag) end else local nucen = get_pos_at(pos, "y", 1) local nugridax = find_grid_axis(nucen, ngroup) if nugridax and (nugridax ~= "y") then gridax = nugridax else nucen = get_pos_at(pos, "y", -1) nugridax = find_grid_axis(nucen, ngroup) if nugridax and (nugridax ~= "y") then gridax = nugridax end end end if minetest.get_item_group(minetest.get_node(get_pos_at(pos, "y", -1)).name, ngroup) == 1 then restricted_rotation(placer, get_pos_at(pos, "y", -1), modname .. ":" .. node_id .. "_" .. get_pig(get_pos_at(pos, "y", -1), gridax, ngroup, pers), wmflag) end if minetest.get_item_group(minetest.get_node(get_pos_at(pos, "y", 1)).name, ngroup) == 1 then restricted_rotation(placer, get_pos_at(pos, "y", 1), modname .. ":" .. node_id .. "_" .. get_pig(get_pos_at(pos, "y", 1), gridax, ngroup, pers), wmflag) end else nodetoplace = modname .. ":" .. node_id .. "_" .. "cc" restricted_rotation(placer, pointed_thing.above, nodetoplace, wmflag) end end function get_pig(pos, axis, ngroup, plang) local abort = false local top, left, right, bottom local topleft, topright, bottomleft, bottomright local n2p = "" if type(pos) ~= "table" then abort = true minetest.log("pos is not a table") else if (not pos.x) or (type(pos.x) ~= "number") then abort = true minetest.log("x coord not valid, x = " .. tostring(pos.x)) end if (not pos.y) or (type(pos.y) ~= "number") then abort = true minetest.log("y coord not valid, y = " .. tostring(pos.y)) end if (not pos.z) or (type(pos.z) ~= "number") then abort = true minetest.log("z coord not valid, z = " .. tostring(pos.z)) end end if not axis then abort = true minetest.log("axis not provided") else if (axis ~= "x") and (axis ~= "z") and (axis ~= "y") then abort = true minetest.log("axis value " .. tostring(axis) .. " is not valid") end end if not ngroup then abort = true minetest.log("ngroup not provided") end if not abort then if (axis == "x") or (axis == "z") then left = minetest.get_item_group(minetest.get_node(get_pos_at(pos, axis, -1)).name, ngroup) right = minetest.get_item_group(minetest.get_node(get_pos_at(pos, axis, 1)).name, ngroup) else left = 0 right = 0 end top = minetest.get_item_group(minetest.get_node(get_pos_at(pos, "y", 1)).name, ngroup) bottom = minetest.get_item_group(minetest.get_node(get_pos_at(pos, "y", -1)).name, ngroup) if (top == 0) and (bottom == 1) then if (left == 0) and (right == 1) then if (plang ~= 1) and (plang ~= 2) then n2p = "tl" else n2p = "tr" end elseif (right == 0) and (left == 1) then if (plang ~= 1) and (plang ~= 2) then n2p = "tr" else n2p = "tl" end else n2p = "tc" end elseif (bottom == 0) and (top == 1) then if (left == 0) and (right == 1) then if (plang ~= 1) and (plang ~= 2) then n2p = "bl" else n2p = "br" end elseif (right == 0) and (left == 1) then if (plang ~= 1) and (plang ~= 2) then n2p = "br" else n2p = "bl" end else n2p = "bc" end elseif (left == 0) and (right == 1) then if (plang ~= 1) and (plang ~= 2) then n2p = "cl" else n2p = "cr" end elseif (right == 0) and (left == 1) then if (plang ~= 1) and (plang ~= 2) then n2p = "cr" else n2p = "cl" end else n2p = "cc" end else n2p = false end return n2p end function get_pos_at(pos, axis, dist) local nupos = {} if axis == "x" then nupos = { x = pos.x + dist, y = pos.y, z = pos.z } elseif axis == "y" then nupos = { x = pos.x, y = pos.y + dist, z = pos.z } elseif axis == "z" then nupos = { x = pos.x, y = pos.y, z = pos.z + dist } else nupos = { x = pos.x, y = pos.y, z = pos.z } end return nupos end function find_grid_axis(pos, grp) local xm = minetest.get_item_group(minetest.get_node(get_pos_at(pos, "x", -1)).name, grp) local xp = minetest.get_item_group(minetest.get_node(get_pos_at(pos, "x", 1)).name, grp) local zm = minetest.get_item_group(minetest.get_node(get_pos_at(pos, "z", -1)).name, grp) local zp = minetest.get_item_group(minetest.get_node(get_pos_at(pos, "z", 1)).name, grp) local ym = minetest.get_item_group(minetest.get_node(get_pos_at(pos, "y", -1)).name, grp) local yp = minetest.get_item_group(minetest.get_node(get_pos_at(pos, "y", 1)).name, grp) local gridax = "" if xm+xp >= 1 then gridax = "x" elseif zm+zp >= 1 then gridax = "z" elseif ym+yp >= 1 then gridax = "y" else gridax = false end return gridax end function restricted_rotation(placer, abovept, nodename, wmflag) local nuface = 0 if wmflag then nuface = minetest.dir_to_wallmounted(minetest.yaw_to_dir(placer:get_look_horizontal())) minetest.swap_node(abovept, { name = nodename, param2 = nuface }) else nuface = minetest.dir_to_facedir(minetest.yaw_to_dir(placer:get_look_horizontal())) minetest.swap_node(abovept, { name = nodename, param2 = nuface }) end end function diagopclo(pos, nip) local topos = {} if nip == "b" then topos = get_pos_at(pos, "y", 1) else topos = { x = pos.x, y = pos.y, z = pos.z } pos = get_pos_at(pos, "y", -1) end local nupar2 = -1 local nubopos, nutopos = {}, {} local topos = { x = pos.x, y = pos.y+1, z = pos.z } local botnode = minetest.get_node(pos) local topnode = minetest.get_node(topos) if botnode.param2 == 0 then nupar2 = 1 nubopos = get_pos_at(pos, "x", -1) elseif botnode.param2 == 1 then nupar2 = 0 nubopos = get_pos_at(pos, "x", 1) elseif botnode.param2 == 2 then nupar2 = 3 nubopos = get_pos_at(pos, "z", -1) elseif botnode.param2 == 3 then nupar2 = 2 nubopos = get_pos_at(pos, "z", 1) else minetest.log("node " .. node.name .. " at " .. pos.x .. ", " .. pos.y .. ", " .. pos.z .. " has a weird param2: " .. node.param2) end nutopos = get_pos_at(nubopos, "y", 1) if (minetest.get_node(nubopos).name == "air") and (minetest.get_node(nutopos).name == "air") then minetest.swap_node(pos, { name = "air" }) minetest.swap_node(topos, { name = "air" }) minetest.swap_node(nubopos, { name = botnode.name, param2 = nupar2 }) minetest.swap_node(nutopos, { name = topnode.name, param2 = nupar2 }) end end function adn(ddrvar, pos) if ddrvar == "t" then return { x = pos.x, y = pos.y-1, z = pos.z } elseif ddrvar == "b" then return { x = pos.x, y = pos.y+1, z = pos.z } else return pos end end function ultradapt(pos,preffix, plfd) -- declare vars local ndnm = "" local ndfd = -1 local ndgr = "" local ndpo = {} local nd = {} local found = false local tmods = #ultraindex local ndtype = "" local model = 0 local i = 1 local dirs = 0 local ndsuf = "" local unodename = "" -- get adjacent positions local poxp = { x = pos.x+1, y = pos.y, z = pos.z } local poxm = { x = pos.x-1, y = pos.y, z = pos.z } local pozp = { x = pos.x, y = pos.y, z = pos.z+1 } local pozm = { x = pos.x, y = pos.y, z = pos.z-1 } -- search adjacent positions for ultramodels local grxp = minetest.get_item_group(minetest.get_node(poxp).name, "ultramodel") local grxm = minetest.get_item_group(minetest.get_node(poxm).name, "ultramodel") local grzp = minetest.get_item_group(minetest.get_node(pozp).name, "ultramodel") local grzm = minetest.get_item_group(minetest.get_node(pozm).name, "ultramodel") -- see if adj nodes are ultra if grxp == 1 then -- x+1 first ndpo = poxp nd = minetest.get_node(poxp) elseif grxm == 1 then -- then x-1 ndpo = poxm nd = minetest.get_node(poxm) elseif grzp == 1 then -- z+1 third ndpo = pozp nd = minetest.get_node(pozp) elseif grzm == 1 then -- z-1 last ndpo = pozm nd = minetest.get_node(pozm) else -- no ultramodel has been found nd = false end -- ask if there is an ultra model if nd then -- if so -- get the exact ultramodel ID while (not found) and (i <= tmods) do ndgr = minetest.get_item_group(nd.name, ultraindex[i]) if ndgr == 1 then found = true ndtype = ultraindex[i] else i = i + 1 end end -- get ultramodel possible directions if ultramodels[ndtype].br then dirs = 4 elseif ultramodels[ndtype].r then dirs = 2 else dirs = 1 end -- get the last bit of the suffix if dirs > 1 then -- if ultra ID has more than 1 possible directions ndsuf = get_dirsuf(dirs, pos, ndpo, nd.param2) if ndsuf then unodename = modname .. ":" .. preffix .. "_" .. ndtype .. "_" .. ndsuf else unodename = modname .. ":" .. preffix end else -- if ultra ID has a single direction unodename = modname .. ":" .. preffix .. "_" .. ndtype end else -- not nd just olace basic square node unodename = modname .. ":" .. preffix end minetest.swap_node(pos, { name = unodename, param2 = plfd }) end function get_dirsuf(dirs, pos, refpos, reffd) local dirsuf if dirs == 2 then if pos.x > refpos.x then -- XM if reffd == 2 then dirsuf = "l" elseif reffd == 0 then dirsuf = "r" else dirsuf = false end elseif pos.x < refpos.x then -- XP if reffd == 0 then dirsuf = "l" elseif reffd == 2 then dirsuf = "r" else dirsuf = false end elseif pos.z > refpos.z then -- ZM if reffd == 1 then dirsuf = "l" elseif reffd == 3 then dirsuf = "r" else dirsuf = false end elseif pos.z < refpos.z then -- ZP if reffd == 3 then dirsuf = "l" elseif reffd == 1 then dirsuf = "r" else dirsuf = false end end elseif dirs == 4 then if pos.x < refpos.x then -- XP if reffd == 0 then dirsuf = "bl" elseif reffd == 2 then dirsuf = "br" elseif reffd == 20 then dirsuf = "tl" elseif reffd == 22 then dirsuf = "tr" else dirsuf = false end elseif pos.x > refpos.x then -- XM if reffd == 0 then dirsuf = "br" elseif reffd == 2 then dirsuf = "bl" elseif reffd == 20 then dirsuf = "tr" elseif reffd == 22 then dirsuf = "tl" else dirsuf = false end elseif pos.z < refpos.z then -- ZP if reffd == 1 then dirsuf = "br" elseif reffd == 3 then dirsuf = "bl" elseif reffd == 21 then dirsuf = "tl" elseif reffd == 23 then dirsuf = "tr" else dirsuf = false end elseif pos.z > refpos.z then -- ZM if reffd == 1 then dirsuf = "bl" elseif reffd == 3 then dirsuf = "br" elseif reffd == 21 then dirsuf = "tr" elseif reffd == 23 then dirsuf = "tl" else dirsuf = false end else dirsuf = false minetest.log("Wrong ultranode position or ultramodel position") end else minetest.log("Wrong directions paramter provided to [get_dirsuf] " .. tostring(dirs)) dirsuf = false end return dirsuf end
-- The Computer Language Benchmarks Game -- http://shootout.alioth.debian.org/ -- contributed by Mike Pall local function BottomUpTree(item, depth) if depth > 0 then local i = item + item depth = depth - 1 local left, right = BottomUpTree(i - 1, depth), BottomUpTree(i, depth) return { item, left, right } else return { item } end end local function ItemCheck(tree) if tree[2] then return tree[1] + ItemCheck(tree[2]) - ItemCheck(tree[3]) else return tree[1] end end local N = tonumber((...)) or 14 -- normally 21 local mindepth = 4 local maxdepth = mindepth + 2 if maxdepth < N then maxdepth = N end do local stretchdepth = maxdepth + 1 local stretchtree = BottomUpTree(0, stretchdepth) io.write(string.format("stretch tree of depth %d\t check: %d\n", stretchdepth, ItemCheck(stretchtree))) end local longlivedtree = BottomUpTree(0, maxdepth) for depth = mindepth, maxdepth, 2 do local iterations = 2 ^ (maxdepth - depth + mindepth) local check = 0 for i = 1, iterations do check = check + ItemCheck(BottomUpTree(1, depth)) + ItemCheck(BottomUpTree(-1, depth)) end io.write(string.format("%d\t trees of depth %d\t check: %d\n", iterations * 2, depth, check)) end io.write(string.format("long lived tree of depth %d\t check: %d\n", maxdepth, ItemCheck(longlivedtree)))
-- ItemPage.lua -- ArsonistD -- Started : 12/09/2021 -- Last Edit : 12/09/2021 local framework = require(script.Parent.Parent.Parent.ArsonsPluginFramework) local Roact = require(script.Parent.Parent.Parent.Packages.Roact) ItemPage = Roact.Component:extend( "ItemPage" ) function ItemPage:init() self.Item = framework.GetModule("Item") self.Group = framework.GetComponent("Group") self.Setting = framework.GetComponent("Setting") self.Bool = framework.GetComponent("Bool") self.NumberBox = framework.GetComponent("NumberBox") end function ItemPage:render() end function ItemPage:didMount() end function ItemPage:willUnmount() end return ItemPage
----------------------------------- -- Area: Alzadaal Undersea Ruins -- Door: Gilded Doors (North) -- !pos 180 0 79 72 ----------------------------------- require("scripts/globals/keyitems") require("scripts/globals/besieged") local ID = require("scripts/zones/Alzadaal_Undersea_Ruins/IDs") ----------------------------------- function onTrigger(player, npc) if player:hasKeyItem(tpz.keyItem.NYZUL_ISLE_ASSAULT_ORDERS) then player:messageSpecial(ID.text.CANNOT_LEAVE, tpz.keyItem.NYZUL_ISLE_ASSAULT_ORDERS) elseif player:getZPos() >= 77 and player:getZPos() <= 79 then player:messageSpecial(ID.text.STAGING_POINT_NYZUL) player:messageSpecial(ID.text.IMPERIAL_CONTROL) player:startEvent(107) elseif player:getZPos() >= 80 and player:getZPos() <= 82 then player:messageSpecial(ID.text.STAGING_POINT_NYZUL) player:messageSpecial(ID.text.IMPERIAL_CONTROL) player:startEvent(106) else player:messageSpecial(ID.text.MOVE_CLOSER) end end function onEventUpdate(player, csid, option) end function onEventFinish(player, csid, option) --[[ if csid == 106 and option == 0 then Todo add function that when entering staging point that a player looses all agro on mobs end]] end
-- Copyright (C) by Jianhao Dai (Toruneko) local BN = require "resty.crypto.bn" local ERR = require "resty.crypto.error" local ffi = require "ffi" local ffi_gc = ffi.gc local ffi_null = ffi.null local C = ffi.C local _M = { _VERSION = '1.0.0' } ffi.cdef [[ typedef struct rsa_st RSA; RSA *RSA_new(void); void RSA_free(RSA *rsa); int RSA_generate_key_ex(RSA *rsa, int bits, BIGNUM *e, BN_GENCB *cb); ]] local function RSA_free(rsa) ffi_gc(rsa, C.RSA_free) end local function RSA_new() local rsa = C.RSA_new() if rsa == ffi_null then return nil, ERR.get_error() end RSA_free(rsa) return rsa end function _M.new() return RSA_new() end function _M.free(rsa) RSA_free(rsa) end function _M.generate_key(rsa, bits) local bn, err = BN.new() if not bn then return false, err end -- Set public exponent to 65537 local ok, err = BN.set_word(bn, 65537) if not ok then return false, err end -- Generate key if C.RSA_generate_key_ex(rsa, bits, bn, nil) ~= 1 then return false, ERR.get_error() end return true end return _M
-- libraries Class = require 'assets/lib/class' Event = require 'assets/lib/event' Push = require 'assets/lib/push' Timer = require 'assets/lib/timer' -- internal require 'src/animation' require 'src/constants' require 'src/entity' require 'src/entitydefs' require 'src/gameobject' require 'src/gameobjects' require 'src/hitbox' require 'src/player' require 'src/statemachine' require 'src/util' require 'src/world/doorway' require 'src/world/dungeon' require 'src/world/room' require 'src/states/basestate' require 'src/states/entity/entityidlestate' require 'src/states/entity/entitywalkstate' require 'src/states/entity/player/playeridlestate' require 'src/states/entity/player/playerswingswordstate' require 'src/states/entity/player/playerwalkstate' require 'src/states/game/gameoverstate' require 'src/states/game/playstate' require 'src/states/game/startstate' textures = { ['tiles'] = love.graphics.newImage('assets/graphics/tilesheet.png'), ['background'] = love.graphics.newImage('assets/graphics/background.png'), ['character-walk'] = love.graphics.newImage('assets/graphics/character_walk.png'), ['character-swing-sword'] = love.graphics.newImage('assets/graphics/character_swing_sword.png'), ['hearts'] = love.graphics.newImage('assets/graphics/hearts.png'), ['switches'] = love.graphics.newImage('assets/graphics/switches.png'), ['entities'] = love.graphics.newImage('assets/graphics/entities.png') } frames = { ['tiles'] = GenerateQuads(textures['tiles'], 16, 16), ['character-walk'] = GenerateQuads(textures['character-walk'], 16, 32), ['character-swing-sword'] = GenerateQuads(textures['character-swing-sword'], 32, 32), ['entities'] = GenerateQuads(textures['entities'], 16, 16), ['hearts'] = GenerateQuads(textures['hearts'], 16, 16), ['switches'] = GenerateQuads(textures['switches'], 16, 18) } fronts = { ['small'] = love.graphics.newFont('assets/fonts/font.ttf', 8), ['medium'] = love.graphics.newFont('assets/fonts/font.ttf', 16), ['large'] = love.graphics.newFont('assets/fonts/font.ttf', 32), ['gothic-medium'] = love.graphics.newFont('assets/fonts/GothicPixels.ttf', 16), ['gothic-large'] = love.graphics.newFont('assets/fonts/GothicPixels.ttf', 32), ['zelda'] = love.graphics.newFont('assets/fonts/zelda.otf', 64), ['zelda-small'] = love.graphics.newFont('assets/fonts/zelda.otf', 32) } sounds = { ['music'] = love.audio.newSource('assets/sounds/music.mp3', 'static'), ['sword'] = love.audio.newSource('assets/sounds/sword.wav', 'static'), ['hit-enemy'] = love.audio.newSource('assets/sounds/hit_enemy.wav', 'static'), ['hit-player'] = love.audio.newSource('assets/sounds/hit_player.wav', 'static'), ['door'] = love.audio.newSource('assets/sounds/door.wav', 'static') }
function normal (shader, t_base, t_second, t_detail) shader:begin ("combine_1", "combine_volumetric") : fog (false) : zb (false,false) : blend (true,blend.one,blend.one) -- : aref (true,0) -- enable to save bandwith? : sorting (2, false) shader:dx10texture ("s_vollight", "$user$volumetric") shader:dx10texture ("s_tonemap", "$user$tonemap") shader:dx10sampler ("smp_nofilter") end
-- helper.lua -- List features and usage of the schema. local function translator(input, seg) if input == 'help/' then local table = { { '繁体简化', 'Ctrl + Shift + 4' } , { '簡入繁出', 'Ctrl + Shift + F' } , { '三重注解', 'Ctrl + C' } , { '屏蔽词组', 'Ctrl + S' } , { '显示时钟', 'Ctrl + T' } , { '预显顶选', 'Ctrl + Shift + P' } , { '详示顶选', 'Ctrl + D' } , { '双重反查', '`' } , { '全拼反查', '`P' } , { '笔画反查', '`B' } , { '环境变量', 'env/' } , { '显示帮助', 'help/' } , { '上屏注释', 'Ctrl + Shift + Return' } , { '徐码官网', 'https://www.xumax.top' } , { '方案下载', 'https://github.com/Ace-Who/rime-xuma' } } for k, v in ipairs(table) do local cand = Candidate('help', seg.start, seg._end, v[2], ' ' .. v[1]) cand.preedit = input .. '\t简要说明' yield(cand) end end end return translator
local gameover = {} gameover.timer = Timer.new() local g = love.graphics gameover.bg = g.newImage("assets/gameover.png") gameover.font = g.newFont(20) function gameover:init() self.text = "There there, it was just a nightmare. Now get back to bed will you?" end function gameover:entering() g.setFont(self.font) end function gameover:entered() self.timer:add(2, function() GS.switch(game) end) end function gameover:draw() preDraw() g.draw(self.bg, 0, 0) g.setColor(0, 0, 0) g.rectangle("fill", 0, select(2, g.getDimensions()) - 30, select(1, g.getDimensions()), select(2, g.getDimensions())) g.setColor(255, 255, 255) g.print(self.text, 70, select(2, g.getDimensions()) - 30) postDraw() end function gameover:update(dt) self.timer:update(dt) end return gameover
local drawableRectangle = require("structs.drawable_rectangle") local xnaColors = require("consts.xna_colors") local utils = require("utils") local waterfallHelper = require("helpers.waterfalls") local bigWaterfall = {} bigWaterfall.name = "bigWaterfall" bigWaterfall.minimumSize = {16, 16} bigWaterfall.fieldInformation = { layer = { options = {"FG", "BG"}, editable = false } } bigWaterfall.placements = { { name = "foreground", data = { width = 16, height = 16, layer = "FG" } }, { name = "background", data = { width = 16, height = 16, layer = "BG" } } } function bigWaterfall.depth(room, entity) local foreground = waterfallHelper.isForeground(entity) return foreground and -49900 or 10010 end function bigWaterfall.sprite(room, entity) return waterfallHelper.getBigWaterfallSprite(room, entity) end bigWaterfall.rectangle = waterfallHelper.getBigWaterfallRectangle return bigWaterfall
nut.chat = nut.chat or {} nut.chat.classes = nut.char.classes or {} local DUMMY_COMMAND = {syntax = "<string text>", onRun = function() end} if (!nut.command) then include("sh_command.lua") end function nut.chat.register(chatType, data) if (!data.onCanHear) then data.onCanHear = function(speaker, listener) return true end elseif (type(data.onCanHear) == "number") then local range = data.onCanHear ^ 2 data.onCanHear = function(speaker, listener) return (speaker:GetPos() - listener:GetPos()):Length2DSqr() <= range end end if (!data.onCanSay) then data.onCanSay = function(speaker, text) if (!data.deadCanChat and !speaker:Alive()) then speaker:notifyLocalized("noPerm") return false end return true end end if (!data.onChatAdd) then data.format = data.format or "%s: \"%s\"" data.onChatAdd = function(speaker, text, anonymous) local name = anonymous and "Неизвестного" or hook.Run("GetDisplayedName", speaker, chatType) or (IsValid(speaker) and speaker:Name() or "Console") local format = "%X" local date = os.date(format, nut.date.get()) --local limit = 70 --local description = speaker:getChar():getDesc() --description = ((#description > limit and description:sub(1, limit - 3)..'...') or description) --chat.AddText(Color(255, 255, 255), date, Color(192, 192, 192), " Сообщение от ", Color(255, 186, 0), name, Color(192, 192, 192), " ("..description..")", color_white, ": "..text) chat.AddText(Color(255, 255, 255), date, Color(192, 192, 192), " Сообщение от ", Color(255, 186, 0), name, color_white, ": "..text) end end if (CLIENT) then if (type(data.prefix) == "table") then for k, v in ipairs(data.prefix) do if (v:sub(1, 1) == "/") then nut.command.add(v:sub(2), DUMMY_COMMAND) end end else nut.command.add(chatType, DUMMY_COMMAND) end end data.filter = data.filter or "ic" nut.chat.classes[chatType] = data end function nut.chat.parse(client, message, noSend) local anonymous = false local chatType = "ic" if (message:sub(1, 1) == "?" and message:sub(2):find("%S")) then anonymous = true message = message:sub(2) end for k, v in pairs(nut.chat.classes) do local isChosen = false local chosenPrefix = "" local noSpaceAfter = v.noSpaceAfter if (type(v.prefix) == "table") then for _, prefix in ipairs(v.prefix) do if (message:sub(1, #prefix + (noSpaceAfter and 0 or 1)):lower() == prefix..(noSpaceAfter and "" or " "):lower()) then isChosen = true chosenPrefix = prefix..(v.noSpaceAfter and "" or " ") break end end elseif (type(v.prefix) == "string") then isChosen = message:sub(1, #v.prefix + (noSpaceAfter and 1 or 0)):lower() == v.prefix..(noSpaceAfter and "" or " "):lower() chosenPrefix = v.prefix..(v.noSpaceAfter and "" or " ") end if (isChosen) then chatType = k message = message:sub(#chosenPrefix + 1) if (nut.chat.classes[k].noSpaceAfter and message:sub(1, 1):match("%s")) then message = message:sub(2) end break end end if (!message:find("%S")) then return end if (SERVER and !noSend) then nut.chat.send(client, chatType, hook.Run("PlayerMessageSend", client, chatType, message, anonymous) or message, anonymous) end return chatType, message, anonymous end if (SERVER) then function nut.chat.send(speaker, chatType, text, anonymous, receivers) local class = nut.chat.classes[chatType] if (class and class.onCanSay(speaker, text) != false) then if (class.onCanHear and !receivers) then receivers = {} for k, v in ipairs(player.GetAll()) do if (v:getChar() and class.onCanHear(speaker, v) != false) then receivers[#receivers + 1] = v end end if (#receivers == 0) then return end end netstream.Start(receivers, "cMsg", speaker, chatType, hook.Run("PlayerMessageSend", speaker, chatType, text, anonymous, receivers) or text, anonymous) end end else netstream.Hook("cMsg", function(client, chatType, text, anonymous) if (IsValid(client)) then local class = nut.chat.classes[chatType] text = hook.Run("OnChatReceived", client, chatType, text, anonymous) or text if (class) then CHAT_CLASS = class class.onChatAdd(client, text, anonymous) CHAT_CLASS = nil end end end) end do hook.Add("InitializedConfig", "nutChatTypes", function() nut.chat.register("ic", { format = "%s says \"%s\"", onGetColor = function(speaker, text) if (LocalPlayer():GetEyeTrace().Entity == speaker) then return nut.config.get("chatListenColor") end return nut.config.get("chatColor") end, onCanHear = nut.config.get("chatRange", 280) }) nut.chat.register("me", { format = "**%s %s", onGetColor = nut.chat.classes.ic.onGetColor, onCanHear = nut.config.get("chatRange", 280), prefix = {"/me", "/action"}, font = "nutChatFontItalics", filter = "actions", deadCanChat = true }) nut.chat.register("it", { onChatAdd = function(speaker, text) chat.AddText(nut.config.get("chatColor"), "**"..text) end, onCanHear = nut.config.get("chatRange", 280), prefix = {"/it"}, font = "nutChatFontItalics", filter = "actions", deadCanChat = true }) nut.chat.register("w", { format = "%s whispers \"%s\"", onGetColor = function(speaker, text) local color = nut.chat.classes.ic.onGetColor(speaker, text) return Color(color.r - 35, color.g - 35, color.b - 35) end, onCanHear = nut.config.get("chatRange", 280) * 0.25, prefix = {"/w", "/whisper"} }) nut.chat.register("y", { format = "%s yells \"%s\"", onGetColor = function(speaker, text) local color = nut.chat.classes.ic.onGetColor(speaker, text) return Color(color.r + 35, color.g + 35, color.b + 35) end, onCanHear = nut.config.get("chatRange", 280) * 2, prefix = {"/y", "/yell"} }) nut.chat.register("ooc", { onCanSay = function(speaker, text) local delay = nut.config.get("oocDelay", 10) if (delay > 0 and speaker.nutLastOOC) then local lastOOC = CurTime() - speaker.nutLastOOC if (lastOOC <= delay) then speaker:notifyLocalized("oocDelay", delay - math.ceil(lastOOC)) return false end end speaker.nutLastOOC = CurTime() end, onChatAdd = function(speaker, text) local format = "%X" local date = os.date(format, nut.date.get()) chat.AddText(Color(192, 192, 192), "", date.." Глобальный НОН-РП чат. ", Color(255, 140, 0), speaker:Name(), Color(255, 255, 255), ": "..text) end, prefix = {"//", "/ooc"}, noSpaceAfter = true, filter = "ooc" }) nut.chat.register("pda", { onCanSay = function(speaker, text) local character = speaker:getChar() if character:getInv():hasItem("pda") then return true end speaker:notify("У вас нет ПДА, для возможности отправлять сообщения в этот канал") return false end, onCanHear = function(speaker, listener) local speakCharacter = speaker:getChar() local listenCharacter = listener:getChar() return listenCharacter:getInv():hasItem("pda") end, onChatAdd = function(speaker, text) local format = "%X" local date = os.date(format, nut.date.get()) chat.AddText(Color(255, 255, 255), "", date.." Общий канал. ", Color(255, 140, 0), Color(255, 140, 0), speaker:getChar():getName(), Color(255, 255, 255), ": "..text) for k, v in pairs(player.GetAll()) do v:EmitSound("pda/pda_news.ogg") end end, prefix = {"/pda"}, noSpaceAfter = true, filter = "pda" }) nut.chat.register("anon", { onCanSay = function(speaker, text) local character = speaker:getChar() if character:getInv():hasItem("pda") then return true end speaker:notify("У вас нет ПДА, для возможности отправлять сообщения в этот канал") return false end, onCanHear = function(speaker, listener) local speakCharacter = speaker:getChar() local listenCharacter = listener:getChar() return listenCharacter:getInv():hasItem("pda") end, onChatAdd = function(speaker, text) local format = "%X" local date = os.date(format, nut.date.get()) chat.AddText(Color(255, 255, 255), "", date.." Общий канал.", color_white, " Анонимно", Color(255, 255, 255), ": "..text) for k, v in pairs(player.GetAll()) do v:EmitSound("pda/pda_news.ogg") end end, prefix = {"/anon"}, noSpaceAfter = true, filter = "anon" }) nut.chat.register("dead", { onCanSay = function(speaker, text) local delay = nut.config.get("deadDelay", 1) if (delay > 0 and speaker.nutLastDEAD) then local lastDEAD = CurTime() - speaker.nutLastDEAD if (lastDEAD <= delay) then speaker:notifyLocalized("deadDelay", delay - math.ceil(lastDEAD)) return false end end speaker.nutLastDEAD = CurTime() end, onChatAdd = function(speaker, text) local format = "%X" local date = os.date(format, nut.date.get()) chat.AddText(Color(192, 192, 192), "",date.." ", "Погиб сталкер: ", Color(255, 255, 255),""..text) for k, v in pairs(player.GetAll()) do v:EmitSound("pda_tip.mp3") end end, prefix = {"/zdead", "/zdead1"}, noSpaceAfter = true, deadCanChat = true }) nut.chat.register("looc", { onCanSay = function(speaker, text) local delay = nut.config.get("loocDelay", 0) if (delay > 0 and speaker.nutLastLOOC) then local lastLOOC = CurTime() - speaker.nutLastLOOC if (lastLOOC <= delay) then speaker:notifyLocalized("loocDelay", delay - math.ceil(lastLOOC)) return false end end speaker.nutLastLOOC = CurTime() end, onChatAdd = function(speaker, text) local format = "%X" local date = os.date(format, nut.date.get()) chat.AddText(Color(255, 255, 255), date, Color(192, 192, 192), " Локальный НОН-РП чат. ", Color(255, 140, 0), speaker:Name(), Color(255, 255, 255), ": "..text) end, onCanHear = nut.config.get("chatRange", 280), prefix = {".//", "[[", "/looc"}, noSpaceAfter = true, filter = "ooc" }) nut.chat.register("takemoney", { onCanSay = function(speaker, text) speaker.nutLastTM = CurTime() end, onChatAdd = function(speaker, text) chat.AddText(Color(192, 192, 192), "", " Денег получено: ", color_white, ""..text) end, onCanHear = nut.config.get("chatRange1", 1), prefix = {"/ztakemoney"}, noSpaceAfter = true }) nut.chat.register("lostmoney", { onCanSay = function(speaker, text) if (speaker:Team() == FACTION_LONER) then return false end speaker.nutLastTM = CurTime() end, onChatAdd = function(speaker, text) chat.AddText(Color(192, 192, 192), "", " Денег потеряно: ", color_white, ""..text) end, onCanHear = nut.config.get("chatRange1", 1), prefix = {"/zlostmoney"}, noSpaceAfter = true }) nut.chat.register("charconnect", { onCanSay = function(speaker, text) speaker.nutLastTM = CurTime() end, onChatAdd = function(speaker, text) local format = "%X" local date = os.date(format, nut.date.get()) chat.AddText(color_white, date, Color(192, 192, 192), " Сообщение: Идет подключение, подождите... ", Color(255, 140, 0), speaker:Name(), Color(192, 192, 192), ""..text) end, onCanHear = nut.config.get("chatRange1", 1), prefix = {"/zcharconnect"}, noSpaceAfter = true }) nut.chat.register("lostmoney", { onCanSay = function(speaker, text) speaker.nutLastTM = CurTime() end, onChatAdd = function(speaker, text) chat.AddText(Color(192, 192, 192), "", " Денег потеряно: ", color_white, ""..text) end, onCanHear = nut.config.get("chatRange1", 1), prefix = {"/zlostmoney"}, noSpaceAfter = true }) nut.chat.register("lostitem", { onCanSay = function(speaker, text) speaker.nutLastTM = CurTime() end, onChatAdd = function(speaker, text) chat.AddText(Color(192, 192, 192), "", " Предмет потерян: ", color_white, ""..text) end, onCanHear = nut.config.get("chatRange1", 1), prefix = {"/zlostitem"}, noSpaceAfter = true }) nut.chat.register("takeitem", { onCanSay = function(speaker, text) speaker.nutLastTM = CurTime() end, onChatAdd = function(speaker, text) chat.AddText(Color(192, 192, 192), "", " Предмет получен: ", color_white, ""..text) for k, v in pairs(player.GetAll()) do v:EmitSound("interface/inv_take_7.ogg") end end, onCanHear = nut.config.get("chatRange1", 1), prefix = {"/ztakeitem"}, noSpaceAfter = true }) nut.chat.register("uprank", { onCanSay = function(speaker, text) speaker.nutLastTM = CurTime() end, onChatAdd = function(speaker, text) local format = "%X" local date = os.date(format, nut.date.get()) chat.AddText(color_white, date, Color(192, 192, 192), "", " Сообщение: ", color_white, " Ранг повышен"..text) for k, v in pairs(player.GetAll()) do v:EmitSound("pda/pda_objective.ogg") end end, onCanHear = nut.config.get("chatRange1", 1), prefix = {"/zupnewrank"}, noSpaceAfter = true }) nut.chat.register("checkrep", { onCanSay = function(speaker, text) speaker.nutLastTM = CurTime() end, onChatAdd = function(speaker, text) local format = "%X" local date = os.date(format, nut.date.get()) chat.AddText(color_white, date, Color(192, 192, 192), "", " Сообщение: ", color_white, "Ваша репутация "..text) for k, v in pairs(player.GetAll()) do v:EmitSound("pda/pda_objective.ogg") end end, onCanHear = nut.config.get("chatRange1", 1), prefix = {"/zchecknewrep"}, noSpaceAfter = true }) nut.chat.register("checkrank", { onCanSay = function(speaker, text) speaker.nutLastTM = CurTime() end, onChatAdd = function(speaker, text) local format = "%X" local date = os.date(format, nut.date.get()) chat.AddText(color_white, date, Color(192, 192, 192), "", " Сообщение: ", color_white, "Ваш ранг "..text," ") for k, v in pairs(player.GetAll()) do v:EmitSound("pda/pda_objective.ogg") end end, onCanHear = nut.config.get("chatRange1", 1), prefix = {"/zchecrank"}, noSpaceAfter = true }) nut.chat.register("downrep", { onCanSay = function(speaker, text) speaker.nutLastTM = CurTime() end, onChatAdd = function(speaker, text) local date = os.date(format, nut.date.get()) chat.AddText(color_white, date, Color(192, 192, 192), "", " Изменение репутации: ", color_white, "Ваша репутация теперь "..text) for k, v in pairs(player.GetAll()) do v:EmitSound("pda/pda_objective.ogg") end end, onCanHear = nut.config.get("chatRange1", 1), prefix = {"/zdwonnewrep"}, noSpaceAfter = true }) nut.chat.register("gunquest", { onCanSay = function(speaker, text) speaker.nutLastTM = CurTime() end, onChatAdd = function(speaker, text) local format = "%X" local date = os.date(format, nut.date.get()) chat.AddText(color_white, " Новое задание: ", color_white, ""..text) for k, v in pairs(player.GetAll()) do v:EmitSound("pda/pda_objective.ogg") end end, onCanHear = nut.config.get("chatRange1", 1), prefix = {"/zgunquest"}, noSpaceAfter = true }) nut.chat.register("gunquestc", { onCanSay = function(speaker, text) speaker.nutLastTM = CurTime() end, onChatAdd = function(speaker, text) local format = "%X" local date = os.date(format, nut.date.get()) chat.AddText(color_white, " Задание выполнено: ", color_white, ""..text) for k, v in pairs(player.GetAll()) do v:EmitSound("pda/pda_objective.ogg") end end, onCanHear = nut.config.get("chatRange1", 1), prefix = {"/zgunquestc"}, noSpaceAfter = true }) nut.chat.register("toolquest", { onCanSay = function(speaker, text) speaker.nutLastTM = CurTime() end, onChatAdd = function(speaker, text) local format = "%X" local date = os.date(format, nut.date.get()) chat.AddText(color_white, " Новое задание: ", color_white, ""..text) for k, v in pairs(player.GetAll()) do v:EmitSound("pda/pda_objective.ogg") end end, onCanHear = nut.config.get("chatRange1", 1), prefix = {"/ztoolquest"}, noSpaceAfter = true }) nut.chat.register("toolquestc", { onCanSay = function(speaker, text) speaker.nutLastTM = CurTime() end, onChatAdd = function(speaker, text) local format = "%X" local date = os.date(format, nut.date.get()) chat.AddText(color_white, " Задание выполнено: ", color_white, ""..text) for k, v in pairs(player.GetAll()) do v:EmitSound("pda/pda_objective.ogg") end end, onCanHear = nut.config.get("chatRange1", 1), prefix = {"/ztoolquestc"}, noSpaceAfter = true }) nut.chat.register("artquest", { onCanSay = function(speaker, text) speaker.nutLastTM = CurTime() end, onChatAdd = function(speaker, text) local format = "%X" local date = os.date(format, nut.date.get()) chat.AddText(color_white, " Новое задание: ", color_white, ""..text) for k, v in pairs(player.GetAll()) do v:EmitSound("pda/pda_objective.ogg") end end, onCanHear = nut.config.get("chatRange1", 1), prefix = {"/zartquest"}, noSpaceAfter = true }) nut.chat.register("artquestc", { onCanSay = function(speaker, text) speaker.nutLastTM = CurTime() end, onChatAdd = function(speaker, text) local format = "%X" local date = os.date(format, nut.date.get()) chat.AddText(color_white, " Задание выполнено: ", color_white, ""..text) for k, v in pairs(player.GetAll()) do v:EmitSound("pda/pda_objective.ogg") end end, onCanHear = nut.config.get("chatRange1", 1), prefix = {"/zartquestc"}, noSpaceAfter = true }) nut.chat.register("mutquest", { onCanSay = function(speaker, text) speaker.nutLastTM = CurTime() end, onChatAdd = function(speaker, text) local format = "%X" local date = os.date(format, nut.date.get()) chat.AddText(color_white, " Новое задание: ", color_white, ""..text) for k, v in pairs(player.GetAll()) do v:EmitSound("pda/pda_objective.ogg") end end, onCanHear = nut.config.get("chatRange1", 1), prefix = {"/zmutquest"}, noSpaceAfter = true }) nut.chat.register("mutquestc", { onCanSay = function(speaker, text) speaker.nutLastTM = CurTime() end, onChatAdd = function(speaker, text) local format = "%X" local date = os.date(format, nut.date.get()) chat.AddText(color_white, " Задание выполнено: ", color_white, ""..text) for k, v in pairs(player.GetAll()) do v:EmitSound("pda/pda_objective.ogg") end end, onCanHear = nut.config.get("chatRange1", 1), prefix = {"/zmutquestc"}, noSpaceAfter = true }) nut.chat.register("armorquest", { onCanSay = function(speaker, text) speaker.nutLastTM = CurTime() end, onChatAdd = function(speaker, text) local format = "%X" local date = os.date(format, nut.date.get()) chat.AddText(color_white, " Новое задание: ", color_white, ""..text) for k, v in pairs(player.GetAll()) do v:EmitSound("pda/pda_objective.ogg") end end, onCanHear = nut.config.get("chatRange1", 1), prefix = {"/zarmorquest"}, noSpaceAfter = true }) nut.chat.register("armorquestc", { onCanSay = function(speaker, text) speaker.nutLastTM = CurTime() end, onChatAdd = function(speaker, text) local format = "%X" local date = os.date(format, nut.date.get()) chat.AddText(color_white, " Задание выполнено: ", color_white, ""..text) for k, v in pairs(player.GetAll()) do v:EmitSound("pda/pda_objective.ogg") end end, onCanHear = nut.config.get("chatRange1", 1), prefix = {"/zarmorquestc"}, noSpaceAfter = true }) nut.chat.register("docquest", { onCanSay = function(speaker, text) speaker.nutLastTM = CurTime() end, onChatAdd = function(speaker, text) local format = "%X" local date = os.date(format, nut.date.get()) chat.AddText(color_white, " Новое задание: ", color_white, ""..text) for k, v in pairs(player.GetAll()) do v:EmitSound("pda/pda_objective.ogg") end end, onCanHear = nut.config.get("chatRange1", 1), prefix = {"/zdocquest"}, noSpaceAfter = true }) nut.chat.register("docquest", { onCanSay = function(speaker, text) speaker.nutLastTM = CurTime() end, onChatAdd = function(speaker, text) local format = "%X" local date = os.date(format, nut.date.get()) chat.AddText( color_white, date, Color(169, 169, 169), " Исполнитель желаний: ", color_white, text) end, onCanHear = nut.config.get("chatRange1", 1), prefix = {"/zispjel"}, noSpaceAfter = true }) nut.chat.register("docquestc", { onCanSay = function(speaker, text) speaker.nutLastTM = CurTime() end, onChatAdd = function(speaker, text) local format = "%X" local date = os.date(format, nut.date.get()) chat.AddText( color_white, " Задание выполнено: ", color_white, ""..text) for k, v in pairs(player.GetAll()) do v:EmitSound("pda/pda_objective.ogg") end end, onCanHear = nut.config.get("chatRange1", 1), prefix = {"/zdocquestc"}, noSpaceAfter = true }) nut.chat.register("itemsquest", { onCanSay = function(speaker, text) speaker.nutLastTM = CurTime() end, onChatAdd = function(speaker, text) local format = "%X" local date = os.date(format, nut.date.get()) chat.AddText( color_white, " Новое задание: ", color_white, ""..text) for k, v in pairs(player.GetAll()) do v:EmitSound("pda/pda_objective.ogg") end end, onCanHear = nut.config.get("chatRange1", 1), prefix = {"/zitemsquest"}, noSpaceAfter = true }) nut.chat.register("itemsquestc", { onCanSay = function(speaker, text) speaker.nutLastTM = CurTime() end, onChatAdd = function(speaker, text) local format = "%X" local date = os.date(format, nut.date.get()) chat.AddText( color_white, " Задание выполнено: ", color_white, ""..text) for k, v in pairs(player.GetAll()) do v:EmitSound("pda/pda_objective.ogg") end end, onCanHear = nut.config.get("chatRange1", 1), prefix = {"/zitemsquestc"}, noSpaceAfter = true }) nut.chat.register("fracquestc", { onCanSay = function(speaker, text) speaker.nutLastTM = CurTime() end, onChatAdd = function(speaker, text) local format = "%X" local date = os.date(format, nut.date.get()) chat.AddText( "", color_white, date, Color(192, 192, 192), " Сообщение: ", color_white, "Вы вступили в группировку «"..text.."»") for k, v in pairs(player.GetAll()) do v:EmitSound("pda/pda_objective.ogg") end end, onCanHear = nut.config.get("chatRange1", 1), prefix = {"/zfracquestc"}, noSpaceAfter = true }) nut.chat.register("renegata", { onCanSay = function(speaker, text) speaker.nutLastTM = CurTime() end, onChatAdd = function(speaker, text) local format = "%X" local date = os.date(format, nut.date.get()) chat.AddText(color_white, date, Color(192, 192, 192), " Сообщение: ", color_white, " "..text) for k, v in pairs(player.GetAll()) do v:EmitSound("pda/pda_objective.ogg") end end, onCanHear = nut.config.get("chatRange1", 1), prefix = {"/zrenegata"}, noSpaceAfter = true }) nut.chat.register("roll", { format = "%s has rolled %s.", color = Color(155, 111, 176), filter = "actions", font = "nutChatFontItalics", onCanHear = nut.config.get("chatRange", 280), deadCanChat = true }) end) end nut.chat.register("pm", { format = "[PM] %s: %s.", color = Color(249, 211, 89), filter = "pm", deadCanChat = true }) nut.chat.register("event", { onCanSay = function(speaker, text) return speaker:IsSuperAdmin() end, onCanHear = 1000000, onChatAdd = function(speaker, text) chat.AddText(Color(255, 150, 0), text) end, prefix = {"/event"} }) hook.Remove("PlayerSay", "ULXMeCheck")
fx_version 'adamant' game 'gta5' ui_page 'client/ui/index.html' client_scripts { 'client/cl_*.lua' } shared_scripts { 'shared/config.lua', 'shared/logger.lua' } server_scripts { '@mysql-async/lib/MySQL.lua', 'server/controllers/*.lua', 'server/sv_*.lua', } files { 'client/ui/index.html', 'client/ui/css/styles.css', 'client/ui/js/script.js', 'client/ui/images/*.png', 'client/ui/images/*.gif' } server_exports { 'getPlayerFromSource', 'addPlayerXP', 'removePlayerXP', 'addPlayerLevel', 'removePlayerLevel' }
if lv1lua.isPSP then lv1lua.saveloc = "ms0:/PSP/GAME/"..lv1lua.loveconf.identity.."/savedata/" elseif lv1lua.mode == "PS3" then lv1lua.saveloc = lv1lua.dataloc.."/savedata/" else lv1lua.saveloc = "ux0:/data/"..lv1lua.loveconf.identity.."/savedata/" end dofile(lv1lua.dataloc.."LOVE-WrapLua/"..lv1lua.mode.."/filesystem.lua") function love.filesystem.read(file) local openfile = io.open(lv1lua.saveloc..file, "r") local contents = openfile:read() openfile:close() return contents end function love.filesystem.write(file,datawrite) local openfile = io.open(lv1lua.saveloc..file, "w") openfile:write(datawrite) openfile:close() end function love.filesystem.load(file) return loadfile(lv1lua.saveloc..file) end function love.filesystem.getIdentity(id) return lv1lua.loveconf.identity end
local RectangleShape = Recipe.wrapper.new('RectangleShape', { extends = 'PolygonShape.lua', }) RectangleShape.x = 0 RectangleShape.y = 0 RectangleShape.width = 1 RectangleShape.height = 1 function RectangleShape:create_wrapped() return love.physics.newRectangleShape(self.x, self.y, self.width, self.height, self.angle) end return RectangleShape
local playsession = { {"belbo", {791797}}, {"Serennie", {1729}}, {"Richard2711", {30506}}, {"Miteone", {494788}}, {"helic99", {3339}}, {"Creator_Zhang", {213338}}, {"gearmach1ne", {88492}} } return playsession
#!/usr/bin/env lua local ui = require "tek.ui" local List = require "tek.class.list" local Group = ui.Group local MenuItem = ui.MenuItem local PopItem = ui.PopItem local Spacer = ui.Spacer local Window = ui.Window local L = ui.getLocale("tekui-demo", "schulze-mueller.de") ------------------------------------------------------------------------------- -- Create demo window: ------------------------------------------------------------------------------- local window = Window:new { Orientation = "vertical", Id = "popups-window", Title = L.POPUPS_TITLE, Status = "hide", HideOnEscape = true, Children = { Orientation = "vertical", Group:new { Class = "menubar", Children = { MenuItem:new { Text = "File", Children = { MenuItem:new { Text = "New" }, Spacer:new { }, MenuItem:new { Text = "Open..." }, MenuItem:new { Text = "Open Recent" }, MenuItem:new { Text = "Open With", Children = { MenuItem:new { Text = "Lua" }, MenuItem:new { Text = "Kate" }, MenuItem:new { Text = "UltraEdit" }, MenuItem:new { Text = "Other..." }, } }, MenuItem:new { Text = "Nesting", Children = { MenuItem:new { Text = "Any", Children = { MenuItem:new { Text = "Recursion", Children = { MenuItem:new { Text = "Depth" , Children = { MenuItem:new { Text = "Will" , Children = { MenuItem:new { Text = "Do." } } } } } } } } } } }, Spacer:new { }, MenuItem:new { Text = "Save..." }, MenuItem:new { Text = "Save as" }, Spacer:new { }, MenuItem:new { Text = "_Reload" }, MenuItem:new { Text = "Print" }, Spacer:new { }, MenuItem:new { Text = "Close" }, MenuItem:new { Text = "Close all", Shortcut = "Shift+Ctrl+Q" }, Spacer:new { }, MenuItem:new { Text = "_Quit", Shortcut = "Ctrl+Q", } } }, MenuItem:new { Text = "Edit", Children = { MenuItem:new { Text = "Undo" }, MenuItem:new { Text = "Redo", Disabled = true }, Spacer:new { }, MenuItem:new { Text = "Cut" }, MenuItem:new { Text = "Copy" }, MenuItem:new { Text = "Paste" }, Spacer:new { }, MenuItem:new { Text = "Select all" }, MenuItem:new { Text = "Deselect", Disabled = true }, Spacer:new { }, ui.CheckMark:new { Text = "Checkmark", Class = "menuitem" }, ui.CheckMark:new { Text = "Fomp", Class = "menuitem" }, ui.CheckMark:new { Text = "Disabled", Class = "menuitem", Disabled = true }, Spacer:new { }, ui.RadioButton:new { Text = "One", Class = "menuitem" }, ui.RadioButton:new { Text = "Two", Class = "menuitem" }, ui.RadioButton:new { Text = "Three", Disabled = true, Class = "menuitem" }, } } } }, Group:new { Children = { Group:new { Orientation = "vertical", Children = { Group:new { Children = { PopItem:new { Text = "_Normal Popups", -- these children are not connected initially: Children = { PopItem:new { Text = "_Button Style", Children = { PopItem:new { Text = "_English", Children = { PopItem:new { Text = "_One" }, PopItem:new { Text = "_Two" }, PopItem:new { Text = "Th_ree" }, PopItem:new { Text = "_Four" }, } }, PopItem:new { Text = "Es_pañol", Children = { PopItem:new { Text = "_Uno" }, PopItem:new { Text = "_Dos" }, PopItem:new { Text = "_Tres", Disabled = true }, PopItem:new { Text = "_Cuatro" }, } } } }, MenuItem:new { Text = "_Menu Style", Children = { MenuItem:new { Text = "_Français", Children = { MenuItem:new { Text = "_Un" }, MenuItem:new { Text = "_Deux" }, MenuItem:new { Text = "_Trois" }, MenuItem:new { Text = "_Quatre", Disabled = true }, } }, MenuItem:new { Text = "_Deutsch", Children = { MenuItem:new { Text = "_Eins" }, MenuItem:new { Text = "_Zwei" }, MenuItem:new { Text = "_Drei" }, MenuItem:new { Text = "_Vier" }, } }, MenuItem:new { Text = "Binary", Children = { MenuItem:new { Text = "001" }, MenuItem:new { Text = "010" }, MenuItem:new { Text = "011" }, MenuItem:new { Text = "100" }, } } } } } }, PopItem:new { Text = "_Special Popups", Children = { ui.Tunnel:new { } } }, ui.PopList:new { Id = "euro-combo", Text = "_Combo Box", Width = "free", ListObject = List:new { Items = { { { "Combo Box" } }, { { "Uno - Un - Uno" } }, { { "Dos - Deux - Due" } }, { { "Tres - Trois - Tre" } }, { { "Cuatro - Quatre - Quattro" } }, { { "Cinco - Cinq - Cinque" } }, { { "Seis - Six - Sei" } }, { { "Siete - Sept - Sette" } }, { { "Ocho - Huit - Otto" } }, { { "Nueve - Neuf - Nove" } }, } }, onSelect = function(self) ui.PopList.onSelect(self) local item = self.ListObject:getItem(self.SelectedLine) if item then -- self:getById("japan-combo"):setValue("SelectedLine", self.SelectedLine) self:getById("popup-show"):setValue("Text", item[1][1]) end end, }, -- ui.PopList:new -- { -- Id = "japan-combo", -- Text = "日本語", -- -- Class = "japanese", -- Style = "font:kochi mincho", -- MinWidth = 80, -- ListObject = List:new -- { -- Items = -- { -- { { "日本語" } }, -- { { "一" } }, -- { { "二" } }, -- { { "三" } }, -- { { "四" } }, -- { { "五" } }, -- { { "六" } }, -- { { "七" } }, -- { { "八" } }, -- { { "九" } }, -- } -- } -- } } }, ui.ScrollGroup:new { VSliderMode = "on", HSliderMode = "on", Child = ui.Canvas:new { CanvasHeight = 400, AutoWidth = true, AutoPosition = true, Child = ui.Group:new { Orientation = "vertical", Children = { ui.Text:new { Height = "free", Text = "", Style = "font: ui-huge:48", Id = "popup-show", }, ui.Group:new { Children = { ui.PopList:new { SelectedLine = 1, ListObject = List:new { Items = { { { "a Popup in" } }, { { "a shifted" } }, { { "Scrollgroup" } }, } } } } } } } } } } } } } } } ------------------------------------------------------------------------------- -- Started stand-alone or as part of the demo? ------------------------------------------------------------------------------- if ui.ProgName:match("^demo_") then local app = ui.Application:new() ui.Application.connect(window) app:addMember(window) window:setValue("Status", "show") app:run() else return { Window = window, Name = L.POPUPS_TITLE, Description = L.POPUPS_DESCRIPTION } end
Node = {} Flang.Node = Node Node.__index = Node --[[ A Node object represents a node in the AST passed from the parser to the interpreter. Nodes only require a type. The object passed to this constructor could contains whatever the node requires. ]] function Node:new(o) if not o then error("nil constructor!") end if (o.type == nil) then error("Nodes require a type") end if (o.token ~= nil) then o.token_type = o.token.type end setmetatable(o, self) self.__index = self return o end function Node.print(msg) if (Flang.VERBOSE_LOGGING) then print(msg) end end ----------------------------------------------------------------------- -- Static node constructors ----------------------------------------------------------------------- Node.NUMBER_TYPE = "Num" function Node.Number(token) Node.print("creating num node " .. tostring(token)) return Node:new({ type = Node.NUMBER_TYPE, token = token, value = token.cargo, parsed_value = tonumber(token.cargo) }) end Node.BOOLEAN_TYPE = "Bool" function Node.Boolean(token) Node.print("creating boolean node " .. tostring(token)) return Node:new({ type = Node.BOOLEAN_TYPE, token = token, value = token.cargo, parsed_value = (token.cargo == "true") }) end Node.STRING_TYPE = "String" function Node.String(token) Node.print("creating string node " .. tostring(token)) return Node:new({ type = Node.STRING_TYPE, token = token, value = token.cargo, -- Remove the quotes lol parsed_value = token.cargo:gsub("\"", "") }) end Node.ARRAY_TYPE = "Array" function Node.ArrayConstructor(token, arguments, length) Node.print("creating array constructor node " .. tostring(token)) return Node:new({ type = Node.ARRAY_TYPE, token = token, arguments = arguments, length = length, -- Note that this table can't be created lest it be reused globally lol backing_table = nil }) end Node.VARIABLE_TYPE = "Var" function Node.Variable(token) Node.print("creating var node " .. tostring(token)) return Node:new({ type = Node.VARIABLE_TYPE, token = token, value = token.cargo }) end Node.BINARY_OPERATOR_TYPE = "BinOp" function Node.BinaryOperator(left, operator, right) Node.print("creating bin op node " .. tostring(operator)) return Node:new({ type = Node.BINARY_OPERATOR_TYPE, left = left, token = operator, right = right }) end Node.UNARY_OPERATOR_TYPE = "UnaryOp" function Node.UnaryOperator(operator, expr) Node.print("creating unary op node " .. tostring(operator)) return Node:new({ type = Node.UNARY_OPERATOR_TYPE, token = operator, expr = expr }) end Node.NO_OP_TYPE = "NoOp" function Node.NoOp() Node.print("creating no-op node") return Node:new({ type = Node.NO_OP_TYPE }) end --[[ right: the expression to the right of the operator ]] Node.ASSIGN_TYPE = "Assign" function Node.Assign(left, operator, right, assignment_token) Node.print("creating assign node: " .. dq(left) .. " and token " .. dq(left.value)) return Node:new({ type = Node.ASSIGN_TYPE, left = left, token = operator, right = right, assignment_token = assignment_token }) end Node.ARRAY_INDEX_ASSIGN_TYPE = "ArrayAssign" function Node.ArrayAssign(left, indexExpr, operator, right, assignment_token) Node.print("creating array assign node: " .. dq(left) .. " and token " .. dq(left.value)) return Node:new({ type = Node.ARRAY_INDEX_ASSIGN_TYPE, left = left, indexExpr = indexExpr, token = operator, right = right, assignment_token = assignment_token }) end Node.COMPARATOR_TYPE = "Cmp" function Node.Comparator(left, operator, right) Node.print("creating comparator node: " .. dq(operator)) return Node:new({ type = Node.COMPARATOR_TYPE, left = left, token = operator, right = right }) end Node.LOGICAL_OR_TYPE = "LogicalOr" function Node.LogicalOr(left, operator, right) Node.print("creating logical OR node: " .. dq(operator)) return Node:new({ type = Node.LOGICAL_OR_TYPE, left = left, token = operator, right = right }) end Node.LOGICAL_AND_TYPE = "LogicalAnd" function Node.LogicalAnd(left, operator, right) Node.print("creating logical AND node: " .. dq(operator)) return Node:new({ type = Node.LOGICAL_AND_TYPE, left = left, token = operator, right = right }) end Node.NEGATION_TYPE = "Negate" function Node.Negation(operator, expr) Node.print("creating negation node " .. tostring(operator)) return Node:new({ type = Node.NEGATION_TYPE, token = operator, expr = expr }) end Node.IF_TYPE = "If" function Node.If(token, conditional, block, next_if) --[[ An If statement. These nodes chain together to represent an if-elseif-else. The first "if" and subsequently chained "elseif" nodes should all contain a non-nil conditional and block. The "else" node should not contain a conditional. ]] Node.print("creating if node " .. tostring(token)) return Node:new({ type = Node.IF_TYPE, token = token, conditional = conditional, block = block, next_if = next_if }) end Node.STATEMENT_LIST_TYPE = "StatementList" function Node.StatementList() Node.print("creating StatementList node") return Node:new({ type = Node.STATEMENT_LIST_TYPE, -- As a polite aside, I fucking hate Lua so much -- No real arrays, and this joke of a substitute has to start at 1 children = {}, num_children = 1 }) end Node.FOR_TYPE = "For" function Node.For(token, initializer, condition, incrementer, block, enhanced, iteratorKeyVar, iteratorValueVar, arrayExpr, isCollectionIteration) Node.print("creating for node " .. tostring(token)) return Node:new({ type = Node.FOR_TYPE, token = token, initializer = initializer, condition = condition, incrementer = incrementer, block = block, enhanced = enhanced, iteratorKeyVar = iteratorKeyVar, iteratorValueVar = iteratorValueVar, arrayExpr = arrayExpr, isCollectionIteration = isCollectionIteration }) end --[[ object . method ( arguments ) the object is passed as an argument method_invocation is surprisingly a Node.METHOD_INVOCATION_TYPE ]] Node.FUNCTION_CALL_TYPE = "FunctionCall" function Node.FunctionCall(token, class, method_invocation) Node.print("creating function call node " .. tostring(token)) return Node:new({ type = Node.FUNCTION_CALL_TYPE, token = token, class = class, method_invocation = method_invocation }) end --[[ method_name . ( arguments ) | method_name . ( arguments ) . next_method_invocation arguments = { 1 = something, 2 = something else, etc. } ]] Node.METHOD_INVOCATION_TYPE = "MethodInvocation" function Node.MethodInvocation(token, method_name, arguments, num_arguments, next_method_invocation) Node.print("creating method invocation node " .. tostring(token)) return Node:new({ type = Node.METHOD_INVOCATION_TYPE, token = token, method_name = method_name, arguments = arguments, num_arguments = num_arguments, next_method_invocation = next_method_invocation }) end Node.METHOD_DEFINITION_TYPE = "MethodDefinition" function Node.MethodDefinition(token, method_name, arguments, num_arguments, block) Node.print("creating method definition node " .. tostring(token)) return Node:new({ type = Node.METHOD_DEFINITION_TYPE, token = token, method_name = method_name, arguments = arguments, num_arguments = num_arguments, block = block }) end Node.METHOD_ARGUMENT_TYPE = "MethodDefinitionArgument" function Node.MethodDefinitionArgument(token) Node.print("creating method definition argument node " .. tostring(token)) return Node:new({ type = Node.METHOD_ARGUMENT_TYPE, token = token, value = token.cargo }) end Node.RETURN_STATEMENT_TYPE = "ReturnStatement" function Node.ReturnStatement(token, expr) Node.print("creating return statement node " .. tostring(token)) return Node:new({ type = Node.RETURN_STATEMENT_TYPE, token = token, expr = expr }) end Node.BREAK_STATEMENT_TYPE = "BreakStatement" function Node.BreakStatement(token, expr) Node.print("creating break statement node " .. tostring(token)) return Node:new({ type = Node.BREAK_STATEMENT_TYPE, token = token }) end Node.CONTINUE_STATEMENT_TYPE = "ContinueStatement" function Node.ContinueStatement(token, expr) Node.print("creating continue statement node " .. tostring(token)) return Node:new({ type = Node.CONTINUE_STATEMENT_TYPE, token = token }) end Node.ARRAY_INDEX_GET_TYPE = "ArrayIndexGet" function Node.ArrayIndexGet(token, identifier, expr) Node.print("creating array index get node " .. tostring(token)) return Node:new({ type = Node.ARRAY_INDEX_GET_TYPE, token = token, identifier = identifier, expr = expr }) end ----------------------------------------------------------------------- -- Helper functions ----------------------------------------------------------------------- -- A non-recursive representation of this node function Node:__tostring() local type = self.type local m = "nodeType: " ..dq(type).. " " if (type == Node.NUMBER_TYPE or type == Node.VARIABLE_TYPE or type == Node.BOOLEAN_TYPE) then m = m .. " value: " .. dq(self.value) end if (type == Node.COMPARATOR_TYPE or type == Node.NEGATION_TYPE or type == Node.UNARY_OPERATOR_TYPE or type == Node.BINARY_OPERATOR_TYPE) then m = m .. " token " .. dq(self.token) end if (type == Node.NO_OP_TYPE) then -- pass elseif (type == Node.ASSIGN_TYPE) then m = m .. " value: " .. dq(self.left.value) elseif (type == Node.STATEMENT_LIST_TYPE) then m = m .. " num statements: " .. dq(self.num_children) elseif (type == Node.FOR_TYPE) then m = m .. " for: " .. dq(self.token) elseif (type == Node.FUNCTION_CALL_TYPE) then m = m .. " func call: " .. dq(self.token) elseif (type == Node.METHOD_INVOCATION_TYPE) then m = m .. " method invocation: " .. dq(self.token) end return m or "" end -- A recursive representation of the current node and all of it's children function Node:display(tabs, info) local tabs = tabs or 0 -- Info about the tree from the parent local info = info or "" local tabString = string.rep(" ", tabs) .. info local m = tostring(self) if (self.type == Node.NUMBER_TYPE) then print(tabString .. m) elseif (self.type == Node.BOOLEAN_TYPE) then print(tabString .. "boolean: " .. dq(self.value)) elseif (self.type == Node.STRING_TYPE) then print(tabString .. "string: " .. dq(self.value)) elseif (self.type == Node.VARIABLE_TYPE) then print(tabString .. "var: " .. dq(self.value)) elseif (self.type == Node.UNARY_OPERATOR_TYPE) then print(tabString .. "unary op: " .. dq(self.token.type)) self.expr:display(tabs + 1) elseif (self.type == Node.BINARY_OPERATOR_TYPE) then print(tabString .. "bin op: " .. dq(self.token.type)) self.right:display(tabs + 1) self.left:display(tabs + 1) elseif (self.type == Node.NO_OP_TYPE) then print(tabString .. "no op") elseif (self.type == Node.ASSIGN_TYPE) then print(tabString .. "statement assign: " .. tostring(self.left.value) .. " sym: " .. dq(self.assignment_token.type)) self.right:display(tabs + 1) self.left:display(tabs + 1) elseif (self.type == Node.STATEMENT_LIST_TYPE) then print(tabString .. "STATEMENT LIST") for key,childNode in ipairs(self.children) do print(tabString .. key) childNode:display(tabs + 1) end elseif (self.type == Node.COMPARATOR_TYPE) then print(tabString .. "comparator op: " .. dq(self.token.type)) self.right:display(tabs + 1) self.left:display(tabs + 1) elseif (self.type == Node.NEGATION_TYPE) then print(tabString .. "negation: " .. dq(self.token.type)) self.expr:display(tabs + 1) elseif (self.type == Node.IF_TYPE) then print(tabString .. "if: " .. dq(self.token.type)) if self.conditional then self.conditional:display(tabs + 1, "CONDITIONAL: ") end if self.block then self.block:display(tabs + 1, "BLOCK: ") end if self.next_if then self.next_if:display(tabs + 2) end elseif (self.type == Node.FOR_TYPE) then if (self.isCollectionIteration) then print(tabString .. "for: " .. dq(self.token.type) .. " key var: " .. dq(self.iteratorKeyVar) .. " val var: " .. dq(self.iteratorValueVar) .. " collectionIteration: " .. dq(self.isCollectionIteration)) self.arrayExpr:display(tabs + 1, "ARRAY EXPR: ") else print(tabString .. "for: " .. dq(self.token.type) .. " enhanced: " .. dq(self.enhanced)) self.initializer:display(tabs + 1, "INITIALIZER: ") self.condition:display(tabs + 1, "CONDITIONAL: ") self.incrementer:display(tabs + 1, "INCREMENTER: ") end self.block:display(tabs + 2) elseif (self.type == Node.FUNCTION_CALL_TYPE) then print(tabString .. "func call on: " .. dq(self.token.cargo)) self.method_invocation:display(tabs + 1, "method: ") elseif (self.type == Node.METHOD_DEFINITION_TYPE) then print(tabString .. "method definition: " .. dq(self.method_name) .. " " .. self.num_arguments .. " args: " .. Util.set_to_string(self.arguments)) -- Recursively tell our block node to display itself -- at a (tabs + 1) deeper level self.block:display(tabs + 1, "BLOCK: ") elseif (self.type == Node.METHOD_INVOCATION_TYPE) then print(tabString .. "invocation " .. dq(self.method_name) .. " " .. self.num_arguments .. " args: " .. Util.set_to_string(self.arguments)) if self.next_method_invocation then self.next_method_invocation:display(tabs + 1, "Next method: ") end elseif (self.type == Node.RETURN_STATEMENT_TYPE) then print(tabString .. "return: " .. dq(self.token.type)) self.expr:display(tabs + 1) elseif (self.type == Node.BREAK_STATEMENT_TYPE) then print(tabString .. "break: " .. dq(self.token.type)) elseif (self.type == Node.CONTINUE_STATEMENT_TYPE) then print(tabString .. "continue: " .. dq(self.token.type)) elseif (self.type == Node.ARRAY_TYPE) then print(tabString .. "array constructor with args: " .. Util.set_to_string(self.arguments)) elseif (self.type == Node.ARRAY_INDEX_GET_TYPE) then print(tabString .. "array index get on var: " .. dq(self.identifier)) self.expr:display(tabs + 1) elseif (self.type == Node.ARRAY_INDEX_ASSIGN_TYPE) then print(tabString .. "statement array assign: " .. tostring(self.left.value) .. " sym: " .. dq(self.assignment_token.type)) self.left:display(tabs + 1, "IDENTIFIER: ") self.indexExpr:display(tabs + 1, "INDEX: ") self.right:display(tabs + 1, "ASSIGNMENT: ") elseif (self.type == Node.LOGICAL_OR_TYPE) then print(tabString .. "logical OR: " .. dq(self.token.type)) self.right:display(tabs + 1) self.left:display(tabs + 1) elseif (self.type == Node.LOGICAL_AND_TYPE) then print(tabString .. "logical AND: " .. dq(self.token.type)) self.right:display(tabs + 1) self.left:display(tabs + 1) else print("Unknown type. Can't display parse tree: " .. dq(self.type)) end end
local state = require "state" local button = require "button" local animation = require "animation" local game = state "game" local grid = require "grid" local down = false local width, height = getScreenDimensions() local player = grid.PLAYER_ONE local back = button( width / 2 - 100, height - 75, 200, 50, "< back" ) local title = love.graphics.newText( love.graphics.newFont( "res/font.otf", 30 ) ) title:setf( "Player ONE's turn", width, "center" ) function back:onClick() state.switchTo "main" end local buttons = { back } for i = 1, #buttons do buttons[i].font = love.graphics.newFont( "res/font.otf", 30 ) end local function switchPlayer() player = player == grid.PLAYER_ONE and grid.PLAYER_TWO or grid.PLAYER_ONE title:setf( player == grid.PLAYER_ONE and "Player ONE's turn" or "Player TWO's turn", width, "center" ) end function game:mousepressed( x, y, button ) if button == 1 then for i = #buttons, 1, -1 do if buttons[i]:mousedown( x, y ) then return end end down = true end end function game:mousereleased( x, y, button ) if button == 1 then for i = #buttons, 1, -1 do if buttons[i]:mouseup( x, y ) then return end end if down then if grid.activate( player, grid.getConnection( x, y ) ) then if grid.check( player ) then if grid.finished() then local winner = grid.getWinner() if winner == grid.PLAYER_ONE then print "Player ONE won!" require "states.finished" "Player ONE won!" elseif winner == grid.PLAYER_TWO then print "Player TWO won!" require "states.finished" "Player TWO won!" elseif winner == grid.PLAYER_NONE then print "It's a draw!" require "states.finished" "It's a draw!" end state.switchTo "finished" end else switchPlayer() end end end end end function game:update( dt ) animation.update( dt ) end function game:draw() grid.draw() love.graphics.setColor( 0, 0, 0, 200 ) love.graphics.draw( title, 0, 25 ) for i = 1, #buttons do buttons[i]:draw() end end function game.prep( width, height ) title:setf( "Player ONE's turn", getScreenWidth(), "center" ) player = grid.PLAYER_ONE grid.prep( width, height ) end
local settings = require "textadept-dev-tools.settings" local tools = require "textadept-dev-tools.tools" local tools_project = require "textadept-dev-tools.tools_project" local nav = require "textadept-dev-tools.navigation" -- Initialize local variables for navigation. -- view_buffer_state is used to control the prints from run- und build commands and the print from Findings. It stores 3 type of information: -- 1. the preferred_view where the printings should take place -- 2. the focus_view that had focus before printing -- 3. for every view before print it saves the current_buffer of the view (but only if it's no printing-buffer) local view_buffer_state={preferred_view = _VIEWS[settings.preferred_view_idx]} -- origin saves the buffer and position before a goto_keyline or goto_related_keyline is called: local origin={buffer = buffer, pos = buffer.current_pos} -- keybindings: local keys, OSX, GUI, CURSES, _L = keys, OSX, not CURSES, CURSES, _L if settings.select_word_extended_keybinding == true then keys[not OSX and (GUI and 'cD' or 'mW') or 'mD'] = tools.select_word_extended end if settings.join_lines_extended_keybinding == true then keys[not OSX and (GUI and 'cJ' or 'mj') or 'cj'] = tools.join_lines_extended end if settings.find_extended_keybinding == true then keys[not OSX and GUI and 'cf' or 'mf'] = tools.find_extended end if settings.cut_extended_keybinding == true then keys[not OSX and 'cx' or 'mx'] = tools.cut_extended end local goto_keyline_call=function() origin=tools.goto_keyline() end if settings.goto_keyline_keybinding == true then keys[not OSX and GUI and 'cg' or 'mg'] = goto_keyline_call end local goto_origin_call = function() tools.goto_origin(origin) end if settings.goto_origin_keybinding == true then keys[not OSX and GUI and 'cG' or 'mG']= goto_origin_call end -- Extension of Run- Compile- and Build-commands with detection of view_buffer_state: local run_extended_call = function() view_buffer_state=nav.prepare_print(view_buffer_state) textadept.run.run() end local compile_extended_call = function() view_buffer_state=nav.prepare_print(view_buffer_state) textadept.run.compile() end local build_extended_call = function() view_buffer_state=nav.prepare_print(view_buffer_state) textadept.run.build() end -- Extended keybindings for run- and compile-commands: if settings.run_extended_keybinding == true then keys[not OSX and 'cr' or 'mr'] = run_extended_call end if settings.compile_extended_keybinding == true then keys[not OSX and (GUI and 'cR' or 'cmr') or 'mR'] = compile_extended_call end if settings.build_extended_keybinding == true then keys[not OSX and (GUI and 'cB' or 'cmb') or 'mB'] = build_extended_call end -- Extension of the Escape-Keybinding with switching back from Print-Buffers. If switch_back_from_print_buffers returns false then the default keybinding takes effect: local switch_back = function() return nav.switch_back_from_print_buffers(view_buffer_state) end if settings.escape_extended_keybinding==true then keys['esc'] = switch_back or keys['esc'] end -- key-sequences (accessible via alt+d): keys['ad'] = {} keys['ad']['o'] = {} keys['ad']['o']['s'] = tools.open_settings keys['ad']['r'] = {} keys['ad']['r']['f'] = tools.rename_file keys['ad']['l'] = {} keys['ad']['l']['p'] = tools_project.load_project keys['ad']['n'] = {} keys['ad']['n']['p'] = tools_project.new_project --Adding project-item to menu: local SEPARATOR = {''} local dev_tools_menu = { title = 'Dev-Tools', {'Settings ...', tools.open_settings}, SEPARATOR, {'Rename File', tools.rename_file}, {'Goto Keyline', goto_keyline_call}, {'Goto Origin', goto_origin_call}, {'Find extended', tools.find_extended}, {'Select Word extended', tools.select_word_extended}, {'Join Lines extended', tools.join_lines_extended}, {'Cut extended', tools.cut_extended}, SEPARATOR, {title = 'Project', {'Load', tools_project.load_project}, {'New', tools_project.new_project}}, SEPARATOR, {'Run extended', run_extended_call}, {'Compile extended', compile_extended_call}, {'Build extended', build_extended_call} } local mbar = textadept.menu.menubar mbar[#mbar + 1] = dev_tools_menu textadept.menu.context_menu[#textadept.menu.context_menu + 1] = dev_tools_menu -- function to create additional Keybindings and Menu-items for project with project filename: local init_project=function(project_filename) -- dofile does a similar job like require, see lua-doc local project=dofile(tools_project.PROJECTS_DIR..project_filename) if project==nil then return end -- libs of Project: local lib_filepaths=tools_project.get_lib_filepaths(project) -- connection that ensures that files that are contained in lib_filepaths are opened read-only by default if settings.libs_read_only=true: events.connect(events.FILE_OPENED, function() if lib_filepaths[buffer.filename]==true then buffer.read_only = settings.libs_read_only end end) -- call functions for keybindings and menu-items: local unload_project_call = function() tools_project.unload_project() end local config_project_call = function() tools_project.configure_project() end local quick_open_project_call = function() io.quick_open(project.dir, project.filter) end local find_in_project_call = function() local search_text=tools_project.get_search_text('Find in Project') if search_text~=nil and search_text~='' then view_buffer_state=nav.prepare_print(view_buffer_state) tools_project.find_in_project(project, search_text) end end local find_replace_in_project_call = function() view_buffer_state=nav.prepare_print(view_buffer_state) tools_project.find_replace_in_project(project) end local find_in_libs_call = function() local search_text=tools_project.get_search_text('Find in Libraries') if search_text~=nil and search_text~='' then view_buffer_state=nav.prepare_print(view_buffer_state) tools_project.find_in_libs(project, search_text) end end local close_lib_buffers_call = function() tools_project.close_lib_buffers(lib_filepaths) end local goto_related_keyline_call = function() origin=tools_project.goto_related_keyline(project, settings.goto_lib) end local run_project_call = function() view_buffer_state=nav.prepare_print(view_buffer_state) tools_project.run_project(project) end local compile_project_call = function() view_buffer_state=nav.prepare_print(view_buffer_state) tools_project.compile_project(project) end local build_project_call = function() view_buffer_state=nav.prepare_print(view_buffer_state) tools_project.build_project(project) end -- project related keybindings (notice: run- and compile-keybindings are redirected): keys['ad']['u'] = {} keys['ad']['u']['p'] = unload_project_call keys['ad']['q'] = {} keys['ad']['c'] = {} keys['ad']['c']['p'] = config_project_call keys['ad']['q']['o'] = {} keys['ad']['q']['o']['p'] = quick_open_project_call keys['ad']['f'] = {} keys['ad']['f']['i'] = {} keys['ad']['f']['i']['p'] = find_in_project_call keys['ad']['r']['i'] = {} keys['ad']['r']['i']['p'] = tools_project.replace_in_project keys['ad']['f']['r'] = {} keys['ad']['f']['r']['i'] = {} keys['ad']['f']['r']['i']['p'] = find_replace_in_project_call keys['ad']['f']['i']['l'] = find_in_libs_call keys['ad']['c']['l'] = {} keys['ad']['c']['l']['b'] = close_lib_buffers_call keys['f12'] = goto_related_keyline_call if settings.run_extended_keybinding == true then keys[not OSX and 'cr' or 'mr'] = run_project_call end if settings.compile_extended_keybinding == true then keys[not OSX and (GUI and 'cR' or 'cmr') or 'mR'] = compile_project_call end if settings.build_extended_keybinding == true then keys[not OSX and (GUI and 'cB' or 'cmb') or 'mB'] = build_project_call end --Project menu add_items: dev_tools_menu[#dev_tools_menu-4]= {title = 'Project', {'Unload', unload_project_call}, {'New', tools_project.new_project}, {'Configure', config_project_call}, {'Quick open', quick_open_project_call}, SEPARATOR, {'Find in Project', find_in_project_call}, {'Replace in Project', tools_project.replace_in_project}, {'Find+Replace in Project', find_replace_in_project_call}, SEPARATOR, {'Find in Libraries', find_in_libs_call}, {'Close Library Buffers', close_lib_buffers_call}, SEPARATOR, {'Goto related Keyline', goto_related_keyline_call}, SEPARATOR, {'Run Project', run_project_call}, {'Compile Project', compile_project_call}, {'Build Project', build_project_call}} -- remove previous run-, compile- and build-keybindings from menu if there is a project: dev_tools_menu[#dev_tools_menu]=nil dev_tools_menu[#dev_tools_menu]=nil dev_tools_menu[#dev_tools_menu]=nil end -- initialization of current_project. If there is an error, show a dialog: local project_filename=tools_project.get_current_project() if project_filename~='' then local status, err = pcall(function() init_project(project_filename) end) if status==false then ui.dialogs.msgbox{title='Error', text='No valid project\n\n'..err} end end
--- The discord message class. -- It can be obtained either from a discord event, or by requesting a message by it's ID from the discord servers. -- @usage local fetchedMessage = discord.message("channel_id", "message_id") --The requested message. -- @classmod discord.message local discord = ... --Passed as an argument. local class = discord.class --Middleclass. local bit = discord.utilities.bit --Universal bit API. local band = bit.band local message = class("discord.structures.Message") --A function for verifying the arguments types of a method local function Verify(value, name, ...) local vt, types = type(value), {...} for _, t in pairs(types) do if vt == t or (t=="nil" and not value) then return end end --Verified successfully types = table.concat(types, "/") local emsg = string.format("%s should be %s, provided: %s", name, types, vt) error(emsg, 3) end --REST Request with proper error handling (uses error level 3) local function Request(endpoint, data, method, headers, useMultipart) local response_body, response_headers, status_code, status_line, failure_code, failure_line = discord.rest:request(endpoint, data, method, headers, useMultipart) if not response_body then error(response_headers, 3) else return response_body, response_headers, status_code, status_line end end --https://discord.com/developers/docs/resources/channel#message-object-message-flags local messageFlags = { [1] = "CROSSPOSTED", [2] = "IS_CROSSPOST", [4] = "SUPPRESS_EMBEDS" } --- Create a new message object. -- Either from an internal message data table, or by requesting the message data from discord servers. -- @tparam table|string data Either a message data table (from an internal api), or a `Guild ID` as a string. -- @tparam ?string messageID The `Message ID` as a string to fetch, only when `data` is a `Guild ID`. -- @raise Request error when fails to request the message from discord servers. function message:initialize(data, messageID) Verify(data, "data", "table", "string") if type(data) == "string" then Verify(messageID, "messageID", "string") local endpoint = string.format("/channels/%s/messages/%s", data, messageID) data = Request(endpoint) end --== Basic Fields ==-- --- Internal fields. -- @section internal_fields --- ID of the message (snowflake). self.id = discord.snowflake(data.id) --- ID of the channel the message was sent in (snowflake). self.channelID = discord.snowflake(data.channel_id) --- Contents of the message (string). self.content = data.content --- When the message was sent (number). self.timestamp = data.timestamp --- Whether this was a TTS message (boolean). self.tts = data.tts --- Where this message mentions everyone (boolean). self.mentionEveryone = data.mention_everyone --- Whether this message is pinned (boolean). self.pinned = data.pinned --- Type of message (string). self.type = discord.enums.messageTypes[data.type] --== Optional Fields ==-- --- Internal optional fields. -- @section internal_optional_fields --- The author of this message (not guaranteed to be a valid user) (user). -- @field self.author if data.author then self.author = discord.user(data.author) end --- ID of the guild the message was sent in (snowflake). -- @field self.guildID if data.guild_id then self.guildID = discord.snowflake(data.guild_id) end --- Member properties for this message's author (guild member). -- @field self.member if data.member then self.member = discord.guildMember(data.member) end --- When the message was edited (or null if never) (number). self.editedTimestamp = data.edited_timestamp --- Users specifically mentioned in the message (array of user objects). -- @field self.mentions if data.mentions then self.mentions = {} for id, udata in pairs(data.mentions) do self.mentions[id] = discord.user(udata) end end --- Roles specifically mentioned in this message (array of snowflake objects). -- @field self.mentionRoles if data.mention_roles then self.mentionRoles = {} for id, snowflake in pairs(data.mention_roles) do self.mentionRoles[id] = discord.snowflake(snowflake) end end --- Any attached files (array of attachment objects). -- @field self.attachments if data.attachments then self.attachments = {} for id, adata in pairs(data.attachments) do self.attachments[id] = discord.attachment(adata) end end --- Any embedded (array of embed objects). -- @field self.embeds if data.embeds then self.embeds = {} for id, edata in pairs(data.embeds) do self.embeds[id] = discord.embed(edata) end end --- Channels specifically mentioned in this message (array of channel mention objects). -- @field self.mentionChannels if data.mention_channels then self.mentionChannels = {} for id, cmdata in pairs(data.mention_channels) do self.mentionChannels[id] = discord.channelMention(cmdata) end end --- Reactions to the message (array of reaction objects). -- @field self.reactions if data.reactions then self.reactions = {} for id, rdata in pairs(data.reactions) do self.reactions[id] = discord.reaction(rdata) end end --- Used for validating a message was sent (snowflake). -- @field self.nonce if data.nonce then self.nonce = discord.snowflake(data.nonce) end --- If the message is generated by a webhook, this is the webhook's id (snowflake). -- @field self.webhookID if data.webhook_id then self.webhookID = discord.snowflake(data.webhook_id) end self.activity = data.activity --TODO: MESSAGE ACTIVITY OBJECT self.application = data.application --TODO: MESSAGE APPLICATION OBJECT self.messageReference = data.message_reference --TODO: MESSAGE REFERENCE OBJECT --- Message flags, describes extra features of the message (array of strings). -- @field self.flags if data.flags then self.flags = {} for b, flag in pairs(messageFlags) do if band(data.flags,b) > 0 then self.flags[#self.flags + 1] = flag end end end --- -- @section end end --== Methods ==-- --- Add a reaction to the message. -- @tparam string|discord.emoji emoji The reaction to add, either a string which is the name of a standard emoji (ex `sweat`), or an emoji object. -- @raise Request error on failure. function message:addReaction(emoji) Verify(emoji, "emoji", "table", "string") if type(emoji) == "string" then emoji = discord.utilities.message.emojis[emoji] or emoji else emoji = emoji:getName()..":"..emoji:getID() end local endpoint = string.format("/channels/%s/messages/%s/reactions/%s/@me", tostring(self.channelID), tostring(self.id), emoji) Request(endpoint, nil, "PUT") end --- Delete the message. -- @raise Request error on failure. function message:delete() local endpoint = string.format("/channels/%s/messages/%s", tostring(self.channelID), tostring(self.id)) Request(endpoint, nil, "DELETE") end --- Edits the message. -- @tparam ?string content The new message content, standard emojis are automatically replaced with their unicode character. -- @tparam ?discord.embed embed The new embed content of the message. -- @raise `Messages content can't be longer than 2000 characters!`, `Either content or embed parameter has to be present!` -- or request error on failure. function message:edit(content, embed) Verify(content, "content", "string", "nil") Verify(embed, "embed", "table", "nil") if content and #content > 2000 then return error("Messages content can't be longer than 2000 characters!") end if content then content = discord.utilities.message.patchEmojis(content) end if embed then embed = embed:getAll() end if not content and not embed then return error("Either content or embed parameter has to be present!") end local endpoint = string.format("/channels/%s/messages/%s", tostring(self.channelID), tostring(self.id)) return discord.message(Request(endpoint, {content = content or nil, embed = embed or nil}, "PATCH")) end --- Check if the message is pinned or not. -- @treturn ?boolean Whether the message is pinned or not, `nil` when not known. function message:isPinned() return self.pinned end --- Check if the message was sent with `text to speech`. -- @treturn ?boolean Whether the message was send with `text to speech` or not, `nil` when not known. function message:isTTS() return self.tts end --- Check if a user was mentioned or not in this message. -- @tparam discord.user user The user to check. -- @treturn boolean whether the user was mentioned or not. function message:isUserMentioned(user) Verify(user, "user", "table") if not self.mentions then return false end --Can't know for k,v in pairs(self.mentions) do if v == user then return true end end return false end --- Get the user object of the message's author. -- @treturn discord.user The author of the message. function message:getAuthor() return self.author end --- Get the list of attachments if there are any. -- @treturn ?{discord.attachment,...} The message's attachments, `nil` when there are none, or if not known. function message:getAttachments() if self.attachments then local attachments = {} for k,v in pairs(self.attachments) do attachments[k] = v end return attachments end end --- Get channel ID/snowflake of which the message was sent in. -- @treturn discord.snowflake The channel ID/snowflake. function message:getChannelID() return self.channelID end --- Get the message content. -- @treturn ?string The message content, or `nil` when it doesn't have content (embed only). function message:getContent() return self.content end --- Get the message embeds if there are any. -- @treturn ?{discord.embed,...} An array for embed objects. function message:getEmbeds() if self.embeds then local embeds = {} for k,v in pairs(self.embeds) do embeds[k] = v end return embeds end end --- Get the guild ID of the channel the message is sent in, would return nil for DM channels -- @treturn ?discord.snowflake The guild ID/snowflake for the channel the message was sent in, `nil` if it was sent in a DM channel. function message:getGuildID() return self.guildID end --- Get the ID/snowflake of the message -- @treturn discord.snowflake The ID/snowflake of the message. function message:getID() return self.id end --- Get the guild member of the message if the message was sent in a guild. -- @treturn ?discord.guild_member The guild member object. `nil` if it was not known, or in a DM channel. function message:getMember() return self.member end --- Get the list of specifically mentioned user. -- @treturn {discord.user,...} The mentioned users array, can be an empty table if we don't know which users are mentioned. function message:getMentions() if not self.mentions then return {} end --Can't know local mentions = {} for k,v in pairs(self.mentions) do mentions[k] = v end return mentions end --- Get a fake channel object for ONLY replying to the message. -- -- Only the channel ID has a proper value, and the channel type is just set into `GUILD_TEXT` for messages with guild ID -- , and into `DM` for other messages. -- -- Other channel fields are just nil. -- @treturn discord.channel A fake channel object to send a reply message using it. function message:getReplyChannel() return discord.channel{ id = tostring(self.channelID), type = discord.enums.channelTypes[self.guildID and "GUILD_TEXT" or "DM"] } end --- Get the timestamp of the message. -- @treturn number A `os.time()` timestamp as provided by discord. function message:getTimestamp() return self.timestamp end --- Returns the type of the message. -- @treturn string The type of the message. -- @see discord.enums.messageTypes function message:getType() return self.type end return message
GG.SB = {}
local env = require("tangerine.utils.env") local p = {} p.shortname = function(path) _G.assert((nil ~= path), "Missing argument path on fnl/tangerine/utils/path.fnl:12") return (path:match(".+/fnl/(.+)") or path:match(".+/lua/(.+)") or path:match(".+/(.+/.+)")) end p.resolve = function(path) _G.assert((nil ~= path), "Missing argument path on fnl/tangerine/utils/path.fnl:18") return vim.fn.resolve(vim.fn.expand(path)) end local vimrc_out = (env.get("target") .. "tangerine_vimrc.lua") p["from-x-to-y"] = function(path, _1_, _3_) local _arg_2_ = _1_ local from = _arg_2_[1] local ext1 = _arg_2_[2] local _arg_4_ = _3_ local to = _arg_4_[1] local ext2 = _arg_4_[2] _G.assert((nil ~= ext2), "Missing argument ext2 on fnl/tangerine/utils/path.fnl:28") _G.assert((nil ~= to), "Missing argument to on fnl/tangerine/utils/path.fnl:28") _G.assert((nil ~= ext1), "Missing argument ext1 on fnl/tangerine/utils/path.fnl:28") _G.assert((nil ~= from), "Missing argument from on fnl/tangerine/utils/path.fnl:28") _G.assert((nil ~= path), "Missing argument path on fnl/tangerine/utils/path.fnl:28") local from0 = env.get(from) local to0 = env.get(to) local path0 = path:gsub((ext1 .. "$"), ext2) if vim.startswith(path0, from0) then return path0:gsub(from0, to0) elseif "else" then return path0:gsub(("/" .. ext1 .. "/"), ("/" .. ext2 .. "/")) else return nil end end p.target = function(path) _G.assert((nil ~= path), "Missing argument path on fnl/tangerine/utils/path.fnl:38") local vimrc = env.get("vimrc") if (path == vimrc) then return vimrc_out elseif "else" then return p["from-x-to-y"](path, {"source", "fnl"}, {"target", "lua"}) else return nil end end p.source = function(path) _G.assert((nil ~= path), "Missing argument path on fnl/tangerine/utils/path.fnl:46") local vimrc = env.get("vimrc") if (path == vimrc_out) then return vimrc elseif "else" then return p["from-x-to-y"](path, {"target", "lua"}, {"source", "fnl"}) else return nil end end p["goto-output"] = function() local source = vim.fn.expand("%:p") local target = p.target(source) if ((1 == vim.fn.filereadable(target)) and (source ~= target)) then return vim.cmd(("edit" .. target)) elseif "else" then return print("[tangerine]: error in goto-output, target not readable.") else return nil end end p.wildcard = function(dir, pat) _G.assert((nil ~= pat), "Missing argument pat on fnl/tangerine/utils/path.fnl:72") _G.assert((nil ~= dir), "Missing argument dir on fnl/tangerine/utils/path.fnl:72") return vim.fn.glob((dir .. pat), 0, 1) end p["list-fnl-files"] = function() local source = env.get("source") local out = p.wildcard(source, "**/*.fnl") return out end p["list-lua-files"] = function() local target = env.get("target") local out = p.wildcard(target, "**/*.lua") return out end return p
local setmetatable = setmetatable local button = require( "awful.button" ) local beautiful = require( "beautiful" ) local naughty = require( "naughty" ) local tag = require( "awful.tag" ) local util = require( "awful.util" ) local tooltip2 = require( "radical.tooltip" ) local config = require( "forgotten" ) local themeutils = require( "blind.common.drawing" ) local wibox = require( "wibox" ) local color = require("gears.color") local capi = { image = image , widget = widget } local module = {} local function new(screen, args) local desktopPix = wibox.widget.imagebox() tooltip2(desktopPix,"Show Desktop",{down=true}) desktopPix:set_image(color.apply_mask(config.iconPath .. "tags/desk2.png")) desktopPix:buttons( util.table.join( button({ }, 1, function() tag.viewnone() end) )) return desktopPix end return setmetatable(module, { __call = function(_, ...) return new(...) end })
local gfx = require("/dynamic/helpers/mesh_helpers.lua") local band_color = 0xffffffff local radius = 25 function f1(angle) return 25 * math.cos(2*angle)-- + math.sin(3 * angle)) end function mesh_from_polar_function(f) computed_vertexes = {} local index = 0 local line = {} local colors = {} for angle = 0, math.pi * 2, 0.2 do local r = f(angle + 1) local x = math.cos(angle) * r local y = math.sin(angle) * r table.insert(computed_vertexes, {x, y, 2 * radius + 2 * math.abs(r)}) table.insert(line, index) table.insert(colors, band_color) index = index + 1 end -- Close the loop table.insert(line, 0) return { vertexes = computed_vertexes, segments = {line}, colors = colors } end mesh = mesh_from_polar_function(f1) for i = -1, 1, 1 do gfx.add_line_to_mesh(mesh, {{-radius, i, 0}, {radius, i, 0}, {radius, i, radius * 2}, {-radius, i, radius * 2}}, {band_color, band_color, band_color, band_color}, true) gfx.add_line_to_mesh(mesh, {{i, -radius, 0}, {i, radius, 0}, {i, radius, radius * 2}, {i, -radius, radius * 2}}, {band_color, band_color, band_color, band_color}, true) end local cube_mesh = gfx.new_mesh() gfx.add_cube_to_mesh(cube_mesh, {0,0,radius}, radius * 2, 0xffffffff) meshes = {cube_mesh, mesh}
-- local g = vim.g -- local map = vim.api.nvim_set_keymap -- local options = {noremap = true, silent = true} -- map('n', '<Leader><Space>', ':Rg<CR>', options) -- map('n', '<Leader>g', ':GFiles?<CR>', options) -- map('n', '<Leader>gc', ':Commits<CR>', options) -- map('n', '<Leader>bc', ':BCommits<CR>', options) -- map('n', '<Leader>f', ':Files<CR>', options) -- g.fzf_commits_log_options = "--color=always --graph --all --format=format:'%C(bold blue)%h%C(reset) - %C(bold green)(%ar)%C(reset) %C(bold white)%s%C(reset) %C(white)— %an%C(reset)%C(bold yellow)%d%C(reset)' --abbrev-commit --date=relative" -- vim.cmd('autocmd FileType fzf tnoremap <buffer> <Esc> <Esc>')
local function keypressed(key) if key == "escape" then love.event.quit() end end return { __love = { default = { keypressed = keypressed, }, }, }
-------------------------------- -- @module VisibleFrame -- @extend Frame -- @parent_module ccs -------------------------------- -- -- @function [parent=#VisibleFrame] isVisible -- @param self -- @return bool#bool ret (return value: bool) -------------------------------- -- -- @function [parent=#VisibleFrame] setVisible -- @param self -- @param #bool visible -------------------------------- -- -- @function [parent=#VisibleFrame] create -- @param self -- @return VisibleFrame#VisibleFrame ret (return value: ccs.VisibleFrame) -------------------------------- -- -- @function [parent=#VisibleFrame] clone -- @param self -- @return Frame#Frame ret (return value: ccs.Frame) -------------------------------- -- -- @function [parent=#VisibleFrame] VisibleFrame -- @param self return nil
-------------------------------------------------------------------------------- --[[ AttractField Creates a field that attracts particles. --]] -------------------------------------------------------------------------------- local CBE = require("CBE.CBE") -- Create the vent local vent = CBE.newVent({ positionType = "inRect", emitX = 0, emitY = 0, rectWidth = display.contentWidth, rectHeight = display.contentHeight }) -- Create the field local field = CBE.newField { onCollision = function(p, f) p:applyForce((f.x - p.x) * 0.01, (f.y - p.y) * 0.01) end } -- Link the field to the vent in one of three ways -- Way #1: vent:linkField(field) -- Way #2: field:linkVent(vent) - alias for vent.linkField(field) -- Way #3: In parameters for the field, put "targetVent = vent" -- Start both the vent and the field vent:start() field:start()
--Register with LibStub local MAJOR, MINOR = "Up_FloatingWindowSettingsMenu", 2 local LIB, _ = LibStub:NewLibrary(MAJOR, MINOR) if not LIB then return end -- avoid double loading. --- Settings menu for floating window. -- name of addon required by Up_AddonConfigurator. LIB.name = "Up_FloatingWindow_SettingsMenu" --- LibAddonMenu reference. local LibAddonMenu = LibStub:GetLibrary("LibAddonMenu-2.0") --- Data for LibAddonMenu. function LIB.createSettingsPanelInformation(name) return { type = "panel", name = name, displayName = name, author = "logmeinplease", version = "2", registerForRefresh = true, registerForDefaults = true, } end --- Returns new checkbox binded to specified addon settings for indicator enabled/disabled state. function LIB.createIndicatorToggleControl(iconSettings, defaultSettings) return { type = "checkbox", name = GetString(CONFIG_ENABLED_STATE_TOGGLE), tooltip = GetString(CONFIG_ENABLED_STATE_TOGGLE_TOOLTIP), getFunc = function() return iconSettings.Enabled end, setFunc = function(state) iconSettings.Enabled = state end, width = "full", --or "half" (optional) disabled = false, --or boolean (optional) warning = nil, --(optional) default = defaultSettings.Enabled, --(optional) reference = nil --(optional) unique global reference to control } end --- Returns new editbox binded to specified addon settings for icon path. function LIB.createIconPathConfigControl(iconSettings, defaultSettings) return { type = "editbox", name = GetString(CONFIG_ICON_TEXTURE_PATH), tooltip = GetString(CONFIG_ICON_TEXTURE_PATH_TOOLTIP), getFunc = function() return iconSettings.TexturePath end, setFunc = function(text) iconSettings.TexturePath = text end, isMultiline = true, --boolean width = "full", --or "half" (optional) disabled = false, --or boolean (optional) warning = nil, --(optional) default = defaultSettings.TexturePath, --(optional) reference = nil --(optional) unique global reference to control } end --- Returns new slider binded to specified addon settings for icon size. function LIB.createIconSizeConfigControl(iconSettings, defaultSettings) return { type = "slider", name = GetString(CONFIG_ICON_SIZE), tooltip = GetString(CONFIG_ICON_TEXTURE_PATH_TOOLTIP), min = 10, max = 50, step = 2, default = defaultSettings.Size, --(optional) getFunc = function() return iconSettings.Size end, setFunc = function(newValue) iconSettings.Size = newValue end } end --- Returns new editbox binded to specified addon settings for icon path. function LIB.createColorPickerControl(settings, defaultSettings) return { type = "colorpicker", name = GetString(CONFIG_WINDOW_BACKDROP_COLOR), tooltip = GetString(CONFIG_WINDOW_BACKDROP_COLOR_TOOLTIP), getFunc = function() return settings.Color.R, settings.Color.G, settings.Color.B, settings.Color.A end, setFunc = function(r, g, b, a) settings.Color.R = r; settings.Color.G = g; settings.Color.B = b; settings.Color.A = a end, width = "full", --or "half" (optional) disabled = false, --or boolean (optional) warning = GetString(CONFIG_UI_RELOAD_REQUIREMENT), default = { defaultSettings.Color.R, defaultSettings.Color.G, defaultSettings.Color.B, defaultSettings.Color.A }, reference = nil --(optional) unique global reference to control } end --- Returns default controls for any indicator with icon. function LIB.createIndicatorWithIconControls(iconSettings, defaultSettings) return { [1] = LIB.createIndicatorToggleControl(iconSettings, defaultSettings), [2] = LIB.createIconPathConfigControl(iconSettings, defaultSettings), [3] = LIB.createIconSizeConfigControl(iconSettings, defaultSettings), } end --- Creates settings menu for fence data provider. function LIB.createMenu(addon, optionsData, name) local settingsPanelInformation = LIB.createSettingsPanelInformation(name) local panelKey = addon.name .. "_Panel" addon.SettingsPanel = LibAddonMenu:RegisterAddonPanel(panelKey, settingsPanelInformation) LibAddonMenu:RegisterOptionControls(panelKey, optionsData) end
--[[ From https://github.com/victorso/.hammerspoon/blob/master/tools/clipboard.lua Converted to plugin by Diego Zamboni This is my attempt to implement a jumpcut replacement in Lua/Hammerspoon. It monitors the clipboard/pasteboard for changes, and stores the strings you copy to the transfer area. You can access this history on the menu (Unicode scissors icon). Clicking on any item will add it to your transfer area. If you open the menu while pressing option/alt, you will enter the Direct Paste Mode. This means that the selected item will be "typed" instead of copied to the active clipboard. The clipboard persists across launches. -> Ng irc suggestion: hs.settings.set("jumpCutReplacementHistory", clipboard_history) ]]-- local mod={} -- Feel free to change these settings mod.config = { -- Key binding clipboard_menu_key = { {"cmd", "shift"}, "v" }, -- Speed in seconds to check for clipboard changes. If you check -- too frequently, you will loose performance, if you check -- sparsely you will loose copies frequency = 0.8, -- How many items to keep on history hist_size = 100, -- How wide (in characters) the dropdown menu should be. Copies -- larger than this will have their label truncated and end with -- "…" (unicode for elipsis ...) label_length = 70, --asmagill request. If any application clears the pasteboard, we --also remove it from the history --https://groups.google.com/d/msg/hammerspoon/skEeypZHOmM/Tg8QnEj_N68J honor_clearcontent = false, -- Auto-type on click paste_on_select = false, -- Show item count in the menu item show_menu_counter = true, -- Show menu in the menubar show_in_menubar = true, -- Title to show on the menubar, if enabled above menubar_title = "\u{1F4CB}", -- Use hs.menubar or hs.chooser? use_chooser = (hs.chooser ~= nil), } -- Chooser/menu object mod.selectorobj = nil -- Cache for focused window to work around the current window losing focus after the chooser comes up mod.prevFocusedWindow = nil -- Don't change anything bellow this line local pasteboard = require("hs.pasteboard") -- http://www.hammerspoon.org/docs/hs.pasteboard.html local settings = require("hs.settings") -- http://www.hammerspoon.org/docs/hs.settings.html local last_change = pasteboard.changeCount() -- displays how many times the pasteboard owner has changed // Indicates a new copy has been made --Array to store the clipboard history local clipboard_history = settings.get("so.victor.hs.jumpcut") or {} --If no history is saved on the system, create an empty history -- Append a history counter to the menu function setTitle() if not mod.config.use_chooser then if ((#clipboard_history == 0) or (mod.config.show_menu_counter == false)) then -- Clipboard Emoji: http://emojipedia.org/clipboard/ mod.selectorobj:setTitle(mod.config.menubar_title) -- Unicode magic else mod.selectorobj:setTitle(mod.config.menubar_title .. " ("..#clipboard_history..")") -- updates the menu counter end end end function putOnPaste(value,key) if mod.prevFocusedWindow ~= nil then mod.prevFocusedWindow:focus() end if value == nil then return end if type(value) == "string" then pasteboard.setContents(value) else if type(value) == "table" then if value.image ~= nil then pasteboard.setImageContents(value.image) else pasteboard.setContents(value.text) end else if pasteboard.setImageContents ~= nil then pasteboard.setImageContents(value) end end end last_change = pasteboard.changeCount() if (mod.config.paste_on_select) then hs.eventtap.keyStroke({"cmd"}, "v") else if (key.alt == true) then -- If the option/alt key is active when clicking on the menu, perform a "direct paste", without changing the clipboard hs.eventtap.keyStroke({"cmd"}, "v") -- Defeating paste blocking http://www.hammerspoon.org/go/#pasteblock end end end -- Clears the clipboard and history function clearAll() pasteboard.clearContents() clipboard_history = {} settings.set("so.victor.hs.jumpcut",clipboard_history) now = pasteboard.changeCount() setTitle() end -- Clears the last added to the history function clearLastItem() table.remove(clipboard_history,#clipboard_history) settings.set("so.victor.hs.jumpcut",clipboard_history) now = pasteboard.changeCount() setTitle() end function pasteboardToClipboard(item) -- Loop to enforce limit on qty of elements in history. Removes the oldest items while (#clipboard_history >= mod.config.hist_size) do table.remove(clipboard_history,1) end table.insert(clipboard_history, item) settings.set("so.victor.hs.jumpcut",clipboard_history) -- updates the saved history setTitle() -- updates the menu counter end -- Dynamic menu by cmsj https://github.com/Hammerspoon/hammerspoon/issues/61#issuecomment-64826257 populateMenubar = function(key) setTitle() -- Update the counter every time the menu is refreshed menuData = {} if (#clipboard_history == 0) then table.insert(menuData, {title="None", disabled = true}) -- If the history is empty, display "None" else for k,v in pairs(clipboard_history) do if (type(v) == "string" and string.len(v) > mod.config.label_length) then table.insert(menuData,1, {title=string.sub(v,0,mod.config.label_length).."…", fn = function() putOnPaste(v,key) end }) -- Truncate long strings else if type(v) == "userdata" then table.insert(menuData,1, {title="(image)", fn = function() putOnPaste(v,key) end }) else table.insert(menuData,1, {title=v, fn = function() putOnPaste(v,key) end }) end end -- end if else end-- end for end-- end if else -- footer table.insert(menuData, {title="-"}) table.insert(menuData, {title="Clear All", fn = function() clearAll() end }) if (key.alt == true or mod.config.paste_on_select) then table.insert(menuData, {title="Direct Paste Mode ✍", disabled=true}) end return menuData end populateChooser = function(key) menuData = {} if (#clipboard_history == 0) then table.insert(menuData, {text="", subtext = "Clipboard history is empty"}) -- If the history is empty, display "None" else for k,v in pairs(clipboard_history) do if (type(v) == "string") then table.insert(menuData,1, {text=v, subText=""}) else if type(v) == "userdata" then table.insert(menuData,1, {text="(image)", subText = "", image=v }) else table.insert(menuData,1, {text=v, subText = ""}) end end -- end if else end-- end for end-- end if else -- footer -- table.insert(menuData, {title="-"}) -- table.insert(menuData, {title="Clear All", fn = function() clearAll() end }) -- if (key.alt == true or mod.config.paste_on_select) then -- table.insert(menuData, {title="Direct Paste Mode ✍", disabled=true}) -- end return menuData end -- If the pasteboard owner has changed, we add the current item to our history and update the counter. function storeCopy() now = pasteboard.changeCount() if (now > last_change) then current_clipboard = pasteboard.getContents() logger.df("current_clipboard (text) = %s", current_clipboard) if (current_clipboard == nil) and (pasteboard.getImageContents ~= nil) then pcall(function() current_clipboard = pasteboard.getImageContents() end) logger.df("current_clipboard (image) = %s", current_clipboard) end -- asmagill requested this feature. It prevents the history from keeping items removed by password managers if (current_clipboard == nil and mod.config.honor_clearcontent) then clearLastItem() else logger.df("Adding %s to clipboard history", current_clipboard) pasteboardToClipboard(current_clipboard) end last_change = now end end function mod.init() if mod.config.use_chooser then mod.selectorobj = hs.chooser.new(putOnPaste) mod.selectorobj:choices(populateChooser) omh.bind(mod.config.clipboard_menu_key, function() logger.d("Refreshing chooser choices") mod.selectorobj:refreshChoicesCallback() logger.d("Storing currently focused window") mod.prevFocusedWindow = hs.window.focusedWindow() logger.d("Calling mod.selectorobj:show()") mod.selectorobj:show() end) else mod.selectorobj = hs.menubar.new(mod.config.show_in_menubar) mod.selectorobj:setTooltip("Clipboard history") mod.selectorobj:setMenu(populateMenubar) omh.bind(mod.config.clipboard_menu_key, function() mod.selectorobj:popupMenu(hs.mouse.getAbsolutePosition()) end) end --Checks for changes on the pasteboard. Is it possible to replace with eventtap? timer = hs.timer.new(mod.config.frequency, storeCopy) timer:start() setTitle() --Avoid wrong title if the user already has something on his saved history end return mod
-- ========== THIS IS AN AUTOMATICALLY GENERATED FILE! ========== PlaceObj('StoryBit', { ActivationEffects = { PlaceObj('MalfunctionRocket', { 'Resource', "Electronics", 'Amount', 10000, }), }, Category = "RocketManualLaunch", Effects = { PlaceObj('RewardSupplyPods', { 'Amount', "<freesupplypods>", }), PlaceObj('RewardFunding', { 'Amount', "<extrafunding>", }), }, Enabled = true, Enables = { "Boost17_Shortcircuit_Success", }, Image = "UI/Messages/rocket_1.tga", NotificationText = "", Prerequisites = { PlaceObj('IsSolInRange', { 'Min', 2, 'Max', 30, }), PlaceObj('CheckObjectCount', { 'Label', "Building", 'Filters', {}, 'Condition', ">=", 'Amount', 3, }), PlaceObj('CheckObjectCount', { 'Label', "Colonist", 'Filters', {}, 'Condition', "<=", 'Amount', 0, }), }, ScriptDone = true, Text = T(322756072947, --[[StoryBit Boost17_Shortcircuit Text]] "Quick troubleshooting reveals that a short-circuit has completely fried the board computer, leaving the Rocket in a damaged state.\n\nYou quickly notify the Sponsor of the potentially disastrous consequences of the failed rocket launch. Luckily, they lose no time in green lighting <freesupplypods> free Supply Pods and <funding(extrafunding)> in funding to help the mission through this situation."), TextReadyForValidation = true, TextsDone = true, Title = T(492449281236, --[[StoryBit Boost17_Shortcircuit Title]] "Rocket Short-circuit"), Trigger = "RocketManualLaunch", VoicedText = T(747533208220, --[[voice:narrator]] "The whole board flares up in red warning signs. Emergency rocket launch abort initiated!"), group = "Pre-Founder Stage", id = "Boost17_Shortcircuit", qa_info = PlaceObj('PresetQAInfo', { data = { { action = "Modified", time = 1550049900, user = "Boyan", }, { action = "Modified", time = 1550491863, user = "Boyan", }, { action = "Modified", time = 1550493467, user = "Blizzard", }, { action = "Modified", time = 1551964908, user = "Radomir", }, }, }), PlaceObj('StoryBitParamNumber', { 'Name', "freesupplypods", 'Value', 5, }), PlaceObj('StoryBitParamFunding', { 'Name', "extrafunding", 'Value', 500000000, }), })
local music = nil; local doors = {}; player0 = nil; sarge = scene:getObjects("sarge0")[1]; cam0 = scene:getObjects("cam0")[1]; function startMusic(name, crossfade) local newMusic = audio:createStream(name); newMusic.loop = true; newMusic.isMusic = true; if crossfade then audio:crossfade(music, newMusic, 0.5, 0.5, 0.3); else if music ~= nil then music:stop(); end newMusic:play(); end music = newMusic; end function stopMusic(crossfade) if music ~= nil then if crossfade then audio:crossfade(music, nil, 0.5, 0.5, 0.3); else music:stop(); end end music = nil; end function openDoor(name) if doors[name] ~= nil then cancelTimeout(doors[name].cookie); doors[name] = nil; end local inst = scene:getInstances(name)[1]; local j = findJoint(inst.joints, "door1_left_joint"); if j:getJointTranslation() >= j.upperLimit then j.motorSpeed = math.abs(j.motorSpeed); return; end doors[name] = {}; j.motorSpeed = math.abs(j.motorSpeed); doors[name].cookie = addTimeout0(function(cookie, dt) if (j:getJointTranslation() >= j.upperLimit) then cancelTimeout(cookie); doors[name] = nil; end end); end function closeDoor(name, haveSound) if doors[name] ~= nil then cancelTimeout(doors[name].cookie); doors[name] = nil; end local inst = scene:getInstances(name)[1]; local j = findJoint(inst.joints, "door1_left_joint"); if j:getJointTranslation() <= j.lowerLimit then j.motorSpeed = -math.abs(j.motorSpeed); return; end doors[name] = {}; j.motorSpeed = -math.abs(j.motorSpeed); doors[name].cookie = addTimeout0(function(cookie, dt) if (j:getJointTranslation() <= j.lowerLimit) then cancelTimeout(cookie); doors[name] = nil; end end); end function makeDoor(name, opened) local inst = scene:getInstances(name)[1]; scene:addGearJoint(findObject(inst.objects, "door1_left"), findObject(inst.objects, "door1_right"), findJoint(inst.joints, "door1_left_joint"), findJoint(inst.joints, "door1_right_joint"), -1, false); if opened then openDoor(name, false); end end function makeDoorTrigger(sensorName, name) setSensorListener(sensorName, function(other, self) if self.num == 0 then openDoor(name, true); end self.num = self.num + 1; end, function (other, self) self.num = self.num - 1; if self.num == 0 then closeDoor(name, true); end end, { num = 0 }); end local function setupCam() local rc = cam0:findRenderQuadComponents("rec")[1]; local anim = AnimationComponent(rc.drawable); anim:addAnimation(const.AnimationDefault, "cam_rec", 1); anim:startAnimation(const.AnimationDefault); cam0:addComponent(anim); cam0.rcs = cam0:findRenderQuadComponents(); for _, rc in pairs(cam0.rcs) do rc.myPos = rc.pos; rc.myHeight = rc.height; end end function startCam(target, zoom) for _, rc in pairs(cam0.rcs) do rc.pos = (zoom / 35) * rc.myPos; rc.height = (zoom / 35) * rc.myHeight; end local sat = createSaturation(-200, 200, 0.2); local bg = factory:createBackground("cam_lines1.png", (1280 / 27) * (zoom / 35), (720 / 27) * (zoom / 35), vec2(0, 0), 220); scene:addObject(bg); cam0.pos = scene:getObjects(target)[1].pos; scene.camera:findCameraComponent():setConstraint(vec2(0, 0), vec2(0, 0)); scene.camera:findCameraComponent().target = cam0; return {sat, bg}; end function stopCam(cookie) cookie[1]:removeFromParent(); cookie[2]:removeFromParent(); end function createStatic1Background(zorder) local bg = factory:createBackground("static1/0.png", 20, 20, vec2(0, 0), zorder); scene:addObject(bg); local rc = bg:findRenderBackgroundComponent(); local display = AnimationComponent(rc.drawable); display:addAnimation(const.AnimationDefault, "static1", 1); display:startAnimation(const.AnimationDefault); bg:addComponent(display); return bg; end function setupBgAir() local bg = {}; local scl = 5.0; bg[1] = factory:createBackground("ground1.png", 20, 20, vec2(0.2, 0.2), const.zOrderBackground); bg[1]:findRenderBackgroundComponent().color = {0.8, 0.8, 0.8, 1.0}; scene:addObject(bg[1]); bg[2] = factory:createBackground("fog.png", 544 / scl / 2, 416 / scl / 2, vec2(10.0, 1.0), const.zOrderBackground + 1) bg[2]:findRenderBackgroundComponent().unbound = true; bg[2]:findRenderBackgroundComponent().color = {1.0, 1.0, 1.0, 0.6}; scene:addObject(bg[2]); bg[3] = factory:createBackground("fog.png", 544 / scl / 1.5, 416 / scl / 1.5, vec2(15.0, 1.0), const.zOrderBackground + 2) bg[3]:findRenderBackgroundComponent().unbound = true; bg[3]:findRenderBackgroundComponent().color = {1.0, 1.0, 1.0, 0.7}; bg[3]:findRenderBackgroundComponent().offset = vec2(0, 416 / scl / 1.5 / 2); scene:addObject(bg[3]); bg[4] = factory:createBackground("fog.png", 544 / scl, 416 / scl, vec2(30.0, 1.0), 110) bg[4]:findRenderBackgroundComponent().unbound = true; bg[4]:findRenderBackgroundComponent().color = {1.0, 1.0, 1.0, 0.8}; scene:addObject(bg[4]); return bg; end -- main scene.camera:findCameraComponent():zoomTo(35, const.EaseLinear, 0); scene.lighting.ambientLight = {0.0, 0.0, 0.0, 1.0}; math.randomseed(os.time()); setupCam(); if not scene.playable then scene.cutscene = true; player0 = factory:createPlayer(); player0:findPlayerComponent().haveGun = false; if settings.developer >= 2 then player0:setTransform(scene:getObjects("player2")[1]:getTransform()); else player0:setTransform(scene:getObjects("player"..settings.developer)[1]:getTransform()); end scene:addObject(player0); local invC = player0:findInvulnerabilityComponent(); if invC ~= nil then invC:removeFromParent(); end scene.camera:findCameraComponent().target = player0; end startMusic("ambient1.ogg", false); require("e1m1_part0"); require("e1m1_part1"); require("e1m1_part2"); require("e1m1_part3"); require("e1m1_part4"); require("e1m1_part5"); if settings.developer == 2 then if not scene.playable then startFootage1(); end end if settings.developer == 3 then if scene.playable then scene.lighting.ambientLight = {0.4, 0.4, 0.4, 1.0}; scene.camera:findCameraComponent():zoomTo(45, const.EaseLinear, 0); else startFootage2(); end end if settings.developer == 4 then if scene.playable then scene.lighting.ambientLight = {0.4, 0.4, 0.4, 1.0}; scene.camera:findCameraComponent():zoomTo(45, const.EaseLinear, 0); setupBgAir(); else startFootage3(); end end if settings.developer == 5 then if scene.playable then scene.lighting.ambientLight = {0.2, 0.2, 0.2, 1.0}; scene.camera:findCameraComponent():zoomTo(35, const.EaseLinear, 0); else startFootage4(); end end if settings.developer == 6 then if not scene.playable then startFootage5(); end end
ITEM.name = "Makarov PM" ITEM.desc = "A pre-war handgun that fires 9x18 Makarov Rounds" ITEM.model = "models/weapons/w_stalker_makarov.mdl" ITEM.class = "stalker_makarov" ITEM.weaponCategory = "sidearm" ITEM.width = 2 ITEM.height = 1 ITEM.price = 300
local mod = DBM:NewMod(2157, "DBM-Party-BfA", 8, 1001) local L = mod:GetLocalizedStrings() mod:SetRevision(("$Revision: 18044 $"):sub(12, -3)) mod:SetCreatureID(131318) mod:SetEncounterID(2111) mod:SetZone() mod:RegisterCombat("combat") mod:RegisterEventsInCombat( "SPELL_CAST_START 260879 260894 264757 264603" ) --TODO, Blood mirror timer local specWarnBloodBolt = mod:NewSpecialWarningInterrupt(260879, "HasInterrupt", nil, nil, 1, 2) local specWarnCreepingRot = mod:NewSpecialWarningDodge(260894, nil, nil, nil, 2, 2) local specWarnSanguineFeast = mod:NewSpecialWarningDodge(264757, nil, nil, nil, 2, 2) --local specWarnGTFO = mod:NewSpecialWarningGTFO(238028, nil, nil, nil, 1, 8) --TODO: Use NewNextSourceTimer to split adds from boss local timerBloodBoltCD = mod:NewCDTimer(6.1, 260879, nil, nil, nil, 4, nil, DBM_CORE_INTERRUPT_ICON) local timerCreepingRotCD = mod:NewNextTimer(15.8, 260894, nil, nil, nil, 3) local timerSanguineFeastCD = mod:NewNextTimer(30, 264757, nil, nil, nil, 3, nil, DBM_CORE_HEROIC_ICON) local timerBloodMirrorCD = mod:NewCDTimer(47.4, 264603, nil, nil, nil, 1, nil, DBM_CORE_DAMAGE_ICON)--47.4-49.8 mod:AddInfoFrameOption(260685, "Healer") function mod:OnCombatStart(delay) --timerBloodBoltCD:Start(1-delay)--Instantly timerCreepingRotCD:Start(12.2-delay) timerBloodMirrorCD:Start(15.8-delay) if not self:IsNormal() then--Exclude normal, but allow heroic/mythic/mythic+ timerSanguineFeastCD:Start(6.8-delay) end if self.Options.InfoFrame then DBM.InfoFrame:SetHeader(DBM:GetSpellInfo(260685)) DBM.InfoFrame:Show(5, "playerdebuffstacks", 260685, 1) end end function mod:OnCombatEnd() if self.Options.InfoFrame then DBM.InfoFrame:Hide() end end function mod:SPELL_CAST_START(args) local spellId = args.spellId if spellId == 260879 and self:CheckInterruptFilter(args.sourceGUID, false, true) then specWarnBloodBolt:Show(args.sourceName) specWarnBloodBolt:Play("kickcast") local cid = self:GetCIDFromGUID(args.sourceGUID) if cid == 131318 then--Main boss timerBloodBoltCD:Start() else end elseif spellId == 260894 and self:AntiSpam(3, 1) then specWarnCreepingRot:Show() specWarnCreepingRot:Play("watchwave") local cid = self:GetCIDFromGUID(args.sourceGUID) if cid == 131318 then--Main boss timerCreepingRotCD:Start() else end elseif spellId == 264757 then specWarnSanguineFeast:Show() specWarnSanguineFeast:Play("watchstep") local cid = self:GetCIDFromGUID(args.sourceGUID) if cid == 131318 then--Main boss timerSanguineFeastCD:Start() else end elseif spellId == 264603 then timerBloodMirrorCD:Start() end end --[[ function mod:SPELL_PERIODIC_DAMAGE(_, _, _, _, destGUID, _, _, _, spellId) if spellId == 228007 and destGUID == UnitGUID("player") and self:AntiSpam(2, 4) then specWarnGTFO:Show() specWarnGTFO:Play("watchfeet") end end mod.SPELL_PERIODIC_MISSED = mod.SPELL_PERIODIC_DAMAGE function mod:UNIT_DIED(args) local cid = self:GetCIDFromGUID(args.destGUID) if cid == 124396 then end end function mod:UNIT_SPELLCAST_SUCCEEDED(uId, _, spellId) if spellId == 257939 then end end --]]
local gears = require("gears") local wibox = require("wibox") local config_dir = "~/.config/awesome/" local res_dir = config_dir.."res/" --------------------------- -- Default awesome theme -- --------------------------- local theme_assets = require("beautiful.theme_assets") local xresources = require("beautiful.xresources") local dpi = xresources.apply_dpi local gfs = require("gears.filesystem") local gears = require("gears") local themes_path = gfs.get_themes_dir() local helpers = require("helpers") local theme = {} theme.font = "Roboto" theme.bg_normal = "#222222" theme.bg_focus = "#535d6c" theme.bg_urgent = "#ff0000" theme.bg_minimize = "#444444" theme.bg_systray = theme.bg_normal theme.fg_normal = "#aaaaaa" theme.fg_focus = "#ffffff" theme.fg_urgent = "#ffffff" theme.fg_minimize = "#ffffff" theme.useless_gap = dpi(0) theme.border_width = dpi(1) theme.border_normal = "#000000" theme.border_focus = "#535d6c" theme.border_marked = "#91231c" -- There are other variable sets -- overriding the default one when -- defined, the sets are: -- taglist_[bg|fg]_[focus|urgent|occupied|empty|volatile] -- tasklist_[bg|fg]_[focus|urgent] -- titlebar_[bg|fg]_[normal|focus] -- tooltip_[font|opacity|fg_color|bg_color|border_width|border_color] -- mouse_finder_[color|timeout|animate_timeout|radius|factor] -- prompt_[fg|bg|fg_cursor|bg_cursor|font] -- hotkeys_[bg|fg|border_width|border_color|shape|opacity|modifiers_fg|label_bg|label_fg|group_margin|font|description_font] -- Example: --theme.taglist_bg_focus = "#ff0000" -- Generate taglist squares: local taglist_square_size = dpi(4) theme.taglist_squares_sel = theme_assets.taglist_squares_sel( taglist_square_size, theme.fg_normal ) theme.taglist_squares_unsel = theme_assets.taglist_squares_unsel( taglist_square_size, theme.fg_normal ) -- Variables set for theming notifications: -- notification_font -- notification_[bg|fg] -- notification_[width|height|margin] -- notification_[border_color|border_width|shape|opacity] -- Variables set for theming the menu: -- menu_[bg|fg]_[normal|focus] -- menu_[border_color|border_width] theme.menu_submenu_icon = themes_path.."default/submenu.png" theme.menu_height = dpi(15) theme.menu_width = dpi(100) -- You can add as many variables as -- you wish and access them by using -- beautiful.variable in your rc.lua --theme.bg_widget = "#cc0000" -- Define the image to load theme.titlebar_minimize_button_normal = themes_path.."default/titlebar/minimize_normal.png" theme.titlebar_minimize_button_focus = themes_path.."default/titlebar/minimize_focus.png" theme.titlebar_sticky_button_normal_inactive = themes_path.."default/titlebar/sticky_normal_inactive.png" theme.titlebar_sticky_button_focus_inactive = themes_path.."default/titlebar/sticky_focus_inactive.png" theme.titlebar_sticky_button_normal_active = themes_path.."default/titlebar/sticky_normal_active.png" theme.titlebar_sticky_button_focus_active = themes_path.."default/titlebar/sticky_focus_active.png" theme.wallpaper = themes_path.."default/background.png" -- You can use your own layout icons like this: theme.layout_fairh = themes_path.."default/layouts/fairhw.png" theme.layout_fairv = themes_path.."default/layouts/fairvw.png" theme.layout_floating = themes_path.."default/layouts/floatingw.png" theme.layout_magnifier = themes_path.."default/layouts/magnifierw.png" theme.layout_max = themes_path.."default/layouts/maxw.png" theme.layout_fullscreen = themes_path.."default/layouts/fullscreenw.png" theme.layout_tilebottom = themes_path.."default/layouts/tilebottomw.png" theme.layout_tileleft = themes_path.."default/layouts/tileleftw.png" theme.layout_tile = themes_path.."default/layouts/tilew.png" theme.layout_tiletop = themes_path.."default/layouts/tiletopw.png" theme.layout_spiral = themes_path.."default/layouts/spiralw.png" theme.layout_dwindle = themes_path.."default/layouts/dwindlew.png" theme.layout_cornernw = themes_path.."default/layouts/cornernww.png" theme.layout_cornerne = themes_path.."default/layouts/cornernew.png" theme.layout_cornersw = themes_path.."default/layouts/cornersww.png" theme.layout_cornerse = themes_path.."default/layouts/cornersew.png" -- Generate Awesome icon: theme.awesome_icon = theme_assets.awesome_icon( theme.menu_height, theme.bg_focus, theme.fg_focus ) -- Define the icon theme for application icons. If not set then the icons -- from /usr/share/icons and /usr/share/icons/hicolor will be used. theme.icon_theme = nil -- ███╗ ███╗██╗███████╗ ██████╗ -- ████╗ ████║██║██╔════╝██╔════╝ -- ██╔████╔██║██║███████╗██║ -- ██║╚██╔╝██║██║╚════██║██║ -- ██║ ╚═╝ ██║██║███████║╚██████╗ -- ╚═╝ ╚═╝╚═╝╚══════╝ ╚═════╝ local main_bg = "#131313" theme.border_width = 0 theme.border_focus = "#A8D5E0" theme.border_normal = main_bg theme.font = "Roboto,Font Awesome 5 Free Solid 11" local text_color = '#bbbbbb' -- Menu theme.menu_width = 200 theme.menu_height = 20 theme.menu_submenu_icon = nil -- Wibox theme.taglist_squares_sel = nil theme.taglist_squares_unsel = nil theme.wibar_fg = text_color theme.wibar_bg = main_bg theme.bg_systray = main_bg theme.taglist_fg_focus = "#121212" theme.taglist_bg_focus = "#caa9fa" theme.taglist_bg_focus2 = "#ad94d0" theme.taglist_fg_empty = "#6a7066" -- theme.taglist_bg_empty = "#12121200" theme.taglist_bg_empty = main_bg theme.taglist_bg_occupied = theme.taglist_bg_empty theme.taglist_fg_urgent = "#121212" theme.taglist_bg_urgent = "#d35d6e" theme.taglist_spacing = 0 theme.taglist_shape_focus = helpers.rrect(5) theme.taglist_shape_empty = helpers.rrect(5) theme.taglist_shape = helpers.rrect(5) -- theme.taglist_shape_border_width = 10 theme.tasklist_bg_normal = main_bg theme.tasklist_bg_focus = "#303030" theme.tasklist_bg_minimize = "#A8D5E0" theme.tasklist_shape = helpers.rrect(5) theme.tasklist_disable_task_name = true theme.tasklist_shape_border_width = 0 theme.tasklist_bg_urgent = theme.taglist_bg_urgent -- ████████╗██╗████████╗██╗ ███████╗██████╗ █████╗ ██████╗ ███████╗ -- ╚══██╔══╝██║╚══██╔══╝██║ ██╔════╝██╔══██╗██╔══██╗██╔══██╗██╔════╝ -- ██║ ██║ ██║ ██║ █████╗ ██████╔╝███████║██████╔╝███████╗ -- ██║ ██║ ██║ ██║ ██╔══╝ ██╔══██╗██╔══██║██╔══██╗╚════██║ -- ██║ ██║ ██║ ███████╗███████╗██████╔╝██║ ██║██║ ██║███████║ -- ╚═╝ ╚═╝ ╚═╝ ╚══════╝╚══════╝╚═════╝ ╚═╝ ╚═╝╚═╝ ╚═╝╚══════╝ -- Titlebars theme.titlebar_fg_focus = text_color theme.titlebar_fg_normal =text_color theme.titlebar_bg_focus = "#1F2021" theme.titlebar_bg_normal = main_bg local btn_dir = res_dir.."btn2/" theme.titlebar_close_button_normal = btn_dir.."close.png" theme.titlebar_close_button_normal_hover = btn_dir.."close2.png" theme.titlebar_close_button_normal_press = btn_dir.."close3.png" theme.titlebar_close_button_focus = btn_dir.."close.png" theme.titlebar_close_button_focus_hover = btn_dir.."close2.png" theme.titlebar_close_button_focus_press = btn_dir.."close3.png" theme.titlebar_floating_button_normal = btn_dir.."retr.png" theme.titlebar_floating_button_normal_active = btn_dir.."retr3.png" theme.titlebar_floating_button_normal_active_hover = btn_dir.."retr2.png" theme.titlebar_floating_button_normal_active_press = btn_dir.."retr3.png" theme.titlebar_floating_button_normal_inactive = btn_dir.."retr.png" theme.titlebar_floating_button_normal_inactive_hover = btn_dir.."retr2.png" theme.titlebar_floating_button_normal_inactive_press = btn_dir.."retr3.png" theme.titlebar_floating_button_focus = btn_dir.."retr.png" theme.titlebar_floating_button_focus_active = btn_dir.."retr3.png" theme.titlebar_floating_button_focus_active_hover = btn_dir.."retr2.png" theme.titlebar_floating_button_focus_active_press = btn_dir.."retr3.png" theme.titlebar_floating_button_focus_inactive = btn_dir.."retr.png" theme.titlebar_floating_button_focus_inactive_hover = btn_dir.."retr2.png" theme.titlebar_floating_button_focus_inactive_press = btn_dir.."retr3.png" theme.titlebar_maximized_button_normal = btn_dir.."exp.png" theme.titlebar_maximized_button_normal_active = btn_dir.."exp3.png" theme.titlebar_maximized_button_normal_active_hover = btn_dir.."exp2.png" theme.titlebar_maximized_button_normal_active_press = btn_dir.."exp3.png" theme.titlebar_maximized_button_normal_inactive = btn_dir.."exp.png" theme.titlebar_maximized_button_normal_inactive_hover = btn_dir.."exp2.png" theme.titlebar_maximized_button_normal_inactive_press = btn_dir.."exp3.png" theme.titlebar_maximized_button_focus = btn_dir.."exp.png" theme.titlebar_maximized_button_focus_active = btn_dir.."exp3.png" theme.titlebar_maximized_button_focus_active_hover = btn_dir.."exp2.png" theme.titlebar_maximized_button_focus_active_press = btn_dir.."exp3.png" theme.titlebar_maximized_button_focus_inactive = btn_dir.."exp.png" theme.titlebar_maximized_button_focus_inactive_hover = btn_dir.."exp2.png" theme.titlebar_maximized_button_focus_inactive_press = btn_dir.."exp3.png" theme.titlebar_sticky_button_normal = btn_dir.."pin.png" theme.titlebar_sticky_button_normal_active = btn_dir.."pin3.png" theme.titlebar_sticky_button_normal_active_hover = btn_dir.."pin2.png" theme.titlebar_sticky_button_normal_active_press = btn_dir.."pin3.png" theme.titlebar_sticky_button_normal_inactive = btn_dir.."pin.png" theme.titlebar_sticky_button_normal_inactive_hover = btn_dir.."pin2.png" theme.titlebar_sticky_button_normal_inactive_press = btn_dir.."pin3.png" theme.titlebar_sticky_button_focus = btn_dir.."pin.png" theme.titlebar_sticky_button_focus_active = btn_dir.."pin3.png" theme.titlebar_sticky_button_focus_active_hover = btn_dir.."pin2.png" theme.titlebar_sticky_button_focus_active_press = btn_dir.."pin3.png" theme.titlebar_sticky_button_focus_inactive = btn_dir.."pin.png" theme.titlebar_sticky_button_focus_inactive_hover = btn_dir.."pin2.png" theme.titlebar_sticky_button_focus_inactive_press = btn_dir.."pin3.png" theme.useless_gap = 0 -- ██████╗ ██╗ ██╗███╗ ██╗ ██████╗ -- ██╔══██╗██║ ██║████╗ ██║██╔════╝ -- ██████╔╝██║ ██║██╔██╗ ██║██║ ███╗ -- ██╔══██╗██║ ██║██║╚██╗██║██║ ██║ -- ██████╔╝███████╗██║██║ ╚████║╚██████╔╝ -- ╚═════╝ ╚══════╝╚═╝╚═╝ ╚═══╝ ╚═════╝ -- For tabbed only theme.tabbed_spawn_in_tab = false -- whether a new client should spawn into the focused tabbing container -- For tabbar in general theme.tabbar_ontop = true theme.tabbar_radius = 12 -- border radius of the tabbar theme.tabbar_style = "default" -- style of the tabbar ("default", "boxes" or "modern") theme.tabbar_font = "Verdana 10" -- font of the tabbar theme.tabbar_size = 25 -- size of the tabbar theme.tabbar_position = "top" -- position of the tabbar theme.tabbar_bg_normal = "#000000" -- background color of the focused client on the tabbar theme.tabbar_fg_normal = "#bbbbbb" -- foreground color of the focused client on the tabbar theme.tabbar_bg_focus = "#121212" -- background color of unfocused clients on the tabbar theme.tabbar_fg_focus = "#bbbbbb" -- foreground color of unfocused clients on the tabbar -- the following variables are currently only for the "modern" tabbar style theme.tabbar_color_close = "#f9929b" -- chnges the color of the close button theme.tabbar_color_min = "#fbdf90" -- chnges the color of the minimize button theme.tabbar_color_float = "#ccaced" -- chnges the color of the float button -- mstab theme.mstab_bar_ontop = true -- whether you want to allow the bar to be ontop of clients theme.mstab_dont_resize_slaves = true -- whether the tabbed stack windows should be smaller than the -- currently focused stack window (set it to true if you use -- transparent terminals. False if you use shadows on solid ones theme.mstab_bar_padding = 10 -- how much padding there should be between clients and your tabbar -- by default it will adjust based on your useless gaps. -- If you want a custom value. Set it to the number of pixels (int) theme.mstab_border_radius = 12 -- border radius of the tabbar theme.mstab_bar_height = 25 -- height of the tabbar theme.mstab_tabbar_position = "top" -- position of the tabbar (mstab currently does not support left,right) theme.mstab_tabbar_style = "default" -- style of the tabbar ("default", "boxes" or "modern") -- defaults to the tabbar_style so only change if you want a -- different style for mstab and tabbed theme.tag_preview_widget_border_radius = 10 -- Border radius of the widget (With AA) theme.tag_preview_client_border_radius = 0 -- Border radius of each client in the widget (With AA) theme.tag_preview_client_opacity = 1.0 -- Opacity of each client theme.tag_preview_client_bg = "#000000" -- The bg color of each client theme.tag_preview_client_border_color = "#00ff00" -- The border color of each client theme.tag_preview_client_border_width = 0 -- The border width of each client theme.tag_preview_widget_bg = "#232323" -- The bg color of the widget theme.tag_preview_widget_border_color = "#ff0000" -- The border color of the widget theme.tag_preview_widget_border_width = 0 -- The border width of the widget theme.tag_preview_widget_margin = 10 -- The margin of the widget return theme
-- Modified from https://github.com/sainnhe/edge vim.g.colors_name = 'edge' local cp = {} if vim.g.theme_style == 'dark' then cp = { black = '#202023', bg0 = '#2B2D37', bg1 = '#333644', bg2 = '#363A49', bg3 = '#3A3E4E', bg4 = '#404455', bg_grey = '#7E869B', bg_red = '#EC7279', diff_red = '#55393D', bg_green = '#A0C980', diff_green = '#394634', bg_blue = '#6CB6EB', diff_blue = '#354157', bg_purple = '#D38AEA', diff_yellow = '#4E432F', fg = '#C5CDD9', red = '#EC7279', yellow = '#DEB974', green = '#A0C980', cyan = '#5DBBC1', blue = '#6CB6EB', purple = '#D38AEA', grey = '#7E8294', grey_dim = '#5B5E71', teledark = '#252731', teleblack = '#31333D', } else cp = { black = '#DDE2E7', bg0 = '#FAFAFA', bg1 = '#EEF1F4', bg2 = '#E8EBF0', bg3 = '#E8EBF0', bg4 = '#DDE2E7', bg_grey = '#BCC5CF', bg_red = '#E17373', diff_red = '#F6E4E4', bg_green = '#76AF6F', diff_green = '#E5EEE4', bg_blue = '#6996E0', diff_blue = '#E3EAF6', bg_purple = '#BF75D6', diff_yellow = '#F0ECE2', fg = '#4B505B', red = '#D05858', yellow = '#BE7E05', green = '#608E32', cyan = '#3A8B84', blue = '#5079BE', purple = '#B05CCC', grey = '#8790A0', grey_dim = '#BAC3CB', teledark = '#FFFFFF', teleblack = '#F4F4F4', } end ---------- BASIC ---------- vim.api.nvim_set_hl(0, 'ColorColumn', { bg = cp.bg1 }) vim.api.nvim_set_hl(0, 'Conceal', { fg = cp.grey_dim }) vim.api.nvim_set_hl(0, 'Cursor', { reverse = true }) vim.api.nvim_set_hl(0, 'CursorColumn', { bg = cp.bg1 }) vim.api.nvim_set_hl(0, 'CursorLine', { bg = cp.teleblack }) -- vim.api.nvim_set_hl(0, 'CursorLineFold', {}) vim.api.nvim_set_hl(0, 'CursorLineNr', { fg = cp.grey }) -- vim.api.nvim_set_hl(0, 'CursorLineSign', {}) vim.api.nvim_set_hl(0, 'Directory', { fg = cp.green }) -- vim.api.nvim_set_hl(0, 'EndOfBuffer', { fg = cp.bg0, bg = cp.bg0 }) vim.api.nvim_set_hl(0, 'ErrorMsg', { fg = cp.red, bold = true, underline = true }) vim.api.nvim_set_hl(0, 'FoldColumn', { fg = cp.grey_dim }) vim.api.nvim_set_hl(0, 'Folded', { fg = cp.grey, bg = cp.bg1 }) vim.api.nvim_set_hl(0, 'IncSearch', { fg = cp.bg0, bg = cp.bg_blue }) -- vim.api.nvim_set_hl(0, 'lCursor', {}) vim.api.nvim_set_hl(0, 'LineNr', { fg = cp.grey_dim }) vim.api.nvim_set_hl(0, 'MatchParen', { bg = cp.bg4 }) vim.api.nvim_set_hl(0, 'ModeMsg', { fg = cp.fg, bold = true }) vim.api.nvim_set_hl(0, 'MoreMsg', { fg = cp.blue, bold = true }) vim.api.nvim_set_hl(0, 'MsgArea', { fg = cp.fg }) vim.api.nvim_set_hl(0, 'NonText', { fg = cp.bg4 }) vim.api.nvim_set_hl(0, 'Normal', { fg = cp.fg, bg = cp.bg0 }) vim.api.nvim_set_hl(0, 'NormalFloat', { fg = cp.fg, bg = cp.bg2 }) vim.api.nvim_set_hl(0, 'NormalNC', { fg = cp.fg, bg = cp.bg0 }) vim.api.nvim_set_hl(0, 'Pmenu', { fg = cp.fg, bg = cp.bg2 }) vim.api.nvim_set_hl(0, 'PmenuSbar', { bg = cp.bg2 }) vim.api.nvim_set_hl(0, 'PmenuSel', { fg = cp.bg0, bg = cp.blue }) vim.api.nvim_set_hl(0, 'PmenuThumb', { bg = cp.bg_grey }) vim.api.nvim_set_hl(0, 'Question', { fg = cp.yellow }) -- vim.api.nvim_set_hl(0, 'QuickFixLine', { bg = cp.blue, bold = true }) -- FIXED vim.api.nvim_set_hl(0, 'Search', { fg = cp.bg0, bg = cp.bg_green }) vim.api.nvim_set_hl(0, 'SignColumn', { fg = cp.fg }) vim.api.nvim_set_hl(0, 'SpecialKey', { fg = cp.bg4 }) vim.api.nvim_set_hl(0, 'StatusLine', { fg = cp.fg, bg = cp.bg2 }) vim.api.nvim_set_hl(0, 'StatusLineNC', { fg = cp.grey, bg = cp.bg1 }) vim.api.nvim_set_hl(0, 'Substitute', { fg = cp.bg0, bg = cp.yellow }) vim.api.nvim_set_hl(0, 'TabLine', { fg = cp.fg, bg = cp.bg4 }) vim.api.nvim_set_hl(0, 'TabLineFill', { fg = cp.grey, bg = cp.bg0 }) -- FIXED vim.api.nvim_set_hl(0, 'TabLineSel', { fg = cp.bg0, bg = cp.bg_purple }) -- vim.api.nvim_set_hl(0, 'TermCursor', {}) -- vim.api.nvim_set_hl(0, 'TermCursorNC', {}) -- vim.api.nvim_set_hl(0, 'VertSplit', {}) vim.api.nvim_set_hl(0, 'Visual', { bg = cp.bg3 }) vim.api.nvim_set_hl(0, 'VisualNOS', { bg = cp.bg3, underline = true }) vim.api.nvim_set_hl(0, 'WarningMsg', { fg = cp.yellow, bold = true }) vim.api.nvim_set_hl(0, 'Whitespace', { fg = cp.bg4 }) vim.api.nvim_set_hl(0, 'WildMenu', { link = 'PmenuSel' }) vim.api.nvim_set_hl(0, 'WinSeparator', { fg = cp.black }) -- vim.api.nvim_set_hl(0, 'MsgSeparator', {}) ------ DIFF ------ vim.api.nvim_set_hl(0, 'DiffAdd', { bg = cp.diff_green }) vim.api.nvim_set_hl(0, 'DiffChange', { bg = cp.diff_blue }) vim.api.nvim_set_hl(0, 'DiffDelete', { bg = cp.diff_red }) vim.api.nvim_set_hl(0, 'DiffText', { fg = cp.bg0, bg = cp.blue }) ------ SPELL ------ vim.api.nvim_set_hl(0, 'SpellBad', { undercurl = true, sp = cp.red }) vim.api.nvim_set_hl(0, 'SpellCap', { undercurl = true, sp = cp.yellow }) vim.api.nvim_set_hl(0, 'SpellLocal', { undercurl = true, sp = cp.blue }) vim.api.nvim_set_hl(0, 'SpellRare', { undercurl = true, sp = cp.purple }) -- SYNTAX GROUPS vim.api.nvim_set_hl(0, 'Boolean', { fg = cp.green }) vim.api.nvim_set_hl(0, 'Character', { fg = cp.green }) vim.api.nvim_set_hl(0, 'Comment', { fg = cp.grey, italic = true }) vim.api.nvim_set_hl(0, 'Conditional', { fg = cp.purple }) vim.api.nvim_set_hl(0, 'Constant', { fg = cp.yellow, italic = true }) vim.api.nvim_set_hl(0, 'Debug', { fg = cp.yellow }) vim.api.nvim_set_hl(0, 'Define', { fg = cp.purple }) vim.api.nvim_set_hl(0, 'Delimiter', { fg = cp.fg }) vim.api.nvim_set_hl(0, 'Error', { fg = cp.red }) vim.api.nvim_set_hl(0, 'Exception', { fg = cp.purple }) vim.api.nvim_set_hl(0, 'Float', { fg = cp.green }) vim.api.nvim_set_hl(0, 'Function', { fg = cp.blue }) vim.api.nvim_set_hl(0, 'Identifier', { fg = cp.cyan, italic = true }) vim.api.nvim_set_hl(0, 'Ignore', { fg = cp.grey }) vim.api.nvim_set_hl(0, 'Include', { fg = cp.purple }) vim.api.nvim_set_hl(0, 'Keyword', { fg = cp.purple }) vim.api.nvim_set_hl(0, 'Label', { fg = cp.yellow }) vim.api.nvim_set_hl(0, 'Macro', { fg = cp.yellow }) -- vim.api.nvim_set_hl(0, 'Method', {}) vim.api.nvim_set_hl(0, 'Number', { fg = cp.green }) vim.api.nvim_set_hl(0, 'Operator', { fg = cp.purple }) vim.api.nvim_set_hl(0, 'PreCondit', { fg = cp.purple }) vim.api.nvim_set_hl(0, 'PreProc', { fg = cp.purple }) vim.api.nvim_set_hl(0, 'Repeat', { fg = cp.purple }) vim.api.nvim_set_hl(0, 'Special', { fg = cp.yellow }) vim.api.nvim_set_hl(0, 'SpecialChar', { fg = cp.yellow }) vim.api.nvim_set_hl(0, 'SpecialComment', { fg = cp.grey, italic = true }) vim.api.nvim_set_hl(0, 'Statement', { fg = cp.purple }) vim.api.nvim_set_hl(0, 'StorageClass', { fg = cp.red, italic = true }) vim.api.nvim_set_hl(0, 'String', { fg = cp.green }) vim.api.nvim_set_hl(0, 'Structure', { fg = cp.red, italic = true }) -- vim.api.nvim_set_hl(0, 'Struct', {}) vim.api.nvim_set_hl(0, 'Tag', { fg = cp.orange }) vim.api.nvim_set_hl(0, 'Title', { fg = cp.purple, bold = true }) vim.api.nvim_set_hl(0, 'Todo', { fg = cp.red, italic = true }) vim.api.nvim_set_hl(0, 'Type', { fg = cp.red, italic = true }) vim.api.nvim_set_hl(0, 'Typedef', { fg = cp.purple }) vim.api.nvim_set_hl(0, 'Underlined', { underline = true }) ------ MISC ------ -- vim.api.nvim_set_hl(0, 'debugPC', { fg = cp.bg0, bg = cp.bg_green }) -- vim.api.nvim_set_hl(0, 'debugBreakpoint', { fg = cp.bg0, bg = cp.bg_red }) vim.api.nvim_set_hl(0, 'healthError', { fg = cp.red }) vim.api.nvim_set_hl(0, 'healthSuccess', { fg = cp.green }) vim.api.nvim_set_hl(0, 'healthWarning', { fg = cp.yellow }) -- vim.api.nvim_set_hl(0, 'qfLineNr', {}) -- vim.api.nvim_set_hl(0, 'qfFileName', {}) ---------- DIAGNOSTIC ---------- vim.api.nvim_set_hl(0, 'DiagnosticError', { bg = cp.diff_red, undercurl = true, sp = cp.red }) vim.api.nvim_set_hl(0, 'DiagnosticWarn', { bg = cp.diff_yellow, undercurl = true, sp = cp.yellow }) vim.api.nvim_set_hl(0, 'DiagnosticInfo', { bg = cp.diff_blue, undercurl = true, sp = cp.blue }) vim.api.nvim_set_hl(0, 'DiagnosticHint', { bg = cp.diff_green, undercurl = true, sp = cp.green }) vim.api.nvim_set_hl(0, 'DiagnosticUnderlineError', { underline = true, sp = cp.red }) vim.api.nvim_set_hl(0, 'DiagnosticUnderlineWarn', { underline = true, sp = cp.yellow }) vim.api.nvim_set_hl(0, 'DiagnosticUnderlineInfo', { underline = true, sp = cp.blue }) vim.api.nvim_set_hl(0, 'DiagnosticUnderlineHint', { underline = true, sp = cp.green }) ---------- NVIM LSP ---------- vim.api.nvim_set_hl(0, 'LspReferenceText', { bg = cp.bg2 }) vim.api.nvim_set_hl(0, 'LspReferenceRead', { bg = cp.bg2 }) vim.api.nvim_set_hl(0, 'LspReferenceWrite', { bg = cp.bg2 }) -- vim.api.nvim_set_hl(0, 'LspCodeLens', {}) -- vim.api.nvim_set_hl(0, 'LspCodeLensSeparator', {}) -- vim.api.nvim_set_hl(0, 'LspSignatureActiveParameter', {}) ---------- CMP ---------- vim.api.nvim_set_hl(0, 'CmpItemAbbr', { fg = cp.fg }) vim.api.nvim_set_hl(0, 'CmpItemAbbrDeprecated', { fg = cp.fg, strikethrough = true }) -- FIXED vim.api.nvim_set_hl(0, 'CmpItemAbbrMatch', { fg = cp.blue, bold = true }) vim.api.nvim_set_hl(0, 'CmpItemAbbrMatchFuzzy', { fg = cp.blue, bold = true }) vim.api.nvim_set_hl(0, 'CmpItemKind', { fg = cp.purple }) vim.api.nvim_set_hl(0, 'CmpItemMenu', { fg = cp.fg }) vim.api.nvim_set_hl(0, 'CmpItemKindClass', { fg = cp.yellow }) vim.api.nvim_set_hl(0, 'CmpItemKindColor', { fg = cp.cayn }) vim.api.nvim_set_hl(0, 'CmpItemKindConstant', { fg = cp.red }) vim.api.nvim_set_hl(0, 'CmpItemKindConstructor', { fg = cp.blue }) vim.api.nvim_set_hl(0, 'CmpItemKindEnum', { fg = cp.yellow }) vim.api.nvim_set_hl(0, 'CmpItemKindEnumMember', { fg = cp.green }) vim.api.nvim_set_hl(0, 'CmpItemKindEvent', { fg = cp.purple }) vim.api.nvim_set_hl(0, 'CmpItemKindField', { fg = cp.blue }) vim.api.nvim_set_hl(0, 'CmpItemKindFile', { fg = cp.cayn }) vim.api.nvim_set_hl(0, 'CmpItemKindFolder', { fg = cp.yellow }) vim.api.nvim_set_hl(0, 'CmpItemKindFunction', { fg = cp.blue }) vim.api.nvim_set_hl(0, 'CmpItemKindInterface', { fg = cp.yellow }) vim.api.nvim_set_hl(0, 'CmpItemKindKeyword', { fg = cp.purple }) vim.api.nvim_set_hl(0, 'CmpItemKindMethod', { fg = cp.blue }) vim.api.nvim_set_hl(0, 'CmpItemKindModule', { fg = cp.yellow }) vim.api.nvim_set_hl(0, 'CmpItemKindOperator', { fg = cp.purple }) vim.api.nvim_set_hl(0, 'CmpItemKindProperty', { fg = cp.red }) vim.api.nvim_set_hl(0, 'CmpItemKindReference', { fg = cp.cayn }) vim.api.nvim_set_hl(0, 'CmpItemKindSnippet', { fg = cp.cayn }) vim.api.nvim_set_hl(0, 'CmpItemKindStruct', { fg = cp.yellow }) vim.api.nvim_set_hl(0, 'CmpItemKindText', { fg = cp.fg }) vim.api.nvim_set_hl(0, 'CmpItemKindTypeParameter', { fg = cp.yellow }) vim.api.nvim_set_hl(0, 'CmpItemKindUnit', { fg = cp.green }) vim.api.nvim_set_hl(0, 'CmpItemKindValue', { fg = cp.green }) vim.api.nvim_set_hl(0, 'CmpItemKindVariable', { fg = cp.red }) ----- GITSIGNS ----- -- vim.api.nvim_set_hl(0, 'GitSignsAdd', { fg = cp.green }) -- vim.api.nvim_set_hl(0, 'GitSignsChange', { fg = cp.blue }) -- vim.api.nvim_set_hl(0, 'GitSignsDelete', { fg = cp.red }) -- vim.api.nvim_set_hl(0, 'GitSignsAddNr', { fg = cp.green }) -- vim.api.nvim_set_hl(0, 'GitSignsChangeNr', { fg = cp.blue }) -- vim.api.nvim_set_hl(0, 'GitSignsDeleteNr', { fg = cp.red }) -- vim.api.nvim_set_hl(0, 'GitSignsAddLn', { fg = cp.green }) -- vim.api.nvim_set_hl(0, 'GitSignsChangeLn', { fg = cp.blue }) -- vim.api.nvim_set_hl(0, 'GitSignsDeleteLn', { fg = cp.red }) -- vim.api.nvim_set_hl(0, 'GitSignsCurrentLineBlame', { fg = cp.grey }) ------ HOP ------ vim.api.nvim_set_hl(0, 'HopNextKey2', { fg = cp.blue }) vim.api.nvim_set_hl(0, 'HopUnmatched', { fg = cp.grey }) -------- INDENT BLANKLINES -------- vim.api.nvim_set_hl(0, 'IndentBlanklineChar', { fg = cp.grey_dim }) vim.api.nvim_set_hl(0, 'IndentBlanklineSpaceChar', { fg = cp.grey_dim }) vim.api.nvim_set_hl(0, 'IndentBlanklineSpaceCharBlankline', { fg = cp.grey_dim }) vim.api.nvim_set_hl(0, 'IndentBlanklineContextChar', { fg = cp.grey }) -- vim.api.nvim_set_hl(0, 'IndentBlanklineContextStart', { sp = cp.grey, underdash = true }) --------- NEOTREE --------- -- vim.api.nvim_set_hl(0, 'NeoTreeDirectoryIcon', { fg = cp.blue }) -- vim.api.nvim_set_hl(0, 'NeoTreeDirectoryName', { fg = cp.blue }) -- vim.api.nvim_set_hl(0, 'NeoTreeFileNameOpened', { fg = cp.pink }) -- vim.api.nvim_set_hl(0, 'NeoTreeGitModified', { fg = cp.yellow }) -- vim.api.nvim_set_hl(0, 'NeoTreeIndentMarker', { fg = cp.gray0 }) -- vim.api.nvim_set_hl(0, 'NeoTreeNormal', { fg = cp.white, bg = cp.black2 }) -- FIXED -- vim.api.nvim_set_hl(0, 'NeoTreeRootName', { fg = cp.pink, bold = true }) -- vim.api.nvim_set_hl(0, 'NeoTreeSymbolicLinkTarget', { fg = cp.pink }) -- vim.api.nvim_set_hl(0, 'NeoTreeUntracked', { fg = cp.blue }) ---------- NVIM NOTIFY ---------- vim.api.nvim_set_hl(0, 'NotifyERRORBorder', { fg = cp.red }) vim.api.nvim_set_hl(0, 'NotifyWARNBorder', { fg = cp.yellow }) vim.api.nvim_set_hl(0, 'NotifyINFOBorder', { fg = cp.green }) vim.api.nvim_set_hl(0, 'NotifyDEBUGBorder', { fg = cp.grey }) vim.api.nvim_set_hl(0, 'NotifyTRACEBorder', { fg = cp.purple }) vim.api.nvim_set_hl(0, 'NotifyERRORIcon', { fg = cp.red }) vim.api.nvim_set_hl(0, 'NotifyWARNIcon', { fg = cp.yellow }) vim.api.nvim_set_hl(0, 'NotifyINFOIcon', { fg = cp.green }) vim.api.nvim_set_hl(0, 'NotifyDEBUGIcon', { fg = cp.grey }) vim.api.nvim_set_hl(0, 'NotifyTRACEIcon', { fg = cp.purple }) vim.api.nvim_set_hl(0, 'NotifyERRORTitle', { fg = cp.red }) vim.api.nvim_set_hl(0, 'NotifyWARNTitle', { fg = cp.yellow }) vim.api.nvim_set_hl(0, 'NotifyINFOTitle', { fg = cp.green }) vim.api.nvim_set_hl(0, 'NotifyDEBUGTitle', { fg = cp.grey }) vim.api.nvim_set_hl(0, 'NotifyTRACETitle', { fg = cp.purple }) ---------- RAINBOW ---------- vim.api.nvim_set_hl(0, 'rainbowcol1', { fg = cp.red }) vim.api.nvim_set_hl(0, 'rainbowcol2', { fg = cp.orange }) vim.api.nvim_set_hl(0, 'rainbowcol3', { fg = cp.yellow }) vim.api.nvim_set_hl(0, 'rainbowcol4', { fg = cp.green }) vim.api.nvim_set_hl(0, 'rainbowcol5', { fg = cp.blue }) vim.api.nvim_set_hl(0, 'rainbowcol6', { fg = cp.purple }) vim.api.nvim_set_hl(0, 'rainbowcol7', { fg = cp.green }) ---------- TELESCOPE ---------- vim.api.nvim_set_hl(0, 'TelescopeNormal', { bg = cp.teledark }) vim.api.nvim_set_hl(0, 'TelescopePromptNormal', { fg = cp.white, bg = cp.teleblack }) -- vim.api.nvim_set_hl(0, 'TelescopeSelection', { bg = cp.diff_green }) vim.api.nvim_set_hl(0, 'TelescopeMatching', { fg = cp.green, bold = true }) vim.api.nvim_set_hl(0, 'TelescopePromptPrefix', { fg = cp.red, bg = cp.teleblack }) vim.api.nvim_set_hl(0, 'TelescopePromptCounter', { fg = cp.fg, bg = cp.teleblack }) vim.api.nvim_set_hl(0, 'TelescopeBorder', { fg = cp.teledark, bg = cp.teledark }) vim.api.nvim_set_hl(0, 'TelescopePromptBorder', { fg = cp.teleblack, bg = cp.teleblack }) vim.api.nvim_set_hl(0, 'TelescopePreviewTitle', { fg = cp.bg2, bg = cp.green }) vim.api.nvim_set_hl(0, 'TelescopePromptTitle', { fg = cp.bg2, bg = cp.red }) vim.api.nvim_set_hl(0, 'TelescopeResultsTitle', { fg = cp.teledark, bg = cp.blue }) ---------- TREESITTER ---------- vim.api.nvim_set_hl(0, 'TSAnnotation', { fg = cp.purple, italic = true }) vim.api.nvim_set_hl(0, 'TSAttribute', { fg = cp.yellow, italic = true }) vim.api.nvim_set_hl(0, 'TSBoolean', { fg = cp.green }) vim.api.nvim_set_hl(0, 'TSCharacter', { fg = cp.green }) vim.api.nvim_set_hl(0, 'TSComment', { fg = cp.grey, italic = true }) vim.api.nvim_set_hl(0, 'TSConditional', { fg = cp.purple }) vim.api.nvim_set_hl(0, 'TSConstant', { fg = cp.red, italic = true }) vim.api.nvim_set_hl(0, 'TSConstBuiltin', { fg = cp.cayn, italic = true }) vim.api.nvim_set_hl(0, 'TSConstMacro', { fg = cp.cayn, italic = true }) vim.api.nvim_set_hl(0, 'TSConstructor', { fg = cp.blue }) vim.api.nvim_set_hl(0, 'TSDanger', { fg = cp.bg0, bg = cp.red, bold = true }) vim.api.nvim_set_hl(0, 'TSEmphasis', { italic = true }) -- vim.api.nvim_set_hl(0, 'TSEnvironment', { fg = cp.green }) -- vim.api.nvim_set_hl(0, 'TSEnvironmentName', { fg = cp.blue, italic = true }) -- vim.api.nvim_set_hl(0, 'TSError', { link = 'Error' }) vim.api.nvim_set_hl(0, 'TSException', { fg = cp.purple }) vim.api.nvim_set_hl(0, 'TSField', { fg = cp.blue }) vim.api.nvim_set_hl(0, 'TSFloat', { fg = cp.green }) vim.api.nvim_set_hl(0, 'TSFuncBuiltin', { fg = cp.blue }) vim.api.nvim_set_hl(0, 'TSFuncMacro', { fg = cp.blue }) vim.api.nvim_set_hl(0, 'TSFunction', { fg = cp.blue }) vim.api.nvim_set_hl(0, 'TSInclude', { fg = cp.purple }) vim.api.nvim_set_hl(0, 'TSKeyword', { fg = cp.purple }) vim.api.nvim_set_hl(0, 'TSKeywordFunction', { fg = cp.purple }) vim.api.nvim_set_hl(0, 'TSKeywordOperator', { fg = cp.purple }) -- vim.api.nvim_set_hl(0, 'TSKeywordReturn', { fg = cp.purple }) vim.api.nvim_set_hl(0, 'TSLabel', { fg = cp.purple }) -- vim.api.nvim_set_hl(0, 'TSLiteral', { fg = cp.green, italic = true }) vim.api.nvim_set_hl(0, 'TSMath', { fg = cp.green }) vim.api.nvim_set_hl(0, 'TSMethod', { fg = cp.blue }) vim.api.nvim_set_hl(0, 'TSNamespace', { fg = cp.yellow, italic = true }) -- vim.api.nvim_set_hl(0, 'TSNone', {}) vim.api.nvim_set_hl(0, 'TSNote', { fg = cp.bg0, bg = cp.blue, bold = true }) vim.api.nvim_set_hl(0, 'TSNumber', { fg = cp.green }) vim.api.nvim_set_hl(0, 'TSOperator', { fg = cp.purple }) vim.api.nvim_set_hl(0, 'TSParameter', { fg = cp.red, italic = true }) vim.api.nvim_set_hl(0, 'TSParameterReference', { fg = cp.red, italic = true }) vim.api.nvim_set_hl(0, 'TSProperty', { fg = cp.red, italic = true }) vim.api.nvim_set_hl(0, 'TSPunctBracket', { fg = cp.grey }) vim.api.nvim_set_hl(0, 'TSPunctDelimiter', { fg = cp.grey }) vim.api.nvim_set_hl(0, 'TSPunctSpecial', { fg = cp.yellow }) vim.api.nvim_set_hl(0, 'TSRepeat', { fg = cp.purple }) vim.api.nvim_set_hl(0, 'TSStrike', { fg = cp.grey }) vim.api.nvim_set_hl(0, 'TSString', { fg = cp.green }) vim.api.nvim_set_hl(0, 'TSStringEscape', { fg = cp.yellow }) vim.api.nvim_set_hl(0, 'TSStringRegex', { fg = cp.yellow }) -- vim.api.nvim_set_hl(0, 'TSStringSpecial', { link = 'SpecialChar' }) vim.api.nvim_set_hl(0, 'TSStrong', { bold = true }) -- vim.api.nvim_set_hl(0, 'TSStructure', { fg = cp.cayn, italic = true }) vim.api.nvim_set_hl(0, 'TSSymbol', { fg = cp.red }) vim.api.nvim_set_hl(0, 'TSTag', { fg = cp.red, italic = true }) -- vim.api.nvim_set_hl(0, 'TSTagAttribute', { fg = cp.purple }) vim.api.nvim_set_hl(0, 'TSTagDelimiter', { fg = cp.purple }) vim.api.nvim_set_hl(0, 'TSText', { fg = cp.green }) -- vim.api.nvim_set_hl(0, 'TSTextReference', { fg = cp.purple }) -- vim.api.nvim_set_hl(0, 'TSTitle', { link = 'Title' }) vim.api.nvim_set_hl(0, 'TSType', { fg = cp.yellow }) vim.api.nvim_set_hl(0, 'TSTypeBuiltin', { fg = cp.yellow }) vim.api.nvim_set_hl(0, 'TSUnderline', { underline = true }) vim.api.nvim_set_hl(0, 'TSURI', { fg = cp.green, underline = true }) vim.api.nvim_set_hl(0, 'TSVariable', { fg = cp.red, italic = true }) vim.api.nvim_set_hl(0, 'TSVariableBuiltin', { fg = cp.cayn, italic = true }) vim.api.nvim_set_hl(0, 'TSWarning', { fg = cp.bg0, bg = cp.yellow, bold = true }) --- LANGUAGE --- ------ LATEX ------ -- vim.api.nvim_set_hl(0, 'latexTSComment', {}) -- vim.api.nvim_set_hl(0, 'latexTSEmphasis', {}) -- vim.api.nvim_set_hl(0, 'latexTSEnvironment', {}) -- vim.api.nvim_set_hl(0, 'latexTSEnvironmentName', {}) -- vim.api.nvim_set_hl(0, 'latexTSFuncMacro', {}) -- vim.api.nvim_set_hl(0, 'latexTSFunction', {}) -- vim.api.nvim_set_hl(0, 'latexTSInclude', {}) -- vim.api.nvim_set_hl(0, 'latexTSMath', {}) -- vim.api.nvim_set_hl(0, 'latexTSNamespace', {}) -- vim.api.nvim_set_hl(0, 'latexTSOperator', {}) -- vim.api.nvim_set_hl(0, 'latexTSParameter', {}) -- vim.api.nvim_set_hl(0, 'latexTSPunctBracket', {}) -- vim.api.nvim_set_hl(0, 'latexTSPunctSpecial', {}) -- vim.api.nvim_set_hl(0, 'latexTSString', {}) -- vim.api.nvim_set_hl(0, 'latexTSStringRegex', {}) -- vim.api.nvim_set_hl(0, 'latexTSTextReference', {}) -- vim.api.nvim_set_hl(0, 'latexTSTitle', {}) ------ LUA ------ -- vim.api.nvim_set_hl(0, 'LuaTSBoolean', {}) -- vim.api.nvim_set_hl(0, 'LuaTSComment', {}) -- vim.api.nvim_set_hl(0, 'luaTSConditional', {}) -- vim.api.nvim_set_hl(0, 'luaTSConstructor', {}) -- vim.api.nvim_set_hl(0, 'luaTSField', {}) -- vim.api.nvim_set_hl(0, 'luaTSFunction', {}) -- vim.api.nvim_set_hl(0, 'luaTSFuncBuiltin', {}) -- vim.api.nvim_set_hl(0, 'LuaTSKeyword', {}) -- vim.api.nvim_set_hl(0, 'luaTSKeywordFunction', {}) -- vim.api.nvim_set_hl(0, 'luaTSMethod', {}) -- vim.api.nvim_set_hl(0, 'luaTSNumber', {}) -- vim.api.nvim_set_hl(0, 'luaTSOperator', {}) -- vim.api.nvim_set_hl(0, 'luaTSParameter', {}) -- vim.api.nvim_set_hl(0, 'luaTSPunctBracket', {}) -- vim.api.nvim_set_hl(0, 'luaTSPunctDelimiter', {}) -- vim.api.nvim_set_hl(0, 'luaTSString', {}) -- vim.api.nvim_set_hl(0, 'LuaTSVariable', {}) ------ NEORG ------ -- vim.api.nvim_set_hl(0, 'NeorgCodeBlock', {}) -- vim.api.nvim_set_hl(0, 'NeorgLinkLocationURL', {}) ------ PYTHON ------ -- vim.api.nvim_set_hl(0, 'pythonTSBoolean', {}) -- vim.api.nvim_set_hl(0, 'pythonTSComment', {}) -- vim.api.nvim_set_hl(0, 'pythonTSConditional', {}) -- vim.api.nvim_set_hl(0, 'pythonTSConstant', {}) -- vim.api.nvim_set_hl(0, 'pythonTSConstBuiltin', {}) -- vim.api.nvim_set_hl(0, 'pythonTSConstructor', {}) -- vim.api.nvim_set_hl(0, 'pythonTSField', {}) -- vim.api.nvim_set_hl(0, 'pythonTSFuncBuiltin', {}) -- vim.api.nvim_set_hl(0, 'pythonTSFunction', {}) -- vim.api.nvim_set_hl(0, 'pythonTSInclude', {}) -- vim.api.nvim_set_hl(0, 'pythonTSKeyword', {}) -- vim.api.nvim_set_hl(0, 'pythonTSKeywordFunction', {}) -- vim.api.nvim_set_hl(0, 'pythonTSKeywordOperator', {}) -- vim.api.nvim_set_hl(0, 'pythonTSKeywordReturn', {}) -- vim.api.nvim_set_hl(0, 'pythonTSMethod', {}) -- vim.api.nvim_set_hl(0, 'pythonTSNumber', {}) -- vim.api.nvim_set_hl(0, 'pythonTSOperator', {}) -- vim.api.nvim_set_hl(0, 'pythonTSParameter', {}) -- vim.api.nvim_set_hl(0, 'pythonTSPunctBracket', {}) -- vim.api.nvim_set_hl(0, 'pythonTSPunctDelimiter', {}) -- vim.api.nvim_set_hl(0, 'pythonTSRepeat', {}) -- vim.api.nvim_set_hl(0, 'pythonTSString', {}) -- vim.api.nvim_set_hl(0, 'pythonTSStringEscape', {}) -- vim.api.nvim_set_hl(0, 'pythonTSType', {}) -- vim.api.nvim_set_hl(0, 'pythonTSTypeBuiltin', {}) -- vim.api.nvim_set_hl(0, 'pythonTSVariable', {}) -- vim.api.nvim_set_hl(0, 'pythonTSVariableBuiltin', {}) ------ TERMINAL ------ vim.g.terminal_color_0 = cp.black vim.g.terminal_color_1 = cp.red vim.g.terminal_color_2 = cp.green vim.g.terminal_color_3 = cp.yellow vim.g.terminal_color_4 = cp.blue vim.g.terminal_color_5 = cp.purple vim.g.terminal_color_6 = cp.cyan vim.g.terminal_color_7 = cp.fg vim.g.terminal_color_8 = cp.grey vim.g.terminal_color_9 = cp.red vim.g.terminal_color_10 = cp.green vim.g.terminal_color_11 = cp.yellow vim.g.terminal_color_12 = cp.blue vim.g.terminal_color_13 = cp.purple vim.g.terminal_color_14 = cp.cyan vim.g.terminal_color_15 = cp.fg
return { type = "TEX"; file = "t.jpg"; }
--副本 local moon = require("moon") local core = require("moon.core") local cmd = require("game.copy.copy_cmd") require("config") require("def") require("msgid") moon.exports.vector2 = require("base.vector2") moon.exports.agent = require("game.battle.agent") moon.exports.agentmgr = require("game.battle.agentmgr") moon.exports.actiondef = require("game.battle.action.def") moon.exports.actionidle = require("game.battle.action.actionidle") moon.exports.actionrun = require("game.battle.action.actionrun") moon.exports.actionattack = require("game.battle.action.actionattack") moon.exports.actiondie = require("game.battle.action.actiondie") moon.exports.componentdef = require("game.battle.component.def") moon.exports.ai = require("game.battle.component.ai") moon.exports.rvo2 = require("game.battle.rvo2") local delta = 100 local M = { sid = -1, copyname = "", users = nil, isdestroy = false, } function M:init(data) print("copy:init-> copy",table.tostring(data)) self.sid = data.sid self.copyid = moon.sid() self.copyname = data.copyname self.users = data.users self.isdestroy = false end function M:login(userid,sessionid) local result = false if self.users ~= nil then for i,v in ipairs(self.users) do if v.userid == userid then v.sessionid = sessionid result = true end end end if result then print("copy:login->copy ", self.copyname, " start") self:start() end return result end function M:getuser(userid) if self.users ~= nil then for i,v in ipairs(self.users) do if v.userid == userid then return v end end end return nil end function M:send(userid, id, data) if self.sid > 0 then local user = self:getuser(userid) if user and user.sessionid then moon.async(function () local result,err = moon.co_call("lua", self.sid, "SEND", user.sessionid, id, data) end) end end end function M:start() rvo2:init(delta/ 1000,vector2.new(0,0)) local data = { copy = self.copyid, list = {} } for i,user in ipairs(self.users) do local index = 1 for j, hero in ipairs(user.heros) do for k = 1,hero.count do local a = agent.new() a.id = user.userid * 100 + index a.userid = user.userid a.config = hero.config a.camp = user.camp a.type = user.type a.position = vector2.new(k*5, (i-1)*100 +j*5) a.direction = vector2.new(1, 0) a:addcomponent(ai.new()) if agentmgr:addagent(a) then table.insert( data.list, a:get_send_agent() ) end index = index + 1 end end end self:broadcast(msgid.BATTLE_BEGIN_NOTIFY,data) end function M:broadcast(id, data) for i,user in ipairs(self.users) do if user.type == userdef.USER then self:send(user.userid,id,data) end end end function M:destroy() if self.isdestroy ==true then return end agentmgr:destroy() local data = { copy = self.copyid } self:broadcast(msgid.BATTLE_END_NOTIFY,data) self.isdestroy = true moon.async(function () moon.co_call("lua", self.sid, "DESTROY_COPY", self.copyid) end) end function M:update(delta) if self.isdestroy then return end rvo2:doStep() agentmgr:update(delta ) end moon.exports.copy = M moon.init(function(cfg) config.load_config(cfg) return true end) moon.start(function () end) moon.dispatch('lua',function(msg, p) cmd.oncommand(cmd,msg,p) end) moon.exit(function() copy:destroy() end) moon.destroy(function() copy:destroy() end) moon.repeated(delta, -1, function() copy:update(delta / 1000) end)
return {'randstad','randstedelijk','randstedeling','ranch','rancher','ranchero','rancho','rancune','rancuneus','rand','randaarding','randapparaat','randapparatuur','randbalk','randbemerking','randbeplanting','randdebiel','randeffect','randen','randfiguur','randfunctie','randgebergte','randgebeuren','randgebied','randgemeente','randgroep','randgroepjongere','randmeer','random','randpion','randprobleem','randprofiel','randpsychose','randschrift','randstaat','randstad','randstoring','randtype','randverschijnsel','randversiering','randvoorwaarde','randwaarde','randweg','randzee','rang','rangcijfer','range','rangeerder','rangeeremplacement','rangeerheuvel','rangeerlocomotief','rangeerspoor','rangeerterrein','rangenstelsel','rangeren','ranggetal','ranglijst','rangnummer','rangorde','rangordening','rangregeling','rangschikken','rangschikking','rangtelwoord','ranja','rank','ranken','rankenkast','rankheid','ranking','rankwerk','ranonkel','ranonkelachtig','rans','ransel','ranselen','ranseling','ransuil','rantsoen','rantsoenbon','rantsoeneren','rantsoenering','ranzig','ranzigheid','randschijf','ranglijstaanvoerder','randkerkelijk','randomisatie','randanimatie','randzone','randaarde','randbeveiliging','randinformatie','randprogramma','rangeerstation','randafzuiging','randafwerking','rangeerdeel','rangeermeester','randhagel','randjesbloem','rangcorrelatiecoefficient','rangordecijfer','randstadbundel','rangoon','rangooner','rangoons','ransberg','ranst','ran','rana','randa','randall','randi','randolph','randy','rani','rania','ranzijn','ransijn','ranchers','ranches','ranchos','rancunes','rancuneuze','rancuneuzer','randactiviteiten','randapparaten','randde','randden','randeffecten','randgebergten','randgemeenten','randgemeentes','randgevallen','randglossen','randgroepjongeren','randje','randjes','randmeren','randprofielen','randschriften','randstaten','randstedelijke','randstoringen','randt','randverschijnselen','randversieringen','randvoorwaarden','randwaarden','randwegen','randzeeen','rangcijfers','rangeer','rangeerde','rangeerden','rangeerders','rangeersporen','rangeert','rangeerterreinen','rangen','ranggetallen','ranglijsten','rangnummers','rangorden','rangordes','rangschik','rangschikkingen','rangschikt','rangschikte','rangschikten','rangtelwoorden','ranke','ranker','rankere','rankst','rankste','rankt','rankte','rankten','ranonkelachtige','ranonkels','ranonkeltje','ranonkeltjes','ranse','ranselde','ranselden','ranselend','ranselende','ranselingen','ranselpraktijken','ransels','ranselt','ranseltje','ranser','ranst','ransuilen','rantsoenbonnen','rantsoeneer','rantsoeneerde','rantsoeneerden','rantsoeneert','rantsoenen','rantsoeneringen','rantsoentje','rantsoentjes','ranze','ranzige','ranziger','ranzigere','ranzigst','ranzigste','randstedelijke','randstedelingen','randaardingen','randbemerkingen','randdebielen','randfiguren','randfuncties','randgebergtes','randgebieden','randgroepen','randpionnen','randproblemen','rangeeremplacementen','rangeerheuvels','rangenstelsels','ranges','rantsoenbons','randstedelingen','randsteden','rangeerlocomotieven','ranzer','randkerkelijke','randschijven','rans','ranas','randas','randalls','randis','randolphs','randys','ranis','ranias','randzones','ranglijstje','ranglijstjes','randbalken','randanimaties'}
object_mobile_outbreak_imp_trooper_guard_m_02 = object_mobile_shared_outbreak_imp_trooper_guard_m_02:new { } ObjectTemplates:addTemplate(object_mobile_outbreak_imp_trooper_guard_m_02, "object/mobile/outbreak_imp_trooper_guard_m_02.iff")
function widget:GetInfo() return { name = "Game info", desc = "", author = "Floris", date = "May 2017", license = "", layer = 2, enabled = true, } end local loadedFontSize = 32 local font = gl.LoadFont(LUAUI_DIRNAME.."Fonts/FreeSansBold.otf", loadedFontSize, 16,2) local titlecolor = "\255\255\205\100" local keycolor = "" local valuecolor = "\255\255\255\255" local valuegreycolor = "\255\180\180\180" local vcolor = valuegreycolor local separator = "::" local changelogFile = "" changelogFile = changelogFile .. titlecolor..Game.gameName..valuegreycolor.." ("..Game.gameMutator..") "..titlecolor..Game.gameVersion.."\n" changelogFile = changelogFile .. keycolor.."Engine"..separator..valuegreycolor..((Game and Game.version) or (Engine and Engine.version) or "Engine version error").."\n" changelogFile = changelogFile .. "\n" -- map info changelogFile = changelogFile .. titlecolor..Game.mapName.."\n" changelogFile = changelogFile .. valuegreycolor..Game.mapDescription.."\n" changelogFile = changelogFile .. keycolor.."Size"..separator..valuegreycolor..Game.mapX..valuegreycolor.." x "..valuegreycolor..Game.mapY.."\n" changelogFile = changelogFile .. keycolor.."Gavity"..separator..valuegreycolor..Game.gravity.."\n" changelogFile = changelogFile .. keycolor.."Hardness"..separator..valuegreycolor..Game.mapHardness.. keycolor.."\n" changelogFile = changelogFile .. keycolor.."Tidal speed"..separator..valuegreycolor..Game.tidal.. keycolor.."\n" if Game.windMin == Game.windMax then changelogFile = changelogFile .. keycolor.."Wind speed"..separator..valuegreycolor..(Game.windMin)..valuegreycolor.."\n" else changelogFile = changelogFile .. keycolor.."Wind speed"..separator..valuegreycolor..(Game.windMin)..valuegreycolor.." - "..valuegreycolor..(Game.windMax).."\n" end if Game.waterDamage == 0 then vcolor = valuegreycolor else vcolor = valuecolor end changelogFile = changelogFile .. keycolor.."Water damage"..separator..vcolor..Game.waterDamage .. keycolor.."\n" changelogFile = changelogFile .. "\n" -- modoptions local defaultModoptions = VFS.Include("modoptions.lua") local modoptionsDefault = {} for key, value in pairs(defaultModoptions) do local v = value.def if value.def == false then v = 0 elseif value.def == true then v = 1 end modoptionsDefault[tostring(value.key)] = tostring(v) end -- modoptions.lua doesnt contain engine modoptions: maxunits, pathfinder, startmetal, startenergy, disablemapdamage, fixedallies modoptionsDefault['pathfinder'] = 'normal' modoptionsDefault['startmetal'] = '1000' modoptionsDefault['startenergy'] = '1000' modoptionsDefault['fixedallies'] = '1' modoptionsDefault['maxunits'] = '1000' modoptionsDefault['disablemapdamage'] = '0' local modoptions = Spring.GetModOptions() local vcolor = valuegreycolor local changedModoptions = {} local unchangedModoptions = {} for key, value in pairs(modoptions) do if value == modoptionsDefault[key] then unchangedModoptions[key] = value else changedModoptions[key] = value end end changelogFile = changelogFile .. titlecolor.."Mod options\n" for key, value in pairs(changedModoptions) do changelogFile = changelogFile .. keycolor..key..separator..valuecolor..value.."\n" end for key, value in pairs(unchangedModoptions) do changelogFile = changelogFile .. keycolor..key..separator..valuegreycolor..value.."\n" end local bgMargin = 6 local closeButtonSize = 30 local screenHeight = 520-bgMargin-bgMargin local screenWidth = 400-bgMargin-bgMargin local textareaMinLines = 10 -- wont scroll down more, will show at least this amount of lines local customScale = 1 local startLine = 1 local vsx,vsy = Spring.GetViewGeometry() local screenX = (vsx*0.5) - (screenWidth/2) local screenY = (vsy*0.5) + (screenHeight/2) local spIsGUIHidden = Spring.IsGUIHidden local showHelp = false local glColor = gl.Color local glLineWidth = gl.LineWidth local glPolygonMode = gl.PolygonMode local glRect = gl.Rect local glText = gl.Text local glShape = gl.Shape local glGetTextWidth = gl.GetTextWidth local glGetTextHeight = gl.GetTextHeight local bgColorMultiplier = 0 local glCreateList = gl.CreateList local glCallList = gl.CallList local glDeleteList = gl.DeleteList local glPopMatrix = gl.PopMatrix local glPushMatrix = gl.PushMatrix local glTranslate = gl.Translate local glScale = gl.Scale local GL_FILL = GL.FILL local GL_FRONT_AND_BACK = GL.FRONT_AND_BACK local GL_LINE_STRIP = GL.LINE_STRIP local widgetScale = 1 local vsx, vsy = Spring.GetViewGeometry() local changelogLines = {} local totalChangelogLines = 0 function widget:ViewResize() vsx,vsy = Spring.GetViewGeometry() screenX = (vsx*0.5) - (screenWidth/2) screenY = (vsy*0.5) + (screenHeight/2) widgetScale = (0.75 + (vsx*vsy / 7500000)) * customScale if changelogList then gl.DeleteList(changelogList) end changelogList = gl.CreateList(DrawWindow) end local myTeamID = Spring.GetMyTeamID() local amNewbie = (Spring.GetTeamRulesParam(myTeamID, 'isNewbie') == 1) local showOnceMore = false -- used because of GUI shader delay local function DrawRectRound(px,py,sx,sy,cs, tl,tr,br,bl) gl.TexCoord(0.8,0.8) gl.Vertex(px+cs, py, 0) gl.Vertex(sx-cs, py, 0) gl.Vertex(sx-cs, sy, 0) gl.Vertex(px+cs, sy, 0) gl.Vertex(px, py+cs, 0) gl.Vertex(px+cs, py+cs, 0) gl.Vertex(px+cs, sy-cs, 0) gl.Vertex(px, sy-cs, 0) gl.Vertex(sx, py+cs, 0) gl.Vertex(sx-cs, py+cs, 0) gl.Vertex(sx-cs, sy-cs, 0) gl.Vertex(sx, sy-cs, 0) local offset = 0.05 -- texture offset, because else gaps could show -- bottom left if ((py <= 0 or px <= 0) or (bl ~= nil and bl == 0)) and bl ~= 2 then o = 0.5 else o = offset end gl.TexCoord(o,o) gl.Vertex(px, py, 0) gl.TexCoord(o,1-o) gl.Vertex(px+cs, py, 0) gl.TexCoord(1-o,1-o) gl.Vertex(px+cs, py+cs, 0) gl.TexCoord(1-o,o) gl.Vertex(px, py+cs, 0) -- bottom right if ((py <= 0 or sx >= vsx) or (br ~= nil and br == 0)) and br ~= 2 then o = 0.5 else o = offset end gl.TexCoord(o,o) gl.Vertex(sx, py, 0) gl.TexCoord(o,1-o) gl.Vertex(sx-cs, py, 0) gl.TexCoord(1-o,1-o) gl.Vertex(sx-cs, py+cs, 0) gl.TexCoord(1-o,o) gl.Vertex(sx, py+cs, 0) -- top left if ((sy >= vsy or px <= 0) or (tl ~= nil and tl == 0)) and tl ~= 2 then o = 0.5 else o = offset end gl.TexCoord(o,o) gl.Vertex(px, sy, 0) gl.TexCoord(o,1-o) gl.Vertex(px+cs, sy, 0) gl.TexCoord(1-o,1-o) gl.Vertex(px+cs, sy-cs, 0) gl.TexCoord(1-o,o) gl.Vertex(px, sy-cs, 0) -- top right if ((sy >= vsy or sx >= vsx) or (tr ~= nil and tr == 0)) and tr ~= 2 then o = 0.5 else o = offset end gl.TexCoord(o,o) gl.Vertex(sx, sy, 0) gl.TexCoord(o,1-o) gl.Vertex(sx-cs, sy, 0) gl.TexCoord(1-o,1-o) gl.Vertex(sx-cs, sy-cs, 0) gl.TexCoord(1-o,o) gl.Vertex(sx, sy-cs, 0) end function RectRound(px,py,sx,sy,cs, tl,tr,br,bl) -- (coordinates work differently than the RectRound func in other widgets) --gl.Texture(bgcorner) gl.BeginEnd(GL.QUADS, DrawRectRound, px,py,sx,sy,cs, tl,tr,br,bl) --gl.Texture(false) end function DrawTextarea(x,y,width,height,scrollbar) local scrollbarOffsetTop = 18 -- note: wont add the offset to the bottom, only to top local scrollbarOffsetBottom = 12 -- note: wont add the offset to the top, only to bottom local scrollbarMargin = 10 local scrollbarWidth = 8 local scrollbarPosWidth = 4 local scrollbarPosMinHeight = 8 local scrollbarBackgroundColor = {0,0,0,0.24 } local scrollbarBarColor = {1,1,1,0.08} local fontSizeTitle = 17 -- is version number local fontSizeDate = 13 local fontSizeLine = 15 local lineSeparator = 2 local fontColorTitle = {1,1,1,1} local fontColorDate = {0.66,0.88,0.66,1} local fontColorLine = {0.8,0.77,0.74,1} local fontColorCommand = {0.9,0.6,0.2,1} local textRightOffset = scrollbar and scrollbarMargin+scrollbarWidth+scrollbarWidth or 0 local maxLines = math.floor((height-5)/fontSizeLine) -- textarea scrollbar if scrollbar then if (totalChangelogLines > maxLines or startLine > 1) then -- only show scroll above X lines local scrollbarTop = y-scrollbarOffsetTop-scrollbarMargin-(scrollbarWidth-scrollbarPosWidth) local scrollbarBottom = y-scrollbarOffsetBottom-height+scrollbarMargin+(scrollbarWidth-scrollbarPosWidth) local scrollbarPosHeight = math.max(((height-scrollbarMargin-scrollbarMargin) / totalChangelogLines) * ((height-scrollbarMargin-scrollbarMargin) / 25), scrollbarPosMinHeight) if scrollbarPosHeight > scrollbarTop-scrollbarBottom then scrollbarPosHeight = scrollbarTop-scrollbarBottom end local scrollbarPos = scrollbarTop + (scrollbarBottom - scrollbarTop) * ((startLine-1) / totalChangelogLines) scrollbarPos = scrollbarPos + ((startLine-1) / totalChangelogLines) * scrollbarPosHeight -- correct position taking position bar height into account -- background gl.Color(scrollbarBackgroundColor) RectRound( x+width-scrollbarMargin-scrollbarWidth, scrollbarBottom-(scrollbarWidth-scrollbarPosWidth), x+width-scrollbarMargin, scrollbarTop+(scrollbarWidth-scrollbarPosWidth), scrollbarWidth/2 ) -- bar gl.Color(scrollbarBarColor) RectRound( x+width-scrollbarMargin-scrollbarWidth + (scrollbarWidth - scrollbarPosWidth), scrollbarPos, x+width-scrollbarMargin-(scrollbarWidth - scrollbarPosWidth), scrollbarPos - (scrollbarPosHeight), scrollbarPosWidth/2 ) end end -- draw textarea if changelogFile then font:Begin() local lineKey = startLine local j = 1 while j < maxLines do -- maxlines is not exact, just a failsafe if (lineSeparator+fontSizeTitle)*j > height then break; end if changelogLines[lineKey] == nil then break; end local line = changelogLines[lineKey] if string.find(line, '::') then local cmd = string.match(line, '^[ \+a-zA-Z0-9_-]*') -- escaping the escape: \\ doesnt work in lua !#$@&*()&5$# local descr = string.sub(line, string.len(string.match(line, '^[ \+a-zA-Z0-9_-]*::'))+1) descr, numLines = font:WrapText(descr, (width-scrollbarMargin-scrollbarWidth - 250 - textRightOffset)*(loadedFontSize/fontSizeLine)) if (lineSeparator+fontSizeTitle)*(j+numLines-1) > height then break; end font:SetTextColor(fontColorCommand) font:Print(cmd, x+20, y-(lineSeparator+fontSizeTitle)*j, fontSizeLine, "n") font:SetTextColor(fontColorLine) font:Print(descr, x+250, y-(lineSeparator+fontSizeTitle)*j, fontSizeLine, "n") j = j + (numLines - 1) else -- line font:SetTextColor(fontColorLine) line = "" .. line line, numLines = font:WrapText(line, (width-scrollbarMargin-scrollbarWidth)*(loadedFontSize/fontSizeLine)) if (lineSeparator+fontSizeTitle)*(j+numLines-1) > height then break; end font:Print(line, x+10, y-(lineSeparator+fontSizeTitle)*j, fontSizeLine, "n") j = j + (numLines - 1) end j = j + 1 lineKey = lineKey + 1 end font:End() end end function DrawWindow() local vsx,vsy = Spring.GetViewGeometry() local x = screenX --rightwards local y = screenY --upwards -- background RectRound(x-bgMargin,y-screenHeight-bgMargin,x+screenWidth+bgMargin,y+bgMargin,8, 0,1,1,1) -- content area gl.Color(0.33,0.33,0.33,0.15) RectRound(x,y-screenHeight,x+screenWidth,y,6) -- close button local size = closeButtonSize*0.7 local width = size*0.055 gl.Color(1,1,1,1) gl.PushMatrix() gl.Translate(screenX+screenWidth-(closeButtonSize/2),screenY-(closeButtonSize/2),0) gl.Rotate(-45,0,0,1) gl.Rect(-width,size/2,width,-size/2) gl.Rotate(90,0,0,1) gl.Rect(-width,size/2,width,-size/2) gl.PopMatrix() -- title local title = "Game info" local titleFontSize = 18 gl.Color(WG["background_opacity_custom"]) titleRect = {x-bgMargin, y+bgMargin, x+(glGetTextWidth(title)*titleFontSize)+27-bgMargin, y+37} RectRound(titleRect[1], titleRect[2], titleRect[3], titleRect[4], 8, 1,1,0,0) font:Begin() font:SetTextColor(1,1,1,1) font:SetOutlineColor(0,0,0,0.4) font:Print(title, x-bgMargin+(titleFontSize*0.75), y+bgMargin+8, titleFontSize, "on") font:End() -- textarea DrawTextarea(x, y-10, screenWidth, screenHeight-24, 1) end function widget:DrawScreen() if spIsGUIHidden() then return end if amNewbie then return end -- draw the help if not changelogList then changelogList = gl.CreateList(DrawWindow) end if show or showOnceMore then -- draw the changelog panel glPushMatrix() glTranslate(-(vsx * (widgetScale-1))/2, -(vsy * (widgetScale-1))/2, 0) glScale(widgetScale, widgetScale, 1) gl.Color(WG["background_opacity_custom"]) glCallList(changelogList) glPopMatrix() if (WG['guishader_api'] ~= nil) then local rectX1 = ((screenX-bgMargin) * widgetScale) - ((vsx * (widgetScale-1))/2) local rectY1 = ((screenY+bgMargin) * widgetScale) - ((vsy * (widgetScale-1))/2) local rectX2 = ((screenX+screenWidth+bgMargin) * widgetScale) - ((vsx * (widgetScale-1))/2) local rectY2 = ((screenY-screenHeight-bgMargin) * widgetScale) - ((vsy * (widgetScale-1))/2) WG['guishader_api'].InsertRect(rectX1, rectY2, rectX2, rectY1, 'gameinfo') --WG['guishader_api'].setBlurIntensity(0.0017) --WG['guishader_api'].setScreenBlur(true) end showOnceMore = false else if (WG['guishader_api'] ~= nil) then local removed = WG['guishader_api'].RemoveRect('gameinfo') if removed then --WG['guishader_api'].setBlurIntensity() WG['guishader_api'].setScreenBlur(false) end end end end function widget:KeyPress(key) if key == 27 then -- ESC show = false end end function IsOnRect(x, y, BLcornerX, BLcornerY,TRcornerX,TRcornerY) -- check if the mouse is in a rectangle return x >= BLcornerX and x <= TRcornerX and y >= BLcornerY and y <= TRcornerY end function widget:IsAbove(x, y) -- on window if show then local rectX1 = ((screenX-bgMargin) * widgetScale) - ((vsx * (widgetScale-1))/2) local rectY1 = ((screenY+bgMargin) * widgetScale) - ((vsy * (widgetScale-1))/2) local rectX2 = ((screenX+screenWidth+bgMargin) * widgetScale) - ((vsx * (widgetScale-1))/2) local rectY2 = ((screenY-screenHeight-bgMargin) * widgetScale) - ((vsy * (widgetScale-1))/2) return IsOnRect(x, y, rectX1, rectY2, rectX2, rectY1) else return false end end function widget:GetTooltip(mx, my) if show and widget:IsAbove(mx,my) then return string.format( "\255\255\255\1Left mouse\255\255\255\255 on textarea to scroll down.\n".. "\255\255\255\1Right mouse\255\255\255\255 on textarea to scroll up.\n\n".. "Add CTRL or SHIFT to scroll faster, or combine CTRL+SHIFT (+ALT).") end end function widget:MouseWheel(up, value) if show then local addLines = value*-3 -- direction is retarded startLine = startLine + addLines if startLine < 1 then startLine = 1 end if startLine > totalChangelogLines - textareaMinLines then startLine = totalChangelogLines - textareaMinLines end if changelogList then glDeleteList(changelogList) end changelogList = gl.CreateList(DrawWindow) return true else return false end end function widget:MouseMove(x, y) if show then -- on window local rectX1 = ((screenX-bgMargin) * widgetScale) - ((vsx * (widgetScale-1))/2) local rectY1 = ((screenY+bgMargin) * widgetScale) - ((vsy * (widgetScale-1))/2) local rectX2 = ((screenX+screenWidth+bgMargin) * widgetScale) - ((vsx * (widgetScale-1))/2) local rectY2 = ((screenY-screenHeight-bgMargin) * widgetScale) - ((vsy * (widgetScale-1))/2) if not IsOnRect(x, y, rectX1, rectY2, rectX2, rectY1) then end end end function widget:MousePress(x, y, button) return mouseEvent(x, y, button, false) end function widget:MouseRelease(x, y, button) return mouseEvent(x, y, button, true) end function mouseEvent(x, y, button, release) if spIsGUIHidden() then return false end if show then -- on window local rectX1 = ((screenX-bgMargin) * widgetScale) - ((vsx * (widgetScale-1))/2) local rectY1 = ((screenY+bgMargin) * widgetScale) - ((vsy * (widgetScale-1))/2) local rectX2 = ((screenX+screenWidth+bgMargin) * widgetScale) - ((vsx * (widgetScale-1))/2) local rectY2 = ((screenY-screenHeight-bgMargin) * widgetScale) - ((vsy * (widgetScale-1))/2) if IsOnRect(x, y, rectX1, rectY2, rectX2, rectY1) then -- on close button local brectX1 = rectX2 - ((closeButtonSize+bgMargin+bgMargin) * widgetScale) local brectY2 = rectY1 - ((closeButtonSize+bgMargin+bgMargin) * widgetScale) if IsOnRect(x, y, brectX1, brectY2, rectX2, rectY1) then if release then showOnceMore = true -- show once more because the guishader lags behind, though this will not fully fix it show = not show end return true end if button == 1 or button == 3 then if button == 3 and release then show = not show end return true end elseif titleRect == nil or not IsOnRect(x, y, (titleRect[1] * widgetScale) - ((vsx * (widgetScale-1))/2), (titleRect[2] * widgetScale) - ((vsy * (widgetScale-1))/2), (titleRect[3] * widgetScale) - ((vsx * (widgetScale-1))/2), (titleRect[4] * widgetScale) - ((vsy * (widgetScale-1))/2)) then if release then showOnceMore = true -- show once more because the guishader lags behind, though this will not fully fix it show = false end return true end end end function lines(str) local t = {} local function helper(line) table.insert(t, line) return "" end helper((str:gsub("(.-)\r?\n", helper))) return t end local function hideWindows() if (WG['options'] ~= nil) then WG['options'].toggle(false) end if (WG['changelog'] ~= nil) then WG['changelog'].toggle(false) end if (WG['keybinds'] ~= nil) then WG['keybinds'].toggle(false) end if (WG['commands'] ~= nil) then WG['commands'].toggle(false) end if (WG['teamstats'] ~= nil) then WG['teamstats'].toggle(false) end end function toggle() show = not show if show then hideWindows() end end function widget:Initialize() if not WG["background_opacity_custom"] then WG["background_opacity_custom"] = {0,0,0,0.5} end if changelogFile then widgetHandler:AddAction("customgameinfo", toggle) Spring.SendCommands("unbind any+i gameinfo") Spring.SendCommands("unbind i gameinfo") Spring.SendCommands("bind i customgameinfo") WG['gameinfo'] = {} WG['gameinfo'].toggle = function(state) if state ~= nil then show = state else show = not show end if show then hideWindows() end end -- somehow there are a few characters added at the start that we need to remove --changelogFile = string.sub(changelogFile, 4) -- store changelog into array changelogLines = lines(changelogFile) for i, line in ipairs(changelogLines) do totalChangelogLines = i end else --Spring.Echo("Commands info: couldn't load the commandslist file") widgetHandler:RemoveWidget(self) end end function widget:Shutdown() Spring.SendCommands("unbind i customgameinfo") Spring.SendCommands("bind any+i gameinfo") Spring.SendCommands("bind i gameinfo") widgetHandler:RemoveAction("customgameinfo", toggle) if buttonGL then glDeleteList(buttonGL) buttonGL = nil end if changelogList then glDeleteList(changelogList) changelogList = nil end end
local helpers = require "spec.helpers" local cjson = require "cjson.safe" local pl_file = require "pl.file" local TEST_CONF = helpers.test_conf local function set_ocsp_status(status) local upstream_client = helpers.http_client(helpers.mock_upstream_host, helpers.mock_upstream_port, 5000) local res = assert(upstream_client:get("/set_ocsp?status=" .. status)) assert.res_status(200, res) upstream_client:close() end for _, strategy in helpers.each_strategy() do describe("cluster_ocsp = on works with #" .. strategy .. " backend", function() describe("DP certificate good", function() lazy_setup(function() helpers.get_db_utils(strategy, { "routes", "services", "clustering_data_planes", "upstreams", "targets", "certificates", }) -- runs migrations assert(helpers.start_kong({ role = "control_plane", cluster_cert = "spec/fixtures/ocsp_certs/kong_clustering.crt", cluster_cert_key = "spec/fixtures/ocsp_certs/kong_clustering.key", cluster_ocsp = "on", db_update_frequency = 0.1, database = strategy, cluster_listen = "127.0.0.1:9005", nginx_conf = "spec/fixtures/custom_nginx.template", -- additional attributes for PKI: cluster_mtls = "pki", cluster_ca_cert = "spec/fixtures/ocsp_certs/ca.crt", })) assert(helpers.start_kong({ role = "data_plane", database = "off", prefix = "servroot2", cluster_cert = "spec/fixtures/ocsp_certs/kong_data_plane.crt", cluster_cert_key = "spec/fixtures/ocsp_certs/kong_data_plane.key", cluster_control_plane = "127.0.0.1:9005", proxy_listen = "0.0.0.0:9002", -- additional attributes for PKI: cluster_mtls = "pki", cluster_server_name = "kong_clustering", cluster_ca_cert = "spec/fixtures/ocsp_certs/ca.crt", })) set_ocsp_status("good") end) lazy_teardown(function() helpers.stop_kong("servroot2") helpers.stop_kong() end) describe("status API", function() it("shows DP status", function() helpers.wait_until(function() local admin_client = helpers.admin_client() finally(function() admin_client:close() end) local res = assert(admin_client:get("/clustering/data-planes")) local body = assert.res_status(200, res) local json = cjson.decode(body) for _, v in pairs(json.data) do if v.ip == "127.0.0.1" then return true end end end, 5) end) end) end) describe("DP certificate revoked", function() lazy_setup(function() helpers.get_db_utils(strategy, { "routes", "services", "clustering_data_planes", "upstreams", "targets", "certificates", }) -- runs migrations assert(helpers.start_kong({ role = "control_plane", cluster_cert = "spec/fixtures/ocsp_certs/kong_clustering.crt", cluster_cert_key = "spec/fixtures/ocsp_certs/kong_clustering.key", cluster_ocsp = "on", db_update_frequency = 0.1, database = strategy, cluster_listen = "127.0.0.1:9005", nginx_conf = "spec/fixtures/custom_nginx.template", -- additional attributes for PKI: cluster_mtls = "pki", cluster_ca_cert = "spec/fixtures/ocsp_certs/ca.crt", })) assert(helpers.start_kong({ role = "data_plane", database = "off", prefix = "servroot2", cluster_cert = "spec/fixtures/ocsp_certs/kong_data_plane.crt", cluster_cert_key = "spec/fixtures/ocsp_certs/kong_data_plane.key", cluster_control_plane = "127.0.0.1:9005", proxy_listen = "0.0.0.0:9002", -- additional attributes for PKI: cluster_mtls = "pki", cluster_server_name = "kong_clustering", cluster_ca_cert = "spec/fixtures/ocsp_certs/ca.crt", })) set_ocsp_status("revoked") end) lazy_teardown(function() helpers.stop_kong("servroot2") helpers.stop_kong() end) it("revoked DP certificate can not connect to CP", function() helpers.wait_until(function() local logs = pl_file.read(TEST_CONF.prefix .. "/" .. TEST_CONF.proxy_error_log) if logs:find([[client certificate was revoked: failed to validate OCSP response: certificate status "revoked" in the OCSP response]], 1, true) then local admin_client = helpers.admin_client() finally(function() admin_client:close() end) local res = assert(admin_client:get("/clustering/data-planes")) local body = assert.res_status(200, res) local json = cjson.decode(body) assert.equal(0, #json.data) return true end end, 10) end) end) describe("OCSP responder errors, DP are not allowed", function() lazy_setup(function() helpers.get_db_utils(strategy, { "routes", "services", "clustering_data_planes", "upstreams", "targets", "certificates", }) -- runs migrations assert(helpers.start_kong({ role = "control_plane", cluster_cert = "spec/fixtures/ocsp_certs/kong_clustering.crt", cluster_cert_key = "spec/fixtures/ocsp_certs/kong_clustering.key", cluster_ocsp = "on", db_update_frequency = 0.1, database = strategy, cluster_listen = "127.0.0.1:9005", nginx_conf = "spec/fixtures/custom_nginx.template", -- additional attributes for PKI: cluster_mtls = "pki", cluster_ca_cert = "spec/fixtures/ocsp_certs/ca.crt", })) assert(helpers.start_kong({ role = "data_plane", database = "off", prefix = "servroot2", cluster_cert = "spec/fixtures/ocsp_certs/kong_data_plane.crt", cluster_cert_key = "spec/fixtures/ocsp_certs/kong_data_plane.key", cluster_control_plane = "127.0.0.1:9005", proxy_listen = "0.0.0.0:9002", -- additional attributes for PKI: cluster_mtls = "pki", cluster_server_name = "kong_clustering", cluster_ca_cert = "spec/fixtures/ocsp_certs/ca.crt", })) set_ocsp_status("error") end) lazy_teardown(function() helpers.stop_kong("servroot2") helpers.stop_kong() end) describe("status API", function() it("shows DP status", function() helpers.wait_until(function() local logs = pl_file.read(TEST_CONF.prefix .. "/" .. TEST_CONF.proxy_error_log) if logs:find('DP client certificate revocation check failed: OCSP responder returns bad HTTP status code: 500', nil, true) then local admin_client = helpers.admin_client() finally(function() admin_client:close() end) local res = assert(admin_client:get("/clustering/data-planes")) local body = assert.res_status(200, res) local json = cjson.decode(body) assert.equal(0, #json.data) return true end end, 5) end) end) end) end) describe("cluster_ocsp = off works with #" .. strategy .. " backend", function() describe("DP certificate revoked, not checking for OCSP", function() lazy_setup(function() helpers.get_db_utils(strategy, { "routes", "services", "clustering_data_planes", "upstreams", "targets", "certificates", }) -- runs migrations assert(helpers.start_kong({ role = "control_plane", cluster_cert = "spec/fixtures/ocsp_certs/kong_clustering.crt", cluster_cert_key = "spec/fixtures/ocsp_certs/kong_clustering.key", cluster_ocsp = "off", db_update_frequency = 0.1, database = strategy, cluster_listen = "127.0.0.1:9005", nginx_conf = "spec/fixtures/custom_nginx.template", -- additional attributes for PKI: cluster_mtls = "pki", cluster_ca_cert = "spec/fixtures/ocsp_certs/ca.crt", })) assert(helpers.start_kong({ role = "data_plane", database = "off", prefix = "servroot2", cluster_cert = "spec/fixtures/ocsp_certs/kong_data_plane.crt", cluster_cert_key = "spec/fixtures/ocsp_certs/kong_data_plane.key", cluster_control_plane = "127.0.0.1:9005", proxy_listen = "0.0.0.0:9002", -- additional attributes for PKI: cluster_mtls = "pki", cluster_server_name = "kong_clustering", cluster_ca_cert = "spec/fixtures/ocsp_certs/ca.crt", })) set_ocsp_status("revoked") end) lazy_teardown(function() helpers.stop_kong("servroot2") helpers.stop_kong() end) describe("status API", function() it("shows DP status", function() helpers.wait_until(function() local admin_client = helpers.admin_client() finally(function() admin_client:close() end) local res = assert(admin_client:get("/clustering/data-planes")) local body = assert.res_status(200, res) local json = cjson.decode(body) for _, v in pairs(json.data) do if v.ip == "127.0.0.1" then return true end end end, 5) end) end) end) end) describe("cluster_ocsp = optional works with #" .. strategy .. " backend", function() describe("DP certificate revoked", function() lazy_setup(function() helpers.get_db_utils(strategy, { "routes", "services", "clustering_data_planes", "upstreams", "targets", "certificates", }) -- runs migrations assert(helpers.start_kong({ role = "control_plane", cluster_cert = "spec/fixtures/ocsp_certs/kong_clustering.crt", cluster_cert_key = "spec/fixtures/ocsp_certs/kong_clustering.key", cluster_ocsp = "optional", db_update_frequency = 0.1, database = strategy, cluster_listen = "127.0.0.1:9005", nginx_conf = "spec/fixtures/custom_nginx.template", -- additional attributes for PKI: cluster_mtls = "pki", cluster_ca_cert = "spec/fixtures/ocsp_certs/ca.crt", })) assert(helpers.start_kong({ role = "data_plane", database = "off", prefix = "servroot2", cluster_cert = "spec/fixtures/ocsp_certs/kong_data_plane.crt", cluster_cert_key = "spec/fixtures/ocsp_certs/kong_data_plane.key", cluster_control_plane = "127.0.0.1:9005", proxy_listen = "0.0.0.0:9002", -- additional attributes for PKI: cluster_mtls = "pki", cluster_server_name = "kong_clustering", cluster_ca_cert = "spec/fixtures/ocsp_certs/ca.crt", })) set_ocsp_status("revoked") end) lazy_teardown(function() helpers.stop_kong("servroot2") helpers.stop_kong() end) it("revoked DP certificate can not connect to CP", function() helpers.wait_until(function() local logs = pl_file.read(TEST_CONF.prefix .. "/" .. TEST_CONF.proxy_error_log) if logs:find('client certificate was revoked: failed to validate OCSP response: certificate status "revoked" in the OCSP response', nil, true) then local admin_client = helpers.admin_client() finally(function() admin_client:close() end) local res = assert(admin_client:get("/clustering/data-planes")) local body = assert.res_status(200, res) local json = cjson.decode(body) assert.equal(0, #json.data) return true end end, 5) end) end) describe("OCSP responder errors, DP are allowed through", function() lazy_setup(function() helpers.get_db_utils(strategy, { "routes", "services", "clustering_data_planes", "upstreams", "targets", "certificates", }) -- runs migrations assert(helpers.start_kong({ role = "control_plane", cluster_cert = "spec/fixtures/ocsp_certs/kong_clustering.crt", cluster_cert_key = "spec/fixtures/ocsp_certs/kong_clustering.key", cluster_ocsp = "optional", db_update_frequency = 0.1, database = strategy, cluster_listen = "127.0.0.1:9005", nginx_conf = "spec/fixtures/custom_nginx.template", -- additional attributes for PKI: cluster_mtls = "pki", cluster_ca_cert = "spec/fixtures/ocsp_certs/ca.crt", })) assert(helpers.start_kong({ role = "data_plane", database = "off", prefix = "servroot2", cluster_cert = "spec/fixtures/ocsp_certs/kong_data_plane.crt", cluster_cert_key = "spec/fixtures/ocsp_certs/kong_data_plane.key", cluster_control_plane = "127.0.0.1:9005", proxy_listen = "0.0.0.0:9002", -- additional attributes for PKI: cluster_mtls = "pki", cluster_server_name = "kong_clustering", cluster_ca_cert = "spec/fixtures/ocsp_certs/ca.crt", })) set_ocsp_status("error") end) lazy_teardown(function() helpers.stop_kong("servroot2") helpers.stop_kong() end) describe("status API", function() it("shows DP status", function() helpers.wait_until(function() local admin_client = helpers.admin_client() finally(function() admin_client:close() end) local res = assert(admin_client:get("/clustering/data-planes")) local body = assert.res_status(200, res) local json = cjson.decode(body) for _, v in pairs(json.data) do if v.ip == "127.0.0.1" then local logs = pl_file.read(TEST_CONF.prefix .. "/" .. TEST_CONF.proxy_error_log) if logs:find('DP client certificate revocation check failed: OCSP responder returns bad HTTP status code: 500', nil, true) then return true end end end end, 5) end) end) end) end) end
-- Generated by CSharp.lua Compiler local System = System local ClientRails local SharedRails local SlipeClientElements local SlipeClientGameWorld local SlipeClientSounds local SlipeClientVehicles local SlipeSharedHelpers local SystemNumerics System.import(function (out) ClientRails = out.ClientRails SharedRails = out.SharedRails SlipeClientElements = Slipe.Client.Elements SlipeClientGameWorld = Slipe.Client.GameWorld SlipeClientSounds = Slipe.Client.Sounds SlipeClientVehicles = Slipe.Client.Vehicles SlipeSharedHelpers = Slipe.Shared.Helpers SystemNumerics = System.Numerics end) System.namespace("ClientRails", function (namespace) namespace.class("Railcar", function (namespace) local getFrontPosition, setFrontPosition, PlaySoundEffect, __ctor__ __ctor__ = function (this, train, model, position) this.position = System.default(SharedRails.TrackPosition) SharedRails.SharedRailcar.__ctor__(this, train, model:__clone__(), position:__clone__()) local default = System.new(SlipeClientGameWorld.WorldObject, 2, 321, SystemNumerics.Vector3.getZero()) default:setAlpha(0) default:setCollisionsEnabled(false) this.dummyObject = default SlipeClientElements.ElementExtensions.SetStreamable(this.dummyObject, false) local m = System.cast(ClientRails.ClientRailManager, train.RailManager) local extern = System.new(SlipeClientVehicles.Train, 2, m:GetVehicleModelFromRailcar(model:__clone__()), SystemNumerics.Vector3.getZero()) extern:setDerailed(true) this.trainVehicle = extern SlipeClientElements.ElementExtensions.SetStreamable(this.trainVehicle, false) if not model.IsEngine then this.trainVehicle:setOverrideLights(1 --[[OverrideLightState.ForcedOff]]) end this.trainVehicle:AttachTo1(this.dummyObject, SystemNumerics.Vector3(0, 0, model.Height), SystemNumerics.Vector3.getZero()) this:setFrontPosition(position:__clone__()) this.random = System.Random() this.OnNodePass = this.OnNodePass + System.fn(this, PlaySoundEffect) end getFrontPosition = function (this) return this.position:__clone__() end setFrontPosition = function (this, value) this.position = value:__clone__() if this.dummyObject ~= nil then local frontPosition = SharedRails.TrackPosition.op_Explicit(this.position) local rearPosition = SharedRails.TrackPosition.op_Explicit(this:getRearPosition()) local middlePosition = SystemNumerics.Vector3.op_Subtraction(frontPosition, (SystemNumerics.Vector3.op_Division((SystemNumerics.Vector3.op_Subtraction(frontPosition, rearPosition)), 2))) this.dummyObject:setPosition(middlePosition) this.dummyObject:setRotation(SlipeSharedHelpers.NumericHelper.RotationBetweenPositions(frontPosition, middlePosition)) end end PlaySoundEffect = function (this, node) local default = System.new(SlipeClientSounds.WorldSound, 3, 1 --[[SoundContainer.genrl]], 125, this.random:Next(7, 9), node.Position:__clone__(), false) default:setVolume(1) default:setMinDistance(5) default:setMaxDistance(80) end return { __inherits__ = function (out) return { out.SharedRails.SharedRailcar } end, getFrontPosition = getFrontPosition, setFrontPosition = setFrontPosition, __ctor__ = __ctor__, __metadata__ = function (out) return { fields = { { "dummyObject", 0x1, out.Slipe.Client.GameWorld.WorldObject }, { "position", 0x1, out.SharedRails.TrackPosition }, { "random", 0x1, System.Random }, { "trainVehicle", 0x1, out.Slipe.Client.Vehicles.Train } }, properties = { { "FrontPosition", 0x106, out.SharedRails.TrackPosition, getFrontPosition, setFrontPosition } }, methods = { { ".ctor", 0x306, nil, out.SharedRails.SharedTrain, out.SharedRails.RailcarModel, out.SharedRails.TrackPosition }, { "PlaySoundEffect", 0x101, PlaySoundEffect, out.SharedRails.TrackNode } }, class = { 0x6 } } end } end) end)
local popup = {} local api = vim.api local function calc_width(lines) local width = 0 for _, l in ipairs(lines) do local len = vim.fn.strdisplaywidth(l) if len > width then width = len end end return width end local function open_win(bufnr, enter, opts) local stat, win_id = pcall(api.nvim_open_win, bufnr, enter, opts) if not stat then opts.border = nil win_id = api.nvim_open_win(bufnr, enter, opts) elseif opts.border then api.nvim_win_set_option(win_id, 'winhl', string.format('NormalFloat:Normal')) end return win_id end local function bufnr_calc_width(buf, lines) return api.nvim_buf_call(buf, function() return calc_width(lines) end) end function popup.create(what, opts) local bufnr = api.nvim_create_buf(false, true) assert(bufnr, "Failed to create buffer") api.nvim_buf_set_lines(bufnr, 0, -1, true, what) opts = opts or {} if opts.tabstop then api.nvim_buf_set_option(bufnr, 'tabstop', opts.tabstop) end local win_id = open_win(bufnr, false, { border = 'single', style = 'minimal', relative = opts.relative or 'cursor', row = opts.row or 0, col = opts.col or 1, height = opts.height or #what, width = opts.width or bufnr_calc_width(bufnr, what), }) vim.lsp.util.close_preview_autocmd({ 'CursorMoved', 'CursorMovedI' }, win_id) return win_id, bufnr end return popup
package("xcb-proto") set_homepage("https://www.x.org/") set_description("X.Org: XML-XCB protocol descriptions for libxcb code generation") set_urls("https://xorg.freedesktop.org/archive/individual/proto/xcb-proto-$(version).tar.gz", "https://xcb.freedesktop.org/dist/xcb-proto-$(version).tar.gz") add_versions("1.13", "0698e8f596e4c0dbad71d3dc754d95eb0edbb42df5464e0f782621216fa33ba7") add_versions("1.14", "1c3fa23d091fb5e4f1e9bf145a902161cec00d260fabf880a7a248b02ab27031") add_versions("1.14.1", "85cd21e9d9fbc341d0dbf11eace98d55d7db89fda724b0e598855fcddf0944fd") if is_plat("macosx", "linux") then add_deps("pkg-config", "python 3.x") end on_install("macosx", "linux", function (package) local configs = {"--sysconfdir=" .. package:installdir("etc"), "--localstatedir=" .. package:installdir("var"), "--disable-silent-rules", "PYTHON=python3"} import("package.tools.autoconf").install(package, configs) end) on_test(function (package) local envs = {PKG_CONFIG_PATH = path.join(package:installdir(), "lib", "pkgconfig")} os.vrunv("pkg-config", {"--exists", "xcb-proto"}, {envs = envs}) end)
-- Petit script pour recevoir la LED IR --[[ ./luatool.py --ip 192.168.43.203 --src ~/Desktop/NodeMCU_Lua_robot/robot/goodies/IR/ir_receiver2.lua --dest ir_receiver2.lua telnet -r 192.168.43.203 dofile("ir_receiver2.lua") dofile("dir.lua") dofile("cat.lua") cat("ir_receiver2.lua") node.restart() tmr.stop(ir_receive_tmr1) ]] print("\n ir_receive2.lua zf180911.1813 \n") pin_hp = 8 gpio.mode(pin_hp,gpio.OUTPUT) gpio.write(pin_hp,gpio.LOW) pin_ir_receive = 7 gpio.mode(pin_ir_receive, gpio.INT, gpio.PULLUP) i=1 j=i function pulse_detected() -- gpio.write(pin_hp,gpio.HIGH) --tmr.delay(500) i=i+1 -- gpio.write(pin_hp,gpio.LOW) end gpio.trig(pin_ir_receive,"down",pulse_detected) ir_receive_tmr1=tmr.create() tmr.alarm(ir_receive_tmr1, 500, tmr.ALARM_AUTO, function() if i~=j then print(i) j=i end end)
local vimw = require("facade") local table_ = require("earthshine.table") local inspect = require("vendor.inspect") local deque = require("vendor.deque") local codestats_version, pulse_endpoint, week_in_seconds, xps_metatable, create_pulse, pulse_metatable, normalize_language codestats_version = "0.0.1" pulse_endpoint = "api/my/pulses" week_in_seconds = 604800 codestats = { api_key = nil, pulse_frequency_ms = nil, api_url = nil, curl_command = nil, pulse_timer = nil, logging = nil, xps = { }, previously_added = { }, pulses = deque.new(), pulsing = false, log_file = io.open(vimw.g_get('codestats_log_file'), "a"), init = function(self, api_key) self.api_key = api_key self.pulse_frequency_ms = vimw.g_get('codestats_pulse_frequency_ms') self.api_url = vimw.g_get('codestats_api_url') self.curl_command = vimw.g_get('codestats_curl_command') self.logging = vimw.g_get('codestats_logging') setmetatable(self.xps, xps_metatable) vimw.exec([[ augroup codestats au! au InsertCharPre * lua codestats:add_xp("InsertCharPre") au TextChanged * lua codestats:add_xp("TextChanged") au VimLeavePre * lua codestats:cleanup() augroup END ]]) self.pulse_timer = vimw.fn("timer_start", { self.pulse_frequency_ms, "codestats#pulse_xp", { ["repeat"] = -1 } }) end, add_xp = function(self, event) local _exp_0 = event if "InsertCharPre" == _exp_0 then return self:add_single_xp() elseif "TextChanged" == _exp_0 then return self:handle_text_changed() end end, add_single_xp = function(self) local buffer_handle = vimw.fn("bufnr", { "%" }) local modifiable = vimw.b_option_get(buffer_handle, 'modifiable') local filetype if modifiable then filetype = vimw.b_option_get(buffer_handle, 'filetype') local _update_0 = filetype self.xps[_update_0] = self.xps[_update_0] + 1 end end, handle_text_changed = function(self) return nil end, pulse_xp = function(self, is_cleanup) if is_cleanup == nil then is_cleanup = false end if table_.size(self.xps) == 0 then return end self.pulses:push_right(create_pulse(self.xps)) return self:schedule_pulse(is_cleanup) end, schedule_pulse = function(self, is_cleanup) if self.pulsing then return end local pulse = self.pulses:pop_left() if os.difftime(os.time(), pulse.coded_time) > 604800 then return end local cmd = { self.curl_command, '--connect-timeout', '5', '--header', 'Content-Type: application/json', '--header', 'Accept: */*', '--header', "User-Agent: codestats.nvim/" .. tostring(codestats_version), '--header', "X-API-Token: " .. tostring(self.api_key), '--request', 'POST', '--data', tostring(pulse), tostring(self.api_url) .. "/" .. tostring(pulse_endpoint) } self:log("Pulsing, curl job cmd:\n" .. tostring(inspect(cmd))) local opts = { on_exit = "codestats#pulse_callback", stdout_buffered = true, pulse = pulse } if is_cleanup then opts['detach'] = true end local args = { cmd, opts } local jobid = vimw.fn("jobstart", args) if jobid == 0 then self:log("Failed to start job, invalid arguments:\n" .. tostring(inspect(args))) print("codestats.nvim: Unrecoverable error - disabling pulses") return vimw.fn("timer_stop", { self.pulse_timer }) elseif jobid == -1 then self:log("Failed to start job, `" .. tostring(self.curl_command) .. "` is not executable:\n") print("codestats.nvim: `" .. tostring(self.curl_command) .. "` is not executable -- either fix that, or set g:codestats_curl_command to the path to a working curl executable") return self.pulses:push_left(pulse) else self.pulsing = true end end, pulse_callback = function(self, opts, jobid, exit_code, _event) self.pulsing = false local pulse = opts.pulse local data = opts.stdout if data[1] == "" then self:log("Data returned from pulse was blank, exit code: " .. tostring(exit_code) .. ", opts: " .. tostring(inspect(opts))) if self.pulses:length() > 0 then self:schedule_pulse() end return end local response = vimw.fn("json_decode", { data }) do local err = response['error'] if err then self:log("Pulse job ID " .. tostring(jobid) .. " failed with '" .. tostring(err) .. "'! Re-scheduling pulse:\n" .. tostring(inspect(pulse))) self.pulses:push_left(pulse) end end self:log("Pulse callback caught full response: " .. tostring(inspect(response))) if self.pulses:length() > 0 then return self:schedule_pulse() end end, cleanup = function(self) self:log("Launching cleanup pulse if necessary; XP will be lost if it fails") return self:pulse_xp(true) end, log = function(self, msg) if self.logging then self.log_file:write(tostring(msg) .. "\n") return self.log_file:flush() end end } xps_metatable = { __index = function(_tbl, _key) return 0 end } create_pulse = function(xps) local pulse = { coded_time = os.time(), xps = { } } for language, xp in pairs(xps) do pulse.xps[#pulse.xps + 1] = { language = normalize_language(language), xp = xp } xps[language] = nil end setmetatable(pulse, pulse_metatable) return pulse end pulse_metatable = { __tostring = function(tbl) local pulse = { coded_at = os.date('%Y-%m-%dT%H:%M:%S%z', tbl.coded_time), xps = tbl.xps } return vimw.fn("json_encode", { pulse }) end } normalize_language = function(language) if language == "" then return "Plain text" else return language end end return codestats
--require("compat-5.1") System=luanet.System Math=System.Math print(Math.Pow(2,3))
-- Created by Elfansoer --[[ Ability checklist (erase if done/checked): - Scepter Upgrade - Break behavior - Linken/Reflect behavior - Spell Immune/Invulnerable/Invisible behavior - Illusion behavior - Stolen behavior ]] -------------------------------------------------------------------------------- drow_ranger_multishot_lua = class({}) LinkLuaModifier( "modifier_drow_ranger_multishot_lua", "lua_abilities/drow_ranger_multishot_lua/modifier_drow_ranger_multishot_lua", LUA_MODIFIER_MOTION_NONE ) -------------------------------------------------------------------------------- -- Ability Start drow_ranger_multishot_lua.targets = {} function drow_ranger_multishot_lua:OnSpellStart() -- unit identifier local caster = self:GetCaster() local point = self:GetCursorPosition() -- load data local duration = self:GetChannelTime() self.targets = {} -- add modifier self.modifier = caster:AddNewModifier( caster, -- player source self, -- ability source "modifier_drow_ranger_multishot_lua", -- modifier name { duration = duration, x = point.x, y = point.y, z = point.z, } -- kv ) end -------------------------------------------------------------------------------- -- Projectile function drow_ranger_multishot_lua:OnProjectileHit_ExtraData( target, location, data ) if not target then return end -- check if already attacked on this wave if self.targets[ target ]==data.wave then return false end self.targets[ target ] = data.wave -- get value local damage = self:GetSpecialValueFor( "arrow_damage_pct" ) local slow = self:GetSpecialValueFor( "arrow_slow_duration" ) -- check frost arrow ability if data.frost==1 then local ability = self:GetCaster():FindAbilityByName( "drow_ranger_frost_arrows_lua" ) target:AddNewModifier( self:GetCaster(), -- player source ability, -- ability source "modifier_drow_ranger_frost_arrows_lua", -- modifier name { duration = slow } -- kv ) end -- damage local damageTable = { victim = target, attacker = self:GetCaster(), damage = self:GetCaster():GetAttackDamage(), damage_type = DAMAGE_TYPE_PHYSICAL, ability = self, --Optional. -- damage_flags = DOTA_DAMAGE_FLAG_NONE, --Optional. } ApplyDamage(damageTable) -- play effects local sound_cast = "Hero_DrowRanger.ProjectileImpact" EmitSoundOn( sound_cast, target ) return true end -------------------------------------------------------------------------------- -- Ability Channeling function drow_ranger_multishot_lua:OnChannelFinish( bInterrupted ) -- destroy modifier if not self.modifier:IsNull() then self.modifier:Destroy() end end
return core.SystemConstructor("BoxDebugDrawSystem",function(...) return { filter = core.tiny.requireAll( "PositionComponent", "BoxComponent" ), draw = function(self,entity) love.graphics.rectangle("line",entity.x,entity.y,entity.width,entity.height) end } end)
--////////////////////////////////// --//// Holystone Productions //// --//// Copy Right //// --//// Blizzlike Repack v 1.0 //// --////////////////////////////////// local DeathspeakerZealot = 36808 function DeathspeakerZealot_OnCombat(punit, event) punit:RegisterEvent("DeathspeakerZealot_ShadowCleave", 10000, 0) end function DeathspeakerZealot_ShadowCleave(punit, event) punit:CastSpellOnTarget(69492, punit:GetClosestPlayer()) end function DeathspeakerZealot_OnLeaveCombat(punit, event) punit:RemoveEvents() end RegisterUnitEvent(DeathspeakerZealot, 1, "DeathspeakerZealot_OnCombat") RegisterUnitEvent(DeathspeakerZealot, 2, "DeathspeakerZealot_OnLeaveCombat")
local t = LoadFallbackB(); t[#t+1] = StandardDecorationFromFileOptional("StyleIcon","StyleIcon"); t[#t+1] = StandardDecorationFromFile("StageDisplay","StageDisplay"); t[#t+1] = Def.ActorFrame{ LoadActor( THEME:GetPathB("","optionicon_P1") ) .. { InitCommand=cmd(halign,0;player,PLAYER_1;x,SCREEN_LEFT+110;y,SCREEN_CENTER_Y;draworder,1); OnCommand=function(self) self:y(SCREEN_CENTER_Y+180):zoomy(0):linear(0.2):zoomy(1) end; OffCommand=cmd(linear,0.2;zoomy,0); }; LoadActor( THEME:GetPathB("","optionicon_P2") ) .. { InitCommand=cmd(halign,1;player,PLAYER_2;x,SCREEN_RIGHT-110;y,SCREEN_CENTER_Y;draworder,1); OnCommand=function(self) self:y(SCREEN_CENTER_Y+180):zoomy(0):linear(0.2):zoomy(1) end; OffCommand=cmd(linear,0.2;zoomy,0); }; }; --Score Area if GAMESTATE:IsPlayerEnabled('PlayerNumber_P1') then --P1 Score Frame t[#t+1]=Def.ActorFrame{ OffCommand=cmd(linear,0.2;addx,-SCREEN_WIDTH); LoadActor("diff frame")..{ InitCommand=cmd(halign,0;xy,SCREEN_LEFT,SCREEN_BOTTOM-104;); }; Def.ActorFrame{ Name = "ScoreFrameP1"; Def.Quad{ InitCommand=cmd(halign,0;xy,SCREEN_LEFT,SCREEN_BOTTOM-85;setsize,WideScale(192,256),24;diffuse,color("#666666")); }; Def.Quad{ InitCommand=cmd(halign,0;xy,SCREEN_LEFT,SCREEN_BOTTOM-85;setsize,WideScale(190,254),20;diffuse,color("0,0,0,1")); }; }; }; end; if GAMESTATE:IsPlayerEnabled('PlayerNumber_P2') then t[#t+1]=Def.ActorFrame{ OffCommand=cmd(linear,0.2;addx,SCREEN_WIDTH); LoadActor("diff frame")..{ InitCommand=cmd(zoomx,-1;halign,0;xy,SCREEN_RIGHT,SCREEN_BOTTOM-104;); }; Def.ActorFrame{ Name = "ScoreFrameP2"; Def.Quad{ InitCommand=cmd(halign,1;xy,SCREEN_RIGHT,SCREEN_BOTTOM-85;setsize,WideScale(192,256),24;diffuse,color("#666666")); }; Def.Quad{ InitCommand=cmd(halign,1;xy,SCREEN_RIGHT,SCREEN_BOTTOM-85;setsize,WideScale(190,254),20;diffuse,color("0,0,0,1")); }; }; }; end; -- judge labels t[#t+1] = LoadActor("labels")..{ InitCommand=cmd(CenterX;y,SCREEN_CENTER_Y+32;zoomy,0); OnCommand=cmd(linear,0.3;zoomy,1); OffCommand=cmd(sleep,0.2;linear,0.2;zoomy,0); }; t[#t+1] = LoadActor("frame")..{ InitCommand=cmd(diffusealpha,0.5;CenterX;y,SCREEN_CENTER_Y+35;zoomy,0); OnCommand=cmd(linear,0.3;zoomy,1); OffCommand=cmd(sleep,0.2;linear,0.2;zoomy,0); }; -- difficulty display if ShowStandardDecoration("DifficultyIcon") then if GAMESTATE:GetPlayMode() == 'PlayMode_Rave' then -- in rave mode, we always have two players. else -- otherwise, we only want the human players for pn in ivalues(GAMESTATE:GetHumanPlayers()) do local diffIcon = LoadActor(THEME:GetPathG(Var "LoadingScreen", "DifficultyIcon"), pn) t[#t+1] = StandardDecorationFromTable("DifficultyIcon" .. ToEnumShortString(pn), diffIcon); end end end t[#t+1] = LoadActor("../grade")..{ OnCommand=cmd(play); }; for pn in ivalues(PlayerNumber) do local MetricsName = "MachineRecord" .. PlayerNumberToString(pn); t[#t+1] = LoadActor( THEME:GetPathG(Var "LoadingScreen", "MachineRecord"), pn ) .. { InitCommand=function(self) self:player(pn); self:name(MetricsName); ActorUtil.LoadAllCommandsAndSetXY(self,Var "LoadingScreen"); end; }; end for pn in ivalues(PlayerNumber) do local MetricsName = "PersonalRecord" .. PlayerNumberToString(pn); t[#t+1] = LoadActor( THEME:GetPathG(Var "LoadingScreen", "PersonalRecord"), pn ) .. { InitCommand=function(self) self:player(pn); self:name(MetricsName); ActorUtil.LoadAllCommandsAndSetXY(self,Var "LoadingScreen"); end; }; end t[#t+1] = Def.ActorFrame { Condition=GAMESTATE:HasEarnedExtraStage() and GAMESTATE:IsExtraStage() and not GAMESTATE:IsExtraStage2(); InitCommand=cmd(draworder,105); LoadActor( THEME:GetPathS("ScreenEvaluation","try Extra1" ) ) .. { Condition=THEME:GetMetric( Var "LoadingScreen","Summary" ) == false; OnCommand=cmd(play); }; }; for _, pn in pairs(GAMESTATE:GetEnabledPlayers()) do t[#t+1] = LoadActor("grade", pn) end local stageXPos = { P1 = -280, P2 = 280 } if GAMESTATE:IsCourseMode() then local function FindText(pss) if pss:GetFailed() then return string.format("%02d STAGE",pss:GetSongsPassed()) else return "CLEAR" end end for _, pn in pairs(GAMESTATE:GetHumanPlayers()) do local shortPn = ToEnumShortString(pn) t[#t+1] = Def.BitmapText{ Font="_handelgothic bt 20px"; InitCommand=cmd(x,SCREEN_CENTER_X+stageXPos[shortPn];y,SCREEN_CENTER_Y+20); OnCommand=function(s) local pss = STATSMAN:GetCurStageStats():GetPlayerStageStats(pn) local darkLength = (#(tostring(pss:GetSongsPassed()))) == 1 and 1 or 0 s:diffusealpha(0) :settext(FindText(pss)) :AddAttribute(0,{Length=darkLength, Diffuse=color "#777777"}) :sleep(0.8):diffusealpha(1) end; OffCommand=function(s) s:linear(1):diffusealpha(0) end; }; end end t[#t+1] = Def.ActorFrame{ LoadActor("P1")..{ InitCommand=cmd(x,SCREEN_CENTER_X-240;y,SCREEN_CENTER_Y-30); BeginCommand=cmd(playcommand,"Check1"); OnCommand=cmd(draworder,9;addx,-SCREEN_WIDTH;sleep,0.2;linear,0.2;addx,SCREEN_WIDTH); OffCommand=cmd(linear,0.2;addx,-SCREEN_WIDTH); Check1Command=function(self,param) if GAMESTATE:IsPlayerEnabled(0) == false then self:visible(false) end end; }; LoadActor("P2")..{ InitCommand=cmd(x,SCREEN_CENTER_X+240;y,SCREEN_CENTER_Y-30); BeginCommand=cmd(playcommand,"Check2"); OnCommand=cmd(draworder,9;addx,SCREEN_WIDTH;sleep,0.2;linear,0.2;addx,-SCREEN_WIDTH); OffCommand=cmd(linear,0.2;addx,SCREEN_WIDTH); Check2Command=function(self,param) if GAMESTATE:IsPlayerEnabled(1) == false then self:visible(false) end end; }; } return t
local mg = require "moongen" local memory = require "memory" local device = require "device" local ts = require "timestamping" local stats = require "stats" local log = require "log" local limiter = require "software-ratecontrol" local pipe = require "pipe" local ffi = require "ffi" local libmoon = require "libmoon" local histogram = require "histogram" local PKT_SIZE = 60 function configure(parser) parser:description("Forward traffic between interfaces with moongen rate control") parser:option("-d --dev", "Devices to use, specify the same device twice to echo packets."):args(2):convert(tonumber) --parser:option("-r --rate", "Transmit rate in Mpps."):args(1):default(2):convert(tonumber) parser:option("-r --rate", "Forwarding rates in Mbps (two values for two links)"):args(2):convert(tonumber) parser:option("-t --threads", "Number of threads per forwarding direction using RSS."):args(1):convert(tonumber):default(1) parser:option("-l --latency", "Fixed emulated latency (in ms) on the link."):args(2):convert(tonumber):default({0,0}) parser:option("-x --xlatency", "Extra exponentially distributed latency, in addition to the fixed latency (in ms)."):args(2):convert(tonumber):default({0,0}) parser:option("-q --queuedepth", "Maximum number of bytes to hold in the delay line"):args(2):convert(tonumber):default({0,0}) parser:option("-o --loss", "Rate of packet drops"):args(2):convert(tonumber):default({0,0}) parser:option("-c --concealedloss", "Rate of concealed packet drops"):args(2):convert(tonumber):default({0,0}) parser:option("-u --catchuprate", "After a concealed loss, this rate will apply to the backed-up frames."):args(2):convert(tonumber):default({0,0}) return parser:parse() end function master(args) -- configure devices for i, dev in ipairs(args.dev) do print(i,dev) args.dev[i] = device.config{ port = dev, txQueues = args.threads, rxQueues = args.threads, rssQueues = 0, rssFunctions = {}, rxDescs = 4096, dropEnable = true, disableOffloads = true } print(args.dev[i]["id"]) end device.waitForLinks() -- print stats stats.startStatsTask{devices = args.dev} -- create the ring buffers -- should set the size here, based on the line speed and latency, and maybe desired queue depth local qdepth1 = args.queuedepth[1] if qdepth1 < 1 then qdepth1 = math.floor((args.latency[1] * args.rate[1] * 1000)/8) end local qdepth2 = args.queuedepth[2] if qdepth2 < 1 then qdepth2 = math.floor((args.latency[2] * args.rate[2] * 1000)/8) end local ring1 = pipe:newBytesizedtxRing(qdepth1, -1, args.dev[1]["id"]) local ring2 = pipe:newBytesizedtxRing(qdepth2, -1, args.dev[2]["id"]) -- start the forwarding tasks for i = 1, args.threads do mg.startTask("forward", ring1, args.dev[1]:getTxQueue(i - 1), args.dev[1], args.rate[1], args.latency[1], args.xlatency[1], args.loss[1], args.concealedloss[1], args.catchuprate[1]) if args.dev[1] ~= args.dev[2] then mg.startTask("forward", ring2, args.dev[2]:getTxQueue(i - 1), args.dev[2], args.rate[2], args.latency[2], args.xlatency[2], args.loss[2], args.concealedloss[2], args.catchuprate[2]) end end -- start the receiving/latency tasks for i = 1, args.threads do mg.startTask("receive", ring1, args.dev[2]:getRxQueue(i - 1), args.dev[2]) if args.dev[1] ~= args.dev[2] then mg.startTask("receive", ring2, args.dev[1]:getRxQueue(i - 1), args.dev[1]) end end mg.waitForTasks() end function receive(ring, rxQueue, rxDev) local bufs = memory.createBufArray() local count = 0 local count_hist = histogram:new() local ringsize_hist = histogram:new() local ringbytes_hist = histogram:new() local ts = 0 while mg.running() do count = rxQueue:recv(bufs) --count_hist:update(count) for iix=1,count do local buf = bufs[iix] --if buf:hasTimestamp() then -- ts = buf:getTimestamp() --end ts = limiter:get_tsc_cycles() buf.udata64 = ts end if count > 0 then local num_added = pipe:sendToBytesizedtxRing(ring.ring, bufs, count) if (num_added < count) then --print("failed to add packets to bstxring "..num_added.." "..count) end --ringsize_hist:update(pipe:countBytesizedRing(ring.ring)) --ringbytes_hist:update(pipe:bytesusedBytesizedRing(ring.ring)) --print("ring count/usage: ",pipe:countBytesizedRing(ring.ring),pipe:bytesusedBytesizedRing(ring.ring),count) end end count_hist:print() count_hist:save("rxq-pkt-count-distribution-histogram-"..rxDev["id"]..".csv") ringsize_hist:print() ringsize_hist:save("rxq-ringsize-distribution-histogram-"..rxDev["id"]..".csv") ringbytes_hist:print() ringbytes_hist:save("rxq-ringbytes-distribution-histogram-"..rxDev["id"]..".csv") end function forward(ring, txQueue, txDev, rate, latency, xlatency, lossrate, clossrate, catchuprate) print("forward with rate "..rate.." and latency "..latency.." and loss rate "..lossrate.." and clossrate "..clossrate.." and catchuprate "..catchuprate) local numThreads = 1 local count_hist = histogram:new() local size_hist = histogram:new() local linkspeed = txDev:getLinkStatus().speed print("linkspeed = "..linkspeed) local tsc_hz = libmoon:getCyclesFrequency() local tsc_hz_ms = tsc_hz / 1000 local tsc_hz_us = tsc_hz / 1000000 print("tsc_hz = "..tsc_hz) -- larger batch size is useful when sending it through a rate limiter local bufs = memory.createBufArray() --memory:bufArray() --(128) local count = 0 -- when there is a concealed loss, the backed-up packets can -- catch-up at line rate local catchup_mode = false while mg.running() do -- receive one or more packets from the queue count = pipe:recvFromBytesizedtxRing(ring.ring, bufs, 1) --count_hist:update(count) for iix=1,count do local buf = bufs[iix] -- get the buf's arrival timestamp and compare to current time local arrival_timestamp = buf.udata64 -- emulate extra exponential random delay local extraDelay = 0.0 if (xlatency > 0) then extraDelay = -math.log(math.random())*xlatency end -- emulate concealed losses local closses = 0 while (math.random() < clossrate) do closses = closses + 1 if (catchuprate > 0) then catchup_mode = true --print "entering catchup mode!" end end local send_time = arrival_timestamp + (((closses+1)*latency + extraDelay) * tsc_hz_ms) local cur_time = limiter:get_tsc_cycles() -- spin/wait until it is time to send this frame -- this assumes frame order is preserved while cur_time < send_time do catchup_mode = false if not mg.running() then return end cur_time = limiter:get_tsc_cycles() end local pktSize = buf.pkt_len + 24 --size_hist:update(buf.pkt_len) if (catchup_mode) then --print "operating in catchup mode!" --print("catchup setting delay to "..((pktSize) * (linkspeed/rate - 1)).." on buf ",buf) buf:setDelay((pktSize) * (linkspeed/catchuprate - 1)) else buf:setDelay((pktSize) * (linkspeed/rate - 1)) end --if count > 0 then if count > 0 then -- the rate here doesn't affect the result afaict. It's just to help decide the size of the bad pkts txQueue:sendWithDelayLoss(bufs, rate * numThreads, lossrate, count) end end -- if count > 0 then end -- while mg.running() do count_hist:print() count_hist:save("pkt-count-distribution-histogram-"..tonumber(txDev["id"])..".csv") size_hist:print() size_hist:save("pkt-size-distribution-histogram-"..tonumber(txDev["id"])..".csv") end
target("interfaces") set_kind("static") add_files("src/interfaces.rs") target("${TARGETNAME}_demo") set_kind("binary") add_deps("interfaces") add_files("src/main.rs") add_linkdirs("$(buildir)") ${FAQ}
require("plenary.reload").reload_module "telescope" local tester = require "telescope.pickers._test" local log = require "telescope.log" log.use_console = false describe("scrolling strategies", function() it("should handle cycling for full list", function() tester.run_file [[find_files__scrolling_descending_cycle]] end) end)
hp = 1200 attack = 400 defense = 400 speed = 80 mdefense = 500 luck = 100 strength = ELEMENT_NONE weakness = ELEMENT_NONE function initId(id) myId = id end function start() end function get_action(step) return COMBAT_ATTACKING, 1, getRandomPlayer() end function die() end function get_attack_condition() n = getRandomNumber(2); if (n == 0) then return CONDITION_POISONED else return CONDITION_NORMAL end end
local db; local icon; local saveVar; local iconName = "WoWQuote"; local iconImg = "Interface\\Icons\\inv_misc_book_08"; local iconOnClick = function () WQ_ShowUI(); end; local iconOnTooltipShow = function (tooltip) tooltip:SetText(iconName); end; db = LibStub("LibDataBroker-1.1"):NewDataObject(iconName, { type = "data source", text = iconName, icon = iconImg, OnClick = function() iconOnClick(); end, OnTooltipShow = function(tooltip) iconOnTooltipShow(tooltip); end, }); icon = LibStub("LibDBIcon-1.0"); icon:Register(iconName, db, saveVar);
local followchars = true; local xx = 420.95; local yy = 275; local xx2 = 1222.9; local yy2 = 455; local ofs = 50; local ofs2 = 40; local del = 0; local del2 = 0; local angleshit = 0.3; local anglevar = 0.3; function opponentNoteHit(id, direction, noteType, isSustainNote) if curBeat < 145 then if curBeat > 143 then cameraShake('cam', '0.015', '0.1') end end if curBeat < 49 then if curBeat > 38 then cameraShake('cam', '0.015', '0.1') end end end function onUpdate() if mustHitSection == true then if getProperty('boyfriend.animation.curAnim.name') == 'idle' then triggerEvent('Camera Follow Pos',xx2,yy2) setProperty('defaultCamZoom',1) end if getProperty('boyfriend.animation.curAnim.name') == 'singLEFT' then triggerEvent('Camera Follow Pos',xx2-ofs2,yy2) setProperty('defaultCamZoom',1) end if getProperty('boyfriend.animation.curAnim.name') == 'singRIGHT' then triggerEvent('Camera Follow Pos',xx2+ofs2,yy2) setProperty('defaultCamZoom',1) end if getProperty('boyfriend.animation.curAnim.name') == 'singUP' then triggerEvent('Camera Follow Pos',xx2,yy2-ofs2) setProperty('defaultCamZoom',1) end if getProperty('boyfriend.animation.curAnim.name') == 'singDOWN' then triggerEvent('Camera Follow Pos',xx2,yy2+ofs2) setProperty('defaultCamZoom',1) end end end
am.addCMD("freeze", 'Freezes a player', 'Administration', function(caller, target, reason) am.notify(nil, am.green, caller:Nick(), am.def, ' has frozen ', am.red, target:Nick(), am.def, ' for ', am.green, reason) target:Freeze(true) end):addParam({ name = 'target', type = 'player' }):addParam({ name = "reason", type = "string" }):setPerm("freeze") am.addCMD("unfreeze", 'UnFreezes a player', 'Administration', function(caller, target) am.notify(nil, am.green, caller:Nick(), am.def, ' has unfroze ', am.red, target:Nick()) target:Freeze(false) end):addParam({ name = 'target', type = 'player' }):setPerm("freeze")