content stringlengths 5 1.05M |
|---|
ardour {
["type"] = "EditorAction",
name = "Add LFO automation to region",
version = "0.1.1",
license = "MIT",
author = "Daniel Appelt",
description = [[Add LFO-like plugin automation to selected region]]
}
function factory (unused_params)
return function ()
-- Retrieve the first selected region
-- TODO: the following statement should do just that, no!?
-- local region = Editor:get_selection().regions:regionlist():front()
local region = nil
for r in Editor:get_selection().regions:regionlist():iter() do
if region == nil then region = r end
end
-- Bail out if no region was selected
if region == nil then
LuaDialog.Message("Add LFO automation to region", "Please select a region first!",
LuaDialog.MessageType.Info, LuaDialog.ButtonType.Close):run()
return
end
-- Identify the track the region belongs to. There really is no better way?!
local track = nil
for route in Session:get_tracks():iter() do
for r in route:to_track():playlist():region_list():iter() do
if r == region then track = route:to_track() end
end
end
-- Get a list of all available plugin parameters on the track. This looks ugly. For the original code
-- see https://github.com/Ardour/ardour/blob/master/scripts/midi_cc_to_automation.lua
local targets = {}
local i = 0
while true do -- iterate over all plugins on the route
if track:nth_plugin(i):isnil() then break end
local proc = track:nth_plugin(i) -- ARDOUR.LuaAPI.plugin_automation() expects a proc not a plugin
local plug = proc:to_insert():plugin(0)
local plug_label = i .. ": " .. plug:name() -- Handle ambiguity if there are multiple plugin instances
local n = 0 -- Count control-ports separately. ARDOUR.LuaAPI.plugin_automation() only returns those.
for j = 0, plug:parameter_count() - 1 do -- Iterate over all parameters
if plug:parameter_is_control(j) then
local label = plug:parameter_label(j)
if plug:parameter_is_input(j) and label ~= "hidden" and label:sub(1,1) ~= "#" then
-- We need two return values: the plugin-instance and the parameter-id. We use a function to
-- return both values in order to avoid another sub-menu level in the dropdown.
local nn = n -- local scope for return value function
targets[plug_label] = targets[plug_label] or {}
targets[plug_label][label] = function() return {["p"] = proc, ["n"] = nn} end
end
n = n + 1
end
end
i = i + 1
end
-- Bail out if there are no plugin parameters
if next(targets) == nil then
LuaDialog.Message("Add LFO automation to region", "No plugin parameters found.",
LuaDialog.MessageType.Info, LuaDialog.ButtonType.Close):run()
region, track, targets = nil, nil, nil
collectgarbage()
return
end
-- Display dialog to select (plugin and) plugin parameter, and LFO cycle type + min / max
local dialog_options = {
{ type = "heading", title = "Add LFO automation to region", align = "left"},
{ type = "dropdown", key = "param", title = "Plugin parameter", values = targets },
{ type = "dropdown", key = "wave", title = "Waveform", values = {
["Ramp up"] = 1, ["Ramp down"] = 2, ["Triangle"] = 3, ["Sine"] = 4,
["Exp up"] = 5, ["Exp down"] = 6, ["Log up"] = 7, ["Log down"] = 8 } },
{ type = "number", key = "cycles", title = "No. of cycles", min = 1, max = 16, step = 1, digits = 0 },
{ type = "slider", key = "min", title = "Minimum in %", min = 0, max = 100, digits = 1 },
{ type = "slider", key = "max", title = "Maximum in %", min = 0, max = 100, digits = 1, default = 100 }
}
local rv = LuaDialog.Dialog("Select target", dialog_options):run()
-- Return if the user cancelled
if not rv then
region, track, targets = nil, nil, nil
collectgarbage()
return
end
-- Parse user response
assert(type(rv["param"]) == "function")
local pp = rv["param"]() -- evaluate function, retrieve table {["p"] = proc, ["n"] = nn}
local al, _, pd = ARDOUR.LuaAPI.plugin_automation(pp["p"], pp["n"])
local wave = rv["wave"]
local cycles = rv["cycles"]
-- Compute minimum and maximum requested parameter values
local lower = pd.lower + rv["min"] / 100 * (pd.upper - pd.lower)
local upper = pd.lower + rv["max"] / 100 * (pd.upper - pd.lower)
track, targets, rv, pd = nil, nil, nil, nil
assert(not al:isnil())
-- Define lookup tables for our waves. Empty ones will be calculated in a separate step.
-- TODO: at this point we already know which one is needed, still we compute all.
local lut = {
{ 0, 1 }, -- ramp up
{ 1, 0 }, -- ramp down
{ 0, 1, 0 }, -- triangle
{}, -- sine
{}, -- exp up
{}, -- exp down
{}, -- log up
{} -- log down
}
-- Calculate missing look up tables
local log_min = math.exp(-2 * math.pi)
for i = 0, 20 do
-- sine
lut[4][i+1] = 0.5 * math.sin(i * math.pi / 10) + 0.5
-- exp up
lut[5][i+1] = math.exp(-2 * math.pi + i * math.pi / 10)
-- log up
lut[7][i+1] = -math.log(1 + (i / log_min - i) / 20) / math.log(log_min)
end
-- "down" variants just need the values in reverse order
for i = 21, 1, -1 do
-- exp down
lut[6][22-i] = lut[5][i]
-- log down
lut[8][22-i] = lut[7][i]
end
-- Initialize undo
Session:begin_reversible_command("Add LFO automation to region")
local before = al:get_state() -- save previous state (for undo)
al:clear_list() -- clear target automation-list
local values = lut[wave]
local last = nil
for i = 0, cycles - 1 do
-- cycle length = region:length() / cycles
local cycle_start = region:position() - region:start() + i * region:length() / cycles
local offset = region:length() / cycles / (#values - 1)
for k, v in pairs(values) do
local pos = cycle_start + (k - 1) * offset
if k == 1 and v ~= last then
-- Move event one sample further. A larger offset might be needed to avoid unwanted effects.
pos = pos + 1
end
if k > 1 or v ~= last then
-- Create automation point re-scaled to parameter target range. Do not create a new point
-- at cycle start if the last cycle ended on the same value.
al:add(pos, lower + v * (upper - lower), false, true)
end
last = v
end
end
-- TODO: display the modified automation lane in the time line in order to make the change visible!
-- Save undo
-- TODO: in Ardour 5.12 this does not lead to an actual entry in the undo list?!
Session:add_command(al:memento_command(before, al:get_state()))
Session:commit_reversible_command(nil)
region, al, lut = nil, nil, nil
collectgarbage()
end
end
|
AddCSLuaFile( )
SWEP.Weight = 3
SWEP.Spawnable = true
SWEP.AdminSpawnable = true
SWEP.PrintName = "Paint Gun"
SWEP.Slot = 0
SWEP.Slotpos = 0
SWEP.CSMuzzleFlashes = false
SWEP.DrawAmmo = false
SWEP.DrawCrosshair = true
SWEP.Category = "Aperture Science"
SWEP.HoldType = "ar2"
SWEP.Purpose = "Shoot gel"
SWEP.Instructions = "Mouse 1 to spawn shoot gel Mouse 2 to select gel type"
SWEP.ViewModelFOV = 45
SWEP.ViewModel = "models/weapons/v_aperture_paintgun.mdl"
SWEP.WorldModel = "models/weapons/w_aperture_paintgun.mdl"
SWEP.Primary.Automatic = true
SWEP.Secondary.Automatic = true
SWEP.HoldenProp = false
SWEP.NextAllowedPickup = 0
SWEP.UseReleased = true
SWEP.PickupSound = nil
SWEP.IsShooting = false
SWEP.HUDAnimation = 0
SWEP.HUDSmoothCursor = 0
local BobTime = 0
local BobTimeLast = CurTime()
local SwayAng = nil
local SwayOldAng = Angle()
local SwayDelta = Angle()
if ( CLIENT ) then
/*---------------------------------------------------------
Name: CalcViewModelView
Desc: Overwrites the default GMod v_model system.
---------------------------------------------------------*/
local sin, abs, pi, clamp, min = math.sin, math.abs, math.pi, math.Clamp, math.min
function SWEP:CalcViewModelView(ViewModel, oldPos, oldAng, pos, ang)
local pPlayer = self.Owner
local CT = CurTime()
local FT = FrameTime()
local RunSpeed = pPlayer:GetRunSpeed()
local Speed = clamp(pPlayer:GetVelocity():Length2D(), 0, RunSpeed)
local BobCycleMultiplier = Speed / pPlayer:GetRunSpeed()
BobCycleMultiplier = (BobCycleMultiplier > 1 and min(1 + ((BobCycleMultiplier - 1) * 0.2), 5) or BobCycleMultiplier)
BobTime = BobTime + (CT - BobTimeLast) * (Speed > 0 and (Speed / pPlayer:GetWalkSpeed()) or 0)
BobTimeLast = CT
local BobCycleX = sin(BobTime * 0.5 % 1 * pi * 2) * BobCycleMultiplier
local BobCycleY = sin(BobTime % 1 * pi * 2) * BobCycleMultiplier
oldPos = oldPos + oldAng:Right() * (BobCycleX * 1.5)
oldPos = oldPos
oldPos = oldPos + oldAng:Up() * BobCycleY/2
SwayAng = oldAng - SwayOldAng
if abs(oldAng.y - SwayOldAng.y) > 180 then
SwayAng.y = (360 - abs(oldAng.y - SwayOldAng.y)) * abs(oldAng.y - SwayOldAng.y) / (SwayOldAng.y - oldAng.y)
else
SwayAng.y = oldAng.y - SwayOldAng.y
end
SwayOldAng.p = oldAng.p
SwayOldAng.y = oldAng.y
SwayAng.p = math.Clamp(SwayAng.p, -3, 3)
SwayAng.y = math.Clamp(SwayAng.y, -3, 3)
SwayDelta = LerpAngle(clamp(FT * 5, 0, 1), SwayDelta, SwayAng)
return oldPos + oldAng:Up() * SwayDelta.p + oldAng:Right() * SwayDelta.y + oldAng:Up() * oldAng.p / 90 * 2, oldAng
end
end
function SWEP:Initialize()
self.CursorEnabled = false
self:SetNWInt( "GASL:FirstPaint", 1 )
self:SetNWInt( "GASL:SecondPaint", 2 )
self:SetWeaponHoldType( self.HoldType )
end
local function IndexToMaterial( index )
local indexToMaterial = {
[PORTAL_GEL_BOUNCE] = "models/weapons/v_models/aperture_paintgun/blue_paint"
, [PORTAL_GEL_SPEED] = "models/weapons/v_models/aperture_paintgun/red_paint"
, [PORTAL_GEL_PORTAL] = "models/weapons/v_models/aperture_paintgun/white_paint"
, [PORTAL_GEL_WATER] = "models/gasl/portal_gel_bubble/gel_water"
, [PORTAL_GEL_STICKY] = "models/weapons/v_models/aperture_paintgun/purple_paint"
, [PORTAL_GEL_REFLECTION] = "models/weapons/v_models/aperture_paintgun/white_paint"
}
return indexToMaterial[ index ]
end
function SWEP:ViewModelDrawn( ViewModel )
self.Owner:SetNWEntity( "GASL:ViewModel", ViewModel )
local firstPaint = self:GetNWInt( "GASL:FirstPaint" )
local secondPaint = self:GetNWInt( "GASL:SecondPaint" )
ViewModel:SetSubMaterial( 3, IndexToMaterial( firstPaint ) )
ViewModel:SetSubMaterial( 2, IndexToMaterial( secondPaint ) )
end
function SWEP:Holster( wep )
if not IsFirstTimePredicted() then return end
if ( SERVER ) then
net.Start( "GASL_NW_PaintGun_Holster" )
net.WriteEntity( self.Owner )
net.Send( self.Owner )
end
if ( CLIENT ) then
local ViewModel = self.Owner:GetNWEntity( "GASL:ViewModel" )
if ( IsValid( ViewModel ) ) then
ViewModel:SetSubMaterial( 3, Material( "" ) )
ViewModel:SetSubMaterial( 2, Material( "" ) )
end
end
return true
end
function SWEP:PrimaryAttack()
if ( CLIENT ) then return end
local firstPaint = self:GetNWInt( "GASL:FirstPaint" )
self:MakePuddle( firstPaint )
end
function SWEP:SecondaryAttack()
if ( CLIENT ) then return end
local secondPaint = self:GetNWInt( "GASL:SecondPaint" )
self:MakePuddle( secondPaint )
end
function SWEP:Reload()
return
end
local function ConvectTo360( angle )
if ( angle < 0 ) then return 360 + angle end
return angle
end
function SWEP:DrawHUD()
local animation = self.HUDAnimation
local firstPaint = self:GetNWInt( "GASL:FirstPaint" )
local secondPaint = self:GetNWInt( "GASL:SecondPaint" )
if ( LocalPlayer():KeyDown( IN_RELOAD ) ) then
if ( animation < 1 ) then self.HUDAnimation = math.min( 1, animation + FrameTime() * 2 ) end
if ( !self.CursorEnabled ) then
self.CursorEnabled = true
gui.EnableScreenClicker( true )
end
else
if ( animation > 0 ) then self.HUDAnimation = math.max( 0, animation - FrameTime() * 2 ) end
if ( self.CursorEnabled ) then
self.CursorEnabled = false
gui.EnableScreenClicker( false )
end
end
local CursorX, CursorY = input.GetCursorPos()
local curpos = Vector( CursorX - ScrW() / 2, CursorY - ScrH() / 2 )
local angle = math.atan2( curpos.x, curpos.y ) * 180 / math.pi
local OffsetY = 200
local ImgSize = 64 * animation
local GelCount = PORTAL_GEL_COUNT
local Separating = 50
local SelectCircleAddictionSize = 5
local roundDegTo = 360 / GelCount
local roundAngle = math.Round( ( angle - 90 ) / roundDegTo ) * roundDegTo
local selectionDeg = math.Round( ConvectTo360( -angle + 90 ) / roundDegTo ) * roundDegTo
if ( selectionDeg == 360 ) then selectionDeg = 0 end
if ( animation != 0 ) then
for i = 1, GelCount do
//local OffsetX = -( ImgSize + Separating ) * GelCount / 2 + ( i - 1 ) * ( ImgSize + Separating ) + Separating / 2
local Deg = roundDegTo * ( i - 1 )
local Radian = Deg * math.pi / 180
local rotAnim = math.pi * ( 1 - animation )
local WheelRad = ImgSize * ( 1 + GelCount * ( GelCount / 50 ) )
local Cos = math.cos( Radian + rotAnim )
local Sin = math.sin( Radian + rotAnim )
local XPos = ScrW() / 2 + ( Cos * WheelRad - ImgSize / 2 ) * animation
local YPos = ScrH() / 2 + ( Sin * WheelRad - ImgSize / 2 ) * animation
if ( selectionDeg == Deg && LocalPlayer():KeyDown( IN_RELOAD ) ) then
if ( firstPaint != i && secondPaint != i ) then
if ( input.IsMouseDown( MOUSE_LEFT ) ) then
net.Start( "GASL_NW_PaintGun_SwitchPaint" )
net.WriteString( "first" )
net.WriteInt( i, 8 )
net.SendToServer()
end
if ( input.IsMouseDown( MOUSE_RIGHT ) ) then
net.Start( "GASL_NW_PaintGun_SwitchPaint" )
net.WriteString( "second" )
net.WriteInt( i, 8 )
net.SendToServer()
end
end
end
local AddingSize = 0
local DrawColor = Color( 150, 150, 150 )
local DrawHalo = false
if ( i == firstPaint ) then
DrawColor = Color( 0, 200, 255 )
DrawHalo = true
elseif ( i == secondPaint ) then
DrawColor = Color( 255, 200, 0 )
DrawHalo = true
elseif ( selectionDeg == Deg && animation == 1 ) then
DrawColor = Color( 255, 255, 255 )
DrawHalo = true
end
surface.SetDrawColor( DrawColor )
if ( animation == 1 ) then
if ( selectionDeg == Deg ) then
AddingSize = 20
end
local PaintName = APERTURESCIENCE:PaintTypeToName( i )
surface.SetFont( "Default" )
surface.SetTextColor( DrawColor )
local TextW, TextH = surface.GetTextSize( PaintName )
local TextRadius = ( TextW + TextH ) / 2
local TextOffsetX = Cos * ( ImgSize + TextRadius / 2 ) + ImgSize / 2 - TextW / 2
local TextOffsetY = Sin * ( ImgSize + TextRadius / 2 ) + ImgSize / 2 - TextH / 2
surface.SetTextPos( XPos + TextOffsetX, YPos + TextOffsetY )
surface.DrawText( PaintName )
end
if ( DrawHalo ) then
surface.SetMaterial( Material( "vgui/paint_type_select_circle" ) )
surface.DrawTexturedRect(
XPos - SelectCircleAddictionSize - AddingSize / 2
, YPos - SelectCircleAddictionSize - AddingSize / 2
, ImgSize + SelectCircleAddictionSize * 2 + AddingSize
, ImgSize + SelectCircleAddictionSize * 2 + AddingSize
)
end
surface.SetDrawColor( Color( 255, 255, 255 ) )
surface.SetMaterial( Material( "vgui/paint_type_back" ) )
surface.DrawTexturedRect( XPos - AddingSize / 2, YPos - AddingSize / 2, ImgSize + AddingSize, ImgSize + AddingSize )
surface.SetDrawColor( APERTURESCIENCE:GetColorByGelType( i ) )
surface.SetMaterial( Material( "vgui/paint_icon" ) )
surface.DrawTexturedRect( XPos - AddingSize / 2, YPos - AddingSize / 2, ImgSize + AddingSize, ImgSize + AddingSize )
end
self.HUDSmoothCursor = math.ApproachAngle( self.HUDSmoothCursor, selectionDeg, FrameTime() * 500 )
surface.SetDrawColor( Color( 255, 255, 255 ) )
surface.SetMaterial( Material( "vgui/hpwrewrite/arrow" ) )
surface.DrawTexturedRectRotated( ScrW() / 2, ScrH() / 2, ImgSize, ImgSize, -self.HUDSmoothCursor )
end
end
if ( SERVER ) then
util.AddNetworkString( "GASL_NW_PaintGun_SwitchPaint" )
util.AddNetworkString( "GASL_NW_PaintGun_Holster" )
net.Receive( "GASL_NW_PaintGun_SwitchPaint", function( len, pl )
if ( IsValid( pl ) and pl:IsPlayer() ) then
local mouse = net.ReadString()
local paintType = net.ReadInt( 8 )
if ( mouse == "first" ) then
pl:GetActiveWeapon():SetNWInt( "GASL:FirstPaint", paintType )
end
if ( mouse == "second" ) then
pl:GetActiveWeapon():SetNWInt( "GASL:SecondPaint", paintType )
end
end
end )
end
if ( CLIENT ) then
net.Receive( "GASL_NW_PaintGun_Holster", function( len, pl )
local pl = net.ReadEntity()
if ( IsValid( pl ) ) then
local ViewModel = pl:GetNWEntity( "GASL:ViewModel" )
if ( IsValid( ViewModel ) ) then
ViewModel:SetSubMaterial( 3, Material( "" ) )
ViewModel:SetSubMaterial( 2, Material( "" ) )
end
end
end )
net.Receive( 'PAINTGUN_PICKUP_PROP', function()
local self = net.ReadEntity()
local ent = net.ReadEntity()
if !IsValid( ent ) then
--Drop it.
if self.PickupSound then
self.PickupSound:Stop()
self.PickupSound = nil
EmitSound( Sound( 'player/object_use_stop_01.wav' ), self:GetPos(), 1, CHAN_AUTO, 0.4, 100, 0, 100 )
end
if self.ViewModelOverride then
self.ViewModelOverride:Remove()
end
else
--Pick it up.
if !self.PickupSound and CLIENT then
self.PickupSound = CreateSound( self, 'player/object_use_lp_01.wav' )
self.PickupSound:Play()
self.PickupSound:ChangeVolume( 0.5, 0 )
end
-- self.ViewModelOverride = true
self.ViewModelOverride = ClientsideModel(self.ViewModel,RENDERGROUP_OPAQUE)
self.ViewModelOverride:SetPos(EyePos()-LocalPlayer():GetForward()*(self.ViewModelFOV/5))
self.ViewModelOverride:SetAngles(EyeAngles())
self.ViewModelOverride.AutomaticFrameAdvance = true
self.ViewModelOverride.startCarry = false
-- self.ViewModelOverride:SetParent(self.Owner)
function self.ViewModelOverride.PreDraw(vm)
vm:SetColor(Color(255,255,255))
local oldorigin = EyePos() -- -EyeAngles():Forward()*10
local pos, ang = self:CalcViewModelView(vm,oldorigin,EyeAngles(),vm:GetPos(),vm:GetAngles())
return pos, ang
end
end
self.HoldenProp = ent
end )
end
if SERVER then
util.AddNetworkString( 'PAINTGUN_PICKUP_PROP' )
hook.Add( 'AllowPlayerPickup', 'PaintgunPickup', function( ply, ent )
if IsValid( ply:GetActiveWeapon() ) and IsValid( ent ) and ply:GetActiveWeapon():GetClass() == 'aperture_paintgun' then --and (table.HasValue( pickable, ent:GetModel() ) or table.HasValue( pickable, ent:GetClass() )) then
return false
end
end )
end
hook.Add("Think", "Paintgun Holding Item", function()
for k, v in pairs(player.GetAll())do
local Weap = v:GetActiveWeapon()
if IsValid( Weap.HoldenProp ) && SERVER
&& Weap.HoldenProp:GetModel() == "models/props/reflection_cube.mdl" then
local Angles = Weap.HoldenProp:GetAngles()
Weap.HoldenProp:SetAngles( Angle( 0, v:EyeAngles().y, 0 ) )
end
if v:KeyDown(IN_USE) then
if( Weap.UseReleased ) then end
if Weap.NextAllowedPickup and Weap.NextAllowedPickup < CurTime() && Weap.UseReleased then
Weap.UseReleased = false
if IsValid( Weap.HoldenProp ) then
Weap:OnDroppedProp()
end
end
else
Weap.UseReleased = true
end
end
end)
function SWEP:Think()
-- -- HOLDING FUNC
if SERVER then
if self.Owner:KeyDown( IN_USE ) and self.UseReleased then
self.UseReleased = false
if self.NextAllowedPickup < CurTime() and !IsValid(self.HoldenProp) then
local ply = self.Owner
self.NextAllowedPickup = CurTime() + 0.4
local tr = util.TraceLine( {
start = ply:EyePos(),
endpos = ply:EyePos() + ply:GetForward() * 150,
filter = ply
} )
--PICKUP FUNC
if IsValid( tr.Entity ) then
if tr.Entity.isClone then tr.Entity = tr.Entity.daddyEnt end
local entsize = ( tr.Entity:OBBMaxs() - tr.Entity:OBBMins() ):Length() / 2
if entsize > 45 then return end
if !IsValid( self.HoldenProp ) and tr.Entity:GetMoveType() != 2 then
if !self:PickupProp( tr.Entity ) then
self:EmitSound( 'player/object_use_failure_01.wav' )
//self:SendWeaponAnim( ACT_VM_DRYFIRE )
end
end
end
--PICKUP THROUGH PORTAL FUNC
--TODO
end
end
if IsValid(self.HoldenProp) and (!self.HoldenProp:IsPlayerHolding() or self.HoldenProp.Holder != self.Owner) then
self:OnDroppedProp()
elseif self.HoldenProp and not IsValid(self.HoldenProp) then
self:OnDroppedProp()
end
end
if CLIENT and self.EnableIdle then return end
-- no more client side
if ( CLIENT ) then return end
if self.idledelay and CurTime() > self.idledelay then
self.idledelay = nil
//self:SendWeaponAnim(ACT_VM_IDLE)
end
if ( self.Owner:KeyDown( IN_ATTACK ) || self.Owner:KeyDown( IN_ATTACK2 ) ) then
if ( !self.IsShooting ) then
self.Owner:EmitSound( "GASL.GelFlow" )
self.IsShooting = true
end
elseif( self.IsShooting ) then
self.Owner:StopSound( "GASL.GelFlow" )
self.IsShooting = false
end
end
function SWEP:PickupProp( ent )
if true then
if self.Owner:GetGroundEntity() == ent then return false end
if ent:GetModel() == "models/props/reflection_cube.mdl" then
local Angles = ent:GetAngles()
ent:SetAngles( Angle( 0, self.Owner:EyeAngles().y, 0 ) )
end
--Take it from other players.
if ent:IsPlayerHolding() and ent.Holder and ent.Holder:IsValid() then
ent.Holder:GetActiveWeapon():OnDroppedProp()
end
self.HoldenProp = ent
ent.Holder = self.Owner
--Rotate it first
local angOffset = hook.Call("GetPreferredCarryAngles",GAMEMODE,ent)
if angOffset then
ent:SetAngles(self.Owner:EyeAngles() + angOffset)
end
--Pick it up.
self.Owner:PickupObject(ent)
//self:SendWeaponAnim( ACT_VM_DEPLOY )
if SERVER then
net.Start( 'PAINTGUN_PICKUP_PROP' )
net.WriteEntity( self )
net.WriteEntity( ent )
net.Send( self.Owner )
end
return true
end
return false
end
function SWEP:OnDroppedProp()
if not self.HoldenProp then return end
//self:SendWeaponAnim(ACT_VM_RELEASE)
if SERVER then
self.Owner:DropObject()
end
self.HoldenProp.Holder = nil
self.HoldenProp = nil
if SERVER then
net.Start( 'PAINTGUN_PICKUP_PROP' )
net.WriteEntity( self )
net.WriteEntity( NULL )
net.Send( self.Owner )
end
end
function SWEP:OnRemove( )
if ( CLIENT ) then
if( self.CursorEnabled ) then
self.CursorEnabled = false
gui.EnableScreenClicker( false )
end
local ViewModel = self.Owner:GetNWEntity( "GASL:ViewModel" )
if ( IsValid( ViewModel ) ) then
ViewModel:SetSubMaterial( 3, Material( "" ) )
ViewModel:SetSubMaterial( 2, Material( "" ) )
end
end
return true
end
local GravityLight,GravityBeam = Material("sprites/light_glow02_add"),Material("particle/bendibeam")
local GravitySprites = {
{bone = "ValveBiped.Arm1_C", pos = Vector(-1.25 ,-0.10, 1.06), size = { x = 0.02, y = 0.02 }},
{bone = "ValveBiped.Arm2_C", pos = Vector(0.10, 1.25, 1.00), size = { x = 0.02, y = 0.02 }},
{bone = "ValveBiped.Arm3_C", pos = Vector(0.10, 1.25, 1.05), size = { x = 0.02, y = 0.02 }}
}
local inx = -1
function SWEP:DrawPickupEffects(ent)
//Draw the lights
local lightOrigins = {}
local col = Color( 200, 255, 220, 255 )
for k,v in pairs(GravitySprites) do
local bone = ent:LookupBone(v.bone)
if (!bone) then return end
local pos, ang = Vector(0,0,0), Angle(0,0,0)
local m = ent:GetBoneMatrix(0)
if (m) then
pos, ang = m:GetTranslation(), m:GetAngles()
end
if ( k == 1 ) then
pos = pos + ang:Right() * 42 - ang:Forward() * 15.5 + ang:Up() * 26
elseif( k == 2 ) then
pos = pos + ang:Right() * 42 - ang:Forward() * 12 + ang:Up() * 20
elseif( k == 3 ) then
pos = pos + ang:Right() * 40 - ang:Forward() * 15 + ang:Up() * 17
end
if (IsValid(self.Owner) and self.Owner:IsPlayer() and
ent == self.Owner:GetViewModel() and self.ViewModelFlip) then
ang.r = -ang.r // Fixes mirrored models
end
if (!pos) then continue end
local drawpos = pos + ang:Forward() * v.pos.x + ang:Right() * v.pos.y + ang:Up() * v.pos.z
local _sin = math.abs( math.sin( CurTime() * ( 0.1 ) * math.Rand(1,3))); //math.sinwave( 25, 3, true )
render.SetMaterial(GravityLight)
for loops = 1, 5 do
render.DrawSprite(drawpos, v.size.x*300+_sin, v.size.y*300+_sin, col)
end
lightOrigins[k] = drawpos
end
//Draw the beams and center sprite.
local bone = ent:GetBoneMatrix(0)
local endpos,ang = bone:GetTranslation(),bone:GetAngles()
endpos = endpos + ang:Right() * 40 - ang:Forward() * 15 + ang:Up() * 17
local _sin = math.abs( math.sin( 1+CurTime( ) * 3 ) ) * 1
local _sin1 = math.sin( 1+CurTime( ) * 4 + math.pi / 2 + _sin * math.pi ) * 2
local _sin2 = math.sin( 1+CurTime( ) * 4 + _sin * math.pi ) * 2
endpos = endpos + ang:Up()*6 + ang:Right()*-1.8
render.DrawSprite(endpos, 20+_sin * 4, 20+_sin* 4, col)
render.SetMaterial(GravityBeam)
render.DrawBeam(lightOrigins[1],endpos,4 + _sin2,-CurTime( ),-CurTime( ) + 1,Color(200,150,255,255))
render.DrawBeam(lightOrigins[2],endpos,4 + _sin1,-CurTime( ) / 2,-CurTime( ) / 2 + 1,Color(200,150,255,255))
render.DrawBeam(lightOrigins[3],endpos,4 + _sin1,-CurTime( ) / 2,-CurTime( ) / 2 + 1,Color(200,150,255,255))
end
function SWEP:MakePuddle( gel_type )
if ( timer.Exists( "GASL_Player_ShootingPaint"..self.Owner:EntIndex() ) ) then return end
timer.Create( "GASL_Player_ShootingPaint"..self.Owner:EntIndex(), 0.01, 1, function() end )
if gel_type <= 0 then return end
local OwnerShootPos = self.Owner:GetShootPos()
local OwnerEyeAngles = self.Owner:EyeAngles()
local forward = OwnerEyeAngles:Forward()
local traceForce = util.QuickTrace( OwnerShootPos, forward * 1000, self.Owner )
local force = traceForce.HitPos:Distance( OwnerShootPos )
-- Randomize makes random size between maxsize and minsize by selected procent
local randSize = math.Rand( 0, 1 )
local rad = math.max( APERTURESCIENCE.GEL_MINSIZE, math.min( APERTURESCIENCE.GEL_MAXSIZE, randSize * 140 ) )
local paint = APERTURESCIENCE:MakePaintPuddle( gel_type, OwnerShootPos, rad )
paint:GetPhysicsObject():SetVelocity( forward * math.max( 100, math.min( 200, force - 100 ) ) * 8 )
if ( IsValid( self.Owner ) && self.Owner:IsPlayer() ) then paint:SetOwner( self.Owner ) end
end |
return {
init_effect = "",
name = "",
time = 0,
color = "red",
picture = "",
desc = "",
stack = 1,
id = 6400,
icon = 6400,
last_effect = "",
limit = {
SYSTEM_DUEL
},
effect_list = {}
}
|
return function()
local ReplicatedStorage = game:GetService("ReplicatedStorage")
local Packages = ReplicatedStorage.Packages
local Llama = require(Packages.Llama)
local List = Llama.List
local toSet = List.toSet
it("should validate types", function()
local _, err = pcall(function()
toSet(0)
end)
expect(string.find(err, "expected, got")).to.be.ok()
end)
it("should return a new table", function()
local a = { 1, 2, 3 }
expect(toSet(a)).never.to.equal(a)
end)
it("should not mutate passed in tables", function()
local a = { "foo", "bar" }
local mutations = 0
setmetatable(a, {
__newindex = function()
mutations = mutations + 1
end,
})
toSet(a)
expect(mutations).to.equal(0)
end)
it("should have every value in a as a key mapped to true in b", function()
local a = {1, 2, 3, "a", "b", "c"}
local b = toSet(a)
expect(#b).to.equal(3)
expect(b[1]).to.equal(true)
expect(b[2]).to.equal(true)
expect(b[3]).to.equal(true)
expect(b[4]).never.to.be.ok()
expect(b["a"]).to.equal(true)
expect(b["b"]).to.equal(true)
expect(b["c"]).to.equal(true)
end)
end |
local skynet = require"skynet"
local mysql = require "mysql"
local conf = {
host="127.0.0.1",
port=3306,
database="skynet",
user="root",
password="123",
max_packet_size=1024*1024,
on_connect=on_connect
}
local function on_connect(db)
db:query("set charset utf8")
end
local CMD = {}
local db
function CMD.query()
--local id = 1
local res = db:query("select * from cats")
return res
end
skynet.start(function ()
db = mysql.connect(conf)
if not db then
print("failed to connect")
else
print("testmysql success to connect to mysql server")
end
skynet.dispatch("lua",function (session, source, command, ...)
print(command)
local f = CMD[command]
if f then
skynet.ret(skynet.pack(f(...)))
else
print("error command")
end
end)
end) |
local SOURCE_JSON_PATH = arg[1];
local OUTPUT_DIR = arg[2];
local JSON = require("dkjson");
function read_file(FILE)
local io_file = io.open(FILE, "rb");
local contents = io_file:read("*all");
io_file:close();
return contents;
end
function app_is_valid(O)
return true;
end
local obj, pos, err = JSON.decode( read_file(SOURCE_JSON_PATH) );
assert(not err);
assert(app_is_valid(obj));
local app_i=1;
while app_i <= #obj do
local next_i = app_i + 1;
local next_obj = obj[next_i];
assert(type(next_obj) == "table", "Not a table (array)");
app_i = next_i + 1
end
print(obj[1]);
local HTML_FILE_PATH = OUTPUT_DIR .. "/markup.html";
local HTML_FILE = assert(io.open(HTML_FILE_PATH, "w"));
HTML_FILE:write("<html>Hello World</html>");
HTML_FILE:close();
print("SOURCE_JSON_PATH: " .. SOURCE_JSON_PATH);
print(read_file(SOURCE_JSON_PATH));
print("HTML_FILE_PATH: " .. HTML_FILE_PATH);
print(read_file(HTML_FILE_PATH))
|
local M = {}
local math = require "math"
local floor = math.floor
local function num2str(n)
n = floor(n)
if n < 0 or n > 512 then
return nil
end
local a = floor(n/64) % 8
local b = floor(n/8) % 8
local c = floor(n) % 8
if a % 8 ~= a or b % 8 ~= b or c % 8 ~= c then
return nil
end
local conv = {
[0] = "---",
[1] = "--x",
[2] = "-w-",
[3] = "-wx",
[4] = "r--",
[5] = "r-x",
[6] = "rw-",
[7] = "rwx",
}
return conv[a]..conv[b]..conv[c]
end
--for i = -1,512,1 do print( i, num2str(i) ) end
local fast = {}
for i = 0,tonumber(777, 8),1 do
local str = num2str(i)
fast[str] = i
fast[i] = str
end
local function conv(perm)
if type(perm) == "string" and perm:gsub("[rwx-]","") == "" or type(perm) == "number" then
return fast[perm]
end
return nil
end
--[[
for i = 0,tonumber(777, 8)+1 ,1 do
print( i, conv(i), conv(conv(i)) )
end
]]--
local dec2oct = function(d)
return ("%o"):format(d)
end
local function newmode(n)
return setmetatable({}, {
__tonumber = function() return dec2oct(n) end,
__tostring = function() return conv(n) end,
})
end
local function tonumber2(o, base)
local mt = getmetatable(o)
if mt and mt.__tonumber then
return mt.__tonumber(o, base)
end
return tonumber(o, base)
end
-- see http://lua-users.org/lists/lua-l/2009-02/msg00072.html
local a = newmode( tonumber(777, 8) )
print( type(a), tonumber2 and tonumber2(a), tostring(a) )
return M
|
-----------------------------------------
-- ID: 5360
-- Muteppo
-- A roman candle-like firework that hurls different colors
-----------------------------------------
function onItemCheck(target)
return 0
end
function onItemUse(target)
end
|
local K, C = unpack(select(2, ...))
local Module = K:NewModule("ChatFilters", "AceEvent-3.0")
local _G = _G
local strfind, gsub = string.find, string.gsub
local pairs, ipairs, tonumber = pairs, ipairs, tonumber
local min, max, tremove = math.min, math.max, table.remove
local IsGuildMember, C_FriendList_IsFriend, IsGUIDInGroup, C_Timer_After = _G.IsGuildMember, _G.IsCharacterFriend, _G.IsGUIDInGroup, _G.C_Timer.After
local Ambiguate, UnitIsUnit, BNGetGameAccountInfoByGUID, GetTime, SetCVar = _G.Ambiguate, _G.UnitIsUnit, _G.BNGetGameAccountInfoByGUID, _G.GetTime, _G.SetCVar
local ChatFrame_AddMessageEventFilter = _G.ChatFrame_AddMessageEventFilter
function K.SplitList(list, variable, cleanup)
if cleanup then
wipe(list)
end
for word in gmatch(variable, "%S+") do
list[word] = true
end
end
local ChatFilterList = "%* %anal %nigger %[Autobroadcast] %[Autobroadcast]: %Autobroadcast"
local ChatMatches = 1
-- Filter Chat symbols
local msgSymbols = {
"`","~","@","#","^","*","!","?",
"。","|"," ","—","——","¥","’","‘",
"“","”","【","】","『","』","《","》","〈",
"〉","(",")","〔","〕","、",",",":",",",
"_","/","~","%-","%.",
}
local FilterList = {}
function Module:UpdateFilterList()
K.SplitList(FilterList, ChatFilterList, true)
end
-- Ecf Strings Compare
local last, this = {}, {}
function Module:CompareStrDiff(sA, sB) -- Arrays Of Bytes
local len_a, len_b = #sA, #sB
for j = 0, len_b do
last[j + 1] = j
end
for i = 1, len_a do
this[1] = i
for j = 1, len_b do
this[j + 1] = (sA[i] == sB[j]) and last[j] or (min(last[j + 1], this[j], last[j]) + 1)
end
for j = 0, len_b do
last[j + 1] = this[j + 1]
end
end
return this[len_b+1] / max(len_a, len_b)
end
K.BadBoys = {} -- Debug
local chatLines, prevLineID, filterResult = {}, 0, false
function Module:GetFilterResult(event, msg, name, flag, guid)
if name == K.Name or (event == "CHAT_MSG_WHISPER" and flag == "GM") or flag == "DEV" then
return
elseif guid and (IsGuildMember(guid) or BNGetGameAccountInfoByGUID(guid) or C_FriendList_IsFriend(guid) or (IsInInstance() and IsGUIDInGroup(guid))) then
return
end
if K.BadBoys[name] and K.BadBoys[name] >= 5 then
return true
end
local filterMsg = gsub(msg, "|H.-|h(.-)|h", "%1")
filterMsg = gsub(filterMsg, "|c%x%x%x%x%x%x%x%x", "")
filterMsg = gsub(filterMsg, "|r", "")
-- Trash Filter
for _, symbol in ipairs(msgSymbols) do
filterMsg = gsub(filterMsg, symbol, "")
end
local matches = 0
for keyword in pairs(FilterList) do
if keyword ~= "" then
local _, count = gsub(filterMsg, keyword, "")
if count > 0 then
matches = matches + 1
end
end
end
if matches >= ChatMatches then
return true
end
-- ECF Repeat Filter
local msgTable = {name, {}, GetTime()}
if filterMsg == "" then
filterMsg = msg
end
for i = 1, #filterMsg do
msgTable[2][i] = filterMsg:byte(i)
end
local chatLinesSize = #chatLines
chatLines[chatLinesSize+1] = msgTable
for i = 1, chatLinesSize do
local line = chatLines[i]
if line[1] == msgTable[1] and ((msgTable[3] - line[3] < .6) or Module:CompareStrDiff(line[2], msgTable[2]) <= .1) then
tremove(chatLines, i)
return true
end
end
if chatLinesSize >= 30 then
tremove(chatLines, 1)
end
end
function Module:UpdateChatFilter(event, msg, author, _, _, _, flag, _, _, _, _, lineID, guid)
if lineID == 0 or lineID ~= prevLineID then
prevLineID = lineID
local name = Ambiguate(author, "none")
filterResult = Module:GetFilterResult(event, msg, name, flag, guid)
if filterResult then
K.BadBoys[name] = (K.BadBoys[name] or 0) + 1
end
end
return filterResult
end
-- Block addon msg
local addonBlockList = {
"任务进度提示", "%[接受任务%]", "%(任务完成%)", "<大脚", "【爱不易】", "EUI[:_]", "打断:.+|Hspell", "PS 死亡: .+>", "%*%*.+%*%*", "<iLvl>", ("%-"):rep(20),
"<小队物品等级:.+>", "<LFG>", "进度:", "属性通报", "汐寒", "wow.+兑换码", "wow.+验证码", "【有爱插件】", ":.+>"
}
local cvar
local function toggleCVar(value)
value = tonumber(value) or 1
if not _G.InCombatLockdown() then
SetCVar(cvar, value)
end
end
function Module:ToggleChatBubble(party)
cvar = "chatBubbles"..(party and "Party" or "")
if not _G.GetCVarBool(cvar) then
return
end
toggleCVar(0)
C_Timer_After(.01, toggleCVar)
end
function Module:UpdateAddOnBlocker(event, msg, author)
local name = Ambiguate(author, "none")
if UnitIsUnit(name, "player") then return end
for _, word in ipairs(addonBlockList) do
if strfind(msg, word) then
if event == "CHAT_MSG_SAY" or event == "CHAT_MSG_YELL" then
Module:ToggleChatBubble()
elseif event == "CHAT_MSG_PARTY" or event == "CHAT_MSG_PARTY_LEADER" then
Module:ToggleChatBubble(true)
end
return true
end
end
end
function Module:OnEnable()
if C["Chat"].Filter ~= true then
return
end
self:UpdateFilterList()
ChatFrame_AddMessageEventFilter("CHAT_MSG_CHANNEL", self.UpdateChatFilter)
ChatFrame_AddMessageEventFilter("CHAT_MSG_SAY", self.UpdateChatFilter)
ChatFrame_AddMessageEventFilter("CHAT_MSG_YELL", self.UpdateChatFilter)
ChatFrame_AddMessageEventFilter("CHAT_MSG_WHISPER", self.UpdateChatFilter)
ChatFrame_AddMessageEventFilter("CHAT_MSG_EMOTE", self.UpdateChatFilter)
ChatFrame_AddMessageEventFilter("CHAT_MSG_TEXT_EMOTE", self.UpdateChatFilter)
ChatFrame_AddMessageEventFilter("CHAT_MSG_RAID", self.UpdateChatFilter)
ChatFrame_AddMessageEventFilter("CHAT_MSG_RAID_LEADER", self.UpdateChatFilter)
ChatFrame_AddMessageEventFilter("CHAT_MSG_SAY", self.UpdateAddOnBlocker)
ChatFrame_AddMessageEventFilter("CHAT_MSG_WHISPER", self.UpdateAddOnBlocker)
ChatFrame_AddMessageEventFilter("CHAT_MSG_EMOTE", self.UpdateAddOnBlocker)
ChatFrame_AddMessageEventFilter("CHAT_MSG_PARTY", self.UpdateAddOnBlocker)
ChatFrame_AddMessageEventFilter("CHAT_MSG_PARTY_LEADER", self.UpdateAddOnBlocker)
ChatFrame_AddMessageEventFilter("CHAT_MSG_RAID", self.UpdateAddOnBlocker)
ChatFrame_AddMessageEventFilter("CHAT_MSG_RAID_LEADER", self.UpdateAddOnBlocker)
ChatFrame_AddMessageEventFilter("CHAT_MSG_INSTANCE_CHAT", self.UpdateAddOnBlocker)
ChatFrame_AddMessageEventFilter("CHAT_MSG_INSTANCE_CHAT_LEADER", self.UpdateAddOnBlocker)
ChatFrame_AddMessageEventFilter("CHAT_MSG_CHANNEL", self.UpdateAddOnBlocker)
end |
local M = {}
function M.test()
local cairo = require "org.xboot.cairo"
local M_PI = math.pi
local cs = cairo.image_surface_create(cairo.FORMAT_ARGB32, 400, 400)
local cr = cairo.create(cs)
local image = cairo.image_surface_create_from_png("/romdisk/system/media/image/battery/battery_8.png")
local w = image:get_width()
local h = image:get_height()
cr:save()
cr:set_source_rgb(0.9, 0.9, 0.9)
cr:paint()
cr:restore()
cr:arc(128.0, 128.0, 76.8, 0, 2*M_PI)
cr:clip()
cr.new_path()
cr:scale(100.0 / w, 100.0 / h)
cr:set_source_surface(image, 100, 100);
cr:paint();
cs:show()
collectgarbage("collect")
collectgarbage("step")
end
return M
|
-- 2D UI classes
-- Assumes pl, ent and mode are in namespace
-- "PSEUDOEVENTS"- FUNCTIONS CALLED, BUT NOT ROUTED, AS PART OF UI
-- onButton, onChange, onLayout(l)
namespace "standard"
local flat = require "engine.flat"
local ui2 = {}
local function fontHeight()
return flat.font:getHeight()*flat.fontscale
end
ui2.textmargin = 0.05 -- Margin around text. Tunable
ui2.screenmargin = (fontHeight() + ui2.textmargin*2)/2 -- Space between edge of screen and buttons. Tunable
local margin = ui2.textmargin
-- Return a point anchored to a bound
-- bound: a bound2
-- anchor: combination of (l)eft, (r)ight, (t)op, (b)ottom, x (c)enter, y (m)iddle
-- Currently, repeating letters is ok; they'll be overwritten
function ui2.t (bound) return bound.max.y end
function ui2.b (bound) return bound.min.y end
function ui2.l (bound) return bound.min.x end
function ui2.r (bound) return bound.max.x end
function ui2.tl(bound) return vec2(bound.min.x,bound.max.y) end
function ui2.bl(bound) return bound.min end
function ui2.tr(bound) return bound.max end
function ui2.br(bound) return vec2(bound.max.x,bound.min.y) end
function ui2.anchor(bound, anchor)
local v = vec2(bound.min)
for i,ch in ichars(anchor) do
if ch == "l" then v.x = bound.min.x
elseif ch == "r" then v.x = bound.max.x
elseif ch == "c" then v.x = (bound.min.x+bound.max.x)/2
elseif ch == "t" then v.y = bound.max.y
elseif ch == "b" then v.y = bound.min.y
elseif ch == "m" then v.y = (bound.min.y+bound.max.y)/2
else error(string.format("Unrecognized character %s in anchor", ch))
end
end
return v
end
function ui2.anchorBools(anchor)
local r, b = false, false
for i,ch in ichars(anchor) do
if ch == "l" then r = true
elseif ch == "r" then r = false
elseif ch == "c" then r = true
elseif ch == "t" then b = false
elseif ch == "b" then b = true
elseif ch == "m" then b = false
else error(string.format("Unrecognized character %s in anchor", ch))
end
end
return r,b
end
-- Not an ent-- feeds ents to other ents with set bounds
-- spec:
-- managed: array of ButtonEnts
-- swap: ent that can be safely swapped out when "screen" is done
-- parent: ent that laid out items should have as parent
-- members:
-- managedTo: How many managed items have been inserted?
-- placedTo: How many managed items have been laid out?
ui2.Layout = classNamed("Layout")
function ui2.Layout:_init(spec)
pull(self, {managedTo = 0, placedTo=0})
pull(self, spec)
self.managed = self.managed or {}
end
function ui2.Layout:add(e) -- Call to manage another item
table.insert(self.managed, e)
end
function ui2.Layout:manage(e) -- For internal use
if self.mutable and not self.pass then self.pass = {} end
if self.mutable and not self.pass.relayout then
self.relayoutTemplate = function() self:layout(true) end
self.pass.relayout = self.relayoutTemplate
end
if self.pass and e.layoutPass then e:layoutPass(self.pass) end
if self.parent then e:insert(self.parent) end
end
-- Esoteric -- Call this if for some reason insertion/loading needs to occur before layout
function ui2.Layout:prelayout()
local mn = #self.managed -- Number of managed items
for i = (self.managedTo+1),mn do
self:manage(self.managed[i])
end
self.managedTo = mn
end
ui2.PileLayout = classNamed("PileLayout", ui2.Layout)
-- spec:
-- face: "x" or "y" -- default "x"
-- anchor: any combination of "tblr", default "lb"
-- members:
-- cursor: Next place to put a button
-- linemax (optional): greatest width of a button this line
function ui2.PileLayout:_init(spec)
pull(self, {face="x"})
self:super(spec)
self.anchor = "lb" .. (self.anchor or "")
end
-- Perform all layout at once. If true, re-lay-out things already laid out
function ui2.PileLayout:layout(relayout)
-- Constants: Logic
local moveright, moveup = ui2.anchorBools(self.anchor) -- Which direction are we moving?
local mn = #self.managed -- Number of managed items
local startAt = relayout and 1 or (self.placedTo+1) -- From what button do we begin laying out?
-- Constants: Metrics
local fh = fontHeight() -- Raw height of font
local screenmargin = ui2.screenmargin -- Space between edge of screen and buttons. Tunable
local spacing = margin
-- Logic constants
local leftedge = -flat.xspan + screenmargin -- Start lines on left
local rightedge = -leftedge -- Wrap around on right
local bottomedge = -flat.yspan + screenmargin -- Start render on bottom
local topedge = -bottomedge
local xface = self.face == "x"
local axis = vec2(moveright and 1 or -1, moveup and 1 or -1) -- Only thing anchor impacts
if self.mutable then
for _,v in ipairs(self.managed) do if not v.label then
self:prelayout()
return
end end
end
-- State
local okoverflow = toboolean(self.cursor) -- Overflows should be ignored
if relayout then self.cursor = nil end
self.cursor = self.cursor or vec2(leftedge, bottomedge) -- Placement cursor (start at bottom left)
for i = startAt,mn do -- Lay out everything not laid out
local e = self.managed[i] -- Entity to place
-- Item Metrics
local buttonsize = e:sizeHint(margin)
local w, h = buttonsize:unpack()
local to = self.cursor + buttonsize -- Upper right of button
-- Wrap
local didoverflow = okoverflow and (
(xface and to.x > rightedge) or (not xface and to.y > topedge)
)
if didoverflow then
if xface then
self.cursor = vec2(leftedge, to.y + spacing)
else
self.cursor = vec2(self.cursor.x + self.linemax + spacing, bottomedge)
self.linemax = 0
end
to = self.cursor + buttonsize
else
okoverflow = true
end
local bound = bound2.at(self.cursor*axis, to*axis) -- Button bounds
e.bound = bound
if xface then
self.cursor = vec2(self.cursor.x + w + spacing, self.cursor.y) -- Move cursor
else
self.cursor = vec2(self.cursor.x, self.cursor.y + h + spacing) -- Move cursor
self.linemax = math.max(self.linemax or 0, buttonsize.x)
end
if e.onLayout then e:onLayout() end
if i > self.managedTo then self:manage(e) end
end
self.managedTo = mn
self.placedTo = mn
end
-- Mouse support
local RouteMouseEnt = classNamed("RouteMouseEnt", Ent)
local routeMouseEnt
function RouteMouseEnt:onLoad()
local function route(key, x, y)
local inx = x * flat.width / flat.pixwidth - flat.width/2 -- Convert pixel x,y to our coordinate system
local iny = - ( y * flat.height / flat.pixheight - flat.height/2 ) -- GLFW has flipped y-coord
ent.root:route(key, vec2(inx, iny)) -- FIXME: Better routing?
end
lovr.handlers['mousepressed'] = function(x,y)
route("onPress", x, y)
end
lovr.handlers['mousereleased'] = function(x,y)
route("onRelease", x, y)
end
end
function ui2.routeMouse()
if not routeMouseEnt then
if not lovr.mouse then lovr.mouse = require 'lib.lovr-mouse' end
routeMouseEnt = RouteMouseEnt()
routeMouseEnt:insert(ent.root) -- FIXME: Better routing?
end
end
ui2.SwapEnt = classNamed("SwapEnt", Ent)
function ui2.SwapEnt:swap(ent)
local parent = self.parent
self:die()
queueBirth(ent, parent)
end
ui2.ScreenEnt = classNamed("ScreenEnt", ui2.SwapEnt)
function ui2.ScreenEnt:onMirror() -- Screen might not draw anything but it needs to set up coords
uiMode()
end
-- Buttons or layout items
-- spec:
-- swap: set by layout, sometimes unused, swap target if needed
-- bound: draw area
-- members:
-- down: is currently depressed (if a button)
-- must-implement methods:
-- sizeHint(margin) - return recommended size
ui2.UiBaseEnt = classNamed("UiBaseEnt", Ent)
function ui2.UiBaseEnt:layoutPass(pass) pull(self, pass) end
-- Items with text
-- spec:
-- label (required): text label
ui2.UiEnt = classNamed("UiEnt", ui2.UiBaseEnt)
function ui2.UiEnt:sizeHint(margin, overrideText)
local label = overrideText or self.label
if not label then error("Button without label") end -- TODO: This may be too restrictive
local fh = fontHeight() -- Raw height of font
local h = fh + margin*2 -- Height of a button
local fw = flat.font:getWidth(label)*flat.fontscale -- Text width
local w = fw + margin*2 -- Button width
return vec2(w, h)
end
function ui2.UiEnt:onMirror()
local center = self.bound:center()
local size = self.bound:size()
lovr.graphics.setColor(1,1,1,1)
lovr.graphics.setFont(flat.font)
lovr.graphics.print(self.label, center.x, center.y, 0, flat.fontscale)
end
ui2.ButtonEnt = classNamed("ButtonEnt", ui2.UiEnt) -- Expects in spec: bounds=, label=
function ui2.ButtonEnt:onPress(at)
if self.bound:contains(at) then
self.down = true
end
end
function ui2.ButtonEnt:onRelease(at)
if self.bound:contains(at) then
self:onButton(at) -- FIXME: Is it weird this is an "on" but it does not route?
end
self.down = false
end
function ui2.ButtonEnt:onButton()
end
function ui2.ButtonEnt:onMirror()
local center = self.bound:center()
local size = self.bound:size()
local gray = self.down and 0.5 or 0.8
lovr.graphics.setColor(gray,gray,gray,0.8)
lovr.graphics.plane('fill', center.x, center.y, 0, size.x, size.y)
ui2.UiEnt.onMirror(self)
end
ui2.ToggleEnt = classNamed("ToggleEnt", ui2.ButtonEnt) -- ButtonEnt but stick down instead of hold
function ui2.ToggleEnt:onPress(at)
if self.bound:contains(at) then
self.down = not self.down
end
end
function ui2.ToggleEnt:onRelease(at)
end
-- Draggable slider
-- spec:
-- lineWidth: recommended line width float
-- handleWidth: recommended handle width+height
-- wholeWidth: recommended size of entire line
-- minRange, maxRange: span of underlying value range (default 0,1)
-- members:
-- value: value minRange-maxRange (so 0-1 by default)
-- disabled: if true hide handle
ui2.SliderEnt = classNamed("SliderEnt", ui2.UiBaseEnt)
function ui2.SliderEnt:_init(spec) -- Note by allowing wholeWidth I made my life really hard
self:super(tableConcat({value=0, minRange=0, maxRange=1}, spec))
if self.lineWidth and self.handleWidth and self.wholeWidth then
error("Can only specify two of lineWidth, handleWidth, wholeWidth")
end
if self.handleWidth and self.wholeWidth then
self.lineWidth = self.wholeWidth-self.handleWidth
else
self.lineWidth = self.lineWidth or 0.3
end
if self.wholeWidth then
if self.lineWidth >= self.wholeWidth then error ("wholeWidth too small") end
self.handleWidth = self.wholeWidth - self.lineWidth
else
if not self.handleWidth then
self.handleWidth = fontHeight()
end
self.wholeWidth = self.lineWidth+self.handleWidth
end
end
function ui2.SliderEnt:sizeHint(margin)
return vec2(self.wholeWidth,self.handleWidth+margin*2)
end
function ui2.SliderEnt:onMirror()
local center = self.bound:center()
local zoff = 0.125
lovr.graphics.setColor(0,1,1,1)
lovr.graphics.line(center.x - self.lineWidth/2, center.y, -zoff, center.x + self.lineWidth/2, center.y, -zoff)
if not self.disabled and self.value then
local across = (self.value-self.minRange) / (self.maxRange - self.minRange)
across = center.x + self.lineWidth * (across - 0.5)
lovr.graphics.setColor(0.2,0.2,0.2,0.8)
lovr.graphics.plane('fill', across, center.y, 0, self.handleWidth, self.handleWidth)
lovr.graphics.setColor(1,1,1,1)
lovr.graphics.line(across, center.y-self.handleWidth/2, zoff, across, center.y+self.handleWidth/2, zoff)
end
end
function ui2.SliderEnt:onPress(at)
if not self.disabled and self.bound:contains(at) then
local halfline = self.lineWidth/2
self.value = utils.clamp(
(at.x - (self.bound.min.x + self.handleWidth/2))/self.lineWidth,
0,1
) * (self.maxRange-self.minRange) + self.minRange
if self.onChange then self:onChange(self.value) end -- See also: self:onButton "is it weird"?
end
end
-- Draggable slider
-- spec:
-- watch: SliderEnt to watch
-- Problem: Will not properly handle relayouts
ui2.SliderWatcherEnt = classNamed("SliderWatcherEnt", ui2.UiEnt)
function ui2.SliderWatcherEnt:sizeHint(margin, overrideText)
return ui2.UiEnt.sizeHint(self, margin, overrideText or "8.88")
end
function ui2.SliderWatcherEnt:onMirror()
self.label = (not self.disabled and self.watch.value) and string.format("%.2f", self.watch.value) or ""
return ui2.UiEnt.onMirror(self)
end
-- Ent which acts as a container for other objects
-- spec:
-- layout: a Layout object (required)
-- members:
-- lastCenter: tracks center over time so if the ent moves the offset is known
-- layoutCenter: tracks center at last sizeHint
ui2.LayoutEnt = classNamed("LayoutEnt", ui2.UiBaseEnt)
function ui2.LayoutEnt:_init(spec)
pull(self, {lastCenter = vec2.zero})
self:super(spec)
self.layout = self.layout or
ui2.PileLayout{anchor=self.anchor, face=self.face, managed=self.managed, parent=self}
self.anchor = nil self.face = nil self.managed = nil
end
function ui2.LayoutEnt:sizeHint(margin, overrideText)
self.layout:layout()
local bound
for i,v in ipairs(self.layout.managed) do
bound = bound and bound:extendBound(v.bound) or v.bound
end
if not bound then error(string.format("LayoutEnt (%s) with no members", self)) end
self.layoutCenter = bound:center()
return bound:size()
end
function ui2.LayoutEnt:onLayout()
local center = self.bound:center()
local offset = center - self.lastCenter - self.layoutCenter
for i,v in ipairs(self.layout.managed) do
v.bound = v.bound:offset(offset)
end
self.lastCenter = center
end
function ui2.LayoutEnt:onLoad()
if self.standalone then
self.layout:layout() -- In case sizeHint wasn't called
end
end
-- A label, a slider, and a slider watcher
-- spec:
-- startLabel: initial label
-- sliderSpec: label display props
-- members:
-- labelEnt, sliderEnt, sliderWatcherEnt: as named
-- methods:
-- getLabel(), setLabel(label)
-- getValue(), setValue(value)
ui2.SliderTripletEnt = classNamed("SliderTripletEnt", ui2.LayoutEnt)
function ui2.SliderTripletEnt:_init(spec)
pull(self, {anchor = "lt"})
self:super(spec)
self.labelEnt = self.labelEnt or ui2.UiEnt{label=self.startLabel}
self.layout:add(self.labelEnt) self.startLabel = nil
local sliderSpec = {value=self.value, onChange = function(slider)
self.value = slider.value
if self.onChange then self:onChange(self.value) end
end}
pull(sliderSpec, self.sliderSpec)
self.sliderEnt = self.sliderEnt or ui2.SliderEnt(sliderSpec)
self.layout:add(self.sliderEnt) self.sliderSpec = nil
self.sliderWatcherEnt = self.sliderWatcherEnt or ui2.SliderWatcherEnt{watch=self.sliderEnt}
self.layout:add(self.sliderWatcherEnt)
end
function ui2.SliderTripletEnt:getLabel() return self.labelEnt.label end
function ui2.SliderTripletEnt:setLabel(l) self.labelEnt.label = l end
function ui2.SliderTripletEnt:getValue() return self.sliderEnt.value end
function ui2.SliderTripletEnt:setValue(v) self.sliderEnt.value = v end
function ui2.SliderTripletEnt:getDisabled() return self.sliderEnt.disabled end
function ui2.SliderTripletEnt:setDisabled(v)
self.sliderEnt.disabled = v
self.sliderWatcherEnt.disabled = v
end
return ui2 |
-- utility functions
local util = {turn=0}
function util.mul_effect(effect, m)
effect.hp = effect.hp * m
effect.str = effect.str *m
effect.mp = effect.mp * m
effect.dex = effect.dex * m
return effect
end
function util.nzfloor(n)
if n < 0 and n > -0.5 then
n = -1
elseif n > 0 and n < 0.5 then
n = 1
end
n = math.floor(n)
return n
end
function util.floor_effect(effect)
effect.hp = util.nzfloor(effect.hp)
effect.str = util.nzfloor(effect.str)
effect.mp = util.nzfloor(effect.mp)
effect.dex = util.nzfloor(effect.dex)
end
function util.control_movement(c)
local mov = {x=0, y=0}
if c == engine.keys.up or c == engine.keys['8'] or c == engine.keys.k then
mov = {x=0, y=-1}
elseif c == engine.keys.down or c == engine.keys['2'] or c == engine.keys.j then
mov = {x=0, y=1}
elseif c == engine.keys.left or c == engine.keys['4'] or c == engine.keys.h then
mov = {x=-1, y=0}
elseif c == engine.keys.right or c == engine.keys['6'] or c == engine.keys.l then
mov = {x=1, y=0}
elseif c == engine.keys['7'] or c == engine.keys.y then
mov = {x=-1, y=-1}
elseif c == engine.keys['9'] or c == engine.keys.u then
mov = {x=1, y=-1}
elseif c == engine.keys['1'] or c == engine.keys.b then
mov = {x=-1, y=1}
elseif c == engine.keys['3'] or c == engine.keys.n then
mov = {x=1, y=1}
end
return mov
end
function util.limit_cursor(cursor, w, h)
if cursor.x < 0 then cursor.x = 0 end
if cursor.x >= w then cursor.x = w-1 end
if cursor.y < 0 then cursor.y = 0 end
if cursor.y >= h then cursor.y = h-1 end
end
function util.choose(options)
local choice = 1
local w, h = engine.ui.wh()
local tw = 0
for i, o in ipairs(options) do
if #o > tw then
tw = #o
end
end
local bw, bh = tw + 6, #options + 2
local bx, by = math.floor(w/2-bw/2), math.floor(h/2-bh/2)
for y = by, by+bh-1 do
engine.ui.gotoxy(bx, y)
for x = bx, bx+bw-1 do
engine.ui.putstr(' ')
end
end
for i, o in ipairs(options) do
engine.ui.gotoxy(bx+2, by+i)
engine.ui.putch(engine.keys.a+i-1)
engine.ui.putstr(") " .. o)
end
-- begin selection
while true do
for i, o in ipairs(options) do
engine.ui.gotoxy(bx+1, by+i)
if choice == i then
engine.ui.putstr("*")
else
engine.ui.putstr("-")
end
end
local c = engine.getch()
local mov = util.control_movement(c)
if mov.y ~= 0 and mov.x == 0 then
choice = choice + mov.y
if choice < 1 then choice = 1 end
if choice > #options then choice = #options end
end
if c == engine.keys['.'] or c == engine.keys['return'] then
return choice
end
for i, o in ipairs(options) do
if c == engine.keys.a+i-1 then
choice = i
return choice
end
end
end
end
function util.amount(max)
local prompt = "How many? 0-" .. max
local max_digits = 5
local w, h = engine.ui.wh()
local x = math.floor(w/2 - #prompt/2)
local y = math.floor(h/2 - 2)
engine.ui.gotoxy(x, y)
engine.ui.putstr(prompt)
for j = 1, 2 do
engine.ui.gotoxy(x, y+j)
for i = 1, #prompt do
engine.ui.putstr(' ')
end
end
engine.ui.gotoxy(x, y+2)
engine.ui.putstr(':')
local digits = {}
while true do
engine.ui.gotoxy(x+1, y+2)
for i = 1, max_digits do
if digits[i] then
engine.ui.putch(digits[i])
else
engine.ui.putstr(' ')
end
end
local c = engine.getch()
if c == engine.keys['return'] then break end
if c >= engine.keys['0'] and c <= engine.keys['9'] then
if #digits < max_digits then
digits[#digits+1] = c
end
elseif c == engine.keys.backspace then
if #digits > 0 then
digits[#digits] = nil
end
end
end
if #digits == 0 then return 0 end
local num = 0
for i, d in ipairs(digits) do
num = num*10 + d-engine.keys['0']
end
if num > max then
return max
else
return num
end
end
return util
|
ParseTechRadar = function(techRadarString)
-- ECFA: Parse tech radar string from #CHARTSTYLE into a table.
--
-- e.g., #CHARTSTYLE:speed=5,stamina=6,tech=7,movement=10,timing=9,gimmick=low;
if not techRadarString then return nil end
techRadarTable = {}
for k, v in string.gmatch(techRadarString, "([^=,]+)=([^=,]+),?") do
k = string.lower(k)
v = string.lower(v)
if k == 'gimmick' then
v = tonumber(v) or (
(v == 'cmod') and -1 or
(v == 'none') and 0 or
(v == 'low' or v == 'light') and 1 or
(v == 'mid' or v == 'medium') and 2 or
(v == 'high' or v == 'heavy') and 3 or nil
)
techRadarTable[k] = v
else
techRadarTable[k] = tonumber(v)
if k == "timing" and (not techRadarTable.rhythms) then techRadarTable.rhythms = tonumber(v) end
end
end
return techRadarTable
end
TechRadarFromSteps = function(steps)
-- pass in a steps and get the tech radar table, including the "rating" field
local radar = ParseTechRadar(steps:GetChartStyle())
if not radar then return end
radar.rating = steps:GetMeter()
return radar
end
-- Edit these according to ECFA staff's recommendations!
-- NOTE: old system, no longer used
local EasyCoefficientFormulaAsset = {
rating = {mult = 2.2, expo = 2.2},
speed = {mult = 1.0, expo = 1.1},
stamina = {mult = 1.0, expo = 1.1},
tech = {mult = 1.5, expo = 1.7},
movement = {mult = 1.5, expo = 1.7},
timing = {mult = 2.2, expo = 1.7},
rhythms = {mult = 2.2, expo = 1.7},
gimmick = {1.0, 1.04, 1.08, 1.12}
}
CalculateMaxDP_Unscaled_OLD = function(techRadarTable)
-- Internal use only!!
-- Use this to calculate the unscaled maximum DP for a given tech radar.
-- OLD FORMULA
local t = techRadarTable
local c = EasyCoefficientFormulaAsset
-- Calculate the max DP using the Special Formula(tm).
return (
(
(
-- Block rating influence
c.rating.mult * t.rating ^ c.rating.expo
) + (
-- Tech features that don't change with cmod
c.speed.mult * t.speed ^ c.speed.expo +
c.stamina.mult * t.stamina ^ c.stamina.expo +
c.tech.mult * t.tech ^ c.tech.expo +
c.movement.mult * t.movement ^ c.movement.expo +
c.rhythms.mult * t.rhythms ^ c.rhythms.expo
)
) * (
-- The gimmick multiplier
(t.gimmick < 0) and 1.0 or c.gimmick[t.gimmick + 1]
)
)
end
local ECFA_ScoreModifiers = {
scorebase = 40,
mscale = {
speed = 1, --unused
stamina = 1, --unused
tech = 3,
movement = 4,
rhythms = 6
},
gimmick = {1.02, 1.04, 1.06},
bigscale = 10000,
exp = 1.75,
maxs = 404
}
CalculateMaxDP = function(radar)
local mods = ECFA_ScoreModifiers
radar.rating = math.min(radar.rating, 14)
local bmin = math.min(radar.rating/10, 1)
local S = (mods.scorebase*(radar.rating-7) +
radar.speed + radar.stamina +
mods.mscale.tech*bmin*radar.tech + mods.mscale.movement*bmin*radar.movement +
mods.mscale.rhythms*bmin*radar.rhythms) *
(radar.gimmick <= 0 and 1 or mods.gimmick[radar.gimmick])
return mods.bigscale * ((S/mods.maxs) ^ mods.exp)
end
-- Calculate the max DP using the formula above, scaled so that the maximum
-- DP available from any one chart in the event is capped at 1000
-- (i.e. set a 14 that maxes out the radar at 1000)
-- note: this is no longer used
local theAngriestBoi = {
rating = 14,
speed = 10,
stamina = 10,
tech = 10,
movement = 10,
timing = 10,
rhythms = 10,
gimmick = 3
}
local theDPScalar = (1 / 0.091313)
CalculateMaxDPByTechRadar = function(techRadarTable)
-- ECFA: Calculate the maximum DP available for the chart with the
-- tech radar values in the table provided.
--
-- Parse the #CHARTSTYLE: field to get radar values.
-- e.g., {speed = 5, stamina = 6, tech = 7, movement = 10, timing = 9, gimmick = 0}
if not techRadarTable then return nil end
local tmpradar = {}
-- Scan for all required parameters.
local requiredParams = {'speed', 'stamina', 'tech', 'movement', 'rhythms', 'gimmick', 'rating'}
for _, v in ipairs(requiredParams) do
if techRadarTable[v] == nil then
return nil
end
tmpradar[v] = (v ~= "rating") and math.min(techRadarTable[v], 10) or techRadarTable[v]
end
-- Calculate the max DP.
return CalculateMaxDP(tmpradar)
end
SongNameDuringSet = function(self, item)
-- NOTE: For this function to get called at the proper time, the following
-- lines must be updated in metrics.ini:
--
-- [MusicWheelItem]
-- SongNameSetCommand=%function(self, item) SongNameDuringSet(self, item) end
-- (from original SongNameSetCommand)
-- hack to recolor song titles back EVERY SetCommand (i.e. a lot)
self:diffuse(Color.White)
-- ECFA: Change song title to include the Challenge chart's rating.
if item.Song then
-- only do this for songs in an ECFA 2021 folder
if not item.Song:GetGroupName():find("ECFA 2021") then return end
-- Grab a list of all steps for the current mode.
local allSteps = item.Song:GetStepsByStepsType(GAMESTATE:GetCurrentStyle():GetStepsType())
-- Find the chart occupying the highest non-Edit slot.
local highestRegularDiff = nil
local highestRegularChart = nil
local techRadar
for _, diff in ipairs({
'Difficulty_Beginner',
'Difficulty_Easy',
'Difficulty_Medium',
'Difficulty_Hard',
'Difficulty_Challenge'
}) do
for _, step in ipairs(allSteps) do
techRadar = ParseTechRadar(step:GetChartStyle())
if (step:GetDifficulty() == diff) and techRadar then
highestRegularChart = step
highestRegularDiff = diff
end
end
end
-- Get the block rating / tech max associated with that chart
-- and append it to the title.
if highestRegularChart then
local blockRating = tonumber(highestRegularChart:GetMeter())
techRadar = ParseTechRadar(highestRegularChart:GetChartStyle())
if not techRadar then return end
techRadar.rating = blockRating
local rawmaxdp = CalculateMaxDPByTechRadar(techRadar)
if not rawmaxdp then return end
local techMaxDP = math.floor(rawmaxdp)
-- Title gets a prepended block rating
-- Subtitle gets either a Cmod directive, a max DP calculation, or
-- both, separated by a pipe (e.g. "573 DP | No Cmod")
local blockRatingString = blockRating and "["..string.format("%02d", blockRating).."] " or ""
local techMaxDPString = techMaxDP and string.format("%d", techMaxDP).." Points" or ""
local cmodDirective = (techRadar.gimmick == nil or techRadar.gimmick <= 0) and "" or "No Cmod"
local subtitleAdd = (techMaxDPString ~= "" and cmodDirective ~= "") and
(techMaxDPString.." | "..cmodDirective) or
(techMaxDPString ..cmodDirective)
local fullTitle = blockRatingString..item.Song:GetDisplayFullTitle()
local fullTitleTL = blockRatingString..item.Song:GetTranslitFullTitle()
local fullSubtitle = subtitleAdd
local fullSubtitleTL = subtitleAdd
--SM("### "..fullTitle)
self:SetFromString(
fullTitle, fullTitleTL,
fullSubtitle, fullSubtitleTL,
item.Song:GetDisplayArtist(), item.Song:GetTranslitArtist()
)
end
end
end
function IsECFA2021Song()
-- shorthand for checking if the current song is in an ECFA 2021 folder
local song = GAMESTATE:GetCurrentSong()
if not song then return false end
return song:GetGroupName():find("ECFA 2021") and true or false
end
-- functions for calculating the player performance score
ECFA_FAPass = {
[0] = 0, --dummy value for handling cases that shouldn't, but could, occur
[7] = 0.60,
[8] = 0.65,
[9] = 0.70,
[10] = 0.75,
[11] = 0.80,
[12] = 0.83,
[13] = 0.85,
[14] = 0.86
}
function ECFA2021ScoreWF(player)
-- function utilizing WF systems that can be called at evaluation simply with a player number
if not IsECFA2021Song() then return nil end
local steps = GAMESTATE:GetCurrentSteps(player)
local radar = TechRadarFromSteps(steps)
if not radar then return nil end
if radar.gimmick and radar.gimmick > 0 then
local smods = GetSignificantMods(player)
if smods and FindInTable("C", smods) then return nil end
end
local maxscore = CalculateMaxDPByTechRadar(radar)
if not maxscore then return nil end
local rating = steps:GetMeter()
local pss = STATSMAN:GetCurStageStats():GetPlayerStageStats(player)
local perf = pss:GetTapNoteScores("TapNoteScore_W1")
local exc = pss:GetTapNoteScores("TapNoteScore_W2")
local mines = pss:GetTapNoteScores("TapNoteScore_HitMine")
local srv = steps:GetRadarValues(player)
local stepcount = srv:GetValue("RadarCategory_TapsAndHolds")
local totalholds = srv:GetValue("RadarCategory_Holds") + srv:GetValue("RadarCategory_Rolls")
local held = pss:GetHoldNoteScores("HoldNoteScore_Held")
local nonheld = totalholds - held
local score, dp = CalculateECFA2021Score(perf, exc, nonheld, mines, stepcount, maxscore, rating)
-- return score, max score and raw dp%
return score, maxscore, dp
end
function ECFA2021ScoreSL(player)
-- similar to the above, but something more tuned to Simply love variants
-- note that this will still require "ECFA" game mode is used
if not IsECFA2021Song() then return nil end
if not SL.Global.GameMode == "ECFA" then return nil end
local steps = GAMESTATE:GetCurrentSteps(player)
local radar = TechRadarFromSteps(steps)
if not radar then return nil end
if radar.gimmick and radar.gimmick > 0 then
local mods = GAMESTATE:GetPlayerState(player):GetPlayerOptions("ModsLevel_Preferred")
if mods and mods:CMod() then return nil end
end
local maxscore = CalculateMaxDPByTechRadar(radar)
local rating = steps:GetMeter()
local pss = STATSMAN:GetCurStageStats():GetPlayerStageStats(player)
local perf = pss:GetTapNoteScores("TapNoteScore_W1")
local exc = pss:GetTapNoteScores("TapNoteScore_W2")
local mines = pss:GetTapNoteScores("TapNoteScore_HitMine")
local srv = steps:GetRadarValues(player)
local stepcount = srv:GetValue("RadarCategory_TapsAndHolds")
local totalholds = srv:GetValue("RadarCategory_Holds") + srv:GetValue("RadarCategory_Rolls")
local held = pss:GetHoldNoteScores("HoldNoteScore_Held")
local nonheld = totalholds - held
local score, dp = CalculateECFA2021Score(perf, exc, nonheld, mines, stepcount, maxscore, rating)
-- return score, max score and raw dp%
return score, maxscore, dp
end
function ECFAPointString(val)
-- previously this was returning a string in the form of %.2f, but we've decided to only display
-- integers for aesthetic purposes
if tostring(val) == tostring(0/0) then val = 0 end
return tostring(math.floor(val))
end
CalculateECFA2021Score = function(perf, exc, nonheld, mines, stepcount, maxscore, rating)
-- function to get the score by passing the values in directly
-- return the raw dp score in addition to the calculated score, because we wantto communicate it
-- for missing fa pass
local dp = ECFA_DP(perf, exc, nonheld, mines, stepcount)
if dp < ECFA_FAPass[rating] then return 0, math.max(0, dp) end
return maxscore * ECFA_DPExp(dp), dp
end
ECFA_DP = function(perf, exc, nonheld, mines, stepcount)
return (3*perf + exc - (nonheld + mines))/(3*stepcount)
end
ECFA_DPExp = function(dp)
return 0.2 + 0.8*(45^(dp-1))
end
-- old unused function
ECFA_Fp = function(dp)
return 0.446 + (2 * ( 0.054 * (dp-0.5) )) + (ECFA_FExp(dp)/ECFA_FExp(1))/2
end
|
if(GetRealmName() == "소금 평원")then
WP_Database = {
["하이머신"] = "LT:784/98%SB:871/99%LM:962/98%",
["가티널자"] = "ST:793/99%SB:849/99%SM:1009/99%",
["양수니"] = "LT:761/96%SB:807/99%LM:938/96%",
["야드팟점"] = "ST:816/99%SB:887/99%SM:1007/99%",
["만나면좋은친구"] = "LT:591/98%SB:808/99%LM:981/98%",
["전사함"] = "ST:819/99%SB:831/99%LM:966/98%",
["Lotusguitar"] = "LT:784/98%LB:792/98%LM:947/97%",
["샤인스"] = "LT:789/98%SB:848/99%LM:992/98%",
["무장강도"] = "ST:804/99%SB:836/99%LM:986/98%",
["검하나"] = "ST:800/99%SB:871/99%SM:1001/99%",
["딜전"] = "SB:920/99%SM:1006/99%",
["블러드스칼"] = "LT:760/96%SB:823/99%SM:1008/99%",
["대국"] = "ST:799/99%LB:784/98%EM:900/92%",
["도적님만오면풀"] = "ST:796/99%SB:830/99%EM:916/93%",
["통수하다"] = "LT:777/98%SB:802/99%EM:834/87%",
["칼검"] = "SB:810/99%EM:864/88%",
["돌진하는돈까스"] = "LT:788/98%SB:858/99%EM:910/93%",
["이주임"] = "ET:597/85%SB:870/99%SM:968/99%",
["꼬꼬뇽뇽"] = "LT:790/98%SB:861/99%SM:1004/99%",
["금빛"] = "LT:777/97%SB:807/99%LM:955/97%",
["바닐라플랫화이트"] = "ST:810/99%SB:919/99%LM:983/98%",
["신나는모험"] = "ST:800/99%SB:899/99%LM:988/98%",
["야클"] = "ST:851/99%SB:881/99%SM:1014/99%",
["허르만허세"] = "ST:836/99%SB:850/99%EM:924/94%",
["표기"] = "LT:766/96%SB:803/99%LM:961/97%",
["사슬도적"] = "ST:878/99%SB:894/99%LM:993/98%",
["몽갱이"] = "LT:778/97%SB:818/99%SM:997/99%",
["윤통수"] = "ST:832/99%SB:860/99%SM:1009/99%",
["Madfury"] = "SB:856/99%LM:983/98%",
["십일월의비"] = "ST:814/99%SB:889/99%SM:1006/99%",
["매라"] = "ST:799/99%SB:892/99%LM:968/98%",
["단델리욘"] = "LT:769/97%SB:809/99%LM:933/96%",
["닥딜민이"] = "LT:462/96%SB:812/99%LM:946/96%",
["규야씨"] = "ST:804/99%SB:888/99%LM:977/98%",
["한마격"] = "LT:787/98%SB:846/99%LM:977/98%",
["곤자가"] = "ET:667/87%SB:816/99%EM:817/85%",
["코아맨"] = "ET:723/93%SB:839/99%LM:940/95%",
["Leonidas"] = "ST:744/99%SB:823/99%EM:870/90%",
["왕이될면상"] = "LT:749/95%SB:796/99%EM:871/90%",
["백뢰화"] = "ET:734/93%LB:790/98%EM:899/93%",
["스노"] = "ET:715/92%SB:803/99%SM:1024/99%",
["수상한손짓"] = "LT:779/98%SB:811/99%LM:977/98%",
["장항동가렌"] = "LT:765/97%SB:820/99%SM:994/99%",
["엘럿"] = "ST:790/99%SB:802/99%LM:974/98%",
["샤인츠"] = "LT:784/98%SB:843/99%LM:958/97%",
["Bronz"] = "ST:818/99%SB:798/99%EM:912/93%",
["전사하셨습니다"] = "ET:716/92%LB:770/97%EM:925/94%",
["수상한눈빛"] = "LT:760/96%LB:784/98%EM:901/93%",
["침착"] = "SB:825/99%EM:925/94%",
["딜쩐"] = "SB:814/99%LM:952/96%",
["라이라이"] = "ET:687/89%LB:783/98%EM:870/91%",
["포티"] = "ST:801/99%SB:869/99%LM:975/98%",
["Leejooim"] = "LT:782/98%LB:782/98%LM:963/98%",
["장항동마스터이"] = "LT:780/98%SB:802/99%LM:963/97%",
["혈사로야"] = "ST:803/99%SB:863/99%LM:971/97%",
["젤리콩까네"] = "ET:700/90%LB:768/96%RM:663/73%",
["Reeve"] = "ET:634/82%SB:836/99%LM:946/96%",
["폭주색마호야"] = "ET:732/93%LB:785/98%EM:856/88%",
["스노우가드"] = "ET:690/90%LB:783/98%EM:898/93%",
["인간딜전"] = "ST:797/99%LB:786/98%LM:941/96%",
["떵꼬조심"] = "RT:532/72%SB:798/99%EM:883/90%",
["Jihodaddy"] = "ST:844/99%SB:870/99%EM:929/94%",
["엑시"] = "LT:578/97%LB:787/98%EM:920/93%",
["어서가요"] = "ST:857/99%SB:914/99%SM:983/99%",
["Kangaroo"] = "LT:785/98%LB:727/98%EM:924/94%",
["전사할걸"] = "ST:795/99%SB:912/99%SM:997/99%",
["이부장"] = "ST:796/99%SB:810/99%LM:973/98%",
["마격탐"] = "SB:830/99%LM:955/97%",
["알겠슘돠"] = "ET:344/89%LB:789/98%LM:927/95%",
["청북님"] = "LT:788/98%SB:867/99%LM:965/97%",
["야심작"] = "ET:370/91%LB:769/97%EM:816/84%",
["법사그노움"] = "ST:813/99%SB:919/99%SM:1019/99%",
["씨원소주"] = "ST:846/99%SB:870/99%LM:937/96%",
["주노준호"] = "LT:748/95%LB:797/98%EM:906/93%",
["전쟁영혼"] = "ET:719/92%LB:795/98%LM:988/98%",
["쵸칠경"] = "ET:736/93%SB:755/99%LM:958/97%",
["야임임"] = "LT:764/97%LB:797/98%LM:967/97%",
["닥돌민이"] = "LT:749/95%SB:838/99%LM:947/97%",
["신위"] = "LT:779/98%SB:869/99%SM:992/99%",
["발록스킨"] = "LT:621/98%LB:778/97%LM:980/98%",
["악당그녀"] = "ST:794/99%LB:777/97%LM:966/97%",
["맞는건싫어요"] = "RT:400/55%LB:756/95%EM:886/92%",
["요미귀니"] = "LT:757/96%LB:768/96%EM:907/93%",
["줄서랏"] = "ET:340/90%LB:760/95%EM:845/87%",
["빛나는모험"] = "LT:776/98%LB:766/96%EM:845/89%",
["꽃깡전사"] = "ET:736/94%LB:762/96%EM:893/93%",
["닥터벨머"] = "LT:855/98%SB:838/99%SM:1007/99%",
["라즈에나"] = "LT:865/98%SB:784/99%SM:988/99%",
["갈비만두"] = "LT:859/98%SB:807/99%SM:979/99%",
["토잉토잉"] = "ET:764/92%LB:736/97%LM:910/97%",
["빵콩이"] = "ST:879/99%SB:790/99%SM:990/99%",
["고모야"] = "LT:858/98%SB:791/99%LM:964/98%",
["Eris"] = "ST:689/99%SB:772/99%LM:880/95%",
["샤인느"] = "ET:786/94%SB:771/99%LM:907/95%",
["Nael"] = "LT:842/97%SB:822/99%LM:958/98%",
["Meer"] = "ET:788/94%SB:790/99%LM:924/96%",
["아밀리아"] = "LT:874/98%SB:690/99%EM:882/93%",
["꼬밍서시"] = "LT:836/97%LB:756/98%LM:904/95%",
["둥이랑"] = "ST:911/99%SB:773/99%SM:1000/99%",
["마히나"] = "ET:711/90%SB:776/99%LM:922/97%",
["바라보기"] = "LT:846/97%LB:741/97%EM:828/92%",
["구원의빛"] = "LT:815/96%LB:768/98%EM:893/94%",
["바람에부는"] = "LT:780/95%SB:776/99%LM:972/98%",
["Llove"] = "LT:817/96%SB:719/99%LM:925/97%",
["즐장"] = "ET:592/76%LB:759/98%EM:897/94%",
["김아묘"] = "LT:863/98%LB:765/98%LM:914/96%",
["Antigua"] = "LB:749/98%EM:866/94%",
["시오나"] = "LT:815/96%SB:674/99%EM:900/94%",
["아르웬"] = "LT:822/96%SB:795/99%LM:894/95%",
["빵투엄마"] = "ST:882/99%SB:784/99%LM:946/98%",
["문라이트섀도우"] = "LT:617/98%SB:793/99%LM:921/95%",
["오델리아"] = "ET:761/93%LB:741/98%LM:956/98%",
["Coconus"] = "LT:866/98%SB:784/99%LM:950/98%",
["피닉스선즈"] = "LT:815/96%LB:709/95%EM:814/88%",
["Oceangypsy"] = "LT:819/96%LB:767/98%LM:929/96%",
["신사한신기"] = "LT:814/96%SB:773/99%EM:902/94%",
["릴린"] = "LB:757/98%SM:1003/99%",
["하얀가오리"] = "ET:350/85%LB:755/98%LM:905/96%",
["빤짝희"] = "LT:816/96%LB:771/98%EM:807/87%",
["미라나"] = "LT:832/97%SB:771/99%LM:925/96%",
["라라네"] = "LT:624/98%LB:730/97%EM:809/88%",
["관심없어요"] = "LT:803/95%LB:737/97%EM:879/93%",
["루비걸음"] = "ET:697/87%LB:733/97%EM:761/86%",
["소스톤"] = "LB:750/98%LM:958/98%",
["고모야의사제"] = "ST:746/99%LB:749/98%LM:967/98%",
["Betelgeuse"] = "ET:784/94%LB:758/98%LM:895/96%",
["아루윤루"] = "LB:753/98%LM:926/96%",
["육회복일급성"] = "LT:878/98%SB:811/99%EM:796/88%",
["기억으로"] = "RT:572/72%LB:643/98%LM:918/96%",
["야꿀야꿀"] = "ET:732/89%LB:755/98%EM:861/94%",
["갓비너스"] = "ST:806/99%SB:785/99%SM:990/99%",
["케이신"] = "LT:830/97%LB:769/98%LM:896/96%",
["수호천사영"] = "ET:763/92%LB:716/96%EM:780/88%",
["가을이오면"] = "LT:815/96%LB:745/97%LM:929/96%",
["데이팅"] = "LT:832/97%EB:683/93%LM:963/98%",
["가을에피는"] = "ST:861/99%LB:758/98%LM:925/96%",
["레모나"] = "ET:687/86%LB:725/96%EM:879/93%",
["아라샤"] = "LT:865/98%LB:762/98%LM:948/97%",
["아른한별빛"] = "ST:740/99%LB:757/98%LM:937/97%",
["제주바다"] = "ET:773/93%SB:773/99%SM:977/99%",
["아리아리송해"] = "ET:788/94%LB:738/97%EM:860/94%",
["악사제"] = "RT:228/67%EB:592/85%EM:863/92%",
["Clapotis"] = "RT:550/73%EB:699/94%EM:757/83%",
["어그로좀부탁해"] = "ET:635/80%LB:586/96%LM:915/96%",
["기엘"] = "LB:695/95%RM:584/64%",
["빤짝이"] = "ET:671/86%LB:746/98%EM:814/88%",
["달빛의강"] = "ST:786/99%LB:768/98%EM:850/91%",
["갓이쁨"] = "ST:822/99%LB:763/98%EM:892/94%",
["구름빵"] = "LT:804/95%EB:691/94%LM:874/95%",
["봉자댁"] = "LB:700/95%LM:906/95%",
["립스틱짙게바르고"] = "ET:481/94%LB:733/97%EM:857/94%",
["황용사제"] = "ET:744/91%LB:743/97%LM:910/95%",
["아사나며"] = "ET:393/89%EB:694/94%EM:855/91%",
["한방힐러"] = "LB:749/97%LM:941/97%",
["Nexia"] = "RT:522/66%EB:659/91%RM:627/73%",
["청북"] = "RT:564/72%SB:782/99%SM:983/99%",
["바람에날려온"] = "LT:839/97%LB:768/98%LM:943/97%",
["소소한사제"] = "ET:733/90%LB:761/98%LM:948/97%",
["허브"] = "LT:840/97%LB:761/98%EM:779/85%",
["타카가키카에데"] = "ST:897/99%SB:814/99%SM:982/99%",
["라나텔"] = "LB:754/98%LM:962/98%",
["Damiani"] = "LT:803/95%LB:726/96%EM:887/93%",
["보건복지부"] = "UT:308/40%LB:708/95%EM:828/89%",
["Arine"] = "ET:703/89%LB:735/97%EM:893/94%",
["슈리아"] = "ET:740/91%LB:713/96%EM:842/90%",
["다크다크"] = "ET:420/91%LB:698/95%EM:856/91%",
["대승"] = "ET:717/88%EB:670/92%CM:178/21%",
["소죽"] = "LT:834/96%LB:749/97%EM:888/94%",
["서셰이"] = "ET:792/94%LB:716/96%LM:974/98%",
["황혼의구름"] = "ST:791/99%LB:731/96%LM:920/95%",
["보리사제"] = "ET:667/84%LB:734/97%LM:917/97%",
["류아"] = "ET:792/94%LB:724/96%EM:740/84%",
["쵸나"] = "ST:709/99%LB:740/97%LM:938/98%",
["씨엔디"] = "RT:268/74%EB:670/92%UM:296/35%",
["까칠한도담"] = "LT:855/98%SB:774/99%LM:943/97%",
["Priestbossam"] = "RT:389/51%LB:710/96%LM:931/98%",
["Crazyheal"] = "EB:646/90%EM:859/92%",
["샤팡"] = "ET:475/94%LB:703/95%EM:863/94%",
["임자생사제"] = "ET:418/92%LB:715/96%EM:771/87%",
["Reds"] = "ST:837/99%LB:752/98%LM:940/97%",
["아기열녀"] = "RT:391/50%EB:675/93%EM:897/94%",
["강철"] = "ET:785/94%SB:784/99%LM:932/96%",
["아진이"] = "RT:571/72%LB:707/95%EM:678/93%",
["김키키"] = "RT:499/64%LB:712/96%EM:794/89%",
["로살래"] = "ET:779/93%LB:741/97%LM:957/98%",
["성기사로또"] = "ET:708/88%LB:729/96%EM:858/91%",
["도전하는돈까스"] = "LT:765/97%EB:550/81%RM:310/61%",
["백안의전사"] = "LT:771/97%LB:783/98%SM:991/99%",
["복치"] = "LT:784/98%EB:723/92%SM:987/99%",
["무영객"] = "ST:847/99%SB:910/99%SM:1044/99%",
["용태라구"] = "ST:848/99%SB:882/99%SM:1030/99%",
["뒷통수"] = "ST:848/99%EB:744/94%EM:887/92%",
["아르바이트"] = "ST:841/99%SB:901/99%LM:974/98%",
["사월이야기"] = "LT:783/98%LB:768/97%LM:944/96%",
["윤검"] = "ST:816/99%SB:834/99%LM:977/98%",
["한비습"] = "LT:772/97%EB:735/93%RM:579/64%",
["톨니분쇄기"] = "ST:808/99%LB:789/98%EM:878/92%",
["야임마법사"] = "ST:803/99%SB:872/99%SM:1031/99%",
["채광채집"] = "LT:791/98%SB:802/99%LM:938/95%",
["맛난너부리"] = "LT:778/98%LB:797/98%RM:479/50%",
["메리골드트리스"] = "ST:820/99%LB:760/97%EM:874/94%",
["캬라멜마끼아또"] = "ST:811/99%SB:880/99%LM:976/98%",
["틀니분쇄기"] = "ST:810/99%SB:887/99%LM:937/96%",
["검의길을걷는자"] = "ET:724/93%LB:780/97%EM:884/91%",
["카슈"] = "ST:804/99%SB:881/99%LM:974/98%",
["붕대없음"] = "ST:810/99%LB:762/96%EM:856/89%",
["샤인즈"] = "ST:830/99%SB:898/99%SM:1019/99%",
["레이지마스터"] = "ST:832/99%LB:759/96%EM:853/90%",
["아놀드수염다제거"] = "LT:780/98%LB:757/96%LM:952/97%",
["데슈"] = "LT:777/97%SB:799/99%LM:952/96%",
["암굴왕"] = "LT:790/98%SB:832/99%LM:950/96%",
["릭스"] = "LT:755/96%LB:585/96%LM:954/97%",
["알콩달콩숑숑"] = "LT:762/96%LB:769/97%LM:960/97%",
["Duress"] = "ET:719/92%LB:766/97%LM:962/98%",
["손가락깁스"] = "ST:848/99%LB:736/95%LM:959/98%",
["닥터아순이"] = "LT:762/96%LB:775/97%LM:941/96%",
["Jihomom"] = "LT:748/95%SB:805/99%LM:957/97%",
["백원줄께놀자"] = "LT:786/98%LB:800/98%LM:950/96%",
["사슴짱"] = "ST:796/99%SB:888/99%SM:997/99%",
["Droptop"] = "ST:812/99%SB:827/99%SM:1023/99%",
["규적"] = "LT:769/97%LB:793/98%LM:955/95%",
["청북이"] = "LT:766/97%EB:725/92%EM:855/90%",
["얼굴로딜한다"] = "ET:699/90%EB:726/91%LM:943/95%",
["데몬시커"] = "ET:721/93%SB:832/99%LM:939/96%",
["더딘하루"] = "LT:762/97%SB:837/99%SM:1014/99%",
["블루허브"] = "ST:793/99%SB:809/99%SM:996/99%",
["호욱재"] = "LT:750/95%SB:875/99%SM:997/99%",
["인탈남"] = "LT:768/97%LB:782/98%LM:949/98%",
["Koss"] = "LT:756/95%EB:727/92%LM:958/97%",
["걸복동"] = "LT:625/98%LB:783/98%EM:834/86%",
["라쿠나"] = "LT:753/95%SB:804/99%LM:987/98%",
["어그로의끝"] = "ET:730/93%LB:701/97%EM:895/93%",
["알랙스트라자"] = "ET:719/92%LB:707/97%EM:931/94%",
["발라당"] = "ST:805/99%SB:890/99%LM:928/95%",
["레인멘"] = "ET:661/86%LB:740/95%EM:904/94%",
["그때그샛기"] = "ET:718/92%EB:615/94%EM:899/93%",
["Ist"] = "ST:855/99%SB:904/99%LM:954/96%",
["Thunderghost"] = "ST:731/99%LB:791/98%LM:969/98%",
["야톨"] = "ST:848/99%SB:942/99%SM:999/99%",
["닥터아징이"] = "ST:814/99%SB:911/99%SM:1059/99%",
["Homelander"] = "ST:806/99%EB:742/93%LM:969/98%",
["김여름"] = "ST:878/99%LB:726/96%EM:897/93%",
["하경윤"] = "LT:826/96%SB:792/99%LM:909/95%",
["냥냥사제"] = "LT:862/98%LB:749/98%LM:951/98%",
["허매"] = "ST:887/99%LB:713/95%LM:942/97%",
["아라시아"] = "LT:806/95%EB:701/94%EM:873/94%",
["둠노"] = "LT:801/95%EB:686/94%LM:882/95%",
["대사제린"] = "LT:799/95%EB:636/88%RM:501/55%",
["Snsd"] = "LT:796/95%LB:748/97%LM:908/95%",
["와줌마"] = "LT:829/96%LB:739/97%LM:901/95%",
["잡채"] = "LT:825/96%LB:722/95%EM:854/90%",
["한사제"] = "ET:780/94%EB:629/88%EM:759/83%",
["깨달"] = "ET:473/94%SB:776/99%LM:899/95%",
["단다니"] = "LT:840/97%EB:696/94%EM:840/90%",
["제피랜더스"] = "ET:777/94%SB:711/99%EM:858/91%",
["피곤"] = "ST:816/99%EB:691/94%LM:912/96%",
["라미니아"] = "ET:775/93%LB:732/97%LM:954/98%",
["유의"] = "ET:766/93%LB:734/97%LM:931/97%",
["브라이트"] = "LT:837/97%EB:694/93%EM:811/87%",
["델라그레이스"] = "ET:735/92%LB:745/98%SM:981/99%",
["엘마이라"] = "ET:664/83%RB:504/70%EM:714/78%",
["사제루카"] = "ET:466/94%EB:665/91%EM:839/90%",
["조용한미소"] = "LT:476/95%LB:613/97%EM:739/85%",
["Redpond"] = "ET:689/86%EB:693/94%LM:906/96%",
["대뽀누나"] = "ET:439/93%LB:753/98%LM:924/96%",
["예쁘면피곤해"] = "ET:789/94%EB:691/93%LM:929/96%",
["기사빵투"] = "LT:817/96%EB:698/94%EM:843/92%",
["라랑이"] = "ET:764/92%EB:660/90%EM:853/91%",
["려은잉"] = "ET:403/90%EB:665/92%EM:673/78%",
["갓세이렌"] = "ST:828/99%LB:602/96%EM:835/91%",
["Zey"] = "ET:692/88%EB:568/82%RM:527/62%",
["서이"] = "ET:710/87%EB:678/92%EM:877/93%",
["타케이테아시"] = "ET:688/85%LB:726/95%LM:932/97%",
["달빛여시님"] = "ET:727/89%EB:488/90%RM:474/52%",
["아시리"] = "ET:694/86%EB:476/89%RM:504/58%",
["찬스사제"] = "ET:739/91%LB:726/96%EM:829/89%",
["허날두랑매시"] = "LT:811/96%LB:718/95%EM:858/91%",
["보통말고곱배기"] = "LT:514/95%EB:679/93%EM:848/93%",
["미니멈"] = "LT:669/98%LB:638/98%EM:785/85%",
["레브아"] = "ET:766/93%LB:716/96%LM:907/96%",
["Eyl"] = "ET:791/94%LB:741/97%EM:831/89%",
["금샘"] = "ET:745/91%EB:687/94%EM:812/90%",
["하겐다즈초코"] = "RT:564/71%LB:711/95%EM:734/84%",
["바갈쓰"] = "ET:689/86%EB:638/88%EM:714/82%",
["쓰뤼고"] = "ET:763/92%EB:681/93%EM:775/87%",
["냥냥기사"] = "LT:802/95%EB:674/91%LM:917/95%",
["Fiery"] = "ET:747/91%EB:551/94%RM:504/59%",
["Leaving"] = "ET:771/93%EB:639/88%EM:838/92%",
["Keira"] = "ET:437/92%EB:660/90%EM:812/88%",
["아줌마요"] = "LT:807/95%LB:610/97%EM:893/94%",
["까칠한란님"] = "LT:804/95%LB:745/97%EM:906/94%",
["지델"] = "ET:448/93%EB:539/93%RM:627/73%",
["사제의하루"] = "LT:801/95%LB:715/96%EM:708/78%",
["Tera"] = "ET:685/85%EB:533/93%RM:674/74%",
["별빛하늘"] = "LT:804/95%LB:709/95%LM:924/97%",
["Bora"] = "ET:770/93%LB:707/95%EM:833/90%",
["코사도둑"] = "LT:755/95%LB:783/98%EM:893/92%",
["펀치"] = "LT:774/97%SB:792/99%LM:955/97%",
["바람난과부"] = "LB:778/97%LM:946/96%",
["코사도적"] = "LT:762/96%LB:722/98%EM:809/84%",
["Sandy"] = "SB:873/99%SM:1015/99%",
["플라잉덤뵤"] = "LT:753/95%LB:776/97%SM:1004/99%",
["얄리"] = "LT:743/95%LB:768/96%EM:936/94%",
["백서"] = "LT:759/96%LB:765/96%EM:890/91%",
["언약궤"] = "ET:379/93%LB:752/95%EM:918/94%",
["워뇨"] = "SB:862/99%LM:921/96%",
["산다라복"] = "ET:740/94%LB:686/97%LM:927/95%",
["우댕이"] = "ET:643/85%EB:737/93%EM:927/94%",
["마스터오브소드"] = "LB:756/95%EM:833/86%",
["나락이"] = "ET:376/91%LB:794/98%LM:977/98%",
["골목길"] = "ET:287/84%LB:774/97%EM:912/93%",
["데스페라스"] = "ET:407/93%LB:790/98%EM:912/93%",
["다복"] = "LT:752/95%LB:773/97%LM:995/98%",
["남작마"] = "ET:666/87%LB:740/98%LM:924/95%",
["Vesemir"] = "ET:731/94%LB:753/95%EM:788/82%",
["변태공주"] = "ET:711/92%LB:764/96%LM:933/96%",
["다크페이트"] = "ET:672/88%LB:768/96%LM:913/95%",
["밀비"] = "ET:705/91%SB:771/99%LM:948/97%",
["파카마라"] = "ET:730/93%LB:758/95%EM:914/93%",
["요정용"] = "ST:806/99%SB:863/99%SM:989/99%",
["막대검"] = "LT:780/98%SB:829/99%SM:1026/99%",
["Jihobrother"] = "ET:734/94%EB:725/92%RM:655/73%",
["Deathsting"] = "ET:723/92%LB:700/97%EM:890/91%",
["피만땅분노뽕빨"] = "ET:704/91%EB:732/92%EM:914/93%",
["돌쇠네가반나"] = "ST:802/99%SB:834/99%LM:962/97%",
["노머시"] = "ET:674/87%LB:785/98%LM:943/95%",
["Epicsaxguy"] = "LT:749/95%SB:799/99%EM:890/91%",
["단델리온"] = "ET:570/92%SB:838/99%SM:981/99%",
["무언검"] = "ST:822/99%LB:788/98%LM:953/97%",
["주홍글씨"] = "ET:740/94%LB:770/96%EM:919/93%",
["다윗왕"] = "ST:756/99%LB:767/96%EM:779/84%",
["파이널스텔스"] = "ET:699/90%LB:761/96%LM:938/96%",
["Swandir"] = "ET:654/86%EB:621/94%LM:961/97%",
["방꼬미"] = "ET:382/94%LB:757/95%EM:781/90%",
["오우거전사"] = "LT:753/96%SB:800/99%EM:853/88%",
["켈다"] = "ST:766/99%EB:753/94%EM:880/90%",
["폴해머"] = "UT:277/36%LB:779/97%LM:933/95%",
["불도적"] = "ET:683/88%LB:756/95%RM:670/72%",
["재수"] = "RT:381/51%SB:959/99%SM:1023/99%",
["정사장"] = "LT:757/96%EB:748/94%EM:891/91%",
["와린이노움전사"] = "LT:463/96%LB:752/95%LM:890/95%",
["미모리"] = "ST:750/99%LB:753/95%EM:928/94%",
["박뽕"] = "ST:807/99%LB:751/95%LM:961/97%",
["김멍구"] = "ET:304/86%EB:746/94%EM:859/88%",
["Cozzi"] = "ET:359/92%LB:756/95%EM:852/88%",
["Jsrban"] = "LB:764/96%EM:918/93%",
["Dughen"] = "ET:654/85%LB:776/97%EM:839/86%",
["와일드도그"] = "ET:346/90%LB:779/97%LM:936/95%",
["투혼"] = "ET:683/88%LB:770/96%LM:967/97%",
["끼욜"] = "ST:710/99%LB:752/95%EM:922/94%",
["어디에도"] = "ET:708/91%LB:755/95%EM:858/88%",
["비운검"] = "RT:498/66%EB:748/94%EM:892/91%",
["Dugen"] = "ET:716/91%LB:771/97%EM:923/94%",
["김반장의손버릇"] = "LB:645/96%EM:921/93%",
["개리로치샌더슨"] = "ET:415/94%EB:746/94%EM:920/94%",
["규마적"] = "LT:759/96%EB:747/94%LM:932/95%",
["이웃집또터로"] = "LT:782/98%LB:754/95%LM:966/98%",
["의천"] = "LT:756/96%LB:776/97%EM:898/93%",
["샤악샤악나에리"] = "ET:599/79%EB:739/93%LM:927/95%",
["똥꼬쭈셔"] = "ET:617/80%LB:772/97%EM:916/93%",
["Silverblond"] = "EB:732/93%EM:870/92%",
["위키"] = "ET:366/91%LB:759/96%EM:750/79%",
["광풍질주"] = "ET:719/92%LB:733/98%EM:898/93%",
["예쁜게죄"] = "ST:732/99%SB:828/99%LM:921/97%",
["실드"] = "ET:621/84%LB:758/96%LM:949/96%",
["가론"] = "ET:740/94%LB:763/96%EM:883/92%",
["초코닝"] = "ET:742/94%LB:787/98%EM:798/83%",
["소심한사제"] = "ET:654/84%LB:711/95%EM:880/93%",
["오션집시"] = "ET:713/88%SB:780/99%EM:846/90%",
["영혼의팔라딘"] = "ET:465/94%LB:727/96%LM:902/96%",
["토템만함"] = "ET:790/94%LB:759/97%LM:967/98%",
["수상한그녀"] = "ET:781/93%EB:700/94%EM:894/93%",
["얼라이언즈"] = "ET:683/87%EB:689/94%EM:817/88%",
["민큐홍"] = "EB:641/88%EM:828/89%",
["노자아재"] = "ET:390/90%EB:703/94%EM:808/89%",
["라픈"] = "EB:702/94%EM:879/93%",
["곰탱마야"] = "LT:817/95%SB:812/99%EM:878/92%",
["얼라야"] = "RT:538/71%EB:650/91%EM:749/85%",
["설모화"] = "LT:835/97%LB:739/97%EM:857/92%",
["마야아빠"] = "LT:868/98%SB:797/99%LM:945/97%",
["에그타르트"] = "ST:892/99%LB:767/98%LM:942/97%",
["행복나눔이"] = "ET:283/76%EB:669/92%EM:735/84%",
["알아서모하게"] = "ET:693/86%EB:667/92%EM:838/92%",
["샤레이드"] = "ET:696/86%SB:678/99%EM:885/94%",
["리즈벳"] = "ET:703/88%LB:722/96%EM:858/91%",
["어두메다크"] = "LT:580/97%EB:650/89%EM:814/87%",
["시스티아"] = "ET:399/90%EB:674/93%EM:754/85%",
["축복받은사제"] = "RT:393/50%EB:450/87%EM:780/88%",
["아하스페르쯔"] = "EB:623/86%EM:707/78%",
["긔욤"] = "ST:797/99%LB:760/98%EM:845/91%",
["저하늘에도슬픔이"] = "LT:677/98%LB:751/97%LM:918/95%",
["표준키"] = "ET:369/87%EB:689/93%EM:816/88%",
["홀리뮤즈"] = "ET:614/77%EB:677/93%EM:764/83%",
["베레몬디"] = "LT:524/96%EB:664/92%EM:861/94%",
["앗흥"] = "LT:827/97%LB:733/97%LM:898/96%",
["조선로펌"] = "ET:348/85%EB:540/77%EM:687/79%",
["수타면"] = "RT:454/60%LB:710/96%LM:876/95%",
["미경기사"] = "LT:564/97%LB:745/97%EM:736/82%",
["두부조림"] = "ET:383/90%EB:660/90%EM:815/88%",
["암흑허브"] = "LT:796/95%EB:672/91%EM:751/82%",
["사모"] = "ET:639/82%LB:695/95%LM:969/98%",
["색채미학"] = "EB:675/92%EM:768/87%",
["Cutey"] = "ET:280/78%EB:675/93%EM:653/76%",
["미소로"] = "ET:678/85%LB:737/96%EM:890/93%",
["엘카미노"] = "ET:370/89%EB:648/89%EM:749/81%",
["두루마기"] = "ET:701/87%LB:751/97%EM:875/94%",
["설겆이했어"] = "ET:682/87%EB:702/94%EM:829/88%",
["이웃집광녀"] = "LB:552/95%EM:708/78%",
["오렌지맛쌕쌕"] = "RT:232/72%LB:716/96%LM:920/95%",
["까펠라"] = "ET:310/80%LB:702/95%EM:850/91%",
["빛과별"] = "ET:288/78%EB:640/90%EM:838/90%",
["Sjerry"] = "ET:404/90%EB:623/87%EM:711/81%",
["Ariny"] = "EB:637/89%EM:419/79%",
["낭만수레"] = "EB:521/93%EM:887/94%",
["아르웬이븐스타"] = "ET:449/94%LB:695/95%EM:766/84%",
["뿌듬쨈째미야"] = "ET:354/87%LB:747/97%EM:892/94%",
["평온의구름"] = "ET:444/92%EB:696/94%EM:791/86%",
["다칠라"] = "ET:792/94%LB:710/95%LM:912/95%",
["예가코케허니"] = "ET:689/84%EB:717/94%LM:924/95%",
["최강기철님"] = "ET:671/84%EB:676/92%LM:904/95%",
["장혜승"] = "ET:645/81%EB:623/87%EM:697/77%",
["화이트클리어"] = "ET:691/89%LB:717/96%LM:917/95%",
["Nicepaladin"] = "ET:295/81%EB:635/88%EM:710/78%",
["왜또저래"] = "RT:192/62%LB:714/95%EM:821/88%",
["홍불리"] = "EB:652/89%EM:748/85%",
["낭만기차"] = "EB:689/94%EM:769/83%",
["호호아줌마"] = "RT:560/72%LB:656/98%EM:814/88%",
["유하진"] = "LT:599/98%SB:688/99%LM:921/95%",
["초록빛"] = "LT:807/96%LB:632/98%EM:773/87%",
["사제자리있나요"] = "EB:516/93%EM:805/87%",
["샤인드"] = "RT:534/71%LB:782/98%EM:818/88%",
["두방이"] = "UT:373/49%LB:710/96%EM:745/81%",
["Besthealer"] = "EB:517/75%RM:509/56%",
["구축"] = "ET:282/79%EB:674/92%EM:728/79%",
["Palabossam"] = "ET:630/80%LB:572/95%EM:847/92%",
["치킨학살자"] = "ET:273/79%EB:659/89%EM:751/81%",
["다친다"] = "ET:612/81%EB:695/94%EM:790/85%",
["루나엘린"] = "ET:781/93%LB:713/96%EM:802/87%",
["님이그걸왜굴려요"] = "ET:744/92%EB:679/92%EM:778/84%",
["큰돌법사"] = "ET:332/83%EB:585/83%RM:636/70%",
["적십자"] = "ET:664/83%EB:685/94%EM:754/82%",
["정현사랑해"] = "ET:597/79%LB:731/96%EM:907/94%",
["푸리스트"] = "ET:672/84%LB:645/98%LM:878/95%",
["이프로부족해"] = "ET:361/88%LB:759/98%EM:791/85%",
["콩언니"] = "RT:174/58%EB:644/89%EM:709/77%",
["프리스트킴"] = "ET:636/81%EB:690/94%EM:771/84%",
["일진녀"] = "ET:594/76%LB:719/95%EM:830/89%",
["천사쮸"] = "ET:723/89%EB:686/94%LM:915/96%",
["껌딱지이호기"] = "ET:737/90%EB:700/94%RM:630/70%",
["뽕마워"] = "ET:732/94%EB:676/85%LM:960/97%",
["Soy"] = "ST:713/99%SB:817/99%EM:870/94%",
["Wyl"] = "LT:758/96%EB:714/91%EM:832/87%",
["먼지"] = "ST:800/99%LB:779/97%LM:956/98%",
["체프"] = "ST:842/99%SB:939/99%SM:1043/99%",
["워터브레드"] = "LT:748/95%SB:819/99%LM:971/97%",
["빡콩"] = "ST:840/99%LB:793/98%SM:997/99%",
["레몬향염산"] = "ET:726/94%EB:715/90%LM:961/97%",
["코르키"] = "LT:775/97%SB:699/99%EM:910/94%",
["윤나얼"] = "ET:709/91%EB:698/89%EM:884/91%",
["유령작가"] = "LT:761/96%LB:796/98%LM:963/97%",
["Fey"] = "ET:734/94%EB:743/93%EM:879/90%",
["Gaias"] = "ST:804/99%SB:860/99%LM:970/97%",
["오우거법사"] = "LT:748/95%LB:794/98%EM:823/87%",
["상징"] = "ET:680/89%EB:666/90%LM:873/95%",
["Tots"] = "ET:702/90%SB:810/99%EM:918/94%",
["히든"] = "ET:383/92%EB:678/85%LM:924/95%",
["극렬"] = "ST:815/99%LB:737/95%EM:875/93%",
["자헤이라"] = "ET:732/94%EB:698/89%EM:863/88%",
["표준냥"] = "LT:789/98%SB:848/99%SM:991/99%",
["한칼"] = "ET:699/91%EB:717/90%LM:951/96%",
["닥터뭉치"] = "ST:809/99%SB:857/99%SM:989/99%",
["에리스린"] = "ET:732/94%LB:779/98%LM:891/95%",
["일곱번째기억"] = "LT:756/96%SB:802/99%LM:975/98%",
["궁뎅이팡팡"] = "ET:675/88%LB:667/98%LM:924/95%",
["네번째"] = "LT:743/95%SB:827/99%LM:969/98%",
["붕대면역"] = "ET:355/91%EB:710/90%EM:907/92%",
["따노스"] = "ET:425/94%LB:775/97%LM:930/95%",
["엘럿블랙"] = "ET:679/88%EB:742/94%LM:956/96%",
["묻고더블"] = "ET:661/86%EB:652/85%EM:884/94%",
["전사겨울"] = "ET:711/92%EB:557/91%EM:885/92%",
["로자"] = "LT:745/95%LB:791/98%LM:923/95%",
["네이노옴"] = "LT:754/96%LB:613/96%LM:897/96%",
["개촐싹"] = "ST:762/99%SB:821/99%LM:952/98%",
["악녀마법사"] = "LT:759/96%LB:751/95%EM:868/91%",
["젤리뿅"] = "LT:752/96%LB:793/98%LM:941/96%",
["가일"] = "LT:757/96%LB:722/95%EM:806/82%",
["스무숲"] = "ET:706/91%EB:738/93%EM:873/90%",
["스톰브레이커"] = "ET:668/91%EB:583/92%EM:858/90%",
["하르크"] = "ET:743/94%EB:579/92%EM:760/82%",
["한물빵"] = "ET:713/92%SB:846/99%LM:958/97%",
["전사세요"] = "ET:727/94%LB:759/97%EM:900/94%",
["움꼬미"] = "ET:360/92%LB:728/96%EM:668/93%",
["서약선"] = "ET:695/90%LB:772/97%SM:1020/99%",
["밀하우스마나스푼"] = "LT:790/98%LB:763/96%LM:950/97%",
["도란링"] = "ET:724/93%EB:743/93%EM:894/91%",
["클록우드"] = "ET:380/92%EB:746/94%LM:971/97%",
["바르테온"] = "LT:759/96%SB:794/99%SM:996/99%",
["Elegie"] = "ET:381/92%EB:731/92%EM:911/93%",
["Key"] = "ET:373/91%EB:621/94%EM:878/90%",
["소금새우"] = "ST:766/99%LB:670/98%EM:838/88%",
["피닉스윈드러너"] = "ST:721/99%LB:772/97%EM:915/91%",
["엉덩이묵사발"] = "ET:662/87%LB:678/97%EM:845/88%",
["꼬밍서시율"] = "ET:711/92%LB:780/98%LM:984/98%",
["흐앙"] = "LT:429/95%LB:751/96%LM:963/97%",
["형잠깐나뼈맞았어"] = "ST:801/99%SB:881/99%SM:1023/99%",
["골든보이"] = "LT:745/95%LB:763/96%EM:916/93%",
["단검이나쳐드삼"] = "ET:371/92%EB:702/89%EM:880/90%",
["소년시대"] = "LT:776/98%SB:841/99%LM:970/98%",
["꼬기죠"] = "LT:471/96%EB:641/88%EM:750/86%",
["크리스피"] = "ET:731/94%LB:752/96%EM:784/87%",
["전사호야"] = "LT:745/95%EB:694/88%EM:815/87%",
["치질나라"] = "LT:558/97%LB:671/98%LM:947/96%",
["태양전사"] = "LT:757/97%LB:771/97%LM:887/95%",
["풍성해질꺼야"] = "ET:710/92%SB:834/99%LM:979/98%",
["쵸하"] = "ET:734/94%SB:812/99%LM:934/97%",
["샤핑"] = "ST:798/99%SB:798/99%SM:1006/99%",
["세젤냥보리"] = "LT:767/97%LB:774/97%LM:938/96%",
["더블제타건담"] = "ET:653/86%LB:749/95%EM:806/86%",
["누나믿지울지마"] = "LT:745/95%SB:825/99%LM:975/98%",
["뛰어"] = "ST:795/99%SB:814/99%LM:960/97%",
["루퀴"] = "ET:712/88%EB:647/90%EM:800/89%",
["어제그"] = "ET:659/85%EB:603/86%EM:804/90%",
["향동"] = "LT:822/96%EB:697/94%EM:862/94%",
["냥냥나무"] = "LT:878/98%LB:762/98%EM:896/94%",
["이오다바"] = "ET:736/90%EB:601/83%EM:791/89%",
["로제인"] = "ET:705/87%EB:656/91%EM:821/91%",
["Wasp"] = "ET:612/77%EB:611/85%EM:811/88%",
["대드루이드리아"] = "ST:731/99%EB:638/88%EM:809/89%",
["카이넬"] = "LT:797/95%EB:621/85%EM:839/89%",
["오델"] = "ET:782/93%LB:710/95%EM:856/92%",
["코코슈카"] = "ET:780/94%LB:737/97%EM:817/88%",
["코코처럼"] = "RT:557/74%EB:590/85%RM:503/55%",
["치유하니"] = "ET:630/79%EB:655/90%EM:813/88%",
["김구어"] = "RT:549/73%EB:526/93%EM:786/85%",
["Trout"] = "LT:824/96%LB:730/96%EM:853/92%",
["힐만한다"] = "LT:808/95%EB:698/94%EM:830/89%",
["최지우"] = "ET:773/93%LB:726/96%EM:870/92%",
["Monde"] = "ET:629/82%LB:723/96%EM:831/89%",
["향기나는호드"] = "ET:656/82%RB:492/68%EM:832/92%",
["이엘리야"] = "LT:793/95%EB:658/90%LM:923/96%",
["루비사랑"] = "LT:797/95%EB:711/94%EM:813/86%",
["Lukepriest"] = "ET:662/83%EB:481/89%EM:711/78%",
["Raremetal"] = "ET:406/91%EB:660/92%EM:775/84%",
["뻘건우유"] = "ET:652/82%EB:680/93%EM:722/82%",
["갱자"] = "RT:501/67%EB:595/82%RM:662/73%",
["즐거운기사"] = "ET:430/93%EB:676/92%EM:838/89%",
["채영이지"] = "ET:631/79%EB:612/86%EM:770/87%",
["싸갈스"] = "LT:815/95%LB:766/98%EM:855/91%",
["왈왈이투"] = "ET:774/93%LB:710/95%EM:790/87%",
["그댈사랑해"] = "ET:615/81%LB:755/98%LM:944/97%",
["사제하울"] = "ET:639/81%EB:573/82%EM:833/88%",
["아스대니온"] = "ET:404/90%LB:701/95%LM:915/97%",
["쏘아줄게"] = "RT:425/56%RB:414/56%RM:632/70%",
["크라잉산타"] = "LT:568/97%EB:553/94%LM:890/96%",
["남돌이"] = "LT:519/95%EB:684/93%EM:766/86%",
["디아기사"] = "ET:628/80%EB:672/91%EM:744/81%",
["우동이"] = "ET:285/79%EB:631/87%EM:719/83%",
["기사왕"] = "ET:667/84%EB:615/84%RM:637/70%",
["엘쿠"] = "ET:662/82%EB:645/89%EM:708/78%",
["돌아온바이투"] = "LT:504/95%EB:616/87%EM:693/80%",
["코후비다피나떠"] = "ET:750/91%EB:688/93%EM:798/87%",
["오타작렬"] = "RT:418/55%EB:607/86%RM:483/57%",
["하늘소문사제"] = "ET:693/86%EB:647/89%EM:789/86%",
["으액"] = "ET:746/91%LB:726/96%LM:921/96%",
["힐느끼면내남자"] = "ET:377/88%EB:516/92%EM:714/78%",
["사신돈"] = "ET:312/81%RB:508/73%EM:696/80%",
["껌딱지일호기"] = "ET:654/82%EB:576/80%EM:695/76%",
["고기좋아"] = "ET:707/89%LB:728/96%EM:895/94%",
["발해혼"] = "ET:722/89%LB:742/97%LM:885/95%",
["Voltesv"] = "LT:650/98%EB:678/91%EM:722/81%",
["아르투르"] = "ET:625/79%LB:586/96%EM:829/89%",
["페이나"] = "LT:808/96%EB:646/89%RM:472/51%",
["Jennie"] = "LT:835/97%LB:767/98%LM:945/97%",
["루르공주"] = "LT:577/97%EB:640/88%EM:808/87%",
["축협"] = "ET:783/94%EB:697/94%LM:887/95%",
["나만바라봐"] = "ET:675/84%EB:602/85%RM:571/64%",
["보호기사"] = "ET:592/79%EB:623/85%EM:877/92%",
["빵투아빠"] = "LT:809/95%LB:734/97%EM:904/94%",
["코코블랑쉐"] = "ET:644/83%EB:611/85%RM:663/73%",
["피닉스사제"] = "LT:501/95%LB:755/98%RM:539/59%",
["교회옵빠"] = "LT:472/95%EB:665/91%EM:837/91%",
["Lielie"] = "ET:589/78%EB:675/91%EM:888/93%",
["김봄"] = "ET:793/94%EB:684/92%EM:828/88%",
["하이에브리원"] = "RT:249/70%LB:589/96%LM:897/95%",
["어거스트"] = "ET:641/84%EB:670/91%EM:823/88%",
["수상한언니"] = "LT:830/96%LB:777/98%EM:904/93%",
["호드산한우"] = "LT:807/95%EB:670/90%LM:962/98%",
["쇼아"] = "ET:288/77%EB:661/90%EM:745/85%",
["케이아청"] = "LT:515/96%EB:424/83%EM:729/79%",
["신비여우"] = "ET:711/88%EB:642/89%EM:774/84%",
["지아대디"] = "RT:537/68%RB:410/58%EM:711/81%",
["사제곰돌림"] = "ET:664/83%EB:644/88%RM:658/72%",
["움브랄"] = "LT:532/96%EB:635/87%EM:816/91%",
["반지하의제왕"] = "ET:618/78%EB:589/84%EM:852/91%",
["Sharian"] = "ET:668/84%EB:677/93%EM:864/92%",
["천상귀향"] = "ET:275/75%EB:538/75%EM:682/75%",
["얼라이언스누님"] = "RT:567/72%EB:625/86%RM:542/60%",
["짜장쉬먀"] = "ET:590/75%EB:651/89%EM:721/81%",
["돕님"] = "LT:746/95%LB:760/96%EM:906/93%",
["해피어스"] = "LB:766/96%EM:890/94%",
["그러게염"] = "ET:652/84%LB:756/95%EM:858/88%",
["대도독"] = "ET:643/85%LB:760/96%LM:988/98%",
["커크"] = "SB:829/99%EM:916/94%",
["Mxm"] = "LT:764/96%LB:757/95%EM:891/91%",
["빤짝빤짝"] = "ST:798/99%LB:792/98%EM:882/91%",
["Jetblue"] = "ET:361/91%EB:735/93%EM:840/88%",
["대한독립도적"] = "ET:725/92%LB:757/95%EM:901/92%",
["전사한다"] = "ST:706/99%LB:759/95%EM:840/87%",
["엄브릭"] = "LT:766/97%SB:815/99%EM:919/94%",
["나라찬"] = "ET:651/85%LB:653/96%LM:902/96%",
["파라모어"] = "ET:668/87%EB:573/92%EM:891/93%",
["흑도작"] = "RT:515/68%LB:654/96%EM:926/94%",
["올터레인"] = "ST:753/99%EB:733/92%RM:692/74%",
["극복"] = "ST:821/99%SB:872/99%SM:1029/99%",
["노인내"] = "LT:757/96%SB:871/99%LM:983/98%",
["블루샷"] = "LT:760/96%LB:763/96%LM:948/96%",
["실버블랙"] = "ET:723/93%LB:764/96%EM:846/88%",
["표준사냥"] = "ST:817/99%SB:836/99%SM:993/99%",
["무언객"] = "ST:814/99%SB:863/99%SM:979/99%",
["선댄스키드"] = "ET:377/92%EB:736/93%EM:834/87%",
["Akin"] = "ET:727/93%LB:653/96%LM:920/95%",
["Nojam"] = "ET:608/81%LB:765/96%LM:952/96%",
["음료수공급전문"] = "ET:666/87%SB:828/99%EM:812/86%",
["완전만성피로"] = "LB:763/96%EM:924/94%",
["Grayswandir"] = "ET:710/93%SB:794/99%LM:931/96%",
["쿠바노"] = "LT:711/97%SB:783/99%LM:879/95%",
["미니야수"] = "ET:597/78%EB:733/92%LM:937/96%",
["방츄츄"] = "ET:314/86%EB:738/93%EM:818/86%",
["여름에서가을"] = "ET:347/89%EB:740/93%EM:870/90%",
["인파이터"] = "ET:324/88%LB:770/96%LM:990/98%",
["주노주노"] = "ET:742/94%LB:705/97%EM:889/91%",
["핸썸한놈"] = "ET:714/92%SB:813/99%SM:1001/99%",
["렌스테일"] = "ET:395/85%SB:840/99%SM:989/99%",
["얏홀"] = "LT:764/97%EB:746/94%EM:885/92%",
["졸려죽것네"] = "ET:717/92%LB:774/97%LM:939/96%",
["김악마"] = "EB:750/94%EM:905/92%",
["율하이"] = "ST:780/99%SB:842/99%LM:929/95%",
["하나뿐인전사"] = "ET:380/93%LB:715/98%EM:867/93%",
["혼돈의카오스"] = "ET:631/83%EB:744/94%EM:892/93%",
["쿠마라"] = "ET:733/93%EB:735/93%EM:904/92%",
["위대한노움"] = "ET:738/94%EB:596/93%LM:983/98%",
["영혼의약탈자"] = "ST:837/99%EB:621/94%EM:919/94%",
["미스킴"] = "ET:365/92%EB:733/93%EM:862/89%",
["핸썸한걸"] = "LT:752/95%LB:756/95%LM:957/97%",
["푸파이터"] = "ET:720/92%LB:641/95%EM:893/91%",
["천검"] = "ET:674/87%LB:682/97%EM:922/92%",
["시월의마지막밤"] = "LT:784/98%EB:733/93%EM:906/93%",
["인간킬러"] = "EB:677/90%SM:1014/99%",
["쏘주"] = "ET:720/92%EB:739/93%LM:949/97%",
["하부지"] = "ET:701/90%EB:609/94%EM:928/94%",
["전사일빵빵"] = "LT:485/96%EB:693/88%EM:740/80%",
["Bandit"] = "ET:745/94%LB:766/96%EM:924/94%",
["치비이"] = "SB:802/99%EM:868/91%",
["김방순"] = "RT:424/61%EB:711/90%EM:798/86%",
["빤짝법사"] = "LT:768/97%SB:820/99%EM:883/94%",
["신천지"] = "ET:299/84%EB:729/92%EM:846/88%",
["암보이딩"] = "ET:310/86%EB:719/91%EM:846/87%",
["Sigmar"] = "ET:560/82%EB:751/94%EM:900/92%",
["깩꿍"] = "EB:719/90%LM:931/95%",
["목화밭의추억"] = "ET:636/84%LB:764/96%EM:920/94%",
["쌩뚱맞은놈"] = "ET:719/92%EB:734/93%LM:918/95%",
["꿀꿀강"] = "ST:800/99%LB:773/97%LM:969/98%",
["검은구월단"] = "ET:700/90%EB:719/91%LM:941/95%",
["깜쉬"] = "RT:553/74%LB:758/95%EM:921/93%",
["벨레리안드"] = "EB:723/91%EM:735/78%",
["격룡신"] = "ET:700/90%LB:790/98%EM:923/94%",
["애솜이래"] = "LT:546/97%LB:750/95%EM:794/82%",
["바람의실프"] = "ET:600/78%EB:714/91%EM:864/88%",
["노고초"] = "RT:455/60%LB:714/95%LM:910/95%",
["마천북문"] = "ET:648/80%EB:691/92%EM:748/81%",
["비조"] = "ET:338/84%EB:635/87%RM:662/73%",
["또다른사제"] = "EB:538/78%CM:95/9%",
["치질수술완"] = "RT:244/70%EB:535/93%EM:853/92%",
["솔라레이"] = "RT:420/56%EB:667/93%RM:587/65%",
["늑대홀린여우"] = "ET:349/87%EB:658/90%EM:731/80%",
["개념이뭔가요"] = "ET:742/90%LB:719/96%LM:919/97%",
["은아"] = "LT:650/98%LB:705/95%EM:846/93%",
["쫑사제"] = "RT:216/64%EB:544/94%EM:675/78%",
["수라술사"] = "LT:805/95%LB:719/95%EM:894/93%",
["재수도실력"] = "ET:308/80%EB:642/90%RM:595/66%",
["바라바라밤"] = "ET:783/94%EB:659/91%EM:834/92%",
["바바르"] = "ET:473/94%LB:654/98%EM:859/92%",
["여섯째놈"] = "UT:396/49%EB:489/90%EM:712/82%",
["무숙자"] = "ET:786/93%EB:686/93%EM:845/90%",
["삿갓"] = "RT:578/73%EB:532/93%EM:836/90%",
["베이비파우더"] = "LB:748/97%LM:940/97%",
["암컷"] = "RT:161/51%LB:740/98%EM:681/79%",
["막대장"] = "ET:356/88%EB:701/93%EM:828/91%",
["이모야"] = "ST:678/99%LB:720/96%EM:783/87%",
["피치라이언"] = "ET:627/80%EB:680/92%EM:780/85%",
["초여름"] = "ET:682/85%EB:673/92%EM:782/85%",
["엘라"] = "RT:417/55%EB:643/90%EM:793/86%",
["오리히릿"] = "ET:434/92%EB:650/89%EM:820/91%",
["호동"] = "ET:628/80%EB:568/94%EM:810/87%",
["사제랭"] = "LT:798/95%EB:672/92%EM:838/90%",
["Doubledragon"] = "ET:344/86%EB:554/94%EM:859/91%",
["보낄이"] = "RT:177/56%LB:705/95%EM:879/93%",
["예빈"] = "EB:596/85%EM:839/90%",
["Eyeforeye"] = "ET:278/80%EB:642/89%EM:693/79%",
["내이름은복주수리"] = "ET:801/94%EB:694/92%EM:817/89%",
["달빛여시"] = "LT:794/95%EB:715/94%EM:740/84%",
["Sabre"] = "RT:257/72%EB:686/93%EM:824/89%",
["그대에게"] = "EB:640/88%EM:745/82%",
["톰과젤리"] = "ET:641/80%LB:741/96%LM:933/97%",
["요상"] = "RT:178/56%EB:619/88%EM:700/81%",
["기사레지나"] = "ST:752/99%SB:719/99%EM:858/93%",
["집행인"] = "ET:629/80%LB:704/95%EM:891/94%",
["Unity"] = "ET:265/78%EB:698/94%EM:811/90%",
["바람의미르"] = "ET:347/86%EB:671/91%EM:681/77%",
["딜법사"] = "ET:421/93%EB:635/89%EM:691/80%",
["블루워커"] = "EB:678/93%EM:682/79%",
["민민테무르"] = "RT:461/63%LB:751/98%EM:804/86%",
["진격의힐러"] = "ET:342/85%EB:650/91%UM:451/49%",
["이쁜쥬니어"] = "RT:489/66%EB:581/82%RM:620/68%",
["헤르미아"] = "EB:688/93%EM:832/90%",
["인피니트"] = "LT:548/97%EB:701/94%EM:747/82%",
["날숨"] = "ET:579/77%LB:596/97%EM:767/90%",
["해루스"] = "ET:771/93%LB:745/97%LM:916/95%",
["발렌티"] = "ET:726/90%LB:710/95%LM:891/95%",
["쎄피로트"] = "LT:598/97%LB:722/95%EM:733/80%",
["에코사제"] = "LB:720/96%EM:897/94%",
["문루"] = "RT:176/59%EB:650/88%EM:745/81%",
["Leah"] = "ET:739/91%LB:742/97%EM:804/90%",
["시꾸랏"] = "ET:736/90%EB:639/88%EM:799/87%",
["트로네"] = "EB:676/92%EM:697/77%",
["말차프라푸치노"] = "ET:645/82%LB:764/98%EM:900/94%",
["자네힐이필요한가"] = "ET:295/81%EB:661/90%EM:686/78%",
["낯선남자"] = "LB:751/98%LM:911/95%",
["침어낙안"] = "ET:313/82%EB:677/93%EM:763/83%",
["스톰윈드공주"] = "ET:626/79%EB:679/92%RM:586/68%",
["밀크코코아"] = "ET:720/88%LB:716/95%EM:828/89%",
["핑핑"] = "ET:793/94%LB:737/97%EM:869/92%",
["진설리"] = "EB:523/76%EM:720/83%",
["슈테른"] = "ET:669/83%EB:647/89%EM:874/93%",
["무한토템교"] = "RT:260/72%EB:484/89%EM:536/75%",
["잘키운사제"] = "CT:167/19%EB:623/88%UM:444/48%",
["내일만났던소녀"] = "EB:663/91%EM:744/81%",
["포폿"] = "ET:747/91%EB:697/94%EM:889/94%",
["백마탄왕자아버님"] = "ET:737/90%EB:654/89%EM:845/90%",
["그래나도에스라인"] = "ET:713/89%EB:604/86%EM:824/92%",
["Ddpriest"] = "ET:647/83%EB:512/92%EM:778/85%",
["료비"] = "ET:693/86%EB:663/92%EM:770/82%",
["아영"] = "EB:629/87%EM:819/88%",
["우리보리"] = "ET:633/82%EB:711/94%EM:881/93%",
["꽉찬마늘빵"] = "ET:666/84%EB:693/92%EM:781/85%",
["대마법사린"] = "ET:688/89%EB:678/91%EM:703/76%",
["대장군건휘"] = "ET:352/91%EB:693/88%EM:863/89%",
["냥도법풀"] = "ST:815/99%SB:849/99%LM:971/98%",
["작은눈술사"] = "LT:760/96%SB:799/99%EM:920/93%",
["빛소나기"] = "ET:654/87%EB:701/89%EM:915/94%",
["레나정"] = "LT:767/97%EB:664/90%RM:487/57%",
["규법사"] = "LT:742/95%SB:797/99%LM:986/98%",
["플라잉덤보"] = "ET:729/93%LB:761/97%LM:972/98%",
["꼬맹이봉봉"] = "ET:695/91%LB:789/98%LM:937/95%",
["타나토노트"] = "LT:680/98%LB:756/97%LM:960/98%",
["보리냥이"] = "LT:780/98%SB:807/99%LM:978/98%",
["애슬린"] = "ET:721/93%EB:678/91%EM:731/83%",
["해수인"] = "ET:370/92%LB:696/97%EM:874/90%",
["쌍수탱"] = "ET:647/85%EB:734/92%EM:857/88%",
["지라엘"] = "ST:830/99%SB:824/99%LM:968/97%",
["닭딜"] = "ST:694/99%LB:754/97%EM:899/93%",
["Mousewar"] = "ET:324/89%EB:722/93%LM:878/95%",
["코찌"] = "ET:730/93%LB:760/96%LM:973/98%",
["너무해"] = "LT:746/95%EB:750/94%EM:891/91%",
["얼음속돌땡이"] = "ET:675/89%LB:762/96%EM:853/90%",
["불빵"] = "LT:741/95%SB:827/99%SM:1000/99%",
["살포시한방"] = "ET:629/83%EB:671/86%EM:827/87%",
["캐리비안블루"] = "ST:746/99%LB:785/98%LM:974/98%",
["철면수라"] = "ET:330/89%EB:641/81%EM:713/76%",
["흐음"] = "ET:684/88%EB:619/81%EM:833/87%",
["하늘소나기"] = "ET:693/91%EB:700/92%EM:764/82%",
["바람불어와"] = "ET:699/91%EB:718/94%LM:948/98%",
["모크뮤"] = "LT:642/98%LB:780/97%EM:772/83%",
["Syndra"] = "ET:665/87%LB:739/96%EM:915/94%",
["코코파이"] = "LT:746/95%SB:795/99%EM:890/92%",
["얼려"] = "ST:733/99%LB:621/97%EM:835/88%",
["껌딱지모찌양"] = "ET:694/90%EB:560/78%",
["아리에르"] = "ET:592/80%SB:853/99%LM:949/96%",
["법사초원"] = "ET:692/90%EB:736/93%LM:970/98%",
["소심한법사"] = "ET:663/87%EB:657/89%RM:564/62%",
["무요"] = "LT:706/97%LB:756/97%LM:950/97%",
["헤헷"] = "ET:702/91%EB:748/94%EM:859/89%",
["내보물은어디있나"] = "ET:649/85%EB:542/91%EM:833/86%",
["쬐까난"] = "ET:714/91%EB:735/93%EM:818/85%",
["주뇨"] = "LT:751/96%SB:799/99%SM:990/99%",
["앞잡이"] = "ET:733/93%EB:747/94%LM:923/95%",
["무한도적"] = "ET:652/85%EB:711/90%EM:846/87%",
["Abraham"] = "ET:601/80%EB:660/90%EM:684/80%",
["해루밍"] = "LT:748/95%LB:605/96%LM:948/96%",
["스댕방패"] = "LT:441/95%LB:684/97%EM:791/85%",
["Jaegyu"] = "LT:740/95%SB:842/99%EM:834/86%",
["둥두링"] = "ST:778/99%SB:826/99%LM:960/98%",
["Padavona"] = "ET:721/93%LB:734/95%EM:814/90%",
["냉정과"] = "ET:662/87%LB:593/95%EM:915/94%",
["저스트도담"] = "ET:438/94%EB:739/93%EM:909/92%",
["비네"] = "ET:644/85%EB:356/78%RM:566/66%",
["원망"] = "ET:669/87%EB:456/83%EM:891/92%",
["당근조아"] = "LT:772/97%LB:767/97%EM:898/94%",
["막시고스"] = "ET:732/94%LB:777/98%EM:903/93%",
["에아르웬"] = "LT:709/97%SB:793/99%LM:925/97%",
["무당벌레"] = "LT:741/95%LB:777/97%LM:956/96%",
["대한독립법사"] = "ET:684/90%LB:647/98%EM:862/90%",
["가재"] = "ST:774/99%LB:757/95%EM:907/93%",
["물빵한덩에일골"] = "ST:742/99%LB:780/98%LM:942/97%",
["클롭"] = "ET:354/91%EB:581/81%RM:623/73%",
["와린이노움흑마"] = "ST:794/99%EB:736/93%EM:805/86%",
["첫번째기억"] = "ET:674/87%EB:710/90%EM:932/94%",
["남노움"] = "ET:646/85%EB:678/91%EM:878/91%",
["브롤러"] = "ET:726/93%LB:766/97%LM:968/98%",
["카테리나"] = "LT:506/96%EB:735/92%LM:940/96%",
["친절한금좌씨"] = "LT:772/97%LB:678/97%LM:974/98%",
["요술공구몽키"] = "LT:742/95%LB:751/95%SM:1031/99%",
["Finalizer"] = "ST:722/99%LB:752/95%EM:761/82%",
["이피리스"] = "ET:733/94%LB:776/98%EM:854/90%",
["와우하는예진"] = "ET:670/88%SB:802/99%LM:954/98%",
["마닥물"] = "ET:679/89%LB:626/97%EM:919/94%",
["하마법사"] = "ET:710/92%LB:743/96%LM:936/95%",
["스펠뮤즈"] = "LT:463/95%LB:763/96%EM:837/88%",
["쌍수딜"] = "ET:591/79%EB:706/90%EM:877/92%",
["휘리"] = "LT:816/96%LB:719/96%EM:847/92%",
["플젝하자"] = "ET:760/92%EB:701/94%RM:584/64%",
["달콤한봉봉"] = "ET:594/78%EB:616/87%EM:838/90%",
["왈왈이일"] = "ET:366/90%LB:701/95%EM:780/84%",
["드웝곰돌림"] = "ET:717/88%EB:657/91%RM:590/66%",
["블레싱퀸"] = "ET:645/85%EB:658/91%EM:752/85%",
["왈왈이"] = "ET:681/86%EB:681/92%EM:706/80%",
["자식셋키우는마음"] = "ET:600/76%EB:666/92%EM:823/91%",
["곰탱기사"] = "RT:241/73%EB:605/83%EM:821/88%",
["아리송해"] = "ET:781/94%EB:703/94%EM:837/91%",
["신속정확고급대리"] = "ET:764/93%LB:731/96%LM:957/98%",
["깡통"] = "RT:560/74%EB:677/93%EM:865/92%",
["그냉이"] = "ET:604/77%EB:635/89%EM:825/91%",
["축노예"] = "ET:721/89%EB:639/87%RM:668/71%",
["Elizabath"] = "ET:356/86%EB:654/90%EM:846/91%",
["돌아온바이님"] = "ET:641/81%EB:597/85%EM:870/93%",
["Saviour"] = "RT:490/62%EB:578/80%EM:875/93%",
["보리냥"] = "ET:486/94%EB:625/88%LM:905/95%",
["Meow"] = "LT:803/95%EB:675/92%EM:648/92%",
["꾸까라차"] = "ET:730/90%EB:684/93%EM:751/84%",
["나무"] = "ET:447/94%EB:677/91%EM:722/79%",
["올리빈"] = "RT:264/73%EB:361/76%RM:663/73%",
["검정아기별"] = "RT:225/65%RB:496/69%RM:445/53%",
["슈클립시스"] = "ET:609/78%EB:608/85%RM:564/65%",
["남인간"] = "ET:731/91%EB:667/91%LM:887/95%",
["이말식"] = "ET:422/91%EB:619/85%EM:735/81%",
["묘월"] = "ET:665/85%EB:698/93%EM:841/92%",
["스타윙"] = "RT:214/68%EB:637/89%EM:859/91%",
["댓글"] = "ET:358/88%EB:691/93%EM:668/76%",
["에델란"] = "ET:640/82%EB:632/86%EM:852/90%",
["엄마는흑염룡"] = "ET:413/91%EB:527/75%EM:794/84%",
["인흑남대"] = "ET:632/80%LB:727/96%EM:770/82%",
["하늘소문성기사"] = "RT:548/70%EB:685/93%EM:752/82%",
["사제조타"] = "ET:584/75%EB:611/86%EM:655/76%",
["킬련"] = "RT:233/72%EB:626/86%RM:667/73%",
["힐을원하는가"] = "ET:628/80%EB:582/83%EM:673/78%",
["냥냥나엘"] = "LT:843/97%LB:749/97%LM:960/98%",
["안녕숲새야"] = "RT:568/73%EB:549/79%UM:413/44%",
["의사선생"] = "ET:722/91%LB:711/95%LM:913/97%",
["밀랴"] = "ET:308/80%EB:634/87%EM:763/81%",
["일치물약"] = "RT:571/74%EB:565/79%EM:830/89%",
["붉은소나기"] = "ET:641/82%EB:687/93%EM:816/87%",
["구름이하늘"] = "ET:353/85%EB:579/82%EM:710/78%",
["회뱅휘"] = "RT:574/72%EB:600/83%LM:904/95%",
["비로촌"] = "RT:564/72%EB:632/89%EM:761/83%",
["밉다"] = "RT:213/64%UB:287/39%UM:330/34%",
["웃기고인내"] = "ET:679/85%EB:638/88%EM:746/80%",
["대성기사린"] = "ET:716/89%EB:677/91%EM:754/82%",
["치료하니"] = "LT:645/98%EB:664/92%EM:745/82%",
["순백의안방마님"] = "RT:476/60%EB:578/82%RM:491/58%",
["소간지더럽"] = "ET:787/93%EB:640/88%EM:784/87%",
["우동통통"] = "ET:742/91%EB:684/93%EM:870/94%",
["라임사랑"] = "ET:790/94%EB:521/92%EM:854/93%",
["스크러"] = "RT:436/58%RB:421/61%UM:412/49%",
["달빛수호기사"] = "LT:793/95%EB:657/90%CM:127/14%",
["풍경화"] = "ET:291/78%EB:682/93%EM:855/91%",
["이욜"] = "ET:707/87%EB:682/93%EM:882/93%",
["오빠국수먹고갈래"] = "ET:612/77%EB:621/87%EM:729/83%",
["로맨스그레이"] = "ET:660/84%EB:624/88%EM:815/91%",
["더블와퍼"] = "RT:549/73%EB:570/81%EM:730/83%",
["달빛여신"] = "LT:841/97%LB:757/98%EM:874/91%",
["빛의사도"] = "ET:730/90%EB:689/93%EM:768/85%",
["힐좀먹자"] = "RT:235/68%EB:645/89%EM:695/76%",
["비너스는울지"] = "ET:662/83%EB:594/84%EM:723/79%",
["김엄마"] = "RT:486/62%EB:610/86%CM:169/20%",
["구쟁기"] = "RT:498/64%EB:575/82%EM:769/87%",
["마음기사"] = "ET:324/84%EB:481/89%EM:834/89%",
["바빌로안"] = "ET:667/83%RB:533/74%RM:676/74%",
["못하믄자힐"] = "RT:445/59%RB:493/68%EM:708/82%",
["아프지호"] = "LT:551/96%EB:385/79%RM:638/70%",
["줄서라"] = "RT:466/59%EB:560/78%EM:686/76%",
["사제성냥"] = "ET:342/84%EB:594/82%EM:681/75%",
["이이샨"] = "ET:574/76%EB:595/82%EM:699/81%",
["할게없어"] = "ET:316/83%EB:629/87%EM:856/91%",
["Mos"] = "ET:721/89%LB:736/96%LM:910/95%",
["신성의호엔하임"] = "ET:258/75%RB:460/63%RM:602/66%",
["미경사제"] = "ET:725/89%EB:688/94%EM:810/88%",
["뭘드려요"] = "LT:595/98%EB:607/85%RM:674/74%",
["힐축징"] = "ET:354/87%EB:700/93%EM:775/84%",
["데캉"] = "ET:727/89%EB:554/94%EM:773/84%",
["만득아"] = "RT:252/71%EB:586/81%EM:736/81%",
["푸드박스"] = "ET:669/87%EB:551/91%EM:902/92%",
["이가을"] = "ET:327/87%EB:741/93%EM:861/88%",
["코롱"] = "LT:436/96%EB:703/89%LM:934/96%",
["스윽사악"] = "ET:722/92%EB:593/93%EM:817/84%",
["아소다"] = "RT:150/53%EB:729/92%EM:757/80%",
["자두칠러"] = "ET:740/94%SB:821/99%SM:996/99%",
["란아"] = "LT:746/95%EB:745/94%LM:928/96%",
["꼬마나자린"] = "ET:640/83%EB:718/91%EM:852/87%",
["Vencleef"] = "ET:441/94%EB:732/92%LM:960/97%",
["사슴탱"] = "RT:457/65%EB:752/94%EM:818/85%",
["마스터오브드루"] = "SB:803/99%LM:961/98%",
["Keaton"] = "ET:667/87%LB:770/96%EM:866/89%",
["늘솜"] = "ET:662/86%EB:717/91%EM:744/78%",
["글래머러스진"] = "SB:810/99%EM:925/94%",
["애드나인"] = "ET:665/86%EB:706/90%EM:862/88%",
["배드"] = "ET:703/90%LB:758/95%EM:881/90%",
["Nightslayer"] = "EB:749/94%LM:940/95%",
["막대창"] = "LT:760/97%SB:792/99%LM:879/95%",
["물통때문에"] = "ET:326/89%EB:722/91%LM:948/97%",
["별빛여전사"] = "ET:357/91%EB:649/89%EM:851/92%",
["의겸파파"] = "ST:714/99%SB:810/99%EM:918/94%",
["워킹대두"] = "ET:369/91%EB:733/93%LM:922/95%",
["Darkmo"] = "RT:220/71%EB:732/93%EM:931/94%",
["열한번째기억"] = "ET:664/87%EB:713/90%EM:769/81%",
["Kilo"] = "ET:407/93%EB:593/93%EM:862/90%",
["정북"] = "ET:738/94%SB:810/99%LM:951/97%",
["알로에베라"] = "ET:321/86%EB:726/91%EM:811/84%",
["Laychell"] = "ST:728/99%EB:734/92%EM:848/87%",
["계루"] = "LT:524/97%EB:727/92%EM:908/92%",
["잘못장착된전동축"] = "LT:767/97%SB:809/99%SM:1063/99%",
["직업엔귀천이없다"] = "ET:654/85%EB:553/91%EM:870/89%",
["Solloplay"] = "ET:667/87%EB:741/93%LM:929/95%",
["늑대야옹이"] = "RT:231/74%EB:694/89%EM:827/87%",
["심지"] = "ET:733/94%LB:757/95%LM:955/97%",
["곤지"] = "ET:692/90%EB:708/90%EM:788/84%",
["그래나도전사"] = "ST:772/99%EB:722/91%EM:871/90%",
["알켄"] = "ET:705/90%EB:709/90%EM:912/93%",
["지미카터"] = "ET:347/91%LB:771/96%EM:750/87%",
["아쌔씨노"] = "ET:717/91%LB:704/97%LM:960/97%",
["눈썰미"] = "EB:722/91%EM:845/88%",
["알바형"] = "LT:784/98%SB:834/99%SM:999/99%",
["애슬"] = "ET:387/93%EB:739/93%EM:854/88%",
["탈모"] = "LT:764/97%LB:762/97%LM:938/98%",
["망치야"] = "RT:213/69%EB:728/92%EM:916/93%",
["엘레리스"] = "ET:561/92%LB:776/98%EM:782/90%",
["라이언레이놀즈"] = "ET:384/93%EB:698/89%EM:864/89%",
["도엽이"] = "ET:602/79%EB:700/89%EM:795/82%",
["이놈보소"] = "SB:849/99%LM:953/97%",
["전님"] = "RT:499/69%EB:710/90%EM:707/75%",
["유니메론"] = "LT:767/97%SB:820/99%LM:969/98%",
["드레이프"] = "ET:592/81%EB:717/91%EM:816/79%",
["루피야"] = "ET:385/92%EB:730/92%EM:912/93%",
["전사인간"] = "ET:619/87%EB:712/93%EM:890/94%",
["강꿀꿀"] = "LT:681/96%SB:869/99%SM:1003/99%",
["세멜링"] = "EB:739/93%EM:897/91%",
["민들레"] = "ST:761/99%SB:829/99%EM:888/91%",
["유월님"] = "ET:682/88%LB:781/98%EM:892/93%",
["쓰아리"] = "ET:290/84%EB:686/88%EM:923/94%",
["타이어드"] = "EB:724/92%LM:970/97%",
["후방주의"] = "LT:498/96%LB:767/96%LM:954/97%",
["도적뇨속"] = "ET:703/90%EB:740/93%EM:791/83%",
["노빠꿍"] = "EB:732/92%EM:919/94%",
["나무나루"] = "ST:783/99%SB:825/99%LM:974/98%",
["파이널캐"] = "ET:725/93%LB:781/98%EM:857/90%",
["코노하마루"] = "LT:504/96%EB:742/94%LM:949/96%",
["포농키"] = "ET:713/88%EB:680/92%EM:836/89%",
["드르렁"] = "ET:581/75%EB:686/93%RM:601/70%",
["오손"] = "ET:579/77%LB:707/95%EM:738/81%",
["능소니"] = "ET:767/92%EB:666/90%EM:681/78%",
["바르바스"] = "ET:409/91%EB:667/92%EM:749/85%",
["후아사제"] = "EB:588/84%UM:328/34%",
["궁녀"] = "ET:336/84%EB:669/91%EM:869/93%",
["가은"] = "EB:596/84%RM:633/72%",
["야메떼"] = "RT:204/61%EB:587/84%EM:711/82%",
["불건전"] = "ET:429/93%EB:680/92%EM:694/78%",
["젤리곰"] = "RT:516/67%LB:720/95%LM:912/95%",
["불타는흑우"] = "EB:630/87%EM:853/90%",
["신기하지유"] = "UT:264/32%LB:726/96%RM:648/74%",
["채지율"] = "EB:604/84%EM:725/79%",
["손톱이따끔해"] = "EB:658/88%EM:903/93%",
["씹어먹을"] = "ET:269/78%EB:526/93%EM:767/86%",
["성소"] = "UT:250/31%EB:674/92%EM:751/82%",
["아이져아라"] = "RT:527/70%EB:610/87%RM:663/73%",
["레몬빛"] = "RT:458/57%EB:611/85%EM:863/92%",
["강언덕"] = "ET:354/89%EB:632/88%EM:697/76%",
["하늘소문드루이드"] = "ET:624/79%EB:623/87%RM:559/66%",
["술퍼싱기"] = "RT:471/63%EB:582/82%RM:647/71%",
["성꼬미"] = "ET:576/77%LB:736/96%EM:888/93%",
["달나라사제"] = "RT:457/57%EB:670/92%EM:658/76%",
["뽀송이"] = "EB:599/86%EM:812/88%",
["사제일껄요"] = "EB:537/78%RM:624/73%",
["히야신"] = "RT:169/53%EB:535/77%EM:733/80%",
["와일드헤비암즈"] = "EB:622/88%EM:710/78%",
["호이미"] = "ET:281/76%RB:513/74%EM:836/90%",
["힐송합니다"] = "ET:393/89%LB:750/98%LM:976/98%",
["불사신"] = "LB:753/97%LM:919/95%",
["술사력"] = "ET:715/87%EB:670/90%EM:756/84%",
["망경힐"] = "EB:563/81%RM:624/73%",
["프리스트마스터"] = "UT:143/46%EB:637/90%EM:777/85%",
["러워"] = "ET:671/84%LB:738/96%EM:837/89%",
["관심없다고"] = "EB:576/83%",
["해양수산부"] = "UT:225/30%EB:663/91%EM:654/76%",
["김기사님"] = "RT:230/67%EB:548/79%EM:784/88%",
["Dreamday"] = "CT:79/7%RB:469/68%CM:128/14%",
["축축해"] = "ET:337/86%EB:611/85%EM:716/80%",
["이손"] = "ET:392/89%EB:597/83%EM:741/84%",
["별빛달빛"] = "RT:535/72%SB:784/99%LM:931/96%",
["마동순"] = "ET:632/83%EB:621/87%EM:726/79%",
["Theia"] = "RT:557/71%EB:574/82%RM:618/68%",
["핫걸언니"] = "UT:155/49%EB:622/88%EM:709/78%",
["홍사임당"] = "ET:734/92%LB:762/98%EM:850/93%",
["로켓후레쉬"] = "ET:352/88%LB:733/97%EM:847/93%",
["찐이"] = "ET:373/88%EB:705/94%EM:851/93%",
["삼덕의딸"] = "RT:543/69%EB:593/82%EM:792/86%",
["위층누나"] = "EB:692/93%EM:777/85%",
["의무장교"] = "ET:302/81%EB:609/85%RM:522/60%",
["힐한방에일억"] = "EB:527/77%RM:610/67%",
["아루빛"] = "LB:735/96%EM:870/92%",
["선인지로"] = "ET:434/92%EB:665/92%EM:758/83%",
["고해리"] = "ST:692/99%LB:624/97%EM:766/86%",
["민자양"] = "EB:605/86%EM:750/82%",
["아픈이와"] = "UT:104/38%EB:647/89%EM:844/90%",
["식당주인"] = "RT:228/68%EB:563/81%RM:602/71%",
["브라운하트"] = "RT:194/63%EB:560/80%UM:433/47%",
["남기사"] = "EB:668/92%EM:767/86%",
["세돌아힐받아"] = "ET:643/81%EB:597/85%EM:783/88%",
["리라꽃"] = "LT:818/96%EB:670/92%EM:807/90%",
["티리스"] = "UT:116/37%EB:513/75%UM:371/44%",
["바빠예"] = "EB:526/76%RM:653/72%",
["아이둘모찌"] = "ET:640/81%EB:597/83%EM:763/86%",
["어떠케좀해바"] = "ET:700/87%LB:749/97%SM:993/99%",
["기사할꼬얌"] = "ET:717/89%EB:440/85%EM:657/75%",
["시로딘"] = "EB:696/93%LM:957/98%",
["베일에싸인"] = "ET:307/82%EB:525/93%EM:854/91%",
["은서곰돌슈리"] = "RT:525/69%EB:647/89%RM:666/74%",
["유로페"] = "UT:115/37%EB:562/81%EM:810/88%",
["링겔"] = "RB:464/64%UM:424/46%",
["김선달"] = "ET:675/88%EB:652/82%EM:912/93%",
["트라"] = "ET:656/86%EB:537/90%EM:834/87%",
["다시도"] = "ET:701/90%EB:668/84%EM:899/92%",
["요모"] = "ET:369/92%EB:475/86%EM:878/90%",
["소울체이서"] = "ET:725/93%LB:751/96%EM:789/84%",
["달이꿈꾸는행복"] = "ET:698/92%EB:617/86%RM:477/74%",
["걱실걱실"] = "ET:702/91%EB:658/84%RM:639/71%",
["Nightdance"] = "ST:709/99%SB:800/99%SM:993/99%",
["사탄"] = "ET:658/87%LB:671/98%LM:931/97%",
["헤일스톰"] = "ET:672/87%EB:684/86%EM:918/93%",
["노딜도적"] = "ET:671/86%EB:542/90%EM:874/89%",
["스펠스톰"] = "ET:723/93%SB:814/99%LM:965/97%",
["개집중"] = "ET:695/89%LB:767/96%EM:908/92%",
["핸드"] = "ET:691/89%EB:624/94%EM:923/94%",
["엘크토템"] = "ET:630/83%EB:474/85%RM:640/71%",
["일리야"] = "ST:714/99%LB:776/98%EM:815/86%",
["자연스"] = "ST:753/99%EB:690/89%EM:799/85%",
["예쁘"] = "ET:684/89%LB:775/98%LM:963/97%",
["봉숭아"] = "ST:796/99%LB:797/98%LM:945/96%",
["마르티누"] = "ET:689/89%LB:760/97%LM:898/95%",
["아망"] = "ET:637/84%EB:651/84%EM:844/87%",
["매직마스터"] = "ET:728/94%EB:728/93%EM:735/85%",
["황용법사"] = "ST:741/99%EB:686/91%EM:813/86%",
["전사고양이"] = "ET:708/93%LB:786/98%EM:857/92%",
["Word"] = "ET:711/91%EB:746/94%LM:928/95%",
["나엘냥꾼임"] = "LT:783/98%SB:797/99%LM:978/98%",
["도약선"] = "ET:621/82%SB:797/99%LM:961/97%",
["동물꼬시기"] = "ST:708/99%LB:790/98%EM:908/94%",
["바람군주"] = "ET:377/93%LB:737/98%EM:761/82%",
["김망고"] = "ET:362/91%LB:637/95%EM:918/93%",
["꿀팁"] = "LT:757/96%LB:783/98%EM:827/86%",
["피로스"] = "LT:750/95%SB:817/99%LM:957/97%",
["공영"] = "ET:641/83%EB:709/90%EM:864/88%",
["Misskim"] = "ST:767/99%LB:769/97%LM:918/95%",
["나엘은단검"] = "ET:606/79%EB:703/89%EM:834/86%",
["전술마스터"] = "ET:322/88%EB:661/85%EM:865/91%",
["간지인대남"] = "ET:628/83%EB:691/88%EM:822/85%",
["다레"] = "LT:772/97%LB:775/97%EM:895/93%",
["Westwing"] = "ET:724/93%EB:696/90%RM:572/63%",
["이놈때끼"] = "ET:645/85%EB:678/91%EM:884/94%",
["콩님이"] = "ET:624/82%EB:510/91%EM:750/85%",
["블루아크"] = "LT:436/95%EB:426/86%RM:488/53%",
["오리쿠쿠"] = "ET:701/91%EB:658/86%EM:800/85%",
["아비군"] = "ET:715/92%EB:718/94%RM:631/73%",
["노마네르"] = "LT:744/95%SB:815/99%LM:952/96%",
["김실명"] = "ET:641/84%RB:491/66%EM:770/81%",
["탈출의명수"] = "ET:572/77%EB:702/88%EM:897/92%",
["천상구마"] = "ET:387/92%LB:745/96%EM:736/80%",
["Otl"] = "LT:759/96%LB:627/95%LM:923/95%",
["시간은금이야칭구"] = "ST:790/99%LB:767/96%LM:940/95%",
["이카르뜨"] = "ET:670/87%EB:691/88%EM:880/91%",
["달빛조각내기"] = "ET:307/87%EB:668/85%EM:831/88%",
["비둘기마술단"] = "ET:558/76%EB:499/91%EM:873/91%",
["쉴리"] = "ET:615/82%EB:711/93%EM:838/91%",
["무한궤도"] = "ET:310/87%EB:609/80%EM:844/87%",
["대한독립냥꾼"] = "ET:383/92%SB:802/99%LM:955/96%",
["씹트롤"] = "ET:333/90%LB:757/97%LM:944/96%",
["Fexia"] = "ET:245/77%EB:646/88%UM:419/45%",
["잔돈건"] = "ET:680/89%EB:623/86%EM:739/80%",
["웬디컬리"] = "ET:728/94%SB:791/99%LM:970/98%",
["Coss"] = "LT:784/98%SB:797/99%LM:966/98%",
["흑풍옥"] = "ET:615/82%EB:678/91%RM:659/72%",
["Desilusion"] = "LT:770/97%LB:776/97%LM:949/96%",
["낚시퀸"] = "ET:730/93%LB:772/98%LM:966/97%",
["쿄우카"] = "ET:686/90%LB:766/97%EM:873/91%",
["법느님"] = "ST:800/99%SB:825/99%LM:951/98%",
["Feelup"] = "ET:716/91%EB:746/94%EM:923/94%",
["샤인트"] = "ET:663/84%LB:714/95%EM:846/92%",
["투웨"] = "ET:583/75%EB:602/84%EM:816/87%",
["사나운사제"] = "ET:421/91%EB:605/84%EM:684/75%",
["성기사십센치"] = "RT:430/57%EB:558/77%EM:820/88%",
["힐해보자"] = "ET:323/86%RB:427/58%RM:549/60%",
["앙술사"] = "LT:580/97%EB:564/80%EM:794/85%",
["앞으로딧태"] = "ET:660/82%EB:525/92%EM:779/85%",
["닉스라구"] = "UT:386/49%EB:517/75%RM:650/72%",
["티라일"] = "RT:469/59%EB:533/76%EM:732/80%",
["젤리또"] = "RT:543/69%EB:601/84%EM:712/80%",
["바람난시골처녀"] = "ET:641/80%EB:668/92%EM:779/85%",
["Orlando"] = "ET:295/81%EB:632/88%RM:641/70%",
["하나요"] = "RT:578/74%EB:618/85%EM:869/92%",
["관심많아요"] = "ET:704/87%LB:722/95%EM:845/90%",
["기사윈저"] = "RT:467/62%EB:595/82%RM:498/54%",
["오리발내밀어"] = "ET:374/87%EB:643/90%EM:862/92%",
["한떠"] = "RT:452/56%EB:648/90%RM:640/74%",
["자몽빵"] = "ET:613/77%EB:507/91%EM:738/84%",
["큐트한걸"] = "ET:645/82%EB:544/78%RM:642/71%",
["언홀리마스터"] = "ET:675/85%EB:538/76%",
["비숑"] = "RT:551/70%EB:559/80%UM:405/48%",
["만두기사"] = "ET:307/83%RB:471/67%UM:291/30%",
["나르샤"] = "RT:574/74%EB:573/79%EM:749/81%",
["로이엔탈"] = "RT:227/71%EB:594/82%RM:651/71%",
["뭐가필요한가"] = "RT:535/69%LB:756/98%EM:742/81%",
["근위대"] = "ET:287/79%EB:555/79%EM:699/79%",
["공수힐러"] = "RT:246/71%RB:498/73%EM:758/83%",
["글자양"] = "ET:601/79%EB:352/76%EM:725/83%",
["오온성고"] = "RT:502/64%RB:440/63%EM:686/76%",
["랜디존슨"] = "ET:311/82%EB:646/89%EM:707/77%",
["기사류"] = "ET:614/78%EB:671/91%EM:871/92%",
["정연사랑해"] = "RT:486/66%LB:720/95%LM:949/97%",
["마녀누야"] = "RT:520/70%RB:497/71%EM:666/76%",
["앨라스틴했어요"] = "ET:299/79%EB:677/93%RM:615/72%",
["프리레나"] = "ET:649/81%EB:579/82%RM:578/68%",
["기사비기너"] = "ET:605/77%RB:487/69%EM:734/80%",
["분당기타"] = "RT:170/56%EB:601/83%RM:544/59%",
["클래식사제"] = "RT:508/64%EB:619/87%EM:713/78%",
["딱지네기사님"] = "RT:568/73%RB:488/69%EM:724/81%",
["도깨비준"] = "RT:481/64%EB:425/84%EM:691/76%",
["바이님"] = "ET:749/91%LB:710/95%EM:867/91%",
["Orange"] = "ET:286/81%EB:662/91%EM:711/78%",
["동화"] = "ET:652/84%EB:632/88%RM:678/74%",
["뒷골목엠버"] = "RT:226/70%EB:585/81%EM:716/81%",
["사나낭자"] = "RT:248/71%EB:571/82%EM:666/77%",
["Yangji"] = "RT:545/70%LB:714/95%EM:885/94%",
["네오엔라이트"] = "LT:521/96%EB:709/94%EM:866/91%",
["건빵쥔강아지"] = "ET:423/92%EB:696/94%RM:648/74%",
["리비"] = "ET:380/89%EB:554/78%RM:652/71%",
["Meerbag"] = "ET:277/92%LB:735/97%LM:921/97%",
["비의향기망초"] = "ET:290/77%EB:682/92%EM:843/90%",
["켈투앞무득기사"] = "ET:630/81%EB:708/94%EM:844/90%",
["Rubyholic"] = "ET:332/83%RB:530/74%EM:734/84%",
["덴티기사"] = "ET:370/89%EB:569/80%EM:716/78%",
["하빈"] = "RT:428/57%EB:521/76%EM:848/91%",
["덤벼라세스코"] = "RT:165/56%EB:574/79%RM:600/66%",
["노사나노라잎"] = "RT:491/65%EB:563/78%EM:798/87%",
["소류나"] = "ET:387/89%LB:719/95%EM:780/84%",
["너구리섹시한맛"] = "ET:385/88%EB:667/91%EM:778/85%",
["광분해"] = "RT:243/74%EB:549/78%RM:534/58%",
["케이아신"] = "ET:397/90%LB:716/95%EM:784/85%",
["슬림라이"] = "ET:765/92%EB:662/92%EM:851/91%",
["허날두와매시"] = "LT:853/97%LB:761/98%EM:815/87%",
["Themis"] = "ET:655/83%EB:661/90%EM:730/77%",
["산타사제임"] = "RT:165/52%RB:400/54%UM:419/45%",
["빛의기사"] = "ET:589/76%EB:661/90%EM:812/87%",
["스까무라"] = "UT:153/47%EB:575/82%EM:796/86%",
["Odeyarush"] = "RT:475/62%EB:539/77%CM:151/13%",
["성기사의꿈"] = "ET:421/92%EB:602/84%EM:785/87%",
["발광의오라"] = "UT:80/27%RB:502/72%RM:514/59%",
["아틸라"] = "RT:231/66%EB:432/85%RM:623/72%",
["울컥"] = "ET:601/77%LB:719/95%EM:800/86%",
["흑풍윈드"] = "ET:611/77%EB:605/85%RM:620/72%",
["역대급도적님임"] = "LB:760/95%EM:893/91%",
["주안딜전"] = "ET:378/92%EB:583/92%LM:928/96%",
["국어선생"] = "LT:518/96%EB:719/91%EM:879/90%",
["여긴모찌나간다"] = "ET:327/89%EB:702/89%EM:734/80%",
["잠수늬"] = "EB:689/87%EM:910/93%",
["우레포풍"] = "EB:447/84%EM:731/77%",
["도적도미"] = "ET:330/88%EB:699/89%RM:688/74%",
["도적바발"] = "ET:712/91%EB:752/94%EM:894/91%",
["Mio"] = "LT:759/96%SB:810/99%EM:918/94%",
["딸꾹할때깜짝"] = "ET:711/91%EB:725/92%EM:887/92%",
["Dust"] = "ET:713/91%LB:679/97%LM:963/97%",
["전사가브"] = "EB:703/88%EM:913/93%",
["새로이서"] = "ET:587/77%EB:700/89%EM:826/85%",
["도적아린"] = "ET:684/88%EB:691/88%EM:762/81%",
["스톰윈드엔젤"] = "ET:583/78%EB:549/90%EM:780/84%",
["금도끼"] = "ET:398/93%EB:666/85%EM:836/88%",
["제리드"] = "ET:290/83%EB:674/86%EM:843/87%",
["섹시백"] = "LT:642/98%EB:578/92%EM:795/85%",
["Nano"] = "LT:490/96%EB:701/89%EM:848/88%",
["소소한지니"] = "LT:510/96%EB:569/92%EM:922/94%",
["근성이"] = "EB:718/90%",
["Woobaby"] = "ET:646/85%EB:720/91%EM:900/94%",
["냥냥펀치전사"] = "LT:513/97%EB:684/87%EM:905/93%",
["도적해봐요"] = "ET:338/89%EB:717/91%RM:679/72%",
["Northwing"] = "ET:274/83%EB:720/91%EM:771/81%",
["전동축"] = "LT:774/98%SB:798/99%SM:1096/99%",
["어따꿍했져"] = "ET:671/87%EB:581/93%EM:835/87%",
["엘크리드"] = "ET:590/77%EB:737/93%EM:845/87%",
["약점"] = "RT:453/62%EB:688/88%EM:722/77%",
["알탱"] = "ET:588/79%EB:672/86%EM:769/81%",
["내직업은전사"] = "EB:722/91%EM:911/93%",
["도적퀸"] = "ET:357/90%EB:713/90%EM:895/91%",
["체사레스"] = "LT:476/95%LB:757/95%EM:915/94%",
["하늘질주"] = "ET:365/92%EB:738/93%EM:840/89%",
["커피맛스카치"] = "ET:301/86%EB:565/91%EM:848/88%",
["바바퀸"] = "RT:538/71%EB:725/92%EM:845/87%",
["노마드한"] = "LT:770/98%SB:795/99%EM:916/94%",
["두리도적"] = "LT:747/95%EB:734/93%LM:937/96%",
["모카아몬드"] = "ET:337/89%EB:703/88%EM:878/90%",
["닥붕한야"] = "RT:520/68%EB:733/93%EM:884/90%",
["지나가는길에"] = "ET:587/77%EB:742/94%LM:936/95%",
["일리일리"] = "ET:636/82%EB:701/89%EM:807/85%",
["Mogi"] = "EB:669/86%EM:847/87%",
["남댕"] = "ET:251/79%EB:725/91%RM:632/68%",
["Mariposa"] = "ET:618/82%EB:679/87%EM:910/93%",
["노움법사형"] = "LT:768/97%SB:798/99%EM:802/81%",
["카룬"] = "ET:403/93%EB:690/87%EM:848/87%",
["도적묵향님"] = "ET:605/79%EB:720/91%EM:915/94%",
["도둑지니"] = "RT:567/74%LB:756/95%EM:907/92%",
["살영전사"] = "LT:462/96%LB:749/96%LM:940/97%",
["Hellr"] = "EB:704/90%EM:739/81%",
["할범"] = "UT:256/49%EB:705/89%EM:782/82%",
["암살단장"] = "ET:417/94%LB:668/96%EM:836/87%",
["도적아산"] = "ET:325/87%EB:717/91%EM:863/88%",
["양상군자"] = "ET:328/88%EB:675/86%EM:898/91%",
["러허"] = "ET:636/82%EB:735/93%EM:817/86%",
["도펠라"] = "ET:683/88%EB:714/91%EM:706/75%",
["에올린"] = "RT:546/73%EB:698/89%EM:881/90%",
["슈리키"] = "UT:255/34%",
["청면수라"] = "LT:761/97%EB:686/86%EM:883/92%",
["양신"] = "LT:744/95%LB:777/98%LM:896/95%",
["스톰윈드도적"] = "UT:351/47%EB:576/93%RM:487/55%",
["프렌들리암"] = "EB:658/90%EM:860/92%",
["Evermore"] = "ET:415/92%LB:755/98%EM:716/78%",
["하이얀토끼"] = "EB:439/86%RM:659/73%",
["늑대고양이"] = "RB:526/73%RM:593/69%",
["클릭하지마"] = "RT:453/57%EB:552/79%RM:673/74%",
["빌트슈타인"] = "EB:561/81%UM:392/42%",
["미카엘린"] = "EB:525/76%RM:664/73%",
["틀린말은아니었다"] = "ET:363/87%RB:512/73%RM:627/73%",
["사제곰탱이"] = "EB:520/76%RM:541/64%",
["뚠뚠이봉봉"] = "ET:634/80%EB:476/89%EM:823/89%",
["강희아빠"] = "EB:556/80%RM:521/57%",
["맛좀봐라"] = "LT:805/96%EB:684/93%EM:752/85%",
["예히나탈"] = "RT:397/52%EB:597/82%RM:632/70%",
["오크랑사는엘프"] = "ET:669/84%EB:693/92%EM:811/87%",
["무적케인"] = "ET:309/80%EB:437/85%RM:602/66%",
["나우누리"] = "ET:689/86%EB:688/93%EM:862/92%",
["첫째딸사제"] = "RB:506/70%RM:663/73%",
["김숑키"] = "ET:646/82%LB:731/96%LM:946/97%",
["정소영"] = "RT:419/52%EB:634/87%EM:861/92%",
["귤사제"] = "EB:658/90%EM:757/83%",
["곰탱사제"] = "ET:280/76%EB:702/94%EM:825/89%",
["하렌"] = "ET:401/91%EB:678/92%EM:763/83%",
["낙타사육사"] = "RT:219/69%EB:668/92%EM:810/87%",
["정영사랑해"] = "RT:164/55%EB:640/87%EM:881/93%",
["털이뚱뚱한고양이"] = "UT:154/49%EB:672/93%EM:747/85%",
["Angelita"] = "RT:539/69%EB:650/88%EM:747/81%",
["꿀밤이"] = "UT:245/30%EB:543/78%RM:514/60%",
["치즈알밥"] = "EB:565/81%RM:563/66%",
["별가루무침"] = "EB:572/79%EM:677/75%",
["Finaliser"] = "RT:266/74%EB:649/89%RM:537/59%",
["뿌염"] = "ET:261/77%LB:710/95%EM:787/88%",
["엘리카"] = "RT:580/74%EB:582/83%RM:629/73%",
["천상의인형"] = "CT:79/7%EB:693/93%EM:732/80%",
["야생의증표"] = "RT:177/59%EB:643/87%EM:852/90%",
["울앙"] = "ET:262/75%EB:588/83%RM:646/71%",
["사제찡구"] = "CT:156/18%EB:396/82%EM:657/76%",
["기사꺼내요"] = "ET:284/79%EB:665/91%EM:724/79%",
["마음치유사"] = "EB:606/86%EM:730/83%",
["사제인"] = "UT:143/45%EB:417/84%RM:590/65%",
["파동함수"] = "RT:255/71%EB:639/88%EM:911/94%",
["이제그만인정해라"] = "ET:613/79%EB:645/89%RM:613/67%",
["앤젤"] = "RT:246/72%EB:570/80%RM:493/57%",
["스티븐"] = "EB:555/77%EM:694/76%",
["설해사"] = "RT:162/50%EB:615/87%EM:713/82%",
["스치면산다"] = "ET:564/75%EB:692/93%EM:731/80%",
["자가비"] = "RT:554/71%EB:518/75%RM:448/53%",
["나사장드루와"] = "ET:703/87%LB:716/95%EM:856/91%",
["맨토르"] = "EB:450/87%RM:632/74%",
["작은앙마"] = "UT:228/28%EB:517/75%EM:606/78%",
["파즈"] = "ET:401/91%EB:616/86%EM:785/85%",
["닥터후"] = "EB:644/89%EM:729/83%",
["클레한"] = "RT:261/74%EB:572/83%EM:727/78%",
["드웝힐사"] = "LT:822/96%LB:753/98%EM:748/85%",
["길가다쿵했어"] = "RB:413/60%UM:396/47%",
["헤이린"] = "RT:528/67%LB:665/98%EM:735/81%",
["이빠이힐사마데쓰"] = "ET:663/83%EB:527/92%RM:553/65%",
["옥상달빛"] = "CT:119/13%EB:370/78%RM:535/63%",
["오리하늘날다"] = "RT:207/65%LB:579/95%EM:762/83%",
["Bgirl"] = "RT:589/73%EB:591/81%RM:653/74%",
["곰탱들후"] = "LB:722/95%EM:903/94%",
["나는킬러다"] = "ET:608/77%EB:551/79%EM:658/76%",
["기사도미"] = "RT:240/73%EB:523/75%RM:520/57%",
["축받으면내여자"] = "EB:705/94%EM:806/87%",
["호두강아지"] = "ET:778/94%EB:624/87%EM:799/88%",
["Seulgi"] = "ET:616/82%EB:516/88%EM:765/83%",
["숙제하자"] = "LT:758/97%LB:784/98%SM:983/99%",
["소중한의미"] = "ET:677/89%EB:531/93%EM:834/91%",
["발라발라"] = "ET:627/84%EB:706/93%EM:830/91%",
["물빵장수"] = "ET:661/86%LB:782/98%EM:834/88%",
["졸려죽겟네"] = "ET:339/89%EB:712/89%LM:925/95%",
["김발이"] = "LT:762/96%LB:777/97%LM:957/97%",
["유니레이"] = "ET:368/92%EB:694/91%LM:917/95%",
["살려줘요"] = "ET:676/87%EB:711/90%EM:822/86%",
["형인"] = "ET:359/91%LB:752/96%EM:813/86%",
["청장"] = "ET:703/91%SB:716/99%EM:783/84%",
["대장군황충"] = "LT:761/97%SB:823/99%SM:997/99%",
["그녀석"] = "LT:629/98%EB:686/91%EM:879/91%",
["Deadman"] = "ET:671/86%EB:655/84%EM:754/79%",
["샤끼라"] = "ET:704/91%EB:743/94%LM:939/96%",
["험불"] = "ET:596/80%EB:683/87%EM:797/85%",
["산진이"] = "ET:702/90%EB:609/94%EM:829/85%",
["아사나미"] = "ET:701/91%LB:764/97%LM:897/95%",
["빠짝긴장해라"] = "LT:786/98%SB:843/99%LM:970/98%",
["마법사아린"] = "ET:605/81%EB:743/94%EM:841/89%",
["미경법사"] = "ET:418/94%EB:660/89%EM:715/83%",
["디럭스"] = "ET:574/76%EB:693/87%EM:726/77%",
["해피엔딩"] = "ET:664/87%LB:761/97%LM:961/98%",
["우껴"] = "LT:546/98%LB:766/96%EM:741/75%",
["콜즈"] = "ET:707/91%EB:735/93%EM:881/91%",
["아디없음"] = "ET:586/78%EB:708/91%EM:895/93%",
["Komorebi"] = "ET:289/84%EB:659/85%EM:805/83%",
["Mond"] = "LT:749/96%SB:835/99%LM:962/97%",
["티피카"] = "LT:781/98%LB:787/98%LM:976/98%",
["별모양쿠키"] = "ET:639/84%LB:753/95%EM:852/89%",
["Mega"] = "ET:662/87%LB:745/96%EM:868/93%",
["킬라덴"] = "ET:581/78%EB:638/82%EM:841/87%",
["풍성한법사"] = "ET:685/89%EB:723/94%EM:756/85%",
["설빈"] = "RT:502/68%EB:696/92%EM:764/82%",
["샛콤"] = "ET:648/85%EB:563/91%EM:812/86%",
["뒤까기"] = "ET:421/93%LB:645/95%EM:873/91%",
["씩씩한호랑이"] = "ET:330/89%EB:583/82%EM:884/94%",
["악세리"] = "ET:367/91%LB:635/95%EM:837/86%",
["Bigcho"] = "LT:764/96%SB:811/99%LM:964/97%",
["할게없네"] = "ST:707/99%EB:676/85%EM:855/88%",
["도끼질하는버사"] = "ET:339/89%EB:621/85%EM:739/80%",
["수라도리"] = "ET:324/89%LB:737/95%EM:871/94%",
["매지션퐁야"] = "ET:685/89%EB:721/94%EM:722/82%",
["Moonrivers"] = "ET:323/87%RB:516/74%EM:771/88%",
["공칠이"] = "LT:747/95%EB:699/89%EM:899/93%",
["초이즈"] = "ET:650/85%LB:762/97%EM:892/92%",
["Pey"] = "ET:675/88%EB:726/92%EM:744/77%",
["두엔데"] = "ET:625/82%EB:679/86%EM:847/87%",
["펠트"] = "ET:363/91%EB:650/84%EM:796/84%",
["졸업하자"] = "LT:773/97%EB:732/92%EM:827/86%",
["키노법사"] = "ET:307/86%EB:629/86%EM:812/86%",
["Jinnaheol"] = "ET:733/94%LB:755/97%RM:592/65%",
["퍼슬리"] = "ET:737/94%EB:583/92%EM:812/86%",
["엄똑나모"] = "ET:322/87%EB:670/86%EM:792/83%",
["Shimmergloom"] = "ET:262/81%LB:733/95%EM:813/86%",
["마법의노래"] = "LT:484/96%EB:665/90%LM:895/95%",
["이거실화냐"] = "ET:364/92%EB:478/86%EM:846/90%",
["히야신스"] = "ET:679/89%EB:679/91%RM:558/65%",
["리무루"] = "ET:588/78%EB:511/89%EM:794/82%",
["반란의시작"] = "ET:565/76%LB:611/97%EM:914/94%",
["서슬피"] = "RT:546/72%EB:625/81%EM:850/89%",
["소드아트"] = "ST:723/99%EB:728/91%EM:890/91%",
["코버린쓰"] = "ST:787/99%LB:793/98%SM:994/99%",
["끼야아"] = "ET:701/91%LB:728/95%EM:729/83%",
["개념없이힐"] = "ET:394/89%RB:443/63%RM:394/60%",
["Paladinkor"] = "ET:608/78%EB:681/92%EM:815/87%",
["지나데이브"] = "RT:532/67%EB:552/79%EM:730/83%",
["축서단"] = "ET:332/85%EB:597/84%EM:594/77%",
["은수"] = "RT:576/74%EB:590/83%UM:295/30%",
["한계령풀"] = "ET:354/87%EB:566/80%EM:669/76%",
["와르신"] = "UT:350/46%RB:358/51%UM:392/46%",
["시꾸"] = "RT:534/68%EB:610/85%EM:789/85%",
["연결고리"] = "ET:419/91%EB:605/85%EM:656/76%",
["Dschubba"] = "ET:426/92%EB:552/79%RM:666/73%",
["두니"] = "UT:90/28%RB:477/70%RM:440/52%",
["에스메랄다"] = "RT:518/67%EB:549/78%RM:594/68%",
["삽질의장인"] = "RT:237/68%RB:510/73%RM:525/58%",
["신성영혼"] = "ET:645/82%EB:642/89%RM:614/70%",
["소나타아티카"] = "ET:380/89%EB:656/90%EM:867/92%",
["쿡쿡이사제"] = "UT:131/41%RB:232/55%UM:396/42%",
["날라지아"] = "ET:663/84%EB:573/81%RM:645/71%",
["싸랑헷"] = "RT:428/54%EB:470/88%EM:693/78%",
["낫든할멈"] = "RT:482/62%EB:567/81%EM:765/83%",
["Felix"] = "ET:783/93%EB:681/92%LM:921/95%",
["Luxor"] = "ET:682/85%EB:569/79%EM:822/89%",
["타일리스"] = "ET:347/87%EB:616/86%EM:783/87%",
["고무신"] = "UT:87/30%RB:390/55%CM:85/8%",
["레아키스"] = "UT:138/47%RB:492/68%RM:587/64%",
["츄럴칭구땅딸보"] = "UT:136/43%RB:385/54%CM:31/1%",
["설레힘"] = "RT:531/68%LB:708/95%EM:746/81%",
["비너스의눈물"] = "RT:464/59%EB:593/84%EM:701/77%",
["다리오니"] = "ET:293/82%EB:671/92%EM:876/92%",
["힐만주면섭하지"] = "RT:261/74%RB:330/73%EM:725/79%",
["기사긴하니"] = "RT:207/65%EB:539/77%RM:495/57%",
["라면기사"] = "ET:281/78%EB:596/82%EM:740/80%",
["이렇게힘들줄이야"] = "RT:567/73%EB:524/75%RM:441/72%",
["불멸의존재"] = "UT:330/43%EB:391/81%RM:638/70%",
["사제야화"] = "UT:97/31%RB:491/68%RM:638/70%",
["키다리봉봉"] = "ET:685/86%EB:710/94%EM:907/94%",
["지웰캐슬"] = "RT:159/51%EB:528/77%RM:624/69%",
["마력깃든안방마님"] = "ET:333/85%EB:569/80%RM:446/52%",
["혜원낭자"] = "UT:118/41%EB:406/83%RM:528/58%",
["Lukepaladin"] = "ET:272/78%EB:386/80%RM:580/64%",
["왕축을사랑한곰발"] = "ET:619/79%RB:528/73%CM:112/10%",
["오빠라면먹고가"] = "UT:212/25%RB:506/72%RM:631/72%",
["빗속의너를"] = "UT:104/37%EM:719/78%",
["테슬"] = "ET:647/82%LB:714/95%EM:895/94%",
["인용"] = "RT:445/59%EB:630/87%EM:768/84%",
["모크성"] = "RT:519/68%EB:700/93%EM:717/78%",
["슈딧"] = "ET:613/78%EB:619/86%EM:565/79%",
["연느"] = "RT:568/72%EB:670/92%EM:841/90%",
["들꽃"] = "RT:244/72%RB:454/64%EM:718/81%",
["엘런"] = "ET:626/80%EB:554/77%EM:729/79%",
["힐숑숑계란탁"] = "RT:578/74%EB:664/91%EM:741/83%",
["정신자극"] = "ET:573/77%EB:638/87%EM:808/87%",
["돌아오니"] = "ET:629/80%EB:548/78%EM:661/76%",
["드루곰돌림"] = "ET:655/83%EB:699/93%EM:808/89%",
["달을사랑하는별"] = "UT:384/49%EB:541/75%EM:690/80%",
["오빠한번더"] = "CT:118/12%RB:466/64%RM:351/71%",
["술사의눈물"] = "ET:488/94%EB:645/87%EM:849/89%",
["폭풍의검"] = "RT:405/52%RB:460/66%RM:610/67%",
["잉베이맘스틴"] = "ET:425/92%EB:655/90%EM:739/80%",
["예끼여보쇼"] = "ET:330/85%RB:477/68%RM:473/55%",
["이안스터커"] = "ET:388/90%LB:717/95%EM:760/82%",
["등쳐"] = "ET:482/94%EB:680/92%EM:814/87%",
["파티찾기"] = "RT:505/67%EB:622/85%EM:760/82%",
["다랑이"] = "ET:630/82%SB:792/99%SM:1002/99%",
["채영술사"] = "RT:270/73%EB:422/84%EM:672/76%",
["달콤한축복"] = "RT:521/67%EB:557/79%",
["앙사제"] = "ET:281/76%EB:554/79%RM:673/74%",
["아이언포지암사제"] = "RT:193/58%RB:395/56%UM:310/37%",
["라이오리타"] = "UT:112/36%EB:383/80%UM:352/41%",
["은설"] = "RT:469/61%EB:602/84%EM:769/83%",
["어떤사제"] = "UT:135/42%UB:297/40%CM:232/23%",
["민간요법"] = "RT:540/68%EB:481/89%RM:475/56%",
["드포"] = "RT:479/59%RB:494/71%EM:727/81%",
["하루엄마"] = "RT:208/66%RB:447/61%UM:154/45%",
["Rohanish"] = "RT:540/69%EB:393/81%RM:504/59%",
["김호태"] = "RT:404/51%EB:567/80%EM:680/77%",
["어둠저편"] = "ET:403/93%EB:721/91%LM:928/95%",
["술떡"] = "EB:750/94%EM:707/76%",
["골통분쇄기"] = "RT:551/74%EB:519/88%EM:841/87%",
["엽기소녀"] = "ET:297/85%EB:676/87%UM:360/41%",
["살무사"] = "LT:481/96%EB:680/87%EM:834/87%",
["아재가됨"] = "ET:710/93%LB:587/95%EM:852/92%",
["무분돼지"] = "RT:177/63%EB:740/93%EM:841/87%",
["인간헌터"] = "LB:766/96%EM:918/93%",
["삼순구식"] = "ET:630/83%EB:670/86%EM:798/83%",
["전사퀸"] = "ET:300/86%EB:735/92%EM:855/88%",
["천살영"] = "ET:576/76%LB:623/95%EM:876/90%",
["히데스"] = "ET:389/92%EB:714/91%EM:903/93%",
["수디디"] = "EB:739/93%EM:887/90%",
["돌아온신성일"] = "RT:224/72%EB:682/87%EM:932/94%",
["Eastwing"] = "EB:659/85%EM:812/84%",
["Night"] = "ET:714/92%LB:767/97%LM:924/95%",
["청춘소주"] = "LT:499/97%EB:702/89%EM:802/86%",
["도님"] = "EB:689/87%EM:835/86%",
["지문"] = "LB:782/98%LM:938/97%",
["전사라고"] = "ET:288/86%EB:641/83%RM:663/74%",
["Warriorkor"] = "ET:299/86%EB:699/89%EM:804/84%",
["데피아즈"] = "ET:717/91%EB:744/94%EM:891/91%",
["덧칠"] = "ET:633/82%EB:703/89%EM:848/87%",
["모용"] = "ET:574/75%EB:695/88%EM:780/81%",
["쿡쿠"] = "ET:490/89%LB:773/98%LM:932/97%",
["뭉무이"] = "RT:180/62%EB:603/94%LM:933/96%",
["내뒤로"] = "ET:373/92%EB:687/86%EM:887/91%",
["파이어엘프"] = "EB:564/92%EM:733/77%",
["세번절하는신령"] = "ET:585/77%EB:662/85%RM:702/74%",
["불타는너구리"] = "ET:630/89%EB:639/83%EM:871/92%",
["보리태세"] = "ET:663/87%EB:697/89%EM:795/85%",
["우브로"] = "ET:673/87%EB:693/88%EM:857/88%",
["적파랑"] = "ET:685/88%EB:726/92%EM:921/93%",
["사신"] = "ET:584/77%EB:618/94%EM:466/77%",
["노칼레드"] = "RT:524/69%EB:722/91%EM:881/90%",
["탑마스터"] = "ET:598/79%LB:796/98%EM:916/94%",
["Felmyst"] = "RT:557/73%EB:677/87%EM:783/81%",
["리어쓰리"] = "LT:751/95%LB:671/96%EM:840/86%",
["Fiend"] = "ET:690/90%LB:772/98%LM:932/97%",
["잠이계속와"] = "ET:449/94%EB:666/86%EM:849/87%",
["화이트나자린"] = "LT:781/98%LB:795/98%LM:965/97%",
["무한의검제"] = "LT:772/97%EB:733/92%EM:835/93%",
["Pomo"] = "LT:761/96%LB:791/98%LM:943/96%",
["펭수야놀자"] = "EB:690/88%EM:854/89%",
["붉은송곳니"] = "ET:263/79%EB:644/83%EM:897/91%",
["전딜전"] = "EB:613/80%RM:685/73%",
["후아스카란"] = "LT:638/98%EB:588/93%LM:944/96%",
["엔드전사"] = "ET:271/82%EB:666/85%RM:668/74%",
["하르"] = "LB:790/98%EM:934/93%",
["홍서범"] = "ET:297/84%EB:676/87%EM:832/86%",
["언데드리턴"] = "ET:576/75%EB:653/84%EM:789/83%",
["제라좋아"] = "EB:705/89%EM:804/83%",
["장필우"] = "ET:620/81%EB:705/90%RM:670/72%",
["마법사에릭"] = "ET:328/88%LB:774/98%EM:809/86%",
["일월향"] = "UT:223/29%EB:689/88%EM:873/91%",
["더딘도적"] = "ET:647/85%EB:532/90%EM:796/83%",
["히욜"] = "LT:711/97%LB:769/98%SM:987/99%",
["방탄복"] = "RT:518/68%EB:646/83%EM:747/79%",
["쓰리꾼워니"] = "ET:360/90%EB:689/88%EM:755/80%",
["Pkmaster"] = "ET:351/91%EB:737/92%EM:868/91%",
["닌도"] = "RT:561/74%EB:732/92%EM:807/84%",
["베알타이네"] = "UT:330/45%EB:729/91%EM:833/86%",
["찬이"] = "EB:699/88%EM:877/90%",
["리바이벌전사"] = "ET:674/88%EB:654/84%EM:518/77%",
["슈퍼블랙"] = "LT:644/98%EB:701/88%EM:904/92%",
["머드"] = "ET:274/83%EB:709/90%EM:863/89%",
["스랑"] = "EB:664/85%EM:770/81%",
["혼주"] = "EB:576/81%EM:875/93%",
["Bois"] = "ET:786/93%LB:744/97%EM:828/88%",
["Mihyuni"] = "ET:659/84%LB:724/96%EM:771/86%",
["하람"] = "LT:568/97%EB:687/94%EM:833/92%",
["마음을갖지않은자"] = "ST:742/99%LB:720/95%EM:768/86%",
["에일레스"] = "ET:370/86%EB:510/91%EM:669/81%",
["히어리봄의노래"] = "EB:340/75%RM:473/56%",
["궁극의힐러"] = "ET:601/76%EB:542/78%EM:702/81%",
["오드리될번"] = "UT:120/38%RB:509/74%RM:607/67%",
["힐받으면풍성해짐"] = "ET:604/78%EB:610/87%EM:689/76%",
["Naspriest"] = "UT:118/38%EB:610/84%RM:550/65%",
["으랴술사"] = "ET:663/82%EB:656/89%EM:763/84%",
["까몽"] = "RT:573/73%LB:584/96%EM:818/91%",
["석가므니"] = "ET:315/84%EB:619/87%EM:796/86%",
["설대인"] = "RB:511/74%RM:662/73%",
["말보로맨"] = "UT:111/35%EB:541/77%UM:247/45%",
["라크슈마"] = "EB:638/88%EM:771/84%",
["Malleficent"] = "RT:178/60%EB:516/92%EM:719/82%",
["아리안엘리"] = "LT:492/95%EB:684/93%EM:715/79%",
["준바"] = "EB:588/82%RM:488/53%",
["걍뭐쩝"] = "RB:516/72%RM:615/68%",
["콜린사제"] = "EB:531/77%RM:568/63%",
["데쿤"] = "ET:763/92%LB:708/95%LM:921/95%",
["안녕하신가유"] = "ET:770/93%EB:644/88%EM:704/78%",
["맹골성기사"] = "RT:405/52%LB:729/96%LM:923/97%",
["Daphny"] = "EB:475/90%EM:796/86%",
["라이니아"] = "ET:362/88%EB:693/94%EM:888/93%",
["문유리"] = "UT:212/26%EB:507/92%EM:678/78%",
["Jellyfishl"] = "EB:585/81%EM:696/80%",
["미소의테레사"] = "ET:428/93%EB:662/91%EM:818/90%",
["제악관"] = "RT:225/70%EB:706/94%EM:845/90%",
["타오르는여신"] = "LT:519/96%EB:633/89%EM:790/86%",
["달콤한나무"] = "ET:776/93%LB:725/95%EM:761/83%",
["천마강림"] = "RT:383/50%EB:652/90%RM:651/74%",
["루엔시아"] = "ET:661/83%EB:522/92%EM:857/92%",
["Chamomile"] = "RT:463/58%EB:627/88%EM:733/84%",
["토끼라켓소"] = "ET:651/82%LB:723/95%LM:948/97%",
["악몽신성"] = "RT:176/54%RB:490/71%RM:667/74%",
["후안바리스"] = "EB:653/89%EM:820/88%",
["이뻐서미안해"] = "RT:476/61%EB:670/92%EM:857/92%",
["옥뿐이"] = "ET:310/80%EB:693/94%EM:838/90%",
["힐없찐"] = "RT:581/74%EB:654/90%EM:796/86%",
["여래"] = "ET:666/83%EB:583/81%RM:516/57%",
["미모"] = "ET:716/89%LB:560/95%EM:849/91%",
["얼마나좋을까"] = "ET:367/89%EB:684/93%EM:752/86%",
["빚의축복받은거지"] = "ET:257/75%EB:663/90%RM:676/74%",
["민설"] = "CT:33/4%EB:522/76%RM:528/62%",
["금발의제니"] = "RT:524/66%EB:658/91%EM:718/82%",
["라크웨르"] = "ET:573/77%EB:683/93%EM:747/81%",
["잘살아라"] = "EB:408/82%RM:592/69%",
["오늘주문내일도착"] = "RT:570/72%EB:630/88%RM:500/55%",
["Savoiardi"] = "EB:565/81%RM:643/71%",
["나탈리포트만"] = "ET:266/75%EB:652/91%RM:600/66%",
["삵검발"] = "ET:704/88%EB:675/92%EM:815/90%",
["Cardinal"] = "RT:164/51%RB:513/74%EM:684/75%",
["망경이"] = "LB:733/96%EM:814/91%",
["싱어지니"] = "EB:533/94%EM:706/77%",
["피닉스의심장"] = "LT:508/96%EB:634/88%EM:850/90%",
["Brit"] = "UT:341/45%EB:451/88%EM:736/81%",
["사부님"] = "ET:707/86%EB:670/90%EM:800/86%",
["패앵슈"] = "ET:634/79%EB:579/82%EM:746/85%",
["다른생각"] = "RT:580/74%EB:667/90%EM:805/86%",
["뽕뽕수뿡"] = "UT:375/47%EB:687/92%EM:837/89%",
["알쏭달송해"] = "ET:707/88%EB:685/93%EM:772/83%",
["전사도미"] = "ET:376/93%EB:682/91%EM:819/85%",
["바닐라라떼"] = "LT:791/98%LB:779/97%LM:938/96%",
["우트레드"] = "LT:563/98%EB:701/92%LM:874/95%",
["Juniper"] = "LT:575/97%LB:762/96%LM:924/95%",
["미스사냥꾼"] = "LT:777/98%LB:785/98%LM:968/97%",
["지옥행급행열차"] = "ET:581/78%EB:607/84%EM:649/76%",
["곰이그랬어요"] = "LT:761/96%LB:783/98%SM:981/99%",
["초룡신"] = "ET:722/92%EB:563/91%EM:915/93%",
["탄서"] = "ET:637/84%EB:662/84%EM:823/86%",
["집나간삼촌"] = "ET:681/89%EB:701/93%EM:839/88%",
["인파"] = "ET:687/89%EB:739/94%EM:837/88%",
["노움기공악마흑마"] = "ST:731/99%SB:806/99%EM:916/94%",
["먼지냥"] = "LT:751/96%LB:763/96%SM:1017/99%",
["달콤젤리"] = "LT:710/95%LB:719/95%EM:782/89%",
["천호동"] = "LT:639/98%EB:719/90%EM:911/93%",
["물빵은내꺼"] = "ET:626/83%EB:729/93%RM:666/73%",
["라비니아"] = "LT:762/96%LB:752/95%EM:860/89%",
["살꼬기"] = "ET:608/79%EB:624/81%EM:765/81%",
["블러드본"] = "ET:647/85%LB:763/96%LM:941/96%",
["Garu"] = "ET:314/86%EB:699/92%EM:766/82%",
["아이리비"] = "LT:522/96%EB:740/94%EM:838/91%",
["설사람인지아러어"] = "ET:679/87%EB:721/91%EM:903/93%",
["수면바지"] = "ET:648/86%LB:751/96%LM:943/97%",
["암흑루시"] = "ET:740/94%LB:768/96%LM:937/95%",
["이자야"] = "LT:529/97%EB:694/88%EM:827/86%",
["똥줄타나"] = "ET:658/86%LB:752/96%LM:970/98%",
["조지워싱턴"] = "LT:751/96%LB:795/98%EM:877/90%",
["그렉노움먼"] = "ET:330/88%EB:507/88%EM:747/79%",
["콜로"] = "LT:736/95%LB:766/97%EM:822/92%",
["누림"] = "ET:635/84%LB:646/98%LM:963/97%",
["Mithrandir"] = "ET:721/93%LB:772/98%RM:546/60%",
["놀페라"] = "ET:636/83%EB:676/85%RM:509/54%",
["사랑이란"] = "LT:434/96%EB:655/84%EM:708/75%",
["마나귀신"] = "ET:680/88%LB:735/95%EM:840/88%",
["밀레니엄"] = "ST:688/99%LB:782/98%LM:907/96%",
["마법부"] = "ET:329/89%LB:596/96%LM:920/96%",
["이뿌쥐"] = "ET:261/79%RB:529/71%EM:796/84%",
["나도가자"] = "ET:386/92%EB:647/84%EM:841/86%",
["쵸핀"] = "ET:710/91%LB:779/98%LM:927/97%",
["도적달기"] = "RT:558/73%RB:547/73%EM:791/83%",
["마법곰돌림"] = "ET:656/86%EB:720/94%EM:783/84%",
["덴티법사"] = "RT:511/69%EB:496/91%EM:775/87%",
["굿만두"] = "ST:662/99%EB:650/84%EM:824/85%",
["Pocari"] = "ET:700/90%LB:791/98%EM:904/93%",
["Soos"] = "LT:563/97%EB:606/84%EM:723/78%",
["소심한가가멜"] = "ET:356/91%LB:572/95%EM:821/90%",
["시리카"] = "ET:279/83%EB:675/85%EM:877/90%",
["투에"] = "RT:535/71%EB:690/89%EM:774/83%",
["법고"] = "ET:634/84%LB:749/95%LM:936/96%",
["낙하하는저녁"] = "ET:695/90%LB:781/98%EM:854/90%",
["훅샷"] = "ET:701/91%EB:642/84%RM:481/50%",
["Hirsiz"] = "RT:213/69%EB:650/82%EM:917/93%",
["Blacklist"] = "ET:733/94%EB:723/92%EM:924/94%",
["도담찌개"] = "ET:396/93%LB:764/96%EM:850/93%",
["법사델루나"] = "ET:353/90%LB:783/98%LM:928/95%",
["도난주의"] = "ET:440/94%EB:576/76%RM:689/74%",
["운암명가"] = "ET:618/80%EB:728/92%EM:868/90%",
["새벽늑대"] = "RT:533/73%EB:613/80%EM:848/88%",
["발광머리깽"] = "ET:694/90%LB:770/97%LM:919/96%",
["늑대의자존심"] = "ET:276/83%EB:676/86%RM:662/73%",
["희경"] = "RT:551/73%EB:503/91%RM:596/66%",
["말레이시키야"] = "ET:622/82%EB:713/94%EM:872/94%",
["Orim"] = "RT:529/74%RB:548/73%",
["빵상"] = "RT:440/58%LB:592/96%RM:580/64%",
["막심우스"] = "ET:305/86%LB:756/97%LM:956/98%",
["얼라리"] = "RT:518/70%EB:612/84%EM:747/81%",
["애기도적"] = "ET:362/90%RB:554/74%RM:693/73%",
["Edark"] = "RT:527/70%EB:649/84%EM:831/86%",
["나루켄"] = "RT:545/72%EB:711/89%EM:850/87%",
["타고난근성"] = "ET:572/77%EB:678/87%EM:725/79%",
["벌집삼겹살"] = "RT:223/72%EB:592/78%EM:846/89%",
["와콩"] = "ET:347/90%EB:715/91%EM:805/85%",
["Nugu"] = "ET:614/81%EB:646/83%EM:789/89%",
["하지만얼음도없지"] = "RT:480/65%RB:405/59%RM:473/59%",
["타로밀크티"] = "ET:677/88%EB:740/93%EM:832/86%",
["로만기사"] = "RT:234/71%EB:549/78%RM:437/50%",
["와써요"] = "RT:252/74%RB:461/66%RM:496/54%",
["택배"] = "RT:203/64%EB:530/75%RM:619/71%",
["문장"] = "UT:363/45%RB:503/69%EM:685/75%",
["문지기주술사"] = "RT:523/65%EB:497/90%EM:726/81%",
["어린이성기사"] = "ET:329/84%RB:435/59%RM:565/62%",
["하늘누리"] = "ET:404/90%EB:500/90%EM:738/83%",
["루시프론"] = "RT:511/66%RB:306/67%UM:329/34%",
["해삼물회"] = "ET:742/90%EB:684/92%EM:858/91%",
["사랑이사제"] = "RT:421/53%RB:500/69%RM:501/55%",
["조시나"] = "RT:479/61%EB:454/86%EM:704/79%",
["엘리앙"] = "UT:327/40%EB:703/94%UM:433/47%",
["황도캔"] = "LT:496/95%EB:589/83%RM:503/60%",
["커피빙수"] = "UT:106/33%UB:349/47%UM:250/29%",
["파이어기사"] = "UT:116/40%EB:633/87%EM:846/90%",
["칼리나"] = "RT:152/52%RB:475/68%RM:476/69%",
["수네수네수네"] = "RT:205/64%RB:435/61%RM:455/53%",
["클릭하지마라요"] = "RT:412/52%EB:537/76%RM:475/55%",
["딜드루"] = "ET:684/85%EB:681/91%EM:712/87%",
["시가르다"] = "RT:525/71%EB:464/89%EM:733/80%",
["힐줄껭"] = "RT:175/58%RB:431/62%RM:461/50%",
["무명주술"] = "ET:334/83%EB:540/77%EM:769/83%",
["변신곰"] = "RT:471/65%EB:629/88%EM:762/83%",
["도엽사제"] = "RT:386/73%EB:431/85%RM:600/66%",
["막대방"] = "RT:525/67%EB:678/91%EM:466/82%",
["행은별"] = "RT:530/69%EB:635/88%EM:763/85%",
["무적귀환중"] = "UT:367/48%EB:573/79%RM:670/73%",
["코리알스트라즈"] = "UT:100/35%RB:535/74%EM:705/77%",
["곰루미"] = "LT:489/95%EB:625/87%EM:751/84%",
["베이직"] = "UT:117/37%RB:531/74%EM:798/87%",
["진사명륜"] = "RT:155/52%RB:511/73%UM:328/34%",
["존재감있습니다"] = "ET:685/85%EB:649/89%EM:818/89%",
["Hiru"] = "ET:383/88%RB:435/62%RM:628/72%",
["Teamkill"] = "RT:218/68%EB:601/84%EM:602/77%",
["시드의여왕"] = "RT:221/69%EB:522/75%RM:478/54%",
["왜죠"] = "RT:472/59%EB:518/81%EM:583/78%",
["Undepriest"] = "CT:69/20%RB:492/68%RM:551/61%",
["칸샤크"] = "RT:427/54%RB:378/53%CM:186/21%",
["쫀퐈이야"] = "ET:270/75%EB:581/83%RM:542/64%",
["키스블루"] = "UT:302/37%UB:319/43%RM:497/54%",
["힐줄꺼양"] = "RT:551/70%EB:589/83%EM:721/82%",
["말퓨"] = "RT:497/68%EB:523/76%RM:552/62%",
["드제로"] = "RT:169/52%RB:515/74%RM:474/56%",
["바이폴라디스오더"] = "UT:311/43%LB:723/95%RM:640/71%",
["닥치고돐진"] = "CT:113/12%RB:441/63%RM:544/64%",
["Dawnoble"] = "UT:144/45%RB:455/66%CM:81/6%",
["기사꼬냥"] = "RT:145/50%EB:523/75%RM:556/64%",
["희미"] = "ET:671/85%EB:487/79%EM:744/86%",
["Frostia"] = "RT:559/70%EB:633/88%RM:610/71%",
["노다루"] = "ET:338/85%EB:639/87%EM:732/80%",
["힐샤워공급전문"] = "LT:489/95%RB:401/57%UM:391/46%",
["Pesse"] = "ET:307/83%EB:471/89%EM:757/85%",
["궁그매허니"] = "RT:530/70%EB:598/84%EM:771/84%",
["고르독"] = "RT:444/58%EB:517/92%EM:696/77%",
["뽀올기사"] = "UT:126/42%RB:412/58%UM:358/41%",
["당가두"] = "RT:517/67%EB:664/91%RM:644/71%",
["올드맨사라"] = "UT:105/33%RB:233/56%UM:383/45%",
["말없는기사"] = "RT:156/52%EB:561/79%RM:516/56%",
["들후성희"] = "RT:225/69%EB:358/77%EM:675/75%",
["대드루포미"] = "RT:165/57%EB:398/83%EM:749/82%",
["양부장"] = "RT:558/70%EB:586/82%RM:201/53%",
["김불만"] = "ET:382/88%RB:464/64%RM:425/50%",
["무엇이든입어요"] = "ET:324/84%EB:562/78%EM:766/83%",
["프릭이"] = "ET:343/85%EB:670/91%RM:521/62%",
["두견"] = "CT:59/19%UB:288/39%RM:301/66%",
["웅카스"] = "LT:804/95%LB:726/96%EM:850/92%",
["Race"] = "RT:540/71%EB:595/82%EM:774/84%",
["제와"] = "ET:405/91%EB:621/85%RM:675/74%",
["Darkloky"] = "RT:420/56%EB:646/89%EM:733/87%",
["봉술이"] = "ET:404/89%RB:503/72%EM:720/79%",
["을지부르"] = "RT:418/53%EB:561/94%EM:807/87%",
["망치기사"] = "RT:409/51%EB:657/89%RM:622/68%",
["길곰"] = "ET:702/87%EB:659/89%EM:793/86%",
["블랙힐링"] = "RT:487/63%EB:548/78%RM:532/58%",
["진저브레드"] = "UT:213/25%EB:544/75%RM:469/51%",
["응응주수리"] = "RT:421/52%EB:578/79%EM:764/83%",
["아쵸"] = "LT:652/98%LB:717/95%EM:783/85%",
["미농"] = "RT:400/50%EB:581/83%RM:589/69%",
["푸른드루"] = "RT:512/70%EB:598/82%EM:812/87%",
["조용한언니"] = "ET:667/86%EB:530/89%EM:720/77%",
["샤룬"] = "ET:307/85%EB:730/92%EM:709/76%",
["아프게쑤셔"] = "LT:449/95%LB:760/96%LM:953/97%",
["엘라스틴해쓰요"] = "EB:656/84%EM:805/84%",
["칠흑의바람"] = "RT:441/58%EB:570/92%EM:841/86%",
["레디아"] = "RT:172/59%EB:698/89%EM:901/92%",
["레몬크림"] = "UT:362/48%EB:686/88%EM:932/94%",
["크랜베리스"] = "EB:668/86%EM:744/79%",
["뒤치는걸"] = "LT:539/97%EB:716/91%EM:870/89%",
["제시핑크맨"] = "ET:317/87%EB:663/85%EM:780/81%",
["앵벌"] = "UT:128/46%EB:685/87%EM:846/89%",
["잠복근무중"] = "ET:405/93%EB:733/93%EM:894/91%",
["이큐"] = "LT:775/97%EB:738/93%EM:882/90%",
["노움헌터"] = "SB:872/99%SM:1015/99%",
["뇌피셜"] = "ET:605/81%LB:772/98%EM:845/92%",
["도적가나"] = "ET:602/78%EB:641/83%EM:816/84%",
["서약"] = "LT:745/96%LB:763/97%LM:950/97%",
["Novitec"] = "ET:684/92%EB:657/84%EM:743/81%",
["도적왕존스"] = "RT:222/71%EB:625/81%EM:818/84%",
["환영의쵸"] = "LT:760/96%LB:794/98%EM:915/93%",
["여우훔치기"] = "UT:291/39%EB:632/82%EM:731/78%",
["뜯어버릴거야"] = "LB:749/96%EM:825/87%",
["에스코바르"] = "RT:214/69%EB:522/88%EM:832/86%",
["Lael"] = "ET:648/84%EB:607/94%EM:833/87%",
["블랙소드"] = "LT:620/98%EB:690/88%EM:765/82%",
["백향비"] = "EB:676/87%EM:834/86%",
["작년오늘"] = "UT:131/47%EB:691/87%EM:850/87%",
["무영녀"] = "LT:569/97%EB:576/92%EM:889/92%",
["환상속으로"] = "EB:663/84%EM:768/80%",
["디미트리"] = "UT:241/47%EB:641/88%EM:841/87%",
["픽사"] = "ET:663/87%LB:755/95%EM:925/94%",
["워찬"] = "ET:636/84%EB:688/87%EM:698/77%",
["도레"] = "RT:568/74%EB:733/92%EM:851/87%",
["변비씨"] = "EB:645/83%RM:561/60%",
["듀엔"] = "UT:290/39%EB:686/88%EM:809/84%",
["괜찮다소독했다"] = "RT:386/50%EB:644/83%EM:764/81%",
["지웰도적"] = "RT:506/67%LB:707/97%EM:830/86%",
["마다음워"] = "ET:291/83%LB:654/96%EM:887/92%",
["사나이뻣다"] = "ET:666/86%EB:720/91%EM:869/89%",
["너라줘도"] = "RT:168/58%EB:680/87%RM:702/74%",
["Amazing"] = "ET:619/82%EB:492/87%EM:776/81%",
["세무워커"] = "EB:735/92%LM:934/95%",
["성채"] = "ET:685/88%EB:702/89%LM:958/97%",
["내가죽여"] = "EB:634/82%EM:817/86%",
["풀림"] = "ET:675/87%EB:710/90%EM:910/92%",
["광검"] = "LT:564/97%EB:731/92%EM:902/92%",
["맞다보면아플껄"] = "ET:372/92%EB:672/86%EM:800/85%",
["곰이그렛어"] = "ET:675/88%LB:792/98%LM:932/96%",
["운전중"] = "ET:422/94%EB:687/88%EM:911/94%",
["아뜨"] = "ET:713/91%EB:550/90%LM:924/95%",
["신마워"] = "ET:624/82%EB:731/92%EM:879/91%",
["돌진하다쿵"] = "RT:541/74%EB:663/85%EM:802/84%",
["로켓트"] = "ET:424/94%EB:693/88%EM:778/82%",
["희망새극단"] = "LT:475/96%EB:684/91%EM:761/89%",
["복동이아빠"] = "UT:136/48%EB:634/82%RM:658/70%",
["놈리건엔젤"] = "ET:683/89%LB:741/96%EM:747/81%",
["어둠의사도"] = "ET:742/94%EB:687/88%EM:802/84%",
["도적그니"] = "EB:643/83%EM:772/80%",
["독극물바지"] = "ET:692/89%EB:585/92%EM:918/94%",
["투앤"] = "ET:320/87%EB:689/88%EM:721/77%",
["걸음이빠른아이"] = "EB:677/85%EM:809/84%",
["탱구도도"] = "ET:619/81%LB:695/97%LM:925/95%",
["몰래살금살금"] = "ET:392/93%EB:723/92%EM:858/89%",
["근신의전설"] = "EB:483/87%EM:864/88%",
["협소"] = "ET:429/94%LB:625/95%EM:869/90%",
["지나가는도적"] = "ET:242/75%EB:660/85%EM:811/85%",
["신주임"] = "ET:324/83%LB:580/96%EM:738/81%",
["힐못해"] = "RB:455/65%EM:768/88%",
["회드시면술이공짜"] = "ET:727/90%EB:682/92%EM:869/94%",
["Deker"] = "RT:173/54%RB:507/73%RM:583/64%",
["Elin"] = "RT:546/69%EB:545/78%RM:634/74%",
["비나리마녀"] = "CT:94/9%RB:536/74%RM:624/69%",
["해리트루먼"] = "ET:348/86%EB:478/88%RM:633/72%",
["히잇"] = "ET:278/75%EB:656/91%EM:769/84%",
["매듭달"] = "RT:182/60%EB:614/86%RM:561/61%",
["빨대사제"] = "EB:628/87%EM:827/89%",
["네르미르스"] = "RT:455/61%EB:576/83%RM:551/61%",
["나에리독한년"] = "RT:216/64%EB:605/86%EM:541/86%",
["오렌지낑깡"] = "ET:643/82%EB:586/81%EM:707/80%",
["니프나"] = "EB:685/93%EM:871/93%",
["열두달"] = "EB:354/77%EM:746/82%",
["홍어맛사탕"] = "EB:479/90%EM:744/81%",
["행정안전부"] = "ET:680/88%LB:582/96%EM:818/91%",
["산코"] = "RT:237/68%EB:581/81%UM:450/49%",
["오리발"] = "LT:494/95%EB:550/79%RM:601/70%",
["티리엘폴드링"] = "EB:631/86%EM:884/93%",
["야매법사"] = "ET:582/76%LB:759/97%LM:945/97%",
["템플메이커"] = "ET:595/76%EB:675/92%EM:779/84%",
["Jane"] = "RT:206/62%EB:464/88%RM:596/70%",
["소다맛뽕따"] = "ET:279/79%EB:651/90%EM:754/86%",
["앤소니디노조"] = "ET:444/93%EB:690/93%EM:832/89%",
["야메간호사"] = "EB:381/80%UM:398/47%",
["도우미걸"] = "ET:631/79%EB:630/88%EM:833/90%",
["네오엔더슨"] = "EB:704/94%EM:724/79%",
["쉐링턴"] = "EB:643/88%EM:755/82%",
["담화"] = "ET:633/84%EB:658/91%EM:846/90%",
["꼰대마눌"] = "RT:585/74%EB:589/84%EM:676/78%",
["키위맛사탄"] = "EB:611/86%RM:673/74%",
["뒤통수사냥꾼"] = "ET:717/89%EB:525/92%EM:800/88%",
["까칠한그녀"] = "ET:295/79%EB:506/91%EM:829/89%",
["엘리니"] = "EB:604/83%RM:608/67%",
["백운사제"] = "RT:250/70%EB:555/77%EM:656/76%",
["소노"] = "EB:603/83%EM:710/82%",
["우발"] = "RT:447/60%EB:609/87%EM:780/88%",
["힐받음내꺼다"] = "EB:563/78%EM:789/89%",
["프리스트웬디"] = "RT:395/50%EB:547/79%EM:563/75%",
["캐어"] = "SB:805/99%SM:978/99%",
["야옹야웅"] = "ET:273/79%EB:613/84%EM:768/83%",
["아잉눈부셔"] = "ET:711/88%EB:519/92%EM:695/80%",
["니가그걸왜먹어"] = "CT:192/22%EB:558/80%EM:700/77%",
["소드뮤즈"] = "EB:633/86%EM:869/92%",
["효의왕후"] = "RB:497/72%RM:440/52%",
["Primrose"] = "RT:165/57%EB:661/91%EM:824/91%",
["구하리엑스"] = "UT:332/41%EB:569/81%RM:282/57%",
["냥냥리온"] = "EB:585/84%EM:643/75%",
["두부한모추가요"] = "ET:570/75%EB:561/81%EM:743/85%",
["새우구이"] = "EB:620/87%",
["Haki"] = "ET:644/82%EB:681/92%EM:834/91%",
["백원만요"] = "ET:724/89%LB:723/96%LM:935/97%",
["Supertramp"] = "EB:617/86%EM:719/81%",
["타우렌갈비탕"] = "UT:287/36%EB:705/94%EM:713/78%",
["제이무어"] = "RT:213/64%EB:567/81%EM:682/79%",
["루시스사케르도스"] = "EB:414/84%EM:796/86%",
["요호란"] = "ET:622/81%EB:609/86%EM:685/79%",
["춘향아씨"] = "RT:449/57%EB:616/87%RM:533/63%",
["오빠한번만"] = "RB:497/72%RM:646/71%",
["우유맛촉수"] = "ET:483/94%EB:545/78%RM:611/71%",
["스포르자"] = "RT:492/63%EB:535/76%EM:778/84%",
["또인내"] = "ET:312/82%EB:701/94%EM:648/75%",
["솜방맹이드려요"] = "ET:272/77%EB:552/80%EM:786/89%",
["설레힐"] = "LT:522/96%EB:576/82%EM:838/90%",
["돌아온라라"] = "RT:255/73%EB:595/85%",
["시로마"] = "RB:512/74%RM:490/53%",
["님비곰비"] = "RT:531/70%EB:698/94%EM:825/90%",
["Erruryl"] = "EB:598/83%RM:458/54%",
["치요"] = "RB:450/65%UM:390/42%",
["Flocke"] = "UT:264/33%RB:464/67%EM:694/80%",
["뚱이코코"] = "RT:484/61%EB:570/81%EM:700/77%",
["갤사제"] = "UT:392/49%EB:620/87%EM:725/80%",
["돌아온곰네마리"] = "ET:412/94%EB:658/89%EM:821/90%",
["강실장"] = "RT:524/71%RB:439/60%EM:795/84%",
["치로법사"] = "RT:415/55%EB:552/78%EM:850/92%",
["Riley"] = "ET:607/79%EB:374/75%EM:872/90%",
["서면"] = "ST:723/99%LB:773/97%EM:895/90%",
["Oldboy"] = "ET:735/94%LB:757/95%EM:892/92%",
["쿠엉"] = "ET:578/76%EB:611/80%EM:786/82%",
["언데드뇬"] = "ET:299/85%EB:721/94%EM:827/87%",
["진말로"] = "ET:594/85%EB:657/89%EM:785/82%",
["대우증권"] = "ET:333/89%EB:705/93%EM:757/81%",
["온양"] = "ST:751/99%EB:724/92%EM:897/93%",
["요정옘찡벨"] = "ET:641/83%EB:646/83%RM:693/73%",
["유리퀸"] = "ET:618/82%EB:666/90%EM:775/87%",
["이비서"] = "ET:287/84%EB:731/93%LM:901/95%",
["짱암사"] = "ST:805/99%SB:848/99%LM:948/98%",
["주당여전사"] = "RT:204/69%EB:706/91%EM:826/87%",
["설인아"] = "RT:410/56%EB:552/78%RM:596/70%",
["자그만앙마"] = "ET:697/91%EB:696/89%EM:800/83%",
["용투사"] = "ET:319/88%EB:726/92%EM:620/79%",
["줄파락노가다김씨"] = "LT:741/95%LB:761/97%EM:850/92%",
["네즈미코조"] = "LT:519/97%EB:705/89%EM:878/90%",
["죠댄"] = "ET:577/77%EB:678/91%RM:644/71%",
["내창고"] = "ET:716/92%EB:703/89%RM:692/72%",
["문군"] = "ET:733/94%SB:802/99%SM:993/99%",
["마나가부족"] = "ET:657/86%LB:772/97%LM:905/96%",
["체사레파조티"] = "ET:278/82%EB:713/91%EM:883/92%",
["스타일리쉬"] = "RT:465/66%EB:542/91%EM:784/82%",
["케로링"] = "ET:727/93%EB:728/92%RM:558/60%",
["Windforcell"] = "ST:767/99%LB:684/97%LM:983/98%",
["빛보다빠른포기"] = "ET:713/92%EB:742/93%RM:682/72%",
["청화"] = "ET:353/90%SB:726/99%SM:1001/99%",
["Foodstylist"] = "ET:604/80%LB:581/95%RM:679/74%",
["오드리또뚜"] = "ET:618/87%LB:614/96%LM:914/95%",
["데스브랜드"] = "ET:668/87%EB:682/87%EM:835/88%",
["조변"] = "RT:514/70%EB:636/87%EM:748/85%",
["앙증맞은콩아"] = "ET:317/87%EB:545/78%EM:642/76%",
["뚜이랑"] = "ET:637/84%LB:752/95%EM:859/90%",
["보노보스"] = "ET:310/87%RB:428/63%EM:749/87%",
["얌얌분식"] = "ET:276/82%EB:533/93%EM:837/88%",
["꼬얌님"] = "RT:174/62%RB:420/62%RM:617/72%",
["법사냥냥"] = "ET:342/89%EB:732/93%EM:846/92%",
["내머리속지우개"] = "ST:755/99%LB:790/98%LM:953/97%",
["흑통령"] = "LT:753/96%LB:751/95%LM:953/97%",
["곱다"] = "ET:622/81%EB:439/81%EM:735/77%",
["영은"] = "ET:697/90%EB:506/88%EM:824/88%",
["Alexis"] = "ET:721/93%LB:599/96%LM:952/96%",
["공공칠빵"] = "ET:650/89%EB:707/93%LM:923/97%",
["휵휵"] = "LT:769/97%LB:757/95%LM:946/96%",
["케멘타리"] = "ET:589/79%LB:745/96%EM:884/92%",
["우라노"] = "ET:681/89%EB:633/83%EM:711/76%",
["천생냥꾼"] = "ET:731/93%LB:780/98%LM:940/96%",
["Chrome"] = "LT:761/96%EB:593/78%RM:669/72%",
["물오른홍식이"] = "ET:332/89%EB:679/87%EM:872/89%",
["깅이"] = "ET:320/87%EB:704/93%EM:760/82%",
["쫀스노우"] = "ET:595/79%EB:707/91%EM:898/93%",
["싱글링"] = "LT:790/98%LB:775/97%EM:772/76%",
["전장의하루"] = "ET:335/88%EB:647/84%EM:704/75%",
["엥옹"] = "RT:226/74%LB:727/95%LM:908/96%",
["얼굴로탱한다"] = "LT:739/95%LB:779/98%LM:936/96%",
["옆집아이"] = "RT:423/58%LB:765/96%LM:938/96%",
["슈퍼"] = "ET:721/92%EB:746/94%EM:896/91%",
["짚직"] = "ET:688/92%LB:737/95%LM:956/97%",
["법사무명"] = "ET:577/77%EB:657/89%EM:882/94%",
["앙콩"] = "ET:596/80%LB:750/96%LM:918/96%",
["보더랜드"] = "ET:336/89%LB:755/95%EM:854/88%",
["아쿠아세인"] = "ET:301/85%EB:487/87%EM:831/87%",
["마법사차도녀"] = "RT:527/70%EB:569/79%RM:609/67%",
["오빠믿고불꺼"] = "LT:462/96%EB:581/92%EM:907/94%",
["스내퍼"] = "ET:567/76%EB:471/85%EM:778/83%",
["에프씨바로싼누나"] = "ET:703/93%EB:705/92%EM:926/94%",
["암살드뽕"] = "RT:558/73%EB:638/83%EM:789/82%",
["작은결정"] = "RT:519/70%LB:720/95%EM:817/91%",
["고전미인"] = "RT:232/74%EB:651/84%EM:790/82%",
["앨래래투"] = "ET:284/77%RB:484/67%RM:602/70%",
["낭만닥터"] = "RT:193/63%EB:588/81%RM:575/63%",
["달빛의구름"] = "LT:576/97%EB:688/92%EM:683/75%",
["가죽세공해요"] = "RT:193/64%EB:630/88%EM:663/77%",
["루하링"] = "UT:108/38%EB:520/75%RM:651/71%",
["에스델"] = "RT:510/68%EB:614/84%RM:607/67%",
["엘프왕"] = "RT:244/72%EB:652/90%EM:869/92%",
["다라다라단"] = "UT:122/38%RB:515/74%RM:608/71%",
["그대이름으로"] = "CT:150/16%EB:524/75%EM:742/81%",
["차가운손길"] = "RT:542/71%EB:596/84%EM:648/75%",
["Noir"] = "CT:104/10%EB:544/75%RM:632/69%",
["공공사제"] = "UT:235/28%UB:300/39%UM:402/43%",
["으르렁대지마"] = "ET:753/91%EB:530/92%EM:834/91%",
["얼큰이"] = "CT:75/22%RB:434/62%RM:426/50%",
["Total"] = "RT:162/56%EB:597/84%RM:614/73%",
["드루이드호야"] = "ET:630/80%EB:604/84%EM:725/82%",
["힐포엎드려"] = "RT:557/72%RB:490/70%UM:409/49%",
["Bayaba"] = "UT:377/46%RB:206/52%CM:70/7%",
["데모닉"] = "UT:341/43%EB:566/80%RM:660/72%",
["성기사고양이"] = "CT:49/3%RB:402/54%RM:644/71%",
["주인마님"] = "ET:357/87%EB:627/87%EM:818/90%",
["지아가제일이뻐"] = "CT:83/7%UB:304/40%RM:641/70%",
["숨쉬는봄비"] = "UT:395/49%RB:388/55%UM:244/29%",
["기브미밀크"] = "UT:295/35%EB:554/81%EM:662/79%",
["월야흑화"] = "RT:547/71%EB:656/89%RM:647/72%",
["힐포술사"] = "RT:508/63%EB:615/85%EM:795/83%",
["블루데빌"] = "UT:352/44%EB:585/82%EM:773/84%",
["도엽왕자"] = "RT:475/64%EB:597/84%RM:480/74%",
["신암행어사"] = "CT:38/10%RB:437/60%CM:125/10%",
["다리몽댕이"] = "RT:183/60%EB:634/88%EM:668/77%",
["루나티크"] = "RT:335/74%EB:522/79%RM:577/73%",
["아마란드"] = "RT:418/54%RB:465/67%RM:633/70%",
["꼬규꼬규"] = "UT:371/45%RB:519/74%RM:610/68%",
["Trolls"] = "UT:340/41%EB:603/84%EM:708/80%",
["혜주마마"] = "RT:192/62%RB:355/50%UM:254/31%",
["성기사차도녀"] = "UT:372/47%RB:498/71%RM:561/64%",
["Beagle"] = "UT:132/48%RB:274/66%RM:432/67%",
["방랑자로즈메인"] = "UT:384/48%EB:649/89%RM:565/65%",
["마녀드루"] = "UT:112/42%RB:407/59%RM:512/68%",
["곰가재"] = "ET:305/81%EB:619/86%EM:731/82%",
["진저브래드"] = "UT:218/25%EB:567/78%RM:617/68%",
["임자생성기사"] = "CT:45/13%UB:263/34%RM:548/63%",
["널치유하겠어"] = "ET:311/82%EB:598/84%EM:720/82%",
["내가이짓을또"] = "CT:72/21%RB:514/71%RM:625/69%",
["커피물"] = "CT:33/5%RB:317/60%UM:37/34%",
["스팸스팸"] = "CT:12/2%UB:259/34%RM:206/52%",
["쉐쿠마루"] = "UT:21/29%EB:345/75%RM:604/62%",
["골드회복드루"] = "UT:272/37%RB:382/55%CM:120/13%",
["술먹을래"] = "UT:19/28%UB:56/40%RM:348/63%",
["에우메네스"] = "LT:550/96%EB:624/87%RM:547/61%",
["한달만하자"] = "ET:439/83%EB:621/86%EM:531/88%",
["보면준다"] = "UT:22/46%UB:322/44%UM:371/45%",
["잘박는술사씨"] = "RT:509/63%RB:402/57%RM:528/62%",
["폴워커"] = "ET:483/81%EB:665/90%EM:853/93%",
["질풍의롤로"] = "ET:439/81%RB:421/71%EM:720/84%",
["애인양"] = "ET:345/89%EB:645/89%EM:776/89%",
["밤비앙"] = "ET:635/93%LB:732/96%LM:893/95%",
["파카스"] = "ET:625/91%LB:775/98%LM:947/97%",
["까만마늘"] = "ET:562/92%EB:578/88%EM:798/86%",
["김약국"] = "ET:285/88%RB:212/71%EM:732/89%",
["아옭올옮"] = "ET:628/92%EB:504/91%EM:829/91%",
["아사나무"] = "ET:319/85%EB:657/85%EM:787/82%",
["진윤나얼"] = "ST:783/99%SB:798/99%SM:990/99%",
["코촉촉도아냥"] = "LT:734/96%EB:560/87%EM:554/78%",
["타우렌심마니"] = "LT:759/98%LB:736/97%RM:630/70%",
["뮤직맨"] = "ET:486/84%EB:679/91%EM:863/93%",
["흑마일호"] = "ET:264/79%LB:774/97%EM:779/81%",
["비통"] = "LT:740/97%LB:763/98%LM:904/96%",
["탱딜탱딜"] = "ET:601/92%EB:674/93%EM:677/84%",
["Rey"] = "LT:441/96%EB:639/92%EM:624/82%",
["알랭드루"] = "LT:652/95%SB:781/99%LM:942/98%",
["히메로고스"] = "ET:506/77%EB:521/82%RM:453/72%",
["킹스맘"] = "ET:178/84%EB:628/89%EM:762/91%",
["고려청자켓"] = "ET:677/92%SB:798/99%LM:959/98%",
["체인실명"] = "UT:352/48%EB:695/89%EM:859/90%",
["초혼"] = "RT:434/59%EB:647/83%EM:814/87%",
["Ennis"] = "SB:795/99%EM:875/91%",
["작전"] = "ET:612/82%EB:616/94%EM:808/86%",
["News"] = "ET:361/90%EB:702/89%LM:925/95%",
["Zootiger"] = "ET:708/94%LB:762/97%LM:893/96%",
["등확찢"] = "ET:248/76%EB:637/83%EM:798/84%",
["막찔러"] = "ET:366/91%EB:685/88%EM:889/91%",
["여러분방가요"] = "LT:777/98%LB:790/98%LM:926/96%",
["아나리요"] = "ET:653/86%LB:755/95%EM:902/92%",
["여고생착해요"] = "ET:600/80%EB:740/94%EM:900/94%",
["데이토나"] = "ET:260/81%LB:770/96%LM:940/95%",
["씨티헌터"] = "ET:643/83%EB:717/91%EM:890/92%",
["혈문"] = "ET:671/86%LB:679/97%EM:917/94%",
["무장괴한"] = "RT:223/72%EB:472/85%EM:822/86%",
["약초할배"] = "ET:570/75%EB:702/88%EM:898/91%",
["좋아하는마음"] = "ET:430/94%EB:689/88%EM:897/91%",
["쩔딜"] = "LT:744/95%LB:790/98%LM:931/95%",
["Yrruryl"] = "ET:661/86%EB:680/87%EM:830/86%",
["Sigh"] = "RT:473/63%LB:781/98%LM:941/97%",
["Nadiya"] = "ET:429/94%EB:552/91%RM:535/59%",
["오늘하루도"] = "RT:562/74%EB:665/85%RM:695/74%",
["쪼니뎁"] = "ET:328/87%EB:700/89%EM:828/85%",
["다크템플러"] = "ET:683/88%LB:754/95%EM:838/86%",
["법사엔젤"] = "LT:761/96%SB:798/99%LM:935/97%",
["Coreman"] = "EB:623/81%EM:706/78%",
["Blond"] = "ET:620/94%SB:788/99%LM:936/97%",
["천창명월"] = "ET:291/85%EB:689/88%EM:660/91%",
["묵검향"] = "CT:61/20%LB:760/95%EM:848/89%",
["Madcat"] = "ET:642/83%EB:656/84%EM:845/88%",
["기사의대검"] = "ET:359/92%EB:658/85%EM:837/87%",
["미야코"] = "LT:559/98%LB:747/97%LM:936/97%",
["탱탱한노움"] = "ET:604/80%EB:687/87%EM:840/87%",
["헬파이어"] = "RT:494/67%EB:611/80%RM:567/61%",
["마스터오브워락"] = "SB:848/99%LM:953/97%",
["엘프남"] = "ET:414/93%EB:557/91%EM:827/85%",
["Aya"] = "ET:702/90%EB:704/89%EM:910/92%",
["클래식대도"] = "ET:262/80%EB:574/93%EM:815/84%",
["용갱"] = "ET:642/90%SB:839/99%SM:1028/99%",
["탱은나중에"] = "ET:316/88%EB:673/85%EM:855/88%",
["아이올라이트"] = "ET:314/87%EB:700/89%LM:917/95%",
["캡틴아프리카"] = "ET:588/80%EB:611/80%EM:695/84%",
["두살차이"] = "LB:689/97%EM:770/83%",
["형기쁘다"] = "EB:628/82%EM:817/84%",
["알약"] = "ET:366/90%EB:482/85%EM:811/85%",
["은밀한안방마님"] = "LT:529/96%EB:664/85%EM:717/76%",
["머뭇"] = "RT:349/50%EB:646/83%RM:588/67%",
["혈사"] = "UT:331/45%SB:799/99%LM:954/96%",
["분당막타"] = "ET:598/78%EB:672/86%EM:731/78%",
["숨기"] = "EB:669/86%EM:917/94%",
["완전평면"] = "ET:230/75%EB:695/88%EM:895/92%",
["설총"] = "ET:258/79%EB:540/91%EM:865/90%",
["케이월드"] = "ET:396/94%EB:657/84%EM:851/90%",
["하라버지"] = "ET:703/93%LB:700/98%LM:918/95%",
["내사랑기은이"] = "ET:677/88%LB:750/95%LM:971/98%",
["Wl"] = "LB:784/98%RM:641/66%",
["새린"] = "RT:445/60%EB:738/93%EM:778/81%",
["치질수술했소환수"] = "LT:759/96%LB:782/98%SM:986/99%",
["최강인숙님두번째"] = "RT:537/72%EB:626/81%RM:488/55%",
["강민이"] = "ET:382/93%EB:730/92%LM:942/97%",
["만두"] = "ET:314/87%LB:748/96%EM:861/87%",
["우주하마"] = "ST:708/99%LB:785/98%LM:942/97%",
["곰두리"] = "LT:490/97%SB:840/99%SM:1011/99%",
["마라쟁이"] = "LT:450/95%EB:533/89%LM:937/96%",
["Bobcha"] = "ET:300/85%LB:765/97%LM:943/96%",
["도적할범"] = "EB:652/82%EM:872/89%",
["정모모"] = "ET:658/87%LB:782/98%EM:913/93%",
["단도직업적"] = "ET:247/77%EB:646/84%EM:873/91%",
["법사레기어스"] = "ET:310/87%LB:774/98%LM:937/96%",
["히끼의달인"] = "UT:362/45%EB:694/94%RM:659/73%",
["Hamaliel"] = "CT:145/16%EB:545/78%RM:549/60%",
["둠씨"] = "ET:738/90%EB:556/79%EM:700/80%",
["풀나무"] = "RT:548/71%EB:574/81%EM:697/79%",
["띨띨하농"] = "RB:332/73%CM:140/12%",
["곰슬기"] = "ET:711/88%EB:714/94%EM:815/87%",
["휘리릿뽁"] = "RT:595/74%EB:500/90%EM:735/82%",
["아뿡"] = "ET:428/92%RB:501/69%EM:394/75%",
["원투쓰리"] = "RT:267/73%EB:494/90%EM:668/77%",
["몽랑이"] = "LT:611/98%EB:701/94%LM:891/96%",
["설야"] = "ET:623/82%EB:685/92%RM:632/69%",
["Polaris"] = "EB:593/84%EM:638/75%",
["아프행"] = "LB:721/96%LM:913/96%",
["비치비치"] = "ET:660/83%EB:667/92%LM:880/95%",
["밤까마긔"] = "ET:642/82%EB:667/91%RM:542/74%",
["Xeellos"] = "EB:541/79%RM:569/63%",
["롤린"] = "LB:560/95%EM:846/90%",
["타렌수컷"] = "ET:196/75%EB:651/88%EM:835/89%",
["벨라트릭스"] = "RB:461/66%RM:553/74%",
["사랑이"] = "EB:623/87%RM:545/63%",
["예은"] = "LT:557/98%EB:616/84%EM:817/87%",
["느들"] = "ET:454/94%EB:572/81%RM:614/67%",
["아이키미"] = "UT:263/32%EB:579/83%EM:699/80%",
["테이샤"] = "ET:651/82%EB:640/88%EM:740/81%",
["Serafim"] = "EB:572/79%EM:869/92%",
["김솔"] = "RT:186/57%EB:529/76%EM:709/81%",
["마이턴"] = "RB:484/71%RM:600/70%",
["드웜사제"] = "EB:430/86%RM:552/61%",
["쓰랄과맞짱뜨는자"] = "RB:490/70%RM:478/52%",
["홍연지의"] = "ET:721/89%LB:718/95%EM:877/94%",
["뚱글이"] = "LB:592/96%EM:766/83%",
["아트기사"] = "RT:514/67%EB:579/82%EM:760/85%",
["산타는해녀"] = "UT:150/47%EB:529/76%RM:617/72%",
["유월의복숭아"] = "ET:770/93%LB:740/97%EM:884/93%",
["흠칫"] = "ET:777/93%LB:609/96%EM:761/83%",
["Naturaleza"] = "ET:737/90%LB:723/95%EM:827/88%",
["대사제보미"] = "ET:373/87%RB:500/72%UM:332/39%",
["별의키스"] = "ET:596/77%EB:670/90%EM:798/86%",
["축복을내리리라"] = "RT:235/69%EB:669/91%RM:624/73%",
["깊은유혹의꽃미남"] = "EB:390/79%EM:767/86%",
["Supremo"] = "ET:670/84%LB:720/96%EM:779/84%",
["제씨토끼"] = "UT:367/48%EB:527/77%RM:661/73%",
["향기나는은이"] = "CT:79/7%RB:516/72%EM:687/76%",
["Psyche"] = "ET:592/76%LB:711/95%EM:725/82%",
["날믿어요"] = "EB:397/82%RM:469/55%",
["떼쮜왜놈"] = "EB:603/85%EM:804/89%",
["블루진"] = "UT:341/43%RB:479/69%RM:560/66%",
["케이아린"] = "ET:395/91%EB:618/88%EM:752/82%",
["아까그샛기"] = "ET:670/84%EB:666/91%EM:842/92%",
["뽀펠라"] = "RT:548/71%EB:426/84%EM:734/83%",
["유비앙"] = "UT:143/45%RB:505/73%UM:409/48%",
["힐은누가하나요"] = "RT:255/73%EB:446/87%RM:614/72%",
["효녀인이"] = "ET:591/79%EB:661/89%LM:855/95%",
["난쟁이사제"] = "RT:571/72%LB:705/95%RM:648/71%",
["고냥"] = "EB:560/81%EM:684/75%",
["기사찐"] = "ET:645/82%EB:648/88%RM:667/73%",
["귀염이라이언"] = "ET:360/88%EB:619/86%EM:714/78%",
["제씨곰탱"] = "CT:161/22%EB:661/90%EM:792/87%",
["희매"] = "LT:508/96%EB:690/93%EM:725/79%",
["약사예요"] = "RT:503/63%EB:429/84%RM:636/74%",
["천사과니"] = "UT:387/48%EB:632/88%RM:667/74%",
["나영짱"] = "RT:202/61%EB:392/81%UM:337/40%",
["관찰자"] = "EB:674/91%EM:709/78%",
["치맥"] = "LT:495/95%EB:589/82%EM:691/80%",
["아미사제"] = "EB:544/78%EM:643/75%",
["시시포네"] = "CT:182/21%EB:579/80%EM:765/83%",
["지지베"] = "LT:758/96%EB:701/90%EM:822/85%",
["최전사"] = "ET:263/81%EB:660/85%EM:821/88%",
["장기에프"] = "ET:279/81%EB:594/93%EM:796/84%",
["캐릭터작명위반"] = "RT:497/66%EB:657/85%EM:846/87%",
["오크형"] = "RT:531/70%EB:689/87%EM:764/80%",
["갈치호빵"] = "LT:472/95%EB:483/85%EM:728/77%",
["아스드"] = "ET:240/77%EB:670/90%RM:648/71%",
["희여니"] = "ET:695/90%LB:776/97%EM:818/85%",
["쫄리"] = "ET:281/81%EB:684/87%RM:643/69%",
["Replay"] = "RT:433/62%EB:639/83%",
["악녀무비"] = "ET:571/77%EB:437/86%EM:799/89%",
["가이어"] = "ET:727/93%LB:755/95%EM:778/83%",
["용의뼈전리품"] = "ET:631/83%LB:674/96%EM:838/89%",
["이휴"] = "ET:642/84%EB:667/84%EM:853/87%",
["Rhyme"] = "LT:756/97%LB:776/98%LM:952/97%",
["Whatthe"] = "ET:435/94%LB:777/97%LM:962/97%",
["십엘름"] = "ET:360/91%LB:781/98%EM:882/94%",
["사랑헷"] = "RT:402/53%EB:706/93%EM:835/88%",
["Ryl"] = "LT:785/98%LB:756/96%EM:861/94%",
["미니멍뭉"] = "RT:421/55%UB:310/44%UM:432/47%",
["빡딜드뽕"] = "ET:270/82%EB:449/88%RM:635/70%",
["후니엄마"] = "ET:664/87%EB:606/84%EM:722/78%",
["멀가중멀중가중"] = "ET:733/94%EB:745/94%EM:932/94%",
["Soss"] = "ET:271/81%EB:707/93%EM:859/90%",
["또그럴"] = "RT:558/74%LB:790/98%RM:600/66%",
["청순글래머"] = "ET:341/89%EB:446/87%RM:648/71%",
["짝꿍"] = "RT:549/72%EB:496/87%RM:700/74%",
["바닐라프라페"] = "ET:378/92%LB:754/96%LM:906/96%",
["대머리법사"] = "RT:463/63%LB:640/98%EM:818/87%",
["빡탱"] = "ET:305/86%EB:685/91%EM:862/93%",
["곰탕재료푸양"] = "ET:349/90%EB:610/80%RM:579/64%",
["발자"] = "ET:355/90%EB:654/88%EM:673/79%",
["Festool"] = "LT:749/97%LB:744/96%LM:904/95%",
["탑건"] = "ET:671/88%LB:766/96%LM:979/98%",
["새벽에"] = "ET:573/75%EB:661/85%UM:456/48%",
["엎드려쏴"] = "LT:761/96%LB:785/98%EM:787/83%",
["Loonun"] = "ET:710/91%EB:744/94%LM:947/96%",
["건들면혼나"] = "ET:305/86%RB:493/65%RM:530/58%",
["딸꾹병말기"] = "ET:695/91%LB:758/96%LM:926/95%",
["박말구"] = "LT:646/95%LB:726/96%LM:910/97%",
["하엘일리나"] = "RT:238/74%RB:383/51%RM:618/68%",
["젤라또"] = "RT:546/73%EB:604/84%EM:748/86%",
["수도꼭다리"] = "ET:624/82%EB:540/93%EM:879/94%",
["루이전"] = "ET:344/90%LB:767/96%EM:880/91%",
["맞을래"] = "ET:239/76%EB:646/84%EM:791/84%",
["쪼삣"] = "ET:638/84%LB:620/97%EM:863/93%",
["헌터나루켄"] = "ET:739/94%LB:788/98%SM:996/99%",
["엉엉대지마"] = "ET:732/93%EB:730/92%EM:864/90%",
["이몽룡"] = "ET:360/91%EB:581/76%EM:590/77%",
["와우폐인"] = "ET:625/84%LB:778/98%LM:968/97%",
["고리장식이다"] = "RT:478/64%RB:419/61%RM:608/71%",
["루루카"] = "RT:205/70%EB:452/87%RM:678/74%",
["Silvanace"] = "RT:467/63%EB:532/75%EM:661/77%",
["어머이건꼭사야해"] = "ET:741/94%EB:694/88%EM:835/86%",
["홍마법"] = "ET:704/91%EB:453/88%EM:750/81%",
["Nuevoera"] = "ET:317/87%EB:454/88%UM:393/46%",
["유재석기시대"] = "RT:435/58%EB:505/91%EM:472/86%",
["율파랑"] = "LT:771/97%LB:792/98%LM:943/95%",
["트리마스"] = "ET:276/83%EB:662/85%EM:848/90%",
["냥꾼지로"] = "LT:745/95%EB:611/94%LM:980/98%",
["간딜프"] = "RT:494/66%EB:454/88%EM:731/79%",
["카포스"] = "ET:419/94%LB:732/95%EM:886/92%",
["탱글탱글"] = "ET:705/93%LB:743/95%LM:942/97%",
["Undeadninja"] = "RT:568/74%RB:556/74%EM:816/85%",
["별지기지니"] = "RT:521/68%RB:543/70%EM:717/76%",
["도깨비꾼"] = "ET:701/91%EB:717/91%EM:815/86%",
["Knopfler"] = "ET:274/82%EB:374/80%EM:744/80%",
["유키카제"] = "ST:732/99%LB:759/96%EM:880/90%",
["마법펑펑"] = "RT:391/53%EB:675/90%EM:804/85%",
["메카피즐뱅"] = "ET:680/88%LB:753/95%LM:936/95%",
["어둠의연소"] = "LT:749/95%LB:774/97%EM:882/91%",
["야옹이염"] = "RT:476/63%EB:537/77%RM:568/69%",
["산탄총"] = "LT:770/97%LB:710/98%LM:966/98%",
["제이슨김몬티"] = "ET:592/77%EB:651/84%EM:768/81%",
["떠그럴"] = "ET:654/91%LB:606/97%EM:757/89%",
["꼬꼬아빠"] = "ET:644/90%EB:634/91%EM:852/94%",
["아옳올옳"] = "ET:686/90%LB:768/97%LM:967/98%",
["갓찬"] = "RT:521/69%EB:474/85%EM:788/82%",
["좋은데이"] = "LT:701/97%LB:746/96%LM:886/95%",
["와퍼"] = "ET:708/91%LB:717/98%LM:954/97%",
["라젠카"] = "UT:260/35%RB:563/73%RM:620/64%",
["지금이순간"] = "ET:568/76%LB:767/96%LM:935/95%",
["드루엘런"] = "ET:531/91%EB:640/92%EM:753/89%",
["지그마핼든해머"] = "ET:591/93%EB:680/93%EM:779/90%",
["기계공학해요"] = "ET:630/83%EB:723/91%EM:829/86%",
["Nikkey"] = "ET:586/77%EB:685/87%EM:800/83%",
["루르"] = "LT:684/98%EB:744/94%EM:885/93%",
["딜도좀하자"] = "ET:714/92%EB:705/90%EM:886/91%",
["나중에"] = "ET:569/83%EB:694/92%EM:805/90%",
["분당구타"] = "ET:566/75%EB:676/86%EM:871/90%",
["그뇨속"] = "ST:743/99%EB:723/94%EM:883/94%",
["한강전사"] = "UT:331/46%EB:436/82%RM:658/73%",
["바지속에진동토템"] = "ET:678/92%EB:585/89%EM:678/86%",
["우왕굳"] = "ST:800/99%SB:720/99%SM:1009/99%",
["Nolfera"] = "LT:701/97%LB:621/97%LM:959/98%",
["개그"] = "ET:620/87%EB:723/94%LM:939/97%",
["들후조아"] = "ET:326/91%EB:653/92%EM:848/94%",
["에픽콜러"] = "ET:626/87%EB:713/93%LM:921/96%",
["보기가하고싶어요"] = "ET:563/88%LB:761/97%SM:977/99%",
["잔혹왕"] = "ET:702/93%EB:730/94%LM:917/95%",
["백분토론"] = "ET:682/93%LB:763/97%EM:879/93%",
["Luvholic"] = "ET:361/91%EB:697/88%EM:854/88%",
["이레즈미"] = "EB:709/89%EM:839/86%",
["흑해의붉은비"] = "ET:598/80%LB:757/97%EM:862/93%",
["니지갑속지우개"] = "EB:660/85%EM:857/88%",
["용순"] = "ET:606/81%EB:561/92%EM:911/93%",
["서너비"] = "ET:740/94%EB:735/92%EM:913/94%",
["홍월"] = "ET:268/79%EB:575/76%EM:709/76%",
["몽갱"] = "ET:693/89%LB:760/95%EM:848/88%",
["탈리온"] = "RT:161/58%EB:613/80%RM:636/71%",
["혼돈의주시자"] = "ET:651/84%EB:723/92%EM:837/87%",
["땡꺼"] = "RT:527/71%EB:676/86%RM:676/72%",
["밤빛차차"] = "EB:630/82%RM:556/61%",
["비프론스"] = "ET:732/94%EB:610/94%EM:860/89%",
["로켓파스타"] = "EB:709/89%EM:799/86%",
["월소"] = "UT:236/32%EB:667/86%EM:800/84%",
["히든버스"] = "RT:188/70%EB:587/77%RM:557/64%",
["꿈치꿈치"] = "LB:787/98%EM:809/84%",
["블랙슈팅"] = "LT:496/96%LB:762/96%EM:901/92%",
["조이풀"] = "RT:480/65%LB:769/97%EM:911/94%",
["좌걸"] = "LB:788/98%LM:909/96%",
["커크카엘"] = "EB:654/83%EM:875/89%",
["태백소화"] = "ET:654/86%LB:759/95%LM:925/96%",
["처자는뒷태"] = "ET:601/79%EB:679/87%EM:841/88%",
["민트야"] = "LB:787/98%LM:973/98%",
["혼자서마시는술"] = "ET:238/77%EB:619/81%EM:791/91%",
["Kworld"] = "ET:559/76%EB:658/85%EM:831/86%",
["대영이동생"] = "ET:291/85%EB:719/91%EM:824/87%",
["도적야캐요"] = "LT:575/97%EB:722/91%EM:854/88%",
["아이구찮"] = "ET:339/89%EB:715/91%EM:801/84%",
["도적가브"] = "EB:604/94%EM:869/89%",
["포텟"] = "ET:336/89%EB:505/88%EM:910/93%",
["두피모공케라시스"] = "EB:573/76%EM:798/84%",
["어둠의엘리"] = "ET:371/91%EB:655/84%EM:906/92%",
["Renstails"] = "RT:171/61%EB:685/86%LM:921/95%",
["Eleiica"] = "ET:616/82%LB:743/96%EM:865/93%",
["네당글"] = "ET:370/91%EB:549/91%EM:776/81%",
["양도양수"] = "ET:699/90%EB:486/86%EM:757/80%",
["Mojy"] = "EB:603/79%EM:539/79%",
["향숙이이뻣다"] = "LT:524/97%EB:703/89%EM:875/90%",
["에이스포카"] = "RT:224/74%EB:695/87%EM:843/87%",
["고귀한"] = "EB:670/86%EM:863/88%",
["Tantes"] = "EB:681/86%EM:728/77%",
["집에쌀떨어짐"] = "ET:719/92%EB:687/87%RM:618/69%",
["파이어탱"] = "EB:623/81%EM:705/77%",
["일주일틀니압수"] = "LT:753/96%SB:796/99%LM:932/96%",
["카케무샤"] = "RT:155/54%EB:570/75%CM:99/9%",
["소매치기영감"] = "ET:385/92%EB:587/77%EM:885/90%",
["이상형"] = "ET:580/76%EB:516/88%EM:811/85%",
["청순한그녀"] = "ET:617/80%EB:703/89%EM:829/85%",
["Pretty"] = "ET:290/84%EB:641/83%EM:829/85%",
["두루마귀"] = "ET:414/93%EB:627/81%RM:567/63%",
["유잉이"] = "ET:635/83%EB:721/91%EM:846/88%",
["비파랑"] = "ET:575/77%EB:692/88%EM:731/77%",
["은신한호랑이"] = "UT:87/32%EB:587/77%EM:762/80%",
["도둥"] = "EB:597/78%EM:776/82%",
["건배"] = "EB:574/76%RM:528/61%",
["버터새우"] = "ET:635/82%EB:560/91%EM:808/84%",
["붕날아차뿔라"] = "LT:487/96%EB:690/88%RM:659/71%",
["강부자"] = "LT:524/96%EB:696/89%EM:870/89%",
["이하루"] = "RT:173/62%EB:635/82%RM:468/68%",
["핑크토끼"] = "RT:235/73%EB:678/87%EM:764/80%",
["Dal"] = "EB:689/87%EM:840/86%",
["빌리조암스트롱"] = "ET:631/83%LB:777/97%EM:888/91%",
["리베"] = "EB:667/90%EM:763/83%",
["염전일"] = "EB:669/90%LM:929/96%",
["저세상힐"] = "EB:589/82%RM:625/69%",
["엔드"] = "CT:51/12%EB:630/87%EM:707/78%",
["Shelter"] = "RT:246/74%EB:501/91%RM:669/73%",
["레체니예"] = "LT:480/95%RB:534/74%EM:748/81%",
["Naspaladin"] = "UT:76/26%EB:543/94%RM:561/64%",
["Johnnana"] = "ET:285/76%EB:439/86%RM:584/65%",
["하늘연달"] = "ET:291/77%EB:578/82%EM:700/77%",
["김불순"] = "UT:149/46%EB:377/78%UM:321/38%",
["파이팔바티"] = "RB:396/57%EM:774/88%",
["Pontiff"] = "EB:654/89%EM:892/93%",
["추억으로"] = "ET:784/94%EB:671/91%EM:805/89%",
["박우유"] = "ET:591/89%EB:557/94%EM:782/89%",
["그린가디언"] = "UT:39/40%EB:443/86%UM:420/45%",
["빙구네맛집"] = "UT:159/49%EB:555/79%EM:655/76%",
["물약이나쳐드삼"] = "RT:179/56%EB:561/78%RM:547/60%",
["오늘은니가술사"] = "UT:284/34%EB:597/83%EM:706/77%",
["바티스트"] = "ET:575/77%LB:705/95%EM:827/91%",
["플라스틱러브"] = "RT:209/62%EB:518/75%RM:538/63%",
["샘소나이트"] = "LB:729/96%EM:828/88%",
["Raphaela"] = "EB:573/80%RM:658/73%",
["이브는"] = "UT:138/44%RB:528/73%EM:781/85%",
["츠나데"] = "EB:398/81%EM:752/82%",
["라미드우프닉스"] = "EB:569/82%UM:396/42%",
["스위트박스"] = "EB:499/91%EM:737/80%",
["진짜와린"] = "ET:624/80%EB:597/84%EM:831/91%",
["애미야불좀다오"] = "RT:381/50%RB:501/73%RM:572/67%",
["광고건너뛰기"] = "RB:512/71%RM:574/66%",
["Neon"] = "UT:318/40%EB:410/83%EM:686/79%",
["플라잉산타"] = "RT:427/58%LB:588/96%LM:908/96%",
["채은"] = "ET:340/86%EB:684/92%EM:784/85%",
["명천"] = "EB:571/79%RM:660/73%",
["달콤한치유"] = "RT:522/67%EB:546/79%RM:429/51%",
["꽉찬단팥빵"] = "UT:367/47%EB:575/82%RM:523/62%",
["아우크소"] = "EB:658/90%EM:795/86%",
["Hybridru"] = "RT:439/61%EB:608/86%EM:674/78%",
["드루와햄볶케"] = "ET:603/78%EB:522/92%EM:880/94%",
["키이스"] = "RT:466/60%EB:635/88%RM:573/63%",
["신의루"] = "ET:780/93%EB:678/93%EM:868/91%",
["Finalist"] = "ET:576/90%LB:699/95%EM:676/84%",
["버드리"] = "LT:490/95%RB:446/64%EM:690/80%",
["Gogogo"] = "UT:111/39%RB:454/65%UM:403/45%",
["겨울안개"] = "RT:228/66%EB:507/91%EM:732/83%",
["주님한놈더가유"] = "UT:89/31%RB:517/74%RM:573/66%",
["써니지니"] = "ET:288/77%EB:562/80%EM:692/76%",
["커피린"] = "RT:157/50%EB:579/80%EM:683/75%",
["연분홍치마가봄바"] = "RT:178/55%EB:548/78%RM:626/69%",
["용녀"] = "ET:719/88%EB:684/92%EM:902/94%",
["밝은어둠"] = "EB:495/91%RM:573/66%",
["기사의하루"] = "ET:630/83%EB:624/87%EM:765/86%",
["야생마다"] = "ET:369/88%EB:493/90%LM:904/96%",
["해피냥이"] = "ET:692/87%EB:701/94%EM:865/91%",
["부산사나이"] = "ET:647/84%EB:547/78%EM:768/86%",
["깻잎머리기사"] = "RT:218/68%EB:618/85%EM:869/92%",
["애보는할배"] = "EB:558/80%RM:555/65%",
["달콤한사제"] = "ET:761/92%EB:631/87%RM:671/74%",
["물약먹어"] = "RT:177/54%EB:565/81%EM:714/78%",
["린간성기사뿌뿜뿡"] = "LB:740/97%EM:889/93%",
["행복하다"] = "EB:573/79%EM:802/86%",
["영원성기사"] = "ET:304/82%EB:552/76%EM:824/88%",
["힐느끼면내남자야"] = "RT:429/54%EB:580/82%RM:537/59%",
["동사서독"] = "RT:216/68%EB:592/82%EM:844/90%",
["Bros"] = "ET:641/85%EB:698/89%EM:871/89%",
["의잎"] = "LT:757/96%LB:797/98%LM:983/98%",
["Peta"] = "ET:734/94%LB:724/98%EM:911/93%",
["슈링가토토"] = "LT:745/95%SB:815/99%EM:920/93%",
["로그마스터"] = "RT:193/65%EB:583/77%EM:801/83%",
["청량고추"] = "ET:272/81%EB:649/88%LM:890/95%",
["용꼬냥"] = "ET:739/94%EB:746/94%LM:938/95%",
["라면추적자"] = "ET:395/93%LB:761/96%EM:868/89%",
["메가코난"] = "ET:373/91%EB:602/94%EM:864/90%",
["브라이틀링"] = "ET:636/84%EB:695/92%EM:913/94%",
["헤사로"] = "LT:777/98%LB:687/97%EM:888/92%",
["열라스턴했어요"] = "ET:380/92%EB:649/84%EM:851/87%",
["달려라랍스타"] = "RT:181/64%EB:620/85%EM:798/85%",
["Lastpass"] = "ET:706/91%LB:767/96%EM:884/90%",
["Knot"] = "ET:310/86%EB:574/80%",
["Yirgacheffe"] = "ET:677/88%EB:700/89%EM:829/88%",
["풍링화산음뢰"] = "ET:685/89%EB:678/87%EM:876/90%",
["치마속에진동토템"] = "ET:358/91%EB:743/94%LM:920/95%",
["캣닢맛물빵"] = "ET:582/79%EB:731/93%EM:857/90%",
["공공도적"] = "UT:122/44%RB:424/54%EM:736/78%",
["코코냥"] = "ET:703/91%LB:768/97%LM:936/95%",
["고리장식이"] = "ET:560/75%EB:683/87%EM:724/79%",
["고스트볼"] = "ET:722/93%LB:781/98%LM:953/96%",
["Egirl"] = "UT:125/45%RB:429/58%EM:732/78%",
["플라워"] = "ET:715/92%LB:757/95%EM:755/79%",
["갑툭튀"] = "RT:180/62%EB:581/77%RM:531/59%",
["애드"] = "ET:645/86%LB:780/98%EM:872/89%",
["더찌"] = "ET:701/90%LB:758/95%EM:862/88%",
["Ottogi"] = "LT:775/97%SB:799/99%SM:1015/99%",
["용이내가된다"] = "RT:186/65%EB:731/93%EM:899/93%",
["푸들푸들"] = "RT:465/63%LB:766/96%EM:901/93%",
["켈리"] = "ET:617/82%EB:649/88%RM:614/71%",
["우주랑"] = "ET:669/87%LB:573/95%EM:752/85%",
["퍼스트건담"] = "ET:654/84%EB:695/89%EM:780/81%",
["국가대표"] = "RT:185/65%EB:640/84%EM:837/88%",
["고통의대가"] = "LT:685/98%EB:687/88%EM:874/92%",
["봉구스"] = "ET:733/94%LB:755/95%EM:908/92%",
["바람의흔적"] = "ET:326/88%EB:450/83%RM:656/73%",
["Bluepond"] = "ET:700/91%LB:766/96%EM:888/93%",
["복서"] = "ET:720/92%LB:764/96%LM:962/97%",
["저세상돌진"] = "ET:694/90%EB:391/77%EM:698/77%",
["어성초"] = "LT:457/95%LB:764/96%LM:939/95%",
["다시해볼까"] = "ET:668/87%LB:672/97%EM:918/94%",
["단감꼭다리"] = "LT:451/95%EB:604/84%EM:656/78%",
["유지니"] = "RT:165/59%RB:378/53%RM:681/74%",
["콩선생"] = "ET:275/82%LB:739/95%EM:788/88%",
["늘솜빵집"] = "ET:558/75%RB:526/70%RM:479/60%",
["모신나강"] = "LT:760/96%LB:756/95%LM:967/98%",
["토끼발바닥"] = "RT:223/73%EB:738/94%LM:939/96%",
["컨트리맨"] = "ET:731/93%LB:698/97%LM:980/98%",
["Nightdancer"] = "ET:703/91%LB:767/96%EM:916/94%",
["하니듀"] = "RT:519/69%EB:412/84%RM:569/66%",
["돌문어"] = "RT:200/68%EB:503/90%EM:736/80%",
["경주공주"] = "ST:737/99%EB:732/93%LM:940/96%",
["Stille"] = "ET:291/84%LB:781/98%LM:934/97%",
["적단"] = "ET:593/77%EB:622/81%EM:797/84%",
["수육백반"] = "LT:746/95%EB:749/94%EM:908/92%",
["Orcwarrior"] = "ET:641/89%LB:759/96%LM:954/97%",
["도왈"] = "LT:471/95%RB:372/74%EM:744/78%",
["와일드울프"] = "ET:673/88%EB:737/93%RM:701/74%",
["바늘과실"] = "ET:299/90%EB:464/89%RM:621/72%",
["Ozz"] = "ET:592/79%LB:621/97%EM:706/77%",
["대해"] = "RT:508/69%EB:614/80%EM:813/84%",
["부랑자"] = "ET:614/80%EB:582/77%RM:641/70%",
["슬라"] = "LT:459/95%LB:643/96%EM:910/93%",
["호스파"] = "ET:682/89%EB:507/88%EM:860/88%",
["이클립시스"] = "ST:807/99%SB:822/99%SM:1017/99%",
["깡슬"] = "ET:611/82%EB:598/94%EM:860/88%",
["와죠씨"] = "LT:753/96%LB:782/98%LM:957/98%",
["그래텔"] = "ET:279/83%EB:609/80%EM:831/86%",
["수렵불가"] = "ET:732/93%EB:718/91%EM:809/84%",
["파이어워프"] = "ET:689/90%LB:754/95%EM:840/87%",
["Agirl"] = "ET:702/91%LB:755/95%EM:794/83%",
["전사켈리"] = "ET:639/84%EB:662/85%EM:721/79%",
["콩심이"] = "ET:330/86%EB:576/92%EM:881/92%",
["눈물소리"] = "ET:413/86%EB:576/86%EM:551/78%",
["깜장고양이"] = "ET:273/79%EB:570/75%EM:777/83%",
["휴지"] = "ET:671/87%EB:726/92%EM:876/90%",
["규야"] = "ET:637/88%EB:695/91%EM:892/92%",
["속초히릿"] = "ET:634/88%EB:657/89%EM:511/77%",
["콜옹"] = "ET:698/92%LB:738/95%EM:813/91%",
["지칭개"] = "ET:494/82%EB:528/80%RM:337/60%",
["조나단리빙스턴"] = "LT:754/96%SB:719/99%LM:940/98%",
["이든베어"] = "ET:603/86%EB:455/81%EM:484/75%",
["소금자블루스"] = "ET:307/86%RB:481/63%EM:845/89%",
["Law"] = "ET:282/83%EB:655/83%UM:394/40%",
["흰꽃소화"] = "ET:350/83%EB:637/92%EM:832/94%",
["드피노아"] = "ET:654/91%EB:637/90%EM:652/85%",
["곰모닝"] = "ET:312/81%EB:484/80%RM:311/63%",
["한부엉"] = "ET:210/77%EB:672/92%EM:877/92%",
["카샤카샤윙윙"] = "ET:697/90%LB:759/95%EM:832/86%",
["황소룡"] = "LT:489/96%EB:709/93%EM:808/90%",
["아다만타움"] = "ST:695/99%LB:769/97%LM:936/96%",
["최지호"] = "ST:790/99%EB:744/93%EM:923/94%",
["채집의대가"] = "ET:595/85%EB:482/81%EM:681/88%",
["마르"] = "LT:760/97%EB:701/92%LM:904/96%",
["열정사이"] = "RT:563/74%EB:661/85%EM:871/91%",
["흑규흑규"] = "RT:460/61%EB:579/76%RM:230/56%",
["백종원의소환비법"] = "RT:166/57%EB:574/76%",
["눈뜬새"] = "ET:301/87%EB:654/89%EM:826/91%",
["백련초"] = "RT:163/56%EB:631/82%RM:563/58%",
["네이쳐"] = "ET:683/93%EB:512/84%EM:824/92%",
["파이널도트"] = "ET:606/80%EB:678/87%EM:842/87%",
["Verdugo"] = "ET:581/89%EB:623/88%EM:783/89%",
["싼다할아버지"] = "ET:379/93%LB:766/97%EM:892/94%",
["오베르마스"] = "ET:536/81%EB:731/94%EM:888/94%",
["유혈백작"] = "ET:601/80%EB:663/85%EM:774/83%",
["Enkidu"] = "RT:368/53%EB:570/92%RM:644/69%",
["스발바르"] = "ET:391/93%EB:734/93%EM:727/87%",
["으앙으앙"] = "ET:317/88%EB:606/79%EM:701/77%",
["Dragonslayer"] = "EB:651/84%EM:747/78%",
["기이온"] = "EB:588/77%EM:747/80%",
["물금검투사"] = "EB:574/92%EM:815/84%",
["채담"] = "ET:340/91%EB:647/83%EM:832/89%",
["소뚜껑"] = "ET:282/83%EB:467/84%EM:787/84%",
["Zanga"] = "RT:475/65%EB:663/84%EM:868/89%",
["연상비"] = "LB:756/95%EM:927/94%",
["유댕"] = "CT:116/14%EB:686/88%EM:799/83%",
["미스터투"] = "RT:452/63%EB:654/84%RM:532/61%",
["아재멍이"] = "RT:426/59%EB:601/78%EM:741/80%",
["바라쥬"] = "EB:697/88%EM:771/81%",
["대족장쌕쌕"] = "ET:604/81%LB:733/95%CM:29/1%",
["도적뽀송"] = "ET:627/81%EB:614/80%EM:756/80%",
["보이면돈턴다"] = "LT:477/95%EB:570/92%EM:859/88%",
["별그리다"] = "RT:479/65%LB:665/98%EM:669/94%",
["엽전"] = "ET:659/86%EB:692/88%EM:885/91%",
["태양도적"] = "EB:673/86%EM:797/83%",
["도여사"] = "ET:728/93%EB:544/90%LM:933/95%",
["전사유니"] = "RT:221/74%EB:595/78%UM:249/30%",
["야동백기가"] = "ET:639/83%EB:549/90%LM:958/97%",
["Flying"] = "LT:663/98%EB:697/89%EM:878/90%",
["도적오리온"] = "EB:631/82%EM:821/85%",
["비오템법사"] = "ET:351/90%LB:783/98%UM:448/49%",
["엥엥"] = "RT:359/50%EB:665/85%EM:704/75%",
["전사에반"] = "ET:621/83%EB:645/83%EM:875/93%",
["우연히지나가"] = "EB:599/79%EM:732/78%",
["코버린스"] = "RT:233/74%EB:722/91%SM:1001/99%",
["스모키"] = "ET:579/76%EB:706/90%EM:920/93%",
["꼬봉도적"] = "UT:261/34%EB:590/78%RM:638/69%",
["키리스카"] = "ET:343/90%EB:704/89%LM:929/96%",
["Drakehog"] = "EB:568/75%EM:781/81%",
["쏠다"] = "LB:763/97%LM:981/98%",
["젊은장군"] = "ET:335/89%EB:696/88%LM:948/97%",
["불쌍한전사"] = "EB:620/81%RM:656/73%",
["르슈"] = "LT:770/97%EB:706/89%EM:822/87%",
["뚜껑"] = "ET:304/86%EB:510/89%EM:777/82%",
["대지의고동"] = "EB:679/86%EM:738/78%",
["미경도적"] = "ET:327/87%EB:647/84%EM:885/92%",
["아픈"] = "ET:585/77%LB:632/95%EM:915/93%",
["Mee"] = "ET:638/83%EB:503/87%EM:893/91%",
["숙련증가"] = "LT:452/95%EB:651/84%EM:844/89%",
["Hamels"] = "RT:214/70%EB:710/89%EM:758/79%",
["티모시맥기"] = "ET:399/93%LB:758/95%EM:816/85%",
["레나베비"] = "UT:249/32%EB:680/86%EM:830/87%",
["가젤"] = "UT:333/45%EB:572/76%RM:659/71%",
["Ziziwiz"] = "RT:156/57%LB:771/98%EM:769/82%",
["쿠키파이터"] = "ET:336/91%EB:674/86%EM:878/90%",
["섬세한기습"] = "UT:375/49%EB:716/91%EM:919/94%",
["잘안보임"] = "ET:604/79%EB:712/90%EM:843/88%",
["닥터쭈꾸미"] = "ET:389/92%EB:664/85%EM:808/85%",
["메이어벨페고르"] = "LB:779/97%EM:911/93%",
["코코아분말"] = "EB:610/84%RM:523/62%",
["살쪄버린모찌"] = "RT:491/67%EB:572/92%EM:738/78%",
["도적묵향"] = "EB:605/79%RM:612/67%",
["실룩샐룩쓰"] = "ET:355/90%SB:805/99%EM:873/91%",
["도래울"] = "ET:717/92%LB:777/97%EM:850/88%",
["진리향"] = "UT:142/49%EB:661/90%EM:749/81%",
["응급치료사"] = "RB:479/69%UM:389/46%",
["초즈기사"] = "UT:77/25%EB:621/86%UM:238/27%",
["골반대왕"] = "RT:479/64%EB:623/86%RM:520/57%",
["파도처럼산다"] = "EB:675/91%RM:453/50%",
["기사녀"] = "RB:510/73%RM:548/63%",
["징크"] = "EB:569/81%EM:795/83%",
["운산할배"] = "UT:134/46%RB:477/69%RM:598/66%",
["마점순"] = "ET:262/77%EB:633/86%EM:802/89%",
["웬디마벨"] = "RT:216/68%EB:546/78%RM:539/62%",
["햄스터키우자"] = "ET:313/82%EB:636/89%EM:794/89%",
["란테르트"] = "UT:361/48%EB:638/88%EM:690/76%",
["천국의계란"] = "CT:43/3%RB:480/69%RM:521/61%",
["힐쥬리"] = "RT:484/62%EB:529/76%EM:744/85%",
["아름동자"] = "RT:206/62%EB:543/75%RM:602/67%",
["아쿠아라즈"] = "EB:636/87%EM:702/77%",
["프로"] = "RT:568/73%EB:630/87%EM:720/81%",
["Libertad"] = "EB:564/80%RM:607/71%",
["라크아린"] = "ET:275/78%EB:636/88%EM:760/85%",
["티오피사제"] = "RB:487/71%RM:548/60%",
["빛의노군"] = "EB:346/75%RM:492/56%",
["심쿵사제"] = "ET:748/91%EB:616/87%EM:549/86%",
["티티"] = "RT:502/66%EB:565/81%RM:580/68%",
["엉뚱성사"] = "LT:591/97%EB:638/88%EM:727/82%",
["세노야"] = "RT:222/68%EB:410/81%RM:513/56%",
["버블팝"] = "ET:282/79%EB:575/81%RM:597/68%",
["모모약방"] = "RT:183/57%RB:464/68%EM:805/87%",
["오드리꿀밤"] = "EB:558/77%EM:838/90%",
["브웰린"] = "ET:475/94%EB:578/82%EM:715/82%",
["마루기사"] = "RT:557/72%EB:649/89%EM:759/85%",
["좌회전"] = "UT:245/29%RB:468/67%EM:691/80%",
["신기한징기"] = "ET:271/77%EB:650/88%EM:805/86%",
["기운"] = "CT:36/9%EB:596/84%RM:489/53%",
["앤공주"] = "CT:49/3%RB:527/73%EM:749/82%",
["앨래래성"] = "RT:223/68%RB:303/66%RM:559/64%",
["의산"] = "RT:545/73%EB:621/85%EM:674/78%",
["코호리"] = "CT:167/18%EB:480/89%RM:635/73%",
["망고사제"] = "RB:418/61%RM:270/61%",
["이번엔사제"] = "RT:494/62%EB:548/78%EM:708/78%",
["복숭아캔디"] = "EB:611/84%RM:680/74%",
["잿빛같은노을"] = "EB:570/79%EM:730/84%",
["배째술사"] = "RB:445/66%RM:642/71%",
["용의복수자"] = "CT:126/13%EB:592/83%RM:588/67%",
["아미타부쵸"] = "RT:154/52%EB:574/81%EM:705/80%",
["잡식이"] = "RT:451/59%LB:727/95%EM:903/94%",
["Nmn"] = "EB:396/82%RM:568/63%",
["힘축"] = "ET:743/91%EB:586/82%EM:788/87%",
["아제나"] = "EB:539/77%EM:734/84%",
["가자어서"] = "ET:445/94%EB:377/79%EM:719/79%",
["두리야"] = "RT:188/57%EB:419/83%UM:446/48%",
["너보단예뻐"] = "ET:273/78%EB:606/85%EM:764/85%",
["프로듀스와저씨"] = "RB:403/57%UM:339/40%",
["보서제"] = "RT:451/56%EB:629/88%EM:753/85%",
["잘하세"] = "UT:109/37%EB:530/75%EM:700/79%",
["사제창고"] = "RT:404/51%EB:617/87%EM:679/75%",
["이제막넴이야"] = "ET:639/81%EB:648/89%RM:671/74%",
["Steinsgate"] = "ET:582/75%EB:638/88%RM:607/67%",
["헬렌"] = "EB:646/89%EM:763/83%",
["월광드루"] = "ET:622/78%EB:624/88%EM:589/89%",
["하얀빛"] = "UT:219/26%EB:597/85%EM:677/75%",
["보조사제"] = "EB:419/84%RM:466/55%",
["힐방망이둘리"] = "UT:85/26%RB:277/63%",
["해피성기사"] = "CT:148/16%EB:537/76%RM:679/74%",
["체리헌터"] = "ET:684/89%EB:736/93%EM:892/91%",
["Thieveskor"] = "ET:638/83%EB:618/81%RM:649/70%",
["리넨크라니스"] = "ET:599/82%LB:755/95%EM:840/87%",
["또다른칼"] = "ET:573/75%RB:487/65%EM:742/79%",
["옆그레이드"] = "ET:354/90%EB:723/92%EM:869/89%",
["최강인숙님세번째"] = "ET:570/76%LB:749/95%EM:913/94%",
["불근돼지"] = "ET:282/82%EB:447/82%EM:902/93%",
["아마종"] = "ET:709/91%LB:790/98%LM:955/96%",
["버닝크루세이드"] = "LT:753/95%EB:723/92%RM:528/59%",
["리카르도냥"] = "ET:361/92%EB:581/93%LM:926/95%",
["핑키보이"] = "ET:689/90%EB:741/93%EM:881/90%",
["세한도"] = "LT:750/95%EB:745/94%LM:928/95%",
["헬렌미렌"] = "ET:739/94%LB:778/97%LM:933/95%",
["베베롱"] = "ET:582/77%EB:545/90%EM:730/76%",
["단단돼랑이"] = "LT:537/97%EB:463/85%RM:688/73%",
["킬러본색"] = "RT:548/72%EB:586/77%RM:689/73%",
["사냥의호엔하임"] = "ET:596/80%EB:566/92%EM:750/79%",
["베틀메이지"] = "RT:172/61%EB:604/83%EM:685/79%",
["더블팀"] = "LT:744/95%EB:748/94%LM:932/95%",
["후이"] = "ET:342/89%RB:457/58%RM:506/56%",
["힝힝홍항홍항항"] = "RT:509/69%EB:676/85%RM:672/72%",
["올펜"] = "RT:187/65%EB:619/85%EM:748/81%",
["에이세븐"] = "ET:725/93%LB:750/95%LM:921/95%",
["이베"] = "ET:713/92%LB:771/97%LM:954/96%",
["이또한지나가리니"] = "ST:765/99%LB:764/96%LM:978/98%",
["허접삽질"] = "ET:401/93%RB:518/74%RM:624/69%",
["레나토"] = "RT:403/55%EB:696/88%EM:867/89%",
["동네누나"] = "LT:664/98%EB:591/77%EM:803/83%",
["디즈데모나"] = "ET:663/86%EB:734/93%EM:841/89%",
["앙마선생"] = "RT:226/73%LB:740/96%EM:866/93%",
["나앨냥꾼"] = "ET:653/86%EB:686/88%EM:816/85%",
["불멸의봉봉"] = "ET:255/79%EB:547/78%EM:783/84%",
["얼라법사두목"] = "UT:103/39%EB:609/84%RM:675/74%",
["복어법사"] = "RT:413/54%EB:651/85%EM:723/82%",
["흑풍림준"] = "ET:348/90%EB:682/87%RM:520/55%",
["냥꾼철이"] = "ET:616/82%EB:703/90%EM:893/91%",
["시미켄"] = "ET:664/86%EB:694/89%LM:933/96%",
["Lips"] = "ET:733/94%EB:741/93%EM:797/83%",
["광선검"] = "RT:147/52%RB:483/62%UM:427/45%",
["아르바이트녀"] = "RT:147/54%EB:574/80%EM:816/90%",
["잿빛구름"] = "ET:661/86%EB:443/85%EM:850/93%",
["우가우가우가"] = "ET:298/85%EB:649/85%EM:900/92%",
["Divlne"] = "ET:649/86%EB:739/94%LM:959/97%",
["레드써틴"] = "ET:707/91%EB:739/94%EM:925/94%",
["흑풍활"] = "ET:665/87%EB:531/90%EM:820/86%",
["고양이는야옹"] = "RT:171/61%LB:660/98%EM:774/83%",
["나는트롤"] = "RT:176/62%EB:641/87%EM:759/82%",
["강냉이도적"] = "RT:434/57%EB:621/81%EM:760/79%",
["띵가띵가법사"] = "RT:146/54%LB:628/97%EM:915/94%",
["별의물방울"] = "ET:398/93%EB:690/92%EM:773/87%",
["Crazyb"] = "ET:308/85%EB:443/82%RM:675/73%",
["Hathor"] = "ET:598/78%RB:555/74%EM:785/82%",
["갤법"] = "ET:391/93%EB:706/93%EM:863/93%",
["초즈냥"] = "ET:620/82%EB:744/94%EM:815/84%",
["시라누이"] = "ET:334/89%EB:742/94%EM:835/86%",
["Hamel"] = "ET:643/86%LB:765/96%LM:945/96%",
["드래건헌터"] = "ET:712/92%LB:761/95%EM:921/94%",
["Sinderella"] = "ET:341/89%EB:714/94%EM:819/90%",
["칸첸중가"] = "RT:209/70%EB:584/82%EM:707/81%",
["가나냥"] = "ET:718/92%LB:756/95%RM:610/65%",
["조심성없는배려"] = "UT:267/36%RB:383/52%RM:685/73%",
["흑검무"] = "ET:738/94%EB:695/89%EM:784/83%",
["아마란스"] = "ET:337/89%EB:704/90%EM:714/77%",
["휘리릿뽕"] = "RT:198/66%RB:333/69%RM:608/65%",
["Daviidoff"] = "ET:550/75%EB:710/90%EM:841/87%",
["하늘녹색"] = "ET:727/93%LB:774/97%LM:948/96%",
["주홍빤스"] = "ET:323/86%EB:734/93%EM:883/91%",
["Gla"] = "ET:713/93%LB:635/97%EM:821/91%",
["시은"] = "RT:428/58%EB:374/81%EM:769/82%",
["Twosomeplace"] = "ET:694/90%EB:746/94%RM:664/72%",
["은빛선율"] = "ET:324/86%EB:699/89%EM:799/83%",
["Glenlivet"] = "ET:576/75%EB:590/78%EM:774/82%",
["부케다"] = "RT:174/62%RB:463/67%RM:535/59%",
["도제조"] = "RT:453/62%EB:714/90%EM:775/81%",
["은빛봄"] = "RT:525/69%RB:481/62%EM:815/84%",
["토요카와후카"] = "RT:382/54%RB:430/53%RM:687/73%",
["별의바다에서"] = "ET:699/90%EB:733/93%RM:666/71%",
["주신아리안"] = "LT:756/96%EB:716/91%LM:978/98%",
["Midaz"] = "LT:731/95%LB:748/96%EM:815/92%",
["Greenwind"] = "RT:336/57%RB:460/60%RM:540/74%",
["해븐스워리어"] = "ET:240/79%EB:490/75%EM:620/79%",
["비타"] = "ET:665/90%EB:718/93%EM:812/90%",
["마춤법파괘자"] = "ET:305/84%LB:759/95%EM:755/81%",
["천일홍"] = "ET:410/79%RB:404/69%EM:657/80%",
["대학동오빠"] = "ET:371/92%EB:653/89%EM:600/78%",
["베데크"] = "ET:706/93%LB:749/96%EM:899/94%",
["애플힙"] = "ET:315/88%EB:480/89%EM:755/87%",
["골목대장"] = "ET:693/92%LB:751/96%EM:874/93%",
["만인의사랑"] = "ET:673/91%LB:733/95%EM:798/90%",
["폰켈"] = "ET:607/94%LB:626/97%LM:906/96%",
["시린달빛"] = "ET:636/88%EB:704/92%EM:749/88%",
["소우"] = "ET:657/91%EB:676/94%RM:485/72%",
["잔혹남"] = "ET:692/93%EB:730/94%LM:929/96%",
["도토리빵"] = "ET:584/84%EB:548/81%EM:704/85%",
["달조각내기"] = "ET:629/88%EB:461/88%EM:509/76%",
["아다만티움"] = "LT:743/96%LB:781/98%LM:937/96%",
["초즈"] = "ET:607/86%EB:580/84%EM:763/88%",
["담금"] = "RT:534/70%EB:511/88%EM:895/92%",
["진짜딸기도적"] = "EB:603/77%RM:647/69%",
["그래비티"] = "EB:573/75%RM:640/71%",
["내사랑승우"] = "ET:375/91%EB:684/87%EM:863/90%",
["연좌"] = "ET:600/86%EB:684/90%LM:921/95%",
["굼뜬아지"] = "UT:82/29%EB:675/85%RM:693/73%",
["Broke"] = "RT:517/68%EB:661/83%RM:616/66%",
["발컨이즈백"] = "LT:452/95%EB:594/93%EM:751/81%",
["제인"] = "EB:454/83%EM:877/91%",
["김봉쇄"] = "ET:294/85%LB:761/95%EM:863/89%",
["과자먹어야징"] = "ET:411/92%EB:720/91%EM:881/92%",
["한진우"] = "EB:598/76%EM:761/80%",
["법사찐"] = "LT:503/96%LB:671/98%EM:872/91%",
["도적이"] = "RT:234/74%EB:473/86%EM:865/89%",
["고트렉"] = "LT:606/98%EB:695/88%EM:840/87%",
["파팟"] = "EB:745/93%EM:857/88%",
["생강성인"] = "UT:118/42%EB:611/80%RM:572/63%",
["Pirlo"] = "LT:773/97%LB:786/98%SM:1005/99%",
["달나라전사"] = "ET:387/93%EB:642/83%EM:819/85%",
["옥타비아누스"] = "EB:614/80%EM:669/75%",
["의천검"] = "ET:418/94%EB:523/90%EM:743/78%",
["망고거름"] = "EB:706/89%EM:813/85%",
["깨꿍"] = "EB:721/90%EM:914/93%",
["박스때기"] = "ET:238/77%LB:744/96%LM:960/97%",
["엔프로"] = "UT:306/41%EB:652/82%EM:819/85%",
["막돼먹은도적"] = "ET:256/78%RB:543/70%EM:749/78%",
["어멈"] = "ET:350/83%LB:701/95%LM:888/95%",
["야만베날"] = "RT:503/70%EB:564/75%RM:578/66%",
["신비한마법"] = "LT:506/97%LB:760/97%LM:931/95%",
["천마녀"] = "EB:697/92%EM:857/90%",
["나도도적하자"] = "RT:427/56%EB:634/82%EM:821/85%",
["행복당근노움"] = "EB:444/83%EM:760/81%",
["아이라이크퍼플"] = "CT:38/10%EB:597/78%RM:584/64%",
["얼음방패"] = "ET:251/78%LB:769/97%EM:815/86%",
["주안잠행"] = "ET:621/81%EB:576/76%EM:844/88%",
["도적로이"] = "RT:557/73%RB:560/74%RM:671/72%",
["의론"] = "ET:352/90%LB:755/95%EM:917/94%",
["영원어쌔신"] = "RT:144/51%EB:482/87%RM:656/70%",
["그랑블루"] = "LB:768/97%EM:863/93%",
["로만도닥"] = "ET:238/75%EB:715/90%EM:899/92%",
["사과맛젤리"] = "LT:787/98%SB:798/99%LM:973/98%",
["초록별"] = "ET:612/93%SB:731/99%SM:977/99%",
["바빌누안"] = "ET:651/85%LB:748/95%EM:830/86%",
["봄또봄"] = "ET:337/88%EB:629/82%EM:770/81%",
["탱구르르"] = "LT:443/97%LB:751/97%LM:890/96%",
["산검"] = "ET:236/77%EB:680/86%EM:751/79%",
["안연고"] = "EB:709/89%EM:903/92%",
["교수님"] = "ET:358/91%LB:746/97%LM:950/96%",
["군대는갔다왔냐"] = "EB:604/79%EM:838/86%",
["Rolonoazoro"] = "ET:333/89%EB:712/90%EM:886/92%",
["스리번쩍"] = "ET:678/87%EB:678/86%EM:843/87%",
["백종원의요리비법"] = "ET:306/86%LB:780/98%LM:963/98%",
["나다나다"] = "ET:352/89%EB:732/92%EM:824/85%",
["카풀"] = "RT:178/63%EB:566/75%EM:696/77%",
["산지니"] = "LT:527/96%EB:603/79%EM:885/90%",
["블루로즈"] = "ET:574/76%EB:725/92%EM:805/83%",
["마우이"] = "ET:284/84%EB:647/82%EM:882/91%",
["마하돈오"] = "ET:295/83%EB:632/80%EM:773/81%",
["루시에라"] = "ET:736/94%LB:741/96%EM:877/91%",
["애기전사"] = "RT:444/62%EB:464/85%RM:489/56%",
["별빛아씨"] = "RT:178/64%LB:778/97%LM:934/95%",
["오콩"] = "EB:670/84%EM:842/87%",
["모카마일드"] = "LT:454/95%EB:634/82%EM:877/90%",
["산책하는침략자"] = "UT:329/45%EB:475/86%EM:759/79%",
["Lilite"] = "RT:384/53%EB:384/76%RM:457/52%",
["Walnut"] = "ET:632/82%EB:547/94%EM:723/83%",
["남신사"] = "RB:497/72%UM:395/47%",
["자메뷰"] = "ET:594/76%EB:627/86%EM:717/82%",
["아람사제"] = "ET:634/79%EB:612/86%EM:779/85%",
["원스아크"] = "EB:427/76%RM:356/66%",
["심장군"] = "ET:435/92%EB:627/88%EM:778/85%",
["술잔"] = "EB:550/76%RM:591/65%",
["포모나"] = "ET:716/89%EB:616/84%EM:743/81%",
["발빠닥"] = "RT:364/51%LB:721/96%EM:862/94%",
["래미퀸"] = "EB:633/86%EM:825/88%",
["빛톨이"] = "RB:376/54%CM:99/10%",
["알케이나"] = "RT:560/73%EB:640/87%RM:607/68%",
["성기사네요"] = "LT:570/97%EB:577/81%RM:529/58%",
["천풍명월"] = "ET:310/84%EB:607/83%RM:624/68%",
["인디"] = "RB:417/60%UM:335/36%",
["코로나사제"] = "EB:618/85%EM:726/80%",
["깜찍콩"] = "RB:428/62%EM:649/75%",
["Bubble"] = "RT:540/69%EB:588/84%EM:714/85%",
["오곡"] = "UT:226/28%RB:481/70%EM:728/84%",
["아델리나"] = "RB:484/69%RM:564/65%",
["Shana"] = "ET:293/79%RB:491/68%EM:699/81%",
["혼마루"] = "ET:669/85%EB:695/94%EM:813/90%",
["쉼터"] = "ET:602/77%EB:581/81%EM:748/82%",
["이드리아나"] = "UB:308/42%RM:509/56%",
["꼬꼬스"] = "ET:488/94%EB:673/92%EM:836/92%",
["성기사금땡"] = "EB:580/82%UM:367/39%",
["깜이랑"] = "RT:177/55%EB:541/94%EM:721/79%",
["Priesthealer"] = "EB:542/75%RM:534/61%",
["염희"] = "EB:558/80%EM:689/80%",
["벤타블랙"] = "RT:159/52%EB:565/78%RM:459/53%",
["Silverjin"] = "ET:404/91%RB:519/74%RM:601/66%",
["Crush"] = "ET:311/83%EB:486/89%RM:606/66%",
["동틀무렵"] = "EB:465/89%RM:621/68%",
["백발노장"] = "EB:532/76%RM:494/54%",
["해랑"] = "ET:370/89%EB:518/92%EM:706/80%",
["선불이"] = "UT:376/46%RB:435/62%RM:598/66%",
["아리안로드"] = "RT:459/57%EB:538/77%RM:575/63%",
["배째사제"] = "UT:212/25%UB:128/31%RM:603/67%",
["빛의샐리온"] = "EB:560/79%RM:624/71%",
["린민성기사뿌뽕뿡"] = "EB:692/93%EM:840/89%",
["드웝신부"] = "RB:504/70%EM:725/80%",
["빛의가붕이"] = "UT:108/37%RB:456/65%EM:784/87%",
["제이나드루무어"] = "EB:564/81%RM:594/71%",
["초월기사"] = "EB:640/87%EM:851/90%",
["데칸"] = "ET:329/85%EB:660/89%EM:732/80%",
["마인더"] = "LT:463/95%LB:749/97%EM:874/92%",
["정루이"] = "EB:638/87%EM:716/85%",
["치나"] = "UT:316/39%EB:643/88%EM:863/92%",
["이코샤느"] = "UT:104/33%EB:441/86%EM:741/81%",
["산딸기쥬스"] = "UT:85/26%RB:489/71%RM:657/72%",
["솔부엉이기사"] = "RT:199/63%EB:411/82%RM:481/52%",
["엘브루즈"] = "ST:733/99%EB:706/94%EM:830/89%",
["인기스타"] = "LT:501/95%EB:596/84%EM:729/83%",
["Priestnyang"] = "RB:392/57%UM:319/37%",
["모든걸용서하마"] = "RB:490/71%RM:550/60%",
["옥기사"] = "ET:595/76%EB:644/89%RM:614/70%",
["미네리스"] = "EB:428/85%EM:789/85%",
["설진주"] = "LT:536/96%EB:671/90%EM:764/83%",
["뚱야"] = "RT:165/51%EB:646/89%EM:664/77%",
["오리송사리"] = "UB:329/46%UM:254/25%",
["묵향레이디"] = "RB:537/74%EM:749/85%",
["Priestkor"] = "RB:497/72%RM:567/62%",
["짱구는기사"] = "EB:555/79%RM:479/52%",
["아임브래드"] = "RT:482/61%EB:445/85%RM:254/53%",
["제타건담"] = "ET:298/83%EB:723/91%RM:717/74%",
["언데드리턴즈"] = "ET:336/89%RB:334/73%EM:726/84%",
["칼좀먹자"] = "RT:192/65%RB:544/73%RM:617/66%",
["헌터니케"] = "ET:343/90%EB:715/91%EM:890/92%",
["세다니엘"] = "UT:311/41%RB:436/59%RM:492/52%",
["옘찡코기"] = "ET:678/88%EB:710/90%EM:798/83%",
["나엘이냥"] = "ET:339/89%EB:745/94%EM:811/85%",
["묘향"] = "ET:350/90%EB:680/87%EM:884/90%",
["가물치"] = "RT:471/64%EB:476/90%EM:716/78%",
["공칠이사"] = "LT:784/98%LB:779/97%LM:944/95%",
["별에별"] = "ET:643/84%LB:734/95%EM:840/92%",
["진혼냥"] = "ET:570/78%EB:664/85%EM:879/90%",
["얼큰냥이"] = "ET:587/80%EB:630/83%EM:814/86%",
["쏘고또쏘고"] = "ET:657/87%EB:722/91%EM:856/88%",
["호오오"] = "ET:686/89%EB:721/91%EM:817/85%",
["구름바라기"] = "CT:60/22%RB:391/56%UM:354/46%",
["무작전박치기"] = "LT:475/96%EB:466/85%EM:798/85%",
["눈꽃빙수"] = "RT:199/68%RB:508/73%EM:393/76%",
["감당할수있겄냐"] = "RT:495/66%RB:397/57%RM:532/62%",
["아시오크"] = "ET:677/88%EB:736/93%EM:736/79%",
["초보흑법사"] = "ET:700/91%EB:736/93%LM:948/96%",
["아르미스"] = "ET:677/88%EB:721/91%EM:900/92%",
["법쏘"] = "RT:536/71%EB:578/81%EM:733/84%",
["암흑무제"] = "ET:643/84%EB:726/92%LM:943/97%",
["위험한돌진"] = "LT:758/97%LB:772/97%LM:929/96%",
["반에"] = "ET:229/75%RB:469/59%UM:470/49%",
["핑크하늘"] = "RT:195/65%EB:676/87%EM:774/82%",
["헥터"] = "RT:540/73%EB:638/84%RM:646/69%",
["법사세보"] = "RT:494/66%EB:697/93%EM:829/88%",
["미깡"] = "RT:412/55%EB:578/81%EM:874/94%",
["이쁜이봉봉"] = "ET:688/89%EB:734/93%EM:794/82%",
["Newtrolls"] = "ET:695/90%EB:740/93%EM:859/88%",
["경아님"] = "ET:590/78%EB:711/90%EM:747/80%",
["체이스"] = "RT:389/51%RB:502/70%RM:607/71%",
["헤르마나"] = "RT:475/63%EB:665/89%EM:822/90%",
["삼촌왔다"] = "ET:364/91%EB:667/90%EM:912/94%",
["자루소바"] = "ET:664/87%EB:698/89%EM:840/88%",
["야임마벗바"] = "ET:641/85%LB:765/96%EM:894/92%",
["향기지나"] = "ET:306/86%EB:646/88%RM:641/74%",
["곰고기"] = "ET:608/93%LB:734/96%EM:822/92%",
["헤아"] = "ET:276/82%EB:739/93%EM:862/88%",
["다크위스퍼"] = "ET:729/93%LB:767/96%LM:974/98%",
["태극기부대"] = "RT:504/66%RB:502/67%RM:507/57%",
["나이트세이버"] = "ET:229/75%EB:640/82%EM:806/86%",
["으랴흑마"] = "ET:600/79%EB:690/88%EM:743/79%",
["하비기스"] = "ET:721/92%EB:719/91%EM:890/91%",
["샤뮤앨"] = "ET:678/88%LB:686/97%LM:951/97%",
["박재영"] = "ET:686/89%LB:764/96%LM:930/96%",
["캣닢주냥"] = "ET:569/78%EB:718/91%EM:852/88%",
["케인처럼"] = "RT:190/64%EB:672/86%RM:696/74%",
["늑대냥냥이"] = "ET:664/87%EB:661/86%EM:775/81%",
["천상구냥"] = "ET:695/90%EB:663/85%EM:885/90%",
["쪼꼬미법사"] = "ET:591/79%EB:734/93%EM:872/91%",
["루루냥"] = "ET:297/85%EB:652/85%EM:851/87%",
["고립"] = "ET:541/75%EB:604/80%RM:629/67%",
["수라헌터"] = "ET:373/92%EB:537/90%EM:761/81%",
["호구방망이"] = "ET:626/82%EB:661/85%EM:883/92%",
["이오낭"] = "ET:231/75%EB:646/83%EM:766/88%",
["Goodshot"] = "RT:507/71%EB:634/82%EM:834/86%",
["Marcell"] = "RT:532/71%EB:707/90%EM:820/85%",
["불타는호드"] = "UT:125/47%RB:434/61%EM:626/75%",
["냥꾼반"] = "RT:502/70%EB:435/83%EM:818/85%",
["회피냥"] = "ET:611/81%EB:609/94%EM:860/90%",
["황쏘"] = "ET:251/79%EB:413/79%EM:812/86%",
["이블우먼"] = "ET:568/75%EB:518/88%EM:824/85%",
["슈웅이"] = "RT:409/54%EB:596/79%RM:620/72%",
["발사하니"] = "ET:720/92%LB:627/95%EM:851/88%",
["볼빨간마녀"] = "ET:584/77%EB:676/86%EM:766/82%",
["고스트헌터"] = "ET:589/79%EB:742/93%EM:869/89%",
["털퐁퐁도아냥"] = "ET:313/87%RB:419/61%RM:575/67%",
["분당일타"] = "ET:289/84%EB:679/87%EM:865/89%",
["별의별꼬봉"] = "ET:403/94%EB:726/92%EM:797/84%",
["Anc"] = "LT:505/97%EB:585/77%EM:699/77%",
["낌상"] = "ET:450/94%EB:745/94%RM:604/65%",
["필로소피"] = "ET:315/87%RB:274/66%EM:688/79%",
["사납군"] = "ET:647/86%EB:715/91%EM:825/85%",
["시골촌놈"] = "ET:702/93%LB:740/95%LM:955/97%",
["버들고양이"] = "ET:379/93%EB:636/82%EM:795/85%",
["복어남전사"] = "ET:690/92%EB:619/85%LM:910/96%",
["현대증권"] = "ET:685/93%LB:698/95%EM:816/93%",
["소환은나중에"] = "RT:216/69%EB:645/84%EM:863/89%",
["맨탱드뽕"] = "ET:685/92%EB:711/93%EM:812/92%",
["탱커는처음이라"] = "RT:419/67%UB:261/49%RM:504/71%",
["도롱동천재"] = "RT:521/69%RB:538/70%RM:650/67%",
["분뇨조절"] = "ET:626/87%LB:742/95%LM:899/96%",
["불타는금요일"] = "RT:178/67%EB:430/87%EM:782/82%",
["메론맛카레"] = "ET:595/80%EB:723/91%EM:804/84%",
["육마"] = "ET:211/76%EB:630/89%EM:728/85%",
["찡구언니"] = "ET:248/78%EB:456/84%RM:609/68%",
["삼백"] = "ET:598/86%EB:663/89%EM:872/93%",
["쿵쾅이"] = "ET:667/92%EB:637/87%EM:764/88%",
["김여정"] = "ST:764/99%LB:747/97%EM:884/94%",
["Killemall"] = "ET:292/82%EB:599/79%RM:649/70%",
["꼬너"] = "ET:717/94%EB:714/93%EM:704/86%",
["다크경"] = "ET:653/89%EB:598/85%RM:448/72%",
["조선변호샤"] = "LT:525/96%EB:697/89%EM:732/76%",
["날가져요으헝헝"] = "ET:636/89%EB:686/93%EM:823/92%",
["안달루시아"] = "ET:353/93%EB:530/85%EM:690/89%",
["죽음의상인"] = "ET:670/91%EB:687/91%EM:786/89%",
["희망새"] = "ET:608/87%LB:757/97%LM:891/96%",
["재천무상"] = "RT:447/61%EB:466/85%EM:855/90%",
["올과일"] = "ET:568/75%EB:593/78%RM:584/60%",
["모크루"] = "LT:538/98%LB:745/96%EM:714/87%",
["드루유니"] = "ET:345/83%EB:570/85%EM:523/77%",
["양념보단생갈비"] = "ET:270/85%EB:323/82%EM:492/75%",
["밤도둑"] = "ET:657/85%EB:677/87%EM:898/91%",
["Rhiannon"] = "ET:671/87%LB:750/95%LM:910/95%",
["바리아"] = "EB:464/85%RM:647/72%",
["응응쭈"] = "RT:457/62%EB:599/78%RM:563/63%",
["스윗라떼"] = "RT:423/55%EB:686/88%EM:790/83%",
["와타나베"] = "ET:316/86%EB:690/88%EM:833/86%",
["케이아천"] = "ET:261/79%EB:608/80%RM:662/70%",
["맞아주는사람"] = "ET:603/80%EB:666/85%EM:828/88%",
["마이린스"] = "ET:419/94%EB:579/76%EM:843/88%",
["아키노"] = "EB:601/79%EM:788/83%",
["레기어스"] = "RT:205/70%LB:768/97%LM:946/96%",
["니똥꼬마격"] = "EB:625/79%EM:752/79%",
["쟈뿌"] = "ET:685/90%LB:781/98%LM:962/98%",
["칼잡이켄신"] = "RT:496/65%EB:593/78%EM:842/88%",
["제퓌로스"] = "RT:523/73%LB:775/97%EM:876/90%",
["레이븐크레스트"] = "LT:483/96%LB:742/98%EM:911/93%",
["노랑쪼꼴렛"] = "RT:408/53%EB:483/85%EM:713/76%",
["이그네스"] = "EB:741/93%EM:841/86%",
["붕날아돌진"] = "ET:240/77%EB:632/82%RM:543/62%",
["불러드봉"] = "ET:296/84%EB:611/78%EM:865/89%",
["캔유필미"] = "ET:591/79%EB:541/90%EM:849/90%",
["초록소나기"] = "ET:692/90%LB:762/96%EM:927/94%",
["임영라삼"] = "RT:132/50%EB:513/88%EM:758/82%",
["들켰냐"] = "EB:614/80%RM:481/54%",
["마쭈"] = "ET:367/92%EB:656/83%EM:805/83%",
["미남간달프"] = "RT:174/60%EB:610/80%EM:734/77%",
["천상의신비"] = "ET:274/83%EB:384/77%EM:806/84%",
["도적큐티"] = "EB:725/91%EM:779/81%",
["난안사요"] = "EB:630/82%EM:705/77%",
["마사하쿠는은신중"] = "EB:407/79%RM:667/71%",
["또오적"] = "RB:509/69%RM:626/68%",
["프렌치라떼"] = "EB:680/86%EM:818/85%",
["킨디"] = "ET:302/87%LB:767/97%LM:934/95%",
["Philosophy"] = "ET:425/94%EB:712/90%EM:907/92%",
["철벽"] = "ET:595/79%EB:627/79%EM:769/81%",
["그칼날"] = "RT:517/68%EB:675/86%RM:539/58%",
["바람이불어오는곳"] = "CT:162/20%EB:581/77%RM:686/73%",
["깨꽁이"] = "EB:389/77%RM:670/71%",
["흰토끼"] = "EB:615/80%EM:794/84%",
["란란"] = "LB:773/97%EM:914/93%",
["베나리야"] = "RT:203/67%EB:567/75%EM:731/77%",
["새벽의달"] = "LB:587/96%LM:932/97%",
["초코김유찬"] = "RT:206/68%EB:573/76%RM:643/70%",
["섬집아기"] = "RT:424/56%EB:632/82%RM:679/73%",
["민낯"] = "EB:566/75%RM:552/61%",
["오그라"] = "RT:459/61%EB:654/89%EM:699/76%",
["탱구님"] = "EB:597/78%EM:754/82%",
["메론케이크"] = "ET:696/90%LB:781/98%LM:969/98%",
["어글못잡음"] = "ET:634/84%EB:518/89%EM:704/77%",
["관우운장"] = "ET:278/83%EB:704/88%EM:768/81%",
["리바라구"] = "ET:359/90%EB:607/79%EM:724/76%",
["스케빈저"] = "RT:212/71%EB:643/83%EM:759/80%",
["잔다르크"] = "RT:225/73%EB:674/85%EM:883/90%",
["Lilydem"] = "CT:62/22%LB:650/98%LM:925/97%",
["무쇠로만든소"] = "ET:507/76%EB:640/82%EM:798/91%",
["래드우드"] = "RT:565/74%EB:550/90%EM:922/94%",
["으스"] = "ET:641/83%EB:648/82%EM:911/94%",
["마포전사"] = "LT:628/98%LB:770/97%LM:944/98%",
["헨델"] = "ET:281/83%EB:580/77%EM:752/80%",
["후아도적"] = "RT:459/60%EB:722/91%EM:833/86%",
["포도캔디"] = "UT:275/36%EB:745/94%EM:747/78%",
["백호랑이"] = "ET:646/89%EB:725/94%LM:909/96%",
["흥리건"] = "EB:575/76%EM:729/80%",
["빵좀부탁해"] = "RT:207/68%RB:546/73%RM:688/74%",
["꺽지"] = "EB:579/76%EM:788/83%",
["사제의라이상"] = "ET:284/77%EB:584/81%RM:662/73%",
["봉달매직"] = "CT:52/14%RB:446/66%CM:247/24%",
["뺨이동글동글"] = "CT:60/16%RB:467/67%EM:693/80%",
["다크아크"] = "RB:512/74%UM:292/34%",
["기사이피"] = "EB:483/89%EM:692/78%",
["퇴마사루나씨"] = "RB:506/70%EM:693/76%",
["씩씩한코끼리"] = "UT:265/33%EB:358/77%EM:713/82%",
["김보리"] = "UT:306/39%EB:596/82%EM:727/79%",
["징글"] = "ET:308/83%EB:534/76%EM:659/75%",
["Astronom"] = "EB:428/83%RM:487/56%",
["성장한쪼꼬미"] = "EB:549/78%RM:459/52%",
["닥터장"] = "EB:408/82%EM:828/92%",
["나에게로와"] = "UB:329/46%RM:505/60%",
["카유기사"] = "RT:158/53%EB:592/82%EM:690/75%",
["드루력"] = "LT:636/98%EB:475/89%EM:842/91%",
["레이나"] = "UB:364/49%RM:667/74%",
["살레시오"] = "RB:471/65%EM:706/77%",
["라임시드"] = "EB:514/82%EM:573/79%",
["마루드루"] = "ET:421/93%EB:640/87%EM:787/85%",
["상처엔후시딘"] = "RT:181/57%EB:658/90%EM:782/85%",
["두부한모사요"] = "UT:337/43%RB:479/69%EM:662/76%",
["버업사"] = "RT:245/73%EB:641/89%EM:817/88%",
["캐어투"] = "LB:717/95%LM:909/95%",
["질풍러시사제"] = "EB:657/90%EM:727/80%",
["질풍명월"] = "UT:85/26%EB:551/77%UM:384/45%",
["내추럴본힐러"] = "UT:215/26%RB:503/70%EM:715/78%",
["여설"] = "EB:544/79%UM:346/41%",
["주님에게사죄를"] = "RT:457/57%EB:558/80%UM:440/48%",
["진홍"] = "EB:529/92%EM:692/78%",
["거울속풍경"] = "RB:427/61%UM:311/34%",
["자바하이"] = "ET:434/92%EB:649/90%EM:812/88%",
["타바코양"] = "EB:526/76%RM:580/64%",
["대영이누나"] = "UB:316/44%RM:501/55%",
["Bonita"] = "RT:186/57%RB:378/53%RM:610/71%",
["공수출장힐러"] = "RB:478/66%EM:677/75%",
["소심한곰돌이"] = "RT:156/53%EB:592/81%RM:549/61%",
["Sanctuary"] = "CT:42/12%EB:591/81%RM:530/58%",
["모멘트"] = "EB:652/89%EM:741/81%",
["게임중인고양이"] = "RB:373/53%RM:467/53%",
["자두맛사탄"] = "RT:425/54%EB:371/77%EM:809/89%",
["섬마을선생"] = "UT:101/32%RB:456/65%RM:476/56%",
["참뭉치"] = "UT:221/26%RB:445/63%EM:606/76%",
["귀여운악녀"] = "RT:409/54%EB:603/86%EM:701/81%",
["센코쿠"] = "RB:456/66%RM:590/69%",
["차루"] = "RB:351/50%EM:691/80%",
["예은아제"] = "ET:337/87%EB:348/75%RM:644/74%",
["리엔샤이나"] = "CT:57/15%EB:555/80%EM:695/80%",
["김포댁"] = "CT:9/12%EB:463/87%UM:301/36%",
["이쁜토토"] = "UT:145/49%EB:533/76%EM:704/77%",
["데피아즈단사제"] = "UT:89/28%EB:613/85%RM:600/66%",
["슈퍼사"] = "RB:392/56%EM:440/79%",
["쟈스민"] = "RT:175/58%RB:480/69%EM:749/84%",
["김길상"] = "EB:644/89%RM:679/74%",
["핑크"] = "RT:217/67%EB:532/75%RM:351/72%",
["피온"] = "ET:326/82%EB:581/83%EM:770/87%",
["그림자푸"] = "ET:619/80%EB:648/89%RM:497/59%",
["안면어글"] = "RB:499/69%EM:745/82%",
["꽃보다류준열"] = "ET:287/79%EB:653/90%RM:585/67%",
["막연"] = "RT:174/58%EB:647/90%RM:663/73%",
["닥터문"] = "RT:180/55%EB:544/78%RM:476/52%",
["이쁜아줌마"] = "UT:352/46%RB:449/65%EM:728/80%",
["바람의수호자"] = "RT:255/74%EB:591/83%EM:727/79%",
["쟈스민향기"] = "RT:529/67%EB:519/75%EM:698/80%",
["얀이사제"] = "RB:352/50%CM:187/21%",
["지혜의축복"] = "RT:150/51%RB:517/74%RM:385/62%",
["쵸리기사"] = "RB:464/67%CM:134/12%",
["일어나라용사여"] = "CT:78/23%EB:648/89%EM:722/79%",
["오봉수이"] = "ET:704/91%EB:568/92%EM:898/93%",
["광격"] = "ET:709/93%EB:707/92%LM:919/95%",
["벤테이가"] = "ET:308/88%RB:585/74%EM:803/86%",
["아이크스"] = "RT:183/62%EB:501/87%RM:575/62%",
["미스틸테인"] = "ET:663/86%EB:676/86%EM:828/86%",
["달빛그리움"] = "RT:212/71%LB:741/96%EM:722/82%",
["임영라"] = "ET:591/78%LB:751/95%EM:882/92%",
["철기냥꾼"] = "LT:638/98%LB:625/95%EM:884/92%",
["Babynuke"] = "RT:516/69%EB:512/88%EM:751/80%",
["신개념전사당"] = "ET:373/92%EB:425/81%EM:746/81%",
["옥갈치"] = "ET:337/89%EB:728/92%EM:806/84%",
["효상"] = "RT:503/66%EB:707/90%EM:870/90%",
["Rightnow"] = "ET:643/85%EB:489/86%EM:713/76%",
["크리스율"] = "LT:607/98%LB:621/95%EM:901/92%",
["싹슬이"] = "ET:304/86%EB:556/91%RM:615/67%",
["방디"] = "RT:504/68%EB:596/78%RM:492/50%",
["여신베르단디"] = "LT:678/98%EB:697/89%LM:968/98%",
["김총총"] = "RT:179/64%EB:704/93%EM:920/94%",
["와우는점프지"] = "ET:285/81%EB:654/85%",
["니똥꼬에화살을"] = "RT:525/72%EB:545/91%EM:817/86%",
["생삼겹살"] = "RT:470/66%EB:672/87%EM:816/85%",
["꿀밤"] = "RT:421/59%EB:580/78%EM:708/76%",
["키움증권"] = "ET:620/83%EB:687/88%RM:680/72%",
["가자자가"] = "ET:270/83%RB:475/60%RM:381/67%",
["몽키디거프"] = "ET:587/78%EB:457/84%EM:755/82%",
["은발냥이"] = "ET:593/81%EB:701/89%LM:942/95%",
["법사군"] = "ET:638/84%LB:570/95%RM:469/55%",
["바람의사냥꾼"] = "ET:632/84%EB:702/90%EM:825/87%",
["임자생도적"] = "RT:194/66%EB:596/76%RM:637/68%",
["노즈도루무"] = "ET:703/91%EB:741/94%EM:885/90%",
["에밀리블런트"] = "LT:624/98%EB:589/93%EM:908/92%",
["미역줄기"] = "ET:626/94%EB:613/90%EM:755/91%",
["Drain"] = "ET:418/93%EB:502/88%EM:831/88%",
["곰꼬미"] = "LT:640/95%LB:746/97%LM:968/98%",
["보리떡"] = "ET:316/87%EB:676/87%EM:755/79%",
["도봉구전사"] = "UT:88/35%RB:482/61%RM:583/66%",
["런닝걸"] = "UT:349/47%RB:444/65%RM:602/73%",
["실비"] = "RT:512/70%EB:673/87%EM:780/83%",
["지유"] = "ET:694/90%EB:697/89%EM:900/92%",
["비시디우스"] = "ET:578/78%EB:692/89%RM:642/70%",
["야옹아물어"] = "RT:205/70%EB:739/93%EM:819/85%",
["시혀느"] = "ET:347/90%SB:750/99%LM:967/97%",
["냥꾼유니"] = "ET:708/91%EB:733/93%EM:923/94%",
["다이블"] = "RT:191/64%RB:515/69%RM:682/72%",
["지웰법사"] = "CT:151/19%EB:654/89%EM:721/82%",
["사이후이"] = "ET:564/76%EB:492/87%RM:669/71%",
["이름난감하네"] = "LT:476/95%EB:503/87%EM:867/89%",
["키크시네요"] = "UT:129/46%EB:677/87%RM:637/66%",
["풍선근육"] = "ET:679/89%EB:663/86%EM:758/81%",
["Marlin"] = "LT:586/97%EB:642/83%EM:823/85%",
["싸군"] = "ET:274/81%EB:716/91%EM:795/83%",
["Meerly"] = "ET:664/86%EB:729/92%EM:886/91%",
["천상수향"] = "RT:228/72%RB:439/59%RM:458/52%",
["아수라발밟다"] = "UT:168/26%RB:380/52%RM:503/55%",
["러버도적"] = "RT:559/73%EB:668/86%EM:704/75%",
["냥꾼고양이"] = "RT:506/69%EB:737/93%EM:724/76%",
["샤프란"] = "ET:327/92%EB:672/90%RM:634/70%",
["무화과"] = "ET:608/80%EB:668/86%EM:749/78%",
["언제냥"] = "ET:604/81%EB:724/92%EM:921/94%",
["내가쫌샤방"] = "ET:311/84%EB:672/86%EM:718/75%",
["큐피트롤"] = "RT:527/73%EB:683/87%RM:681/72%",
["포도맛카레"] = "ET:617/81%EB:641/83%RM:691/72%",
["호드는호날두"] = "RT:390/54%EB:561/92%EM:820/85%",
["월급루팡"] = "ET:595/80%EB:684/88%EM:873/89%",
["라인크라니스"] = "ET:598/85%EB:727/94%EM:901/94%",
["유프라카치아"] = "ET:699/90%EB:717/91%EM:835/88%",
["소녀햄뽁아요"] = "ET:613/81%EB:697/89%UM:408/46%",
["비앤디"] = "UT:89/40%UB:327/42%RM:664/73%",
["신과장"] = "ET:637/88%EB:393/83%RM:317/62%",
["Lg"] = "RT:470/62%EB:595/78%EM:735/76%",
["토롤롤로"] = "ET:357/90%EB:630/83%EM:774/82%",
["귀규귀규"] = "ET:208/87%EB:285/79%EM:551/78%",
["뚜룻뚜뚜"] = "ET:675/93%EB:644/92%EM:817/92%",
["니가가라"] = "ET:666/91%EB:726/94%EM:851/92%",
["샤인스토커"] = "ET:564/92%EB:694/93%EM:788/91%",
["Hangangpig"] = "RT:480/74%EB:642/88%EM:842/92%",
["니똥꼬돌진"] = "RT:393/57%EB:671/84%EM:838/87%",
["샤웬"] = "ET:696/93%LB:609/96%EM:860/92%",
["융통수"] = "LT:773/97%LB:792/98%EM:901/92%",
["계왕"] = "ET:454/83%EB:598/87%EM:756/89%",
["훔치기구단"] = "EB:708/89%LM:920/95%",
["도적주방장"] = "EB:508/88%EM:747/78%",
["낸내"] = "ET:602/81%EB:693/88%EM:848/90%",
["Uno"] = "ET:664/92%LB:773/97%LM:944/97%",
["앵그리"] = "EB:720/94%EM:782/84%",
["Oos"] = "RT:372/51%EB:399/79%RM:693/73%",
["문뚜전사"] = "ET:231/76%EB:576/76%EM:780/82%",
["헛개"] = "RB:523/70%RM:603/68%",
["도발면역"] = "UT:207/30%EB:597/78%RM:560/63%",
["투유유전사"] = "ET:238/76%EB:651/84%EM:786/82%",
["엄마찾아삼만원"] = "EB:442/83%EM:740/78%",
["드라카리스"] = "LB:778/98%EM:777/87%",
["박푸르메"] = "LT:513/97%LB:636/95%EM:907/94%",
["돌진닭"] = "ET:243/78%EB:610/80%RM:360/72%",
["숨지"] = "ET:338/88%EB:552/91%EM:737/78%",
["막지"] = "RB:525/70%UM:306/36%",
["동방제과"] = "ET:731/94%LB:773/97%EM:741/80%",
["호드옘병"] = "EB:596/78%EM:828/87%",
["쭈구리"] = "RB:501/64%EM:720/76%",
["탱을책임진다"] = "EB:590/93%LM:928/95%",
["빌파"] = "ET:422/94%EB:663/85%RM:595/64%",
["살코기"] = "ET:280/82%EB:621/81%EM:723/77%",
["바다로갈까요"] = "ET:487/89%LB:769/98%LM:935/97%",
["하늘별빛"] = "ET:690/89%LB:756/97%EM:865/93%",
["괴도지아"] = "UT:305/40%EB:615/80%EM:763/80%",
["쥬나"] = "RT:521/70%EB:402/78%EM:770/80%",
["농약세병원샷"] = "RB:561/74%RM:497/53%",
["닥붕츄럴"] = "RB:501/67%EM:832/86%",
["달렉"] = "EB:705/93%LM:900/95%",
["네르미르"] = "ET:673/88%EB:661/85%EM:828/86%",
["집구석일인자"] = "LB:593/96%EM:869/91%",
["도적생"] = "EB:599/78%RM:681/73%",
["와따군"] = "ET:377/92%EB:432/81%EM:872/89%",
["마법뽀송"] = "ET:657/86%LB:763/96%LM:930/95%",
["전사네로"] = "UT:89/35%EB:479/87%EM:783/85%",
["미끌리"] = "RT:141/50%EB:679/87%EM:809/85%",
["은월비영"] = "ET:281/82%RB:511/68%EM:781/81%",
["도적옹"] = "RB:550/73%EM:891/92%",
["군주생귀나르"] = "EB:721/90%EM:804/84%",
["궁극의탱커"] = "ET:324/88%EB:658/84%RM:676/74%",
["포도막걸리"] = "ET:277/82%EB:606/77%RM:637/68%",
["민트양"] = "LB:781/98%LM:949/96%",
["백야차"] = "UT:126/45%EB:610/78%EM:782/81%",
["소다캔디"] = "EB:735/93%EM:826/87%",
["키득대지마"] = "ET:243/77%EB:672/86%EM:726/79%",
["Iring"] = "ET:435/94%EB:629/82%EM:866/90%",
["잔잔한파도"] = "RT:486/64%RB:548/73%EM:895/91%",
["전사철수"] = "UT:164/26%EB:610/79%EM:753/79%",
["갱숙"] = "UT:213/28%EB:578/76%EM:807/84%",
["말미잘과하얀눈은"] = "EB:628/82%EM:839/88%",
["봄동"] = "EB:600/76%EM:744/78%",
["속초매니아"] = "RT:511/67%EB:598/78%EM:871/89%",
["졸린날"] = "EB:538/90%EM:878/90%",
["붕대칭칭"] = "UT:133/47%RB:514/69%UM:429/45%",
["아름도적"] = "RT:221/71%RB:547/73%EM:789/83%",
["오우거기사"] = "RB:520/72%RM:474/51%",
["진빛"] = "EB:595/82%EM:709/77%",
["딸기냥이"] = "RB:433/62%RM:641/74%",
["어설픈가가멜"] = "EB:351/75%RM:548/64%",
["김경갑"] = "EB:675/91%EM:908/94%",
["할리퀸크레스트"] = "LT:824/96%EB:693/93%EM:858/93%",
["타우리"] = "UT:132/46%EB:645/89%EM:864/93%",
["레몬트리"] = "EB:634/86%EM:721/79%",
["나는야수"] = "EB:660/91%EM:746/84%",
["윤아"] = "UT:97/34%EB:387/80%LM:496/96%",
["큐티드루이드"] = "EB:615/86%UM:364/43%",
["내맘대로사제"] = "RB:529/73%RM:547/60%",
["러훠"] = "UT:265/32%EB:372/78%UM:400/47%",
["빛심"] = "EB:565/78%EM:802/86%",
["신이주신선물"] = "ET:300/83%EB:645/88%EM:725/82%",
["곰사이"] = "CT:199/24%RB:412/60%EM:723/83%",
["레이저백"] = "RT:551/69%RB:505/70%EM:741/81%",
["은빛주의"] = "UT:129/45%RB:449/65%CM:139/12%",
["본캐릭터"] = "RB:442/64%RM:542/59%",
["아오라힐"] = "RT:267/74%RB:425/60%RM:555/61%",
["눕지마톤즈"] = "RT:535/68%RB:488/70%RM:619/68%",
["복만이"] = "LB:707/95%EM:863/92%",
["Beatbox"] = "EB:643/88%RM:583/64%",
["황금의손"] = "CT:92/9%RB:385/55%RM:493/54%",
["Hoimi"] = "ET:629/81%EB:653/90%EM:676/78%",
["운산"] = "RB:500/73%RM:549/60%",
["피의겨울"] = "UT:204/25%RB:503/73%RM:508/56%",
["드루고양이"] = "ET:359/87%EB:519/92%EM:618/77%",
["네살차이"] = "UT:95/30%EB:576/82%EM:702/81%",
["땡이바부"] = "UT:138/47%RB:444/64%RM:632/73%",
["당그니기사"] = "RB:410/59%RM:469/53%",
["나슬링"] = "ET:638/80%EB:535/77%RM:583/68%",
["백두대감"] = "CT:92/9%RB:428/62%RM:478/52%",
["첫번째사제"] = "CT:146/16%EB:569/81%EM:773/87%",
["느나힐"] = "RB:255/60%RM:478/57%",
["Kissin"] = "UT:324/40%EB:443/86%EM:805/88%",
["꾸릉이"] = "RB:408/58%UM:363/39%",
["Hanneman"] = "ET:413/90%EB:548/76%EM:704/79%",
["로한왕비로시리엘"] = "EB:364/78%EM:748/82%",
["회드나엘"] = "RB:305/71%RM:457/50%",
["늑대를사랑한바람"] = "RT:209/67%EB:681/93%EM:655/76%",
["나만불편한가"] = "RB:383/56%RM:642/74%",
["제드루"] = "CT:70/10%EB:638/88%EM:701/80%",
["하이영"] = "RB:477/69%RM:519/59%",
["마리오네뜨"] = "RT:234/72%EB:619/85%EM:751/81%",
["Paladinjerry"] = "ET:267/77%EB:523/92%RM:652/74%",
["토요요사제"] = "RT:165/53%EB:547/76%EM:702/77%",
["슈타인해머"] = "UB:334/46%RM:278/63%",
["힐총총"] = "RB:427/71%EM:640/80%",
["루하사제"] = "RB:477/70%RM:308/66%",
["Daysfly"] = "CT:13/0%RB:272/63%CM:193/22%",
["해루미"] = "ET:463/94%EB:690/93%EM:787/88%",
["사죄한악마"] = "RT:491/62%RB:474/65%CM:140/12%",
["가온빛"] = "RB:471/65%RM:666/73%",
["메이링"] = "ET:268/78%RB:453/65%RM:490/56%",
["잘해봐요"] = "UB:292/39%UM:304/31%",
["은빛기사단"] = "ET:307/82%EB:565/80%RM:469/51%",
["힐주는냥이"] = "EB:588/82%EM:796/86%",
["Jjin"] = "RT:540/68%EB:560/80%EM:696/77%",
["성베네딕트"] = "UT:134/46%RB:393/56%UM:428/46%",
["힐저항"] = "RB:392/56%RM:462/50%",
["요양"] = "RT:495/63%RB:498/72%RM:666/73%",
["사제입니까"] = "RB:297/68%RM:506/60%",
["펭럽사제"] = "RT:500/64%EB:445/86%EM:682/79%",
["감성충전"] = "UT:105/36%EB:660/90%EM:448/80%",
["제사제"] = "RT:429/54%EB:407/82%EM:714/82%",
["성기사아린"] = "UT:318/39%EB:571/80%UM:338/39%",
["난선녀"] = "RB:363/52%RM:480/57%",
["벌크업"] = "CT:97/10%RB:505/72%UM:400/47%",
["막리지"] = "CT:35/9%EB:584/83%RM:679/74%",
["드루온나"] = "EB:552/79%RM:593/70%",
["드루와썹"] = "EB:552/79%EM:691/79%",
["선율힐"] = "RB:277/64%UM:356/42%",
["짜가"] = "RB:455/66%RM:553/65%",
["으름"] = "UT:214/25%RB:404/57%RM:480/57%",
["Bugbear"] = "RT:492/65%EB:642/88%RM:545/64%",
["칠리"] = "ET:633/84%EB:694/92%RM:560/66%",
["닥돌흥마"] = "ET:240/75%EB:566/75%UM:377/42%",
["짝수"] = "ET:285/83%EB:717/91%EM:884/90%",
["예가체프"] = "LT:466/95%EB:671/87%EM:866/90%",
["대설주의보"] = "RT:498/69%EB:724/91%EM:914/93%",
["레드쏘냐"] = "ET:555/77%EB:743/93%EM:890/91%",
["Saxophonist"] = "LT:453/95%LB:759/95%EM:891/91%",
["냥대디"] = "RT:212/71%EB:621/82%EM:821/86%",
["오필승고래야"] = "RT:235/73%EB:682/87%EM:763/79%",
["옥탑방고양이"] = "ET:342/88%EB:710/90%EM:722/75%",
["좀놀았냐"] = "ET:630/84%EB:659/86%EM:856/89%",
["아자자작"] = "ET:302/85%EB:694/88%EM:834/86%",
["유우"] = "ET:242/77%EB:475/85%EM:765/80%",
["바람이꾸는꿈"] = "RT:536/74%EB:610/81%RM:570/63%",
["백마법사"] = "ET:241/76%EB:627/86%UM:339/40%",
["랑만모험가"] = "RT:446/63%EB:714/90%EM:817/85%",
["바람의벗"] = "ET:633/84%LB:634/95%EM:837/88%",
["교회터는스님"] = "UT:365/47%RB:421/56%RM:656/71%",
["화이트위니"] = "CT:64/21%RB:406/55%UM:391/45%",
["오묘"] = "ST:680/99%EB:748/94%EM:831/86%",
["Port"] = "ET:286/83%EB:587/77%RM:693/73%",
["뇌피셜블랙"] = "ET:437/93%RB:562/73%EM:803/83%",
["흥망"] = "RT:198/65%EB:609/79%RM:696/72%",
["배사장"] = "ET:374/90%EB:609/80%RM:531/58%",
["불타는너구리냥"] = "RT:202/69%EB:570/77%EM:761/81%",
["외로운르네"] = "LT:543/98%LB:566/95%EM:850/94%",
["깐따삐야"] = "ET:250/75%RB:348/71%EM:718/75%",
["아이오아이평생"] = "ET:616/82%EB:657/85%EM:858/88%",
["태양이아빠"] = "ET:633/84%LB:752/95%EM:861/90%",
["그지킹"] = "ET:336/89%EB:637/83%EM:754/80%",
["시울"] = "ET:640/85%EB:665/86%EM:843/88%",
["Akatani"] = "ST:761/99%LB:774/98%EM:819/85%",
["천사의뒷태"] = "ET:577/78%EB:655/85%EM:735/77%",
["씩이아님"] = "ET:500/86%EB:511/92%EM:800/91%",
["백종원의변신비법"] = "ET:533/91%EB:683/93%EM:819/92%",
["야수와춤을"] = "RT:547/74%EB:405/79%EM:826/85%",
["스카하크"] = "UT:337/47%RB:463/73%UM:148/40%",
["흑마고양이"] = "RT:413/55%EB:596/77%RM:587/61%",
["레반틴"] = "RT:513/71%EB:672/86%EM:875/90%",
["띠아블로"] = "RT:388/53%RB:456/62%RM:603/62%",
["으랴전사"] = "UT:153/25%RB:529/71%RM:478/50%",
["모로로"] = "LT:739/95%EB:552/94%LM:889/95%",
["송유리"] = "ET:369/94%LB:698/95%LM:903/96%",
["부끄"] = "ET:322/85%EB:673/86%EM:780/81%",
["흑마쮸"] = "ET:626/82%EB:462/83%EM:728/78%",
["야옹이당염"] = "ET:257/77%EB:630/82%RM:675/72%",
["Maizid"] = "RT:217/69%EB:705/90%EM:743/77%",
["꼬기냥"] = "UT:251/32%RB:461/67%UM:399/47%",
["으랴"] = "ET:618/82%EB:654/85%EM:767/80%",
["트롤의활"] = "RT:419/57%RB:545/74%RM:612/65%",
["흑살성"] = "ET:260/78%EB:428/80%RM:606/66%",
["환상환상이"] = "ET:250/75%EB:645/84%EM:710/76%",
["로자모"] = "RT:492/65%RB:512/67%UM:444/45%",
["얍삽한도적양"] = "RT:473/62%EB:587/77%RM:529/57%",
["흑마법사찐"] = "ET:435/93%EB:707/90%EM:813/86%",
["악과"] = "ET:613/81%EB:740/93%EM:893/92%",
["축복의엘린"] = "ET:245/77%EB:366/79%RM:481/56%",
["쏘주냥"] = "ET:671/88%EB:695/89%EM:797/84%",
["도박꿱"] = "UT:269/35%RB:431/59%RM:494/55%",
["치킨양"] = "ET:682/88%EB:687/88%EM:747/78%",
["Broken"] = "ET:242/75%EB:534/90%EM:728/76%",
["수정불가"] = "ET:714/93%LB:583/95%EM:847/93%",
["힐없는드루"] = "ET:123/76%EB:438/80%EM:602/82%",
["판타스틱고양이"] = "RT:467/74%EB:515/78%EM:671/83%",
["Maddogpig"] = "ET:330/90%EB:562/94%EM:780/89%",
["혈루화"] = "ET:306/88%EB:575/83%EM:743/87%",
["밀토니아"] = "ET:337/90%EB:671/89%EM:822/91%",
["화채"] = "ET:656/90%EB:581/84%EM:587/81%",
["러어"] = "ET:718/94%LB:757/96%EM:876/93%",
["재수가오십"] = "RT:181/61%EB:587/76%RM:655/68%",
["높은곳에서호산나"] = "RT:433/68%EB:498/76%EM:732/86%",
["돐진"] = "LT:590/98%RB:442/71%EM:677/83%",
["딜그만어글튄다"] = "ET:301/88%EB:662/89%EM:844/92%",
["즈언사"] = "ET:695/92%EB:718/93%EM:863/93%",
["Nol"] = "RT:395/66%RB:411/68%RM:445/72%",
["존케네디"] = "ET:285/87%EB:635/91%EM:813/87%",
["혈도"] = "EB:616/78%EM:815/84%",
["세일"] = "RT:545/73%EB:683/88%EM:737/79%",
["넴시"] = "ET:363/91%LB:764/97%LM:909/96%",
["창원스피드"] = "LT:543/97%EB:661/90%EM:733/84%",
["리무버"] = "EB:573/76%EM:749/80%",
["꼬마산적"] = "ET:331/88%EB:586/77%EM:775/81%",
["쪼맨해서안보이"] = "RT:229/73%EB:606/79%EM:814/85%",
["유의하세요"] = "ET:375/92%EB:722/94%LM:895/95%",
["도적의하루"] = "EB:645/82%EM:722/76%",
["네오오크"] = "ET:274/82%EB:464/84%EM:851/93%",
["영이"] = "LT:470/96%EB:731/94%EM:807/90%",
["Hotfix"] = "ET:710/91%EB:548/90%EM:779/84%",
["통삼겹살"] = "RT:422/60%RB:545/73%RM:527/61%",
["다크암살도적"] = "UT:81/28%EB:613/80%RM:673/71%",
["김희선"] = "EB:449/84%EM:822/85%",
["Ola"] = "LT:750/96%LB:767/97%EM:885/94%",
["엔비즈"] = "RT:223/71%EB:481/85%EM:714/76%",
["나청춘"] = "EB:595/78%EM:797/83%",
["흑우는불타오른다"] = "RT:478/65%EB:442/82%EM:793/85%",
["대영이아빠"] = "ET:302/86%EB:712/90%EM:872/90%",
["계란찜"] = "ET:421/93%EB:658/85%EM:843/87%",
["Proserpine"] = "ET:664/87%EB:676/90%EM:889/94%",
["조카"] = "ET:414/94%EB:632/82%EM:818/87%",
["베르다미"] = "ET:730/93%EB:690/92%EM:720/82%",
["Taeyeon"] = "LT:481/97%SB:717/99%LM:931/96%",
["해피데스데이"] = "RB:531/71%RM:477/54%",
["지갑속와우"] = "EB:610/78%EM:822/85%",
["솔빛"] = "LT:558/97%EB:479/85%EM:853/89%",
["흑형"] = "ET:355/91%EB:622/81%EM:799/85%",
["썰녀"] = "ET:253/79%EB:633/82%EM:779/84%",
["마라샹쿼"] = "EB:722/91%LM:938/95%",
["이모야의법사"] = "ET:380/92%LB:760/97%LM:948/96%",
["Arttime"] = "RT:185/66%EB:444/84%EM:782/82%",
["에틴"] = "ET:244/77%EB:576/76%RM:677/72%",
["붕대안하니"] = "RT:477/65%EB:575/76%EM:783/81%",
["민큐형"] = "UT:288/38%EB:617/78%EM:780/81%",
["럭스"] = "ST:686/99%LB:770/97%EM:796/83%",
["Jackinthebox"] = "ET:635/84%LB:666/98%LM:926/97%",
["메인탱킹"] = "EB:524/90%EM:855/88%",
["피닉스전사"] = "EB:718/90%EM:824/86%",
["수오미"] = "LB:766/97%EM:845/89%",
["유니콘건담"] = "EB:570/75%RM:557/64%",
["암흑의공간"] = "EB:664/84%EM:918/94%",
["뼈하나에천원"] = "ET:338/88%EB:659/85%RM:595/64%",
["그래서아름다운"] = "RB:427/58%RM:465/52%",
["Kleenex"] = "RT:390/51%EB:661/85%EM:775/82%",
["Swanir"] = "RT:438/59%EB:719/91%EM:808/84%",
["쪼꼬냥꾼"] = "SB:803/99%EM:922/94%",
["첨해요"] = "EB:590/75%EM:834/86%",
["순애"] = "RT:501/70%EB:542/78%EM:722/86%",
["쪼포"] = "LB:574/95%LM:887/95%",
["미망인글로리아"] = "EB:589/75%EM:844/87%",
["체리애인"] = "ET:243/75%EB:449/82%RM:648/70%",
["은발도적"] = "UT:327/43%EB:485/86%EM:809/84%",
["발리볼"] = "ET:303/85%EB:481/85%RM:646/70%",
["Oscorpor"] = "ET:636/88%RB:543/72%EM:702/75%",
["레게모리"] = "ET:678/88%EB:687/88%EM:836/86%",
["영웅증권"] = "ET:592/79%EB:695/89%EM:731/76%",
["와우제과"] = "ET:647/85%LB:736/95%LM:952/98%",
["고구마깡"] = "LB:772/97%LM:958/97%",
["아란의망령"] = "ET:263/81%LB:749/96%EM:827/87%",
["득템사제"] = "UB:341/45%UM:371/39%",
["소리사제"] = "RT:506/64%EB:556/79%RM:571/67%",
["깐풍기"] = "RT:174/58%EB:550/79%RM:646/71%",
["오빠따라와우한다"] = "RB:513/71%RM:673/74%",
["후비적대지마"] = "RT:248/73%EB:665/91%EM:871/92%",
["가즈나이트"] = "RB:447/61%EM:695/76%",
["파니오렌지"] = "CT:30/3%RB:507/73%RM:642/74%",
["르블레인"] = "EB:687/92%RM:672/74%",
["닥딜닥힐"] = "RB:532/74%EM:736/80%",
["리카온"] = "ET:762/92%EB:534/76%RM:506/58%",
["사제젤리"] = "EB:356/77%UM:233/27%",
["후아기사"] = "EB:439/85%UM:432/47%",
["축복의로망"] = "RB:391/56%UM:363/38%",
["페리어드"] = "UT:324/40%EB:599/83%EM:872/93%",
["Mytyl"] = "ET:344/86%RB:475/67%RM:647/71%",
["이름귀찮은데"] = "ET:441/93%EB:581/82%RM:587/64%",
["초단이"] = "EB:553/77%EM:804/87%",
["Shift"] = "UT:90/28%RB:459/67%RM:593/65%",
["연영"] = "CT:135/15%RB:485/69%RM:632/70%",
["흑풍도우미"] = "RT:219/64%EB:389/80%UM:299/31%",
["깟댐"] = "ET:339/86%EB:579/82%RM:590/67%",
["박스줍는소녀"] = "RB:500/72%RM:595/65%",
["긔여븐덕이"] = "RB:375/54%RM:587/65%",
["품위있는악녀"] = "RT:544/69%EB:658/90%EM:683/75%",
["알레이샤"] = "UB:149/36%CM:170/15%",
["광호위"] = "RT:164/54%EB:570/80%RM:449/52%",
["가와이성기사"] = "RT:173/58%RB:443/64%UM:430/48%",
["좋은데이사제"] = "CT:42/3%RB:372/53%UM:421/45%",
["이단심문관"] = "UT:78/27%RB:317/69%UM:391/44%",
["투명손"] = "UT:337/41%EB:649/89%EM:792/86%",
["힐있또"] = "RT:425/56%RB:522/72%EM:749/82%",
["세레시아"] = "RB:485/70%RM:475/51%",
["좋은데이드사제"] = "CT:146/16%RB:460/67%RM:561/62%",
["불친절한김군아"] = "CT:47/11%RB:447/65%UM:393/46%",
["하루아빠"] = "CT:186/22%EB:618/85%RM:584/64%",
["사제가브"] = "RB:407/59%RM:600/66%",
["기사허브"] = "ET:772/93%EB:603/84%",
["할리탕이"] = "RT:550/69%RB:447/64%RM:575/67%",
["더치"] = "RB:416/60%EM:749/86%",
["드새린"] = "ET:655/83%RB:486/70%UM:217/26%",
["용언니"] = "UB:317/44%UM:333/39%",
["하이예요"] = "RT:200/65%EB:606/85%EM:763/86%",
["발바닥노예"] = "ST:646/99%EB:617/85%RM:621/66%",
["막팔라"] = "ET:387/90%EB:623/85%EM:795/86%",
["갸또레이"] = "UT:124/40%EB:612/85%RM:661/73%",
["찬란한"] = "EB:648/88%LM:921/96%",
["퀸조커"] = "RT:184/61%EB:647/88%RM:613/70%",
["어서가자"] = "ET:263/76%EB:485/89%RM:544/63%",
["할리나"] = "CT:178/20%RB:411/58%UM:338/40%",
["Vip"] = "RT:487/65%EB:606/83%EM:671/77%",
["미루민숑"] = "RB:531/73%RM:646/71%",
["무인자룡"] = "UT:365/47%EB:605/85%RM:651/74%",
["잿불"] = "ET:310/82%EB:551/78%EM:685/76%",
["사제고양이"] = "UB:332/47%UM:401/47%",
["나에게맏겨"] = "UT:83/29%EB:578/80%RM:514/56%",
["서이랑"] = "RB:447/64%RM:520/60%",
["미카엘대사제"] = "UB:196/48%UM:432/47%",
["Pocariman"] = "RB:495/71%UM:352/38%",
["드뚜루"] = "RT:178/59%EB:580/82%EM:744/84%",
["갑식"] = "CT:75/7%EB:553/78%RM:649/74%",
["리자호크아이"] = "RT:497/63%EB:558/80%RM:636/70%",
["우리말엿보기"] = "RB:398/57%CM:224/22%",
["Diosa"] = "CT:68/24%EB:400/83%RM:631/70%",
["뚱사랑"] = "ET:301/83%EB:559/77%RM:572/66%",
["치스비"] = "ET:676/85%EB:619/86%EM:660/75%",
["밝고눈부신측면"] = "UT:117/40%RB:503/72%RM:495/57%",
["청룡언월도"] = "EB:607/83%UM:426/46%",
["클리어"] = "UT:111/35%RB:409/59%RM:524/62%",
["캡틴존"] = "RB:398/57%UM:282/28%",
["척검"] = "RB:211/64%RM:455/72%",
["금초롱이"] = "RB:494/71%RM:293/65%",
["푸른망치"] = "EB:430/85%RM:676/74%",
["종사제"] = "RB:249/58%UM:257/26%",
["주혜"] = "RT:391/52%EB:629/86%EM:852/90%",
["Johanna"] = "RT:158/52%RB:325/69%UM:289/33%",
["핀딘"] = "RB:517/71%RM:668/73%",
["또떠날거잖아"] = "UB:285/38%RM:238/57%",
["카시오페이아"] = "ET:421/93%EB:644/89%EM:806/89%",
["술먹은수녀"] = "UT:121/42%RB:433/62%UM:404/46%",
["패르소나"] = "LT:498/95%EB:686/87%EM:790/84%",
["Enjam"] = "RT:203/70%EB:604/80%EM:743/80%",
["알게뭐람"] = "ET:466/94%EB:557/91%EM:841/89%",
["막대솬"] = "ET:683/88%EB:726/92%EM:858/88%",
["선하"] = "ET:661/90%EB:695/92%EM:748/89%",
["뭐나왔어요"] = "ET:286/81%EB:505/87%EM:873/92%",
["활쏨"] = "RT:149/55%EB:612/80%EM:725/76%",
["쫑냥꾼"] = "RT:225/74%RB:504/69%RM:676/73%",
["이시타르"] = "ET:629/83%EB:615/94%EM:796/84%",
["파라샤"] = "ET:413/94%EB:650/89%EM:802/91%",
["영모"] = "RT:403/53%EB:577/75%RM:542/59%",
["허걱님이죠"] = "RT:148/55%RB:428/56%RM:594/63%",
["홀로아리랑"] = "UT:129/46%RB:424/54%UM:368/38%",
["다깬다"] = "RT:178/60%EB:589/78%RM:619/67%",
["얼방도둑제이나"] = "CT:60/21%RB:402/57%RM:224/61%",
["루시스드루이드"] = "ET:523/90%EB:557/85%EM:784/91%",
["Djerry"] = "RT:464/63%UB:359/49%UM:296/35%",
["시실리"] = "ET:663/87%EB:700/90%LM:929/96%",
["짱뚱어"] = "RT:515/70%EB:675/87%RM:665/72%",
["영원히미안해"] = "RT:413/57%RB:512/68%RM:625/70%",
["나앨드루"] = "ET:272/92%EB:382/87%EM:736/89%",
["Zohan"] = "ET:302/86%EB:650/89%EM:662/85%",
["미니멍멍"] = "RT:471/64%EB:609/81%EM:728/77%",
["뱀장어"] = "UT:332/46%EB:635/83%EM:766/80%",
["팅커벨라"] = "ET:309/85%EB:653/84%EM:829/88%",
["어서와곰"] = "ST:761/99%EB:691/94%LM:893/96%",
["우어우어"] = "ET:296/85%RB:471/65%EM:843/87%",
["다울라기리"] = "ET:340/87%EB:622/81%RM:558/60%",
["사울굿맨"] = "LT:542/98%LB:761/97%EM:828/93%",
["Pibumbuk"] = "ET:592/78%EB:652/84%RM:687/71%",
["듬듬"] = "ET:566/82%EB:669/90%EM:867/94%",
["붕대질"] = "RT:393/51%RB:416/55%RM:656/71%",
["하울의법사"] = "ET:411/94%RB:435/61%UM:432/47%",
["찬스전사"] = "ET:292/86%EB:590/77%RM:621/66%",
["오하연"] = "ET:329/86%EB:650/84%EM:767/82%",
["뮤라"] = "RT:171/59%RB:325/69%RM:643/70%",
["불타는전사너구리"] = "ET:703/93%EB:630/87%EM:829/91%",
["번개갈치"] = "RT:496/65%RB:488/63%RM:673/73%",
["황제폐하"] = "UT:370/49%RB:439/60%EM:726/78%",
["비비안레이드"] = "CT:82/10%RB:542/73%RM:502/56%",
["뉴건담"] = "ET:651/86%EB:595/93%RM:628/67%",
["경국"] = "ET:638/84%EB:490/87%EM:889/91%",
["까칠천사"] = "ET:572/77%EB:656/85%EM:774/81%",
["뽀올흑마"] = "RT:197/65%EB:468/84%RM:645/69%",
["해리보쉬"] = "ET:719/94%EB:730/94%EM:828/91%",
["강영모"] = "LT:733/95%LB:614/96%EM:880/93%",
["Lvndr"] = "RT:175/63%RB:440/60%RM:653/71%",
["향매"] = "RT:498/68%RB:558/73%RM:648/71%",
["뼈다구도적"] = "CT:132/17%UB:348/46%UM:226/27%",
["흑풍미르"] = "RT:242/74%EB:672/86%RM:625/67%",
["삼성증권"] = "ET:606/86%EB:665/90%UM:191/47%",
["할마시"] = "UT:229/29%RB:418/58%UM:383/45%",
["Hancal"] = "RT:211/71%RB:422/52%RM:580/62%",
["전소민"] = "ET:647/89%EB:660/89%EM:869/93%",
["맥향"] = "ET:318/89%EB:644/88%EM:740/87%",
["분노한악마"] = "RT:343/60%UB:205/42%RM:282/59%",
["나도미스코리아"] = "ET:357/91%EB:616/86%EM:731/86%",
["똥집"] = "CT:30/2%CB:153/20%UM:385/40%",
["일이삼사오크"] = "ET:345/91%EB:662/90%EM:768/88%",
["Nevermore"] = "ET:654/92%EB:597/87%RM:474/74%",
["직박구리"] = "RT:164/64%EB:569/81%EM:689/84%",
["Eternity"] = "ET:626/88%EB:622/89%EM:816/93%",
["코피난드루"] = "ST:631/99%EB:461/81%EM:736/91%",
["몸빵제과"] = "ET:276/84%EB:671/90%EM:706/85%",
["로켓드루"] = "ET:653/90%EB:676/92%EM:701/86%",
["Cgirl"] = "ET:642/89%EB:704/92%EM:853/92%",
["실론티이"] = "LT:453/96%EB:731/94%EM:833/92%",
["섹시하게"] = "ET:696/92%EB:646/88%EM:644/81%",
["Shark"] = "ET:327/89%EB:591/84%EM:740/87%",
["곰탱이푸우"] = "ET:634/89%EB:629/87%EM:768/90%",
["향뜨"] = "LT:631/98%LB:768/96%EM:910/93%",
["좀만더올라라"] = "RT:196/65%EB:733/93%LM:944/96%",
["아이링"] = "ET:326/88%LB:755/95%EM:860/90%",
["모카번"] = "ET:328/86%LB:682/97%EM:886/91%",
["사냥꾼어튜멘"] = "LT:452/95%LB:788/98%SM:996/99%",
["내장쑤시개"] = "ET:285/82%RB:516/69%RM:653/71%",
["전보기"] = "ET:717/92%EB:682/87%LM:926/95%",
["심쿵심쿵"] = "EB:719/90%EM:894/91%",
["안면방어"] = "RT:386/54%EB:587/77%RM:536/61%",
["Rg"] = "LT:479/96%EB:636/82%EM:732/77%",
["적공"] = "RB:569/73%EM:759/79%",
["헤스터"] = "EB:635/81%EM:815/84%",
["모카밀크"] = "RT:507/67%EB:629/80%EM:772/81%",
["어둠의구름"] = "UT:311/40%RB:520/69%EM:754/80%",
["전사비기너"] = "ET:315/88%EB:579/76%RM:232/56%",
["클래식탱커"] = "RB:552/73%RM:581/62%",
["우걸"] = "EB:731/94%EM:845/92%",
["자성"] = "LB:740/96%EM:861/93%",
["Paptemas"] = "UT:308/41%RB:481/65%RM:585/64%",
["Shire"] = "LT:459/95%EB:702/93%EM:844/92%",
["아차"] = "EB:646/83%EM:794/86%",
["매직핑크"] = "ET:565/76%LB:741/96%LM:886/95%",
["호식자"] = "EB:718/91%EM:745/78%",
["최봉자"] = "LB:749/96%LM:955/97%",
["하얀백곰"] = "LB:669/98%LM:923/97%",
["워니"] = "LB:773/98%SM:1004/99%",
["스르르륵"] = "ET:658/85%EB:714/90%LM:964/98%",
["저주를내리리라"] = "ET:377/91%EB:695/89%EM:760/79%",
["극딜이"] = "ST:739/99%LB:775/97%LM:941/95%",
["큐콩"] = "LT:747/95%EB:668/86%EM:887/92%",
["듀온"] = "ET:293/85%EB:639/82%RM:634/68%",
["담임선생"] = "EB:711/91%EM:838/89%",
["오드리알밤"] = "EB:665/84%EM:777/82%",
["용아빠"] = "RB:569/73%RM:680/72%",
["앵그리쩡냥"] = "ET:405/94%LB:729/95%EM:849/89%",
["라네아"] = "EB:614/80%RM:664/72%",
["반해봐"] = "ET:245/78%EB:634/82%EM:588/77%",
["얼큰도적"] = "EB:571/76%RM:647/70%",
["대충쏴"] = "ET:697/91%LB:777/97%LM:942/97%",
["앙마님"] = "ET:300/86%EB:670/89%EM:743/87%",
["도둑이라고"] = "ET:241/75%EB:634/82%EM:846/87%",
["알코올"] = "EB:607/77%EM:874/89%",
["더파이팅"] = "LT:503/97%EB:669/86%EM:848/90%",
["달라란수호자"] = "ET:309/87%EB:609/79%EM:757/82%",
["뚜까"] = "LT:525/97%EB:586/77%RM:561/63%",
["매직넘버"] = "ET:577/77%LB:767/97%EM:828/87%",
["카케무사"] = "RT:405/55%RB:541/72%EM:828/85%",
["스위티"] = "EB:510/88%EM:837/86%",
["방탄중년단"] = "EB:470/85%EM:760/82%",
["짠지"] = "ET:246/77%EB:692/92%EM:767/82%",
["Jjgg"] = "UT:109/41%LB:738/95%EM:859/93%",
["도적두령"] = "UT:323/44%EB:601/79%EM:735/78%",
["골반왕"] = "RT:222/71%RB:529/68%RM:618/66%",
["밀크티이"] = "EB:427/81%RM:482/54%",
["옆집아가씨"] = "ET:540/75%LB:654/96%LM:947/96%",
["월광신비당"] = "ET:678/89%EB:667/90%EM:803/85%",
["킹조커"] = "EB:437/82%EM:802/83%",
["노숙녀"] = "RB:459/62%EM:707/75%",
["모효혜"] = "ET:624/81%EB:658/85%EM:894/92%",
["활의달인"] = "ET:701/91%LB:771/97%LM:945/96%",
["진격의거인"] = "UB:168/41%UM:447/48%",
["아임낫힐러"] = "EB:638/87%EM:719/78%",
["뽁실"] = "RB:257/63%EM:717/78%",
["디초콜릿"] = "EB:592/81%EM:786/85%",
["주술한잔하실래요"] = "CT:51/13%RB:268/64%RM:648/72%",
["청파사제"] = "UB:231/29%RM:466/65%",
["은우현주"] = "RT:175/54%RB:495/71%RM:500/59%",
["성스런악마"] = "UT:326/42%RB:526/73%RM:584/64%",
["구나"] = "CT:106/11%RB:305/69%RM:543/64%",
["지영"] = "RB:475/65%EM:733/80%",
["푸드빡스"] = "RT:446/60%EB:690/92%EM:857/91%",
["야금사랑"] = "ET:606/76%EB:601/85%RM:639/74%",
["뉴치케"] = "RT:482/64%EB:700/93%EM:879/92%",
["이러시면곤란해요"] = "CB:128/13%UM:229/26%",
["살려줌"] = "RT:268/74%RB:471/67%RM:633/73%",
["Kanais"] = "UB:264/35%UM:260/30%",
["목숨건땡깡"] = "CT:70/23%RB:442/64%RM:551/60%",
["콜린기사"] = "RB:475/65%UM:375/40%",
["꺼비"] = "RT:169/56%RB:487/70%UM:432/48%",
["곰순이헬퍼"] = "EB:671/90%EM:821/88%",
["도끼품은힐"] = "UB:237/31%CM:171/19%",
["맨땅하드코어"] = "RB:516/74%RM:616/72%",
["맥켈란"] = "RB:245/57%UM:309/32%",
["브레이브하트"] = "UT:101/36%RB:536/74%RM:649/71%",
["쥬얼리정"] = "RB:475/68%RM:539/59%",
["감귤낭"] = "ET:319/83%RB:511/73%EM:725/79%",
["순수소녀"] = "RB:360/51%",
["빡힐"] = "ET:330/83%EB:542/77%RM:586/69%",
["베스트사제"] = "UB:290/40%CM:225/22%",
["재시카알바"] = "UT:209/25%RB:379/54%RM:428/51%",
["기사짱짱"] = "UT:375/49%RB:493/71%EM:764/83%",
["축알레르기"] = "RB:486/67%RM:567/62%",
["뷰렛"] = "UT:235/28%RB:503/72%RM:622/72%",
["검정곰문신"] = "EB:681/91%EM:894/94%",
["신쏘테"] = "ET:720/89%EB:602/83%EM:732/80%",
["빛을내리리라"] = "RT:490/62%RB:413/58%UM:302/35%",
["카일리아"] = "UB:279/37%RM:501/54%",
["에라"] = "RT:174/58%RB:512/74%EM:782/88%",
["드워프힐"] = "UB:345/46%RM:567/62%",
["공수말고줄게없어"] = "UB:300/41%CM:46/3%",
["블랙시크릿"] = "RT:232/71%RB:434/62%RM:675/74%",
["나드워프"] = "RT:184/56%RB:480/69%RM:570/67%",
["키작은사제"] = "ET:317/82%RB:384/54%RM:557/65%",
["피닉스기사"] = "RB:452/62%RM:599/66%",
["똘똘이스머프"] = "EB:619/84%EM:707/78%",
["디아기사이"] = "UT:315/39%RB:501/72%CM:109/9%",
["문이사"] = "UT:89/28%UB:270/36%EM:720/83%",
["천상의연인"] = "RB:367/52%UM:222/25%",
["꼬기멍"] = "UT:120/41%EB:533/76%RM:461/53%",
["루시엔시엘"] = "CT:132/14%RB:258/58%RM:628/69%",
["리젠링"] = "EB:602/83%RM:483/53%",
["빛나리독수리"] = "UT:284/34%RB:468/67%UM:371/44%",
["노노"] = "EB:544/75%RM:552/60%",
["Jihouncle"] = "CT:105/10%RB:421/57%RM:648/72%",
["제레사"] = "ET:312/81%UB:339/47%UM:378/45%",
["당다랑"] = "UT:359/47%EB:585/82%EM:716/79%",
["독수공방이십년"] = "UB:221/28%RM:482/57%",
["베르아린"] = "EB:367/78%RM:519/57%",
["풍만아줌마"] = "UT:303/37%RB:416/59%RM:540/59%",
["디컵여우"] = "RB:422/61%EM:654/76%",
["Penny"] = "CT:49/3%RB:346/73%UM:336/38%",
["혼족생활백서사제"] = "RB:210/51%RM:597/70%",
["찬란한너"] = "RB:484/71%EM:670/78%",
["힐하는걸"] = "RT:430/54%EB:563/80%EM:681/77%",
["과유불끈"] = "RT:215/66%RB:521/74%",
["파괴의신"] = "UB:302/42%RM:556/65%",
["초코민트"] = "ET:324/84%EB:588/83%RM:601/66%",
["Dizzypaladin"] = "EB:417/82%RM:471/54%",
["꾸이랑"] = "UT:391/49%RB:487/69%RM:630/72%",
["놀다잠든곰"] = "CB:172/20%UM:336/39%",
["트윈스사제"] = "UB:352/47%UM:344/36%",
["Fastcharge"] = "UB:196/48%UM:323/34%",
["골드라벨"] = "UB:279/38%",
["음악사냥"] = "ET:567/77%EB:710/90%EM:907/92%",
["깁스한왼쪽다리"] = "RT:205/67%EB:578/76%RM:673/70%",
["휘무"] = "RT:520/69%RB:512/69%RM:654/70%",
["들후윈저"] = "ET:179/84%LB:715/95%LM:897/96%",
["마법트루이"] = "UT:131/49%EB:581/77%EM:742/84%",
["토깽스냥"] = "RT:132/50%UB:336/45%UM:379/42%",
["변해가네"] = "RT:477/63%RB:507/68%UM:407/41%",
["담뿍이"] = "UT:121/44%RB:470/60%RM:524/56%",
["레드피망"] = "RT:215/72%EB:590/79%EM:826/85%",
["튼실"] = "ET:429/78%EB:506/76%EM:741/85%",
["Fenrir"] = "ET:288/93%EB:674/92%EM:589/75%",
["마크퓨리"] = "ET:605/91%EB:703/94%EM:700/82%",
["광폭한냥이"] = "CT:165/21%EB:442/83%EM:774/81%",
["인파이트"] = "LT:750/96%LB:761/97%EM:841/92%",
["나름씻은얼굴"] = "ET:493/89%EB:696/93%LM:899/96%",
["마구마고"] = "RT:161/56%RB:464/60%RM:668/72%",
["아기고양"] = "UT:271/49%UB:199/40%UM:147/40%",
["그대의수호자"] = "ET:685/92%EB:730/94%LM:891/95%",
["베네딕타"] = "ET:446/80%EB:647/90%EM:712/84%",
["진연비"] = "UT:364/49%RB:363/74%RM:598/62%",
["주호랑"] = "ET:718/94%LB:746/95%LM:907/95%",
["은총이"] = "ET:284/92%EB:575/86%EM:740/90%",
["카탈리스트"] = "RT:174/59%RB:324/68%RM:597/64%",
["하얀머리소년"] = "ET:279/85%LB:605/96%EM:786/89%",
["똥싼다"] = "RT:388/51%RB:502/67%RM:574/62%",
["꾸부정헌터"] = "UT:301/40%UB:343/46%UM:468/49%",
["흑마밍꼬"] = "UT:281/37%RB:510/67%RM:716/74%",
["더러운트롤"] = "RT:132/50%RB:319/68%RM:605/64%",
["나이트휴먼"] = "RT:459/73%LB:754/96%LM:903/95%",
["돌미역"] = "RT:150/52%RB:519/70%RM:484/53%",
["도세경"] = "ET:721/94%LB:648/97%EM:781/89%",
["변신하니"] = "ET:279/80%EB:666/92%EM:677/87%",
["덕고"] = "ET:698/90%EB:742/94%EM:880/91%",
["Armis"] = "ET:705/93%LB:589/95%LM:932/96%",
["맛가니"] = "UT:220/29%UB:152/39%RM:533/58%",
["탱송합니다"] = "ET:689/92%LB:755/96%EM:845/93%",
["맑은소주"] = "UT:223/32%EB:484/75%EM:678/85%",
["천객"] = "ET:650/91%EB:657/88%EM:856/92%",
["입벌려힐드간다잇"] = "ET:631/79%EB:557/84%EM:713/83%",
["내편"] = "ET:679/91%EB:552/94%EM:853/92%",
["스테아"] = "RT:390/56%CB:48/5%RM:164/51%",
["리어에잇"] = "ET:245/78%EB:483/81%RM:440/72%",
["Calling"] = "LT:452/95%EB:544/93%EM:752/89%",
["바라밤밤"] = "ET:633/88%EB:628/87%EM:604/78%",
["날라리이모"] = "ET:308/88%EB:516/92%EM:739/87%",
["싸이소"] = "ET:297/90%EB:589/86%LM:921/97%",
["크엉"] = "ET:682/91%EB:696/91%EM:723/86%",
["펠비다르"] = "ET:679/92%LB:711/95%EM:821/93%",
["곰린이"] = "ET:622/88%EB:580/86%EM:833/93%",
["막아보자"] = "RT:372/50%LB:764/96%EM:811/86%",
["설오정"] = "RT:560/73%EB:637/82%EM:887/92%",
["오드리햇밤"] = "ET:592/79%LB:736/96%EM:802/90%",
["자라고있어요"] = "ET:638/88%LB:564/95%EM:820/90%",
["서돌"] = "UT:83/30%EB:643/83%EM:841/88%",
["마트마타"] = "EB:668/84%EM:710/75%",
["잉콩"] = "ET:629/83%LB:768/96%EM:889/91%",
["구음신공"] = "ET:334/90%EB:713/93%LM:927/95%",
["Lock"] = "ET:690/89%EB:589/93%EM:783/83%",
["할멈"] = "EB:670/86%EM:851/88%",
["트롤리움"] = "LB:749/96%EM:832/88%",
["흑딜"] = "RT:364/61%EB:613/80%RM:451/73%",
["심톡톡"] = "RT:192/65%RB:483/65%EM:759/79%",
["동글동글"] = "EB:613/78%EM:746/79%",
["출혈"] = "EB:714/90%EM:855/88%",
["마애"] = "EB:567/75%RM:494/52%",
["Hikari"] = "ET:345/90%EB:710/93%EM:846/92%",
["법사바발"] = "LB:759/97%LM:895/95%",
["도적젤리"] = "EB:629/80%EM:764/80%",
["르노삼성모터스"] = "ET:268/80%EB:528/89%EM:825/85%",
["Youtoo"] = "RT:228/72%EB:568/75%RM:564/62%",
["펄샤이닝"] = "EB:490/87%EM:760/80%",
["척크"] = "ET:606/82%LB:630/95%EM:711/75%",
["수상한셔틀"] = "RT:512/69%EB:696/92%LM:918/96%",
["늙어버린모찌"] = "RT:567/74%EB:555/91%EM:824/85%",
["Ludwig"] = "ET:710/91%EB:715/91%EM:901/93%",
["간지녀"] = "EB:626/81%RM:644/70%",
["도적남생이"] = "RT:216/70%EB:479/85%EM:876/91%",
["아무르타트"] = "ET:393/92%RB:505/68%EM:737/77%",
["수풀속티모"] = "RT:227/73%RB:525/67%RM:608/65%",
["민트맛촉수"] = "RT:479/65%EB:697/92%LM:948/98%",
["클래식여전사"] = "ET:298/86%EB:442/82%RM:651/72%",
["아니카"] = "ET:277/81%EB:663/85%EM:796/83%",
["성냥팔이소녀"] = "ET:336/89%LB:587/96%EM:727/79%",
["아누아이"] = "ET:402/93%EB:712/93%EM:862/93%",
["빵콩아빠"] = "LT:746/96%LB:755/96%LM:892/95%",
["아큐"] = "UT:119/45%LB:560/95%LM:928/97%",
["달나라도적"] = "ET:250/77%EB:638/83%RM:645/70%",
["진영아"] = "LB:754/95%EM:885/92%",
["영아의하늘"] = "EB:691/87%EM:890/91%",
["헤루스"] = "ST:800/99%SB:807/99%LM:979/98%",
["블루리니"] = "ET:334/87%EB:734/93%EM:868/89%",
["고야드"] = "RT:206/68%EB:609/80%EM:756/79%",
["전사탱탱"] = "CT:58/23%EB:593/75%EM:826/91%",
["Syndrome"] = "RB:502/67%UM:130/39%",
["심프레"] = "EB:626/81%EM:800/86%",
["막심도적"] = "LT:510/96%EB:669/86%EM:823/86%",
["서리방울"] = "ET:645/86%EB:619/78%EM:840/89%",
["Redberry"] = "ET:569/78%LB:753/95%LM:933/96%",
["이쁘니도적"] = "RB:551/71%EM:736/77%",
["에픽가슴보호구"] = "RT:496/67%LB:758/95%EM:852/88%",
["흑톨이"] = "EB:732/92%RM:590/61%",
["달라란사탕가게"] = "ET:291/82%EB:674/87%EM:801/83%",
["너의앞에서서"] = "ET:595/76%RB:524/74%RM:500/58%",
["슈넬러"] = "ET:359/88%RB:440/62%EM:668/76%",
["조화롭구나"] = "ET:331/86%EB:655/89%RM:668/74%",
["왕소심기사"] = "UB:329/46%RM:569/65%",
["곰도리도리"] = "UT:268/37%EB:607/83%EM:855/91%",
["이슬무비"] = "UT:266/33%RB:443/64%RM:438/52%",
["유성하이텍"] = "RB:250/58%CM:132/11%",
["드웝힐순이"] = "RB:520/72%EM:718/79%",
["역지사제"] = "UB:354/47%UM:415/45%",
["츠미"] = "CT:72/23%EB:642/88%EM:741/81%",
["드로그바"] = "UB:244/32%UM:394/46%",
["아누드루"] = "RT:417/54%EB:636/87%EM:768/83%",
["다라미"] = "UT:97/30%RB:395/57%UM:433/47%",
["씨알"] = "UT:159/49%RB:501/72%RM:587/69%",
["민큐몽"] = "EB:655/89%EM:879/92%",
["알루리엘"] = "EB:579/80%RM:635/70%",
["별빛철로"] = "EB:401/82%RM:664/73%",
["영영손"] = "RT:503/64%EB:635/88%EM:782/87%",
["기사스노우"] = "EB:611/84%EM:813/87%",
["재즈하리"] = "CT:66/5%RB:434/63%RM:476/56%",
["깻잎여성기사"] = "RB:536/74%RM:678/74%",
["대머리판금사제"] = "RB:312/69%RM:525/57%",
["그녀를묻지마"] = "CT:75/7%UB:173/42%RM:578/68%",
["화이트민트"] = "ET:665/84%EB:617/86%RM:612/68%",
["중원구성기사"] = "RT:155/53%EB:551/79%RM:539/59%",
["하티"] = "RB:467/67%RM:520/60%",
["빨간머리갠"] = "CT:95/9%RB:448/64%RM:464/53%",
["사제운"] = "UB:253/33%RM:623/72%",
["드루휘민"] = "RT:461/60%EB:533/76%RM:165/50%",
["부초"] = "UB:368/49%RM:493/54%",
["겔랑"] = "UB:283/39%UM:296/30%",
["토끼는기사"] = "RT:176/59%RB:431/59%RM:594/65%",
["맥도날드고기버거"] = "CT:34/1%UB:183/45%",
["소혜"] = "UT:126/44%EB:544/75%RM:552/60%",
["드루드루드"] = "RB:363/52%RM:507/61%",
["칼바라"] = "UB:286/39%RM:629/73%",
["세상에이런사제"] = "CB:182/21%RM:557/61%",
["드루아켈"] = "EB:639/87%EM:773/84%",
["센트럴"] = "UT:101/32%RB:438/63%UM:394/47%",
["에밀리앙"] = "UB:269/36%UM:219/25%",
["휴먼성기삽니다"] = "RT:179/58%EB:568/80%UM:420/49%",
["Jjom"] = "RT:501/63%EB:440/86%EM:829/90%",
["암흑사제"] = "UB:299/41%RM:323/59%",
["뽀거베어"] = "RB:491/68%RM:585/65%",
["폼포코링"] = "RB:476/65%RM:605/67%",
["천상의세인트"] = "UT:154/48%RB:468/64%EM:697/77%",
["채린"] = "EB:349/75%RM:649/71%",
["와드"] = "UB:320/44%UM:298/30%",
["대한민국파이팅"] = "RB:510/74%RM:416/50%",
["중원구청"] = "RT:232/70%RB:326/70%EM:701/77%",
["겸영"] = "UT:91/28%RB:442/64%UM:353/37%",
["캉각스"] = "UT:282/36%RB:461/63%EM:779/85%",
["호드샤먼"] = "CT:135/15%RB:307/70%EM:862/92%",
["정말이다"] = "RT:510/65%EB:540/77%RM:568/65%",
["Mimosa"] = "EB:356/78%RM:546/65%",
["Gerub"] = "UT:144/49%EB:457/88%EM:690/75%",
["드루포스"] = "EB:465/89%EM:858/91%",
["마카롱사제"] = "RB:399/57%EM:682/75%",
["꽃차"] = "LB:738/96%LM:926/96%",
["성기사메이"] = "ET:392/90%RB:427/60%UM:407/44%",
["Hoi"] = "RT:414/55%RB:300/67%UM:329/35%",
["망치로"] = "ET:258/76%RB:419/60%UM:270/28%",
["텅장"] = "ET:602/77%EB:482/89%EM:558/87%",
["동네큰형님"] = "RB:222/53%UM:363/38%",
["생존왕임츄쿰"] = "EB:634/87%EM:825/88%",
["반바스텐"] = "EB:550/76%EM:692/83%",
["포테마요"] = "ET:707/88%LB:743/97%EM:883/93%",
["기사랑"] = "UT:80/26%RB:309/67%RM:603/69%",
["듬드르듬"] = "EB:404/81%EM:664/75%",
["기사자리있나요"] = "RT:172/58%RB:488/67%RM:494/54%",
["하얀목련사제"] = "UB:317/42%RM:447/53%",
["오리알"] = "ET:697/86%EB:627/87%EM:789/85%",
["푸른바다의전설"] = "RB:526/73%RM:614/67%",
["용용브로기사"] = "EB:419/84%RM:536/61%",
["드루드루드루와"] = "EB:583/80%EM:860/91%",
["멋대로사제"] = "ET:655/83%EB:551/79%EM:680/79%",
["빛나리기사님"] = "UT:114/40%RB:475/65%RM:480/52%",
["마류라미아스"] = "RB:404/58%RM:587/69%",
["Stbd"] = "RT:448/55%EB:388/81%RM:522/61%",
["애인이"] = "ET:416/91%EB:561/80%RM:564/66%",
["캠퍼사제"] = "RB:379/54%CM:145/16%",
["미래의낙원"] = "RT:190/61%EB:549/78%RM:246/59%",
["드루한번"] = "ET:346/92%EB:608/90%LM:908/96%",
["후니아빠"] = "ET:660/91%EB:445/77%EM:792/91%",
["무식한전사씨"] = "ET:339/90%EB:662/90%EM:794/89%",
["증권"] = "ET:613/86%EB:659/89%EM:732/86%",
["달려"] = "ET:636/88%EB:715/93%EM:750/79%",
["탱전"] = "ET:602/85%EB:662/89%EM:712/85%",
["나이트링"] = "ET:336/76%EB:501/81%EM:746/88%",
["콴타스"] = "ET:344/91%EB:421/86%EM:729/86%",
["네비올로"] = "CT:28/1%RB:215/51%UM:388/43%",
["나뜨르"] = "ET:493/76%EB:573/83%EM:751/87%",
["똘석"] = "UT:116/41%RB:525/70%RM:606/65%",
["자바안녕"] = "ET:574/83%EB:684/93%LM:903/96%",
["쌉파서블"] = "ET:553/81%EB:494/83%EM:599/82%",
["최강인숙님"] = "ET:281/92%EB:587/87%EM:618/82%",
["마녀파이퍼"] = "ET:347/93%EB:551/85%LM:897/96%",
["진짜딸기전사"] = "ET:556/81%EB:647/88%EM:664/85%",
["치타"] = "ET:258/79%EB:402/78%RM:708/74%",
["변신새끼"] = "ET:415/86%EB:632/91%EM:741/90%",
["Carcharodon"] = "ET:610/86%EB:653/89%EM:769/88%",
["북풍"] = "ET:321/82%EB:572/86%RM:399/69%",
["문전쇄도"] = "ET:579/84%EB:559/82%EM:792/83%",
["지웰"] = "ET:284/93%LB:703/95%EM:853/94%",
["Qualcomm"] = "ET:602/86%EB:542/93%EM:822/91%",
["유아스"] = "ET:499/76%EB:457/88%EM:618/79%",
["내앞길을열어라"] = "ET:312/88%EB:400/83%EM:573/76%",
["이기라"] = "ET:287/86%EB:581/84%EM:738/87%",
["용을회뜨는자"] = "ET:509/77%EB:587/82%EM:758/88%",
["전사네"] = "ET:533/79%EB:329/76%EM:636/81%",
["전인지"] = "ET:658/90%EB:553/81%EM:638/81%",
["자연냐옹이"] = "ET:303/75%RB:356/67%EM:530/76%",
["드루와써요"] = "ET:544/80%EB:576/86%EM:681/85%",
["랫서팬더"] = "RT:383/65%EB:371/82%EM:747/87%",
["찬스야드"] = "ET:626/89%EB:458/78%RM:436/71%",
["돌진마니아"] = "RT:171/66%EB:525/76%EM:631/80%",
["돌진안되요"] = "ET:280/86%EB:575/81%EM:690/84%",
["썩은니돌쭌"] = "RT:349/59%RB:375/64%RM:250/55%",
["로또일등예정자"] = "ET:128/77%EB:275/78%RM:215/55%",
["후아전사"] = "ET:225/77%EB:620/87%EM:676/83%",
["난전사다"] = "ET:626/88%EB:657/89%EM:823/92%",
["셋쉬"] = "ET:343/91%EB:647/87%EM:787/89%",
["쿠겐"] = "ET:645/89%EB:681/91%EM:624/83%",
["불량처녀"] = "ET:597/85%EB:588/84%EM:715/85%",
["푸아"] = "RT:175/73%EB:571/87%EM:672/87%",
["오무날"] = "ET:597/93%EB:672/92%EM:818/93%",
["파우더"] = "RT:317/57%RB:349/56%EM:592/78%",
["빨간장화"] = "RB:535/72%RM:552/61%",
["귀차니스트"] = "EB:599/76%EM:833/86%",
["탁탁"] = "RB:476/65%RM:529/56%",
["로엘"] = "ET:384/94%SB:788/99%LM:889/97%",
["별다방아저씨"] = "RB:427/58%RM:545/58%",
["나무반토막"] = "ET:312/85%EB:632/82%EM:754/80%",
["타임어택"] = "EB:471/85%EM:718/77%",
["뒷집아이"] = "UT:80/28%RB:449/61%RM:535/59%",
["마법사그니"] = "EB:698/92%EM:827/87%",
["놈리건공주"] = "UT:331/44%EB:708/90%EM:820/85%",
["일상을즐겁게"] = "RB:580/74%EM:800/83%",
["투유유도적"] = "RT:148/52%RB:553/74%RM:670/71%",
["전사인"] = "RT:452/64%EB:570/75%RM:604/65%",
["냥꾼닭"] = "RT:493/68%LB:763/96%LM:954/96%",
["아이콤"] = "UT:91/33%RB:530/71%RM:555/61%",
["타히"] = "EB:652/82%RM:681/72%",
["설루비"] = "ET:665/87%LB:764/96%LM:917/96%",
["섹시하라"] = "RT:215/69%EB:603/79%UM:423/48%",
["솔개몬"] = "ET:378/92%EB:720/94%LM:702/95%",
["친어머니"] = "EB:388/77%RM:578/62%",
["누볼라"] = "EB:474/85%RM:601/64%",
["블랙조니"] = "ET:575/76%LB:757/97%EM:799/89%",
["한냉덫"] = "LT:774/97%LB:761/96%EM:837/88%",
["왕고양이"] = "LT:489/96%EB:615/86%EM:675/83%",
["녹차캔디"] = "EB:751/94%LM:958/97%",
["비선검무홍선"] = "RT:156/55%RB:323/69%RM:573/63%",
["딱조아"] = "ET:328/89%EB:507/88%EM:783/84%",
["육체의마술사"] = "ET:418/94%EB:659/83%EM:851/88%",
["빵이보소"] = "LB:649/98%LM:947/96%",
["아야세"] = "ET:653/91%LB:617/97%EM:823/91%",
["Ellot"] = "ET:370/92%EB:725/92%EM:806/86%",
["도살자"] = "ET:280/83%EB:649/83%EM:809/86%",
["신주"] = "RT:442/59%EB:744/94%LM:936/95%",
["Darkhorse"] = "ET:391/92%EB:738/93%EM:760/81%",
["법사의하루"] = "ET:686/89%EB:705/93%EM:867/91%",
["웃음소리"] = "RT:151/53%EB:588/75%RM:654/70%",
["노땅사냥꾼"] = "ET:660/86%LB:724/98%EM:859/90%",
["설수정"] = "ET:682/88%EB:734/93%EM:755/78%",
["마법사눔"] = "ET:655/86%LB:733/95%LM:931/97%",
["네블리나"] = "EB:709/90%EM:770/82%",
["춘남"] = "UT:308/42%RB:357/73%EM:798/84%",
["도닥붕아크"] = "ET:281/83%RB:360/74%RM:602/66%",
["사쿠란"] = "EB:595/76%EM:816/84%",
["다동이"] = "RB:471/63%RM:512/54%",
["금고전문가"] = "EB:591/75%RM:685/73%",
["오늘우리집비어"] = "RT:406/53%EB:604/79%EM:727/78%",
["교회법사언니"] = "ET:721/93%LB:745/96%LM:955/97%",
["Darkbossam"] = "ET:624/82%EB:554/91%LM:933/95%",
["붕어잡는전사"] = "CT:83/15%RB:496/65%RM:514/58%",
["수습도적"] = "EB:636/81%EM:786/82%",
["빈머리"] = "CT:139/18%EB:736/93%EM:823/87%",
["엥웅"] = "ET:720/92%LB:764/96%LM:951/97%",
["뚱비"] = "RT:441/60%EB:623/81%EM:758/81%",
["전사케인"] = "CT:44/18%RB:500/66%EM:673/75%",
["레후아"] = "ET:555/80%LB:748/96%EM:865/90%",
["영향"] = "UT:266/33%EB:375/80%RM:497/58%",
["솔레니안"] = "UT:325/44%EB:608/85%RM:635/74%",
["전설속기사"] = "UB:327/43%RM:554/61%",
["뒤는걱정마"] = "CB:182/21%UM:250/29%",
["몽테크리스토"] = "UT:142/49%RB:353/50%RM:565/65%",
["Palaujelly"] = "RB:470/65%RM:268/60%",
["우헤히흐힐"] = "CB:140/15%UM:377/44%",
["Tabitha"] = "UB:339/47%RM:597/70%",
["예마님"] = "RB:410/59%RM:601/69%",
["의사의딸"] = "RT:170/54%RB:447/61%UM:285/29%",
["줌씨"] = "RB:396/57%CM:137/12%",
["쓸쓸한연가"] = "RT:464/61%EB:625/85%EM:766/80%",
["Choupi"] = "RB:473/68%RM:592/65%",
["Halsey"] = "CB:170/19%CM:174/16%",
["Inanna"] = "ET:264/75%EB:570/82%EM:804/87%",
["연어중독자"] = "RB:354/50%RM:459/50%",
["굳건한순두부"] = "UT:147/47%EB:340/75%UM:288/33%",
["콩순찡"] = "RB:427/58%RM:627/69%",
["힐을야하게"] = "RB:413/56%RM:581/64%",
["기사찌응"] = "RB:397/56%RM:645/71%",
["타우기사"] = "UB:280/37%UM:432/49%",
["리어"] = "EB:617/86%UM:416/46%",
["카샤카샤붕붕"] = "ET:366/88%EB:650/89%RM:604/67%",
["홀리지아"] = "UT:145/48%RB:523/74%RM:586/67%",
["기사야화"] = "CT:65/5%UB:273/36%RM:459/50%",
["진모맘"] = "CT:120/12%RB:405/57%UM:369/42%",
["로미로미"] = "CT:110/11%RB:522/72%EM:688/75%",
["용엄마"] = "UT:330/46%EB:462/89%RM:605/72%",
["Heimdall"] = "UB:308/42%RM:623/68%",
["최병천"] = "RB:423/61%EM:697/76%",
["커피향키키"] = "RB:464/66%RM:554/64%",
["무진장함"] = "RB:372/53%UM:407/45%",
["데시앙"] = "RB:445/64%RM:473/54%",
["매직앤걸"] = "UB:336/47%RM:463/55%",
["행복천사"] = "CT:76/6%RB:368/51%UM:444/48%",
["성기사김씨"] = "UB:338/47%CM:53/18%",
["검은창트롤"] = "CT:84/8%RB:366/52%CM:60/4%",
["폭행기사"] = "RB:380/54%RM:678/74%",
["여서"] = "CT:72/23%RB:482/68%RM:431/61%",
["Mom"] = "UB:199/25%RM:493/58%",
["좋은데이성기사"] = "CT:93/9%RB:465/66%RM:554/64%",
["배르제"] = "RT:479/63%RB:421/60%UM:403/45%",
["강아지는멍멍"] = "UT:331/41%RB:500/72%RM:565/66%",
["드워프의힐링"] = "UB:331/47%UM:316/33%",
["또치발바닥"] = "RT:393/51%EB:555/94%UM:307/37%",
["어둠속빛"] = "EB:565/79%EM:859/92%",
["허접회복질"] = "ET:697/86%EB:548/78%EM:860/93%",
["오를란도"] = "UT:370/47%EB:558/79%EM:661/75%",
["Zerokor"] = "RT:177/58%RB:490/68%RM:538/59%",
["하늘빛아리연"] = "EB:574/79%EM:690/75%",
["Ooa"] = "RT:196/64%EB:575/82%RM:670/73%",
["때가쏙비트"] = "RT:170/55%EB:394/79%UM:319/33%",
["시지푸스"] = "UB:127/29%UM:353/37%",
["츄롤칭구땅딸보"] = "LT:488/95%RB:496/70%RM:429/50%",
["김불사"] = "CT:72/24%RB:359/50%CM:189/21%",
["이성찬"] = "RB:274/62%RM:523/57%",
["퓌퓌"] = "RB:338/73%UM:283/29%",
["발렌디르"] = "RB:492/71%RM:451/51%",
["드루자리있나요"] = "EB:350/77%RM:458/73%",
["드루뭉실"] = "RT:560/73%EB:595/84%EM:535/77%",
["바람이드루와"] = "RT:568/73%EB:544/77%EM:703/80%",
["너라주셩"] = "RT:182/58%EB:588/81%EM:757/82%",
["로키세트"] = "UT:232/27%RB:471/67%RM:559/64%",
["스노우펄"] = "RB:527/73%RM:671/74%",
["타라"] = "RT:158/52%RB:502/72%RM:525/61%",
["아이고양"] = "CT:157/17%EB:530/75%RM:453/52%",
["응응사제"] = "UT:258/31%RB:394/56%RM:415/65%",
["신성한보호기사"] = "EB:574/79%RM:604/66%",
["Bandi"] = "UT:120/44%RB:416/61%RM:506/61%",
["유온"] = "UB:316/43%RM:526/60%",
["마나의은총"] = "CT:29/1%RB:217/52%UM:273/27%",
["쓰랄브랄친구"] = "RB:239/59%UM:297/31%",
["아니오"] = "RB:485/71%RM:531/63%",
["별다방미스리"] = "LT:572/97%EB:650/90%EM:757/87%",
["김동산"] = "CT:31/7%RB:516/74%UM:343/39%",
["마력장원반"] = "EB:669/90%RM:647/71%",
["빛내음솔솔"] = "CT:41/2%RB:460/66%RM:454/51%",
["리비네"] = "ET:722/89%EB:565/80%EM:700/80%",
["똑똑한만두"] = "RB:499/71%RM:569/65%",
["Oov"] = "UT:83/25%RB:463/64%EM:690/76%",
["네드베드"] = "RB:354/50%CM:138/12%",
["파코"] = "RB:455/62%RM:479/52%",
["치료주의"] = "ET:284/76%RB:298/67%CM:242/24%",
["Ogisa"] = "ET:292/81%RB:515/74%RM:613/70%",
["해삼"] = "ET:200/75%EB:492/82%EM:768/91%",
["한밤중에락큰롤"] = "RT:171/66%RB:305/56%EM:594/78%",
["전사고양이투"] = "LT:513/97%EB:685/91%EM:763/88%",
["하루와아키"] = "ET:625/87%EB:588/84%EM:575/80%",
["막걸리에파전"] = "ET:598/88%EB:468/82%EM:630/86%",
["레이지전사"] = "CT:0/0%UB:184/39%RM:239/54%",
["곧미남"] = "RT:110/74%RB:316/72%RM:383/65%",
["최종밀렵그년"] = "ET:644/85%LB:754/95%EM:924/94%",
["달콤한마법"] = "RT:520/70%EB:742/94%RM:517/57%",
["마이티조"] = "RB:538/69%EM:799/84%",
["찌타"] = "ET:295/85%EB:726/91%EM:871/90%",
["경덕"] = "RB:407/55%UM:349/36%",
["도도한악마"] = "ET:411/93%RB:526/67%EM:712/75%",
["화염의사도"] = "LT:439/95%LB:735/95%EM:874/94%",
["정적분"] = "RT:389/55%RB:550/73%RM:541/62%",
["잿빛이리"] = "EB:601/77%EM:745/78%",
["슈라토"] = "EB:507/89%RM:307/66%",
["분노하는마음"] = "ET:329/89%EB:598/78%RM:584/66%",
["유진아"] = "LB:728/95%EM:801/85%",
["Jungkook"] = "EB:634/82%EM:813/85%",
["지금감"] = "RT:183/62%RB:570/73%RM:702/74%",
["넨네할까"] = "RB:485/66%EM:767/81%",
["도적맨"] = "LT:566/98%RB:572/73%EM:744/78%",
["거미"] = "RT:222/74%RB:530/67%RM:686/73%",
["예다"] = "ET:231/75%RB:561/74%RM:677/72%",
["인간대머리남도적"] = "RB:504/68%RM:596/65%",
["로마제국전사"] = "EB:525/90%RM:560/60%",
["음모의골짜기"] = "EB:465/86%LM:955/97%",
["전사노움"] = "EB:645/82%EM:847/88%",
["울아빠마동석"] = "ET:314/87%EB:596/76%RM:572/61%",
["쫄라센법사"] = "RT:221/73%EB:655/89%EM:734/79%",
["Khay"] = "ET:312/86%LB:767/96%EM:858/93%",
["리어식스"] = "ET:679/88%LB:612/97%EM:813/86%",
["야르야르"] = "LB:772/97%EM:907/93%",
["나이트슈터"] = "LT:764/96%LB:771/97%EM:929/94%",
["인동"] = "RB:257/59%RM:577/66%",
["박수현"] = "ET:254/78%EB:574/76%EM:777/81%",
["난별도쏜다"] = "LT:444/95%EB:617/94%LM:919/95%",
["우미의꿈"] = "ET:606/80%EB:721/94%EM:731/83%",
["돕앙"] = "ET:713/92%EB:746/94%EM:919/93%",
["김사부"] = "UT:199/30%RB:504/67%RM:582/66%",
["흑천귀검랑"] = "EB:664/84%EM:714/75%",
["크림치즈프레즐"] = "LT:580/97%EB:735/93%EM:929/94%",
["딸기스무디"] = "EB:715/91%EM:728/79%",
["슈비드"] = "CT:130/16%RB:506/68%RM:356/68%",
["방패전사"] = "EB:596/78%EM:820/87%",
["부러진단검"] = "RB:509/69%EM:745/78%",
["작은전사"] = "EB:698/92%EM:861/93%",
["카자루"] = "UT:67/27%EB:434/82%EM:719/76%",
["전설의도둑"] = "RB:456/58%RM:621/66%",
["Jeni"] = "ET:260/81%EB:581/76%EM:867/91%",
["땡큐"] = "LT:466/95%EB:697/92%EM:736/80%",
["현무"] = "EB:622/79%EM:838/87%",
["사악한영웅"] = "RT:198/68%EB:682/91%EM:788/88%",
["전사자리있나요"] = "EB:626/79%EM:735/78%",
["Geomi"] = "RT:175/60%RB:398/54%RM:641/68%",
["또움"] = "LT:768/97%LB:770/97%EM:901/94%",
["라가디언"] = "LT:772/97%LB:771/97%RM:697/74%",
["아래층큰형"] = "RB:404/55%RM:595/65%",
["확고한동맹"] = "EB:627/80%RM:484/51%",
["흑마백마쓰리썸"] = "UT:137/48%EB:655/85%EM:798/85%",
["진돌스"] = "LB:661/98%EM:856/93%",
["희현"] = "UT:317/41%EB:636/81%EM:811/84%",
["솜방망이드려요"] = "ET:373/92%EB:682/91%EM:815/86%",
["덕자뿡뿡"] = "RB:490/66%EM:762/81%",
["마릴리멀록"] = "ET:276/81%EB:431/81%EM:824/85%",
["싼넬"] = "RT:203/67%RB:486/65%EM:718/77%",
["무장전사"] = "ET:240/77%EB:520/88%RM:640/68%",
["샤드린"] = "EB:432/85%EM:781/87%",
["수상한남자"] = "RB:304/66%RM:525/60%",
["꿈야"] = "ET:288/79%RB:309/70%RM:556/65%",
["망굿이얌"] = "UB:215/26%RM:312/69%",
["힐만합니다"] = "RT:438/55%RB:446/64%RM:523/61%",
["한때좋아했던오빠"] = "RB:453/62%EM:434/79%",
["자리비움중"] = "CT:125/13%EB:376/78%EM:711/78%",
["하늘성기사"] = "RT:438/56%RB:511/73%RM:471/54%",
["크로셀리든"] = "RT:253/74%RB:430/61%RM:553/60%",
["너를보내고"] = "RT:186/61%RB:517/74%UM:260/26%",
["키워볼까나"] = "UB:300/41%RM:429/66%",
["피닉스드루"] = "RB:424/62%RM:618/69%",
["마파순두부"] = "UB:197/46%UM:267/27%",
["기사인"] = "UB:183/42%RM:535/61%",
["다크힐러"] = "UB:193/47%UM:384/45%",
["아트레디스"] = "RB:370/50%CM:116/9%",
["아가타"] = "RB:437/60%RM:659/72%",
["알프스사제"] = "CB:110/10%RM:526/58%",
["돌아온혈풍"] = "UB:335/44%UM:365/39%",
["나사제야"] = "RT:173/53%UB:365/49%RM:543/60%",
["켈리켈리"] = "ET:359/84%EB:676/92%LM:925/97%",
["발기부전치료사"] = "CT:29/1%UB:261/34%UM:429/46%",
["라돌체비타"] = "RT:224/69%RB:408/59%RM:430/51%",
["집나간달팽이"] = "EB:600/83%RM:547/60%",
["개패는망치"] = "ET:326/85%RB:477/68%EM:732/86%",
["달려서땅끝까지"] = "RB:514/71%UM:315/33%",
["류티"] = "RT:209/65%EB:415/83%RM:519/61%",
["드라이브"] = "RT:148/51%RB:312/71%UM:388/42%",
["셀큐러스"] = "RB:270/61%UM:400/44%",
["소심장군"] = "UT:115/41%EB:585/83%EM:722/82%",
["주책영감"] = "EB:585/81%EM:706/78%",
["술심장군"] = "ET:368/86%EB:632/86%EM:834/88%",
["샤오링"] = "UB:213/26%RM:619/68%",
["정법"] = "ET:319/83%RB:495/70%RM:288/65%",
["Delle"] = "EB:546/76%RM:671/74%",
["세인트기사"] = "RT:197/62%RB:475/65%CM:202/19%",
["홍이기사"] = "RT:235/72%RB:432/59%UM:348/36%",
["Happyday"] = "RT:206/65%EB:624/87%EM:742/83%",
["루시아나"] = "CT:67/19%CB:130/13%CM:199/23%",
["이쁜척함주거"] = "CB:124/12%UM:412/44%",
["곰사육사"] = "UT:217/26%RB:401/57%RM:557/64%",
["태초의사제"] = "UT:121/39%RB:517/72%RM:665/73%",
["나사제님"] = "UT:126/40%UB:240/31%EM:684/79%",
["하루코이"] = "CT:54/17%RB:394/56%RM:606/70%",
["꿀방패유이"] = "RT:200/64%RB:415/59%CM:215/23%",
["하연이일등"] = "RB:212/50%UM:375/41%",
["사제에릭"] = "UT:283/34%RB:406/58%UM:427/46%",
["던모로사제"] = "UT:355/45%RB:237/56%RM:572/67%",
["몬트슈타인"] = "UB:186/48%UM:439/48%",
["눈빛작렬"] = "RT:437/57%EB:601/84%EM:735/80%",
["이루릴사제"] = "CT:69/19%RB:507/73%UM:425/46%",
["잔고백억"] = "ET:344/86%RB:499/69%RM:612/67%",
["다능"] = "ET:788/94%EB:700/94%LM:897/95%",
["찰떡아이스"] = "RT:226/68%EB:533/76%EM:690/78%",
["도도한핑크"] = "ET:284/78%EB:584/80%EM:865/91%",
["알푸레도"] = "RT:399/50%EB:558/79%UM:445/48%",
["슈퍼기"] = "RB:249/57%RM:536/59%",
["지축"] = "CT:162/18%UB:297/38%UM:395/42%",
["천상별곡"] = "UT:143/48%RB:534/74%CM:184/17%",
["뿅망치만렙"] = "RB:437/63%UM:394/42%",
["회복들후"] = "RB:437/64%RM:585/65%",
["아카르디아"] = "CT:208/24%RB:422/60%RM:595/68%",
["죠댕"] = "UT:86/29%RB:500/71%UM:355/40%",
["드루아미타불"] = "UT:82/30%EB:527/75%RM:615/71%",
["오빠기사님"] = "RB:258/59%RM:534/61%",
["아자린"] = "EB:568/78%RM:530/58%",
["쟌느"] = "UT:215/25%EB:565/80%EM:697/79%",
["뽀사벌랑게"] = "UT:115/39%RB:477/68%RM:509/59%",
["진해콩"] = "ET:617/79%EB:626/87%RM:385/68%",
["가인이"] = "UT:101/39%RB:409/60%UM:389/46%",
["라제드"] = "UB:347/48%RM:460/68%",
["알리앙스"] = "RT:208/67%RB:489/67%RM:549/60%",
["언제나혼자"] = "RB:473/65%RM:485/53%",
["루파스"] = "RB:516/71%RM:675/74%",
["쿠랭"] = "ET:285/79%RB:502/71%RM:480/55%",
["기사묵향"] = "EB:585/82%",
["날개잃은드루"] = "UT:102/37%RB:529/73%EM:740/81%",
["아구지딱대"] = "RB:240/56%EM:761/82%",
["율이애비"] = "CT:23/23%EB:569/80%RM:606/66%",
["성가셔"] = "RB:388/52%UM:333/35%",
["태양성기사"] = "EB:560/79%RM:614/67%",
["Aqing"] = "UT:141/48%UB:344/48%EM:788/88%",
["김불량"] = "CT:62/21%RB:490/71%UM:377/40%",
["글래머에디터"] = "UT:116/43%RB:239/59%CM:169/19%",
["데루어드"] = "RT:430/59%EB:567/78%EM:736/80%",
["노자드루"] = "RT:527/68%EB:608/85%EM:733/83%",
["꽃내음솔솔"] = "CT:132/14%UB:280/38%RM:203/51%",
["서버구리"] = "UB:293/40%UM:413/49%",
["상점"] = "RB:447/60%RM:617/66%",
["하준아빠"] = "UT:96/35%UB:208/49%RM:612/65%",
["야객"] = "ET:585/77%EB:605/79%RM:642/70%",
["투애"] = "ET:684/89%EB:647/82%EM:657/82%",
["밥알"] = "ET:670/86%EB:625/81%EM:845/88%",
["무장뽀리꾼"] = "CT:130/16%RB:344/71%UM:363/42%",
["Magicbossam"] = "RT:516/69%EB:721/94%LM:919/96%",
["띠프"] = "RT:563/74%EB:584/77%EM:828/87%",
["아실라"] = "RT:221/71%EB:684/86%EM:843/87%",
["아리아스타크크"] = "CT:72/24%RB:481/62%RM:700/74%",
["넬센"] = "RB:444/60%RM:620/66%",
["Humbles"] = "RT:203/70%EB:668/90%EM:821/87%",
["미니모"] = "EB:701/92%EM:770/89%",
["실버캣"] = "EB:743/94%EM:892/93%",
["달식이"] = "ET:705/91%EB:738/93%LM:965/98%",
["최실장"] = "LB:731/95%LM:886/95%",
["레드우드"] = "ET:420/94%EB:684/91%EM:869/91%",
["도박"] = "LT:746/95%EB:740/94%EM:841/89%",
["포탈장사"] = "EB:647/88%EM:823/87%",
["홍령"] = "RB:369/50%RM:604/66%",
["사악질할꺼야"] = "EB:636/81%UM:409/43%",
["전사엘사"] = "ET:582/78%EB:630/81%RM:569/64%",
["목련공주"] = "ET:368/91%RB:533/71%RM:535/57%",
["크리드어벤투스"] = "ET:231/75%EB:532/90%EM:751/79%",
["푸른들판"] = "RT:339/58%EB:561/80%EM:773/88%",
["Dodge"] = "ET:586/77%EB:495/87%RM:679/73%",
["치지마요아퍼"] = "RT:147/52%EB:607/77%EM:860/88%",
["Druwa"] = "ET:618/82%EB:690/88%EM:854/90%",
["세뇌"] = "RT:170/59%RB:307/66%RM:643/70%",
["짝꿍법"] = "ET:303/85%EB:700/93%LM:933/95%",
["엘리거스"] = "ET:739/94%LB:755/95%LM:959/97%",
["스텔스기"] = "UB:356/48%RM:465/52%",
["전설속전사"] = "RB:309/67%EM:696/77%",
["풍인"] = "ET:693/90%LB:782/98%EM:917/93%",
["막날료"] = "RT:192/73%LB:654/98%EM:839/92%",
["이번생은얼라"] = "UT:86/34%EB:639/81%EM:740/78%",
["산타크로스"] = "UT:311/43%EB:741/93%EM:929/94%",
["엑스트론"] = "EB:645/82%RM:684/73%",
["소서리스마스터"] = "LB:734/95%EM:830/88%",
["설루이"] = "ET:603/81%EB:737/93%EM:812/84%",
["나도다"] = "UT:106/39%RB:554/73%RM:572/61%",
["숨어서푹"] = "RB:532/71%CM:156/19%",
["뽕님"] = "LB:747/96%EM:879/93%",
["치명상중"] = "ET:224/77%EB:532/79%RM:331/63%",
["호준노주"] = "ET:272/82%EB:598/93%EM:736/80%",
["Esperanza"] = "EB:664/89%LM:906/96%",
["Rinee"] = "RT:476/64%EB:642/87%LM:889/95%",
["커피나라"] = "LB:598/96%LM:914/97%",
["소피마르소"] = "RT:481/68%LB:745/96%EM:729/79%",
["위져드"] = "RT:514/68%EB:676/87%EM:706/76%",
["마우스컨도적"] = "RB:406/55%UM:394/45%",
["블러드레인"] = "CT:161/21%",
["Tyltyl"] = "EB:570/75%EM:781/82%",
["흑주"] = "RT:502/66%EB:529/89%RM:469/53%",
["땅꼬삼촌"] = "RT:513/69%EB:713/94%EM:743/80%",
["붉은송곳"] = "ET:255/77%RB:423/56%RM:637/69%",
["뽀뽄데왜혀너"] = "LT:750/95%LB:626/95%LM:956/97%",
["이상기체"] = "CT:39/2%UB:286/38%",
["테리드란"] = "RB:428/63%RM:563/67%",
["산마로"] = "UB:123/30%UM:314/32%",
["사제이얌"] = "UB:315/41%RM:631/70%",
["여르내미"] = "UB:248/32%RM:638/73%",
["냠냠야옹"] = "RB:306/68%RM:520/57%",
["비오는날의수채화"] = "RB:260/60%",
["브레게"] = "UT:121/43%EB:615/84%EM:685/76%",
["이쁜기사"] = "CB:135/14%RM:262/61%",
["베날리온"] = "UT:116/40%RB:342/74%RM:515/59%",
["세네키"] = "RB:314/70%RM:656/72%",
["불타는썬더"] = "UT:82/31%UB:341/49%RM:466/55%",
["아르티어스님"] = "UT:111/35%RB:426/61%UM:330/39%",
["드루명월"] = "RB:381/54%RM:522/62%",
["천손"] = "UT:113/35%RB:482/69%RM:292/63%",
["스키니"] = "RB:381/56%UM:394/44%",
["타프티"] = "EB:402/83%EM:638/80%",
["헙팔라딘"] = "UT:138/47%RB:427/61%RM:482/55%",
["잊을수밖에없었어"] = "RT:203/64%EB:533/76%RM:463/54%",
["찌끄레기"] = "RT:414/51%UB:281/37%RM:515/61%",
["아슬아슬힐"] = "UB:175/43%RM:643/71%",
["Blooder"] = "ET:453/94%RB:535/74%RM:461/50%",
["추억편"] = "RB:233/54%RM:636/70%",
["보서제파파"] = "UB:324/45%CM:174/20%",
["아티샨"] = "EB:562/78%EM:771/83%",
["럽타시야"] = "CT:153/20%EB:603/83%EM:738/81%",
["마포김박사"] = "RB:226/53%UM:297/30%",
["은빛네로"] = "UT:117/41%RB:311/69%RM:485/55%",
["시간의향기"] = "ET:330/86%EB:515/75%EM:681/75%",
["브레나"] = "RT:253/71%RB:397/56%UM:343/41%",
["우레망치"] = "RB:395/56%RM:467/54%",
["산삼먹은악녀"] = "RT:410/54%RB:435/62%CM:95/8%",
["친절한말순씨"] = "RT:502/63%EB:543/75%EM:713/78%",
["카이스틸"] = "UB:316/44%UM:369/39%",
["문별다정"] = "UB:328/46%",
["Iconi"] = "UB:222/28%UM:107/48%",
["해를닮은만두"] = "ET:641/81%EB:447/86%RM:558/62%",
["불성때전직업만렙"] = "RT:231/71%EB:556/77%EM:722/82%",
["링스하울"] = "ET:309/82%EB:550/76%EM:757/82%",
["자연의노래"] = "UB:345/48%CM:209/20%",
["에나엘드"] = "RB:496/69%EM:776/84%",
["천휘애상"] = "EB:572/79%EM:715/79%",
["힐포의드루깡"] = "RB:283/69%UM:181/49%",
["쩌는농림수산부"] = "CB:169/19%RM:501/57%",
["고마워"] = "UB:297/38%RM:250/53%",
["아이언스톤"] = "CB:147/16%CM:185/17%",
["다르나서스공주"] = "UB:308/43%RM:524/58%",
["나른한하루"] = "UB:349/46%UM:360/38%",
["성바오로"] = "UT:80/27%UB:251/32%UM:183/39%",
["무영드루"] = "UT:128/47%RB:505/73%RM:527/59%",
["글배이"] = "UT:140/48%RB:446/61%RM:521/57%",
["사제초항"] = "UB:260/33%RM:525/58%",
["Layunl"] = "UB:174/41%CM:64/4%",
["묵향"] = "UB:299/39%CM:87/12%",
["까미르"] = "CT:128/13%UB:287/38%CM:168/15%",
["영웅사관학교"] = "UT:129/43%EB:428/92%LM:814/97%",
["사베테"] = "RT:210/62%RB:266/62%RM:429/51%",
["망고할비"] = "UB:189/44%RM:578/63%",
["장판깔고시작"] = "CT:37/9%UB:193/44%CM:137/15%",
["Oamaru"] = "UB:320/45%RM:523/58%",
["부러진지팡이"] = "CB:165/19%UM:186/48%",
["올리비아나"] = "UB:308/42%CM:205/19%",
["존슨앤풋"] = "UT:341/45%RB:436/62%RM:567/63%",
["이블맨"] = "RT:520/67%RB:485/69%UM:405/43%",
["매직아이"] = "CB:183/21%RM:465/53%",
["달하얀"] = "CT:60/18%UB:282/37%UM:328/34%",
["소소한으니"] = "RB:447/61%RM:654/73%",
["Rhadamanthys"] = "RB:531/73%EM:754/82%",
["코코야자"] = "RT:426/56%RB:321/72%UM:354/43%",
["술사래요"] = "UT:298/36%RB:430/62%UM:366/42%",
["귀욤미소"] = "RB:432/60%RM:620/64%",
["인내수양은희망"] = "UB:243/32%UM:321/33%",
["기사나르샤"] = "UB:296/40%UM:268/27%",
["앤더코올"] = "UB:278/36%RM:588/64%",
["봉드루라이프"] = "RB:405/55%RM:578/69%",
["드루닭"] = "EB:604/83%EM:777/84%",
["미췬과앙이"] = "CT:87/8%UB:246/32%CM:29/1%",
["빛나사제"] = "CB:106/10%UM:441/48%",
["연희공주"] = "CT:2/0%UB:179/44%UM:329/42%",
["Housecaldr"] = "RB:465/64%EM:781/85%",
["민청학련"] = "CT:85/8%RB:520/74%RM:516/60%",
["돌진하니보이네"] = "RT:424/68%EB:542/80%RM:426/71%",
["기운센천하전사"] = "RB:535/71%EM:790/83%",
["그림자망토"] = "RT:493/67%RB:557/71%EM:865/89%",
["리츠도"] = "RB:377/51%UM:257/26%",
["워니양"] = "LT:567/97%LB:734/95%EM:850/89%",
["김경자"] = "RB:536/69%EM:735/77%",
["해머냥꾼"] = "LB:796/98%LM:941/95%",
["고독한영추사"] = "EB:673/87%EM:864/90%",
["까꿍이"] = "ET:353/90%EB:558/94%EM:842/92%",
["배꼬마"] = "RB:409/56%RM:574/61%",
["박스안에은신"] = "RT:468/64%EB:651/82%EM:810/84%",
["Loko"] = "LB:786/98%EM:917/93%",
["헤시엘"] = "EB:686/91%EM:855/90%",
["트위고"] = "ET:662/87%LB:622/97%EM:887/92%",
["세레스"] = "SB:799/99%SM:991/99%",
["엔링"] = "EB:675/87%EM:834/88%",
["아르바이트생"] = "ET:679/89%EB:689/92%EM:758/85%",
["완투트리포"] = "EB:704/93%EM:807/89%",
["뚱땡이봉봉"] = "LT:634/98%LB:764/96%EM:895/91%",
["매직찬"] = "RT:427/58%LB:583/96%EM:852/92%",
["껌상"] = "ET:294/88%EB:660/93%RM:484/72%",
["레이곤"] = "UT:325/45%EB:632/82%EM:709/75%",
["내노래"] = "EB:693/89%RM:665/73%",
["보리냥냥"] = "LB:751/95%LM:955/96%",
["뒤로할래"] = "RT:383/52%RB:545/73%EM:730/78%",
["노이즈"] = "ET:715/92%EB:715/91%EM:799/83%",
["퓨린"] = "ET:691/90%EB:740/94%EM:821/86%",
["지오"] = "ST:747/99%EB:610/94%LM:934/95%",
["유리사"] = "ET:570/77%EB:502/87%RM:560/63%",
["애기냥군이"] = "ET:691/90%EB:685/88%UM:462/48%",
["Bulk"] = "LT:731/95%EB:716/93%EM:858/94%",
["Teldan"] = "ET:668/88%LB:775/97%EM:905/92%",
["Dranix"] = "EB:635/80%RM:684/73%",
["거실"] = "EB:751/94%EM:689/84%",
["피할수없는분노"] = "EB:653/82%EM:773/81%",
["이상해"] = "ET:553/75%RB:524/70%CM:193/23%",
["루푸"] = "ET:595/80%EB:705/93%EM:798/85%",
["주니시아"] = "LT:470/96%EB:705/94%LM:906/96%",
["홍마담"] = "ET:401/92%EB:741/93%EM:886/91%",
["신돈"] = "ET:581/77%EB:716/91%EM:713/76%",
["꺅꿍"] = "UT:314/42%EB:428/81%EM:725/77%",
["Lolfera"] = "EB:700/93%RM:625/69%",
["법사로이"] = "ET:613/82%EB:700/93%LM:903/96%",
["Junisia"] = "ET:682/89%EB:654/89%EM:761/86%",
["세뇨르핑크"] = "RB:380/52%RM:531/59%",
["Frontline"] = "EB:724/92%LM:953/96%",
["엘산티아고"] = "EB:715/91%LM:939/95%",
["백마녀"] = "SB:692/99%LM:941/96%",
["캐리건클래식"] = "RB:429/58%UM:367/42%",
["릭키"] = "ET:667/86%EB:703/89%EM:776/82%",
["어제시작"] = "ET:365/92%EB:591/94%EM:869/91%",
["망경사랑"] = "LB:738/95%UM:113/40%",
["로켓단배송"] = "ET:374/92%EB:744/94%EM:875/91%",
["이사라베린드"] = "RT:155/56%EB:658/89%RM:635/70%",
["크로닌"] = "ET:265/81%EB:622/81%EM:761/82%",
["흥이다"] = "ET:573/76%EB:491/86%EM:836/89%",
["지미헨드릭스"] = "ET:722/94%LB:754/96%EM:868/94%",
["환상속빛"] = "EB:705/90%EM:819/87%",
["짜장장군"] = "RT:159/58%EB:656/83%EM:807/84%",
["스나이퍼정"] = "ET:287/84%LB:730/98%LM:959/97%",
["아니그걸왜나한테"] = "UT:204/27%UB:335/48%RM:442/72%",
["소주먹는누나"] = "UB:219/28%RM:591/65%",
["그림자빌"] = "RB:469/64%EM:786/85%",
["리바브"] = "CT:115/12%UB:274/36%UM:349/37%",
["피곤한하루"] = "UB:250/32%UM:291/34%",
["일라노이"] = "UB:361/48%UM:389/41%",
["이케요"] = "CB:164/18%UM:434/47%",
["이뿐사제"] = "RB:380/54%RM:491/54%",
["검향"] = "UB:210/25%RM:470/51%",
["공수일"] = "CB:98/23%",
["금반지"] = "EB:613/84%RM:664/73%",
["산산수수"] = "RB:254/62%UM:349/41%",
["밝은빛처럼"] = "UB:211/49%RM:577/63%",
["코로나비루스"] = "CT:37/11%RB:242/60%RM:499/55%",
["드루묵향"] = "EB:550/79%CM:159/18%",
["불타는술사"] = "CT:45/11%UB:326/47%RM:448/51%",
["스트로크"] = "CT:56/17%RB:277/63%UM:147/36%",
["육덕아즈매"] = "UB:251/32%RM:524/57%",
["데스메탈"] = "UB:263/33%UM:258/31%",
["아기드루"] = "ET:669/84%EB:531/76%EM:802/86%",
["콜루"] = "ET:545/82%RB:294/70%EM:646/84%",
["세인트모모"] = "CB:113/10%RM:516/59%",
["스토리텔러"] = "RT:229/70%RB:324/73%RM:447/72%",
["말랑젤리"] = "UB:344/46%UM:329/34%",
["에르메스"] = "EB:380/79%RM:663/73%",
["좀비사제"] = "CT:39/7%RB:303/59%RM:471/69%",
["백화란"] = "CB:171/20%UM:376/40%",
["코코님"] = "CB:155/17%UM:374/44%",
["쑤니"] = "UB:131/30%UM:422/45%",
["Jooyeon"] = "CT:72/23%RB:371/52%RM:515/56%",
["토끼언니"] = "CB:142/15%EM:641/75%",
["댕구"] = "UB:245/32%RM:453/50%",
["기사찡구"] = "UT:261/32%RB:313/69%RM:612/67%",
["일골마개꿀"] = "ET:391/90%EB:664/91%EM:734/82%",
["김용선"] = "UB:314/41%RM:464/55%",
["템플기사단장"] = "UB:199/47%CM:39/2%",
["나라찬성"] = "RB:420/60%RM:627/72%",
["들을꺼야"] = "UB:279/37%UM:246/27%",
["헬카이네"] = "UB:305/42%UM:172/47%",
["블루쿠키"] = "UB:299/39%UM:367/39%",
["얀이드루"] = "RB:364/53%UM:305/35%",
["캐롤린"] = "RT:168/56%RB:213/53%CM:32/1%",
["룰루랄라망치"] = "ET:321/83%RB:385/53%RM:559/64%",
["오옹"] = "UT:152/47%RB:444/63%RM:578/68%",
["광폭한성기사"] = "CT:154/17%RB:496/68%UM:256/46%",
["처방전"] = "RB:417/57%RM:464/50%",
["갈리아원정기"] = "UB:354/49%",
["반란을꿈꾸며"] = "CT:200/24%RB:358/51%RM:515/57%",
["쵸피"] = "UB:252/33%CM:204/19%",
["울버린"] = "UT:130/41%CB:193/24%RM:509/59%",
["돼지드루"] = "CT:152/21%RB:297/68%EM:679/75%",
["셜미"] = "UT:90/31%RB:505/72%UM:146/42%",
["미루드루"] = "RB:464/64%RM:490/54%",
["드루와용"] = "UB:323/46%RM:537/60%",
["큰돌드루"] = "UT:347/46%RB:487/67%RM:623/69%",
["나개인이요"] = "UB:44/34%UM:425/46%",
["령아"] = "CT:157/18%UB:237/31%UM:250/25%",
["대지모신"] = "CT:28/1%RB:393/56%RM:471/52%",
["토템은나의힘"] = "UB:112/29%CM:180/18%",
["지금힐들어간다"] = "UT:242/29%CB:135/14%CM:76/8%",
["Jameson"] = "UB:245/31%UM:194/49%",
["도박킹"] = "CT:114/12%CB:130/14%RM:451/52%",
["겨울에도얼음물"] = "CB:158/17%RM:542/59%",
["찐이성기사"] = "CB:142/15%RM:394/63%",
["낭만어흥이"] = "RB:390/57%RM:472/52%",
["체리빌레"] = "UB:139/31%RM:464/53%",
["기사적합판정"] = "UT:293/37%EB:623/85%RM:648/71%",
["나야사제"] = "CB:158/18%RM:465/51%",
["할리는뚱땡이"] = "CB:87/7%RM:246/57%",
["발바닥영웅"] = "RT:177/60%RB:461/67%EM:689/76%",
["모모짱"] = "UB:264/33%UM:341/36%",
["성기사그니"] = "RB:530/73%RM:676/72%",
["견습성기사"] = "ET:741/91%EB:602/84%EM:798/88%",
["빛나는사제"] = "UT:158/49%UB:137/33%UM:198/49%",
["미선사랑"] = "UB:232/29%UM:367/39%",
["축루미"] = "UT:143/49%RB:283/64%UM:406/45%",
["Artists"] = "UB:200/47%UM:401/44%",
["간사합니다"] = "CT:54/13%UB:347/48%RM:478/52%",
["솔의향"] = "RT:379/52%EB:348/77%EM:729/84%",
["나서미리턴"] = "RT:166/56%RB:225/53%",
["매칸더부인"] = "UB:344/49%UM:354/38%",
["숲새"] = "RB:463/64%RM:518/56%",
["금빛드루"] = "RB:257/62%RM:463/55%",
["휴먼기사"] = "RB:463/63%EM:722/79%",
["Zuliet"] = "UB:358/48%UM:353/44%",
["위저드시안"] = "EB:524/93%EM:827/87%",
["물벼룩"] = "ET:294/84%LB:584/96%EM:776/87%",
["헌터윈저"] = "LT:456/96%EB:745/94%EM:786/82%",
["키크고시포"] = "ET:245/77%EB:662/89%EM:738/84%",
["Hongtak"] = "ET:377/91%EB:443/82%EM:770/80%",
["이천사년돌콩"] = "ET:255/81%EB:563/82%EM:593/78%",
["에리스렌"] = "UT:84/32%EB:699/89%EM:913/93%",
["칸틴"] = "ET:383/91%EB:676/87%EM:794/82%",
["매운맛"] = "ET:248/79%EB:418/81%EM:841/89%",
["양쥬"] = "ET:369/90%EB:726/92%EM:866/89%",
["Merope"] = "UB:357/48%CM:163/20%",
["Marksman"] = "RB:522/70%EM:735/78%",
["흥마윈저"] = "ET:302/85%EB:716/91%EM:718/75%",
["쉬즈곤"] = "UB:192/46%RM:468/50%",
["불모"] = "ET:250/75%LB:786/98%LM:947/95%",
["시벨노움"] = "RT:491/66%EB:680/91%RM:638/74%",
["민큐옹"] = "LT:464/96%EB:521/93%LM:932/95%",
["내아이디는도적"] = "RB:527/68%EM:711/75%",
["쿠키아줌마"] = "RT:446/61%EB:678/91%EM:447/84%",
["산딸기아이스크림"] = "ET:295/85%EB:689/92%EM:908/94%",
["하이바쓰삼"] = "ET:310/87%RB:544/69%RM:639/71%",
["복면강도"] = "RB:534/69%RM:662/70%",
["흑마아프행"] = "EB:513/89%EM:909/93%",
["위층이모"] = "EB:667/90%EM:844/92%",
["퍼그홀릭"] = "EB:652/84%EM:832/86%",
["독알레르기"] = "UT:303/39%EB:510/88%RM:686/74%",
["Sorcererkor"] = "RT:168/60%EB:676/91%EM:874/91%",
["암살가"] = "EB:599/76%EM:797/83%",
["은신조아"] = "RT:411/53%EB:580/76%EM:779/82%",
["법사비기너"] = "ET:660/86%LB:608/96%RM:638/70%",
["은하수요정"] = "ET:282/88%LB:589/96%EM:731/84%",
["별을쏴라"] = "RB:550/71%EM:823/85%",
["오뤼닭때린놈"] = "UB:352/48%EM:757/79%",
["염전"] = "ET:634/83%EB:712/90%EM:878/90%",
["Estell"] = "UT:263/39%RB:538/72%RM:579/66%",
["검은날개둥지"] = "ST:785/99%LB:732/95%LM:908/96%",
["빌리는겁니다"] = "RB:412/56%RM:634/68%",
["리딩옵하"] = "UT:307/43%EB:493/87%EM:728/79%",
["오전사"] = "RB:421/56%RM:565/65%",
["해풍"] = "UT:171/26%EB:584/76%UM:238/28%",
["와와랑"] = "LB:781/98%LM:955/97%",
["Parco"] = "LT:770/98%LB:739/96%LM:957/98%",
["하얀설원의호수"] = "ET:350/93%EB:585/81%EM:778/87%",
["골반여왕"] = "ET:308/88%RB:296/55%RM:303/61%",
["스메싱"] = "RT:544/72%EB:638/81%RM:672/71%",
["블랙스톰"] = "RT:524/70%EB:714/94%EM:698/76%",
["은빛송곳니"] = "RB:453/58%RM:678/72%",
["불타오르던너"] = "RT:217/72%EB:501/91%EM:346/76%",
["샤릿"] = "EB:694/92%EM:742/84%",
["딸부잣집"] = "ET:696/90%LB:633/95%EM:855/88%",
["드루마크"] = "RB:241/67%EM:524/76%",
["히로인"] = "RB:388/55%UM:378/43%",
["수레부캐"] = "CT:98/9%EB:528/82%EM:633/79%",
["나민영"] = "CT:34/5%UB:349/47%UM:25/31%",
["투명쌍갑새벽나인"] = "RT:228/69%RB:467/67%RM:621/72%",
["피라사제"] = "UB:287/37%UM:266/27%",
["Dianne"] = "UB:338/45%UM:277/28%",
["카후"] = "ET:340/85%EB:534/76%RM:636/71%",
["천얜시"] = "RT:408/52%RB:393/53%RM:654/72%",
["치유의신파이안"] = "CB:97/23%UM:271/32%",
["Primebee"] = "CB:116/11%RM:628/69%",
["리츠힐"] = "CB:191/23%RM:592/65%",
["Oboe"] = "CT:66/18%UB:277/37%UM:217/25%",
["드릉드릉"] = "CT:58/21%UB:286/39%RM:348/73%",
["기은마마"] = "RT:149/51%RB:333/73%RM:581/68%",
["드르두루"] = "RB:333/74%UM:261/31%",
["미니멍드루멍"] = "UB:350/49%RM:633/73%",
["볼빨간소녀"] = "RB:368/52%EM:676/77%",
["타오름달아흐레"] = "CT:32/9%UB:142/38%UM:411/49%",
["마셔보자"] = "CB:105/24%CM:229/22%",
["큐니"] = "RB:406/59%",
["기사곰돌림"] = "UT:233/27%RB:397/54%RM:532/58%",
["베르길리우스"] = "EB:541/75%RM:632/69%",
["내가호해줄게"] = "CB:142/15%CM:73/5%",
["이리마"] = "EB:578/80%RM:464/53%",
["어찌잊으오"] = "UB:275/37%UM:351/41%",
["또링"] = "EB:590/81%RM:550/60%",
["백화인"] = "CB:201/24%UM:403/43%",
["백호민"] = "CB:183/22%UM:443/49%",
["튼살치유해드려요"] = "UB:278/36%UM:353/38%",
["라한"] = "RB:227/53%UM:290/30%",
["글자야"] = "ET:307/82%RB:493/70%EM:672/76%",
["힐링기사"] = "RB:372/53%",
["기사하나"] = "UB:310/41%RM:586/67%",
["갈라드리엘"] = "RB:535/74%EM:500/75%",
["Protegomaxim"] = "UT:158/49%RB:235/55%RM:581/68%",
["키키드루"] = "RB:438/64%RM:524/58%",
["망치나가신다"] = "RB:530/73%RM:558/61%",
["진짜딸기드루"] = "CT:6/0%CB:179/21%RM:132/62%",
["턴이"] = "UB:221/27%UM:304/31%",
["고스트버드"] = "RB:227/52%RM:558/64%",
["유니버설잡부"] = "CT:65/9%UB:286/39%RM:455/54%",
["흐르르륵"] = "EB:417/83%EM:778/86%",
["전자담배"] = "RT:534/67%RB:448/64%RM:597/69%",
["이것도제꺼네요"] = "RT:193/62%RB:191/57%RM:327/58%",
["쿡쿡이술사"] = "UT:128/40%CB:143/16%RM:335/53%",
["천둥구름"] = "CT:30/4%CB:95/9%UM:377/43%",
["아람드루"] = "ET:643/81%RB:462/66%RM:608/71%",
["에네아스"] = "RT:159/54%EB:371/79%UM:394/47%",
["나클라스"] = "CT:44/12%RB:486/69%RM:397/63%",
["무타행님"] = "CT:103/10%UB:259/34%CM:202/23%",
["으앙"] = "UT:95/33%CB:166/18%RM:546/60%",
["Leedoul"] = "UB:334/44%UM:441/48%",
["방탕누나"] = "UB:212/26%RM:438/52%",
["Modan"] = "CB:102/23%CM:114/10%",
["다크스피어비숍"] = "CT:59/5%UB:214/27%CM:205/23%",
["피줘"] = "UT:112/35%EB:604/84%EM:683/75%",
["골드가디언"] = "RB:496/68%EM:709/77%",
["행운의성기사"] = "CB:175/20%UM:422/45%",
["Amok"] = "ET:507/83%EB:446/85%EM:768/89%",
["실피엔"] = "RT:184/58%CB:99/24%UM:323/34%",
["피나온다"] = "UT:96/35%RB:306/70%RM:567/63%",
["푸른보호기사"] = "CB:130/13%UM:182/49%",
["느나딜"] = "UB:95/26%RM:516/61%",
["천벌의망치"] = "UB:237/30%UM:162/45%",
["마리엘트루하트"] = "CB:129/13%CM:105/9%",
["무랑"] = "UB:214/27%RM:528/58%",
["Cher"] = "UB:339/45%CM:220/21%",
["아이힘들어"] = "UT:133/45%RB:414/58%",
["힐줌"] = "CB:199/24%CM:72/7%",
["동막골"] = "CB:33/1%UM:425/46%",
["Acepaladin"] = "RB:411/58%UM:376/43%",
["주술차사랑"] = "UB:157/40%CM:180/16%",
["판금사제다"] = "RB:435/62%UM:408/47%",
["광폭한드루"] = "CB:178/21%UM:406/48%",
["얀슈나이더"] = "UB:233/29%UM:315/32%",
["해리왕자"] = "UB:127/29%RM:286/56%",
["이불안이더위험해"] = "UT:269/32%RB:503/72%RM:285/57%",
["이루릴기사"] = "CB:193/22%UM:38/29%",
["이루릴드루"] = "RB:362/51%RM:479/57%",
["날쏘고가라"] = "RB:216/64%RM:222/54%",
["신성미키"] = "UB:253/32%UM:270/27%",
["아줌마워"] = "RB:419/57%UM:442/48%",
["수산시장"] = "CB:100/9%UM:315/37%",
["어흥어흥"] = "ET:228/80%RB:258/68%RM:187/53%",
["나무엘프"] = "EB:689/92%EM:862/91%",
["수아사제"] = "CB:60/12%CM:75/7%",
["재수도재능"] = "CT:33/7%UB:281/37%",
["하이힐줄까"] = "CB:141/15%CM:144/16%",
["젠야타"] = "CT:43/9%CB:102/10%CM:156/18%",
["꼬주망탱"] = "ET:255/79%EB:451/83%EM:782/84%",
["찔러보자"] = "RB:234/54%RM:510/54%",
["삥미"] = "UT:111/42%EB:649/88%EM:769/86%",
["먹대"] = "RT:555/74%EB:491/87%EM:864/89%",
["마귀혼"] = "ET:412/94%EB:740/94%EM:883/94%",
["애드왕"] = "CT:169/22%EB:380/76%EM:833/86%",
["닥새우"] = "EB:597/79%UM:417/46%",
["어제그법"] = "ET:368/92%EB:479/89%EM:659/78%",
["원처리"] = "ET:365/91%SB:739/99%LM:950/98%",
["탱탱후라이팬"] = "UT:341/48%EB:589/75%EM:711/78%",
["김스타"] = "EB:726/91%LM:938/95%",
["슈링가퐁퐁"] = "ET:695/90%EB:688/88%RM:462/51%",
["표준젤리"] = "RT:482/63%RB:539/72%EM:751/79%",
["공대파괴자"] = "UT:269/39%RB:428/57%RM:549/63%",
["페러데이"] = "ET:302/86%EB:678/91%EM:810/86%",
["아이보리비누"] = "EB:649/82%EM:878/90%",
["백불"] = "ET:735/94%EB:731/92%LM:913/95%",
["비켜요"] = "ET:279/80%EB:695/89%RM:697/72%",
["대도적포비"] = "CT:39/11%RB:405/54%UM:410/47%",
["Dende"] = "EB:739/93%EM:889/91%",
["고속검의일레네"] = "RB:380/52%UM:434/49%",
["얼굴큰여흑마"] = "ET:419/94%EB:680/87%EM:762/82%",
["토시오"] = "ET:617/81%EB:592/77%EM:753/78%",
["Bread"] = "LB:751/96%LM:930/95%",
["라스트젤리"] = "RB:480/64%RM:454/52%",
["Sophia"] = "RT:384/52%EB:667/90%EM:815/86%",
["빨간바지"] = "ET:295/85%EB:593/78%EM:786/82%",
["물어"] = "LT:597/98%EB:728/92%EM:905/92%",
["코오리"] = "EB:704/93%EM:815/90%",
["핑크루팡"] = "UT:269/35%EB:587/77%EM:806/85%",
["르자모"] = "RT:169/61%RB:409/53%UM:279/49%",
["김스틸"] = "EB:585/75%EM:842/87%",
["한희"] = "ET:654/86%EB:706/94%EM:806/86%",
["튀김검사황시목"] = "ET:312/86%LB:783/98%EM:855/90%",
["헬브람"] = "ET:731/94%EB:714/91%LM:945/97%",
["달빛로망펀치"] = "LB:766/96%EM:744/78%",
["저주하니"] = "EB:694/88%RM:681/71%",
["이비자"] = "EB:633/80%RM:481/69%",
["손스톤"] = "EB:617/81%RM:631/69%",
["뇌염모기"] = "UT:91/33%EB:435/82%EM:817/86%",
["아사나뮤"] = "UT:255/33%RB:324/68%RM:494/55%",
["로날도"] = "ET:292/83%EB:574/76%RM:663/72%",
["곰탱흑마"] = "RB:545/73%RM:687/71%",
["플라이"] = "UT:332/44%EB:667/90%EM:702/76%",
["로만전사"] = "LT:460/96%EB:725/94%EM:896/94%",
["실검"] = "RT:202/70%RB:457/62%UM:471/49%",
["냉모밀돈까스"] = "EB:706/93%EM:802/89%",
["금봉"] = "EB:749/94%EM:856/88%",
["전사하지마"] = "RB:581/74%RM:698/74%",
["흥분고릴라"] = "EB:706/93%EM:735/80%",
["이사벨라로셀리니"] = "UT:101/37%EB:386/76%EM:771/81%",
["눈혼"] = "RT:382/52%UB:336/46%UM:466/49%",
["하니찡"] = "RT:497/66%EB:604/79%RM:672/70%",
["줄마샤르제과점"] = "ET:317/88%EB:686/92%RM:598/66%",
["시샘달"] = "LT:541/97%EB:716/92%EM:797/89%",
["짤펠라"] = "ET:596/79%SB:726/99%EM:820/90%",
["능설아"] = "RT:464/64%EB:369/75%RM:629/70%",
["기억해요"] = "EB:665/86%EM:818/87%",
["차파아이"] = "RT:187/62%RB:464/64%UM:295/30%",
["Dante"] = "CT:61/16%UB:267/35%UM:387/46%",
["아이닝"] = "RB:330/73%CM:21/0%",
["짜루야"] = "UT:114/39%RB:389/52%UM:271/27%",
["대웅제약"] = "UB:283/37%RM:262/59%",
["히든보스"] = "UT:229/28%UB:262/33%UM:333/35%",
["중둥누나"] = "CB:52/3%UM:345/40%",
["황소괴물"] = "CT:39/11%UB:127/33%UM:382/41%",
["현지아"] = "RB:230/66%RM:419/65%",
["해령"] = "UT:132/41%RB:357/50%RM:456/54%",
["남성기삽니다"] = "UB:308/42%UM:310/32%",
["Vvip"] = "RB:268/61%UM:311/32%",
["아이디가아이디"] = "UB:274/36%RM:486/56%",
["풀내음솔솔"] = "CT:62/23%UB:323/46%UM:383/45%",
["달콤새콤"] = "UT:90/28%RB:393/56%RM:580/68%",
["청춘별곡"] = "RB:468/64%RM:600/66%",
["행복을주신"] = "UB:113/29%UM:233/28%",
["된장우유"] = "UB:126/32%UM:374/39%",
["귀한곳에누추한분"] = "ET:671/94%LB:600/97%LM:486/96%",
["반지하재왕"] = "UB:270/36%UM:343/40%",
["후추성인"] = "UB:302/39%RM:542/59%",
["몰캉몰캉보들보들"] = "CB:98/10%RM:455/68%",
["신입입니다"] = "CT:130/14%RB:257/62%RM:496/58%",
["그건막찌"] = "CB:142/15%CM:148/16%",
["자연주의"] = "RT:152/71%RB:308/71%UM:72/36%",
["키노성기사"] = "UT:282/34%UB:328/44%RM:449/52%",
["베스트성사"] = "RB:408/71%RM:468/68%",
["사제런"] = "UB:178/43%CM:153/18%",
["혼돈의성기사"] = "CB:71/5%CM:48/3%",
["개종자의하수인"] = "UB:171/49%CM:10/15%",
["김오곡"] = "UB:183/47%RM:468/55%",
["점순냥냥"] = "UT:107/33%UB:352/49%UM:334/39%",
["드루만이"] = "RT:339/52%RB:277/69%RM:672/74%",
["주향"] = "CB:65/5%CM:155/15%",
["은숙이"] = "CT:49/14%CB:189/22%CM:120/13%",
["얼큰드루"] = "UB:288/40%UM:297/34%",
["드루베라"] = "CB:127/13%RM:418/71%",
["세인트세야"] = "UB:242/30%CM:68/4%",
["기사쭌스"] = "CB:202/24%CM:63/5%",
["별들에게물어봐"] = "EB:604/83%RM:495/55%",
["꽃달술"] = "UB:90/25%RM:481/58%",
["재생한번만할께여"] = "RB:174/56%RM:323/64%",
["센스힐"] = "CB:80/8%UM:349/41%",
["로즈에요"] = "CB:125/12%RM:391/63%",
["박근재이녀석"] = "CB:54/3%CM:157/14%",
["야옹야옹"] = "RB:494/68%RM:559/62%",
["빨강여시"] = "UT:190/25%RB:394/57%RM:479/57%",
["일등급사제"] = "CB:111/11%UM:286/33%",
["루아나"] = "RB:387/55%UM:332/39%",
["이뽀"] = "UB:24/26%RM:568/67%",
["사제윤"] = "UM:363/43%",
["범아"] = "UB:238/29%UM:320/33%",
["포돈"] = "CB:93/9%RM:286/61%",
["글리로스"] = "RB:287/63%CM:35/2%",
["코비드나인틴"] = "CB:129/13%UM:306/36%",
["문보리"] = "UB:128/33%UM:374/44%",
["턴님"] = "CB:121/12%",
["칠흑광휘"] = "CB:163/18%UM:416/45%",
["김다정"] = "UT:75/34%RB:475/68%RM:191/50%",
["말괄량이숙녀"] = "UB:339/45%RM:466/51%",
["한무빈"] = "RB:500/69%UM:402/43%",
["마카롱드루"] = "CB:62/5%CM:123/11%",
["베네딕따"] = "RT:278/71%RB:305/63%RM:312/57%",
["군필여중생"] = "CB:37/7%CM:29/11%",
["암흑의인도자"] = "ET:478/80%EB:410/83%EM:741/87%",
["지킴이"] = "CB:97/8%CM:167/15%",
["Arthass"] = "RT:192/61%UB:241/30%RM:531/61%",
["교회드루언니"] = "ET:241/81%EB:289/78%RM:454/54%",
["갈락토미세스"] = "UT:75/27%UB:128/33%CM:169/20%",
["진드루"] = "UB:289/37%UM:364/43%",
["회색망토소소"] = "RB:325/71%CM:230/22%",
["미이히"] = "CT:45/3%RB:497/71%UM:336/39%",
["비연성기사"] = "CB:69/5%UM:148/41%",
["퀸성기사"] = "ET:439/80%EB:550/83%EM:825/91%",
["턴이성기사"] = "UB:221/27%UM:278/30%",
["카유드루"] = "CB:194/23%RM:301/62%",
["놀면뭐하니"] = "CT:34/3%UB:61/39%UM:331/38%",
["Oong"] = "CB:20/5%RM:486/58%",
["Kong"] = "CB:65/5%RM:221/53%",
["봄해"] = "CB:50/13%UM:279/31%",
["애기사제"] = "ET:462/79%EB:549/82%RM:548/74%",
["배기나"] = "RB:267/56%RM:460/68%",
["그인간"] = "EB:581/84%EM:751/87%",
["Jinheol"] = "RB:218/56%RM:362/59%",
["애기네"] = "ET:362/90%EB:675/91%EM:808/90%",
["Fera"] = "ET:500/83%EB:639/89%EM:836/93%",
["뼈하나에일억"] = "RT:574/71%RB:456/65%EM:725/81%",
["아우성기사"] = "CB:79/7%RM:247/53%",
["명불허접"] = "LT:755/96%EB:728/92%EM:823/85%",
["후아드루"] = "RT:57/50%EB:648/92%EM:782/90%",
["Psyworld"] = "UT:342/46%RB:509/68%EM:704/76%",
["여화도적"] = "RB:521/67%RM:607/65%",
["파성인"] = "RT:136/50%EB:694/93%RM:594/70%",
["왼손은거들뿐"] = "LB:654/96%EM:908/94%",
["아청"] = "EB:691/89%EM:839/88%",
["미스릴"] = "EB:721/91%EM:905/93%",
["물한덩이만"] = "ET:633/84%EB:713/90%LM:935/95%",
["이카나"] = "RB:406/54%RM:574/61%",
["Moore"] = "LB:771/97%EM:921/94%",
["영혼가릭"] = "EB:676/94%LM:908/96%",
["황용냥꾼"] = "ET:649/85%LB:661/96%EM:811/84%",
["이벨라"] = "ET:603/80%LB:758/97%EM:856/93%",
["노움중에최장신"] = "ET:616/82%EB:696/89%EM:880/90%",
["방황하는영혼"] = "RB:228/53%UM:363/42%",
["권아윤"] = "RB:247/56%RM:628/68%",
["소리가안나와요"] = "ET:706/91%EB:612/94%EM:838/88%",
["대도히로"] = "UT:284/36%EB:427/80%RM:589/65%",
["엘리스"] = "ET:284/84%EB:569/75%EM:757/82%",
["청양고추"] = "ET:286/82%RB:444/59%EM:731/78%",
["우피골드버그"] = "ET:730/93%EB:702/90%EM:888/92%",
["물리데미지면역"] = "RB:311/66%RM:529/56%",
["디아전사"] = "RB:470/59%UM:250/25%",
["연남동"] = "ET:718/92%EB:692/89%EM:702/76%",
["은신하면전지현"] = "UT:104/37%RB:445/61%EM:702/75%",
["홍천사냥꾼"] = "ET:642/85%EB:722/92%EM:707/76%",
["흑마법"] = "EB:748/94%LM:933/95%",
["엔리케"] = "LT:571/97%EB:723/91%EM:805/83%",
["애기법사"] = "RT:539/72%EB:651/88%RM:634/74%",
["채기을래"] = "UT:311/40%RB:489/65%RM:555/59%",
["루시퍼메이지"] = "ET:262/80%EB:633/87%UM:387/46%",
["공사"] = "EB:624/86%EM:695/76%",
["종로삼가"] = "RT:154/54%UB:364/49%CM:147/14%",
["뭐피어스"] = "EB:632/82%RM:513/55%",
["일단돌진"] = "UT:295/42%EB:415/80%EM:727/79%",
["쎄네카"] = "RT:457/64%EB:737/93%EM:909/93%",
["시설관리"] = "ET:636/84%LB:750/96%LM:959/97%",
["힐좀요"] = "UT:292/39%UB:294/40%RM:503/56%",
["한야"] = "ET:358/91%EB:729/94%EM:892/94%",
["홈런"] = "UT:85/31%EB:595/78%RM:648/69%",
["동방미인"] = "LB:563/95%EM:850/92%",
["콜린도적"] = "UB:314/42%UM:389/44%",
["아교"] = "UT:335/44%EB:696/92%EM:790/84%",
["아야아야"] = "RT:238/74%EB:512/88%EM:737/77%",
["체사냥"] = "UT:240/32%EB:744/94%EM:858/88%",
["초코캔디"] = "EB:428/82%EM:779/82%",
["내가쫌탄탄"] = "ET:660/86%LB:754/95%EM:913/94%",
["일렉트리아"] = "EB:715/91%EM:909/93%",
["Shirahoshi"] = "UT:349/47%EB:749/94%LM:970/98%",
["흑천신검웅"] = "EB:734/92%EM:923/94%",
["Dite"] = "RT:440/62%EB:694/89%EM:894/93%",
["Broker"] = "EB:696/93%EM:778/90%",
["물뽕"] = "RT:486/66%EB:450/84%EM:838/87%",
["야생사자"] = "ET:240/77%EB:686/88%LM:914/95%",
["Nobless"] = "RT:183/62%EB:661/85%RM:599/62%",
["러셀크로기사"] = "RB:359/74%RM:622/70%",
["꼬밍냥꾼"] = "LT:609/98%LB:760/95%EM:910/93%",
["킁킁대지마"] = "ET:343/88%EB:713/91%EM:837/87%",
["제이앤"] = "LB:567/95%EM:902/93%",
["덧니"] = "ET:248/75%EB:657/85%EM:724/77%",
["블랭이"] = "ET:685/89%EB:750/94%EM:756/79%",
["반쯤튀겨버린호드"] = "EB:510/89%RM:608/65%",
["제가귀족인가요"] = "LT:644/95%EB:688/94%EM:770/91%",
["레드향냠냠"] = "UT:95/35%UB:361/48%RM:487/55%",
["알콜마리오네뜨"] = "LT:589/97%EB:710/93%EM:687/79%",
["아기토시"] = "RB:316/61%RM:548/74%",
["Eiren"] = "RT:570/73%EB:553/78%UM:345/42%",
["늘봄처럼"] = "EB:486/76%EM:733/86%",
["샬레시오"] = "RB:192/70%EM:714/93%",
["가비님"] = "RB:254/55%RM:336/59%",
["곰이그랫어"] = "LT:516/96%EB:711/94%LM:884/95%",
["Curo"] = "ET:484/83%EB:638/89%EM:797/89%",
["Nyangchi"] = "RB:400/72%RM:554/74%",
["공인중재사"] = "UB:102/45%UM:179/44%",
["아크맨"] = "EB:637/88%LM:899/96%",
["흑화한엘사"] = "RT:212/69%EB:601/78%EM:760/82%",
["나쵸오"] = "RT:517/69%EB:694/89%EM:763/81%",
["냐옹이예요"] = "RT:181/65%RB:196/50%UM:176/38%",
["힐없는기사"] = "ET:445/80%EB:400/82%EM:798/89%",
["블랙초코"] = "EB:497/78%CM:1/1%",
["쇠고기맛다시"] = "ET:657/92%LB:725/95%LM:960/98%",
["퍽퍽"] = "EB:695/94%EM:858/94%",
["좋은데이흑마법사"] = "CT:27/5%RB:432/59%UM:339/39%",
["은빛소울"] = "UT:79/46%UB:164/47%RM:347/60%",
["봉실이"] = "ET:450/94%EB:554/91%EM:876/90%",
["지옥공포"] = "LT:540/96%EB:709/90%EM:769/80%",
["봄이온소반"] = "ET:392/94%EB:675/94%EM:838/94%",
["포로롱"] = "RB:499/71%EM:740/84%",
["수컷"] = "RB:478/65%RM:632/65%",
["설퍼든성기사요"] = "CT:26/4%EB:595/86%EM:857/93%",
["아레나쿤"] = "RB:451/56%RM:641/69%",
["Tashan"] = "RT:517/70%EB:635/82%RM:647/67%",
["어디서쌍라질이야"] = "LT:531/96%EB:652/84%EM:834/88%",
["온누리에"] = "EB:520/91%EM:816/92%",
["윤리강령"] = "EB:601/79%RM:512/56%",
["아이다"] = "EB:629/86%EM:683/79%",
["금봉이"] = "LB:649/96%LM:948/97%",
["길여바"] = "ET:343/90%EB:735/93%EM:809/84%",
["민메이"] = "LB:748/95%LM:938/96%",
["Mohaca"] = "LT:745/95%LB:791/98%LM:925/95%",
["사나운로티"] = "UT:96/35%UB:355/48%RM:512/57%",
["매직손"] = "ET:627/83%LB:615/96%EM:911/94%",
["너의의미"] = "ET:257/77%EB:649/83%EM:756/79%",
["인디걸"] = "RT:167/61%RB:330/70%EM:716/79%",
["깜맘"] = "EB:421/81%RM:675/73%",
["수제물빵"] = "EB:613/85%RM:630/69%",
["재수도능력"] = "ET:620/81%EB:385/76%RM:560/62%",
["비둘기마술사"] = "EB:617/85%RM:609/71%",
["금나라은나라"] = "RT:384/50%EB:668/90%EM:869/91%",
["물안개"] = "RT:223/71%EB:731/92%EM:738/77%",
["세번째기억"] = "EB:742/94%LM:942/95%",
["민지왔쪄염뿌우"] = "RB:471/63%EM:763/83%",
["이쁘종"] = "EB:725/94%EM:747/81%",
["Round"] = "ET:616/82%LB:755/95%EM:914/93%",
["기간트"] = "EB:731/92%EM:925/94%",
["마포법사"] = "ET:584/78%EB:633/86%EM:783/87%",
["꼬마뮤지"] = "ET:395/93%EB:565/80%RM:534/66%",
["제임스퓨리"] = "ET:253/76%EB:667/86%EM:733/78%",
["구드루"] = "ET:684/93%LB:728/96%LM:956/98%",
["뿅마법사뿅"] = "RT:153/56%EB:661/89%EM:723/82%",
["깍쟁이악녀"] = "ET:595/78%EB:686/88%EM:805/83%",
["원샷노브레끼"] = "ET:337/89%EB:738/93%EM:905/92%",
["바이오맨"] = "ET:620/94%EB:658/91%LM:941/98%",
["투현이모"] = "UB:388/49%RM:628/68%",
["쓰리쓰리동동"] = "RT:166/60%EB:597/78%EM:768/81%",
["시연파파"] = "EB:420/81%RM:629/71%",
["테미쓰"] = "RT:558/74%EB:636/87%EM:837/91%",
["Dobi"] = "RB:214/50%RM:453/51%",
["놀구먹기"] = "ET:417/94%EB:641/87%EM:702/80%",
["간달프누나"] = "EB:371/80%EM:691/75%",
["이니사랑"] = "UB:393/49%RM:482/51%",
["트릭샷"] = "EB:746/94%EM:918/93%",
["낑깡오렌지"] = "ET:371/90%EB:697/89%EM:774/80%",
["Qla"] = "ET:667/87%EB:642/87%RM:506/59%",
["마뜨"] = "ET:392/93%EB:602/94%EM:851/89%",
["켈투쟈드"] = "ET:610/79%EB:691/88%EM:760/81%",
["Intotem"] = "EB:609/84%RM:623/68%",
["역날검"] = "RB:286/63%RM:646/70%",
["핑크캔디"] = "EB:714/90%RM:698/73%",
["세돌세도리"] = "CT:101/12%RB:426/57%RM:541/60%",
["아프냐나도아프다"] = "RB:449/60%UM:413/48%",
["Lumines"] = "ET:707/91%LB:672/98%LM:912/96%",
["에비앙"] = "RT:537/72%EB:619/85%EM:821/87%",
["여성사냥꾼"] = "ET:587/79%EB:744/94%EM:922/94%",
["토레도"] = "EB:660/89%EM:749/81%",
["후아냥꾼"] = "EB:724/92%EM:831/86%",
["에일금고"] = "UT:97/36%EB:422/80%EM:698/75%",
["열왕"] = "UB:144/35%RM:509/57%",
["소외계층"] = "RB:407/55%EM:702/75%",
["문뚜냥꾼"] = "ET:669/88%EB:728/92%EM:876/90%",
["하늘마루"] = "RT:542/72%EB:557/91%EM:877/90%",
["물빵맨"] = "RT:415/54%EB:642/87%EM:813/86%",
["내마음속에사나"] = "RT:424/69%EB:700/92%EM:888/94%",
["더블사이드"] = "RT:388/51%RB:533/71%RM:630/69%",
["클리티에"] = "RT:528/72%EB:492/91%EM:787/88%",
["에픽법사"] = "EB:647/88%EM:781/87%",
["마샤"] = "EB:703/90%EM:729/79%",
["바람질주"] = "ET:593/79%EB:605/94%EM:735/77%",
["푸스로다"] = "SB:782/99%EM:761/92%",
["사냥꾼그니"] = "EB:704/89%EM:926/94%",
["소프맥태비시"] = "ET:352/90%EB:570/94%EM:865/93%",
["오렌지페코"] = "EB:534/76%RM:641/70%",
["미시즈메이슬"] = "EB:618/85%RM:573/63%",
["스트레인지"] = "CT:31/4%RB:308/72%UM:413/44%",
["할게없숑"] = "RT:544/72%EB:607/84%EM:703/80%",
["성냥마법사"] = "EB:615/81%RM:294/70%",
["광치기"] = "EB:639/87%EM:742/84%",
["그누구도믿지말게"] = "RB:357/50%RM:646/71%",
["디오스"] = "ET:264/78%EB:608/80%RM:712/74%",
["지호냥"] = "EB:592/79%UM:298/33%",
["매직력"] = "RT:414/54%EB:711/93%EM:835/91%",
["명령"] = "ET:722/94%LB:634/97%LM:878/95%",
["드루이득"] = "EB:463/76%EM:691/85%",
["Mei"] = "RB:414/53%RM:510/52%",
["동네한바퀴"] = "EB:621/85%EM:812/90%",
["독보"] = "ET:688/92%EB:710/93%EM:881/93%",
["흑마카유"] = "ET:425/94%EB:634/82%EM:839/87%",
["냉동삼겹살"] = "ET:227/80%EB:356/78%EM:815/90%",
["카라베라"] = "RT:128/68%RB:386/71%EM:636/84%",
["주급도둑"] = "RT:454/60%EB:671/86%RM:635/68%",
["샤를로이나"] = "EB:681/88%EM:762/82%",
["생석을원하는가"] = "RB:518/70%RM:688/71%",
["토린"] = "UT:68/30%RB:499/71%RM:603/66%",
["사탕의인형"] = "RT:150/55%EB:612/84%EM:730/79%",
["사냥꾼묵향님"] = "LT:466/96%EB:713/91%EM:906/92%",
["당췌"] = "EB:695/89%EM:828/86%",
["Cheerupkor"] = "ET:290/84%EB:635/87%EM:735/85%",
["Cardinalsins"] = "UT:116/45%RB:516/69%EM:673/75%",
["엄지발톱"] = "RT:139/51%LB:586/96%LM:888/95%",
["검은땅콩"] = "RT:436/59%EB:615/80%RM:533/58%",
["후예다"] = "RB:456/58%UM:326/33%",
["한번쯤뒤를돌아봐"] = "UB:318/43%",
["탱킹력"] = "LT:457/96%EB:580/76%RM:628/70%",
["안보여"] = "RB:509/68%RM:624/67%",
["흑마마"] = "ET:331/87%EB:679/87%EM:843/89%",
["유리아샤르킨"] = "EB:740/93%EM:821/85%",
["다크아르웬"] = "RT:215/69%EB:714/91%EM:802/83%",
["그림자밟기"] = "CT:148/19%RB:551/71%UM:404/42%",
["슈퍼냥"] = "EB:705/90%EM:863/89%",
["마녀사냥꾼"] = "ET:302/85%EB:729/92%EM:864/89%",
["원더키디"] = "UT:340/44%RB:507/65%EM:839/88%",
["황용도적"] = "RT:565/74%RB:479/64%RM:688/74%",
["기지개"] = "ET:625/94%LB:739/97%LM:875/96%",
["트윈스냥이"] = "LT:479/96%EB:586/93%CM:120/10%",
["타이타이"] = "ET:730/93%EB:595/93%EM:922/94%",
["쌍갑포차"] = "CT:70/24%RB:501/64%EM:717/76%",
["방패연"] = "EB:657/89%UM:402/43%",
["탄환"] = "ET:705/91%EB:727/92%EM:853/89%",
["행복당근"] = "EB:609/84%EM:766/86%",
["발록"] = "EB:604/77%EM:790/82%",
["나탈리도머"] = "RT:149/55%EB:673/90%RM:621/68%",
["상자전문"] = "CT:83/10%UB:340/46%UM:416/44%",
["신비의향"] = "ET:402/93%LB:762/97%EM:761/87%",
["리사나"] = "UB:273/37%EM:716/76%",
["사냥꾼가브"] = "EB:750/94%LM:962/97%",
["Ataque"] = "RB:482/65%RM:687/73%",
["수장까지뒤통수"] = "UB:235/31%",
["띠로리님"] = "ET:651/86%EB:722/92%EM:878/91%",
["야사시"] = "RB:326/69%RM:626/68%",
["백현비"] = "EB:705/89%LM:939/95%",
["암흑영혼"] = "ET:591/78%EB:708/90%EM:756/79%",
["잠탱"] = "LT:754/95%EB:726/92%EM:891/92%",
["어제그놈"] = "LT:472/96%LB:762/97%EM:821/92%",
["Cainun"] = "ET:251/76%EB:641/83%EM:845/87%",
["백발냥꾸니"] = "ET:324/88%EB:664/86%EM:841/87%",
["와우대도"] = "RT:193/65%RB:453/61%RM:605/66%",
["냥꾼히스"] = "EB:749/94%EM:878/90%",
["흑룰루"] = "ET:279/80%EB:711/90%EM:863/89%",
["대한독립흑마"] = "RT:465/63%EB:630/82%RM:512/55%",
["요시자와아키호"] = "EB:629/81%RM:644/67%",
["십만양변설"] = "EB:533/75%EM:703/76%",
["냥꾼돼랑이"] = "ET:599/82%EB:722/91%EM:864/89%",
["꼬기꼬기"] = "UB:331/45%RM:490/52%",
["Hunterbird"] = "CT:47/15%EB:585/93%EM:863/89%",
["눈은착해"] = "LT:778/98%EB:745/94%EM:916/94%",
["비연진"] = "ET:427/94%EB:511/92%EM:853/89%",
["컬스"] = "ET:266/79%EB:629/91%LM:894/96%",
["돌진하니"] = "RT:454/63%RB:542/72%EM:730/80%",
["유럽"] = "EB:691/88%EM:813/84%",
["Hosineco"] = "ET:404/92%EB:682/87%EM:734/76%",
["가로쉬로연구소"] = "RT:533/72%EB:592/77%RM:603/67%",
["알냥"] = "ET:258/79%EB:730/92%EM:809/84%",
["서있는곰"] = "ET:624/84%EB:694/89%EM:781/83%",
["아기네"] = "ET:597/79%EB:630/81%EM:813/84%",
["브런치"] = "UT:118/44%EB:624/86%RM:586/64%",
["깜짝병말기"] = "RT:450/64%EB:595/82%EM:652/75%",
["에루화"] = "EB:596/78%UM:447/45%",
["핫보이"] = "ET:631/83%EB:527/93%RM:631/69%",
["널저패겠다"] = "UB:309/40%RM:579/64%",
["Eoleum"] = "EB:572/80%EM:721/78%",
["치래"] = "EB:581/77%RM:474/52%",
["작은방울"] = "RT:196/68%EB:625/86%EM:785/88%",
["스펠싱어"] = "EB:562/75%",
["Color"] = "RT:462/61%EB:634/87%EM:783/87%",
["플라흐타"] = "RT:560/74%EB:468/89%RM:534/63%",
["쟈비에르"] = "ET:579/77%EB:519/88%LM:757/95%",
["치레"] = "LB:614/97%EM:792/88%",
["흑마과니"] = "UT:371/49%EB:688/88%EM:820/85%",
["유려월"] = "ET:262/86%EB:406/84%EM:716/78%",
["뽕뽕수뽕"] = "RT:149/52%EB:655/85%EM:815/87%",
["Darkrevenger"] = "EB:606/79%EM:793/82%",
["척척석사"] = "ET:351/90%EB:605/84%RM:486/57%",
["코빌드"] = "RT:149/54%EB:603/83%EM:868/91%",
["팔팔법사"] = "RT:456/60%RB:488/70%EM:762/86%",
["빛나는솔나무"] = "UT:126/47%EB:343/76%EM:413/82%",
["진법"] = "CT:172/22%EB:682/91%EM:856/93%",
["월급날"] = "EB:626/87%EM:787/90%",
["대법사포미"] = "ET:245/78%EB:513/92%RM:500/55%",
["마법의화신"] = "UT:112/42%UB:185/49%RM:679/74%",
["Benteke"] = "EB:702/90%EM:742/78%",
["차차법사"] = "RT:187/66%EB:667/90%RM:539/64%",
["물빵제씨"] = "ET:319/87%EB:610/84%RM:625/73%",
["악냥꾼"] = "ET:635/84%EB:694/89%EM:891/91%",
["웁스걸"] = "UT:132/47%EB:413/79%EM:752/80%",
["학원선생"] = "EB:602/94%LM:936/96%",
["내아이디"] = "UT:94/38%EB:695/91%EM:828/91%",
["규나이퍼"] = "ET:439/94%EB:744/94%LM:929/95%",
["트롤정수기"] = "EB:677/88%EM:830/88%",
["스페츠나츠"] = "RB:525/67%EM:826/85%",
["얼려주지"] = "ET:621/82%EB:647/84%RM:636/70%",
["어쮸"] = "UB:331/44%RM:633/69%",
["Icemage"] = "EB:536/76%RM:580/64%",
["가나전"] = "CT:37/14%RB:423/57%UM:422/49%",
["도닥문"] = "RT:203/67%EB:617/80%RM:611/67%",
["와우법사"] = "EB:526/75%EM:698/80%",
["이비가그치면"] = "RB:446/60%EM:711/75%",
["산다유"] = "RT:172/62%EB:535/94%EM:587/91%",
["카레찬"] = "UB:229/29%CM:92/12%",
["띨띠리"] = "UB:228/30%CM:179/22%",
["막내행님"] = "UB:169/41%RM:614/66%",
["시트르산"] = "ET:279/80%EB:670/86%EM:769/82%",
["날먹법사"] = "UT:126/47%EB:611/84%RM:560/65%",
["하늘이도적"] = "CT:53/16%UB:361/49%RM:563/60%",
["저주의인형"] = "RT:225/72%EB:507/88%RM:657/68%",
["암내쉰내"] = "RT:182/62%EB:598/78%EM:821/86%",
["Lonelysoul"] = "RT:534/71%EB:626/82%RM:662/71%",
["차가운바람"] = "EB:557/94%EM:763/86%",
["키튼"] = "UB:324/44%CM:190/23%",
["내가쫌블링"] = "RT:188/73%EB:596/83%UM:267/32%",
["물방"] = "EB:608/84%RM:632/69%",
["크림슨립스"] = "UB:162/40%UM:422/44%",
["엘리아"] = "RT:551/74%EB:737/94%EM:839/88%",
["Polabear"] = "ET:280/80%EB:723/91%EM:837/86%",
["Amakusashiro"] = "UT:312/42%EB:715/91%EM:764/79%",
["사랑으로"] = "ET:403/94%EB:642/87%RM:621/73%",
["뿌뿌붕"] = "EB:652/84%EM:891/91%",
["큰놈"] = "RT:549/73%LB:619/97%LM:914/96%",
["너두너두"] = "RB:314/67%RM:564/64%",
["전사녀"] = "ET:355/91%EB:603/79%RM:648/69%",
["농땡이법사"] = "UT:267/35%EB:611/84%EM:745/84%",
["천상귀검"] = "RB:452/60%RM:666/74%",
["물빵이"] = "LB:644/98%EM:821/87%",
["서스펜스"] = "RT:477/67%EB:747/94%LM:945/96%",
["엘프족꽃미남"] = "RT:455/64%EB:687/88%EM:768/80%",
["맞나아이가"] = "UB:192/25%UM:357/41%",
["맨유의별"] = "RT:536/74%LB:764/96%LM:947/96%",
["남녀공학"] = "EB:700/89%EM:855/89%",
["아웬이븐스타"] = "CT:62/23%EB:652/85%RM:631/69%",
["금메달냥꾼"] = "RT:159/58%EB:505/89%EM:764/80%",
["엄니"] = "CT:92/11%EB:539/76%RM:615/72%",
["자두야"] = "EB:592/82%RM:607/71%",
["마법요리사"] = "ET:582/77%EB:711/93%EM:693/79%",
["베리사"] = "LT:469/96%LB:760/95%EM:916/93%",
["레어메탈흑마"] = "RT:205/67%EB:709/90%EM:701/75%",
["Grooming"] = "RT:521/71%EB:583/93%EM:824/88%",
["어진이형"] = "LT:632/98%EB:738/93%EM:857/89%",
["시방이"] = "ET:658/87%EB:696/89%EM:842/88%",
["만나빵"] = "RT:519/69%EB:665/89%EM:853/92%",
["첫째설기"] = "RB:545/73%RM:684/74%",
["도적대디"] = "RT:442/58%EB:604/79%RM:675/73%",
["라우드니스"] = "ET:236/76%EB:723/92%EM:857/88%",
["니야옹냥냥"] = "ET:441/87%EB:455/91%EM:832/94%",
["도적금땡"] = "RB:409/52%UM:397/45%",
["뽀미"] = "ET:367/91%RB:562/74%EM:752/81%",
["Porrima"] = "EB:573/76%RM:653/72%",
["레인맨"] = "ET:599/80%EB:616/85%EM:669/77%",
["다섯째놈"] = "ET:305/85%EB:695/92%EM:873/94%",
["사랑이아빠"] = "UB:338/44%UM:365/38%",
["지드래곰"] = "RT:183/74%EB:573/88%RM:416/70%",
["마법사오즈"] = "RB:422/60%RM:529/63%",
["이루릴법사"] = "UB:321/45%UM:387/41%",
["디미니쉬드"] = "EB:701/93%EM:877/94%",
["반짝이는별"] = "ET:265/80%EB:709/93%RM:611/67%",
["일리아"] = "RT:480/64%RB:360/73%RM:677/70%",
["치킨주세요"] = "RT:555/73%EB:465/84%RM:661/71%",
["최고의선물"] = "RB:519/70%RM:685/74%",
["엘린"] = "RB:299/70%RM:582/68%",
["Ssa"] = "RB:208/54%RM:568/66%",
["조미정"] = "RB:303/71%RM:193/56%",
["부개동"] = "EB:433/86%RM:484/53%",
["떠꾸머리"] = "CT:58/21%RB:371/51%RM:455/53%",
["땅땅보여노움"] = "RB:514/67%RM:644/67%",
["스탤라"] = "RB:299/73%RM:506/71%",
["배려누낭"] = "EB:484/90%EM:750/85%",
["데키아른"] = "RT:541/72%EB:655/89%EM:763/82%",
["하얀머리전사"] = "ET:353/91%LB:658/97%LM:904/95%",
["불탄꼬기"] = "ET:623/82%EB:653/84%RM:489/56%",
["돌체비타"] = "RT:206/70%EB:649/88%EM:761/82%",
["태고의클래식전사"] = "ET:709/93%LB:636/97%LM:938/96%",
["앵벌전문"] = "CT:0/1%EB:627/86%EM:826/91%",
["시지프"] = "EB:698/89%EM:722/75%",
["사냥좋아"] = "ET:720/92%EB:730/92%RM:600/66%",
["나이트레오"] = "ET:186/85%EB:688/93%LM:911/96%",
["솔결빈"] = "RT:508/68%EB:608/84%RM:497/58%",
["시비르"] = "LT:504/95%EB:725/92%EM:898/92%",
["명혼"] = "UT:80/34%EB:600/85%EM:865/93%",
["슬픈소총수"] = "ET:639/85%EB:707/90%EM:846/87%",
["일본침몰해라"] = "RT:228/72%EB:573/76%RM:558/62%",
["앙증"] = "ET:621/82%EB:705/90%EM:793/84%",
["앗차앗차"] = "ET:720/92%EB:733/93%LM:930/96%",
["아스본"] = "EB:716/91%EM:892/91%",
["백발노인"] = "ET:696/90%EB:704/90%EM:885/91%",
["악의군주루시퍼"] = "ET:406/94%EB:722/91%EM:892/91%",
["캠핑모카"] = "ET:616/82%EB:524/92%EM:781/88%",
["크림치즈케익"] = "ET:332/88%EB:616/80%EM:801/84%",
["Sidamo"] = "LB:626/97%EM:858/93%",
["무사안일"] = "RT:146/51%RB:548/73%RM:613/67%",
["커피앤케이크"] = "RT:381/51%EB:664/89%RM:573/63%",
["골드추적자"] = "LT:470/95%EB:752/94%RM:652/71%",
["귀엽노옴"] = "ET:287/83%EB:690/89%EM:760/82%",
["집사어디가냥"] = "ET:334/89%EB:556/92%EM:856/90%",
["모크냥"] = "EB:646/84%EM:767/80%",
["냥꾼의하루"] = "LT:520/96%EB:611/94%LM:962/97%",
["백호파"] = "ET:274/83%EB:671/87%EM:851/89%",
["달이공쥬"] = "ET:569/75%EB:585/77%RM:573/62%",
["민아엄마"] = "RT:218/70%EB:621/81%RM:573/62%",
["라프니"] = "EB:703/90%EM:857/90%",
["글소리"] = "UB:102/26%RM:568/63%",
["하늘여행"] = "UB:356/44%UM:406/46%",
["제라딘"] = "ET:341/89%EB:449/84%RM:646/67%",
["송악산미친호랑이"] = "RB:296/65%RM:663/71%",
["당첨"] = "RT:179/61%EB:623/81%RM:371/69%",
["화인"] = "RT:480/64%EB:672/90%EM:899/93%",
["무심도적"] = "RB:449/60%RM:562/62%",
["Aron"] = "ET:379/92%EB:693/89%LM:935/96%",
["늘빛"] = "RT:372/62%EB:729/94%EM:812/90%",
["나르코안"] = "RT:428/56%EB:610/80%EM:743/79%",
["바닐라쥬스"] = "ET:262/80%LB:600/96%EM:800/85%",
["마량"] = "UB:261/31%UM:406/42%",
["마나없또"] = "LT:584/98%EB:642/87%EM:814/90%",
["죠니워커"] = "RT:416/54%EB:618/85%RM:563/62%",
["천상구도"] = "UT:230/29%UB:362/48%EM:755/80%",
["너의뒤에서서"] = "ET:289/85%RB:536/71%CM:105/14%",
["엽엽"] = "LT:559/97%EB:669/86%EM:887/93%",
["보아행콕"] = "EB:673/87%EM:757/79%",
["안양댁"] = "ET:417/94%EB:661/89%EM:731/79%",
["Stormarrow"] = "EB:729/92%EM:907/92%",
["카트라샤"] = "RB:328/69%RM:602/66%",
["악하기"] = "ET:576/76%EB:476/85%EM:706/76%",
["까칠한말순씨"] = "EB:709/90%EM:758/79%",
["달빛소르베"] = "ET:696/90%LB:723/95%EM:755/86%",
["루비천사"] = "LT:521/97%EB:644/88%EM:750/85%",
["산타클라라"] = "ET:332/87%EB:679/87%EM:841/87%",
["다크도적단"] = "RB:368/50%CM:152/15%",
["분노의전사"] = "ET:345/91%EB:711/93%LM:877/95%",
["레톨"] = "SB:810/99%LM:945/95%",
["케이아룬"] = "EB:588/82%RM:518/57%",
["런닝맨"] = "ET:267/81%EB:441/87%EM:802/89%",
["Firstwizard"] = "ET:266/80%EB:468/88%EM:685/79%",
["가나법"] = "RT:441/58%EB:446/87%RM:584/64%",
["흑님"] = "EB:666/86%CM:66/9%",
["이군"] = "UB:158/43%RM:451/53%",
["승승법사"] = "RB:490/65%RM:514/56%",
["다고딸래미"] = "EB:622/81%RM:621/67%",
["법사고양이"] = "ET:346/89%EB:704/90%RM:672/73%",
["손주연"] = "ET:396/94%EB:702/92%EM:895/94%",
["하멜"] = "CT:28/1%EB:688/89%UM:323/34%",
["링샤링"] = "UB:342/47%CM:44/5%",
["알레르기"] = "UT:67/25%EB:654/89%EM:787/84%",
["오해말고들어"] = "ET:589/78%EB:709/90%EM:879/90%",
["전린이"] = "RT:435/68%RB:479/74%EM:680/85%",
["Mandate"] = "LT:465/97%EB:466/89%RM:550/65%",
["아이테모"] = "ET:241/77%EB:368/80%EM:708/81%",
["딸기맛카레"] = "UT:300/38%EB:547/76%RM:253/65%",
["Kisskiss"] = "ET:539/80%EB:609/86%EM:777/89%",
["승운아제"] = "RT:219/72%EB:587/82%EM:719/82%",
["오지고지리고"] = "EB:542/94%EM:725/82%",
["햇빛가루"] = "RT:187/65%UB:212/28%RM:187/55%",
["무한생흡"] = "RT:429/56%RB:388/52%RM:550/59%",
["Respect"] = "RB:228/58%RM:485/53%",
["키에리발렌시아"] = "RT:137/57%EB:595/85%EM:653/82%",
["백운법사"] = "ET:554/80%EB:620/85%EM:741/84%",
["곰탱법사"] = "UT:258/33%RB:522/73%RM:563/62%",
["러브앵두"] = "CT:27/5%RB:425/61%RM:503/60%",
["올리비에암스트롱"] = "RB:426/58%EM:787/83%",
["사늬"] = "ST:684/99%EB:540/91%EM:880/90%",
["전네개"] = "RB:383/51%EM:576/76%",
["사탕수슈"] = "ET:260/77%EB:703/89%EM:743/79%",
["칸딘"] = "RT:445/59%EB:632/82%EM:785/81%",
["다크츄어블"] = "ET:652/85%EB:599/79%EM:865/91%",
["하슬라"] = "RT:114/50%EB:629/86%EM:714/77%",
["애기흑법사"] = "ET:571/76%EB:615/80%RM:598/62%",
["뽀리의화신"] = "RB:575/74%EM:738/79%",
["드드루이드"] = "EB:684/93%EM:734/89%",
["Naswarlock"] = "RT:206/67%EB:728/92%RM:598/62%",
["베스트도적"] = "UB:202/27%UM:423/48%",
["스팅레이"] = "UT:366/49%EB:678/87%EM:884/90%",
["샤느"] = "RT:222/73%EB:657/89%EM:849/92%",
["맛밤"] = "EB:540/76%EM:702/76%",
["주님곁으로가라"] = "RT:504/66%EB:433/81%RM:685/73%",
["요힘"] = "CT:141/18%RB:461/59%RM:664/71%",
["까만사탕"] = "ET:568/75%EB:570/92%EM:696/75%",
["Neverever"] = "ET:710/91%EB:746/94%EM:840/88%",
["인투디언노움"] = "UB:213/27%RM:580/62%",
["노움이다"] = "ET:602/80%EB:501/88%EM:862/89%",
["오줌보"] = "EB:683/88%EM:861/90%",
["법사반"] = "RT:392/52%EB:529/93%EM:885/94%",
["쾌남힝구"] = "UT:125/45%EB:573/76%RM:573/61%",
["그밤"] = "EB:669/86%EM:807/85%",
["금발의또박"] = "ET:314/87%EB:542/76%EM:692/79%",
["펭군"] = "ET:557/77%EB:661/86%EM:801/85%",
["놈왕의귀환"] = "UB:324/40%RM:640/68%",
["냥꾼자리있나요"] = "EB:684/87%EM:903/92%",
["마크제이"] = "ET:576/77%EB:670/86%EM:728/79%",
["검은바람"] = "RT:527/72%EB:698/89%EM:878/90%",
["드루와드루와드루"] = "ET:434/87%EB:542/94%LM:849/95%",
["따라비"] = "EB:533/93%EM:820/87%",
["과학선생"] = "RT:433/57%EB:625/81%RM:603/65%",
["다누"] = "RB:383/51%UM:185/46%",
["파인트"] = "EB:667/85%RM:656/68%",
["가나츠"] = "ET:706/91%EB:723/92%EM:873/92%",
["벼락식혜"] = "CT:94/16%EB:399/78%RM:614/69%",
["냥꾼펫드루"] = "ET:668/88%EB:743/94%EM:905/92%",
["뽕녀"] = "RT:229/71%EB:669/86%EM:733/76%",
["스키피"] = "UT:275/42%EB:613/85%RM:513/56%",
["천사러버"] = "ET:629/83%LB:632/97%EM:691/81%",
["손은눈보다빠르다"] = "RT:198/66%UB:361/45%RM:460/52%",
["시엘리힛"] = "RB:223/52%UM:206/49%",
["지부장"] = "EB:576/76%EM:770/83%",
["꽃보다할매"] = "RT:496/66%EB:704/93%RM:673/74%",
["밸리브리"] = "EB:672/87%EM:769/81%",
["Nv"] = "ET:308/86%EB:623/82%RM:676/74%",
["우르손"] = "ET:240/81%EB:669/93%EM:849/94%",
["새벽의아침"] = "EB:663/86%RM:671/73%",
["가솔송"] = "ET:295/84%RB:326/74%RM:403/52%",
["쌍칼의봉봉"] = "RT:446/61%RB:478/63%RM:674/74%",
["정신상태멜롱"] = "ET:609/82%EB:677/86%EM:919/93%",
["음지"] = "ET:354/90%EB:673/87%EM:792/85%",
["뺄끔이"] = "UT:92/36%EB:701/90%EM:876/94%",
["에닉스"] = "RT:223/71%RB:440/59%RM:464/52%",
["믹싱이"] = "UT:110/39%UB:195/26%RM:547/61%",
["므네모시아"] = "EB:577/80%UM:415/45%",
["오프로디테"] = "RB:300/71%RM:350/65%",
["하얀감자"] = "UT:357/48%EB:648/84%EM:787/84%",
["마범사"] = "RB:492/70%EM:787/84%",
["와린이알감자"] = "UB:206/27%UM:401/47%",
["방화김냉기"] = "RT:390/52%RB:499/71%EM:650/75%",
["화링고"] = "EB:435/87%EM:740/84%",
["앗댕"] = "EB:537/94%EM:691/80%",
["새벽빵공장"] = "UB:280/39%UM:386/46%",
["Gloom"] = "EB:714/93%EM:862/94%",
["후령"] = "RT:525/70%RB:501/72%RM:463/50%",
["따오기"] = "EB:653/85%RM:667/73%",
["Drizzle"] = "EB:580/84%EM:689/83%",
["신월무"] = "ET:675/92%LB:565/95%EM:850/92%",
["레드핸드"] = "ET:610/80%EB:733/93%EM:881/91%",
["투아"] = "RB:444/62%EM:712/81%",
["바람이부르는노래"] = "ET:320/88%EB:637/87%EM:704/81%",
["새우콩보리아쿵"] = "RT:189/66%EB:643/84%EM:759/85%",
["병아리는삐약"] = "UT:377/49%RB:372/74%RM:574/62%",
["산타법사"] = "RT:430/58%RB:412/54%RM:536/59%",
["케비어스"] = "RB:529/69%RM:655/68%",
["꼬마쥐방울"] = "UB:241/33%RM:496/54%",
["오누"] = "ET:406/92%EB:680/87%EM:749/78%",
["꿍꼬또"] = "RB:255/63%RM:560/66%",
["탱하는술사"] = "RT:323/72%EB:556/81%EM:826/92%",
["Ann"] = "EB:562/79%EM:741/80%",
["미방법사"] = "RB:290/68%EM:666/79%",
["장삼봉"] = "ET:723/94%LB:780/98%LM:954/98%",
["오흑오흑"] = "RT:161/55%EB:577/75%RM:646/67%",
["무영인"] = "RB:241/60%RM:583/64%",
["생애최초"] = "EB:336/76%RM:594/65%",
["사탕주는사람"] = "EB:687/88%EM:870/90%",
["동물원"] = "ET:289/80%EB:593/87%EM:609/81%",
["비안나"] = "ET:422/94%EB:687/91%EM:767/86%",
["조사크리"] = "LB:750/95%EM:916/93%",
["설혜리"] = "ET:388/93%RB:453/59%EM:714/78%",
["오크리마"] = "EB:583/82%EM:791/89%",
["마음씨"] = "RB:257/58%RM:638/68%",
["냥꾼뇨속"] = "RT:490/69%EB:716/91%EM:892/91%",
["Hoppang"] = "ET:383/92%EB:572/92%EM:806/84%",
["블레이드맛스터"] = "CT:42/4%CB:167/21%UM:343/40%",
["앙마콩"] = "UT:73/26%UB:358/47%RM:632/69%",
["주니샷"] = "ET:265/81%EB:653/85%RM:672/73%",
["원샷멀티킬"] = "ET:582/78%LB:622/95%EM:825/85%",
["오염변이체"] = "ET:244/77%EB:509/92%EM:765/86%",
["Yoyosi"] = "EB:736/93%LM:954/96%",
["감자전"] = "EB:609/79%EM:754/80%",
["제임스홀든"] = "RT:481/66%EB:737/93%EM:763/81%",
["무라무라"] = "RT:182/64%EB:679/88%EM:739/80%",
["소라전"] = "ET:692/92%EB:720/93%LM:925/96%",
["하얀마음냥꾼"] = "RB:546/72%EM:858/86%",
["사냥꾼해볼게요"] = "ET:689/89%EB:741/94%EM:857/88%",
["우기주"] = "RB:548/70%RM:620/66%",
["워뇽"] = "LB:614/95%EM:874/90%",
["방탄소녀"] = "CT:66/23%RB:560/74%RM:669/72%",
["부자킹"] = "ET:635/83%EB:678/87%RM:628/65%",
["칩샷"] = "ET:717/92%EB:737/93%LM:954/96%",
["정연이이뻣다"] = "ET:315/85%EB:643/83%RM:693/72%",
["승상제갈공명"] = "EB:678/87%EM:722/76%",
["앵꼬"] = "EB:605/94%EM:898/92%",
["스걱"] = "EB:591/89%RM:417/71%",
["도적하나"] = "UB:365/45%RM:700/74%",
["에스"] = "EB:642/87%EM:682/79%",
["Infighter"] = "ET:386/93%EB:541/93%LM:924/96%",
["Freezing"] = "ET:332/89%EB:500/91%LM:952/98%",
["동물사랑"] = "LT:545/97%EB:696/89%EM:877/90%",
["주안헌터"] = "LT:595/98%EB:747/94%LM:944/95%",
["네오엔"] = "ET:704/91%EB:697/92%EM:810/89%",
["쌍칼순두부"] = "RB:402/51%RM:585/63%",
["눈나라꼬맹이"] = "EB:636/87%EM:416/82%",
["냥꾼바하무트"] = "EB:687/88%EM:883/90%",
["Guccl"] = "EB:649/88%EM:761/82%",
["황혼의저격수"] = "ET:335/89%EB:449/84%EM:821/86%",
["Nan"] = "RT:429/58%EB:627/82%RM:529/59%",
["물은셀프"] = "ET:262/80%EB:613/84%EM:687/75%",
["쭌스"] = "EB:635/83%EM:485/83%",
["사냥꾼베베"] = "EB:478/86%EM:882/90%",
["Naiad"] = "EB:656/85%EM:874/91%",
["뱀량"] = "EB:751/94%EM:928/94%",
["산타는할배"] = "RT:500/69%EB:744/94%EM:773/81%",
["야수혼"] = "ET:614/83%EB:666/85%EM:874/89%",
["김만두"] = "ET:300/86%EB:674/87%EM:787/82%",
["Bbibbi"] = "ET:303/85%EB:627/86%RM:498/54%",
["뽕실"] = "EB:681/93%EM:791/91%",
["초코라떼"] = "EB:709/91%EM:706/77%",
["당근꼭다리"] = "ET:271/80%EB:635/82%RM:717/74%",
["슛뎀업"] = "EB:544/90%EM:843/88%",
["Nomblizad"] = "CT:60/20%RB:478/61%RM:552/59%",
["에르메스버킨백"] = "LT:500/96%EB:640/87%LM:918/96%",
["가버려라"] = "EB:558/91%EM:721/75%",
["라프리"] = "LB:630/95%EM:916/93%",
["흙마법사"] = "EB:703/90%EM:817/87%",
["조엘온냥이"] = "ET:647/85%LB:758/95%EM:883/92%",
["뭐라딘"] = "EB:654/85%EM:791/82%",
["뮤롯"] = "ET:629/83%LB:662/96%RM:663/72%",
["흑마비기너"] = "RT:490/65%EB:593/78%RM:671/70%",
["데이니안"] = "ET:592/85%EB:708/93%LM:881/95%",
["법사하기싫었는데"] = "EB:627/86%RM:514/56%",
["법사찡구"] = "UB:312/40%RM:545/60%",
["강두기"] = "EB:680/88%RM:583/64%",
["묵공"] = "EB:725/92%EM:827/86%",
["냥이코코"] = "CB:174/23%CM:122/17%",
["그사랑"] = "EB:708/92%EM:862/93%",
["스파클링워터"] = "EB:463/85%EM:857/88%",
["해에게서소년에게"] = "CB:41/4%CM:164/20%",
["쿠첸법사"] = "UB:306/43%RM:518/61%",
["호두머핀"] = "EB:381/81%RM:433/51%",
["긴장하지말자"] = "RT:205/69%EB:660/89%RM:497/59%",
["팽법사"] = "ET:233/75%RB:432/61%EM:644/75%",
["넨네"] = "RB:426/61%RM:503/55%",
["아주버"] = "RT:382/50%EB:650/85%EM:743/84%",
["아람법사"] = "ET:372/92%EB:550/77%RM:680/74%",
["지대드루"] = "RB:374/72%RM:300/56%",
["트론"] = "RB:405/53%UM:317/33%",
["유리섬"] = "ET:348/88%RB:452/61%UM:391/44%",
["로기"] = "RT:134/50%RB:255/63%RM:465/50%",
["말랑이조"] = "EB:613/85%RM:574/63%",
["아지양"] = "EB:357/79%EM:677/78%",
["쀼쀼쁑"] = "ET:252/78%EB:424/84%RM:576/67%",
["Irruryl"] = "ST:607/99%LB:652/98%EM:829/91%",
["Velociraptor"] = "EB:552/77%EM:679/78%",
["Marion"] = "UB:187/25%UM:409/45%",
["제라스"] = "EB:365/80%EM:709/77%",
["애인님"] = "RT:425/56%RB:525/73%RM:542/60%",
["도화란"] = "EB:644/82%EM:877/90%",
["올과"] = "ET:549/76%EB:738/93%UM:480/48%",
["빨강토끼"] = "RB:401/52%UM:388/44%",
["Ufc"] = "UB:271/33%RM:508/54%",
["산업은행"] = "EB:640/84%EM:866/89%",
["리뷰어즈"] = "RT:206/67%EB:664/85%EM:802/83%",
["핑크카이져"] = "RT:411/61%EB:577/81%EM:761/86%",
["Jainas"] = "CT:120/15%EB:365/79%EM:481/86%",
["빨간모자"] = "EB:645/83%EM:853/88%",
["닥봉이"] = "LB:586/96%EM:836/91%",
["리오넬몇시"] = "ET:257/80%EB:444/82%EM:832/88%",
["하얀두부"] = "RT:212/71%EB:493/91%RM:545/67%",
["흑표범"] = "UT:242/36%RB:273/61%RM:370/59%",
["이뿌다아"] = "ET:287/84%EB:565/79%EM:800/89%",
["무지개태양"] = "RB:314/67%RM:514/55%",
["비와호수"] = "ET:554/75%EB:589/93%EM:900/93%",
["다털어"] = "CT:64/22%UB:259/33%UM:289/34%",
["Bellatrix"] = "EB:599/76%RM:698/74%",
["겨울삼각형"] = "LB:729/95%LM:947/98%",
["루라시"] = "ET:256/79%EB:450/87%EM:744/84%",
["체리막걸리"] = "RT:218/73%EB:590/82%RM:583/64%",
["Brok"] = "ET:268/81%EB:473/89%RM:667/73%",
["농협은행"] = "EB:689/88%EM:894/91%",
["흑형마법사"] = "ET:634/83%EB:692/88%EM:798/85%",
["조니블랙"] = "RB:407/55%RM:634/69%",
["한녀보면죽척"] = "RT:496/67%EB:661/86%EM:811/85%",
["잘봐"] = "RB:493/66%RM:640/70%",
["전사훈"] = "RB:555/71%EM:743/78%",
["턴즈"] = "LT:470/96%LB:592/95%EM:900/94%",
["까투리"] = "EB:664/85%EM:856/88%",
["자몽요거트"] = "EB:706/90%EM:764/82%",
["백마탄거지"] = "CT:64/24%EB:361/78%EM:722/82%",
["유유리"] = "EB:625/86%EM:751/81%",
["Livet"] = "RT:184/65%RB:558/74%EM:725/79%",
["요술공룡둘리"] = "CT:30/6%RB:238/55%RM:624/68%",
["무두가"] = "RB:456/61%RM:618/66%",
["아얀나"] = "ET:587/80%EB:692/89%EM:906/94%",
["가츠유진"] = "RB:320/68%RM:683/72%",
["사탕드려요"] = "RT:462/62%EB:585/77%RM:537/58%",
["감자포"] = "RT:398/56%EB:685/87%EM:891/91%",
["덴티냥꾼"] = "ET:722/93%EB:688/88%EM:891/92%",
["히끼법사"] = "RT:376/50%EB:637/87%RM:556/68%",
["더헌터"] = "ET:374/92%EB:692/89%EM:838/88%",
["리키마"] = "RT:484/64%EB:577/92%EM:739/79%",
["원거리장비"] = "LT:461/95%LB:757/95%EM:885/92%",
["와붕이"] = "SB:807/99%LM:982/98%",
["냥꾼아무개"] = "ET:370/91%EB:696/89%EM:840/88%",
["또또로"] = "RT:498/70%LB:757/95%EM:925/94%",
["피로시스"] = "ET:432/87%EB:689/93%LM:911/96%",
["파니화이트"] = "ET:241/76%EB:632/86%EM:739/85%",
["Xp"] = "ET:626/83%EB:698/89%RM:692/73%",
["우리애는장애있어"] = "ET:292/82%EB:615/80%RM:688/71%",
["뼈도적"] = "RB:503/65%RM:562/60%",
["레이쥬니어"] = "RB:519/74%EM:871/94%",
["주룡"] = "CT:89/11%UB:184/44%UM:294/34%",
["Rukawaa"] = "ET:624/84%EB:567/92%EM:884/90%",
["드루이드가브"] = "EB:616/89%RM:408/70%",
["이루릴도적"] = "UB:147/36%RM:592/65%",
["장군대장"] = "ET:396/91%EB:629/82%EM:852/90%",
["깰룩이"] = "UT:342/46%EB:465/85%EM:857/88%",
["조국이조국에게"] = "RB:407/70%EM:695/83%",
["언데리"] = "RB:476/67%EM:649/75%",
["딸기뽀뽀"] = "CB:34/3%",
["바우족장"] = "UT:121/43%UB:329/44%UM:213/27%",
["미모의마법사"] = "EB:541/76%RM:477/56%",
["치퀸"] = "CB:37/3%UM:233/29%",
["리치리치"] = "EB:418/85%EM:722/82%",
["태양권만렙"] = "EB:592/82%EM:751/85%",
["너먼저가"] = "RT:416/55%EB:544/78%RM:515/64%",
["국화걸"] = "RB:508/67%RM:515/56%",
["이말짜"] = "UT:109/41%UB:197/49%RM:501/59%",
["문법사"] = "UB:216/28%CM:169/23%",
["사린이"] = "EB:365/80%EM:709/77%",
["막썰어"] = "ET:672/91%LB:602/96%EM:572/80%",
["이십년만에법사"] = "UT:93/36%RB:202/52%UM:111/40%",
["레몬요거트"] = "EB:589/78%",
["전사로와우배움"] = "ET:219/76%EB:550/79%EM:766/88%",
["낭만법사하람"] = "RB:400/53%RM:498/59%",
["안투리움"] = "RT:412/55%EB:675/90%EM:745/84%",
["래미안갤러리"] = "ET:263/78%EB:644/83%RM:703/73%",
["늘씬한밀렵"] = "ET:321/87%EB:576/92%EM:873/89%",
["니똥꼬도발"] = "EB:593/83%EM:859/92%",
["딜구리구리마법사"] = "UB:369/48%RM:612/67%",
["댕이법사"] = "UB:252/34%RM:444/52%",
["우기법사"] = "EB:557/78%UM:394/46%",
["Imyours"] = "ET:274/84%LB:744/95%LM:943/97%",
["Dimple"] = "RB:325/74%UM:311/37%",
["그악마"] = "EB:572/76%RM:489/50%",
["꼬꼬마법사"] = "RB:431/61%RM:435/52%",
["은자노리"] = "RB:251/58%UM:296/35%",
["마운틴원"] = "RT:145/51%RB:402/54%UM:254/26%",
["셔틀"] = "EB:619/81%EM:817/87%",
["개트리"] = "RT:419/57%EB:614/85%EM:800/85%",
["네프로네피아"] = "EB:631/82%EM:864/89%",
["Jicodile"] = "ET:299/86%EB:389/77%RM:655/73%",
["클래식임프"] = "RT:437/58%EB:583/77%RM:567/58%",
["Lamuerte"] = "UT:116/42%EB:605/79%RM:652/68%",
["깽판희동이"] = "ET:589/79%EB:623/86%EM:851/89%",
["진건"] = "ET:269/86%EB:556/94%EM:868/91%",
["감지"] = "CT:66/22%CB:150/19%UM:418/44%",
["하빈다"] = "ET:426/94%EB:689/89%EM:722/82%",
["전사황곰"] = "EB:413/85%EM:746/87%",
["실다이"] = "ET:209/76%EB:502/84%EM:758/91%",
["대마법사펀치"] = "LB:769/97%EM:886/92%",
["바람난마님"] = "EB:380/75%RM:630/69%",
["캐리언"] = "EB:651/85%EM:820/86%",
["말없는흑마"] = "ET:597/79%EB:654/84%RM:645/67%",
["돌아온외다리"] = "EB:435/87%EM:789/84%",
["룰라"] = "CT:46/16%EB:543/76%LM:888/95%",
["마음소리"] = "RT:426/58%EB:679/87%EM:761/80%",
["김꿀떡"] = "RB:414/59%RM:550/60%",
["별야"] = "UT:71/26%EB:589/82%EM:706/81%",
["한데에르첼"] = "ET:248/76%EB:625/81%EM:791/82%",
["라이페리온"] = "RT:165/59%EB:683/91%EM:841/92%",
["곽철용의숲"] = "RT:197/68%EB:635/83%EM:739/78%",
["이예르바"] = "UT:378/49%EB:462/88%EM:847/92%",
["속삭이는바람"] = "RT:482/67%EB:678/87%RM:465/52%",
["스포티"] = "RB:524/74%EM:682/79%",
["나다나야"] = "ET:417/94%EB:737/93%EM:803/85%",
["흙마당"] = "RT:510/68%EB:619/81%RM:683/71%",
["Poacher"] = "ET:674/88%EB:728/92%EM:873/91%",
["핑크무비"] = "ET:285/81%EB:680/87%RM:627/65%",
["우회전"] = "RT:458/62%EB:394/78%RM:595/64%",
["리터너"] = "EB:614/80%RM:708/74%",
["아랍의전사"] = "LT:565/98%LB:739/95%LM:916/97%",
["채영이요"] = "CT:50/9%EB:667/90%EM:709/77%",
["Jessie"] = "EB:456/84%UM:463/47%",
["우리흥"] = "EB:716/91%EM:842/87%",
["브리세이스"] = "EB:731/92%LM:930/95%",
["별에서온그대"] = "ET:349/91%EB:713/90%EM:743/81%",
["신초코"] = "UT:126/48%EB:657/85%RM:648/69%",
["스나이든"] = "ET:282/84%EB:630/82%EM:730/77%",
["액토"] = "EB:608/77%EM:710/75%",
["도설"] = "CT:155/20%UB:316/42%RM:675/72%",
["스슥사삭"] = "ET:691/89%LB:767/96%LM:980/98%",
["린헤비암즈"] = "UB:197/26%UM:308/31%",
["대도조까치"] = "UB:202/48%UM:436/46%",
["노래왕김구라"] = "RT:208/68%RB:272/60%EM:811/85%",
["세번째입니다"] = "LT:463/95%EB:640/83%EM:764/82%",
["마그마다르"] = "ET:339/91%EB:569/88%EM:804/92%",
["Mina"] = "ET:265/81%EB:574/80%EM:806/86%",
["어빈"] = "EB:693/88%EM:814/84%",
["레슬리"] = "RT:504/67%EB:557/94%EM:864/93%",
["사슴촌욕쟁이"] = "SB:852/99%LM:994/98%",
["루시스헌터"] = "RT:501/68%EB:645/84%EM:854/88%",
["머핀"] = "EB:614/80%EM:737/79%",
["월급통장"] = "RB:334/74%EM:735/84%",
["노을빛하늘"] = "CB:72/19%CM:176/22%",
["저에요"] = "UT:262/34%EB:561/78%EM:790/88%",
["작은돌흑마"] = "CT:38/11%UB:315/42%UM:248/30%",
["돌쇠야"] = "RB:412/58%RM:471/55%",
["베스트브라체"] = "EB:591/82%EM:731/83%",
["흰수염흑마"] = "RB:499/68%UM:427/43%",
["그림자회피"] = "UT:223/29%RB:349/73%RM:564/62%",
["온돌방"] = "UB:292/37%UM:408/44%",
["자유한국당해체"] = "EB:453/88%EM:364/78%",
["샨코"] = "RT:431/61%EB:637/82%EM:847/87%",
["아크만"] = "RB:406/58%RM:531/63%",
["앵버리"] = "RB:555/74%EM:732/83%",
["전사무명"] = "RT:416/66%EB:522/79%EM:517/77%",
["판금고기"] = "EB:686/91%EM:808/90%",
["카나비"] = "UB:227/30%RM:498/54%",
["손끝에서불꽃을쏴"] = "UT:71/26%EB:373/80%EM:713/77%",
["나무토막"] = "LT:330/95%EB:538/94%EM:766/90%",
["포텐샤"] = "RB:498/71%EM:729/79%",
["마마법사"] = "RT:223/73%EB:354/78%RM:599/70%",
["귀여운큐트"] = "RB:461/61%RM:483/53%",
["쌍칼마이콜"] = "UT:236/30%RB:410/52%RM:640/68%",
["루이비똥"] = "EB:343/77%UM:311/32%",
["뒷골목윈디"] = "CT:39/4%UB:248/33%UM:317/37%",
["이름뭐로하지"] = "CT:63/12%EB:580/76%RM:438/50%",
["핑크미라"] = "EB:613/85%RM:513/60%",
["신속단검"] = "RT:143/50%RB:443/59%EM:821/86%",
["Miran"] = "ET:368/91%EB:570/76%RM:641/66%",
["가을속으로"] = "UT:297/38%EB:622/82%EM:825/87%",
["미미론"] = "EB:611/80%RM:665/72%",
["복우"] = "EB:615/85%EM:794/88%",
["Evilstone"] = "LB:779/97%EM:856/88%",
["슈플"] = "ET:237/77%EB:669/87%EM:880/90%",
["텐서"] = "RT:163/59%EB:456/88%EM:789/88%",
["Eng"] = "RB:546/73%EM:726/78%",
["공포너프좀"] = "ET:417/92%EB:669/86%RM:650/67%",
["널사냥하겠어"] = "ET:308/86%EB:682/88%EM:758/79%",
["블랙베어"] = "ET:357/84%LB:735/96%EM:866/94%",
["똑똑한습관"] = "ET:350/91%EB:608/81%EM:708/76%",
["로켓흑마"] = "ET:314/84%EB:480/85%EM:770/82%",
["쪼꼬미랍니다"] = "EB:480/90%EM:839/88%",
["나리미야"] = "RB:534/71%RM:637/70%",
["Oox"] = "EB:579/81%EM:818/87%",
["포포몬쓰"] = "ET:268/78%RB:529/71%RM:617/64%",
["인법"] = "EB:658/86%EM:841/89%",
["노터"] = "LT:540/98%SB:782/99%LM:918/97%",
["데피아즈단대장"] = "RB:481/64%UM:428/45%",
["드루이드라고"] = "ET:248/83%EB:600/90%EM:503/76%",
["무호"] = "RB:382/51%RM:393/61%",
["란야"] = "ET:353/90%EB:627/86%EM:711/81%",
["무쇠로만든거기"] = "EB:546/91%EM:849/87%",
["그사내"] = "EB:697/89%RM:644/69%",
["트와일라이트"] = "RT:160/55%RB:529/71%RM:528/57%",
["빼미"] = "EB:555/87%EM:703/88%",
["상냥아지"] = "EB:526/90%EM:909/93%",
["비슈누아"] = "ET:699/90%LB:753/95%EM:746/80%",
["다정한큐트"] = "RT:173/59%EB:636/83%EM:757/79%",
["와린이도적유리"] = "RB:536/72%RM:544/60%",
["민준이애비"] = "EB:637/83%EM:828/91%",
["하이바"] = "UT:102/41%RB:428/56%RM:700/74%",
["맥주엔치킨"] = "ET:703/91%EB:734/93%EM:809/85%",
["냐옹아놀자"] = "ET:652/86%EB:729/92%EM:821/86%",
["활맞은것처럼"] = "EB:672/86%LM:936/95%",
["마음가는곳에"] = "ET:284/83%EB:618/85%UM:347/41%",
["스노우보더"] = "EB:681/91%RM:622/72%",
["키아"] = "EB:547/91%EM:842/87%",
["걸배이"] = "ET:649/86%LB:651/96%EM:897/92%",
["미지의감성"] = "RB:542/74%RM:620/68%",
["아담의별"] = "EB:459/89%EM:695/80%",
["아픈이랑"] = "RB:528/71%RM:306/65%",
["라됴회드"] = "ET:214/87%LB:589/96%EM:725/89%",
["Giant"] = "RT:235/73%EB:687/88%EM:788/84%",
["김사랑아빠"] = "CB:96/12%UM:419/44%",
["박푸르냥"] = "ET:664/87%EB:691/89%EM:760/81%",
["Melisandre"] = "ET:581/78%EB:646/84%EM:844/88%",
["엘디누스"] = "RT:532/71%EB:544/76%UM:437/47%",
["Gini"] = "ET:348/88%EB:677/86%EM:763/79%",
["일현이"] = "EB:688/88%LM:959/97%",
["싸냥군"] = "ET:266/81%EB:670/87%EM:883/92%",
["흰무쇠전설"] = "EB:595/86%RM:545/74%",
["불멸의생명력"] = "RB:445/62%EM:686/75%",
["삐까리뻔쩍"] = "CT:127/16%CB:64/17%RM:264/66%",
["형법사"] = "UB:115/33%RM:527/58%",
["키아드라이스"] = "EB:624/82%EM:804/84%",
["맛간이"] = "ET:249/78%LB:589/95%EM:811/86%",
["흥마는못말려"] = "CB:70/8%UM:291/34%",
["모지리법사"] = "CB:35/6%",
["딸기꼭다리"] = "LT:615/98%RB:547/73%RM:467/51%",
["산천초목"] = "ET:359/92%LB:645/97%EM:868/93%",
["시벌리우스"] = "RT:207/70%EB:503/91%RM:571/63%",
["Alldie"] = "RT:177/67%EB:619/87%EM:805/90%",
["신사장"] = "ET:563/83%EB:573/83%EM:788/90%",
["아프리카호드엿병"] = "RB:529/69%RM:672/72%",
["Forteescape"] = "EB:665/86%EM:896/91%",
["체인양변"] = "EB:643/84%EM:737/80%",
["반반버들"] = "RT:415/55%EB:364/79%RM:469/51%",
["응응"] = "RB:245/61%RM:537/63%",
["냥츄츄"] = "EB:628/82%EM:917/94%",
["구의동복부인"] = "RB:200/52%RM:593/69%",
["양치면백골"] = "UB:138/38%UM:380/45%",
["제니법"] = "UB:251/34%CM:184/24%",
["전사시안"] = "UT:109/43%RB:539/71%RM:641/72%",
["모루인"] = "RT:447/62%EB:588/77%RM:610/69%",
["메라스큘라"] = "ET:403/92%EB:663/85%EM:859/91%",
["테사"] = "UT:377/49%EB:579/80%EM:744/84%",
["실린더"] = "ET:291/84%EB:697/89%EM:822/86%",
["당그니"] = "EB:328/75%EM:404/81%",
["카실레이드"] = "RT:205/69%EB:393/82%EM:784/84%",
["애기냥군"] = "LT:642/98%EB:664/85%EM:774/81%",
["팬텀오브아발량슈"] = "RT:160/58%UB:344/42%UM:400/46%",
["냥이군주"] = "ET:376/92%EB:684/88%EM:810/84%",
["쇼리는백숙이"] = "EB:658/84%RM:666/69%",
["쭌이도적"] = "CB:165/21%UM:360/37%",
["Ahsteona"] = "RB:414/59%RM:598/70%",
["빵좀뽑아본뇬"] = "ET:233/75%EB:524/75%EM:818/91%",
["심산"] = "RB:539/73%EM:812/84%",
["마법사라샤"] = "CT:57/21%RB:497/70%RM:535/59%",
["티캐이"] = "EB:629/81%EM:815/84%",
["얼음팡팡"] = "UB:232/30%RM:584/64%",
["노브래끼"] = "CT:56/6%RB:450/57%RM:517/55%",
["몽땅패"] = "LT:572/98%LB:622/96%LM:911/96%",
["감각"] = "EB:573/77%EM:801/85%",
["갓헤라"] = "EB:522/90%EM:761/79%",
["맑은물삼다수"] = "UT:127/48%EB:612/84%EM:746/84%",
["카풀냥이"] = "RT:169/61%EB:634/83%RM:577/64%",
["푸루"] = "RT:469/66%RB:455/69%EM:676/83%",
["흑마라면흑대남"] = "RT:178/60%EB:624/81%EM:814/87%",
["활잡이켄신"] = "RT:446/61%EB:475/86%EM:866/90%",
["비목"] = "RT:224/73%EB:538/77%EM:653/76%",
["오십골"] = "EB:546/87%LM:884/95%",
["메탈레인"] = "LB:776/98%LM:946/98%",
["고통주의보"] = "RT:234/73%EB:716/91%EM:841/87%",
["아카타룽"] = "RB:515/69%UM:369/37%",
["건빵쥔놈"] = "LT:509/96%EB:724/92%EM:784/81%",
["한쪽콧구녕을퍽"] = "ET:232/76%EB:549/91%EM:869/91%",
["베리꼭다리"] = "CT:52/17%UB:179/43%RM:545/61%",
["닌냥"] = "EB:606/80%RM:689/73%",
["코디악베어"] = "ET:258/91%EB:618/89%EM:777/92%",
["유리진"] = "UB:351/43%EM:729/77%",
["전설의클로"] = "UT:197/30%RB:464/62%RM:627/70%",
["흑루화"] = "UT:122/43%RB:492/63%EM:723/76%",
["Kitsune"] = "ET:586/91%LB:766/98%SM:971/99%",
["냥아치냐"] = "ET:260/80%EB:631/83%EM:738/78%",
["발업울트라"] = "EB:581/78%EM:765/80%",
["밀어서소환해제"] = "EB:626/81%EM:808/84%",
["아빠와따"] = "ET:287/84%EB:600/83%LM:890/95%",
["도적제니"] = "UB:193/25%UM:305/35%",
["뜨밤각"] = "ET:277/81%EB:612/79%RM:716/74%",
["달리자땅끝까지"] = "UT:123/46%EB:357/79%RM:661/72%",
["Rossi"] = "EB:507/92%EM:700/80%",
["이루와"] = "ET:286/84%EB:466/85%RM:673/73%",
["골반대장"] = "ET:252/79%EB:637/82%RM:600/64%",
["구릉베어"] = "RB:348/74%EM:563/79%",
["양변마스터"] = "RB:405/58%",
["리크릿"] = "UT:78/29%EB:560/79%RM:636/70%",
["블랙법사"] = "UT:348/45%RB:448/65%RM:590/69%",
["크림히어로"] = "RT:397/65%RB:505/74%UM:262/47%",
["여덟꼬리여우"] = "EB:378/90%EM:516/87%",
["시조오"] = "ET:258/82%EB:540/80%EM:708/85%",
["법사인"] = "UB:315/41%UM:394/42%",
["채집의달인"] = "ET:507/77%EB:416/85%EM:755/87%",
["쫑법사"] = "RT:185/65%RB:286/68%EM:783/87%",
["쪼꼬리미"] = "UB:181/48%",
["레알큰돌법사"] = "UT:103/47%UB:318/43%UM:406/43%",
["Luffy"] = "UT:74/26%RB:317/67%UM:335/34%",
["타릭타릭"] = "UT:293/41%RB:283/62%RM:636/71%",
["미친교수"] = "ET:662/90%EB:566/94%EM:866/94%",
["하늘에별처럼"] = "UT:114/43%RB:494/69%EM:725/82%",
["별에별꼬봉"] = "RT:466/72%EB:493/76%EM:607/79%",
["루이비퉁"] = "CT:54/24%EB:462/88%EM:745/84%",
["다조저버려"] = "CT:23/9%RB:302/70%RM:512/56%",
["아니에스"] = "CT:59/19%CB:69/8%CM:146/18%",
["수레왕"] = "ET:344/88%EB:574/75%EM:724/75%",
["잔인한천사의테제"] = "EB:596/76%RM:537/74%",
["흑마야"] = "ET:376/91%EB:494/86%EM:601/88%",
["뽀올"] = "UT:73/33%EB:597/82%RM:634/74%",
["풍경속우리"] = "EB:623/85%EM:831/91%",
["방어안되는전사"] = "UB:302/38%CM:39/4%",
["로젠다로의하늘"] = "RT:197/68%RB:474/63%RM:578/64%",
["환서"] = "EB:625/89%LM:902/96%",
["비밀의법사"] = "ET:386/92%EB:646/88%EM:822/90%",
["발산"] = "ET:656/86%EB:593/93%EM:783/82%",
["딘카일"] = "EB:745/94%LM:971/98%",
["절은칠줄알아"] = "CB:170/22%",
["가자피피야"] = "LT:550/97%EB:692/89%EM:912/93%",
["Fura"] = "RT:198/65%EB:580/77%EM:780/81%",
["꼬깨비"] = "UT:126/45%EB:674/86%EM:758/79%",
["헌터묵향"] = "EB:590/77%RM:702/74%",
["강냉이털이범"] = "RT:491/65%RB:372/74%EM:738/77%",
["클라랑스"] = "EB:623/85%EM:685/79%",
["동막골도적"] = "CB:111/14%UM:337/35%",
["원빔"] = "UT:242/32%EB:645/84%EM:758/79%",
["금총총"] = "EB:479/86%EM:770/83%",
["희야냥꾼"] = "UT:87/34%EB:597/80%RM:657/71%",
["Zina"] = "EB:569/76%UM:355/40%",
["윙카"] = "LT:467/95%EB:698/89%EM:744/79%",
["초록잎사귀"] = "EB:709/94%EM:842/93%",
["히로자네"] = "ET:650/86%EB:683/88%EM:826/85%",
["밍미"] = "RT:146/54%EB:544/77%RM:474/56%",
["호호아님"] = "EB:604/80%RM:686/74%",
["태워버릴꺼양"] = "RT:151/55%EB:635/87%EM:761/86%",
["녹슨나사저항군"] = "CT:63/21%RB:542/72%RM:628/65%",
["사자난다"] = "ET:619/87%EB:654/89%EM:746/87%",
["호드사골곰탕"] = "RB:533/71%RM:669/69%",
["흑망구"] = "ET:324/86%EB:576/76%EM:753/78%",
["블랙이다"] = "EB:638/82%RM:534/56%",
["콜린냥꾼"] = "RB:543/74%RM:461/51%",
["드루바거"] = "RT:90/62%EB:677/92%EM:810/92%",
["폭렬"] = "RT:498/66%EB:403/78%UM:459/47%",
["황소요롱"] = "ET:700/90%EB:741/93%EM:916/93%",
["고동실"] = "ET:713/91%EB:732/92%RM:545/60%",
["냥꾼젤리"] = "EB:707/90%EM:879/90%",
["신전의몰락"] = "EB:684/87%EM:822/85%",
["임자생전사"] = "RB:542/69%EM:721/76%",
["라이헌터"] = "ET:236/76%EB:702/90%EM:729/77%",
["거북이공원"] = "ET:612/81%EB:615/81%EM:736/79%",
["아이썅"] = "RT:493/67%RB:465/66%UM:428/46%",
["칠둘이둘"] = "RB:501/71%EM:701/80%",
["자두막걸리"] = "ET:266/82%EB:645/83%RM:588/63%",
["법사춘향"] = "RT:200/68%EB:622/85%RM:600/66%",
["사랑히"] = "RB:533/70%RM:608/63%",
["김반장의손찌검"] = "EB:697/94%LM:914/97%",
["소로이"] = "EB:539/93%EM:755/85%",
["피오라"] = "ET:577/76%EB:670/86%EM:842/89%",
["리어투"] = "LT:748/96%RB:380/64%EM:764/89%",
["헬메이드"] = "UT:254/34%RB:458/62%RM:645/67%",
["야드초대요"] = "EB:417/79%RM:321/58%",
["말랑말랑코끼리"] = "RB:457/62%RM:649/70%",
["Bean"] = "RB:460/61%RM:652/71%",
["육체의저주"] = "CT:25/4%RB:447/61%RM:608/67%",
["싹쓸자"] = "RT:190/63%RB:481/65%RM:585/63%",
["머리털쥐뜩긴놈"] = "RT:141/50%EB:630/81%EM:772/80%",
["호호어린이"] = "RB:292/69%RM:642/70%",
["웅해쪄"] = "ET:683/93%EB:676/91%EM:815/92%",
["희야법사"] = "RT:197/68%RB:480/67%RM:629/73%",
["냉동마법사"] = "CT:51/17%EB:623/86%RM:672/73%",
["섹시하이"] = "LT:508/96%EB:622/81%RM:669/69%",
["모노애비"] = "EB:381/77%RM:547/59%",
["렉타르"] = "RB:495/69%EM:801/89%",
["달빛의일격"] = "RB:383/68%RM:426/68%",
["니들이광맛을알아"] = "CB:85/11%CM:62/8%",
["겐조"] = "EB:401/84%EM:741/86%",
["오발"] = "RT:225/74%EB:499/87%EM:770/82%",
["도티"] = "RT:180/64%EB:525/89%EM:796/83%",
["파란롱다리"] = "ET:317/86%EB:586/77%EM:806/86%",
["김부송"] = "ET:554/77%EB:681/87%EM:866/89%",
["마담"] = "RB:569/74%EM:833/86%",
["스톰스크리머"] = "EB:679/87%EM:782/81%",
["와린이의냥꾼일기"] = "RT:381/52%EB:712/91%EM:732/78%",
["루이정"] = "RT:434/57%EB:695/92%EM:764/82%",
["Fortuna"] = "ET:250/78%LB:701/95%LM:934/98%",
["Pixie"] = "RB:504/68%RM:678/70%",
["히히도적"] = "UT:82/29%UB:105/26%RM:608/66%",
["흥담담"] = "ET:365/90%EB:725/92%RM:702/73%",
["사냥하는온달"] = "EB:609/81%EM:777/81%",
["블루윈드송"] = "EB:492/93%EM:826/93%",
["까칠한냥꾼"] = "RT:425/59%EB:639/84%EM:716/77%",
["블더"] = "LT:770/98%LB:782/98%LM:950/97%",
["도독년"] = "UB:388/49%RM:534/57%",
["학수고대"] = "EB:726/92%EM:885/91%",
["국화주"] = "EB:637/82%EM:726/77%",
["행구"] = "ET:417/94%EB:644/84%EM:794/85%",
["아름다운동행"] = "UB:368/46%RM:679/72%",
["전속도적"] = "RB:433/55%RM:674/72%",
["아이오아이영원히"] = "ET:564/75%EB:572/76%EM:729/78%",
["미래지향형"] = "UT:76/28%RB:553/73%RM:679/74%",
["나들이갈까"] = "EB:615/86%EM:814/90%",
["초코린"] = "EB:384/77%EM:527/84%",
["올오빠"] = "CT:34/3%EB:548/77%RM:676/74%",
["여우자리"] = "RT:154/56%EB:568/79%RM:553/65%",
["윤사장"] = "UT:302/41%LB:753/95%EM:887/91%",
["블랙모어썬더퓨리"] = "ET:699/92%LB:748/95%LM:903/95%",
["몽월컴피"] = "RT:151/55%EB:639/83%EM:813/86%",
["까망쪼꼴렛"] = "RB:465/63%RM:568/61%",
["마린냥꾼"] = "ET:304/86%EB:663/86%EM:763/80%",
["뚜리뚜바"] = "UT:58/25%EB:547/84%EM:808/92%",
["평생마사"] = "RB:442/63%CM:171/23%",
["노웅이"] = "RT:158/55%EB:594/78%EM:702/75%",
["바람을사랑한늑대"] = "UT:227/29%UB:136/33%RM:566/63%",
["도박이"] = "UT:85/34%RB:221/52%RM:549/63%",
["와사삭"] = "RT:152/55%EB:566/94%EM:839/88%",
["고릴라와춤을"] = "EB:652/84%EM:793/83%",
["혼족생활백서도적"] = "CB:35/3%UM:384/44%",
["도나츠"] = "ET:587/88%LB:739/97%EM:884/94%",
["두시탈출컬투쇼"] = "EB:643/83%EM:878/90%",
["좀비러너"] = "ET:321/90%RB:465/70%EM:668/82%",
["아리온"] = "EB:678/87%EM:801/83%",
["매드내다"] = "ET:333/88%EB:600/79%EM:789/82%",
["마법사돌콩"] = "EB:606/84%EM:414/82%",
["어이쿠손이"] = "CT:26/4%UB:208/27%UM:299/30%",
["봄은어디에"] = "ET:271/79%EB:603/79%EM:711/76%",
["대족장서리"] = "RT:270/51%EB:601/85%EM:811/90%",
["탤리아풀드라곤"] = "ET:558/83%EB:677/91%EM:863/93%",
["아무법사"] = "UB:293/41%RM:484/57%",
["몬테크리스토"] = "RB:231/65%RM:187/50%",
["한개씨"] = "UT:66/30%RB:470/66%RM:461/54%",
["비쥬"] = "RB:464/60%EM:756/79%",
["인연과우연"] = "RB:517/73%EM:687/75%",
["작다고놀리지마"] = "RB:448/61%RM:657/71%",
["별다방미스정"] = "RB:447/61%UM:248/30%",
["슬비"] = "EB:536/75%EM:756/85%",
["배고플땐물빵"] = "EB:586/81%RM:565/66%",
["앉은부채"] = "RB:359/73%RM:661/71%",
["매지션산타"] = "CB:73/20%RM:439/52%",
["젖소부인사냥하네"] = "CB:115/14%RM:541/57%",
["남흑마"] = "EB:397/79%RM:714/74%",
["동이아빠"] = "EB:650/88%EM:850/92%",
["이티"] = "ET:124/76%EB:668/92%EM:818/92%",
["블라우엔샤르킨"] = "EB:704/89%EM:904/92%",
["에구머니나"] = "RT:90/69%EB:536/86%EM:728/88%",
["나는인간"] = "EB:452/83%RM:626/67%",
["날아라곰"] = "EB:680/87%EM:819/85%",
["우표"] = "ET:559/76%EB:626/82%EM:856/89%",
["그냥요"] = "ET:668/87%EB:661/86%RM:635/69%",
["닥돌탱커"] = "ET:646/89%LB:736/95%EM:889/94%",
["Sso"] = "CB:156/20%RM:499/56%",
["한살차이"] = "RT:151/56%EB:690/89%EM:905/94%",
["박스깔고죽척"] = "ET:582/80%EB:714/90%EM:902/92%",
["탱구는헉맙소사"] = "EB:436/82%RM:672/70%",
["송화"] = "EB:344/77%EM:700/76%",
["뽀얀두부"] = "ET:269/79%EB:599/78%EM:706/76%",
["여백작리븐데어"] = "CT:62/24%UB:397/48%RM:364/66%",
["쿤트라"] = "EB:659/92%EM:685/84%",
["따당따당"] = "ET:390/93%EB:713/91%RM:679/72%",
["토단"] = "ET:583/77%EB:462/84%EM:807/86%",
["블라곤"] = "LB:755/95%LM:942/95%",
["나를보라고"] = "RT:525/71%EB:408/79%RM:619/66%",
["악군이"] = "EB:491/76%EM:753/87%",
["막땡기고죽척"] = "RT:209/71%EB:630/83%EM:784/82%",
["흑펠라"] = "EB:619/81%RM:635/68%",
["비엘"] = "UT:249/33%EB:564/75%RM:666/72%",
["쏜다"] = "ET:693/90%EB:594/93%EM:868/90%",
["잘벗기는냥꾼냥"] = "UT:326/44%EB:604/79%EM:764/80%",
["하보카후"] = "ET:274/82%LB:592/96%RM:609/71%",
["공개처형"] = "ET:536/91%LB:729/95%EM:699/87%",
["소룡녀"] = "UT:254/35%EB:480/87%EM:708/75%",
["청명을"] = "RT:164/72%EB:598/87%EM:844/93%",
["갓아레스"] = "EB:404/80%EM:740/79%",
["암흑소환"] = "UT:209/28%RB:486/66%RM:580/60%",
["Aerosmith"] = "EB:726/92%EM:829/87%",
["술법자"] = "RT:199/65%EB:577/76%RM:573/62%",
["우헤히흐"] = "EB:691/92%EM:648/75%",
["상냥한악마"] = "ET:617/83%EB:477/86%EM:823/85%",
["등따전사"] = "CB:160/18%RM:327/63%",
["인요"] = "RT:522/71%EB:615/80%EM:789/85%",
["철거전문"] = "ET:342/89%EB:652/85%EM:827/87%",
["상큼발랄숙녀"] = "CB:142/18%UM:114/33%",
["Soonun"] = "RB:489/69%RM:609/71%",
["생크리"] = "ET:652/85%EB:707/90%EM:840/87%",
["베스트전사"] = "RB:435/54%RM:308/66%",
["짝퉁별"] = "ET:299/83%EB:488/86%EM:797/85%",
["타이티"] = "CB:64/7%UM:288/34%",
["송깃"] = "EB:426/81%UM:444/45%",
["옥수동불주먹"] = "RB:549/73%EM:762/81%",
["도도한년"] = "CB:99/24%UM:438/46%",
["신개념법사당"] = "RB:552/73%RM:542/64%",
["라라링"] = "ET:269/81%EB:634/82%EM:761/80%",
["연어왕자"] = "EB:564/79%EM:715/82%",
["유기견"] = "UT:129/46%RB:551/73%UM:454/46%",
["로만법사"] = "RT:533/71%EB:593/82%EM:756/81%",
["흑화신"] = "RB:558/74%RM:700/73%",
["꼬오너"] = "ET:363/84%EB:658/91%EM:857/94%",
["미스팬텀"] = "EB:506/89%EM:776/81%",
["하이파나"] = "RT:413/54%RB:541/71%RM:699/73%",
["칠성아담"] = "EB:607/80%EM:848/89%",
["스타필드인시티"] = "EB:590/85%EM:850/93%",
["냥고로"] = "CT:129/16%EB:599/80%RM:480/54%",
["의숲"] = "RT:388/53%EB:586/77%EM:841/87%",
["자베르"] = "ET:579/78%EB:633/83%RM:614/65%",
["파이어법"] = "RB:447/63%RM:621/68%",
["만두마법사"] = "RT:431/57%EB:579/80%RM:559/61%",
["Olivia"] = "ET:519/90%EB:441/90%EM:699/88%",
["동이"] = "EB:378/78%UM:364/41%",
["천만불계집녀"] = "UB:322/39%RM:497/53%",
["흑마짜증이네"] = "RT:537/71%EB:465/84%EM:753/78%",
["Raphael"] = "ET:559/82%EB:634/88%EM:650/81%",
["화천군"] = "UT:197/30%EB:607/84%EM:774/87%",
["마력의원천"] = "RB:481/69%RM:559/66%",
["파멸의구름"] = "ET:623/82%EB:673/86%EM:798/83%",
["태초의흑마"] = "RB:495/65%UM:404/41%",
["슈퍼에고"] = "UB:336/47%RM:628/73%",
["찡구아님"] = "ET:579/83%EB:530/92%EM:708/87%",
["에워"] = "UB:359/45%UM:266/31%",
["법사지영"] = "EB:613/81%EM:754/81%",
["다리벼리"] = "ET:602/86%EB:452/78%EM:662/87%",
["오늘의운세"] = "EB:410/83%EM:634/80%",
["걸리적여행기"] = "CT:39/4%RB:482/65%RM:626/68%",
["돌리나로"] = "RB:553/73%EM:789/84%",
["전사하고싶다"] = "ET:700/93%EB:728/94%EM:818/91%",
["김반장의발재간"] = "EB:617/86%EM:678/85%",
["자데스"] = "EB:606/79%RM:627/65%",
["망굿이얌투"] = "RB:150/50%",
["만나"] = "EB:454/81%EM:506/76%",
["크레센도법사"] = "RT:386/50%EB:537/76%EM:692/79%",
["푸리짱"] = "CB:174/23%RM:526/62%",
["칸의지인"] = "ET:312/88%EB:498/91%EM:779/89%",
["어머나마님"] = "UB:332/45%UM:357/42%",
["Ashbringar"] = "LT:480/96%EB:535/80%EM:737/88%",
["황제님"] = "CT:70/13%CB:43/4%RM:439/52%",
["냥치법사"] = "EB:552/77%EM:717/78%",
["카르제마르"] = "RT:151/52%RB:451/61%RM:611/66%",
["Nanakim"] = "CB:90/12%CM:185/24%",
["하도경기"] = "UB:106/29%CM:79/8%",
["Happygirl"] = "EB:427/85%CM:154/21%",
["악군"] = "ET:334/91%EB:594/87%EM:611/82%",
["도도한냐옹이"] = "CT:135/17%RB:556/73%RM:529/54%",
["미르의눈물"] = "UB:103/26%RM:392/72%",
["해피드루"] = "EB:522/85%EM:672/87%",
["Kalvas"] = "UT:341/49%EB:476/90%RM:608/67%",
["수다리"] = "CT:73/9%LB:625/97%RM:599/70%",
["오픈마켓"] = "CT:139/18%RB:536/70%RM:649/67%",
["메롱퍼블"] = "CB:83/10%UM:248/29%",
["박복태"] = "LT:592/98%EB:660/85%EM:724/78%",
["데드갓"] = "RT:414/54%RB:528/70%RM:607/66%",
["김겨울"] = "ET:473/89%EB:603/88%EM:716/87%",
["스레이"] = "RB:241/56%UM:328/39%",
["양변기가막힙니다"] = "EB:697/92%EM:845/92%",
["다올아빠"] = "RT:164/60%UB:275/34%RM:318/62%",
["문다정"] = "RT:449/60%EB:674/86%RM:569/59%",
["건희아빠"] = "UB:232/26%RM:385/61%",
["돌아온킹돌이"] = "ET:588/79%EB:683/87%RM:669/73%",
["숨어우는바람소리"] = "EB:624/81%RM:598/64%",
["맛있는녀석들"] = "ET:638/84%EB:545/94%LM:917/96%",
["멍충빵이"] = "EB:657/84%EM:908/93%",
["룩자"] = "UT:313/41%RB:495/72%RM:604/71%",
["도적의다크"] = "RB:390/52%RM:557/62%",
["무쇠앵별이"] = "CT:62/7%CB:118/15%RM:651/69%",
["고블린과사는엘프"] = "RT:391/55%EB:626/82%EM:789/82%",
["소서리"] = "RT:497/66%EB:464/84%EM:734/76%",
["Clo"] = "EB:540/86%EM:289/78%",
["법사주방장"] = "RB:498/70%RM:578/64%",
["암내크리"] = "EB:556/75%EM:881/90%",
["류미엘"] = "LT:465/96%EB:732/94%EM:895/94%",
["검귀혼"] = "ET:222/77%EB:630/86%EM:721/88%",
["흑마자리있나요"] = "RB:489/66%RM:488/50%",
["앙해쪄"] = "UB:229/27%CM:138/15%",
["별이밝은밤"] = "ET:285/84%EB:700/90%EM:814/86%",
["향기먹는흑마"] = "RT:497/66%RB:542/72%EM:700/75%",
["심지냥꾼"] = "ET:680/88%EB:551/91%EM:880/91%",
["자연산드루이드"] = "LB:718/95%LM:885/95%",
["윌리엄텔사마"] = "LT:457/95%EB:732/93%EM:851/89%",
["염라대왕하데스"] = "UT:69/25%RB:519/71%EM:781/82%",
["화이팅코리아"] = "CT:101/12%EB:581/76%EM:760/80%",
["Gai"] = "CB:28/1%CM:26/0%",
["대흑마왕"] = "UT:332/43%EB:578/76%RM:522/57%",
["기가찬걸"] = "ET:656/86%EB:632/83%RM:578/61%",
["Xv"] = "EB:646/84%EM:737/78%",
["Feverwizard"] = "RT:152/63%EB:649/88%EM:770/86%",
["클래식냥"] = "UT:334/46%EB:502/89%EM:844/87%",
["너똥밟았다"] = "RT:500/67%EB:705/90%RM:627/67%",
["폭우"] = "RT:476/66%EB:685/88%EM:715/76%",
["뽀로롱뽀롱"] = "RT:147/51%EB:384/76%RM:487/53%",
["루위"] = "EB:630/81%EM:807/84%",
["마등령"] = "RT:501/68%EB:633/82%EM:763/82%",
["소환술사"] = "RB:544/72%RM:608/65%",
["반란군사령관"] = "CB:126/15%CM:88/11%",
["근육맨"] = "RT:492/65%EB:584/77%RM:663/72%",
["초향"] = "CT:105/14%EB:599/78%RM:245/57%",
["구세아"] = "CB:105/13%CM:101/12%",
["풍풍"] = "UT:206/27%EB:604/80%RM:516/57%",
["블라베"] = "RT:544/71%EB:593/78%EM:739/79%",
["조각알레르기"] = "EB:617/80%EM:845/87%",
["냥담담"] = "ET:682/89%EB:587/78%RM:522/55%",
["짱짱한쿵잔치"] = "CB:92/11%CM:57/4%",
["냥꾼곰이"] = "UT:85/32%EB:594/79%EM:764/81%",
["흙마법쏴"] = "RB:496/67%RM:575/62%",
["라이팅볼트"] = "RB:442/63%EM:676/78%",
["작업걸"] = "CB:70/8%UM:287/34%",
["쵸켜릿"] = "CB:61/7%CM:115/16%",
["단지우유"] = "ET:639/93%LB:583/95%LM:918/97%",
["레드향"] = "RB:214/55%UM:362/38%",
["파멸의바람"] = "RT:240/73%RB:546/73%RM:716/74%",
["안졸리"] = "RT:231/74%EB:538/75%RM:528/58%",
["올드맨바램"] = "CT:101/18%UB:126/35%RM:182/54%",
["마나없는법사"] = "UB:116/33%UM:140/47%",
["얌컷"] = "UB:204/27%RM:476/56%",
["헬워리어"] = "RT:176/67%RB:342/60%EM:565/76%",
["크루시아"] = "RB:458/58%EM:711/75%",
["법사꼬맹이"] = "CB:142/19%UM:292/30%",
["주콩콩"] = "RB:273/66%EM:649/76%",
["행복흑마천사"] = "ET:606/80%EB:451/83%EM:856/88%",
["로젠"] = "UT:102/39%RB:512/72%RM:608/71%",
["Artemis"] = "UB:321/44%RM:527/56%",
["Soco"] = "ET:280/82%UB:313/44%CM:69/9%",
["고통주는안방마님"] = "RT:422/55%RB:557/74%RM:459/51%",
["Zexia"] = "ET:685/92%EB:664/90%EM:487/75%",
["호박꽃필무렵"] = "UB:292/41%RM:470/56%",
["Olleh"] = "RT:444/60%EB:439/83%RM:603/62%",
["Parkchorong"] = "EB:741/94%EM:707/77%",
["사랑해서좋은날"] = "RB:540/72%EM:733/79%",
["야수의미소"] = "EB:573/77%EM:756/81%",
["악마군단장"] = "UT:108/41%EB:594/79%RM:580/64%",
["후아흑마"] = "RB:554/72%RM:519/53%",
["가브"] = "UT:348/47%LB:769/97%LM:933/95%",
["훔친사과"] = "RT:205/67%EB:628/82%RM:444/50%",
["클라우디오"] = "EB:595/79%EM:713/77%",
["냥꾼형이"] = "RB:513/70%EM:836/86%",
["글래머수진"] = "EB:694/89%EM:774/83%",
["필승"] = "RT:535/72%LB:758/96%RM:642/70%",
["냥꾼처음"] = "EB:674/87%EM:903/93%",
["Mija"] = "ET:604/86%EB:436/89%EM:583/81%",
["아이언파이브지"] = "LB:754/95%EM:882/89%",
["Agorush"] = "EB:628/81%EM:794/82%",
["파티나라"] = "UT:89/35%RB:521/71%RM:677/72%",
["진리의향"] = "EB:634/91%EM:776/90%",
["륄리리야"] = "EB:672/86%EM:798/83%",
["베르아란"] = "EB:425/82%EM:845/87%",
["Jooin"] = "RB:420/57%CM:25/9%",
["아이스체리"] = "RB:308/72%RM:575/68%",
["쏜오공"] = "ET:236/81%EB:596/87%EM:735/88%",
["핑크루비"] = "RB:316/73%RM:545/64%",
["빅토로브나"] = "UB:309/38%UM:276/32%",
["꺽쇠"] = "ET:580/78%EB:649/85%EM:761/81%",
["흑마예다"] = "UT:313/42%EB:564/75%RM:628/68%",
["트우리"] = "RT:173/62%EB:408/79%EM:700/75%",
["헨젤"] = "EB:693/88%EM:853/88%",
["쇼핑왕지니"] = "UT:186/25%RB:504/69%RM:597/63%",
["유재석고팩"] = "ET:277/80%EB:590/78%EM:745/80%",
["미치과앙이"] = "UT:273/36%RB:502/71%EM:647/75%",
["어니어니"] = "ET:324/86%RB:538/72%RM:581/63%",
["임자생냥꾼"] = "EB:573/77%EM:740/79%",
["날개잃어버린천사"] = "EB:601/80%RM:474/53%",
["미나리"] = "ET:218/76%EB:575/88%EM:824/94%",
["드루문"] = "ET:262/91%EB:496/93%EM:677/87%",
["미니뽀요"] = "RB:373/53%EM:773/83%",
["Redbook"] = "EB:634/82%EM:754/81%",
["포세이돈영"] = "EB:644/83%EM:810/86%",
["새봄처럼"] = "RB:519/70%RM:561/58%",
["Mymu"] = "EB:563/76%RM:691/73%",
["원화"] = "UT:78/29%RB:402/53%EM:760/82%",
["블랙캔디"] = "UT:326/42%EB:607/80%RM:586/63%",
["킹야"] = "RT:553/74%EB:675/90%RM:620/72%",
["나엘크롱"] = "EB:618/80%EM:778/81%",
["고돼지"] = "EB:475/82%EM:635/84%",
["초랭이"] = "RB:397/56%RM:529/58%",
["제린느"] = "ET:565/77%EB:726/92%EM:842/88%",
["뱀파"] = "RT:209/67%EB:595/78%EM:814/84%",
["제이나데미무어"] = "RT:447/59%EB:613/80%UM:259/26%",
["이런법이있다니"] = "UT:69/25%RB:401/57%RM:592/70%",
["달건"] = "ET:260/81%EB:456/85%RM:562/60%",
["롬브로조"] = "UT:97/35%EB:631/81%EM:807/84%",
["헌터문"] = "ET:645/85%EB:711/91%RM:624/68%",
["모그"] = "RT:164/59%EB:575/81%RM:629/73%",
["Hildegard"] = "UT:72/27%EB:577/77%RM:659/72%",
["다몽"] = "RB:465/63%RM:527/54%",
["그림자용"] = "RB:382/71%EM:568/75%",
["Circe"] = "RB:366/52%RM:536/63%",
["마나제로"] = "UB:57/40%RM:140/52%",
["계획대로되고있어"] = "ET:591/78%EB:526/75%EM:428/83%",
["겨울의추억"] = "ET:248/78%EB:420/83%RM:615/68%",
["뚜시쿵"] = "ET:327/86%EB:626/81%EM:807/86%",
["아우추워"] = "ET:599/80%EB:673/86%EM:822/87%",
["Lykoi"] = "RT:509/68%EB:609/84%EM:760/86%",
["달빛나루"] = "ET:399/80%EB:615/89%EM:810/92%",
["법사자이"] = "UT:342/46%RB:201/53%RM:582/64%",
["사탕뽑다쿵해쪄"] = "EB:665/85%EM:766/80%",
["주월"] = "CB:99/13%UM:338/35%",
["티티카카호수"] = "RB:443/72%RM:378/63%",
["빛의공간"] = "CT:50/16%RB:356/50%RM:458/50%",
["세타우"] = "UT:187/38%EB:418/85%EM:570/80%",
["장씨세가호위무사"] = "RT:478/65%RB:516/68%RM:639/71%",
["베아트릭스"] = "RB:405/53%RM:605/67%",
["냥냥젤리"] = "UT:68/30%EB:398/77%EM:530/77%",
["변장한타우렌"] = "EB:379/81%EM:742/84%",
["사고치는인간"] = "ET:549/81%EB:384/82%EM:653/82%",
["카라향기"] = "UB:312/43%RM:484/57%",
["말랑주니"] = "RB:381/55%RM:603/66%",
["Acewarrior"] = "RB:309/66%UM:394/45%",
["심형래"] = "CB:75/9%UM:271/32%",
["데스티안"] = "EB:573/75%EM:727/77%",
["최장기"] = "ET:596/80%EB:551/75%EM:691/75%",
["토마스엔더슨"] = "EB:674/90%EM:690/84%",
["승승도적"] = "UB:212/27%UM:256/30%",
["제이에스홀드"] = "EB:380/81%EM:723/78%",
["검두"] = "CB:146/18%UM:373/39%",
["흑파랑"] = "RB:403/55%UM:348/40%",
["용의수호자"] = "RT:137/69%EB:588/89%EM:652/85%",
["공포지옥"] = "CT:67/23%RB:505/68%RM:622/67%",
["흑마법사입니다"] = "UT:237/31%EB:450/83%EM:732/78%",
["광폭한냥꾼"] = "CT:27/5%EB:579/78%RM:520/58%",
["꼬리아홉토끼"] = "RT:516/70%EB:609/81%EM:719/76%",
["푸른솔"] = "CT:124/16%CB:114/14%CM:160/16%",
["인간흙마법사"] = "UT:250/34%EB:463/85%EM:742/80%",
["곰순곰순"] = "RB:473/66%RM:546/58%",
["여자드워프사냥꾼"] = "LT:508/96%EB:472/86%EM:878/91%",
["서아"] = "ET:616/81%EB:716/91%EM:773/80%",
["펫을사랑한숙녀"] = "EB:576/75%RM:635/68%",
["다비드지바"] = "ET:282/80%EB:615/80%EM:800/85%",
["아좍"] = "UT:114/44%UB:224/25%UM:308/36%",
["멋진미소"] = "UT:234/30%CB:125/15%UM:235/28%",
["영어선생"] = "ET:399/94%EB:729/94%EM:824/92%",
["프루른"] = "LB:564/95%EM:903/93%",
["뿔러드본"] = "EB:501/84%RM:233/55%",
["그레고르경"] = "RT:218/70%EB:454/84%RM:700/73%",
["Jager"] = "RT:175/63%EB:631/83%EM:765/81%",
["험블"] = "RT:417/57%EB:656/85%EM:837/88%",
["헌팅중"] = "EB:594/79%EM:771/82%",
["네스꾼"] = "RT:531/74%RB:498/69%EM:758/81%",
["상태이상"] = "RT:410/54%EB:566/75%RM:687/74%",
["불가촉천민정수기"] = "RT:544/73%EB:458/88%EM:651/75%",
["빌리핀"] = "UB:129/32%RM:461/54%",
["좌상탄삑살"] = "EB:569/75%EM:775/81%",
["네넨"] = "ET:455/82%EB:637/88%EM:776/87%",
["좋긋네"] = "EB:665/85%EM:723/75%",
["너라주냥"] = "RT:142/53%EB:715/91%EM:879/91%",
["환타맛있다"] = "EB:588/77%EM:806/84%",
["슈레기언냐"] = "RB:517/72%EM:684/79%",
["Geniushiro"] = "UT:100/40%EB:599/76%EM:730/77%",
["드루뽀송"] = "RT:183/71%EB:625/89%EM:754/89%",
["하이스톤"] = "RB:430/60%EM:767/82%",
["쏘면명중"] = "EB:583/78%EM:730/78%",
["블랙마녀"] = "ET:283/81%EB:724/92%RM:666/72%",
["솜방망이있어요"] = "RT:515/68%EB:636/82%EM:834/86%",
["물빵을원하는가"] = "EB:392/82%EM:709/77%",
["좌평"] = "RT:458/60%EB:669/86%EM:768/80%",
["몰카현경"] = "RB:547/73%EM:734/76%",
["궁신탄영"] = "EB:588/77%EM:826/85%",
["오조오억배"] = "RB:466/66%RM:613/67%",
["등따법사"] = "CT:55/24%CB:193/24%RM:223/61%",
["암울해요운좀"] = "UB:219/30%RM:608/63%",
["수고했어오늘도"] = "RB:376/51%CM:130/17%",
["기브미쪼꼬렛"] = "ET:469/80%EB:488/91%LM:879/95%",
["마법사자"] = "UB:323/45%RM:495/59%",
["피해님"] = "CT:56/6%RB:398/53%RM:460/52%",
["천공전기"] = "EB:441/87%RM:652/71%",
["흑마법사묵향님"] = "RB:507/68%EM:709/76%",
["바켐법사"] = "UT:76/28%UB:146/40%UM:286/34%",
["너도너도"] = "CT:186/24%RB:416/56%RM:549/59%",
["넥슬"] = "CB:181/21%RM:486/52%",
["전어"] = "UT:266/40%EB:421/76%EM:693/87%",
["캐어리"] = "RB:323/72%RM:377/68%",
["딴딴함"] = "LT:550/97%EB:635/88%EM:814/90%",
["Broka"] = "ET:562/82%EB:529/92%EM:851/92%",
["Mjerry"] = "UT:351/45%RB:505/71%EM:729/83%",
["써큐"] = "RB:253/58%EM:706/76%",
["Dette"] = "RB:435/58%RM:681/73%",
["무섭지호"] = "RT:190/63%RB:571/74%RM:616/64%",
["쭌호"] = "UT:248/34%RB:515/71%RM:566/63%",
["리어파이브"] = "RB:482/67%RM:599/66%",
["삼단변신드루다"] = "LB:732/96%LM:867/95%",
["샥샥"] = "ET:599/78%EB:606/79%RM:515/57%",
["앵그리샤뮤앨"] = "ET:622/83%EB:729/92%EM:814/86%",
["Exuma"] = "EB:660/85%EM:727/78%",
["응해쪄"] = "RT:198/65%RB:461/63%RM:613/66%",
["Qp"] = "UT:82/31%EB:363/79%EM:739/84%",
["흥이야"] = "ET:425/94%RB:547/73%UM:483/49%",
["마양"] = "RB:261/61%RM:538/60%",
["보예"] = "RT:518/70%RB:501/72%EM:700/80%",
["소환대장"] = "EB:589/77%RM:605/62%",
["나이트이글"] = "CB:49/10%RM:489/52%",
["곰탱이봉봉"] = "ET:221/79%EB:547/84%EM:570/79%",
["린한"] = "RB:333/72%EM:709/76%",
["Choiz"] = "ET:635/84%EB:699/89%RM:657/70%",
["지루박"] = "ET:325/88%RB:484/66%RM:504/56%",
["아처라엘"] = "RB:417/58%UM:472/49%",
["Nyangachi"] = "RB:463/63%RM:691/72%",
["땡모요정"] = "EB:688/94%LM:870/95%",
["만나면방가넣어요"] = "ET:250/78%EB:380/76%EM:692/76%",
["아이오아이포에버"] = "RT:167/60%EB:541/77%EM:691/79%",
["꼬르따도"] = "ET:620/94%EB:637/91%EM:554/79%",
["히멤"] = "RB:477/66%UM:416/46%",
["야메"] = "RT:210/71%RB:318/70%RM:336/71%",
["버마"] = "EB:445/87%EM:533/89%",
["이마리"] = "RB:502/71%RM:300/71%",
["마나스톰"] = "EB:633/86%RM:580/68%",
["데이미아"] = "UB:229/28%RM:455/53%",
["세상은결국나의꿈"] = "EB:440/84%EM:872/89%",
["순식이"] = "ET:705/91%LB:639/95%LM:826/97%",
["마카롱헌터"] = "EB:584/78%RM:670/71%",
["머시킬"] = "EB:492/83%RM:464/74%",
["콩타르"] = "CT:64/23%RB:556/73%RM:623/66%",
["영보"] = "UT:261/35%RB:464/63%RM:196/50%",
["마리오네트퀸"] = "RB:283/68%RM:568/62%",
["드롭"] = "UT:113/43%RB:509/70%EM:748/80%",
["달파란"] = "UT:306/41%EB:445/88%RM:678/74%",
["우람프"] = "ET:365/92%EB:677/91%EM:893/94%",
["평생포수"] = "ET:313/87%EB:492/88%UM:352/35%",
["광댕"] = "RT:224/74%EB:619/82%EM:733/79%",
["흑마할꼬얌"] = "EB:613/79%EM:744/80%",
["변신켄신"] = "ET:298/88%EB:488/83%EM:614/83%",
["땅꼬이모"] = "RB:437/60%CM:111/15%",
["전왕"] = "CT:46/18%UB:266/33%UM:220/27%",
["에효"] = "EB:591/79%RM:685/73%",
["심뽀"] = "EB:395/77%EM:720/77%",
["지니벤또"] = "ET:575/80%EB:700/90%EM:839/88%",
["카즈야"] = "ET:424/94%RB:282/67%RM:568/66%",
["유리비"] = "ET:231/80%EB:692/93%LM:880/95%",
["설레발"] = "ET:567/92%EB:607/90%RM:452/73%",
["만나면방가방가"] = "ET:511/77%EB:561/82%RM:531/73%",
["써퍼"] = "RB:468/67%RM:595/65%",
["암내"] = "ET:474/82%EB:584/85%EM:796/89%",
["귀뇨미"] = "UB:246/34%RM:533/58%",
["부잣집아들"] = "RB:274/69%UM:147/44%",
["바이탈리티"] = "RB:458/62%RM:584/60%",
["맥도날드치즈버거"] = "CT:31/8%EB:703/90%EM:903/93%",
["처량한사냥꾼"] = "EB:698/89%EM:923/94%",
["Hunterkor"] = "RB:503/69%RM:512/57%",
["이쑤신장녀"] = "EB:697/89%EM:800/83%",
["핵폭탄과유도탄"] = "RT:140/52%EB:628/81%EM:779/81%",
["Henriette"] = "UT:201/26%RB:481/65%RM:513/56%",
["아카마루"] = "EB:580/76%EM:754/79%",
["Jeon"] = "EB:682/87%EM:883/90%",
["리턴즈"] = "EB:332/75%RM:583/69%",
["딩궁"] = "EB:652/84%EM:722/76%",
["Killbill"] = "RB:225/52%UM:344/40%",
["저스트냥꾸니"] = "ET:312/87%EB:701/89%EM:831/86%",
["가을석양"] = "UM:336/39%",
["폭시폭스"] = "EB:575/77%EM:834/86%",
["구원의기도"] = "ET:572/87%EB:622/88%RM:402/64%",
["토깽쓰"] = "UT:315/41%RB:430/62%UM:408/48%",
["촌할배"] = "EB:750/94%LM:932/96%",
["유해조수포획단"] = "EB:550/75%RM:637/68%",
["은서곰도리"] = "UB:255/33%UM:303/35%",
["돌진을그대품안에"] = "ET:655/91%EB:397/88%EM:665/86%",
["토끼형"] = "RB:501/68%RM:570/59%",
["감시사냥꾼"] = "RT:495/67%EB:672/87%RM:590/63%",
["Curi"] = "EB:710/94%LM:883/95%",
["솜구름"] = "RT:388/51%RB:358/73%RM:618/67%",
["흑마가처음인데"] = "RT:161/55%RB:337/70%RM:645/69%",
["동그랑눈"] = "CT:64/22%RB:410/55%RM:556/62%",
["바부팅도적"] = "CB:32/2%UM:286/33%",
["믈린"] = "UB:281/31%RM:700/74%",
["봉건적"] = "RT:229/72%RB:531/71%RM:607/66%",
["러브인피스"] = "ET:306/86%EB:599/83%EM:501/87%",
["삼각비"] = "EB:543/86%EM:673/85%",
["그엘프"] = "RT:139/69%EB:555/84%EM:626/82%",
["패스워드"] = "RT:395/54%EB:696/91%EM:810/90%",
["친아버지"] = "UT:94/37%EB:416/80%EM:736/79%",
["슈라드"] = "EB:588/87%EM:657/84%",
["Papie"] = "UB:353/48%EM:694/75%",
["영웅내비"] = "EB:487/90%RM:602/70%",
["빵물이"] = "RB:498/71%EM:702/76%",
["난사왕임날두"] = "RB:468/65%UM:428/48%",
["미스토펠리스"] = "RB:522/68%RM:559/58%",
["검발바닥"] = "CT:38/12%EB:615/80%RM:698/74%",
["조폭미남"] = "EB:379/76%RM:688/73%",
["그라나샤"] = "ET:234/78%EB:385/87%EM:665/84%",
["커먼머스크"] = "UB:224/28%RM:519/55%",
["숲의부름"] = "EB:455/91%EM:561/80%",
["트마냥"] = "EB:579/76%EM:872/91%",
["흑마탄"] = "RB:519/68%RM:650/67%",
["흑뢰화"] = "ET:632/84%EB:704/90%EM:870/90%",
["세이곤"] = "RB:394/56%RM:478/56%",
["우헤히흐헤"] = "EB:297/81%EM:594/82%",
["아델리오"] = "RT:460/66%RB:218/56%EM:779/87%",
["제이슨스타댐"] = "RB:326/74%RM:491/54%",
["플러스미"] = "UT:333/43%RB:458/62%CM:224/23%",
["바람을쏜활"] = "EB:651/84%EM:851/88%",
["신전의회복"] = "RB:294/66%UM:359/36%",
["문지기흑마법사"] = "ET:279/80%RB:476/64%RM:645/69%",
["기산의강유"] = "RB:417/54%UM:348/35%",
["초파리"] = "ET:303/86%EB:554/78%EM:657/76%",
["카쯔"] = "RB:350/73%RM:584/63%",
["향기로운물빵"] = "LT:454/95%EB:421/85%EM:759/85%",
["전규전규"] = "UB:125/28%UM:388/39%",
["울동네형"] = "UB:272/37%RM:481/57%",
["풍월당"] = "RB:392/61%RM:508/71%",
["물빵한야"] = "RT:417/55%EB:649/88%EM:828/92%",
["카드갑"] = "UB:357/46%EM:717/82%",
["홍사부"] = "RT:497/67%RB:362/52%",
["전사카유"] = "ET:266/83%EB:497/76%EM:676/83%",
["얼라가무서워"] = "ET:671/91%LB:606/96%LM:909/95%",
["한잔줍쇼"] = "UB:333/42%UM:350/35%",
["탄드리스"] = "RT:451/59%RB:415/60%UM:96/32%",
["쵸리님"] = "RB:225/57%UM:284/34%",
["미소지기"] = "RT:206/74%EB:390/82%RM:449/72%",
["맞아야사는남자"] = "RT:341/60%EB:514/78%EM:684/83%",
["엉클"] = "EB:339/78%EM:843/92%",
["울동네에서제일커"] = "RB:479/66%RM:590/65%",
["Kahz"] = "RT:451/62%EB:473/86%EM:483/82%",
["개꿈"] = "UB:143/35%UM:172/34%",
["이십년만에흑마"] = "RT:184/62%RB:385/52%RM:645/67%",
["아일리"] = "RB:526/71%RM:603/62%",
["클로이얀"] = "ET:261/80%RB:543/74%RM:598/64%",
["발라리"] = "RT:160/65%EB:586/77%RM:543/60%",
["Bast"] = "RT:139/52%RB:524/72%EM:735/79%",
["차원문못여는법사"] = "RB:323/74%RM:635/74%",
["주님이보우하사"] = "RT:214/72%EB:564/76%EM:838/86%",
["뮤즈"] = "EB:355/78%RM:504/55%",
["Lawfour"] = "UT:337/45%EB:382/82%EM:728/83%",
["혼돈의흑마법사"] = "RB:478/62%RM:560/60%",
["늑대살쾡이"] = "EB:403/88%EM:590/82%",
["히든매지션"] = "RB:486/69%UM:418/49%",
["남순냥냥"] = "UT:97/38%EB:664/85%RM:662/70%",
["법사금땡"] = "CT:121/15%UB:205/28%UM:237/29%",
["불더"] = "LT:762/97%EB:711/90%RM:692/74%",
["진성이르"] = "CM:203/24%",
["흑천신궁협"] = "RB:489/68%RM:570/63%",
["도적인걸"] = "CB:130/15%CM:198/20%",
["Hunnish"] = "RT:139/52%EB:612/81%RM:611/65%",
["노움임"] = "RB:522/72%UM:443/45%",
["얼짱냥"] = "EB:647/84%EM:781/83%",
["눈물져즌물빵"] = "UB:336/47%UM:381/45%",
["기네스펠트로"] = "ET:459/88%LB:720/96%EM:706/88%",
["투원"] = "RT:449/63%EB:585/78%EM:860/88%",
["냥꾼사라"] = "EB:606/80%EM:708/76%",
["Hakun"] = "UT:365/49%EB:575/77%RM:311/68%",
["안드바리"] = "RB:410/50%UM:335/34%",
["파투"] = "RB:490/67%RM:694/73%",
["차해인"] = "UB:341/39%UM:457/47%",
["귀여운캔디"] = "EB:535/76%RM:582/69%",
["최국장"] = "ET:391/93%RB:559/73%RM:695/74%",
["다크노움"] = "RB:501/68%UM:467/47%",
["냉차"] = "EB:729/92%LM:987/98%",
["Reen"] = "EB:497/91%EM:739/84%",
["아즈라"] = "RT:184/65%EB:351/77%EM:704/81%",
["다자"] = "RB:346/71%RM:565/61%",
["남마법"] = "RB:502/72%RM:434/51%",
["블라인드"] = "EB:572/80%EM:693/80%",
["칼두개"] = "RT:427/68%EB:409/84%RM:378/67%",
["개아니다"] = "EB:544/84%EM:626/82%",
["전투곰"] = "EB:457/81%EM:513/78%",
["어둠노래숲"] = "EB:649/83%UM:480/49%",
["세멜리아"] = "EB:633/82%RM:623/64%",
["헌터앙"] = "RB:421/59%RM:479/50%",
["즐거운냥꾼"] = "UT:117/45%EB:483/86%LM:924/95%",
["스코른"] = "RT:465/74%EB:673/90%EM:721/86%",
["국토대장정"] = "RB:437/61%RM:457/54%",
["Kakao"] = "ET:229/89%EB:555/87%EM:547/79%",
["우미에"] = "EB:606/80%RM:587/65%",
["잘가숲새야"] = "RT:143/53%RB:470/66%RM:641/70%",
["베나리오"] = "RB:354/50%RM:476/56%",
["심기불편"] = "EB:568/85%EM:725/88%",
["Ols"] = "RT:184/65%EB:554/75%RM:688/74%",
["은밀한노움"] = "UB:330/43%RM:670/71%",
["백법사김흑마"] = "RB:555/74%EM:773/83%",
["Mababsa"] = "CT:53/19%RB:436/61%RM:516/61%",
["데피아즈단"] = "CM:78/24%",
["야전"] = "UB:270/33%UM:232/28%",
["뇌세포"] = "UB:353/46%RM:505/55%",
["훔냐"] = "RB:163/59%UM:306/32%",
["자연저항"] = "EB:400/78%RM:395/69%",
["환상이"] = "RT:469/62%UB:230/31%RM:195/56%",
["흉포한호랑이"] = "ET:565/82%EB:330/76%RM:112/53%",
["몰라몰라"] = "UB:267/34%UM:363/38%",
["체리쥬스"] = "RT:170/58%RB:555/74%RM:624/65%",
["수면"] = "UB:96/28%UM:384/46%",
["지능력"] = "RB:379/54%EM:710/77%",
["전주시민"] = "RB:483/65%EM:718/77%",
["Barefoot"] = "EB:410/78%EM:492/75%",
["전탱을원하는가"] = "RB:476/74%EM:701/85%",
["샤샤팡마"] = "ET:623/83%EB:503/88%CM:211/20%",
["료넬뭬시"] = "UB:98/25%UM:427/48%",
["사냥녀"] = "CT:161/21%RB:434/60%RM:569/60%",
["Gongcha"] = "ET:688/89%EB:594/78%EM:876/92%",
["히든네임드"] = "UT:84/33%RB:341/60%EM:549/79%",
["냥꾼솔리드"] = "RT:161/59%RB:501/69%RM:490/51%",
["묵향사군자"] = "CT:32/2%RB:510/65%CM:229/23%",
["아무것도몰라여"] = "EB:559/78%RM:631/73%",
["Wini"] = "RT:209/70%RB:534/70%RM:659/73%",
["고스트고통왕"] = "RB:507/69%RM:590/64%",
["Maizie"] = "ET:562/76%RB:542/73%RM:538/57%",
["헐크호감"] = "LT:489/95%EB:567/75%EM:761/81%",
["특공대장"] = "ET:260/91%EB:569/85%EM:770/90%",
["로앤그람"] = "ET:362/92%LB:597/95%EM:809/90%",
["왕소심사냥꾼"] = "EB:399/79%RM:544/60%",
["헤드컬렉터드뽕"] = "RB:505/69%EM:728/78%",
["방과후방석집"] = "RT:506/69%EB:606/80%EM:734/77%",
["드루예다"] = "EB:538/86%EM:598/81%",
["후까시"] = "UT:187/25%EB:610/79%RM:619/64%",
["엑설런트"] = "RB:370/51%RM:605/66%",
["앨리고스"] = "ET:325/92%EB:558/85%EM:800/91%",
["동무"] = "LB:736/97%LM:944/98%",
["평행선"] = "LB:737/97%LM:885/95%",
["데빌레이"] = "UB:300/41%CM:199/20%",
["망고도둑"] = "CB:90/23%UM:410/47%",
["드루찐"] = "ET:475/85%EB:677/93%EM:860/94%",
["에르네스토"] = "UB:147/36%UM:305/36%",
["뚜레쥬르"] = "EB:618/81%EM:698/76%",
["게타"] = "RB:387/54%RM:460/51%",
["제비몰러나간다"] = "EB:429/82%RM:693/73%",
["덩크슛"] = "CT:89/11%EB:620/80%RM:511/55%",
["총기주의"] = "ET:402/93%EB:599/80%RM:631/67%",
["라스트또박"] = "ET:236/77%EB:544/86%EM:632/83%",
["센트레아"] = "UB:325/46%",
["까칠한고양이"] = "RB:522/69%EM:767/80%",
["지유쟁이"] = "CT:100/17%UB:302/36%RM:519/59%",
["사냥의달인"] = "RB:354/74%RM:647/70%",
["화냉비법"] = "RB:445/63%RM:213/59%",
["롱샷"] = "RT:183/65%RB:479/66%UM:469/49%",
["Dragonkiss"] = "RT:176/60%RB:514/69%UM:425/47%",
["루시스메이지"] = "RB:434/57%RM:522/57%",
["선수들"] = "RT:180/61%EB:579/76%EM:713/76%",
["아름법사"] = "CT:175/23%EB:538/77%RM:484/53%",
["호세까를로스"] = "ET:339/83%EB:684/93%EM:826/93%",
["바쉐론콘스탄틴"] = "RT:165/60%RB:545/74%RM:694/73%",
["Bill"] = "CT:52/17%RB:464/62%RM:594/64%",
["하늘의전사"] = "CB:145/16%UM:332/33%",
["킬러잡이킬러"] = "RT:518/70%EB:422/81%EM:709/75%",
["끌로델"] = "EB:541/76%RM:525/62%",
["세아"] = "RB:549/73%RM:469/51%",
["컴혼"] = "CT:25/0%RB:423/59%UM:415/42%",
["Kongsoter"] = "UB:226/26%UM:90/30%",
["불군나이스바디"] = "RT:385/54%EB:558/79%EM:728/86%",
["어디가나"] = "CT:26/0%CB:131/16%CM:74/6%",
["아이롱"] = "UB:225/31%RM:603/71%",
["아기마법"] = "RB:509/71%EM:715/81%",
["반요"] = "CT:35/10%RB:442/60%RM:487/54%",
["금발이너무해"] = "EB:466/77%EM:611/78%",
["과즙바나나"] = "EB:536/85%EM:521/77%",
["용용브로"] = "EB:666/90%EM:691/86%",
["번개갈기"] = "UB:355/48%UM:336/37%",
["쿠버린쓰"] = "ET:475/75%EB:626/86%EM:828/91%",
["히히잉"] = "ET:508/78%EB:623/85%EM:802/90%",
["카카오배그"] = "CT:32/5%CB:171/21%UM:354/42%",
["예스마담"] = "EB:574/81%EM:721/86%",
["야소"] = "RB:305/71%RM:219/56%",
["힐러아닙니다"] = "UT:134/49%RB:252/63%EM:695/76%",
["조용히해"] = "EB:585/77%EM:857/90%",
["Nemsy"] = "ET:312/84%EB:681/87%RM:676/70%",
["Slip"] = "CB:97/11%CM:124/16%",
["소울링링"] = "RB:398/50%RM:683/72%",
["날개잃은악마"] = "ET:232/76%RB:517/68%RM:591/63%",
["티라힐"] = "ET:270/92%EB:382/87%EM:713/87%",
["마법사입니다"] = "RB:512/73%RM:497/62%",
["휴먼마법사"] = "RB:481/64%RM:665/73%",
["다모디"] = "RB:394/56%RM:573/63%",
["팔팔라이트"] = "RT:466/62%RB:470/64%EM:708/76%",
["야조회"] = "EB:613/88%",
["훔치게망좀봐"] = "CB:35/3%CM:134/17%",
["송알송알"] = "CT:162/21%EB:567/75%EM:718/77%",
["카미여"] = "UT:125/48%RB:420/58%RM:470/52%",
["레이더"] = "EB:656/91%EM:760/89%",
["Bonvivant"] = "RB:504/69%EM:753/80%",
["뿅사냥꾼뿅"] = "RB:500/66%EM:800/83%",
["갸루마"] = "UT:360/47%EB:580/76%RM:669/69%",
["드라우그"] = "CM:28/1%",
["갑속에든칼"] = "RB:355/50%RM:526/62%",
["죽척귀환"] = "RB:338/72%RM:560/62%",
["쓸자"] = "RT:246/74%EB:593/78%RM:623/67%",
["빨강"] = "RB:414/57%RM:658/71%",
["새로운야낭"] = "UT:122/47%RB:467/64%EM:803/83%",
["하미"] = "RB:467/64%RM:662/72%",
["관심있나요"] = "EB:500/88%",
["달달박박"] = "RT:194/65%RB:522/68%RM:582/63%",
["수정노래숲"] = "EB:584/77%RM:592/63%",
["탑시크릿"] = "UT:108/42%RB:426/59%RM:488/54%",
["쏴주겨"] = "UT:234/32%RB:469/65%RM:656/71%",
["Housecaldkm"] = "UB:344/47%UM:379/38%",
["대드루이드건휘"] = "EB:436/80%EM:598/82%",
["간지냥꾼"] = "EB:507/88%EM:866/90%",
["지미저또"] = "UT:343/45%RB:320/68%RM:667/72%",
["뮤체"] = "UT:82/32%EB:432/82%",
["수아법사"] = "EB:590/82%RM:568/67%",
["이히히"] = "CT:90/11%EB:572/77%UM:448/46%",
["나일탄"] = "EB:563/76%EM:760/80%",
["한발늦은놈"] = "EB:438/87%CM:132/18%",
["Isol"] = "UT:117/45%RB:335/71%RM:676/73%",
["검후랑"] = "ET:217/76%EB:627/87%EM:780/89%",
["Nuya"] = "RT:443/60%EB:618/81%EM:734/79%",
["달빛그림"] = "RB:462/60%EM:789/82%",
["천궁쥬린"] = "ET:272/82%EB:455/84%EM:734/79%",
["허공에냠냠"] = "RB:418/58%RM:552/58%",
["제란"] = "UT:343/46%EB:592/79%",
["손난로"] = "UB:169/46%EM:734/79%",
["냥꾼니키"] = "RB:389/54%UM:410/42%",
["용을쓰는흰소"] = "CB:129/14%EM:553/75%",
["즈엘"] = "RT:104/64%EB:615/88%EM:773/90%",
["화스트페이스"] = "RB:230/53%CM:53/12%",
["엘체니아벨제뷔트"] = "EB:740/93%EM:730/76%",
["수동"] = "ET:395/93%RB:548/74%EM:721/76%",
["하늘보리수"] = "ET:305/85%EB:385/81%RM:627/73%",
["혼자는심심해"] = "RB:375/52%RM:632/67%",
["피식"] = "LT:499/96%RB:470/64%RM:554/60%",
["흑마가별거냐"] = "RB:566/74%RM:461/51%",
["소리없는검"] = "ET:657/91%EB:539/83%EM:778/91%",
["바켐흑마"] = "ET:305/85%RB:463/63%RM:629/65%",
["리즈리카"] = "EB:537/83%EM:684/85%",
["은하전사"] = "ET:669/91%EB:707/93%EM:847/92%",
["Tiena"] = "UT:230/34%RB:220/56%RM:590/69%",
["코트"] = "UB:126/35%",
["짝꿍러"] = "ET:628/83%LB:717/95%RM:507/59%",
["우롱"] = "LB:570/95%EM:867/93%",
["천마파도"] = "ET:237/79%EB:600/85%EM:689/84%",
["분노한흑우"] = "CT:144/23%CB:146/15%UM:318/36%",
["조각난지팡이"] = "ET:377/92%RB:242/59%UM:417/49%",
["꼬마유혹이"] = "UT:279/36%RB:390/52%UM:367/42%",
["소주한병"] = "CB:166/22%UM:129/44%",
["하늘소문전사"] = "ET:226/77%EB:585/84%EM:640/81%",
["꼰대부장"] = "RB:360/71%RM:354/63%",
["드가"] = "EB:275/79%EM:600/81%",
["만월당장마담"] = "RB:424/59%UM:340/40%",
["Grana"] = "CB:37/3%RM:446/52%",
["불쌍한법사"] = "CB:34/6%CM:167/22%",
["내맘대로흑마"] = "RB:522/68%RM:673/72%",
["불친절한김군"] = "RB:456/64%RM:611/71%",
["충격적경험"] = "RT:192/64%EB:586/77%RM:543/59%",
["캠핑카라반"] = "EB:623/81%EM:785/82%",
["서별"] = "ET:273/82%EB:578/76%EM:721/76%",
["생고기방패"] = "ET:626/89%EB:692/91%EM:680/86%",
["달빛슈이"] = "UT:111/42%RB:497/69%RM:561/60%",
["Sodam"] = "RT:488/65%EB:594/78%EM:783/83%",
["마루발냄새"] = "UB:315/43%RM:508/53%",
["앙으"] = "EB:640/90%LM:892/96%",
["게냥꾼"] = "RB:474/66%RM:510/57%",
["오늘도폭풍처럼"] = "ET:668/91%EB:604/86%EM:694/84%",
["엠버"] = "ET:354/84%EB:629/89%EM:823/92%",
["코만도스"] = "RT:174/63%RB:344/73%RM:663/70%",
["밍이얌"] = "UB:257/35%RM:505/59%",
["시릴로"] = "CB:186/22%RM:318/62%",
["한양돌쇠"] = "EB:618/80%EM:794/83%",
["레오테라스"] = "LT:742/95%LB:759/97%EM:831/92%",
["뚱뚱거북"] = "UT:75/27%UB:239/31%UM:315/37%",
["블랙탄"] = "ET:688/93%EB:619/89%EM:857/94%",
["꼬마드루"] = "ET:261/91%EB:428/79%EM:492/75%",
["망개떡"] = "EB:568/79%EM:685/79%",
["코케허니"] = "UT:98/38%RB:455/60%RM:680/74%",
["새침언니"] = "UT:78/30%UB:370/48%RM:468/51%",
["센코프"] = "RB:435/58%RM:471/53%",
["흑대표"] = "RT:175/59%RB:426/55%RM:661/69%",
["치마를휘날리며"] = "ET:265/78%RB:360/73%RM:567/61%",
["예쁜동생루"] = "RB:465/65%EM:762/81%",
["임자생흑마"] = "EB:582/76%EM:777/81%",
["아로니크"] = "EB:392/79%RM:620/66%",
["블랙엔젤"] = "RB:551/74%RM:666/72%",
["이블리뽀"] = "UT:91/35%EB:408/84%RM:633/74%",
["다크베비"] = "LB:783/98%LM:957/97%",
["쪼매한앙마"] = "ET:275/85%RB:448/72%RM:362/66%",
["헤르시즈"] = "UB:170/46%RM:610/72%",
["Vinculo"] = "EB:369/76%RM:522/58%",
["마주리카란"] = "UT:81/31%RB:557/73%EM:719/76%",
["몰라현경"] = "RB:380/54%UM:371/39%",
["왕뚝배기"] = "RB:533/71%RM:649/70%",
["토까이"] = "UT:240/32%RB:431/59%RM:568/61%",
["그루미"] = "UT:223/29%RB:437/57%RM:705/73%",
["전사하나"] = "CB:130/15%RM:636/68%",
["흑난아"] = "RB:462/60%RM:632/65%",
["예민함"] = "RT:442/60%EB:583/78%EM:805/85%",
["핫세"] = "RB:414/57%RM:584/60%",
["지연꾸냥"] = "UB:347/48%UM:348/35%",
["쪼맨아지"] = "RB:367/50%CM:177/23%",
["늬이"] = "UB:210/28%",
["사자암"] = "RT:401/56%RB:432/60%RM:579/62%",
["곤지암김법사"] = "EB:359/79%RM:572/67%",
["탱탱한곰"] = "ET:383/84%EB:601/88%EM:720/87%",
["Redcarpet"] = "EB:612/84%EM:611/79%",
["죽음의미소"] = "UT:297/41%RB:501/66%RM:543/57%",
["오제이오"] = "RB:278/67%RM:457/54%",
["헤이아치클래식"] = "RB:428/58%UM:294/35%",
["훗웃훗"] = "CT:65/22%RB:239/56%RM:614/66%",
["파이브"] = "CT:42/13%RB:309/68%RM:676/72%",
["시련"] = "UB:200/27%",
["푸르니"] = "UT:303/41%RB:502/66%RM:671/71%",
["딱터써니"] = "RB:353/73%UM:248/30%",
["전사줘"] = "EB:392/83%EM:677/85%",
["드루와우"] = "LT:425/97%EB:664/93%EM:774/91%",
["다마네기리"] = "ET:211/77%EB:377/86%EM:490/75%",
["삽질의달인"] = "RT:433/69%EB:595/83%EM:715/85%",
["셀레네"] = "ET:234/81%EB:440/80%EM:541/79%",
["짱초딩"] = "RT:465/61%RB:546/73%RM:345/69%",
["도트노움"] = "CB:120/16%UM:359/41%",
["집사벨"] = "CT:65/24%RB:413/60%RM:195/57%",
["멘솔맛사탕"] = "CB:196/24%RM:553/60%",
["딸기맛사탄"] = "UB:123/35%UM:408/44%",
["예거르쿨트르"] = "UB:304/41%UM:301/35%",
["호랑아"] = "RB:404/55%CM:61/5%",
["악흙"] = "UB:300/38%RM:612/63%",
["마라"] = "EB:580/76%RM:535/56%",
["드르드르듬"] = "RB:531/71%RM:620/67%",
["철왕"] = "EB:651/84%EM:711/77%",
["코먹는애"] = "RT:148/52%RB:477/65%UM:196/25%",
["총제비"] = "UB:350/48%RM:206/55%",
["스웰린"] = "RT:395/52%EB:573/76%RM:614/66%",
["막변해"] = "ET:254/79%EB:390/77%EM:573/81%",
["벨루체"] = "EB:667/86%EM:926/94%",
["북방의후예"] = "EB:434/87%EM:583/81%",
["페이샤르"] = "UT:77/30%RB:396/54%RM:566/60%",
["아까맨치로"] = "RB:490/64%RM:691/72%",
["법사닭"] = "RB:375/53%EM:737/84%",
["검사님"] = "RB:504/66%RM:686/73%",
["요괴"] = "UB:272/37%UM:293/30%",
["모카커피"] = "RB:392/50%RM:626/65%",
["곰쥐"] = "RB:434/61%RM:564/66%",
["Neytiri"] = "CT:64/7%RB:476/65%EM:699/75%",
["티오피법사"] = "RB:221/57%UM:245/30%",
["피치막걸리"] = "RT:192/64%RB:523/68%RM:486/50%",
["한당"] = "RB:245/58%RM:559/59%",
["비류월"] = "RB:449/59%UM:452/47%",
["동녘바람"] = "CT:58/21%RB:472/64%UM:441/49%",
["모로미네"] = "UT:273/36%EB:580/76%EM:797/84%",
["호랑이융털"] = "RB:383/50%UM:449/49%",
["별에게보낸마음"] = "RB:475/62%RM:651/67%",
["코우리"] = "RB:437/59%UM:216/27%",
["수퍼흙마"] = "RB:548/73%UM:451/46%",
["낭낭전사"] = "RB:462/61%UM:404/46%",
["꾸릉베어"] = "EB:381/78%EM:781/82%",
["훔쳐먹은사과"] = "RB:486/65%RM:535/60%",
["냥이다"] = "ET:231/75%EB:571/77%EM:757/79%",
["확씨확마"] = "EB:691/88%UM:392/40%",
["한방샷"] = "RT:509/67%EB:455/83%RM:636/66%",
["낭만로켓"] = "RB:246/58%",
["Asmr"] = "EB:674/93%SM:972/99%",
["허걱님"] = "RT:136/50%RB:447/59%EM:683/75%",
["스퀘어"] = "ET:499/86%EB:639/91%LM:920/97%",
["창조된빙하수"] = "RT:219/72%RB:442/62%UM:389/46%",
["가니커스"] = "RB:418/58%RM:449/50%",
["캘시스틸스파크"] = "CB:136/15%",
["낑깡드루"] = "ET:436/83%EB:696/94%LM:896/96%",
["물먹는악마"] = "CT:135/17%UB:354/49%UM:295/35%",
["한우꼬기"] = "ET:382/93%LB:612/96%EM:849/92%",
["드웝냥꾼이"] = "ET:551/75%EB:581/78%EM:697/75%",
["냉냉"] = "EB:649/85%EM:753/81%",
["Athene"] = "EB:659/91%LM:894/96%",
["약사님"] = "CT:131/17%UB:292/40%UM:225/27%",
["콩찡"] = "RB:301/66%RM:683/71%",
["신은경"] = "RT:148/55%EB:687/88%EM:777/82%",
["박새로이"] = "RT:356/61%EB:649/89%EM:479/75%",
["Cornell"] = "EB:614/81%RM:547/58%",
["밤편지"] = "ET:315/90%EB:539/86%EM:621/82%",
["지금이니"] = "UB:252/34%UM:295/28%",
["물빵창고"] = "UB:250/34%RM:552/65%",
["삼냥꾼"] = "RB:479/66%RM:591/63%",
["훠이절루가"] = "UB:138/38%UM:344/41%",
["푸른아기곰"] = "RB:420/58%RM:584/64%",
["세르온"] = "ET:596/86%EB:596/85%EM:638/81%",
["Semes"] = "UT:336/45%RB:551/72%RM:513/53%",
["원빈이"] = "ET:325/91%EB:602/87%EM:774/89%",
["기억장치"] = "CB:45/5%RM:594/70%",
["사리곰탕면"] = "EB:479/83%EM:714/87%",
["Dura"] = "RT:118/67%EB:486/80%EM:626/82%",
["Az"] = "EB:409/75%RM:466/64%",
["달빛이부르는노래"] = "UB:335/45%CM:121/17%",
["큐트큐트"] = "ET:407/81%EB:540/83%EM:599/80%",
["빛법사"] = "UB:125/34%UM:307/37%",
["마피리"] = "RB:396/55%UM:401/47%",
["아름전사"] = "ET:589/84%EB:643/88%EM:801/84%",
["길드댜"] = "UB:268/37%RM:391/50%",
["카레밥"] = "UT:82/31%CB:172/21%CM:80/6%",
["프사마테"] = "RT:457/71%EB:413/84%EM:670/85%",
["파미레이"] = "RT:187/63%RB:484/66%RM:499/54%",
["컴러기"] = "RT:161/56%RB:442/60%RM:629/65%",
["로켓샐러드"] = "RB:480/66%RM:503/56%",
["미스호드"] = "RT:432/57%RB:446/60%RM:504/55%",
["저격자"] = "ET:377/92%EB:641/84%EM:815/86%",
["가이아바디"] = "RT:159/72%EB:448/81%EM:521/77%",
["최장로"] = "UB:107/31%UM:357/42%",
["뮤문"] = "UT:359/48%EB:637/83%EM:809/85%",
["자연시간에졸던"] = "ET:319/91%EB:554/86%EM:697/86%",
["앗싸라비야"] = "UB:225/30%EM:728/77%",
["제크라마나스"] = "UT:76/27%RB:528/69%RM:615/64%",
["Alioth"] = "UB:330/45%RM:638/74%",
["샤아프"] = "ET:320/86%EB:598/78%EM:865/90%",
["아디있음"] = "EB:611/88%EM:752/89%",
["애니야"] = "CB:25/0%RM:449/51%",
["나의악마씨"] = "UB:328/41%RM:503/51%",
["우리동네법사대장"] = "ET:285/83%EB:635/87%EM:831/88%",
["가영짱"] = "UT:97/35%CM:154/19%",
["에어올타"] = "UB:257/34%RM:514/57%",
["응응선녀"] = "UT:110/42%EB:390/82%EM:755/81%",
["뚱글이몬"] = "UB:188/25%UM:389/46%",
["그림자친구"] = "UT:129/49%EB:647/83%EM:750/79%",
["깡다구스피릿"] = "UB:104/26%UM:207/25%",
["딸기아이스크림"] = "RT:370/52%RB:524/69%EM:748/79%",
["점등"] = "RB:451/63%RM:254/62%",
["하늘소문흑마법사"] = "RT:159/55%EB:581/77%RM:503/55%",
["흑이뿌다아"] = "RT:412/54%RB:510/68%RM:623/67%",
["보랏빛향기"] = "EB:426/79%",
["로젠크루시아"] = "EB:334/75%EM:708/77%",
["오놀아놈"] = "RB:454/59%RM:566/61%",
["연아심"] = "UB:288/37%RM:483/53%",
["Finish"] = "RB:208/51%RM:184/52%",
["닭사냥꾼"] = "UT:106/41%RB:359/50%RM:642/70%",
["검은낭자"] = "CT:46/14%RB:425/58%UM:327/38%",
["냥생"] = "RB:487/67%UM:416/47%",
["볼테"] = "ET:664/90%EB:649/89%EM:862/94%",
["한대만맞을래"] = "RB:335/72%RM:550/58%",
["용의주도한체리"] = "RB:502/68%UM:172/47%",
["Zippo"] = "CT:29/6%UB:177/48%RM:537/63%",
["아까그분"] = "CT:165/21%RB:486/64%RM:564/62%",
["씨엔디냥"] = "RB:519/71%RM:493/55%",
["하지머"] = "CT:133/17%RB:407/53%UM:355/40%",
["워쓰"] = "CB:27/2%CM:155/20%",
["마담에로스"] = "RB:391/53%RM:526/57%",
["흑마법사그니"] = "UB:188/47%RM:513/56%",
["별보러갈래"] = "EB:640/90%EM:815/92%",
["미망"] = "EB:663/85%EM:812/84%",
["Adalee"] = "UB:357/49%RM:604/65%",
["울동네흑마"] = "RB:371/50%UM:432/48%",
["달빛연느"] = "ET:616/92%EB:701/94%LM:916/97%",
["큰행님"] = "CT:27/1%UB:320/40%RM:594/63%",
["다프메이지"] = "UB:188/25%RM:434/51%",
["성녀"] = "EB:442/75%EM:605/78%",
["뉘주구리쉽빠빠"] = "RB:262/64%EM:660/77%",
["배사마"] = "EB:370/81%RM:377/67%",
["물마시는하마"] = "UT:73/28%UB:273/37%RM:623/68%",
["Elove"] = "ET:572/83%EB:432/76%EM:561/80%",
["시조전사"] = "ET:369/92%RB:429/69%EM:490/75%",
["지니전사"] = "ET:258/82%EB:560/82%EM:716/85%",
["마규마규"] = "UB:191/25%RM:626/73%",
["꽃다운나이"] = "EB:557/79%EM:766/88%",
["저항함의압박"] = "UB:296/40%UM:256/31%",
["Cash"] = "RT:448/61%RB:450/61%RM:586/65%",
["삼각함수"] = "UB:243/33%UM:130/45%",
["수집의달인"] = "UT:210/42%RB:377/64%RM:478/74%",
["뛰어라우상"] = "EB:604/84%EM:706/85%",
["로우"] = "RB:238/57%CM:178/16%",
["도하"] = "CT:55/6%CB:142/18%UM:380/45%",
["도마도지배자"] = "RB:371/51%RM:568/61%",
["헌터건우"] = "RB:549/72%EM:704/75%",
["시즈네"] = "UB:342/47%UM:414/46%",
["어제그인간"] = "LT:737/95%EB:687/91%EM:805/91%",
["키엘리니"] = "EB:670/87%EM:801/83%",
["디이블"] = "UB:300/41%RM:654/70%",
["소환문셔틀"] = "RT:493/65%RB:522/70%RM:224/55%",
["메트릭스"] = "CB:30/1%UM:327/39%",
["Waikiki"] = "RB:444/62%UM:356/42%",
["송담"] = "RB:564/74%RM:628/65%",
["브래니"] = "RB:427/56%RM:524/62%",
["열라짐승남이네"] = "EB:562/85%EM:709/87%",
["월야백화"] = "EB:690/94%EM:870/94%",
["흑마법사돌콩"] = "RB:282/63%RM:634/68%",
["안전계수"] = "EB:630/89%EM:826/93%",
["붕어잡는냥이"] = "UB:322/44%RM:554/59%",
["마카롱흑마"] = "RB:343/71%RM:553/57%",
["일격격침동화니"] = "UT:98/36%UB:300/40%RM:498/54%",
["치지마요전사"] = "CB:157/18%UM:87/26%",
["이루릴냥꾼"] = "RB:520/71%RM:537/57%",
["무온"] = "UB:322/41%UM:476/49%",
["디스트로이어"] = "LB:743/95%EM:883/94%",
["법사솔리드"] = "RT:341/51%RB:242/60%EM:663/77%",
["방우리"] = "UB:352/49%UM:270/26%",
["폭풍너구리"] = "UB:344/45%RM:549/60%",
["딸기생크림케익"] = "RT:177/59%RB:373/50%RM:516/56%",
["성냥팔이숙녀"] = "UB:277/35%UM:312/32%",
["배꿍"] = "RB:544/71%EM:793/83%",
["물드려요"] = "CT:38/17%UB:298/38%RM:649/71%",
["바람의향기를따라"] = "RB:400/56%RM:581/64%",
["사냥꾼케인"] = "RB:447/62%UM:342/38%",
["아이스헌터"] = "RB:464/63%RM:530/56%",
["포세이던"] = "RB:443/63%RM:275/68%",
["곰탱푸우"] = "RT:167/73%EB:479/82%",
["아샤르나"] = "RB:445/61%RM:557/57%",
["마도의길을걷는자"] = "RT:545/73%RB:521/70%RM:641/66%",
["네네그러시겠죠"] = "RB:246/57%RM:488/54%",
["다크린"] = "UB:325/44%UM:309/31%",
["Blackmamba"] = "ET:301/89%EB:585/89%EM:582/80%",
["드루찡구"] = "ET:620/88%EB:502/83%EM:701/88%",
["버번"] = "ET:383/84%EB:678/94%EM:732/89%",
["이슬녀"] = "RB:402/52%RM:366/71%",
["밀어가자"] = "ET:292/82%RB:510/68%RM:601/65%",
["쫍쫍"] = "CB:151/20%UM:146/42%",
["리아헌터"] = "RT:395/53%EB:611/81%RM:656/71%",
["아무렇지않게물빵"] = "RT:195/67%EB:624/86%EM:705/82%",
["손번쩍"] = "EB:363/75%RM:412/71%",
["최궁"] = "RB:361/62%RM:505/71%",
["던위버"] = "UB:331/45%RM:479/56%",
["이말순"] = "RT:146/70%EB:332/83%EM:497/76%",
["네로남불"] = "EB:647/88%EM:754/85%",
["추팀장"] = "RT:450/71%EB:562/94%EM:770/89%",
["데키아란"] = "ET:618/82%EB:684/88%RM:643/62%",
["두라모"] = "RB:235/55%RM:341/71%",
["내맘대로전사"] = "ET:273/84%EB:631/87%EM:762/88%",
["오이도"] = "RT:481/64%UB:344/46%UM:209/27%",
["그림자놀이"] = "EB:449/78%EM:571/79%",
["냥꾼요화"] = "UT:282/37%UB:207/25%UM:351/39%",
["나리사"] = "RB:505/66%RM:595/61%",
["사존재"] = "RT:134/51%RB:416/57%RM:352/72%",
["노움흥마법사"] = "RB:548/72%EM:760/79%",
["동막골흑마"] = "RB:503/66%UM:446/45%",
["날씨가그렇잖아"] = "EB:560/84%EM:757/89%",
["쭈니뎁"] = "ET:319/87%EB:436/82%EM:820/86%",
["심장에흐르는피"] = "RB:451/63%RM:505/56%",
["Andalucia"] = "RB:226/58%UM:355/42%",
["푸쉬케"] = "ET:234/77%EB:358/85%EM:666/86%",
["미경흑마"] = "ET:597/79%RB:541/72%EM:764/82%",
["바깥양반"] = "RB:459/63%UM:356/40%",
["Maizig"] = "EB:600/83%",
["터프소녀"] = "ET:381/93%EB:667/90%EM:781/89%",
["카벨"] = "UB:127/36%UM:319/38%",
["떠도리사냥꾼"] = "UB:205/27%UM:239/27%",
["덴티드루"] = "ET:420/86%EB:453/90%EM:768/90%",
["다크사이어"] = "ET:281/80%EB:611/80%RM:659/71%",
["엘프냥이"] = "UB:336/43%RM:178/51%",
["Sisyphus"] = "EB:692/91%EM:848/92%",
["생석거래요"] = "UB:283/38%RM:513/56%",
["솔풀딱좋아"] = "EB:698/89%EM:737/78%",
["천사의날개"] = "UB:294/41%RM:171/53%",
["첫째"] = "RB:378/52%RM:655/71%",
["주인어르신"] = "UT:232/30%RB:317/68%RM:596/66%",
["야꿍"] = "RB:465/62%EM:775/83%",
["또로"] = "ET:260/82%EB:703/92%EM:813/90%",
["Asterope"] = "RB:401/54%RM:481/53%",
["콜린드루"] = "EB:432/79%EM:529/77%",
["추뢰보"] = "UB:192/25%RM:561/62%",
["코프스카니발"] = "CT:106/13%CB:140/17%CM:181/18%",
["제로드"] = "LT:502/97%EB:625/89%EM:566/79%",
["시트라"] = "UT:105/40%UB:333/46%RM:614/67%",
["쭌서아빠"] = "EB:395/77%RM:432/72%",
["꽃돼지발바닥"] = "RT:152/71%EB:430/76%EM:698/86%",
["할배사냥꾼"] = "RB:459/60%EM:715/75%",
["님프"] = "ET:253/77%RB:504/68%RM:570/63%",
["가피"] = "ET:311/82%EB:363/85%EM:747/89%",
["빛나"] = "RB:514/67%UM:469/48%",
["김남대"] = "UT:266/34%RB:405/56%CM:128/20%",
["Clould"] = "ET:396/94%EB:509/81%EM:648/79%",
["비올레타"] = "LT:500/97%LB:612/96%EM:779/88%",
["카작"] = "UB:346/47%RM:560/62%",
["배워가는전사"] = "UB:281/33%RM:253/56%",
["지팡이든노움"] = "RT:420/60%RB:252/60%EM:647/75%",
["잠이마냥와"] = "UB:290/40%RM:643/68%",
["Fairy"] = "ET:226/80%EB:496/81%EM:701/86%",
["불광동꽃사슴"] = "RB:499/65%RM:569/59%",
["트랜스포머"] = "EB:380/76%RM:459/73%",
["Lawz"] = "CT:140/18%UB:199/25%",
["이불밖은위험해"] = "ET:314/84%RB:518/69%UM:413/42%",
["폴스타"] = "ET:222/77%EB:399/75%RM:481/74%",
["Ppangya"] = "RT:159/58%RB:438/60%RM:577/64%",
["하얀전사"] = "RT:195/68%EB:467/85%EM:690/76%",
["그림자야"] = "RB:234/66%RM:302/62%",
["푸쉬"] = "RT:176/60%UB:344/47%UM:237/29%",
["귀요미숙녀"] = "RB:437/57%UM:472/48%",
["빌리드"] = "EB:282/79%EM:573/79%",
["두남아"] = "UB:272/34%UM:442/45%",
["세살차이"] = "RB:520/68%RM:618/64%",
["깜매"] = "ET:637/83%EB:639/83%RM:603/65%",
["카이티엘로"] = "UT:101/39%RB:540/73%RM:541/60%",
["Cacaoo"] = "UB:268/36%RM:642/68%",
["상스치콤"] = "CB:169/22%",
["하늘이마법사"] = "RT:177/63%RB:321/74%RM:565/67%",
["민첩드루"] = "RB:341/74%RM:318/63%",
["디오헌터"] = "RB:409/53%EM:773/81%",
["토착왜구사냥꾼"] = "CT:53/19%UB:347/44%RM:451/50%",
["포기하면편해"] = "RB:225/54%RM:636/69%",
["무빈"] = "UB:197/26%UM:437/45%",
["유모"] = "EB:576/75%RM:602/62%",
["브릿지냥꾼"] = "UT:277/37%RB:366/50%UM:313/35%",
["아도리"] = "EB:683/93%LM:939/97%",
["살아숨쉬는전설"] = "EB:615/88%EM:737/88%",
["내사랑한별"] = "EB:649/88%EM:778/89%",
["Ironmonkey"] = "RB:288/67%RM:637/74%",
["둠칫두둠칫"] = "UB:154/40%UM:329/37%",
["아이언건맨"] = "UB:349/48%CM:39/4%",
["법사주님"] = "UT:80/36%RB:395/57%UM:443/48%",
["청치마"] = "RB:507/68%UM:400/45%",
["힐끔이"] = "EB:434/80%RM:408/70%",
["홍상어"] = "RB:208/51%RM:634/69%",
["이루릴흑마"] = "RB:391/53%RM:563/58%",
["머리끝에물기"] = "EB:356/75%RM:236/55%",
["비갠후맑은하늘"] = "RB:545/72%EM:708/75%",
["무달"] = "UB:352/46%LM:954/96%",
["Botn"] = "EB:704/89%EM:757/79%",
["짐승이나악마"] = "ET:527/78%EB:401/78%EM:523/77%",
["페이메이"] = "EB:505/84%EM:642/84%",
["은빛마나"] = "CT:102/12%UB:262/36%UM:435/47%",
["십덕의희망손익훈"] = "ET:681/89%RB:492/67%EM:752/80%",
["카아악퉤"] = "UB:250/34%RM:585/64%",
["얼라흑마두목"] = "RB:390/53%RM:490/53%",
["굴려라공주"] = "UB:163/42%UM:418/47%",
["불꼬기"] = "CT:83/15%EB:623/87%EM:654/82%",
["무영전사"] = "RB:439/71%EM:492/75%",
["다율"] = "UB:239/33%CM:167/22%",
["Bane"] = "UT:237/31%UB:350/45%UM:417/46%",
["냥꾼악마"] = "RB:481/63%RM:624/66%",
["흑마란스"] = "RB:453/61%CM:69/9%",
["철기드루"] = "ET:538/80%LB:772/98%EM:765/92%",
["치즈마요아퍼"] = "RB:396/51%EM:732/77%",
["다크시커"] = "RB:447/58%UM:463/47%",
["가젯잔투사"] = "UB:172/47%",
["인터"] = "UB:315/43%RM:544/57%",
["호믄"] = "RB:498/65%UM:291/29%",
["에딩거"] = "RB:432/59%CM:167/22%",
["전설속의짐승"] = "ET:333/91%EB:546/86%EM:736/88%",
["영원의노래"] = "CT:47/10%RB:430/66%EM:809/90%",
["Ponita"] = "RB:417/57%UM:442/49%",
["둥둥진"] = "RB:241/66%RM:361/66%",
["프로전사"] = "ET:386/93%EB:537/77%EM:712/85%",
["꽈찌쭈"] = "ET:705/91%EB:686/88%EM:839/88%",
["Original"] = "EB:489/83%RM:412/68%",
["쇼지"] = "LT:474/96%EB:588/84%RM:449/72%",
["꽉찬죽빵"] = "UT:248/46%RB:419/68%RM:329/63%",
["아키리더"] = "ET:236/79%EB:573/81%EM:706/85%",
["아맥스"] = "RT:126/55%RB:233/66%RM:254/57%",
["삭발투쟁"] = "CT:28/12%CB:111/14%CM:147/20%",
["힐포의맙소사"] = "CT:34/9%UB:369/48%UM:435/47%",
["발바닥이하얘"] = "RT:314/73%EB:481/89%EM:773/88%",
["Superwoman"] = "CM:82/8%",
["고노옴참말로"] = "CB:120/16%UM:209/26%",
["Malaga"] = "UT:110/25%EB:604/85%RM:474/74%",
["티라안"] = "UT:89/32%RB:535/71%RM:684/73%",
["유리꼬야"] = "ET:334/83%EB:308/81%RM:477/74%",
["써브탱커"] = "ET:619/87%RB:460/72%EM:643/81%",
["이런짐승"] = "ET:661/91%EB:617/89%EM:657/84%",
["나에리아"] = "ET:601/86%EB:487/82%EM:549/78%",
["와대리"] = "ET:558/83%EB:668/89%EM:634/84%",
["트윙클산타"] = "UT:149/46%RB:269/64%RM:521/61%",
["엉클조니"] = "CT:72/8%CM:174/17%",
["시크한냐옹이"] = "RT:189/66%EB:606/77%EM:694/76%",
["오래전그날"] = "RT:164/64%RB:234/63%RM:539/74%",
["바스락"] = "UT:88/34%RB:393/53%RM:580/64%",
["남자는수염"] = "RT:430/68%RB:427/69%RM:383/67%",
["으아"] = "RT:105/73%EB:423/76%RM:450/72%",
["짭탱"] = "ET:358/93%EB:567/88%RM:311/63%",
["마우쭈"] = "ET:239/80%EB:384/83%EM:677/83%",
["삐약삐약"] = "RT:232/73%RB:280/61%RM:683/72%",
["찡구는못말려"] = "UT:204/42%RB:293/73%EM:499/76%",
["유일한"] = "RT:143/70%EB:458/80%EM:550/78%",
["검은곰"] = "ET:357/93%EB:428/77%EM:588/81%",
["히로우네"] = "ET:710/93%EB:665/90%EM:783/89%",
["더드루"] = "ET:636/90%EB:550/87%EM:603/81%",
["Resse"] = "RB:388/51%RM:678/73%",
["묻지마"] = "ET:242/79%RB:455/69%RM:480/69%",
["물푸레"] = "RT:312/54%RB:403/66%RM:538/74%",
["Darklooky"] = "RT:165/64%EB:573/81%EM:645/81%",
["하이바써욧"] = "ET:282/85%EB:556/82%EM:659/82%",
["포정해우"] = "ET:307/88%EB:514/78%UM:201/49%",
["여린별하나그별빛"] = "ET:585/84%EB:622/87%EM:587/77%",
["고둥실"] = "ET:690/88%EB:709/94%EM:791/85%",
["겨울속으로"] = "ET:699/92%EB:685/91%EM:834/91%",
["몸빵마스터"] = "ET:502/76%RB:434/70%RM:435/71%",
["이스트"] = "UT:363/48%EB:619/85%EM:703/77%",
["경주법사"] = "ET:576/77%EB:603/83%RM:596/72%",
["Kugen"] = "ET:342/90%EB:689/91%EM:792/89%",
["가라산"] = "ET:222/77%RB:455/72%EM:707/85%",
["아이언스킨"] = "RT:441/70%EB:499/77%RM:383/67%",
["개달전사"] = "CT:50/10%CB:33/9%CM:68/19%",
["오지전사"] = "LT:437/95%EB:681/91%EM:843/92%",
["달빛시니"] = "RT:199/72%RB:290/72%RM:483/69%",
["어쩔수없었다"] = "ET:263/85%EB:495/94%EM:742/90%",
["탱하리"] = "RT:121/52%RB:417/68%RM:275/58%",
["전사찐"] = "ET:556/83%EB:472/90%EM:646/81%",
["Tey"] = "RB:427/61%CM:123/17%",
["아레나스"] = "EB:571/88%",
["신성한빛"] = "RB:248/56%UM:404/47%",
["야드루와드루와"] = "ET:195/75%RB:223/73%RM:294/55%",
["레이커스"] = "RT:203/73%RB:472/74%EM:567/76%",
["혈수요화"] = "RT:204/73%EB:374/81%EM:625/80%",
["오르테미스"] = "UT:307/40%RB:497/67%CM:27/0%",
["김축복"] = "RT:483/65%EB:676/91%EM:895/94%",
["보랏빛여인"] = "CT:36/10%EB:700/90%EM:742/80%",
["왕밤빵왕밤빵왕밤"] = "RB:379/52%RM:540/58%",
["해피홀리데이"] = "RT:219/68%UB:252/32%RM:548/60%",
["베리쨩"] = "ET:273/79%EB:410/78%RM:622/67%",
["산적주방장"] = "LT:736/95%LB:776/98%LM:910/95%",
["상처엔니코틴"] = "ET:616/87%LB:738/95%EM:865/93%",
["버거비"] = "ET:374/93%EB:610/86%EM:636/81%",
["애니링"] = "ET:628/88%EB:558/82%EM:713/85%",
["태풍의"] = "ET:328/90%EB:565/82%EM:729/86%",
["모노리스"] = "LT:517/97%EB:658/88%EM:758/88%",
["너이"] = "LT:529/96%EB:609/84%RM:565/63%",
["요안나"] = "UT:97/43%UB:187/40%RM:203/50%",
["존스노우"] = "CT:53/20%RB:295/50%RM:375/60%",
["베라미스"] = "UT:251/48%RB:206/60%RM:489/70%",
["따로또같이"] = "ET:309/87%EB:589/78%EM:852/87%",
["이엘리아"] = "ET:256/79%RB:229/73%RM:464/73%",
["즐거운전사"] = "CB:74/15%EM:616/79%",
["아름다운시작"] = "ET:551/81%RB:459/72%EM:685/86%",
["케이아렌"] = "UB:240/32%CM:101/13%",
["친아빠"] = "EB:615/80%EM:738/79%",
["리카르도팜푸리"] = "ET:585/85%EB:471/90%EM:670/85%",
["드루이드메이"] = "ET:602/91%EB:685/94%EM:769/89%",
["Colabear"] = "ET:343/78%EB:652/91%EM:828/92%",
["물빵자판기"] = "RB:356/50%RM:619/72%",
["블링블링이"] = "UB:89/25%CM:93/11%",
["고잉고잉"] = "UB:148/33%RM:216/51%",
["택배아저씨"] = "CM:28/10%",
["스미레가와"] = "UB:229/46%",
["도발의인형"] = "RB:152/50%UM:213/40%",
["드루드"] = "ET:121/76%EB:486/80%EM:550/78%",
["사냥동화리턴"] = "CB:58/15%RM:623/66%",
["빠라밤빠"] = "CB:37/3%",
["법사사람"] = "CB:83/11%UM:392/47%",
["생석나무"] = "CB:69/8%CM:191/24%",
["흙냥"] = "CB:168/21%RM:503/56%",
["프로드루"] = "UT:78/36%EB:624/91%EM:612/82%",
["난계백"] = "RB:293/54%UM:148/41%",
["핵불닭밀크티"] = "CB:158/21%UM:68/25%",
["행복을주는"] = "CM:188/17%",
["케케"] = "UB:314/42%CM:208/24%",
["가연리아"] = "CT:203/24%EB:618/88%RM:602/67%",
["됐다이사람아"] = "UM:378/40%",
["칠둘십이"] = "EB:338/78%RM:224/52%",
["물빵알바"] = "UM:371/44%",
["Tjerry"] = "RT:474/73%EB:505/77%RM:387/68%",
["당신을위한노래"] = "RB:498/68%RM:660/72%",
["드루과니"] = "ET:222/79%RB:348/74%RM:383/68%",
["Fgirl"] = "RT:484/64%RB:521/70%RM:634/68%",
["허걱님일껄요"] = "CT:54/18%CB:77/19%CM:68/8%",
["멋진건희"] = "CB:44/11%CM:91/10%",
["뮤엘"] = "UT:168/35%EB:591/84%EM:688/84%",
["왕도적띵"] = "RT:412/54%RB:249/56%UM:254/25%",
["드루트루이"] = "RB:369/72%EM:664/84%",
["행복냐옹이"] = "CT:50/16%RB:419/54%RM:512/52%",
["어지러워"] = "CB:116/14%UM:273/31%",
["Dgirl"] = "RT:363/54%EB:582/88%EM:519/77%",
["쨍쨍"] = "UB:341/47%RM:426/50%",
["티무르칸"] = "EB:556/75%RM:260/62%",
["방숙이"] = "EB:536/77%EM:601/78%",
["노씨"] = "EB:496/76%RM:217/51%",
["문군투"] = "CB:182/24%EM:728/78%",
["전사일호"] = "RB:475/74%EM:786/89%",
["Sherazad"] = "CB:178/22%CM:200/18%",
["임자생드루이드"] = "EB:553/85%EM:746/88%",
["니주구리쉽빠빠"] = "RT:245/74%EB:441/82%EM:770/80%",
["꿈꾸는중"] = "CB:25/5%",
["문지기냥꾼"] = "RT:155/57%EB:433/82%EM:716/77%",
["윤돌"] = "RB:370/72%RM:472/74%",
["행복여냥천사"] = "CT:172/23%RB:234/56%UM:421/47%",
["Daon"] = "CB:12/1%CM:29/11%",
["빙월"] = "CT:40/4%UB:280/38%RM:639/74%",
["데슬"] = "UM:222/42%",
["진유설님"] = "RB:264/65%RM:610/71%",
["불친절한니주씨"] = "RT:311/54%RB:313/74%RM:446/72%",
["넷째놈"] = "UM:336/34%",
["호드가연"] = "UT:123/47%RB:491/67%RM:554/61%",
["금고따기전문아님"] = "CM:34/3%",
["잔월"] = "CB:192/23%RM:548/64%",
["이별을"] = "UB:310/43%RM:564/66%",
["예마스터"] = "EB:349/78%EM:630/80%",
["레드가디언"] = "UB:338/43%UM:209/26%",
["앗차차앗차"] = "RB:484/68%RM:447/52%",
["벨나르"] = "RB:330/73%RM:182/66%",
["케레스"] = "ET:363/89%RB:377/50%RM:512/56%",
["겨울섬"] = "ET:343/92%EB:464/80%RM:448/71%",
["파니핑크"] = "EB:631/83%EM:738/79%",
["로닌무어"] = "ET:252/83%EB:360/75%EM:641/86%",
["내마음을훔쳐봐"] = "UT:356/47%EB:563/75%RM:489/55%",
["흑도사"] = "CB:45/10%CM:38/4%",
["골빈훗"] = "UB:99/27%RM:216/56%",
["토끼는깡총"] = "RB:444/61%RM:449/50%",
["Sgsung"] = "RB:407/56%RM:465/52%",
["시작하는별"] = "RB:354/61%RM:282/50%",
["트롤추적자"] = "RB:432/59%RM:616/67%",
["봉돌이"] = "ET:317/89%EB:623/87%EM:607/82%",
["꼴초"] = "UT:197/39%RB:476/74%EM:552/75%",
["마제스티연영"] = "ET:543/81%EB:588/84%EM:790/89%",
["드레인"] = "UB:241/32%RM:545/60%",
["나이스플레이"] = "UB:237/32%CM:124/14%",
["내친구참이슬"] = "RT:153/61%EB:488/75%RM:341/64%",
["쭌이흑마"] = "CB:123/16%RM:221/54%",
["약찾는노루"] = "RB:158/59%RM:466/74%",
["돼랑이"] = "EB:416/90%RM:420/70%",
["막돌진"] = "UT:249/46%EB:580/84%EM:492/75%",
["띠드래곤"] = "CB:137/17%RM:646/70%",
["비너스는드워프"] = "RM:167/54%",
["딴딴레기"] = "EB:374/82%EM:692/84%",
["Druides"] = "ET:320/82%EB:365/75%RM:427/70%",
["가계일반자금대출"] = "UT:196/26%RB:396/54%RM:471/52%",
["바커스"] = "RT:130/55%EB:520/78%EM:668/83%",
["나이트드루와"] = "ET:382/80%EB:485/78%EM:650/83%",
["다크묵향"] = "UB:354/48%",
["몸짱할배"] = "UT:255/49%EB:496/76%EM:585/77%",
["깨꿍이"] = "RB:352/50%RM:533/63%",
["모크전"] = "RB:431/58%RM:602/68%",
["에스진"] = "ET:606/86%EB:608/86%EM:771/88%",
["두리공"] = "RB:357/62%RM:223/52%",
["드루황곰"] = "RB:228/73%RM:355/66%",
["혼돈의드루이드"] = "EB:268/78%RM:298/61%",
["피라니아"] = "UT:109/39%CB:118/15%CM:150/20%",
["황소두루"] = "ET:160/81%RB:323/73%RM:374/64%",
["다라단법사"] = "CB:33/5%UM:349/41%",
["큰곰자리"] = "ET:228/88%EB:540/83%EM:553/78%",
["유나이퍼"] = "RB:280/63%",
["너라주마"] = "CB:105/14%RM:546/64%",
["알짜배기"] = "CT:141/15%RB:467/64%UM:259/26%",
["흑어둠밤"] = "UM:344/35%",
["뚜루룻"] = "CB:146/19%CM:160/21%",
["자연의아이"] = "RB:370/72%EM:540/78%",
["불생불멸"] = "ET:270/84%EB:517/92%EM:765/88%",
["임영영"] = "UM:249/33%",
["다은소서리스"] = "RM:491/58%",
["Rageon"] = "EB:502/77%RM:505/71%",
["후라이전사"] = "EB:646/88%EM:626/83%",
["이놈몸짱얼굴꽝"] = "RM:438/52%",
["일천령일야"] = "CM:95/12%",
["알아봤어야지"] = "RM:451/53%",
["발암딜물질"] = "CB:83/20%UM:328/38%",
["Dera"] = "ET:580/85%EB:681/90%EM:830/91%",
["우물속풍경"] = "RB:314/56%UM:205/49%",
["아홉번째기억"] = "ET:366/84%EB:635/92%EM:762/91%",
["쉴새없이뛰어"] = "EB:283/79%EM:678/87%",
["브라이스워커"] = "EB:565/84%RM:560/73%",
["Raisin"] = "EB:354/75%EM:736/91%",
["기다려줘"] = "RM:207/51%",
["용안"] = "RB:345/60%RM:452/67%",
["미소야"] = "CM:58/7%",
["얼별"] = "CM:203/19%",
["조뜨"] = "RT:206/70%EB:518/81%EM:612/79%",
["비상현무"] = "EB:468/90%EM:766/88%",
["일탈전사"] = "RB:294/54%EM:578/77%",
["미카엘대법사"] = "UB:94/27%UM:275/33%",
["손만잡고잔다며"] = "UT:210/43%EB:482/75%EM:645/81%",
["손목긋기"] = "LT:534/96%EB:661/91%EM:830/92%",
["동쪽마녀의까마귀"] = "RB:283/70%RM:366/67%",
["개밥"] = "CB:169/22%CM:148/13%",
["뚫어"] = "UB:108/26%CM:89/18%",
["김제압"] = "ET:386/93%EB:663/85%EM:889/93%",
["낭만버스"] = "EB:660/89%EM:806/90%",
["계백"] = "UB:262/45%UM:150/41%",
["탱글탱글머리칼"] = "ET:716/94%EB:539/80%",
["낭만전차"] = "RB:360/72%RM:343/65%",
["미란"] = "CB:8/0%CM:43/4%",
["얼려보자"] = "RB:390/51%RM:551/65%",
["와우꼰대"] = "ET:577/83%EB:553/81%EM:677/83%",
["카일냥꾼"] = "UB:253/33%UM:268/30%",
["승진"] = "RB:275/52%EM:636/80%",
["수전증사냥꾼"] = "CM:134/16%",
["기사명월"] = "UT:230/27%EB:580/82%RM:534/61%",
["Walnutcrack"] = "UM:371/42%",
["가야사랑"] = "ET:363/88%CB:192/23%UM:311/36%",
["드랍더닌자"] = "UB:240/31%RM:318/64%",
["라듐"] = "EB:686/91%EM:790/88%",
["카노네스"] = "UM:338/39%",
["털망구"] = "CM:176/16%",
["가을하늘빛"] = "RM:545/64%",
["블랙핑거"] = "UB:275/34%RM:485/54%",
["Igom"] = "ET:174/83%EB:497/83%EM:561/80%",
["유하월"] = "CB:152/17%UM:302/35%",
["Shine"] = "UB:199/41%RM:401/69%",
["소환전문"] = "CB:54/5%UM:325/38%",
["라면먹을래"] = "UB:126/33%RM:497/55%",
["카바네리"] = "RM:487/57%",
["휴대폰갤러리"] = "CM:236/24%",
["고인물정령"] = "ET:400/85%EB:366/85%EM:510/77%",
["검은가시"] = "UB:240/31%CM:188/22%",
["턴이사제"] = "CB:76/7%UM:333/35%",
["격렬한고통"] = "CB:67/8%CM:132/18%",
["삐걱삐걱"] = "CB:28/1%RM:437/50%",
["김치싸다구"] = "UT:224/28%RB:468/65%EM:419/82%",
["반신"] = "CM:77/10%",
["야리꾸리"] = "UM:411/46%",
["야옹이위스외연드"] = "RM:553/61%",
["별빛산책"] = "UM:275/31%",
["협상"] = "ET:243/82%EB:299/80%EM:623/85%",
["왕실흑마법사"] = "CB:143/19%UM:342/39%",
["전사젤리"] = "EB:608/84%EM:754/87%",
["레몬사탕"] = "RB:383/52%UM:254/31%",
["대도무문"] = "UM:429/49%",
["칼머리"] = "UM:109/35%",
["인슐린"] = "CM:146/17%",
["올드맨리차드"] = "UB:292/40%UM:274/31%",
["대그빡"] = "ET:568/90%EB:678/93%LM:967/98%",
["호크롤"] = "UM:109/38%",
["맨솔맛사탕"] = "LT:512/97%EB:585/82%EM:750/87%",
["신디아"] = "UM:71/26%",
["전사오리온"] = "CM:75/10%",
["가르니에"] = "RB:368/63%RM:449/72%",
["제이드야"] = "RT:154/71%EB:603/88%EM:512/77%",
["영감탱이"] = "EB:512/82%EM:686/86%",
["윤현정"] = "UT:283/36%RB:355/72%RM:569/61%",
["폭풍속에스톰"] = "UM:114/39%",
["선녀의꿈"] = "CT:154/17%CB:200/24%EM:667/76%",
["그리즐리"] = "CB:142/15%CM:2/1%",
["힐알못"] = "CB:68/5%UM:235/27%",
["아고허리야"] = "UM:80/30%",
["불친절한김군쓰"] = "CM:28/1%",
["얼음과불의노래"] = "UM:149/48%",
["하연아빠"] = "RB:329/72%EM:675/78%",
["고영이"] = "CB:110/14%CM:156/21%",
["아처킹"] = "UT:270/38%RB:421/55%RM:447/51%",
["어둠의은둔자"] = "UB:215/26%RM:435/51%",
["Atem"] = "EB:444/87%EM:604/76%",
["운산아빠유"] = "RB:367/50%UM:401/45%",
["쥬리어"] = "UM:414/45%",
["흑마뽐사"] = "CM:65/8%",
["충원오"] = "RT:191/71%RB:403/62%EM:605/78%",
["포태마요"] = "ET:647/82%EB:555/79%EM:720/81%",
["혼돈의사냥꾼"] = "RB:520/71%RM:673/73%",
["사계장미"] = "RT:206/68%UB:288/38%RM:551/61%",
["밥은먹고다니니"] = "UM:215/27%",
["핵수저"] = "RM:561/62%",
["다르나서스파수꾼"] = "CB:56/5%UM:277/31%",
["Althdhk"] = "RM:491/70%",
["웅웅"] = "UB:164/42%UM:415/46%",
["잠자는엘프"] = "RM:539/60%",
["바람난백호"] = "CB:190/24%UM:218/26%",
["총사령관폐하"] = "RT:116/51%CB:85/10%RM:206/58%",
["Shucream"] = "CT:89/15%UB:327/45%RM:592/69%",
["짐살라뱀"] = "RT:425/52%RB:485/67%EM:711/78%",
["음반"] = "ET:261/84%EB:635/90%EM:706/88%",
["바라딘제인"] = "RM:617/72%",
["둥순이"] = "CM:56/4%",
["선라이즈"] = "RB:463/64%RM:578/64%",
["핫걸옹"] = "CB:64/16%UM:214/27%",
["솔플이나할랜다"] = "RT:187/66%EB:717/91%LM:924/95%",
["도화동뚱빼미"] = "RM:348/61%",
["까칠한란이"] = "ET:716/91%EB:709/90%EM:856/89%",
["탕탕쏙쏙"] = "UB:265/36%UM:319/36%",
["모노리자"] = "CM:183/24%",
["수수야"] = "RB:388/54%RM:520/61%",
["입하면자동힐"] = "UM:340/40%",
["트로트찰리"] = "RM:428/71%",
["흑주작"] = "RB:544/71%EM:788/82%",
["청파냥꾼"] = "CT:36/3%CB:152/20%UM:272/31%",
["레피키"] = "CM:186/21%",
["달동네동물원"] = "RB:353/74%RM:403/70%",
["태인이아빠"] = "RM:470/69%",
["Jcw"] = "UM:354/41%",
["니야옹"] = "RB:390/55%RM:475/56%",
["드가채프"] = "EM:776/82%",
["모토코"] = "UM:350/42%",
["사츄츄"] = "UB:241/31%EM:666/82%",
["곰플래이어"] = "RT:107/65%RB:184/61%RM:252/57%",
["세야냥꾼"] = "UB:121/33%RM:467/52%",
["달린다말렘"] = "CB:38/3%UM:246/28%",
["애드공주"] = "UT:255/48%RB:186/56%RM:267/57%",
["미방사제"] = "UB:202/25%RM:488/58%",
["공인법사"] = "CM:28/1%",
["내맘대로법사"] = "UB:262/36%RM:577/68%",
["Ddangkong"] = "UB:102/26%UM:415/44%",
["콩소"] = "CB:28/1%CM:208/20%",
["우리결투했어요"] = "CB:153/20%UM:133/45%",
["달빛이슬하나"] = "RB:440/58%RM:617/68%",
["Wjswlgus"] = "CB:199/24%RM:491/54%",
["가속"] = "EB:557/75%EM:767/82%",
["케드"] = "CB:143/16%UM:241/27%",
["닌자부인"] = "CM:106/13%",
["레어메탈드루"] = "EB:401/84%EM:788/90%",
["마동석입니다만"] = "UT:258/36%UB:134/32%UM:147/40%",
["해로운가가멜"] = "CM:154/19%",
["Jason"] = "RT:437/60%RB:511/67%RM:501/57%",
["힐주마"] = "EB:546/76%EM:687/76%",
["웃짜모"] = "CM:123/17%",
["아이짱"] = "CB:114/15%RM:471/55%",
["설린수"] = "EB:463/80%EM:595/83%",
["빼빼로빼빼로"] = "CM:106/12%",
["동백림"] = "CT:29/11%RB:372/63%EM:567/76%",
["샤울팽"] = "RB:277/51%RM:407/69%",
["사랑의큐피트"] = "CM:34/3%",
["덱스터"] = "UM:153/41%",
["청파도적"] = "UM:292/34%",
["사회선생"] = "UM:310/35%",
["고뤠"] = "RT:465/59%EB:588/83%UM:109/37%",
["전사왔어요"] = "EB:672/86%EM:769/83%",
["블러디헌터"] = "CM:130/16%",
["Loststars"] = "EM:855/89%",
["엘자스칼렛"] = "UM:396/42%",
["냉짱마야"] = "UB:289/37%UM:385/41%",
["수아헌터"] = "UT:279/37%RB:342/72%RM:462/51%",
["카풀애인"] = "UB:313/42%CM:125/17%",
["얼화쏘냐"] = "EM:789/84%",
["푸들푸들냥이"] = "RB:472/62%EM:882/90%",
["Toohon"] = "RT:518/68%EB:716/91%EM:871/90%",
["후박"] = "RM:502/60%",
["맛나는휘영청"] = "RM:330/60%",
["슈딩"] = "RT:492/66%EB:696/93%EM:900/94%",
["헐크호간"] = "ET:501/76%EB:387/82%EM:616/79%",
["공포의철벽방패"] = "CB:111/10%UM:75/25%",
["몰라요"] = "UM:351/41%",
["곰무셔"] = "RM:278/59%",
["안티에로스"] = "EM:693/88%",
["살짝쿵한방"] = "EB:422/86%EM:492/76%",
["까비몽"] = "CM:132/15%",
["애기드루"] = "RM:183/52%",
["침대위질풍"] = "UT:102/39%RB:303/69%RM:523/64%",
["검은여우"] = "CB:67/5%RM:219/50%",
["Horrable"] = "CM:28/1%",
["법사생"] = "UM:391/46%",
["시스헌트"] = "UM:207/26%",
["티에나"] = "CT:156/18%UB:261/34%UM:412/49%",
["Crazyhealer"] = "RM:493/58%",
["일능이"] = "CM:39/2%",
["맛나는제과"] = "UM:358/42%",
["신대리"] = "CM:140/17%",
["지형이언니"] = "EB:683/87%EM:843/89%",
["문전무"] = "CM:28/1%",
["겨울석양"] = "CB:27/0%UM:200/25%",
["달빛속에꽃"] = "EB:419/89%EM:785/91%",
["두루몽실"] = "UM:237/29%",
["슈터링냥"] = "UB:356/48%RM:456/51%",
["스패냐드"] = "ET:556/82%EB:496/76%RM:352/65%",
["달려달려"] = "RT:333/56%EB:579/83%EM:788/90%",
["세상꼭대기"] = "CM:98/14%",
["꽃돼지똥자루"] = "RB:309/56%EM:564/80%",
["불덩이처녀"] = "RM:490/54%",
["바람의샐리온"] = "RM:504/58%",
["파리바게트"] = "CM:134/18%",
["맛나는일용직"] = "CM:191/22%",
["호떠이"] = "CB:151/20%RM:629/68%",
["쥴리아"] = "RB:366/51%EM:691/80%",
["조커퀸"] = "CM:69/9%",
["리아에이드"] = "RB:376/53%CM:110/12%",
["이야앗"] = "ET:626/88%EB:408/78%RM:361/66%",
["발암탱물질"] = "RM:204/50%",
["Headpuncher"] = "RM:498/55%",
["올드맨해럴드"] = "CB:48/11%CM:138/17%",
["도티흑마"] = "RB:229/54%RM:557/60%",
["브빗"] = "UM:279/31%",
["요술공구작키"] = "UB:361/47%EM:694/76%",
["백마타고온환자"] = "ET:488/75%EB:555/82%EM:720/86%",
["이제끝"] = "EM:698/80%",
["매냐"] = "UB:370/47%EM:736/77%",
["로키사제"] = "UT:239/28%UB:206/25%RM:570/67%",
["선비쟁이"] = "UM:315/38%",
["루시퍼누나"] = "CB:38/3%CM:102/13%",
["푸들푸들사제"] = "RT:402/53%EB:598/83%EM:778/85%",
["문법"] = "RM:659/72%",
["스놈"] = "RB:474/63%EM:868/94%",
["쪼꼬만흑마"] = "UM:316/37%",
["법사일호"] = "UB:331/45%RM:637/70%",
["헤시스"] = "UB:250/33%CM:132/16%",
["네일리아"] = "RB:449/63%EM:673/78%",
["양변이야치지마"] = "CB:119/14%RM:584/69%",
["오예스"] = "RM:457/51%",
["종사"] = "CM:26/0%",
["한울미루"] = "EB:550/78%RM:370/73%",
["티누비엘"] = "EM:717/77%",
["Yangpaa"] = "CM:42/4%",
["아페온"] = "CM:33/3%",
["잔파"] = "RB:401/67%EM:701/84%",
["화이트밸런스"] = "CM:179/23%",
["캬라잔"] = "UM:355/40%",
["산옹"] = "UM:256/29%",
["Amitabul"] = "UT:140/47%RB:457/63%UM:350/37%",
["로미도"] = "UM:249/29%",
["Karakamillia"] = "UM:190/49%",
["엘윈숲의마법사"] = "UB:226/31%RM:237/63%",
["탱탱리온"] = "RB:363/62%EM:546/79%",
["도적이예요"] = "UB:191/25%UM:122/34%",
["혼족생활백서법사"] = "CB:178/23%RM:571/67%",
["전사고주몽"] = "CB:41/6%UM:120/35%",
["외눈박이한스"] = "UM:376/44%",
["알다브라"] = "RM:494/58%",
["암살포차"] = "RB:425/57%UM:401/46%",
["에드리나"] = "UM:337/35%",
["애플망고주스"] = "RM:375/62%",
["너라주징"] = "EM:674/82%",
["꿈의경계"] = "ET:411/80%EB:377/90%LM:851/98%",
["무한의주인장"] = "UB:330/42%UM:465/48%",
["로키드루"] = "UM:249/28%",
["하얀목련"] = "CB:87/10%CM:157/14%",
["내맘대로기사"] = "UM:317/33%",
["마리"] = "UM:314/36%",
["포커페이스"] = "CM:31/2%",
["Valky"] = "RT:195/72%EB:548/81%RM:393/68%",
["로젠다로의장인"] = "RB:449/72%UM:280/49%",
["가자라네"] = "ET:272/80%EB:446/77%EM:582/82%",
["숨은사냥꾼"] = "RB:383/73%RM:412/71%",
["Koohara"] = "UM:455/49%",
["라이언스"] = "CM:122/14%",
["치티치티"] = "RB:473/68%RM:528/62%",
["봉투"] = "CB:75/20%CM:160/16%",
["베이커리카페"] = "CM:51/6%",
["제비양"] = "RM:446/50%",
["겨울왕국힐사"] = "RM:521/73%",
["엥도"] = "EM:771/80%",
["Tesse"] = "RM:562/64%",
["판모모"] = "RM:594/70%",
["다나와"] = "EM:710/77%",
["고선생"] = "RM:592/65%",
["윤림"] = "ET:689/89%EB:694/88%EM:852/90%",
["메간"] = "RM:321/73%",
["칠흑방패"] = "UM:119/35%",
["다막아"] = "EM:689/79%",
["미키다"] = "CM:163/20%",
["숲속에잠자는드루"] = "CT:64/9%RB:516/74%RM:456/54%",
["집중포화"] = "RM:445/50%",
["전사라샤"] = "UB:228/46%RM:247/55%",
["무기고"] = "CM:137/16%",
["다프탱"] = "CT:31/11%UB:194/41%RM:365/66%",
["눈깔아쌉돼지야"] = "RB:546/72%RM:535/61%",
["Popo"] = "RM:193/56%",
["만년실업자"] = "RM:649/69%",
["테니워메이지"] = "RM:529/58%",
["샤키냥"] = "UM:314/35%",
["쨍쨍사제"] = "RM:316/58%",
["슈키쿠키"] = "CB:27/0%UM:290/30%",
["밤의냥이"] = "UB:351/48%RM:479/56%",
["태공도적"] = "RM:549/61%",
["드루짜증이네"] = "RM:388/68%",
["Darklok"] = "CB:122/16%UM:134/45%",
["정신나간으흥이"] = "UM:190/39%",
["몰래슬쩍도망"] = "CB:1/0%",
["놔라놔라"] = "CM:81/11%",
["히토메보레"] = "UB:318/41%RM:466/55%",
["호야호야"] = "CB:58/10%UM:279/49%",
["프리한"] = "RM:572/63%",
["자르크"] = "CB:30/2%CM:31/2%",
["제왕드루"] = "RM:430/51%",
["김일병"] = "UM:231/28%",
["주술불가"] = "RT:60/51%RB:254/68%RM:247/56%",
["전사니키"] = "EB:651/88%RM:495/70%",
["소나키워볼까"] = "CM:85/11%",
["키노피"] = "CB:80/18%UM:341/40%",
["정신나간냥"] = "CM:96/8%",
["호드타렌전사"] = "RB:360/57%EM:600/78%",
["새벽세시"] = "UM:357/36%",
["얼음칼날"] = "UM:353/42%",
["발드려요"] = "EB:531/85%RM:460/73%",
["맥콜짱"] = "CM:61/24%",
["스미스요원"] = "EB:674/92%EM:794/91%",
["한기문"] = "UT:245/48%EB:325/77%RM:546/74%",
["아이오아이사랑해"] = "RB:422/72%RM:464/68%",
["머큐리스"] = "RT:57/54%EB:390/77%EM:516/76%",
["전사곤"] = "CM:194/24%",
["Guylian"] = "LT:615/98%LB:725/96%EM:810/94%",
["마라우더"] = "ET:666/91%EB:598/85%EM:630/83%",
["깜찍무비"] = "ET:255/86%EB:625/89%EM:779/89%",
["Greyswandir"] = "RM:369/73%",
["이천량"] = "CT:67/24%CB:70/19%CM:182/21%",
["수아전사"] = "CM:71/20%",
["코코블랑"] = "UB:337/44%RM:448/72%",
["아로이"] = "LT:482/96%RB:494/71%EM:491/87%",
["흑후추"] = "ET:407/94%EB:502/77%RM:530/73%",
["디아뜨갤러리"] = "UT:126/48%UB:116/29%RM:379/60%",
["밍꼬법사"] = "CB:86/10%CM:143/13%",
["초즈전사"] = "ET:358/91%EB:552/91%EM:818/85%",
["싱어토끼"] = "ET:220/77%EB:443/80%RM:272/59%",
["지난겨울"] = "ET:430/79%EB:577/85%EM:604/78%",
["미니멍드루"] = "ET:372/93%EB:641/92%EM:677/86%",
["이십년만에냥꾼"] = "RT:174/63%RB:393/54%RM:702/74%",
["힐포의방가루"] = "CT:44/15%RB:419/68%EM:626/80%",
["카레냥"] = "UT:105/41%UB:300/38%UM:294/28%",
["우유빙수"] = "ET:254/81%EB:593/85%EM:782/89%",
["쇠고기맛나"] = "ET:297/81%EB:470/91%EM:709/88%",
["태연이제일이뻐"] = "UT:124/39%RB:478/66%RM:586/65%",
["일끄릉"] = "RT:173/66%RB:457/69%EM:649/81%",
["날라리야"] = "CT:56/6%UB:367/47%UM:401/41%",
["사제차사랑"] = "RM:475/52%",
["조물닥마법사"] = "UT:80/29%UB:284/38%UM:180/49%",
["냥꾼만세"] = "RT:146/54%UB:287/38%RM:608/65%",
["이방지"] = "RT:470/64%RB:548/72%EM:744/79%",
["자진모리"] = "ET:728/93%EB:734/93%EM:803/85%",
["짜잔"] = "ET:561/81%EB:600/82%EM:745/81%",
["쭌이전사"] = "UB:224/44%UM:164/43%",
["모닝파마"] = "CB:67/18%UM:317/31%",
["더블패티"] = "CB:162/18%CM:178/16%",
["다단님"] = "RT:427/58%RB:513/70%EM:774/82%",
["드루이드런너"] = "RT:173/73%RB:332/73%UM:64/43%",
["너이리와바"] = "UM:204/26%",
["클래식하게도적"] = "CM:133/16%",
["훅마법"] = "RB:436/56%RM:615/64%",
["언더시티수호병"] = "RT:118/51%RB:409/67%RM:301/60%",
["광전문아님"] = "CB:39/8%",
["이락"] = "RT:400/62%EB:487/93%EM:824/94%",
["Darkmagic"] = "CB:43/10%",
["Veins"] = "RT:345/60%EB:503/77%EM:621/80%",
["브레이브하아트"] = "UB:198/41%UM:197/49%",
["나두루"] = "RT:103/64%RB:292/70%UM:161/46%",
["행복주는천사"] = "RT:191/73%EB:432/78%RM:450/72%",
["꼬밍도적"] = "RT:492/65%EB:626/81%EM:805/85%",
["어둠의사자"] = "UB:323/43%UM:277/28%",
["Logan"] = "UB:355/45%RM:521/55%",
["앗차"] = "ET:300/87%EB:410/84%EM:677/83%",
["스피드헌터"] = "UB:197/26%UM:453/47%",
["드룽드룽"] = "EB:529/83%EM:549/78%",
["쿠치쿠치"] = "ET:319/76%RB:397/71%EM:553/75%",
["우어곰탱이"] = "RT:160/65%RB:319/69%RM:367/67%",
["뽀로롱친구"] = "UB:127/35%UM:363/43%",
["행복받는천사"] = "RT:181/68%EB:527/79%EM:642/81%",
["맹랑"] = "CB:101/12%UM:395/40%",
["법사찌응"] = "UM:398/43%",
["갈때까지간놈"] = "CM:158/22%",
["Poderosa"] = "UB:347/43%UM:242/28%",
["다은이밍밍"] = "RB:278/69%EM:485/75%",
["법사해봄"] = "EB:542/76%RM:590/69%",
["은밀함"] = "CM:34/3%",
["창조된크루아상"] = "UT:103/37%UB:302/40%RM:498/51%",
["도시락"] = "UB:178/48%CM:157/21%",
["로마제국성기사"] = "RB:235/55%CM:121/10%",
["기억의습작"] = "EB:366/86%EM:735/86%",
["울트라파워"] = "UB:229/45%RM:440/72%",
["제임스딘"] = "CM:189/17%",
["별을쏘다"] = "UT:135/30%EB:441/88%EM:723/86%",
["호드까기인형"] = "LT:544/97%EB:542/80%EM:624/80%",
["진사마"] = "CM:26/0%",
["북궁"] = "CB:36/6%UM:219/25%",
["폭풍얼음"] = "CM:92/13%",
["뒤에서백허그"] = "UB:179/43%UM:208/25%",
["베레로아"] = "EB:677/91%UM:444/48%",
["히키다"] = "CM:7/3%",
["주렁주렁"] = "CM:75/9%",
["긔여븐집사"] = "UM:466/48%",
["빨강머리"] = "CT:29/6%RB:428/61%RM:611/67%",
["인생머잇어"] = "EB:544/81%EM:516/77%",
["Athars"] = "RT:192/71%RB:398/66%RM:513/72%",
["장미꽃필무렵"] = "RB:289/64%RM:624/68%",
["부자왕까지가즈아"] = "RM:588/69%",
["천궁현"] = "ET:301/90%RB:436/61%EM:693/79%",
["이디에스짱"] = "CB:65/17%CM:60/7%",
["앙버터치아바타"] = "UM:395/44%",
["손견"] = "CM:106/12%",
["구수한"] = "RM:363/59%",
["모닝마녀"] = "UM:326/34%",
["숨은그림"] = "RT:111/73%RB:354/74%RM:440/73%",
["드루와드루와봐"] = "RM:375/68%",
["북명신공"] = "UM:216/27%",
["도적와조씨"] = "RM:549/61%",
["에이치투오"] = "UB:251/32%UM:291/33%",
["어디가냐"] = "ET:377/79%EB:465/79%EM:665/82%",
["왕전사"] = "UT:84/34%CB:81/19%UM:155/30%",
["블랙위니"] = "RB:239/65%RM:316/53%",
["루나티"] = "CB:63/11%UM:135/37%",
["싸담법사"] = "CB:133/17%RM:436/51%",
["평조평일"] = "UM:215/25%",
["Bayoba"] = "CM:93/12%",
["쏘맥마리오네뜨"] = "RB:392/74%UM:359/38%",
["드워프전사는"] = "CB:34/2%",
["아름이"] = "RB:396/54%UM:443/45%",
["무크라구"] = "RT:144/50%EB:569/75%UM:439/44%",
["Vizet"] = "RB:406/58%UM:347/36%",
["나른하다"] = "CM:190/23%",
["써니짱"] = "UM:259/32%",
["다은마마"] = "UB:307/42%RM:604/65%",
["천마혈검대"] = "UT:119/27%EB:526/76%EM:758/88%",
["하겐다즈바닐라"] = "RB:251/58%RM:601/69%",
["야구"] = "EM:705/75%",
["고통과부패"] = "CB:49/12%UM:402/45%",
["개구라쟁이스머프"] = "RB:460/63%RM:563/60%",
["야옹바이"] = "UM:361/43%",
["Rolland"] = "RM:535/63%",
["코코니"] = "RM:577/66%",
["비나리마님"] = "RB:436/57%RM:531/63%",
["용병쟌디"] = "CM:136/17%",
["전사그니"] = "RB:427/70%RM:414/70%",
["아델라이데"] = "CM:121/17%",
["어글따위필요없다"] = "RB:237/65%EM:628/80%",
["키브리엘"] = "RM:666/72%",
["여름이온다"] = "RB:295/53%UM:85/25%",
["이뿐흑마"] = "RM:587/63%",
["우길"] = "CM:67/6%",
["키츠네"] = "RM:302/57%",
["상큼"] = "UM:244/25%",
["닥돌닥탱"] = "RB:556/71%RM:587/63%",
["배째흑마"] = "CT:21/3%CM:36/4%",
["더러운체프"] = "CM:60/7%",
["맛나는세상"] = "UM:354/42%",
["서비정"] = "CB:39/4%CM:25/0%",
["광치세요"] = "CM:55/12%",
["궁그매호니"] = "CB:81/10%CM:147/20%",
["마록"] = "UM:364/39%",
["아크엔젤"] = "RT:164/54%EB:547/78%EM:697/79%",
["묵향엉아"] = "RM:651/69%",
["물과빵과시"] = "RM:444/56%",
["텔리아폴드라곤"] = "CB:228/24%EM:554/75%",
["태양마법사"] = "RM:299/71%",
["큐피"] = "CM:63/20%",
["Pbr"] = "CM:180/21%",
["모모이모"] = "EM:824/85%",
["프로바이오틱스"] = "CB:157/17%UM:274/28%",
["Miki"] = "EM:787/84%",
["먼치킨모모"] = "EM:711/75%",
["늘빈"] = "UM:249/29%",
["레기"] = "EB:506/77%RM:312/62%",
["모닝와인"] = "CM:164/15%",
["노브레이끼"] = "UM:290/34%",
["진상법사"] = "UM:315/38%",
["Avadakedavra"] = "CB:44/4%UM:123/38%",
["달빛시온"] = "RM:482/51%",
["드루세보"] = "EB:602/87%EM:688/85%",
["트로트찰리앤"] = "RM:614/72%",
["봄은비를타고"] = "UB:296/37%EM:740/78%",
["나만의공간"] = "UB:348/45%RM:492/58%",
["투쁠한우"] = "RB:168/60%RM:201/51%",
["등따드루"] = "UB:66/43%RM:243/58%",
["전사짜증이네"] = "RM:419/64%",
["나사트"] = "CM:30/1%",
["오비탈"] = "RM:524/55%",
["트롤지니"] = "RM:509/60%",
["비올래"] = "RM:428/66%",
["Zandark"] = "CM:80/7%",
["격노전사"] = "EB:344/77%RM:392/61%",
["맛나는흑사탕"] = "CM:146/19%",
["물빵거래사절"] = "CM:41/5%",
["Marok"] = "CM:178/22%",
["올랭프드탕이"] = "RM:387/63%",
["자유획득"] = "EB:601/83%RM:469/68%",
["토르비욘린드홀름"] = "CB:53/14%",
["쩌리똥자루"] = "UB:132/30%CM:142/13%",
["바부팅법사"] = "UB:208/27%RM:629/73%",
["단하나"] = "UT:66/26%CB:59/10%CM:81/24%",
["폭렙의진수"] = "UM:399/47%",
["투사제로"] = "CB:110/14%RM:178/51%",
["노예가즈아"] = "CB:37/4%CM:190/23%",
["사제푸리"] = "RM:576/64%",
["돌진전문"] = "RB:414/55%RM:659/74%",
["크릴오일"] = "UB:275/35%RM:330/64%",
["월야적화"] = "RM:593/63%",
["깜짝깜짝"] = "RB:503/70%EM:795/86%",
["덩실덩실곰탱이"] = "RM:458/70%",
["안드레이나"] = "CB:60/6%CM:31/2%",
["아서브라이트"] = "EB:597/83%EM:721/86%",
["Karakamilia"] = "RM:685/73%",
["이제법사"] = "RM:570/63%",
["술푼로라"] = "RB:558/73%RM:627/67%",
["Raene"] = "UM:300/36%",
["에양"] = "UB:117/27%RM:257/56%",
["나뭉"] = "CM:59/4%",
["천궁지수"] = "UM:395/47%",
["국수나무"] = "UB:180/45%RM:512/57%",
["Kamilia"] = "RM:412/71%",
["골든핸드"] = "RM:557/61%",
["베타전사"] = "UM:89/27%",
["무의"] = "UM:269/26%",
["실버들"] = "CM:63/8%",
["풀줍"] = "CT:73/21%UB:213/27%RM:471/55%",
["오늘도구름처럼"] = "UB:370/48%RM:566/67%",
["전사아프행"] = "EB:361/81%EM:555/75%",
["막내둥이한쨈"] = "CM:133/12%",
["반란을위한몸짓"] = "UB:137/46%RM:376/67%",
["슬아기사"] = "CM:69/5%",
["샤드락"] = "ET:213/75%EB:579/84%EM:591/77%",
["Kangjiyeong"] = "RM:529/54%",
["사법흑마"] = "UB:331/45%RM:528/57%",
["쿡쿡이"] = "CB:77/9%CM:89/12%",
["큐이공이"] = "CM:159/19%",
["맥주먹는누나"] = "RB:382/50%RM:512/61%",
["초월냥"] = "CM:143/17%",
["막둥이전사"] = "RB:420/68%UM:133/37%",
["메이제이"] = "RM:597/68%",
["왕일"] = "CB:103/24%EM:566/76%",
["기사순이"] = "RM:410/64%",
["깜냥미르"] = "RB:430/56%RM:691/66%",
["쾌남전사"] = "CB:120/12%UM:172/44%",
["파괴의신아레스"] = "RM:443/66%",
["히일러"] = "EB:589/82%EM:718/79%",
["가메하메파"] = "CB:77/9%CM:27/1%",
["쿠첸전사"] = "RB:448/68%EM:583/77%",
["사랑담은라크델라"] = "RM:529/56%",
["응방날린박신혜"] = "EB:409/91%RM:325/71%",
["분홍신"] = "RM:499/57%",
["란다"] = "RB:528/69%RM:515/57%",
["바실리자이체프"] = "UB:208/28%RM:598/64%",
["홍츈이"] = "CT:135/17%UB:241/32%RM:559/61%",
["어쩌다그만"] = "RB:517/66%EM:820/85%",
["슈퍼땅콩"] = "UB:214/27%RM:638/70%",
["Dalgona"] = "EM:801/85%",
["데구르"] = "RB:306/71%EM:690/76%",
["무쇠팔무쇠거기"] = "EB:575/81%EM:701/85%",
["햅번"] = "RB:465/62%RM:532/58%",
["마무리김치전"] = "UM:375/43%",
["향기나는치유"] = "UB:210/26%RM:563/66%",
["고용노동부"] = "CB:54/19%EM:761/88%",
["춤추는드루다루"] = "RT:120/67%RB:344/74%EM:549/80%",
["소서리스지코"] = "UB:184/25%UM:349/41%",
["크지"] = "EM:809/91%",
["아무에게"] = "EM:646/75%",
["아기곰구출단"] = "UB:353/45%RM:564/61%",
["기생언니"] = "UM:196/25%",
["황당기사"] = "UM:370/39%",
["분노한방어전사"] = "UB:193/36%RM:465/68%",
["사나짱"] = "EB:613/79%EM:774/80%",
["선구타후타협"] = "EB:467/89%EM:797/86%",
["하늘로의항해"] = "EB:627/80%EM:777/81%",
["등잔"] = "CM:4/1%",
["황당흑마"] = "CB:102/12%UM:357/41%",
["멜로디언"] = "EM:801/85%",
["앵글앙마"] = "CB:56/13%RM:250/58%",
["헛똑똑이"] = "UM:342/41%",
["방가숲새야"] = "ET:644/89%EB:646/88%EM:626/80%",
["땡깡"] = "UM:321/37%",
["속사"] = "LB:776/97%LM:948/96%",
["이루릴전사"] = "CT:43/15%UB:120/42%RM:297/51%",
["아다카다부라"] = "RM:627/69%",
["마록냥꾼"] = "UM:446/46%",
["아기앙마"] = "RB:508/68%UM:258/31%",
["줄스"] = "CB:130/16%UM:249/30%",
["썩은사과"] = "CM:153/15%",
["무지개천사"] = "RM:567/62%",
["칠흑송곳니"] = "EB:511/82%EM:547/79%",
["장각"] = "UM:270/32%",
["Monk"] = "RM:624/72%",
["창고전문흑마법사"] = "CB:88/11%UM:346/40%",
["북명"] = "UM:228/28%",
["노리비"] = "CB:107/13%CM:144/13%",
["갈락투스"] = "UM:225/26%",
["미니미니미"] = "CM:226/22%",
["뱀눈가족"] = "CB:60/6%CM:149/14%",
["쌍화"] = "UM:390/42%",
["돌아온나나"] = "EB:687/86%EM:794/83%",
["그대안에블루"] = "UM:297/30%",
["베체르"] = "UM:435/47%",
["Grayswan"] = "EM:713/87%",
["마법의미르"] = "UB:109/31%RM:464/50%",
["신의권능"] = "UM:253/25%",
["포석약"] = "RM:534/55%",
["힐송송딜팍팍"] = "CB:137/17%RM:212/56%",
["도적칸"] = "RB:568/73%EM:725/76%",
["Emiyagukizza"] = "EB:552/77%EM:693/76%",
["큐피드"] = "EB:706/89%EM:898/92%",
["운장관우"] = "ET:240/79%EB:614/85%EM:730/86%",
["가음정"] = "RB:313/67%UM:113/32%",
["Francisco"] = "RB:324/63%EM:580/75%",
["Winner"] = "RT:424/69%EB:540/78%EM:742/87%",
["Devotlux"] = "RB:276/63%EM:682/83%",
["놀러온푸우"] = "CM:129/12%",
["Loop"] = "CM:30/2%",
["거미야"] = "UB:207/27%RM:246/61%",
["미스포츈리"] = "EB:568/78%EM:798/86%",
["별지기"] = "UT:124/45%UB:242/31%RM:672/71%",
["터니"] = "UM:300/30%",
["니이름머고"] = "RT:405/65%RB:444/71%RM:541/74%",
["사아샤아"] = "CM:36/2%",
["턴이전사"] = "UB:248/27%RM:595/64%",
["리츠원"] = "CB:100/12%UM:272/28%",
["Darkshield"] = "RM:554/64%",
["별빛가루"] = "RB:460/60%RM:606/63%",
["평생전사"] = "ET:289/87%EB:638/87%EM:867/93%",
["테니프리스트"] = "EM:553/87%",
["은마법사"] = "CB:156/21%CM:187/24%",
["닥힐"] = "UB:258/33%RM:500/55%",
["로니"] = "RM:332/63%",
["애기아빠"] = "RB:509/70%RM:487/53%",
["게리츠드루"] = "RB:113/53%RM:392/69%",
["맞나"] = "CM:170/16%",
["디아들후"] = "CB:196/23%RM:599/67%",
["Roguestone"] = "EB:714/90%EM:773/81%",
["내가니조수로보여"] = "ET:492/77%EB:433/90%EM:724/88%",
["린간성기사뿌뽕뿡"] = "EM:644/80%",
["팔라스톤"] = "EB:663/90%EM:768/83%",
["덩곰아님"] = "CM:27/0%",
["빵디"] = "UB:225/30%RM:490/55%",
["타이번하이시커"] = "UM:256/26%",
["공포의가면"] = "EB:583/76%EM:775/81%",
["암흑마법"] = "CB:59/6%CM:117/15%",
["최강드루"] = "EM:730/87%",
["순이"] = "RB:484/62%EM:914/93%",
["데꾸르"] = "RB:438/57%EM:707/75%",
["외로운여우"] = "CB:145/18%RM:631/69%",
["겨울나그네"] = "UB:313/42%CM:205/24%",
["제일검"] = "EB:494/76%EM:575/76%",
["Karasia"] = "RM:264/60%",
["드루시안"] = "RT:159/65%EB:425/76%EM:754/90%",
["우리집전마니"] = "RB:268/51%RM:330/55%",
["베타사제"] = "CT:164/19%CB:26/0%UM:285/29%",
["일마물약"] = "ET:536/81%EB:541/80%EM:734/86%",
["닥터아순잉"] = "LT:747/97%LB:749/97%SM:982/99%",
["프리마인드"] = "UT:216/29%RB:502/69%RM:553/62%",
["예가코케허니이"] = "CB:28/1%UM:325/33%",
["은빛사신"] = "RB:243/63%RM:368/68%",
["긔여븐우집사"] = "CM:199/23%",
["컬스전사"] = "CM:64/8%",
["샤르니얀"] = "CT:132/14%EB:600/83%RM:557/61%",
["대웅제약드루사"] = "ET:530/78%EB:521/84%EM:538/77%",
["Lawsz"] = "UT:122/45%RB:520/72%UM:314/33%",
["타우렌은내친구"] = "RT:455/59%RB:314/71%RM:613/68%",
["바닷빛하늘"] = "ET:347/89%UB:275/34%RM:532/55%",
["빛광성광"] = "ET:475/82%EB:594/86%EM:796/89%",
["빛나리여친"] = "UT:222/44%RB:453/68%EM:723/86%",
["교회흑마오빠"] = "UT:92/33%RB:450/58%EM:777/81%",
["모뤼치익"] = "CT:33/5%CB:136/15%CM:193/18%",
["김현주"] = "UM:375/42%",
["김익상"] = "UB:282/34%RM:703/74%",
["짜장큰사발"] = "ET:271/82%EB:693/88%EM:928/94%",
["보리봉봉"] = "RT:181/61%RB:391/50%RM:572/59%",
["라피르"] = "ET:259/77%EB:618/85%RM:658/72%",
["법사유니"] = "ET:247/77%EB:665/90%UM:349/37%",
["일상으로의초대"] = "RT:169/68%EB:502/81%EM:593/81%",
["당다란"] = "RT:443/70%EB:480/75%EM:632/80%",
["Wooh"] = "RB:482/67%RM:637/68%",
["붕대질대가"] = "UB:252/44%EM:651/81%",
["꼬꼬마탱커"] = "CB:61/11%UM:275/49%",
["뭉치야물어"] = "UB:312/39%RM:676/72%",
["열혈사제쿠"] = "RB:381/51%RM:564/62%",
["파우더키쓰"] = "CB:177/24%RM:472/56%",
["드루도쿵쿵따"] = "RT:198/65%EB:554/77%EM:760/83%",
["곰튕이"] = "RB:389/74%EM:572/79%",
["뭉치전사"] = "CT:17/3%RB:563/72%RM:460/73%",
["슬레이프"] = "UM:341/36%",
["불량악마"] = "CB:35/3%",
["일하자일해"] = "EM:648/84%",
["몸빵스톰"] = "EB:427/87%EM:709/85%",
["Modelpia"] = "ET:332/90%EB:604/85%EM:774/88%",
["그대의봄"] = "RT:172/66%RB:395/65%UM:146/39%",
["전사차도녀"] = "UT:271/49%RB:327/53%RM:541/74%",
["베스트드루"] = "EB:377/76%EM:521/77%",
["조선포수홍범도"] = "CB:163/20%UM:331/33%",
["탄산보리차"] = "CB:73/20%CM:58/6%",
["환웅치우천황"] = "RT:118/67%RB:333/70%EM:548/78%",
["최유화"] = "UB:357/46%RM:655/70%",
["Naissance"] = "ET:636/80%EB:624/88%RM:576/63%",
["푸돌스"] = "LB:724/95%LM:946/97%",
["관심있어요"] = "ET:698/91%LB:768/97%EM:884/94%",
["흑마유니"] = "RT:456/61%EB:598/78%RM:558/57%",
["새옹"] = "ET:357/83%EB:505/84%EM:570/79%",
["Nasgnome"] = "ET:616/88%LB:743/95%EM:769/88%",
["후아법사"] = "LB:558/95%RM:666/69%",
["무지개폭풍"] = "RM:452/52%",
["박진영"] = "RB:386/61%EM:614/83%",
["두통앤울버린"] = "UB:152/39%UM:231/26%",
["나이트배가본드"] = "RM:455/51%",
["트로트찰리포"] = "UM:363/42%",
["전사카드갈"] = "UM:378/44%",
["해리공주"] = "RM:473/53%",
["쪼꼬흑마"] = "RB:506/68%EM:778/81%",
["지영냥"] = "RB:393/51%RM:612/65%",
["젤리꿍"] = "UT:212/42%EB:576/83%EM:763/88%",
["이게뫼니"] = "UM:442/48%",
["크웡"] = "EB:602/88%EM:679/86%",
["가락토리"] = "EM:704/77%",
["천궁태민짱"] = "CM:26/0%",
["학꽁치"] = "RB:504/70%EM:834/93%",
["팔현이"] = "RM:682/72%",
["행복하였네라"] = "UB:332/43%RM:641/70%",
["살려줄께"] = "CB:35/1%UM:280/28%",
["구휘야놀자"] = "RB:430/56%EM:801/83%",
["헵번"] = "RB:381/73%EM:534/77%",
["숲의노래"] = "RB:391/74%EM:709/87%",
["레드카펫"] = "EB:442/84%RM:521/60%",
["전사의논리"] = "CM:215/22%",
["잡부사장"] = "CB:117/12%RM:509/54%",
["불량힐"] = "RB:507/70%RM:585/64%",
["섹시도발짱"] = "CT:59/10%RB:397/52%RM:662/72%",
["꼬시기달인"] = "UB:379/49%RM:551/58%",
["세상에이런드루"] = "RM:467/73%",
["버섯노움흑마"] = "CM:66/6%",
["갤포스"] = "RB:484/64%EM:754/79%",
["노을아리"] = "RB:223/52%RM:655/70%",
["다꼬"] = "EB:678/90%EM:788/89%",
["니케의꿈"] = "RM:342/65%",
["Oow"] = "EB:568/78%EM:711/78%",
["용쑨"] = "EB:645/84%EM:921/94%",
["법사동생"] = "CT:36/3%CB:123/15%RM:460/50%",
["마적"] = "RM:658/70%",
["외로운늑대님"] = "RB:313/68%EM:665/86%",
["Hester"] = "UM:437/45%",
["불난데부채질"] = "UB:291/49%RM:512/72%",
["기브미캔디"] = "CT:129/14%RB:407/55%RM:514/61%",
["빨간손톱"] = "RB:361/72%EM:508/76%",
["삿갓쓴토끼"] = "CB:125/13%UM:340/36%",
["고추김밥"] = "EM:790/82%",
["미라클슈터"] = "EM:739/78%",
["알새우칩"] = "CB:164/18%RM:546/60%",
["마법인걸"] = "CB:106/12%CM:143/13%",
["린스"] = "RM:371/59%",
["그레타"] = "RM:211/51%",
["쉰즈음에"] = "CB:186/22%RM:668/74%",
["Danity"] = "UM:284/33%",
["Oki"] = "UM:353/37%",
["Bucklux"] = "RB:424/58%RM:529/73%",
["흑마오빠"] = "UM:485/49%",
["나도도적"] = "RM:639/68%",
["라면"] = "LB:755/95%SM:1000/99%",
["이웃집여동생"] = "EB:710/91%EM:805/86%",
["왕소심도적"] = "UM:415/47%",
["내직업은마법사"] = "EB:706/91%EM:841/89%",
["여홍"] = "RM:209/59%",
["젤라짱"] = "UM:440/45%",
["시빌라"] = "EB:743/94%EM:801/83%",
["레이마"] = "RM:557/61%",
["주영하"] = "UM:326/34%",
["모의고사"] = "RM:516/55%",
["Hollister"] = "LB:767/97%EM:880/93%",
["그저걷고있는거지"] = "RM:517/61%",
["달빛으로"] = "RB:408/55%RM:595/66%",
["중둥이"] = "CB:77/6%RM:274/55%",
["클래식냥꾼캐릭"] = "RM:527/56%",
["리츠꾼"] = "UB:108/30%UM:406/41%",
["라떼보다힐"] = "RB:519/72%EM:754/82%",
["Guhara"] = "CB:33/1%RM:469/51%",
["똘배형"] = "UB:278/35%RM:666/69%",
["턴이법사"] = "CM:118/17%",
["차가운흑우"] = "EM:804/91%",
["블랙메탈"] = "RT:160/56%UB:283/34%RM:702/74%",
["장군멍군"] = "UM:143/28%",
["Gaho"] = "CM:159/21%",
["신선로"] = "CB:105/11%RM:551/61%",
["까까브네"] = "CM:27/0%",
["에일로스"] = "RB:457/60%RM:587/65%",
["펜리어"] = "CB:127/15%UM:437/45%",
["혈군주만도키르"] = "CM:66/11%",
["로리콘킹"] = "UB:362/42%RM:548/58%",
["제니더블"] = "CB:41/4%CM:49/3%",
["Ooz"] = "RB:411/68%EM:700/84%",
["보통의드루"] = "RB:534/74%UM:398/43%",
["타락죽"] = "CB:64/7%RM:610/67%",
["Ohceci"] = "UB:204/25%RM:502/55%",
["엘리드"] = "CB:178/21%CM:135/12%",
["전방사격"] = "CM:173/16%",
["엘리아나"] = "RM:356/58%",
["올리비아는튼손"] = "RM:520/58%",
["빠덜"] = "RB:451/59%RM:557/59%",
["Zooty"] = "UB:221/40%RM:460/74%",
["내직업은드루이드"] = "EB:507/81%EM:747/90%",
["하이시커"] = "UB:291/39%RM:543/59%",
["빛나으리"] = "EM:828/85%",
["갓김치"] = "EB:394/77%EM:597/82%",
["아미타"] = "EB:626/86%EM:710/77%",
["레깅스"] = "UB:392/49%RM:499/53%",
["팬츠"] = "CM:206/19%",
["늘빵"] = "UM:366/44%",
["알레리나윈드러너"] = "EB:601/78%RM:575/61%",
["바람직"] = "UB:331/42%UM:365/37%",
["배법사"] = "UB:268/36%UM:290/35%",
["마사하쿠"] = "EB:649/88%RM:677/74%",
["일년만놀자"] = "ET:224/79%EB:537/86%EM:544/77%",
["귀욤덩어리"] = "RB:545/72%RM:680/72%",
["긔여븐백발도사"] = "RM:527/58%",
["Honeybee"] = "UB:344/45%EM:718/87%",
["노란사제"] = "UB:352/46%RM:645/71%",
["Whiteblonde"] = "RB:415/54%RM:597/63%",
["늘낮"] = "RM:307/66%",
["Unotank"] = "ET:703/93%EB:715/93%RM:538/74%",
["실리더스윈드러너"] = "EB:692/88%EM:902/92%",
["뒷통수조심해"] = "CM:24/9%",
["푸른티티"] = "CM:59/4%",
["여화성기사"] = "UB:344/46%UM:372/39%",
["전사클래식"] = "EB:677/90%EM:862/93%",
["Zod"] = "RM:275/65%",
["라이스버거"] = "CM:171/15%",
["트릉트릉"] = "RB:193/51%UM:448/49%",
["드루김씨"] = "EM:757/89%",
["뿌릉뿌릉"] = "EB:546/76%EM:638/80%",
["성짱"] = "UB:289/37%RM:336/59%",
["빛나오리"] = "EM:717/76%",
["사망보험"] = "CB:54/4%UM:328/34%",
["혈전사"] = "RB:384/60%EM:681/83%",
["흑마솔리드"] = "RT:165/57%UB:252/31%UM:443/45%",
["Wish"] = "EB:496/79%EM:798/89%",
["해양"] = "RB:362/50%UM:316/33%",
["그림자신발"] = "CB:51/5%CM:89/8%",
["뒷발팡팡"] = "RM:610/65%",
["포도기사"] = "UM:367/40%",
["재숙이"] = "UM:374/44%",
["Dexxterll"] = "EB:725/91%EM:853/88%",
["곰곰베어"] = "EB:636/90%LM:877/95%",
["그레이스캘리"] = "RM:182/51%",
["청산비검무"] = "EB:747/94%EM:893/93%",
["엘프저격수"] = "CB:60/15%UM:421/43%",
["지방"] = "RM:517/54%",
["Worth"] = "UB:359/47%RM:512/56%",
["예언"] = "UM:465/47%",
["미니야"] = "LB:767/96%LM:928/95%",
["미스아제로쓰"] = "EB:611/78%EM:749/80%",
["질풍러시드루"] = "EM:508/76%",
["잔츠"] = "EB:718/90%EM:877/90%",
["한월"] = "CT:80/17%RB:258/50%RM:397/62%",
["설기절미"] = "RM:285/61%",
["사랑담은하마검"] = "UM:275/28%",
["개조심"] = "UB:224/29%UM:344/34%",
["북쪽마녀"] = "UB:326/43%CM:244/24%",
["청산여검무"] = "EB:736/93%EM:921/94%",
["엘프전사멋져"] = "CB:83/16%UM:279/49%",
["Theplusk"] = "UB:217/26%UM:456/48%",
["나엘킬러"] = "LB:738/96%LM:960/98%",
["보통의흑마"] = "RB:544/71%RM:589/61%",
["카넬링"] = "RB:408/55%EM:708/78%",
["꽝은내운명"] = "RM:499/52%",
["고독한늑대님"] = "CB:126/13%EM:468/82%",
["하이요오"] = "EM:568/76%",
["호야울트라"] = "RM:458/50%",
["섹시발랄짱"] = "UM:349/36%",
["공개"] = "RB:424/58%RM:469/52%",
["리키필립"] = "RB:467/70%EM:601/78%",
["오곡셰이크"] = "UB:268/33%RM:580/60%",
["나비혼"] = "EB:646/82%EM:876/90%",
["Rucas"] = "RM:374/67%",
["소맥먹는누나"] = "UM:448/49%",
["낸니"] = "EM:755/79%",
["두루두루해"] = "RB:344/71%RM:336/65%",
["부앵이"] = "EB:624/79%EM:723/77%",
["차반"] = "RM:462/50%",
["산타드루임"] = "EB:645/91%EM:800/91%",
["돌아온달님"] = "EB:666/84%EM:895/91%",
["예몽아놀자"] = "RM:444/50%",
["즐겨찾기"] = "UM:276/26%",
["빛의결속"] = "UM:401/43%",
["모카프레소"] = "CM:155/14%",
["마법보스"] = "EB:631/83%EM:689/75%",
["빛남"] = "LB:754/95%LM:958/97%",
["한유빈"] = "UB:204/26%RM:564/62%",
["프라즈마"] = "UM:304/31%",
["낭만늑대"] = "EM:739/78%",
["이노우에다케히코"] = "RB:421/65%EM:676/83%",
["보통의사제"] = "RB:460/63%EM:691/76%",
["드루오빠"] = "RM:390/68%",
["세오녀"] = "UB:331/44%RM:509/55%",
["동쪽마녀"] = "EB:575/76%RM:630/69%",
["진홍어둠"] = "CM:33/2%",
["번개아텀"] = "RB:478/63%EM:690/75%",
["복숭아맛소금"] = "RB:528/73%RM:593/65%",
["김신"] = "RB:490/72%RM:541/74%",
["백조맘"] = "RM:543/60%",
["미라클양"] = "RB:494/68%EM:736/80%",
["폭풍칼날도적"] = "UB:256/31%RM:581/62%",
["굿바이얄리"] = "EB:585/76%RM:675/72%",
["메기"] = "LB:762/96%LM:922/95%",
["종이컵"] = "RB:513/68%RM:641/68%",
["종루이드"] = "RT:407/56%EB:698/93%EM:778/84%",
["동막골전사"] = "EB:529/77%RM:470/68%",
["서자영"] = "RB:496/66%UM:391/42%",
["요망진아이"] = "UB:194/37%RM:449/66%",
["규느"] = "RB:559/71%EM:780/82%",
["전등"] = "RB:488/72%EM:697/84%",
["록콘롤"] = "UB:304/41%RM:603/64%",
["빠꾸형"] = "UB:265/29%UM:253/46%",
["신비한구멍"] = "UB:349/45%UM:409/44%",
["법사문"] = "UT:276/35%RB:464/65%UM:452/49%",
["지크프리드"] = "UB:268/29%RM:512/54%",
["박여사님"] = "UT:127/45%EB:696/89%EM:769/80%",
["산숲강바다"] = "CB:45/11%UM:422/43%",
["고전장경찰"] = "EB:559/77%EM:806/87%",
["리츠흑"] = "CB:128/17%CM:152/20%",
["링거스타"] = "UB:242/30%UM:337/33%",
["밀크셰이크"] = "UT:233/44%EB:586/82%EM:893/94%",
["하양사제"] = "LB:745/97%EM:892/94%",
["풍경"] = "CT:137/15%RB:467/64%EM:683/75%",
["와퍼주니어"] = "EM:575/76%",
["보랏빛여명"] = "CM:67/5%",
["다크포스"] = "EM:928/94%",
["실크"] = "UB:263/33%RM:605/67%",
["신황충"] = "UB:308/42%CM:217/20%",
["성녀비올"] = "UB:172/47%RM:363/62%",
["치킨우유"] = "CB:68/7%UM:448/46%",
["드랍더힐"] = "UB:260/33%RM:612/68%",
["라벤카"] = "RM:558/57%",
["히곰이"] = "EB:588/76%UM:319/32%",
["소리없는화살"] = "EM:707/75%",
["냉데드"] = "EB:657/85%EM:849/86%",
["허사제"] = "RM:443/67%",
["드루하나효"] = "EB:570/85%EM:830/93%",
["민지얌"] = "EB:385/82%RM:631/69%",
["Raina"] = "RB:304/51%EM:592/78%",
["남작리븐데염"] = "EB:665/85%EM:827/86%",
["공선수"] = "RM:697/74%",
["린의향기"] = "RT:202/73%EB:671/89%EM:653/82%",
["모모적"] = "UB:337/41%UM:385/40%",
["Songvely"] = "EB:541/75%RM:600/66%",
["네스흑"] = "UT:140/49%RB:559/73%RM:669/69%",
["사나사제"] = "UM:355/37%",
["소청"] = "CB:29/1%RM:625/67%",
["감상"] = "EB:719/91%EM:816/85%",
["망흑마"] = "CM:38/3%",
["타마키"] = "CM:174/18%",
["팔긴거봐"] = "RB:462/59%RM:660/70%",
["Beethoven"] = "RB:544/71%RM:544/58%",
["부활후유증"] = "EB:539/75%EM:694/76%",
["미쉘이"] = "RB:544/72%EM:834/86%",
["도예"] = "EB:668/89%EM:851/92%",
["진레이"] = "RB:397/52%UM:446/48%",
["각드루"] = "CM:197/19%",
["샤이닝소울"] = "EB:707/92%EM:866/93%",
["Ophelia"] = "UM:261/26%",
["질풍러시기사"] = "UM:388/41%",
["웨일라이더"] = "LB:734/96%LM:921/96%",
["미래에셋증권"] = "EB:461/77%EM:603/77%",
["계골"] = "CM:182/17%",
["각술사"] = "UM:151/35%",
["세브란스병원"] = "CB:172/20%UM:395/42%",
["잠공"] = "RM:596/64%",
["도검만입"] = "CM:199/20%",
["순찰대장"] = "RB:365/50%RM:500/56%",
["크즐루"] = "RB:494/73%EM:729/86%",
["보에몽드타란토"] = "UM:256/25%",
["언제또키워"] = "RB:427/56%RM:588/65%",
["아마라크로"] = "UM:350/37%",
["노움커여웡"] = "RB:469/62%UM:454/49%",
["도도한냥꾼"] = "UM:344/34%",
["한방다이"] = "EB:693/87%EM:742/78%",
["아드레날리"] = "LB:757/95%EM:920/94%",
["삼현이"] = "RM:643/71%",
["마법랑"] = "UB:261/33%UM:420/45%",
["라이트피치"] = "RB:463/64%EM:747/82%",
["복어드루이드"] = "EB:426/78%EM:635/86%",
["Cri"] = "CB:41/5%RM:292/51%",
["언홀리프렌지"] = "UM:333/34%",
["호드에게영광을"] = "CB:135/17%UM:331/39%",
["Ie"] = "CM:97/8%",
["도정"] = "UM:252/25%",
["각전사"] = "CM:39/5%",
["Ze"] = "CM:28/0%",
["허탱"] = "RM:494/70%",
["일렌"] = "RB:501/67%RM:567/62%",
["뚱에"] = "CT:8/7%UB:249/32%RM:475/52%",
["레미온사제"] = "UB:357/48%UM:447/48%",
["길법사"] = "EB:678/88%EM:875/91%",
["복내"] = "EM:697/76%",
["아벨"] = "EB:588/82%EM:704/85%",
["무상"] = "RB:516/66%EM:807/84%",
["훌둘둘"] = "EB:591/87%EM:810/92%",
["시기의밤"] = "UB:261/32%RM:508/52%",
["이루릴블랑셰"] = "CB:172/21%UM:468/48%",
["호두맛캔디"] = "RM:514/56%",
["오투맨"] = "RB:382/60%EM:566/76%",
["오월에눈이오면"] = "RM:328/64%",
["Agape"] = "UB:224/28%RM:612/68%",
["오에쓰"] = "CB:137/17%UM:369/39%",
["주작"] = "RB:430/74%RM:512/71%",
["Druidz"] = "EB:436/77%RM:449/72%",
["야월백호"] = "EB:633/82%EM:769/81%",
["Glen"] = "RB:526/73%EM:761/82%",
["브룬디"] = "RB:288/66%EM:577/80%",
["대관령개복치"] = "RB:150/52%EM:593/81%",
["야옹하고울어"] = "UT:321/42%EB:655/84%EM:791/82%",
["아마미야히카리"] = "EB:573/75%RM:546/56%",
["Eternalflame"] = "LB:780/97%LM:945/96%",
["내가네드스타크"] = "UM:405/41%",
["보고"] = "UB:282/34%RM:691/73%",
["신기다"] = "UB:300/39%UM:290/29%",
["우리흥마"] = "EB:611/79%EM:774/80%",
["Seizy"] = "EB:667/85%EM:791/82%",
["눈이부리부리"] = "SB:797/99%EM:835/89%",
["Unomagic"] = "RM:494/54%",
["Surinoel"] = "UB:260/32%LM:938/95%",
["나들이드루"] = "EM:672/85%",
["디버프"] = "RB:475/62%UM:447/45%",
["전설탱크"] = "RB:312/52%EM:568/76%",
["축복의형이"] = "UB:361/48%RM:516/56%",
["늘푸른향기"] = "LB:783/98%EM:917/91%",
["연진"] = "ET:318/90%EB:409/75%RM:478/74%",
["나탈리아리"] = "UB:307/42%RM:262/66%",
["라티"] = "RM:579/62%",
["한발만쫌"] = "RB:523/69%RM:697/74%",
["검은소매"] = "UB:309/39%RM:493/50%",
["메그레즈"] = "ET:658/90%EB:669/90%EM:835/91%",
["내가아리아스타크"] = "UM:303/31%",
["암흑스님"] = "RB:494/64%UM:476/48%",
["텔루나"] = "CM:51/3%",
["마가렛"] = "UB:221/27%RM:490/54%",
["데스가든"] = "CB:198/24%RM:604/65%",
["불꽃의노래"] = "EB:589/82%RM:651/72%",
["루아루"] = "EB:563/75%RM:609/67%",
["흑마다"] = "UB:341/43%EM:816/85%",
["쵸엔"] = "RB:507/67%RM:564/62%",
["탱커는소고기"] = "RB:311/51%EM:746/87%",
["청안령"] = "RB:396/51%RM:698/74%",
["Moza"] = "LB:760/95%EM:912/93%",
["파인퀸"] = "UM:313/31%",
["불곰탱"] = "EB:614/84%EM:689/76%",
["대머리노움법사"] = "EB:689/89%RM:624/69%",
["대박이의본능"] = "RB:426/56%RM:567/60%",
["가면가면"] = "RB:502/69%RM:601/66%",
["리원기제"] = "EB:665/86%EM:875/91%",
["소드엠패러"] = "UB:279/48%RM:539/74%",
["종북좌파"] = "EB:736/92%RM:757/73%",
["내직업은사냥꾼"] = "EB:717/91%LM:963/97%",
["와웅법사"] = "UM:403/43%",
["골드카비트"] = "UB:298/36%EM:736/77%",
["퐁퐁사냥꾼"] = "CM:28/1%",
["Karond"] = "CB:102/12%UM:453/49%",
["골든슈즈"] = "RB:499/64%EM:743/78%",
["Emtgw"] = "EB:570/75%RM:583/64%",
["흑마법사하니"] = "UB:328/41%RM:578/60%",
["링링소울"] = "EB:548/76%EM:713/78%",
["두통엔게보린"] = "RM:443/72%",
["그랜피딕"] = "EB:546/78%EM:650/81%",
["꾸늬"] = "RB:500/66%RM:557/59%",
["탁꽁이"] = "EB:649/84%EM:891/91%",
["레미온법사"] = "CM:31/1%",
["딱새"] = "EB:680/86%EM:759/79%",
["시연님"] = "EB:738/94%EM:901/93%",
["도끼부인"] = "EB:579/80%RM:570/62%",
["보리탱탱"] = "RB:402/67%EM:629/80%",
["대도가브"] = "RB:500/64%EM:835/86%",
["악담"] = "EB:677/92%LM:919/96%",
["마르세유"] = "EB:681/92%EM:848/90%",
["대마법사건휘"] = "UM:415/45%",
["구름과달빛사이"] = "RB:500/74%RM:488/70%",
["우샤스"] = "EB:648/88%EM:629/80%",
["신성한뿅망치"] = "RB:354/69%RM:479/69%",
["드루의리더"] = "RB:462/63%RM:565/63%",
["린주"] = "EB:588/82%EM:792/84%",
["긔여븐얼룩소"] = "UB:52/28%EM:594/81%",
["왕고환"] = "RB:410/53%RM:687/73%",
["뒤로탕"] = "RM:557/59%",
["제니퍼러브휴이트"] = "RB:455/62%RM:547/60%",
["니노예가되어줄까"] = "UM:423/46%",
["알기에프"] = "CM:34/2%",
["맨땅헤딩"] = "UB:355/48%RM:631/70%",
["규리아빠"] = "UB:216/26%UM:340/35%",
["타임킬링"] = "CM:37/3%",
["간후사"] = "CB:176/21%CM:234/23%",
["Youth"] = "EB:701/93%LM:919/95%",
["까망베르쥬"] = "RB:530/70%EM:817/85%",
["사랑방선물"] = "EB:672/86%RM:660/68%",
["그럼그렇지"] = "RB:559/74%RM:498/54%",
["정신나간드루"] = "RM:361/66%",
["흑마법사풀이요"] = "CM:29/1%",
["깔순"] = "EB:674/92%EM:849/91%",
["굿오픈"] = "RB:499/66%RM:583/64%",
["사제장군"] = "ET:761/92%SB:686/99%LM:925/96%",
["인생"] = "RB:561/72%EM:790/82%",
["생명의호엔하임"] = "RM:223/54%",
["루지오둘"] = "RB:432/56%EM:746/78%",
["리얼타이어드"] = "EB:713/90%EM:914/93%",
["물빵버억"] = "LB:749/95%EM:711/77%",
["샤이니투"] = "CM:191/19%",
["따냥꾼"] = "RB:484/64%EM:787/82%",
["에리히"] = "RB:498/66%UM:396/42%",
["Fatum"] = "RB:461/63%UM:430/46%",
["리오레우스"] = "EB:561/80%RM:470/68%",
["탈리아"] = "RB:552/73%EM:805/86%",
["새매의공작"] = "UB:382/49%RM:511/54%",
["낙선"] = "RB:399/50%RM:642/68%",
["존휙"] = "UM:369/38%",
["하늘오름"] = "RB:479/63%UM:429/44%",
["똥이날다"] = "CB:162/20%UM:264/27%",
["뒷방늙은이"] = "UB:265/34%RM:488/53%",
["구렌켄"] = "EB:615/85%EM:820/91%",
["로코라핀"] = "RT:178/60%RB:300/60%RM:406/65%",
["강철뚝배기"] = "UM:238/44%",
["유타"] = "UB:352/44%RM:643/69%",
["돌탕"] = "EB:654/84%EM:764/79%",
["마스체니"] = "RB:395/54%EM:702/77%",
["둔산"] = "RM:552/61%",
["볼터진마녀"] = "RM:612/65%",
["아메으리카노"] = "UM:456/49%",
["초특급드루"] = "RB:324/69%EM:691/86%",
["압박골절"] = "EB:621/85%RM:428/64%",
["허꺼덕"] = "UB:207/26%RM:469/51%",
["저기요"] = "EB:676/85%EM:714/75%",
["덤더미"] = "UM:261/47%",
["아직도와우허냐"] = "UB:346/46%UM:396/42%",
["쓰랄부랄친구"] = "RB:465/61%RM:518/55%",
["간지러버"] = "UB:190/36%RM:311/53%",
["고글마스터"] = "UB:357/44%UM:391/41%",
["Jjing"] = "UB:237/30%RM:635/70%",
["쫄졸이"] = "RB:505/70%RM:612/68%",
["촉수"] = "UB:314/35%UM:363/37%",
["낭만두부"] = "UB:369/48%RM:486/53%",
["이샤나"] = "EB:728/92%EM:831/86%",
["데스티"] = "EB:584/75%EM:809/84%",
["Lachiana"] = "CM:213/20%",
["자룡부인"] = "UM:387/39%",
["드루향기"] = "EB:602/88%EM:673/85%",
["Babycat"] = "RB:366/72%",
["황천길안내자"] = "EB:563/80%EM:854/92%",
["앙칼라곤"] = "UB:360/48%RM:479/52%",
["바람과나"] = "RB:301/70%RM:519/57%",
["느림보치타"] = "UB:248/31%CM:168/15%",
["힐안주면스토킹"] = "RB:433/55%RM:651/69%",
["이쁜땅콩"] = "EB:746/94%RM:681/71%",
["무한연속지휘크리"] = "EM:633/79%",
["애정이"] = "UB:332/44%RM:466/51%",
["신검"] = "LB:758/95%SM:1021/99%",
["달려힐줄께"] = "UM:443/48%",
["뻥쟁이"] = "RB:554/73%EM:748/81%",
["스타러브"] = "RB:486/64%RM:635/68%",
["아르티옴"] = "UB:306/40%RM:692/73%",
["삼촌이야"] = "RB:476/62%RM:557/57%",
["냥꾼창고"] = "EB:590/77%RM:629/67%",
["초쿄케이크"] = "RB:482/62%RM:476/50%",
["짜곱할배"] = "CM:193/18%",
["드루누나"] = "RB:396/53%EM:676/75%",
["길다"] = "RB:481/63%UM:310/31%",
["Dekerm"] = "UM:317/33%",
["냥꾼그림슨"] = "RM:519/55%",
["트둥"] = "EB:642/87%EM:738/87%",
["앤시아"] = "EB:734/92%LM:950/96%",
["전사풀이요"] = "RB:332/54%EM:689/84%",
["금위대장"] = "UB:363/46%RM:550/58%",
["뚱뚜르"] = "EB:596/83%EM:758/83%",
["엘프드루"] = "RB:352/71%EM:531/76%",
["사랑스런그녀"] = "EB:615/84%EM:867/92%",
["풀마루"] = "RB:289/67%RM:451/72%",
["별빛향기"] = "RB:456/60%RM:532/58%",
["사자뭉치"] = "CB:27/1%UM:465/49%",
["데쓰로드"] = "RB:409/56%RM:195/54%",
["뽀득"] = "LB:666/98%EM:773/83%",
["마사곰"] = "CB:27/0%",
["곡궁"] = "CB:111/13%CM:65/5%",
["미니몬"] = "CB:176/24%CM:64/6%",
["란제리"] = "CB:201/24%CM:227/21%",
["드루걸"] = "EB:409/75%EM:619/82%",
["선빵법사"] = "RB:396/56%RM:565/62%",
["휘파람처녀"] = "UB:305/40%UM:380/40%",
["드리바거"] = "EB:703/89%EM:832/86%",
["땡큐마담"] = "EB:633/80%EM:843/88%",
["투얘"] = "ET:674/91%EB:650/89%RM:451/67%",
["Darktemplar"] = "EB:663/84%EM:890/91%",
["달빛창가"] = "UB:221/27%RM:603/62%",
["두리기사"] = "EB:682/92%EM:823/88%",
["인성이글러먹은자"] = "CB:103/12%",
["수호천사아저씨"] = "UB:129/29%RM:294/51%",
["Bibleblack"] = "EB:672/86%UM:352/36%",
["라면먹고가라"] = "RB:436/71%RM:522/72%",
["달빛그림자"] = "CB:78/7%UM:333/39%",
["라이언하르트"] = "CB:55/5%UM:423/46%",
["문채희"] = "RB:452/58%UM:455/48%",
["태초의냥꾼"] = "RB:514/68%RM:667/71%",
["전사휘민"] = "CB:12/1%UM:250/45%",
["인내"] = "RB:386/52%RM:648/71%",
["전투드루이드"] = "CB:111/12%",
["초량아랫마을"] = "RB:218/61%RM:133/62%",
["해뜨니"] = "RB:434/54%RM:313/53%",
["요조숙녀"] = "UB:319/42%RM:504/55%",
["귀연놈"] = "CB:104/11%UM:124/38%",
["베스트흑마"] = "UB:325/43%CM:211/21%",
["주댕"] = "EB:661/86%EM:731/79%",
["Kikikirin"] = "UT:94/36%EB:644/84%EM:668/77%",
["슈퍼쥐"] = "UT:221/44%EB:574/81%EM:755/87%",
["힐업"] = "RB:433/59%CM:234/23%",
["두리마법사"] = "EB:728/93%EM:836/88%",
["Johns"] = "EB:595/88%LM:887/95%",
["만두사제"] = "UT:149/47%UB:347/46%UM:71/45%",
["Guccll"] = "RB:360/57%EM:591/78%",
["라이광스"] = "EB:609/88%EM:738/88%",
["왜그러는데"] = "RB:268/65%RM:178/52%",
["드루이트"] = "EB:452/78%EM:611/82%",
["Llensia"] = "EB:691/88%RM:595/61%",
["잔프"] = "EB:725/94%EM:889/94%",
["미니양"] = "LB:783/98%LM:940/96%",
["Ghoststar"] = "EB:490/88%RM:588/62%",
["배째냥꾼"] = "UB:344/48%UM:317/31%",
["참빗"] = "RB:404/55%RM:458/50%",
["주방"] = "EB:650/85%EM:705/77%",
["흑구르"] = "UB:362/46%UM:448/45%",
["겔릭"] = "EB:552/84%EM:481/75%",
["도검마스터"] = "RB:569/73%RM:673/72%",
["Tant"] = "EB:415/75%RM:404/69%",
["빨간나무"] = "CM:126/10%",
["푸른하늘빛은하수"] = "RM:200/58%",
["엘프그림자"] = "UM:291/29%",
["복어사제"] = "UM:348/37%",
["야발소녀전수진"] = "UM:407/48%",
["청단이"] = "RB:468/61%RM:597/62%",
["미스삼백"] = "RB:571/73%EM:738/78%",
["국화낭자"] = "RB:414/64%EM:604/78%",
["쓱쓱"] = "EB:673/86%EM:831/86%",
["용맹기사"] = "EB:580/85%EM:723/85%",
["술사"] = "EB:513/80%EM:738/85%",
["홍스홍스"] = "LB:727/96%EM:848/91%",
["잔쓰"] = "EB:631/87%EM:838/90%",
["낭만마차"] = "RB:476/63%RM:538/59%",
["스토리보그"] = "EB:666/85%RM:692/72%",
["코리이헌터"] = "EB:742/93%EM:812/84%",
["샤브샤브"] = "RB:514/71%RM:654/72%",
["술사와"] = "EB:613/84%EM:694/76%",
["호수전사"] = "EB:631/86%EM:813/90%",
["뽀순"] = "RB:534/70%UM:358/36%",
["다캐"] = "EB:661/83%CM:202/20%",
["고양이홀릭"] = "EB:727/92%EM:847/87%",
["법풀도풀"] = "EB:710/91%EM:806/86%",
["얼음딜도좋네"] = "EB:596/79%EM:817/87%",
["시한"] = "LB:779/97%EM:919/93%",
["Blackcoast"] = "UB:227/31%RM:622/64%",
["까무잡잡"] = "RB:461/69%EM:732/86%",
["곰스톤"] = "EB:675/91%EM:802/86%",
["묘사신"] = "EB:613/85%EM:744/81%",
["김사탕"] = "EB:573/75%CM:228/23%",
["무심한인사"] = "RM:530/56%",
["바딘"] = "CB:28/1%CM:136/16%",
["엔딩"] = "CM:197/18%",
["나려요"] = "EB:644/87%EM:779/89%",
["마법소녀린이"] = "CM:114/10%",
["태극전사"] = "ET:586/84%EB:582/84%EM:537/78%",
["죠니워커블루라벨"] = "CM:26/0%",
["지켈"] = "ET:390/93%EB:709/93%EM:677/85%",
["동고"] = "UB:306/40%UM:424/46%",
["전속냥"] = "RB:459/60%CM:154/14%",
["앗싸가브리"] = "RB:398/54%CM:184/17%",
["Asin"] = "CM:160/15%",
["둥이사냥"] = "CB:30/1%UM:392/44%",
["아라리요"] = "UB:287/38%UM:441/49%",
["와과장"] = "ET:607/86%EB:644/88%EM:505/76%",
["사랑하기좋은힐러"] = "RB:423/58%UM:367/39%",
["밀그레인"] = "EB:421/86%EM:763/88%",
["맹독성마누라"] = "EB:632/80%EM:884/90%",
["초화"] = "UM:441/46%",
["카이엔"] = "EB:554/84%RM:487/70%",
["은빛노을"] = "UB:314/38%RM:619/66%",
["흑색창기병대"] = "RB:241/66%UM:171/33%",
["똘배기사"] = "UB:211/26%UM:296/30%",
["Cordelia"] = "CM:54/3%",
["토끼와사냥꾼"] = "UM:399/45%",
["돌아버리겠네"] = "RM:696/74%",
["김형자"] = "CB:150/16%UM:362/38%",
["피할수없는냥꾼"] = "RB:555/73%EM:736/78%",
["Sisyphe"] = "EB:527/76%EM:734/86%",
["달빛여신님"] = "EB:611/88%RM:439/72%",
["칭즈"] = "EB:608/80%EM:835/88%",
["낵타"] = "RB:467/61%RM:562/58%",
["탱해보자"] = "EB:457/78%RM:264/59%",
["양언니"] = "EB:570/79%EM:714/78%",
["부송이"] = "EB:734/93%EM:785/82%",
["수정"] = "EB:576/79%EM:699/76%",
["너는내조각"] = "EB:735/93%EM:891/91%",
["Vesta"] = "LB:741/95%LM:904/95%",
["힘은등빨로부터"] = "UT:118/27%EB:609/77%EM:892/94%",
["보통의법사"] = "EB:575/76%EM:720/78%",
["Snowleopard"] = "EB:639/92%EM:833/94%",
["시티"] = "ET:497/76%EB:640/87%EM:628/80%",
["미가엘준"] = "RB:327/69%RM:267/59%",
["달빛연가"] = "EB:538/77%RM:539/74%",
["매맞는별냥"] = "RB:447/68%EM:627/80%",
["나우시카"] = "RB:355/57%EM:581/77%",
["Enumaelish"] = "EB:669/91%EM:757/83%",
["이무기드루"] = "RB:346/71%RM:466/70%",
["소주한잔그리울때"] = "EB:404/75%",
["엘체니아아스모데"] = "UM:283/29%",
["위하이"] = "EB:546/76%EM:719/79%",
["무적홍스"] = "EB:739/93%EM:771/80%",
["오크전"] = "UB:324/37%UM:241/44%",
["실핀"] = "RM:629/69%",
["멀록싫어"] = "EB:614/84%EM:822/88%",
["Nanny"] = "EB:740/93%EM:851/88%",
["어느전사"] = "EB:723/91%EM:897/92%",
["Darkforce"] = "LB:770/96%LM:969/98%",
["힐받음내남자"] = "LB:723/96%EM:784/85%",
["괴도루이팡"] = "RM:609/65%",
["변신천재"] = "EB:623/85%EM:780/84%",
["아랑이"] = "EB:662/85%EM:787/82%",
["흑단풍"] = "EB:553/94%EM:738/80%",
["에너벨리"] = "UM:323/33%",
["헤이즈"] = "EB:657/83%EM:923/92%",
["댕주"] = "RM:520/72%",
["간월"] = "RM:460/50%",
["어설픈사제"] = "EB:588/82%EM:689/76%",
["라이어님"] = "RB:362/58%EM:614/79%",
["당면"] = "RB:536/69%RM:685/73%",
["노엄"] = "UM:209/40%",
["놀고보자"] = "EB:610/79%RM:580/60%",
["신은"] = "UM:373/39%",
["혈흑마"] = "RB:567/74%RM:610/63%",
["비루야"] = "EM:725/76%",
["힐기다리지마욧"] = "RB:497/69%RM:541/60%",
["쥬네스타"] = "RT:314/56%EB:594/83%EM:719/86%",
["레드블럭"] = "RB:511/71%CM:179/17%",
["귀혼"] = "RT:154/57%EB:712/90%EM:836/89%",
["법사여"] = "SB:803/99%SM:1043/99%",
["사비나앤드론즈"] = "EB:616/84%EM:884/93%",
["불타는야성"] = "CB:117/14%UM:429/44%",
["헥토르냥꾼"] = "RB:433/56%RM:595/63%",
["배려형아"] = "EB:615/85%EM:754/87%",
["미리다기전"] = "RB:439/57%EM:739/77%",
["우국신삼"] = "RB:400/51%RM:600/62%",
["나사라스"] = "CB:40/5%CM:66/10%",
["살살해주세요"] = "UB:335/44%EM:779/85%",
["도적여"] = "EB:692/87%EM:821/85%",
["사단변신몽둥이"] = "RB:398/74%RM:376/68%",
["토파즈헌터"] = "LB:753/95%EM:890/91%",
["원쓰"] = "RB:523/72%EM:713/78%",
["갸또마시따"] = "UB:366/48%RM:519/57%",
["쉐도우킹"] = "UM:333/34%",
["Jackywizard"] = "CM:94/8%",
["무드셀라"] = "RB:481/63%RM:699/74%",
["소소사제"] = "UB:365/49%RM:586/65%",
["흑단이"] = "CM:31/2%",
["여름하늘"] = "CB:148/17%UM:367/39%",
["프리스트헬가"] = "UB:189/46%CM:227/22%",
["산봄들고모다"] = "CB:128/16%UM:432/44%",
["소서러슈프림"] = "EB:647/84%EM:918/94%",
["핑크레몬"] = "UM:339/35%",
["여화"] = "EB:544/76%RM:617/68%",
["쿨파스"] = "UM:345/36%",
["쌈칠이"] = "CB:28/1%UM:330/33%",
["초월전사"] = "RB:542/69%EM:728/77%",
["주연발"] = "RT:380/51%EB:383/77%RM:674/72%",
["탕수육소스는부엉"] = "EM:809/91%",
["암령"] = "CB:163/19%RM:551/59%",
["Ssoloplay"] = "RM:585/64%",
["드워프냥꾸니"] = "EM:774/81%",
["마이의불고기버거"] = "UB:244/30%RM:583/62%",
["노마크"] = "UM:134/27%",
["준비하시고쏴"] = "EM:882/90%",
["타이산"] = "EB:743/93%EM:868/89%",
["유채"] = "EB:569/79%EM:741/81%",
["오릿적제이나"] = "EB:740/94%EM:833/88%",
["섀도우퓨리"] = "EB:555/79%EM:809/90%",
["달빛이슬맺힌검"] = "EB:652/88%EM:781/89%",
["블루캡틴"] = "LB:747/95%EM:808/86%",
["Dgk"] = "LB:773/97%EM:911/93%",
["대홍단왕감자"] = "EB:671/86%EM:720/76%",
["따끔"] = "LB:754/95%SM:1053/99%",
["라쿤이호기"] = "UB:286/37%UM:307/32%",
["오짱"] = "EB:627/81%EM:760/79%",
["연달"] = "EB:656/89%EM:718/79%",
["힐넣어"] = "UM:286/29%",
["사선의감시자"] = "CB:199/24%UM:438/45%",
["아야미스"] = "EB:616/80%EM:839/87%",
["보루꾸"] = "UM:272/36%",
["양말이"] = "LB:760/95%LM:962/97%",
["신기한드워프"] = "CB:163/18%RM:619/68%",
["깔순버억"] = "EB:693/87%RM:562/60%",
["서큐만세"] = "CB:28/1%CM:152/15%",
["달래냥"] = "EB:625/81%EM:754/79%",
["낙서"] = "CB:98/11%UM:440/46%",
["노네임드"] = "CT:36/2%UB:274/35%RM:464/68%",
["상향"] = "CB:103/12%CM:181/18%",
["별의여행자"] = "EB:486/80%EM:735/91%",
["Warriorchun"] = "RB:470/59%RM:599/64%",
["흑마의하루"] = "RM:567/58%",
["망술사"] = "CB:41/3%UM:384/41%",
["투척무기"] = "UM:295/30%",
["아루양"] = "RB:435/59%RM:659/73%",
["뱅돌"] = "RB:494/73%EM:642/81%",
["샤낭꾼"] = "CT:138/17%UB:314/42%RM:572/63%",
["후니법사"] = "LB:757/95%EM:908/94%",
["마르가"] = "UM:250/25%",
["지아가엄청이뻐"] = "CM:153/15%",
["나들이"] = "EB:741/93%EM:831/86%",
["봉마시"] = "UB:223/27%EM:687/76%",
["크라잉소울"] = "CM:121/11%",
["폰발렌타인"] = "UB:360/46%RM:485/51%",
["해피냥꾼"] = "EB:618/81%EM:716/76%",
["야기자"] = "UB:339/44%UM:375/40%",
["세이란"] = "CM:92/8%",
["수양간호사"] = "UB:254/32%RM:670/74%",
["연서아"] = "EB:606/84%EM:796/86%",
["미르흑"] = "UB:270/34%UM:417/42%",
["제이크"] = "CB:140/17%CM:140/13%",
["만년전사"] = "RM:618/66%",
["아발록스"] = "RB:440/60%EM:703/77%",
["돌배냥"] = "RB:491/64%RM:677/72%",
["굿바이"] = "RB:530/73%EM:690/75%",
["시다모"] = "RB:416/57%UM:327/34%",
["할리로드킹"] = "CB:134/16%UM:425/46%",
["김해공항"] = "RB:531/74%RM:608/67%",
["닥치고잡자"] = "EB:587/82%EM:830/91%",
["미스에스"] = "EB:750/94%LM:938/95%",
["마이의치즈버거"] = "RB:450/62%RM:587/65%",
["하얀정령"] = "RB:473/64%UM:415/43%",
["라벤더향기"] = "RB:395/53%RM:499/55%",
["도랏네"] = "EB:549/76%RM:540/59%",
["리지백"] = "UB:272/34%RM:615/64%",
["윤채르니"] = "UB:369/47%RM:663/69%",
["율이아빠"] = "UT:115/37%EB:542/75%EM:676/75%",
["리하이"] = "UB:300/38%UM:445/45%",
["놈리건사탕가게"] = "CB:113/14%UM:471/48%",
["크왕"] = "EB:569/87%RM:462/70%",
["러브스위츠"] = "CB:92/11%RM:485/51%",
["이니샬뒤"] = "UB:316/41%UM:300/31%",
["한사롱"] = "RM:515/72%",
["조지나"] = "EB:587/75%EM:844/87%",
["아리아리까뮤"] = "CB:116/14%CM:99/10%",
["카자구구"] = "EB:709/90%EM:771/81%",
["타르초"] = "EB:577/83%EM:577/76%",
["또다시고고"] = "CM:79/10%",
["관대한사제"] = "EB:557/77%EM:786/86%",
["율무차"] = "EB:711/90%EM:883/91%",
["호드입니다"] = "UM:348/40%",
["쭈님"] = "CB:33/1%UM:401/49%",
["변신하면안되나요"] = "EB:640/87%RM:646/72%",
["알곰"] = "SB:846/99%LM:961/97%",
["본좌"] = "EB:646/82%EM:910/93%",
["순수벼리"] = "EB:422/75%RM:403/69%",
["김석"] = "EB:668/92%EM:853/94%",
["메탈블루"] = "LB:768/97%EM:826/87%",
["아이슈"] = "CM:206/21%",
["Wrong"] = "RB:539/69%RM:690/73%",
["사미미"] = "EB:621/86%RM:542/60%",
["애기할배"] = "UM:376/38%",
["다크코아"] = "CB:121/14%UM:407/43%",
["미안하다조드다"] = "EB:551/76%RM:631/70%",
["테레사숙녀"] = "UB:339/45%UM:451/49%",
["레미온도적"] = "CB:178/21%UM:413/43%",
["쏘주한잔"] = "RM:477/52%",
["라일락향기"] = "CM:39/2%",
["리밍"] = "RB:529/70%LM:960/96%",
["Sandi"] = "EB:690/88%EM:720/75%",
["네르세스"] = "RB:521/72%RM:636/70%",
["어머짐승"] = "RM:428/71%",
["삐뽀사루겟츄"] = "RB:565/72%EM:882/90%",
["Imhunter"] = "RM:606/64%",
["길규"] = "CB:29/1%CM:203/19%",
["자극제"] = "EB:492/80%EM:561/79%",
["대디"] = "RB:329/70%EM:827/92%",
["푸레디머구리"] = "RB:478/63%RM:648/69%",
["Hellmage"] = "UB:330/44%UM:208/25%",
["Naoko"] = "CB:196/24%CM:123/11%",
["힘찬하이"] = "UM:338/35%",
["루사카"] = "RM:693/73%",
["흑마덕송"] = "EB:698/89%EM:842/87%",
["회뜨는도적"] = "EB:648/82%EM:808/84%",
["뒤에서쏴"] = "EB:621/81%RM:685/73%",
["향기봅사"] = "UB:257/33%UM:402/43%",
["잠이무척와"] = "UM:306/31%",
["맷돌순두부"] = "EB:653/83%EM:826/85%",
["어디한번죽어봐"] = "RB:471/65%RM:297/56%",
["바로카페"] = "EB:710/94%RM:456/50%",
["장끌로드분당"] = "EB:552/79%RM:445/66%",
["조선일보"] = "RB:395/51%RM:580/62%",
["보서제영"] = "EB:425/85%RM:490/53%",
["바람산양탄자"] = "RB:384/73%RM:509/57%",
["많이아포"] = "RM:461/50%",
["망치민"] = "CB:81/9%EM:711/75%",
["도둑노움"] = "CB:186/22%RM:601/64%",
["형바쁘다"] = "EB:579/84%EM:759/88%",
["흑마제냐"] = "RM:495/51%",
["유리시나"] = "LB:721/96%EM:872/93%",
["얼러리"] = "RB:483/63%RM:625/65%",
["무쇠대머리"] = "RM:545/74%",
["바르디슈"] = "UB:295/38%RM:484/52%",
["막판역전"] = "CM:34/2%",
["기사단장"] = "RB:463/64%RM:489/53%",
["시스헌터"] = "CM:217/21%",
["기야"] = "RB:454/62%RM:559/62%",
["으힛"] = "RT:496/66%EB:614/81%EM:773/83%",
["뉴비전사"] = "UM:186/36%",
["드루이드"] = "EB:528/83%EM:691/86%",
["훌눌눌"] = "RB:519/68%RM:658/68%",
["브뤼셀할와머니"] = "EB:606/80%EM:851/89%",
["열현이"] = "EB:639/83%EM:886/91%",
["까꿍메롱"] = "EB:633/86%RM:525/73%",
["귀엽다고만지지마"] = "CB:28/2%RM:419/64%",
["천향"] = "RB:478/66%RM:655/72%",
["용산이효리"] = "CB:66/7%CM:222/22%",
["쿤에드안"] = "EB:663/85%LM:944/96%",
["골때리는법사"] = "LB:751/95%LM:969/98%",
["북녘골미녀"] = "RT:431/70%EB:649/88%EM:824/91%",
["Moozi"] = "RB:532/68%EM:805/90%",
["도독늠"] = "CM:241/24%",
["여자의적음적"] = "UM:270/26%",
["돌배이즈백"] = "CM:168/15%",
["출에굽기"] = "RM:321/58%",
["좋은딜"] = "UB:330/40%RM:632/67%",
["소군"] = "EB:616/80%RM:528/53%",
["호야엄마"] = "EB:690/88%RM:700/74%",
["모험왕"] = "CB:90/10%CM:61/8%",
["아따쑤셔"] = "CB:54/5%UM:382/40%",
["율리기사"] = "CB:183/21%UM:281/28%",
["Ziva"] = "EM:756/89%",
["이명"] = "UM:429/46%",
["Corr"] = "UB:219/40%EM:604/78%",
["휘광이"] = "EB:631/83%EM:833/88%",
["Lunarbear"] = "CM:29/1%",
["전설의별"] = "UB:365/47%RM:539/57%",
["세릴다"] = "UB:363/43%RM:674/72%",
["달의샘"] = "EB:721/91%LM:943/95%",
["로얄밀크티"] = "RB:456/62%RM:671/74%",
["두빵"] = "RB:457/63%UM:366/39%",
["아따요"] = "UB:237/30%RM:523/57%",
["로라장"] = "RB:530/70%RM:683/72%",
["에카트리나"] = "EM:677/75%",
["많이아파요"] = "RM:493/50%",
["한드루"] = "EB:577/86%EM:750/89%",
["설류화"] = "RB:452/60%EM:731/75%",
["나펠리아"] = "EM:766/80%",
["허영의빛"] = "RB:511/71%RM:631/69%",
["Jessi"] = "RB:441/67%RM:475/69%",
["솔연"] = "CM:225/23%",
["Simmons"] = "UB:311/39%UM:357/36%",
["궁디랑"] = "EB:688/87%EM:734/78%",
["민과니"] = "ET:563/82%EB:591/84%EM:756/88%",
["돌체의법사"] = "RB:491/65%EM:701/76%",
["반데터스"] = "EB:621/79%EM:819/85%",
["물땅"] = "UM:285/29%",
["아련"] = "UB:218/26%UM:457/48%",
["잘해요"] = "UB:289/37%UM:400/43%",
["농협중앙회"] = "CB:72/8%UM:361/37%",
["코코닷"] = "UB:238/29%RM:590/63%",
["힐못하는사제"] = "CB:147/17%RM:553/61%",
["얼라이연스"] = "CB:60/6%RM:583/62%",
["아뮤"] = "UB:318/41%RM:511/56%",
["Raskal"] = "EB:725/94%EM:872/93%",
["화뮬란"] = "EB:519/76%EM:614/79%",
["Overkill"] = "CB:102/10%CM:163/15%",
["독한게뭐야"] = "RB:74/52%CM:17/7%",
["바람둥이지태"] = "RB:489/67%RM:601/66%",
["초코렛뜨"] = "UB:366/47%CM:243/24%",
["노예전사"] = "RB:513/65%RM:549/58%",
["이름없는신"] = "EB:589/81%EM:691/76%",
["부베의연인"] = "CB:61/6%CM:203/19%",
["매직샵"] = "UM:336/35%",
["현무의빛"] = "UB:377/49%RM:648/71%",
["발발"] = "LB:754/97%LM:915/95%",
["겨울눈꽃"] = "EB:599/78%EM:710/75%",
["다흰"] = "EB:567/78%EM:693/76%",
["슬라보야지젝"] = "EB:714/91%EM:753/78%",
["방구난사"] = "RB:416/59%RM:553/65%",
["물빵원조맛집"] = "UB:357/46%RM:601/66%",
["행복의시작"] = "EB:718/91%EM:822/85%",
["오여사"] = "UB:291/35%RM:644/69%",
["강돌진"] = "RB:386/61%EM:665/82%",
["불타는법사"] = "CM:220/22%",
["오맨"] = "EB:713/89%EM:809/84%",
["니코크드만"] = "CB:93/11%UM:458/48%",
["니꺼내꺼내껀내꺼"] = "RM:481/51%",
["천사의소생"] = "RB:430/59%RM:516/57%",
["실번선장"] = "RB:424/54%RM:661/70%",
["람새스"] = "UB:280/35%RM:559/59%",
["적풍"] = "RB:477/61%EM:762/80%",
["Housecal"] = "RB:384/60%RM:534/73%",
["크리"] = "CM:110/10%",
["포비돈"] = "RM:562/62%",
["켐트레일"] = "EM:516/76%",
["장독"] = "RM:319/59%",
["추억소환"] = "RB:530/69%RM:643/67%",
["쵸코하임"] = "RB:527/69%EM:714/75%",
["가끔은행복"] = "UT:121/46%UB:327/44%UM:418/47%",
["잉히히"] = "RB:495/73%EM:615/79%",
["코오디"] = "RB:473/60%CM:169/17%",
["원두"] = "RM:560/62%",
["Jonnassae"] = "UB:251/44%RM:508/71%",
["라우라"] = "RB:457/63%RM:673/74%",
["톼이스"] = "EB:574/76%EM:728/79%",
["네이드"] = "CB:165/19%RM:472/74%",
["윤보영"] = "EB:604/83%RM:679/74%",
["윤빵"] = "RM:471/51%",
["넵적"] = "EB:678/85%LM:948/96%",
["루룰루룰룰루"] = "CB:137/16%UM:307/30%",
["체인풀러"] = "RB:437/60%RM:603/66%",
["만랩달성"] = "CM:136/13%",
["해커스"] = "EB:438/77%EM:660/83%",
["개용진"] = "EB:598/78%EM:855/88%",
["춤추는죽음"] = "EB:673/86%EM:729/76%",
["심심풀이사냥꾼"] = "UM:448/46%",
["허술도적"] = "CB:27/0%UM:306/31%",
["대박이의용트림"] = "UB:278/35%CM:200/19%",
["쥬히"] = "EB:657/84%EM:840/87%",
["게용진"] = "RB:419/64%EM:638/81%",
["쓰랄과대적하는자"] = "EB:703/92%LM:918/95%",
["은빛의가츠"] = "EB:665/84%EM:868/89%",
["Nobleman"] = "EB:568/83%EM:675/82%",
["파주"] = "UB:266/34%RM:616/68%",
["용인특별시"] = "RB:488/67%EM:837/90%",
["연말연시"] = "CB:113/14%RM:500/51%",
["Century"] = "RB:498/66%RM:588/65%",
["개잣"] = "RB:455/59%RM:690/73%",
["나흑"] = "RB:448/58%RM:673/70%",
["오키랑"] = "UM:257/25%",
["프로트"] = "UB:133/27%UM:248/45%",
["골계"] = "UB:239/30%RM:582/64%",
["죽음의물결"] = "UB:336/42%RM:503/53%",
["Xe"] = "CM:29/1%",
["츄르츄"] = "UB:384/49%RM:629/67%",
["볼튼"] = "RB:418/51%RM:608/65%",
["도널드트럼프"] = "EB:552/79%EM:763/88%",
["Jackyrogue"] = "UM:247/25%",
["이플리터"] = "EB:590/77%RM:709/74%",
["지예공주"] = "UB:265/32%RM:580/62%",
["헌티즈"] = "UB:253/31%RM:629/67%",
["운사"] = "UB:360/47%RM:518/57%",
["사제워니"] = "RB:383/52%RM:597/66%",
["고주"] = "RB:379/50%RM:518/57%",
["이번생은처음이라"] = "UM:307/31%",
["별마루"] = "RM:459/50%",
["산삼소주"] = "EB:747/94%LM:940/95%",
["뭐이나"] = "RB:387/51%EM:690/75%",
["내가존스타크"] = "UM:194/37%",
["자연농"] = "UM:345/35%",
["펠리가"] = "CM:98/7%",
["똘이아빠"] = "RB:547/73%RM:626/69%",
["구구콘"] = "EB:559/77%EM:734/80%",
["호야뷘"] = "RB:490/65%EM:722/78%",
["눈물그리고흑마"] = "UB:297/37%UM:454/46%",
["쫑아신랑"] = "RB:582/74%EM:759/79%",
["엄지마법사"] = "UM:277/28%",
["금괴드루"] = "EB:463/79%RM:626/70%",
["기사여"] = "EB:619/85%EM:848/90%",
["루나스"] = "RB:493/63%EM:766/80%",
["흑암"] = "EB:717/90%EM:922/94%",
["악념"] = "EB:646/88%EM:786/85%",
["칼라스"] = "RM:494/54%",
["블루포니"] = "RB:406/52%RM:659/68%",
["도적이라예"] = "UB:357/44%RM:639/68%",
["물빵은사치"] = "EB:623/82%EM:856/90%",
["쩡혜"] = "EB:672/91%LM:950/97%",
["Juto"] = "RT:400/53%RB:529/73%UM:264/44%",
["평양부엉이"] = "CM:42/6%",
["플로라이트"] = "RM:532/58%",
["수안"] = "RB:492/65%EM:717/78%",
["Noex"] = "RB:492/62%RM:665/71%",
["그럼또뵙겠습니다"] = "CB:62/4%UM:448/48%",
["종종흑마"] = "CB:60/6%CM:175/18%",
["꼬마두빵"] = "CB:102/12%UM:406/41%",
["캔유필큐"] = "UB:360/45%RM:539/58%",
["내가귀엽냐"] = "CB:35/3%CM:207/20%",
["Foxylove"] = "UB:217/27%RM:642/71%",
["청룡의빛"] = "RB:452/62%RM:537/59%",
["잠든세상"] = "RB:559/73%RM:662/69%",
["빙옥제후"] = "EB:597/79%RM:622/68%",
["설연수"] = "EB:660/83%EM:777/82%",
["도적레나"] = "RB:417/53%CM:201/20%",
["검정고무신"] = "RB:406/51%RM:630/67%",
["니베아"] = "EB:657/84%EM:856/88%",
["Vantara"] = "UB:252/31%UM:379/38%",
["안성댁"] = "RB:496/69%RM:538/59%",
["그루트"] = "EB:718/90%LM:940/95%",
["백선수"] = "EB:610/84%EM:646/81%",
["대황제"] = "EB:512/75%RM:516/72%",
["귀여운마법사"] = "EB:579/77%RM:554/61%",
["아라키스"] = "UB:327/43%RM:477/52%",
["달누리"] = "UB:277/33%UM:386/40%",
["그날행님"] = "EB:611/80%RM:667/71%",
["헌님"] = "EB:732/92%EM:924/94%",
["Coral"] = "EB:622/79%RM:703/74%",
["Tirebug"] = "EB:556/77%RM:607/67%",
["이별택시"] = "EB:489/80%EM:646/84%",
["다이아나"] = "EB:633/87%RM:550/61%",
["하야밍보이스"] = "CB:109/13%UM:371/39%",
["Jopax"] = "UB:264/46%RM:471/68%",
["비설"] = "CM:162/16%",
["Novella"] = "RM:392/68%",
["법사향기"] = "CM:63/4%",
["부끄럽냥"] = "RM:482/50%",
["신을버린처자"] = "UM:433/47%",
["도라도라"] = "UB:154/31%EM:606/79%",
["산타드루"] = "EB:524/84%EM:700/86%",
["Bramble"] = "EB:737/94%LM:952/97%",
["오투걸"] = "RB:419/53%RM:599/64%",
["슈퍼히어로"] = "RB:422/58%RM:525/58%",
["바이오가족"] = "UB:249/31%CM:92/10%",
["뭉치야놀자"] = "CM:219/21%",
["이루이"] = "EB:597/79%EM:891/92%",
["망사제"] = "UM:319/33%",
["골때리는사제"] = "LB:774/98%SM:984/99%",
["윤회윤호"] = "UB:214/26%CM:16/19%",
["슬픔을사랑한자"] = "RB:513/67%RM:651/69%",
["밥먹고하자"] = "RB:429/59%RM:655/72%",
["죽방전설"] = "CB:69/8%UM:289/29%",
["해양연"] = "CT:182/21%RB:445/61%RM:475/52%",
["렛츠링"] = "CM:26/0%",
["포이보스"] = "EB:741/93%EM:811/84%",
["Tes"] = "RB:382/51%EM:195/76%",
["등에둘리문신"] = "EB:590/82%EM:791/86%",
["박노움"] = "EM:710/77%",
["레미온냥꾼"] = "UB:216/26%UM:353/35%",
["Footer"] = "UB:262/33%UM:344/36%",
["빈하이에뜨는달"] = "RM:349/57%",
["흐름"] = "RM:344/56%",
["도적파비스"] = "RM:488/52%",
["김콰투룹"] = "EB:572/75%EM:857/88%",
["둥지탈출"] = "EB:565/78%EM:714/78%",
["오늘은여기까지"] = "EB:669/86%EM:904/92%",
["법사늬"] = "RB:392/51%RM:638/70%",
["레드허브"] = "RB:466/62%EM:829/88%",
["라임퀸"] = "RB:527/68%RM:645/69%",
["왜구처리기능사"] = "EM:602/78%",
["장기예프"] = "RB:458/58%EM:710/75%",
["정안홍엽"] = "UM:194/49%",
["빵팔이"] = "EB:623/82%EM:778/83%",
["달빛아레"] = "EB:696/88%EM:885/90%",
["오카린"] = "UM:247/25%",
["엘바훔타자르"] = "SB:802/99%LM:982/98%",
["우키언니"] = "UB:333/43%EM:763/82%",
["Icevanilla"] = "EB:557/77%EM:687/76%",
["기사향기"] = "UB:345/46%RM:519/57%",
["사냥꾼파비스"] = "UM:463/48%",
["한량꾼"] = "RB:550/72%UM:473/49%",
["아르고노트"] = "RB:529/70%RM:643/71%",
["빨간보루꼬"] = "UB:260/33%CM:148/13%",
["그란데위스퍼"] = "EB:648/90%EM:798/91%",
["아루냥"] = "CM:33/2%",
["후니야"] = "EB:667/91%EM:764/83%",
["몸빵의리더"] = "RB:430/53%UM:159/31%",
["잉꼬"] = "RB:444/61%EM:545/78%",
["락스퍼"] = "RB:490/64%RM:651/69%",
["암혹의사제"] = "UM:178/44%",
["초능력소녀"] = "UB:206/26%EM:791/80%",
["가츠법사"] = "RM:584/64%",
["하쿠나마타타"] = "EB:739/93%EM:904/92%",
["은빛해정"] = "UB:257/32%UM:453/46%",
["기사혁이"] = "RM:482/52%",
["Kyumz"] = "RB:433/55%RM:696/74%",
["야생스톰"] = "EB:653/88%EM:901/94%",
["사제설"] = "UB:211/26%RM:623/69%",
["낭트"] = "RB:522/68%EM:729/76%",
["조각남"] = "UM:286/29%",
["풋내기전사"] = "RB:568/72%EM:843/82%",
["한국산검은소"] = "EB:565/78%EM:712/78%",
["광폭소"] = "UB:359/42%RM:531/73%",
["언더와이프"] = "CB:99/10%UM:339/36%",
["니콜키드먼"] = "CM:121/11%",
["코일스프링"] = "RM:668/73%",
["저기요돌진님"] = "RM:485/51%",
["주사위신"] = "UB:376/45%UM:423/43%",
["Dexxter"] = "SB:808/99%SM:986/99%",
["통신보안"] = "LB:776/97%EM:923/94%",
["은빛사령관"] = "EM:756/82%",
["오컬트"] = "EB:652/84%RM:707/74%",
["달문이"] = "UB:345/46%RM:470/51%",
["유리나"] = "RM:524/55%",
["Solangia"] = "CB:37/3%RM:535/55%",
["소냐"] = "RB:497/63%RM:637/68%",
["디종"] = "CB:71/8%RM:512/56%",
["꿈속으로"] = "CM:104/9%",
["Thug"] = "EB:628/80%EM:915/93%",
["거리에서"] = "RM:146/50%",
["춘자달린다"] = "UM:246/25%",
["완전피곤해"] = "EB:612/79%RM:639/66%",
["마갈"] = "UB:237/42%UM:208/40%",
["딸기맛흑마"] = "CM:226/23%",
["에디장군"] = "RT:535/69%EB:635/88%EM:874/92%",
["도적풀이요"] = "CM:160/16%",
["몽블랑"] = "UB:333/43%RM:519/57%",
["쓰랄이업어키운성"] = "UB:333/44%UM:413/44%",
["Kies"] = "EB:716/92%EM:811/86%",
["슬아사제"] = "RB:521/72%RM:481/52%",
["벤냥"] = "EB:720/91%EM:876/90%",
["앨런아이버슨"] = "EB:675/87%EM:856/90%",
["후카"] = "CM:200/19%",
["죽기야또속냐"] = "EB:679/91%EM:821/87%",
["레미온흑마"] = "RB:408/52%UM:481/49%",
["반사대사"] = "RB:400/53%RM:563/62%",
["로한왕에오메르"] = "EB:645/87%EM:843/92%",
["내맘을알리가없지"] = "RB:401/52%RM:635/68%",
["호빛"] = "EM:724/76%",
["디레지애"] = "RB:511/71%RM:617/68%",
["산딸기"] = "ET:263/76%RB:405/57%RM:531/57%",
["쓰랄이업어키운냥"] = "RB:405/52%UM:356/35%",
["고스트라이더"] = "EB:576/75%EM:798/83%",
["허약곰"] = "EB:500/81%EM:640/83%",
["타앗"] = "UM:464/48%",
["나름대로멋진흑마"] = "UM:415/42%",
["디쥐코퍼레이션"] = "RB:427/56%RM:473/52%",
["블루엔젤"] = "EB:684/93%EM:876/93%",
["로즈핀치"] = "CM:157/16%",
["신주단지"] = "RB:503/69%RM:634/70%",
["Afterdark"] = "RM:679/72%",
["프리폴"] = "CM:100/9%",
["Ebod"] = "EB:623/79%EM:878/90%",
["새벽노을"] = "EB:655/91%EM:758/89%",
["초특급법사"] = "EM:755/77%",
["킬오브블러드"] = "UM:362/36%",
["천상귀신"] = "UB:312/40%RM:636/70%",
["팔라우"] = "UB:324/42%RM:664/73%",
["해파리냉채"] = "CM:198/19%",
["예쁜드워프"] = "SB:809/99%EM:900/92%",
["냥꾼일타강사"] = "EB:677/86%EM:814/84%",
["Eiswein"] = "RB:448/56%EM:736/78%",
["Beni"] = "EB:636/81%EM:868/89%",
["쟝발장"] = "CM:86/8%",
["Angry"] = "EB:730/92%EM:832/86%",
["늑대냐옹이"] = "UB:165/42%UM:446/45%",
["동탄물주먹"] = "EB:701/88%EM:830/86%",
["Newnew"] = "RB:495/65%RM:623/64%",
["황금대나무"] = "EB:584/80%EM:703/77%",
["돌진한번만할께여"] = "CM:239/24%",
["고양이네마리"] = "UB:357/48%CM:220/21%",
["딩가선생"] = "RB:469/62%RM:525/58%",
["불멸에드루"] = "RM:277/60%",
["브리쿨"] = "RM:427/64%",
["Krone"] = "EM:610/82%",
["예쁜칼정마담"] = "UB:305/39%RM:632/69%",
["트레일"] = "CM:141/13%",
["쿠르드란"] = "UB:324/41%EM:755/79%",
["불타는조드"] = "RB:402/74%EM:741/88%",
["도블리"] = "EB:725/91%LM:996/98%",
["미안하다사랑한다"] = "UM:377/40%",
["오크다스"] = "RB:463/58%RM:678/72%",
["다시사냥"] = "CB:107/13%UM:361/36%",
["위궤양개츠비"] = "CM:30/1%",
["세인트헬가"] = "UB:321/42%RM:539/59%",
["문앙"] = "RB:453/57%EM:786/82%",
["민아아빠"] = "RM:405/62%",
["둘이서함께"] = "EB:680/91%RM:512/56%",
["기사간디"] = "CM:57/3%",
["방가방가제랄드"] = "EB:596/83%EM:631/80%",
["호키포키"] = "EB:743/94%LM:935/95%",
["Rebirth"] = "EB:726/94%EM:810/90%",
["다마네기"] = "LB:788/98%LM:974/98%",
["엘핀퓨리"] = "EM:726/77%",
["반인"] = "UM:405/44%",
["살살이"] = "EB:672/86%EM:745/77%",
["알리기에리"] = "UB:323/40%RM:644/69%",
["은신과점멸사이"] = "RB:578/74%EM:785/82%",
["종이학"] = "UM:443/48%",
["닥치고잡아"] = "EB:646/82%EM:820/85%",
["Piper"] = "EB:606/84%EM:742/87%",
["Kaiserin"] = "RM:536/59%",
["밴애플렉"] = "CM:25/0%",
["Vitalcool"] = "EB:727/92%LM:946/96%",
["호랑이솜털"] = "UB:346/46%UM:428/46%",
["Bloodcandy"] = "CM:147/15%",
["힐만하면안되나요"] = "RB:532/74%EM:720/78%",
["비설사제"] = "RM:522/57%",
["흑설탕"] = "CB:59/15%UM:433/44%",
["Saas"] = "CB:105/12%RM:488/53%",
["칼에노래"] = "EB:606/80%EM:825/87%",
["쮸야냥이"] = "CB:115/14%UM:448/46%",
["켄터키"] = "RB:507/67%EM:812/86%",
["루나마리"] = "UB:348/46%EM:713/78%",
["웰컴투두개골"] = "UB:320/39%RM:702/74%",
["라자크"] = "RB:493/63%RM:628/59%",
["조세핀해바라기"] = "EB:735/93%LM:976/98%",
["클라우드워커"] = "EB:549/76%RM:495/54%",
["이성의종말"] = "EB:708/94%LM:925/97%",
["가츠냥꾼"] = "EB:708/90%EM:866/89%",
["베니퍼"] = "EB:606/83%EM:781/84%",
["버닝블루"] = "RB:552/73%RM:636/70%",
["오함마장인"] = "RB:197/58%EM:225/79%",
["Milky"] = "EB:700/89%EM:883/90%",
["토파즈워락"] = "EB:639/82%RM:722/70%",
["Zeronine"] = "EB:675/85%EM:897/91%",
["요화"] = "RB:374/50%RM:650/72%",
["쏘현"] = "UM:259/26%",
["붉은꽃잎"] = "UM:252/25%",
["솔낭자"] = "RM:615/68%",
["우진유진"] = "RM:563/62%",
["법무법인"] = "CM:115/10%",
["황민어"] = "UB:339/45%RM:545/62%",
["걸음추격자"] = "RM:610/65%",
["아란다"] = "CB:97/11%UM:367/39%",
["배추엔캐쉬"] = "RB:496/68%RM:492/53%",
["츄릅츄릅"] = "UB:314/39%RM:557/57%",
["양하린"] = "EB:598/76%EM:709/75%",
["행복한드루"] = "UM:369/40%",
["마이의새우버거"] = "UB:299/38%RM:615/64%",
["케르니안"] = "RM:481/52%",
["Soloplay"] = "EM:890/91%",
["석공조합"] = "EB:739/93%EM:931/94%",
["댕기동자"] = "UB:291/49%RM:428/64%",
["헤이츠"] = "CM:28/1%",
["노을숲"] = "CB:116/12%RM:498/54%",
["체리블룸"] = "CM:183/17%",
["이천이십"] = "CB:35/3%UM:418/43%",
["Joyce"] = "EB:698/93%EM:870/92%",
["루나드림"] = "EB:663/85%LM:968/97%",
["구치소"] = "CM:129/12%",
["토파즈디이"] = "EB:644/88%EM:711/78%",
["포오"] = "LB:761/96%EM:729/76%",
["춤추는뮤즈"] = "EB:644/83%EM:746/78%",
["간월도"] = "UM:374/39%",
["하르와티"] = "UB:227/28%CM:204/19%",
["흑마법샤"] = "EB:663/85%EM:833/86%",
["Groot"] = "EB:680/91%EM:773/84%",
["샤르니얠"] = "CM:218/21%",
["디뚱"] = "EB:655/85%LM:966/97%",
["돌격"] = "UB:193/36%RM:519/72%",
["앙큼엔젤"] = "EB:635/82%RM:712/74%",
["젼이"] = "UM:385/41%",
["예나유리"] = "RB:420/55%EM:760/82%",
["카페모카"] = "RB:530/73%EM:687/75%",
["재철맞은새조개"] = "RB:453/62%EM:737/80%",
["청산라인"] = "EB:682/94%LM:890/95%",
["김해흑마"] = "CM:147/15%",
["에오를"] = "EB:743/93%LM:955/96%",
["바네사메이"] = "LB:730/96%LM:902/95%",
["Dawnbreak"] = "EB:649/91%EM:655/84%",
["웨더"] = "EB:699/89%EM:874/89%",
["발스타"] = "EM:682/85%",
["여우비진혼가"] = "RB:390/51%RM:596/66%",
["캐리비안"] = "RB:201/55%EM:451/76%",
["언더라이프"] = "RB:406/52%UM:419/42%",
["데모얀"] = "CB:119/14%CM:242/23%",
["닥어활"] = "CM:81/8%",
["언데드킹"] = "RB:390/61%UM:265/47%",
["금괴사제"] = "EB:547/76%RM:495/54%",
["무연휘발유"] = "UB:307/39%RM:564/58%",
["완뚜뜨리포"] = "UB:248/30%RM:379/71%",
["밤에만놀아"] = "UB:300/36%UM:361/37%",
["드루장인"] = "EB:656/89%EM:859/91%",
["듀앤"] = "RB:518/68%UM:475/49%",
["금괴전사"] = "RB:555/71%EM:722/76%",
["땡법사"] = "UB:120/31%UM:339/40%",
["Goodluck"] = "EB:617/85%EM:698/84%",
["섹시큐티짱"] = "UT:377/47%UB:157/38%RM:491/58%",
["Bigcow"] = "EB:374/76%RM:452/72%",
["칠흑기사단"] = "RB:467/64%RM:421/51%",
["김허당"] = "RB:530/69%UM:373/38%",
["Orientals"] = "UB:369/47%CM:223/21%",
["득템드루"] = "CB:204/24%UM:339/36%",
["똑사세용"] = "CB:146/16%RM:476/52%",
["도적들"] = "RB:471/60%RM:695/74%",
["일원흑마"] = "RB:519/68%RM:530/54%",
["카냐"] = "RB:506/70%UM:288/29%",
["나탈리포트먼"] = "UT:86/39%UB:257/34%RM:495/54%",
["총소리가싫어서"] = "EB:657/85%UM:417/43%",
["모나미"] = "EB:639/83%EM:764/82%",
["모라바거"] = "EB:590/78%RM:609/67%",
["러브엔젤라"] = "RB:515/71%EM:683/75%",
["겨자콩"] = "EB:598/87%EM:694/86%",
["방패용사모험담"] = "EB:704/88%RM:638/68%",
["전사히스"] = "EB:623/85%EM:701/84%",
["파탄"] = "EB:730/92%LM:936/95%",
["총든사냥꾼"] = "UB:360/46%UM:355/35%",
["핑크방구"] = "LB:796/98%EM:793/82%",
["에티아르"] = "EB:638/87%EM:854/90%",
["킹왕짱쎈전사종종"] = "UB:348/40%CM:209/21%",
["신비한그녀"] = "CB:135/16%RM:591/65%",
["Rookie"] = "RB:267/51%RM:478/69%",
["득템기사"] = "UB:281/36%RM:508/55%",
["현짱"] = "EB:575/79%EM:831/89%",
["칼질"] = "CB:186/22%UM:301/31%",
["이것이"] = "UM:298/31%",
["Crazydark"] = "EM:873/94%",
["코리와달곰"] = "UB:286/36%RM:630/65%",
["인혁당"] = "RB:410/53%UM:411/46%",
["악마의유혹"] = "CB:115/12%CM:180/16%",
["아마네트"] = "UB:324/42%RM:559/61%",
["아델라이트"] = "EB:600/83%RM:669/73%",
["돈많은백수"] = "LB:721/95%LM:946/98%",
["건포도"] = "EB:718/91%EM:916/94%",
["전립선요실금"] = "CB:82/9%CM:63/7%",
["잘보이면힐줘"] = "CB:201/24%UM:363/38%",
["힘다곰"] = "ET:362/84%EB:532/83%EM:549/78%",
["여적"] = "EB:623/79%EM:842/87%",
["탱알레르기"] = "EB:528/76%EM:727/86%",
["발리앙"] = "EB:627/86%RM:681/74%",
["얼어붙은손가락"] = "CB:43/4%UM:357/38%",
["잊혀진우상"] = "RB:273/65%RM:404/69%",
["고통의손길"] = "CB:118/14%CM:234/23%",
["Roks"] = "UB:390/49%",
["응급실선생님"] = "UB:129/49%RM:342/65%",
["레야스"] = "LB:764/96%EM:892/91%",
["마녀배달부키키"] = "RB:542/71%EM:800/83%",
["먹다남은빵"] = "CB:42/4%CM:82/7%",
["허술법사"] = "UM:282/29%",
["스스"] = "UB:308/40%RM:491/54%",
["똥꼬에조준사격"] = "UB:313/39%EM:726/77%",
["슬랩파이트"] = "CM:250/24%",
["세잔"] = "EB:615/80%EM:750/78%",
["군림천하"] = "UB:210/25%RM:499/53%",
["도도엔젤"] = "EB:734/93%EM:895/93%",
["쿵스레덴"] = "UB:359/48%UM:449/49%",
["초특급사제"] = "RB:428/58%RM:628/69%",
["두리사제"] = "UB:363/49%RM:605/67%",
["광역의리더"] = "UB:266/34%UM:339/35%",
["꿈틀"] = "EB:621/79%EM:887/91%",
["잡초"] = "LB:766/96%SM:995/99%",
["끄군"] = "EB:570/79%RM:643/71%",
["장승배기"] = "EB:606/79%UM:437/44%",
["도정원정"] = "RB:392/53%RM:658/72%",
["고져스데이브"] = "EB:700/92%EM:841/92%",
["새들처럼"] = "ET:638/84%EB:668/90%RM:568/63%",
["검둥흰둥"] = "RB:547/71%RM:546/56%",
["보노보노"] = "UM:385/39%",
["성기사풀이요"] = "UB:219/27%RM:110/62%",
["샤넬린"] = "CB:164/20%UM:325/34%",
["얼라이년스"] = "EB:544/76%EM:803/87%",
["오랜만에프리"] = "UM:189/48%",
["라이코이"] = "RT:322/56%RB:459/73%EM:732/86%",
["호드까기의인형"] = "UB:349/46%UM:388/41%",
["아름다운그대에게"] = "CM:67/10%",
["기사일타강사"] = "EB:603/83%EM:764/83%",
["짱쎄미"] = "CM:104/10%",
["켈세드니"] = "RM:425/71%",
["쿵신"] = "EB:528/76%EM:641/81%",
["검은장미"] = "CB:190/24%RM:657/72%",
["쥬슐샤"] = "UB:327/44%UM:442/48%",
["내트페이글"] = "EB:718/90%EM:891/91%",
["토핑"] = "CM:63/4%",
["어둠의비수"] = "EB:631/80%EM:885/90%",
["황금소나무"] = "EB:690/92%EM:823/88%",
["반의반"] = "UB:331/44%UM:365/39%",
["꽃인양"] = "CB:140/17%CM:191/17%",
["싸울아비후"] = "UB:356/46%RM:457/50%",
["희구"] = "UB:274/47%RM:392/61%",
["Clear"] = "EB:589/75%EM:896/91%",
["홍양"] = "UB:265/34%UM:265/27%",
["스키자하투"] = "RB:437/58%EM:780/83%",
["아프칸"] = "RB:445/55%RM:474/68%",
["성망치"] = "UB:288/37%UM:444/48%",
["시골여자"] = "CM:190/19%",
["탱님해골에돌진요"] = "CB:100/10%CM:234/23%",
["이니전사"] = "RB:457/69%EM:572/76%",
["해양기사"] = "CT:119/12%RB:441/62%CM:244/24%",
["라이어"] = "CM:182/19%",
["길드루"] = "EB:502/81%RM:485/74%",
["입생"] = "EB:585/77%EM:740/80%",
["마군"] = "RB:550/72%EM:748/79%",
["힐줘하나"] = "RB:490/68%RM:628/69%",
["더쳐봐"] = "CB:111/24%RM:437/65%",
["여의봉"] = "RB:502/69%RM:618/69%",
["제네럴"] = "RB:526/73%RM:547/60%",
["다크흑마법사"] = "RB:465/60%RM:533/55%",
["느긋하게"] = "EB:692/88%EM:880/88%",
["한흑마"] = "UB:302/38%CM:152/15%",
["Donaldtrump"] = "RB:284/66%RM:356/66%",
["전사르로이"] = "ET:322/90%EB:542/94%EM:796/90%",
["네방이"] = "EB:609/78%RM:685/73%",
["미르입니다"] = "RB:412/50%UM:415/43%",
["써니링"] = "RB:344/74%UM:281/33%",
["바지넘우작아"] = "CM:25/0%",
["신화테즈"] = "UB:322/39%RM:503/53%",
["마띱"] = "RM:567/58%",
["Bonnie"] = "EB:659/89%EM:770/84%",
["Purin"] = "RM:659/72%",
["대사제건휘"] = "UT:291/35%RB:415/56%RM:559/66%",
["르미안"] = "EB:615/85%EM:826/89%",
["Hardior"] = "RB:564/72%RM:606/65%",
["어그로관리자"] = "EM:698/84%",
["워스톤"] = "EB:644/87%EM:677/83%",
["돼냥"] = "UB:215/26%EM:715/76%",
["쩡안"] = "EB:597/82%EM:832/89%",
["굿바이나에리"] = "EB:647/84%EM:885/92%",
["허브캔들"] = "EB:683/88%EM:840/88%",
["한방의로망"] = "CB:37/3%RM:569/63%",
["티파"] = "UB:378/47%RM:646/69%",
["스칼렛요한숨"] = "CB:169/20%RM:586/63%",
["퓨리엣지"] = "RB:424/65%EM:590/77%",
["킁가킁가"] = "UB:241/30%UM:355/35%",
["전사흥애"] = "EB:687/86%LM:930/95%",
["위너"] = "EB:695/87%EM:904/92%",
["Transfoam"] = "RM:374/67%",
["무수리"] = "EB:615/80%EM:805/84%",
["마도령"] = "CM:73/6%",
["나같은딸낳아라"] = "CM:214/21%",
["못살려"] = "UM:430/46%",
["밍디공듀"] = "CB:63/7%CM:161/15%",
["Pra"] = "EB:564/78%EM:804/87%",
["썬키스트사과"] = "EB:623/82%EM:711/77%",
["뚜룩뚜룩"] = "EB:634/90%EM:743/88%",
["좌팬더우깁슨"] = "RB:455/58%RM:627/67%",
["크라우드가렌"] = "RM:406/62%",
["긴고"] = "RB:417/54%RM:689/72%",
["드워프냥"] = "RB:525/69%EM:785/82%",
["한점부끄럼없기를"] = "EB:612/84%EM:838/89%",
["Owenhealer"] = "CM:28/0%",
["전설속법사"] = "UB:309/40%UM:430/46%",
["꾸태"] = "CB:73/6%UM:404/43%",
["해모시"] = "UM:444/46%",
["성기사얼짱"] = "CB:25/0%UM:295/30%",
["월향"] = "CM:193/19%",
["프리슬리"] = "RB:514/71%RM:512/56%",
["곡성"] = "CM:103/8%",
["윤복희"] = "RB:480/66%RM:504/55%",
["손주는저격병"] = "UM:297/29%",
["나도야"] = "RB:525/73%EM:726/80%",
["뿌르스와"] = "LB:740/96%LM:923/97%",
["내금위장"] = "RM:493/55%",
["길을비켜라"] = "EB:608/84%EM:727/86%",
["룬크라니스"] = "RB:441/60%EM:867/92%",
["도박의꽃정마담"] = "RB:456/63%EM:699/77%",
["서낭당"] = "UM:400/43%",
["니햐햐"] = "UM:428/46%",
["흙마법샤"] = "RB:437/56%RM:619/64%",
["하늘바람"] = "UM:375/38%",
["오영준"] = "UB:287/37%RM:614/68%",
["토파즈케이"] = "EB:688/92%EM:856/91%",
["Hattorihanzo"] = "CM:33/2%",
["엘렌"] = "EB:676/86%EM:838/86%",
["Gaya"] = "RB:482/61%RM:666/71%",
["쥬르피스트"] = "UB:365/48%EM:796/85%",
["돌진양"] = "CM:96/20%",
["전사포스"] = "RB:469/70%EM:553/75%",
["흥없는흥마"] = "EB:641/83%EM:735/76%",
["Hoppipolla"] = "RB:472/62%EM:761/80%",
["마일로"] = "CB:55/8%RM:507/71%",
["Surreal"] = "EB:540/75%UM:410/46%",
["김콰트로"] = "EB:666/84%EM:794/83%",
["칼라디움"] = "RB:455/62%EM:691/76%",
["혁느"] = "RB:545/72%EM:770/83%",
["연아랑"] = "RB:442/60%RM:637/70%",
["자몽막걸리"] = "EB:425/76%EM:607/80%",
["신의"] = "UB:324/42%UM:447/49%",
["똥꼬에파열한방"] = "RB:440/56%EM:715/75%",
["무작위노움"] = "CM:71/5%",
["닥붕플리즈"] = "CB:88/8%CM:227/22%",
["이초"] = "CM:92/8%",
["와일드릴"] = "EB:582/80%RM:647/72%",
["블랙카카오"] = "UM:392/45%",
["볼빨린사춘기"] = "RB:391/53%CM:177/16%",
["도적신"] = "UB:325/40%RM:489/52%",
["레드골드"] = "EB:645/88%EM:818/88%",
["법사오리온"] = "EM:717/82%",
["티치엘블랑셰"] = "UB:332/44%RM:564/62%",
["아슈르가"] = "UM:331/37%",
["Akanda"] = "UM:426/46%",
["곰돌이수집가"] = "UB:259/32%RM:630/67%",
["Firstzeus"] = "CB:219/23%UM:447/46%",
["종종드루"] = "UB:315/41%RM:561/73%",
["에피톤"] = "EB:594/78%EM:780/83%",
["흑마법태자"] = "CB:158/19%UM:377/38%",
["흥마찌짐"] = "UB:286/36%RM:530/54%",
["Leonhart"] = "EB:585/82%RM:413/63%",
["에르토시"] = "UM:219/27%",
["꼴초도사"] = "CM:233/23%",
["란셀"] = "EB:682/88%EM:858/87%",
["순수냥꾼"] = "RB:463/61%RM:607/65%",
["어익후이런"] = "RT:531/70%RB:489/65%EM:768/81%",
["달리다굼"] = "RB:360/72%RM:493/67%",
["촬밍"] = "RM:520/55%",
["아루미엘"] = "EB:672/90%LM:911/95%",
["Lanina"] = "RM:526/58%",
["그때그뇬"] = "EB:653/89%EM:719/78%",
["차빵이"] = "CM:165/15%",
["승짱"] = "CB:181/21%UM:265/31%",
["내노예가되어라"] = "UM:355/37%",
["구르믈버서난해"] = "UM:332/33%",
["마스터흑마"] = "RT:392/52%RB:489/66%RM:748/73%",
["Held"] = "UB:304/40%UM:133/34%",
["르자므"] = "EB:562/77%RM:319/69%",
["다시시작하는밤"] = "EB:658/83%EM:844/87%",
["애드의여신"] = "CM:61/8%",
["휘둘휘둘"] = "RT:392/63%EB:557/86%EM:662/84%",
["유머"] = "EB:739/94%EM:798/85%",
["진수성찬"] = "CM:115/11%",
["대천사티리앨"] = "CB:150/16%UM:372/39%",
["지리"] = "UM:392/42%",
["외뿔"] = "CB:123/13%UM:235/43%",
["일등급마법사"] = "CT:111/14%CM:236/23%",
["라가펠트"] = "CM:112/10%",
["타겟"] = "UB:337/43%RM:629/67%",
["Cinelli"] = "EB:698/93%RM:461/68%",
["야옹이뽀뽀"] = "EM:767/83%",
["연서율"] = "EB:622/82%EM:880/92%",
["자힐만가능"] = "CB:177/21%UM:43/39%",
["구르믈버서난달"] = "CB:115/14%RM:644/71%",
["Msg"] = "UM:290/29%",
["헤이드"] = "RB:219/61%RM:303/62%",
["여보조금만할게"] = "UM:167/33%",
["전사의선배"] = "UM:262/47%",
["Bruder"] = "UB:224/28%RM:718/70%",
["동물농장"] = "CM:154/14%",
["Drainmana"] = "UM:274/27%",
["케리비안"] = "RB:359/57%EM:551/75%",
["굘굘멜"] = "CM:42/3%",
["진짜딸기법사"] = "UB:327/42%UM:385/41%",
["달빛커피잔"] = "EM:826/85%",
["한닢"] = "UM:309/31%",
["신디셔먼"] = "EM:698/77%",
["라이트퓨리"] = "CM:166/15%",
["백호왕"] = "RM:560/62%",
["레드스톰"] = "EB:602/78%RM:541/56%",
["라티놀"] = "RB:407/52%RM:590/61%",
["드루찌짐"] = "EB:645/88%RM:619/69%",
["디아법사"] = "CM:37/2%",
["잡상인"] = "UB:336/42%RM:653/69%",
["Gaja"] = "RB:459/60%RM:510/52%",
["해를품은달님"] = "EB:543/84%RM:540/71%",
["죠니워커블랙라벨"] = "UB:338/46%UM:339/35%",
["조아영"] = "CB:175/20%RM:536/59%",
["Orphea"] = "UM:276/28%",
["다이어스"] = "UM:358/38%",
["도봉순"] = "UM:311/32%",
["미학기사"] = "UM:421/45%",
["비진"] = "UB:350/47%RM:554/61%",
["조선의이모"] = "CM:170/15%",
["밀키쓰"] = "EB:577/86%EM:731/88%",
["투후"] = "CM:33/2%",
["셔스"] = "EM:734/77%",
["궁디뽀송"] = "EB:754/94%LM:960/96%",
["카츠"] = "UM:454/47%",
["영일산업"] = "EB:723/92%EM:818/87%",
["윤희"] = "CB:110/13%CM:231/23%",
["탱커전문킬러"] = "CT:72/6%UB:334/44%RM:549/60%",
["기사쉰살"] = "UM:259/26%",
["드루한다"] = "RM:321/64%",
["도나텔로"] = "RB:482/62%RM:669/71%",
["이글글"] = "UB:194/46%UM:281/48%",
["아롱아망치가져와"] = "CM:63/5%",
["광폭도적"] = "CB:192/23%RM:544/58%",
["심심풀이드루"] = "EB:680/91%EM:841/89%",
["삼다수"] = "RB:503/70%RM:604/67%",
["Asako"] = "UM:130/26%",
["너희엄마"] = "CM:33/1%",
["추우냥"] = "EB:540/83%EM:675/85%",
["자양"] = "UB:382/49%RM:495/51%",
["살려"] = "UB:282/36%RM:636/70%",
["인공강우"] = "CM:27/0%",
["사랑해도적"] = "EB:669/84%EM:751/79%",
["드루템이네요"] = "EB:575/79%EM:535/77%",
["녹슨부엌칼"] = "EB:623/79%EM:835/86%",
["마이의불갈비버거"] = "EB:708/94%EM:773/84%",
["틀딱보수"] = "SB:800/99%EM:851/88%",
["질풍랑"] = "RM:364/58%",
["그림자군"] = "RB:430/56%RM:647/69%",
["은령전사"] = "RB:526/67%RM:509/71%",
["기사오리온"] = "RM:641/70%",
["뽑뽀"] = "RB:503/66%RM:559/58%",
["레드엔젤"] = "EB:625/85%EM:805/87%",
["광배형"] = "RB:489/67%RM:469/51%",
["피리를불어라"] = "EB:603/83%RM:599/67%",
["어둠의향수"] = "UM:287/29%",
["스트리트"] = "UB:390/49%RM:658/70%",
["사이다공장"] = "RB:392/51%UM:394/42%",
["Heihachi"] = "EB:579/75%EM:753/78%",
["뿡뿡"] = "RM:465/73%",
["파니"] = "CB:39/3%UM:247/25%",
["오페라"] = "RB:377/51%CM:248/24%",
["하회탈"] = "RB:423/55%EM:756/79%",
["알수없는분쓰리"] = "UM:341/36%",
["해골바가지"] = "UB:373/47%UM:432/45%",
["힘찬물결"] = "UB:336/42%UM:472/48%",
["마사하쿠는도발중"] = "EB:518/75%EM:583/77%",
["Decide"] = "RB:374/73%RM:430/67%",
["열잔"] = "EB:616/81%RM:545/60%",
["갓정예인"] = "RB:511/68%RM:503/55%",
["섹시여사제"] = "EB:708/94%LM:930/97%",
["박하양"] = "EB:689/92%EM:788/89%",
["Rascal"] = "RB:317/69%",
["홍카츄"] = "EB:712/93%EM:799/90%",
["똘이할배"] = "EB:635/80%RM:697/74%",
["밤의기사"] = "RT:459/61%EB:633/82%EM:778/81%",
["네잔"] = "RB:433/59%RM:563/63%",
["제주도다"] = "UB:351/45%UM:379/38%",
["양사장"] = "UB:214/26%UM:445/48%",
["루크딜전"] = "RB:494/62%RM:623/67%",
["미안해널두고"] = "RB:525/73%RM:660/73%",
["사랑해줘"] = "RB:505/66%EM:803/84%",
["로아엔젤"] = "EB:673/92%EM:854/91%",
["헛둘"] = "SB:842/99%LM:974/98%",
["꽃수진"] = "CB:122/14%CM:122/11%",
["흑흑예인"] = "CB:83/10%",
["Isis"] = "UB:377/49%CM:98/8%",
["쉔코프"] = "EB:609/79%EM:855/88%",
["리넨"] = "EB:580/80%RM:671/74%",
["흑당카페라떼"] = "RB:501/69%RM:649/71%",
["시시포스"] = "RB:530/68%RM:659/70%",
["어택"] = "RB:449/56%EM:744/79%",
["탕자"] = "SB:813/99%LM:958/96%",
["혈투신"] = "UB:147/29%RM:492/70%",
["정예인"] = "CB:76/9%CM:184/18%",
["대박이의치유"] = "EB:576/80%EM:730/80%",
["종종냥꾼"] = "UB:276/34%RM:498/52%",
["노움까페"] = "UB:219/27%CM:127/11%",
["바란"] = "RB:452/62%EM:705/78%",
["홍주"] = "EB:668/86%EM:883/91%",
["욤이짱"] = "RB:390/51%RM:506/55%",
["슈타인즈"] = "RB:483/63%RM:689/72%",
["란체샤르킨"] = "EB:593/76%EM:836/86%",
["노상분노"] = "EB:684/86%EM:801/84%",
["까불면혼난다"] = "CB:93/11%CM:125/11%",
["엘리엇츠"] = "UB:258/45%RM:467/68%",
["흑마백마뜨리썸"] = "RB:526/69%RM:643/67%",
["선콩"] = "CB:87/8%UM:437/47%",
["잠신"] = "UB:231/29%UM:255/25%",
["성베드로"] = "EB:648/89%EM:799/87%",
["아울리"] = "UB:297/38%UM:384/41%",
["이쑤신장남"] = "LB:737/96%EM:849/90%",
["종종기사"] = "CB:66/5%RM:237/52%",
["그럴지도"] = "EB:634/82%EM:830/86%",
["가디언등치"] = "RB:448/61%RM:541/59%",
["레알마드루이드"] = "EB:630/89%EM:672/85%",
["똘이냥꾼"] = "EB:737/93%EM:730/77%",
["루이나루이"] = "EB:563/78%RM:629/69%",
["데카"] = "EB:710/89%EM:714/76%",
["유리구름"] = "EB:640/88%EM:709/78%",
["홀리마스터"] = "EB:601/83%RM:579/63%",
["미르법"] = "UM:430/46%",
["그렇군연"] = "RB:440/57%EM:719/76%",
["두리사제남"] = "EB:625/86%EM:813/88%",
["시체렐라"] = "RB:423/70%EM:611/78%",
["그얼굴도전이냐"] = "CM:93/8%",
["Stormpikes"] = "CM:75/13%",
["기사힐"] = "RB:517/71%RM:601/66%",
["전사언니야"] = "UB:180/35%EM:573/76%",
["Song"] = "UB:208/25%RM:614/58%",
["너르하"] = "CB:109/13%UM:324/32%",
["Rumor"] = "EB:681/86%EM:704/75%",
["후타츠이와마미조"] = "RB:387/73%EM:647/87%",
["노엘로즈"] = "CB:161/20%UM:234/32%",
["별빛닮음"] = "UB:318/40%UM:433/44%",
["언덕시티아포얼짱"] = "EB:705/89%EM:815/84%",
["두리법사"] = "RM:524/57%",
["연율"] = "RB:515/71%LM:939/96%",
["토파즈큐레"] = "EB:608/84%EM:708/78%",
["제프리"] = "EB:720/90%SM:1022/99%",
["엘프의비수"] = "RB:504/65%SM:1025/99%",
["Odo"] = "EB:607/77%EM:906/90%",
["뽀뽑"] = "UM:357/36%",
["쌈무예나"] = "RB:478/62%RM:636/66%",
["엘프엔젤"] = "LB:707/95%EM:869/92%",
["얼음광녀"] = "RM:494/54%",
["병아리님"] = "UM:287/29%",
["Interracial"] = "UB:354/45%UM:460/47%",
["힐링타임"] = "RB:452/62%RM:528/58%",
["주방이"] = "CM:77/6%",
["설향"] = "CM:227/23%",
["이나영"] = "EB:612/79%EM:824/85%",
["페아노르"] = "CM:201/19%",
["써니사제"] = "CM:32/1%",
["조선총잡이"] = "CB:169/20%RM:695/74%",
["노랑잠수함"] = "RM:627/69%",
["조르딕가할배"] = "UB:302/40%RM:546/60%",
["아두방"] = "RM:517/56%",
["주니아"] = "CM:126/18%",
["라일락김"] = "UM:313/32%",
["약과"] = "RB:533/70%RM:662/69%",
["Zoy"] = "EB:738/93%EM:882/90%",
["보헤미언랩소디"] = "CM:73/6%",
["너나우리"] = "CM:232/23%",
["발타사르"] = "CM:122/11%",
["아휴"] = "LB:750/98%LM:909/95%",
["응급치료센터"] = "RB:270/56%EM:565/75%",
["치유하는손"] = "UM:424/46%",
["별이되겠소"] = "EB:703/93%RM:570/62%",
["휘모리"] = "EB:607/83%EM:687/76%",
["뼈는때리지마"] = "UM:125/35%",
["뚱아"] = "CB:66/8%UM:238/44%",
["법쏴"] = "SB:832/99%LM:970/97%",
["칼스버그"] = "EB:743/93%EM:903/92%",
["돌라나르"] = "RM:519/55%",
["다이어뎀"] = "RB:419/57%RM:536/58%",
["잇휭"] = "LB:760/95%LM:956/97%",
["오빠확당궈죠"] = "CB:142/17%UM:133/37%",
["춘블랙"] = "RB:523/68%RM:585/60%",
["도적루니"] = "CM:63/10%",
["프렌치녹차"] = "UM:399/43%",
["호타루비"] = "RB:452/62%RM:659/72%",
["삐용삐용"] = "CM:27/0%",
["비쥬레이"] = "RM:626/67%",
["장판피하세요"] = "UM:298/31%",
["명바키"] = "UM:425/47%",
["나르시스"] = "CM:70/10%",
["이짓을또하다니"] = "RM:424/51%",
["니키나라"] = "RB:506/70%RM:661/72%",
["꼬마흑법사"] = "RB:478/62%RM:686/71%",
["저습지"] = "EB:653/83%EM:740/78%",
["벙사제"] = "CB:75/7%UM:254/25%",
["디레지아"] = "CB:45/4%RM:503/53%",
["쉐도우딥"] = "UB:288/35%RM:551/59%",
["은하계"] = "EM:728/85%",
["응디"] = "CM:58/7%",
["썸머스비"] = "RB:387/50%RM:559/59%",
["동물사냥꾼"] = "EM:768/80%",
["이현정"] = "CM:118/24%",
["성능충"] = "CB:193/23%CM:58/5%",
["벤마"] = "RB:464/61%RM:602/66%",
["Moa"] = "CM:175/24%",
["양말"] = "EB:669/90%EM:810/87%",
["휘광"] = "LB:727/96%LM:943/97%",
["Cotsuyum"] = "CM:141/13%",
["아신"] = "CM:23/15%",
["믹스견"] = "RM:493/67%",
["막돼먹은이모"] = "CM:28/2%",
["달콤한우유"] = "EM:624/82%",
["냥냥전사"] = "EB:696/91%EM:853/92%",
["빡시게딜할게요"] = "UB:207/26%RM:560/60%",
["곰과춤을"] = "CM:34/2%",
["나법사라구"] = "UM:248/25%",
["고양이한마리"] = "CB:48/4%CM:217/21%",
["달드루"] = "RM:378/56%",
["주토피아"] = "EB:697/89%EM:848/87%",
["사신기사"] = "CM:38/0%",
["고기먹는누나"] = "CB:98/11%CM:161/14%",
["잠자는숲속의드루"] = "UB:216/40%RM:310/62%",
["벌써열두시반"] = "UB:272/33%RM:506/54%",
["삶이"] = "UM:118/36%",
["핑크퐁퐁"] = "UM:363/44%",
["힐못해요"] = "RM:402/60%",
["나이든도적"] = "CM:26/0%",
["오열의찬가"] = "EB:260/79%RM:215/56%",
["이나영야구부"] = "UB:246/31%RM:732/72%",
["어쌔신초보"] = "CM:160/14%",
["드워프성전사"] = "UB:282/36%RM:477/52%",
["꾸니앙"] = "RM:487/51%",
["글라디"] = "EB:735/92%EM:858/88%",
["빡빡전두환"] = "UB:218/40%RM:201/50%",
["아파앙"] = "EB:715/91%EM:836/88%",
["대구아지야"] = "RM:376/62%",
["체리나무"] = "CM:29/1%",
["두덜후"] = "RM:384/68%",
["전사해써요"] = "CM:29/2%",
["히히이"] = "UM:420/45%",
["짱구흑마"] = "CM:103/12%",
["드보냥꾼"] = "CM:27/0%",
["쥬시쿨자두맛"] = "EB:547/84%EM:723/87%",
["도움이될거에요"] = "EM:755/78%",
["독사쐐기"] = "EB:617/80%EM:857/88%",
["막캥이"] = "CB:77/9%UM:238/33%",
["방에가뚜앙"] = "RM:316/51%",
["병든고양이"] = "RM:495/55%",
["옛사랑같은"] = "RM:355/58%",
["냥꾼봉봉"] = "CM:170/15%",
["얼라기사"] = "RB:425/58%RM:560/61%",
["혈냥꾼"] = "CM:28/1%",
["어제밤"] = "UM:399/42%",
["카리시"] = "CB:26/0%CM:142/14%",
["트롤은우리의친구"] = "RT:592/74%EB:671/90%RM:665/73%",
["키르이아이스"] = "UB:234/30%UM:405/43%",
["국구까까"] = "UB:357/42%RM:488/51%",
["키르이아이스제독"] = "UM:105/31%",
["흑이랑"] = "RM:417/70%",
["아내로부터은신"] = "RB:409/52%RM:590/63%",
["초코맛된장"] = "UM:519/47%",
["오리예나"] = "RB:362/58%EM:660/85%",
["베레나스"] = "RB:532/69%UM:473/48%",
["폭군전두환"] = "RB:501/69%EM:784/83%",
["까미꼬미"] = "CB:54/4%RM:613/68%",
["종종사제"] = "UB:331/44%UM:343/36%",
["야누"] = "EB:582/76%EM:809/84%",
["아바로사"] = "RB:545/72%EM:769/81%",
["도둑놈이야"] = "UB:231/28%RM:535/57%",
["총든놈"] = "CB:33/2%RM:525/55%",
["Apink"] = "EB:571/85%EM:752/87%",
["가을바람소슬하니"] = "EM:591/80%",
["프리스필드"] = "CB:67/5%CM:53/3%",
["연봉협상"] = "EB:621/85%EM:745/81%",
["망고스틴"] = "CB:55/5%CM:232/23%",
["꼬밍이"] = "CM:154/16%",
["생사초월"] = "CM:33/2%",
["속리산"] = "CB:160/18%CM:13/19%",
["야생의수호"] = "CB:182/22%EM:776/81%",
["산타상그레"] = "CB:154/17%RM:502/55%",
["유리코스타"] = "CB:97/11%UM:437/45%",
["꼬꼽삼"] = "CM:38/3%",
["가축"] = "RM:432/71%",
["방가요"] = "CB:106/11%UM:283/28%",
["치천사복귀"] = "UM:269/32%",
["소금왕자"] = "RM:549/74%",
["다소다"] = "CM:94/7%",
["백호"] = "CB:104/11%RM:507/71%",
["칼셔니스"] = "RB:451/68%EM:641/81%",
["고기앞"] = "UM:338/33%",
["Annie"] = "UB:140/34%UM:385/44%",
["울티메이터"] = "UM:478/44%",
["성기사파비스"] = "RM:308/51%",
["티라"] = "EB:720/91%LM:930/95%",
["나무위까치"] = "UM:259/35%",
["클래식매직"] = "CB:149/18%CM:241/24%",
["빨간장미"] = "CM:64/9%",
["보스헌터"] = "UB:213/26%UM:407/41%",
["빡빡한특급열차"] = "CB:85/10%RM:462/50%",
["지명수배"] = "CM:231/23%",
["드워프법사"] = "UB:355/47%RM:619/68%",
["쏘오마"] = "UB:246/30%RM:613/65%",
["느긋사제"] = "RB:434/59%RM:637/70%",
["성전사웡"] = "CM:52/5%",
["우액"] = "RT:121/52%RB:306/73%EM:635/80%",
["의로운"] = "LM:974/97%",
["소아레"] = "UM:148/29%",
["붉은소금"] = "CB:103/12%UM:388/40%",
["강초코"] = "UM:435/41%",
["아기야"] = "RB:264/65%RM:419/60%",
["똥꼬에신비한폭발"] = "RM:541/59%",
["네마음에파이어"] = "UB:361/47%RM:484/53%",
["촌년"] = "CM:204/21%",
["나프니"] = "EB:497/92%EM:760/88%",
["호이나"] = "EB:642/81%EM:750/79%",
["Loy"] = "RM:532/56%",
["혹시나"] = "EM:777/76%",
["Shankly"] = "CB:99/12%EM:823/82%",
["불비"] = "CM:190/19%",
["살리바"] = "RB:390/53%RM:583/64%",
["홀리레인"] = "RB:509/68%EM:705/77%",
["훈이오"] = "UM:401/40%",
["베놈블레이드"] = "RB:423/54%RM:601/64%",
["마시"] = "RB:502/67%RM:596/66%",
["전돌구"] = "CM:69/11%",
["독고지존최강무적"] = "EB:578/76%EM:786/84%",
["앵버리법사"] = "CB:177/22%RM:501/55%",
["충무공의혼"] = "RB:390/53%EM:708/78%",
["진혼의검후"] = "RM:474/68%",
["흥애"] = "EB:606/77%EM:937/94%",
["마르시아"] = "CM:151/13%",
["이현이"] = "CB:161/20%RM:543/56%",
["세번째전사"] = "RB:470/70%EM:555/75%",
["두덜이"] = "CB:73/8%RM:655/62%",
["맛챠"] = "RM:484/53%",
["백발"] = "EB:706/89%EM:869/90%",
["워워곰탱"] = "RM:607/68%",
["맛있는우유"] = "RB:491/65%RM:561/62%",
["먼지진흙습지대"] = "EB:637/87%RM:569/63%",
["오액"] = "RB:454/59%RM:649/69%",
["꽃잎흩날리는"] = "CM:68/6%",
["달팽이날다"] = "EB:652/89%RM:483/53%",
["블레인저"] = "RB:500/69%RM:481/52%",
["인삼공사"] = "UM:181/26%",
["잭다니엘"] = "UB:381/49%RM:533/55%",
["우육탕"] = "UM:470/49%",
["빌렘플루서"] = "EB:590/77%EM:827/86%",
["빠세"] = "RB:501/64%EM:790/76%",
["질풍랑노호"] = "UM:320/33%",
["드워프라"] = "RT:338/71%RB:411/71%CM:149/18%",
["김정은의탈부크"] = "CM:192/18%",
["너의존재위에"] = "RM:359/58%",
["포포나"] = "RM:553/54%",
["파르미르"] = "EM:711/86%",
["당대제일"] = "EB:594/82%RM:665/73%",
["털꼬마"] = "EB:742/93%EM:920/93%",
["아싸한방"] = "RM:430/65%",
["힐준다"] = "RM:462/51%",
["성지수호자"] = "UM:209/30%",
["그래효"] = "UB:291/32%RM:546/58%",
["바부팅냥꾼"] = "RB:366/50%RM:571/61%",
["Korkch"] = "RT:544/72%RB:537/70%EM:726/75%",
["방가햄토리"] = "CM:27/1%",
["로시난테푸"] = "UT:322/44%UB:211/26%RM:534/59%",
["Dhan"] = "EB:703/94%EM:719/79%",
["잿빛바다"] = "RB:394/53%UM:374/40%",
["다교"] = "UB:330/44%RM:497/54%",
["길자"] = "UB:314/41%RM:576/64%",
["매일매일흑마해"] = "UM:397/42%",
["서장원"] = "EM:781/76%",
["라하"] = "RB:437/56%RM:617/66%",
["봉달희"] = "RB:496/69%RM:603/67%",
["알수없는분"] = "CM:51/0%",
["에바브로디도"] = "RB:282/68%RM:501/74%",
["부엉이전사"] = "EM:715/76%",
["Kodelia"] = "EB:526/83%EM:533/82%",
["웨버"] = "EB:630/87%EM:740/81%",
["호수의수호자"] = "UB:213/26%RM:593/63%",
["돼지공주야"] = "RB:358/72%EM:489/75%",
["아레스아레"] = "EB:634/80%EM:777/75%",
["포도향웰치스"] = "RB:442/57%RM:513/53%",
["신용불가"] = "RM:661/73%",
["미시여우"] = "UB:143/29%RM:294/51%",
["파비올라"] = "EB:648/89%RM:542/60%",
["허접냥꾼"] = "CB:124/15%RM:621/60%",
["천마파돌"] = "UB:334/41%RM:610/65%",
["오쪽"] = "RM:506/71%",
["도적자리있나요"] = "UT:187/25%EB:579/76%RM:688/73%",
["악타이온"] = "CM:63/9%",
["쪼꼬사제"] = "CB:121/12%RM:463/50%",
["Tigerap"] = "UM:261/44%",
["더워퍼"] = "UM:384/39%",
["사제나들이"] = "UM:433/47%",
["법사임"] = "CB:35/3%CM:158/15%",
["경워니"] = "UM:438/44%",
["표준미"] = "EB:698/89%EM:903/92%",
["코디네이터"] = "EB:563/78%RM:668/73%",
["간장새우"] = "CM:160/20%",
["검술가"] = "UM:136/39%",
["장이도깨비"] = "CB:139/17%UM:255/26%",
["비온다"] = "CM:183/18%",
["법냥이"] = "EB:652/85%RM:678/74%",
["사제다"] = "CB:195/24%UM:400/43%",
["해머링링"] = "UM:355/38%",
["전사은"] = "CM:110/13%",
["곱등이"] = "CM:33/1%",
["다시밤"] = "RB:562/72%EM:798/83%",
["바다소녀"] = "UB:337/41%RM:634/68%",
["Assistant"] = "RB:487/65%EM:881/89%",
["Nandol"] = "EB:562/78%EM:739/80%",
["노움하나"] = "RB:440/58%RM:541/59%",
["한글자"] = "CB:160/20%CM:231/23%",
["서퍼민"] = "CM:54/3%",
["Angeleye"] = "UM:418/49%",
["비오템사제"] = "CM:64/8%",
["두덜뱅스"] = "CM:162/17%",
["흑족"] = "UM:419/43%",
["여친이불끄면은신"] = "UM:335/36%",
["암살검"] = "RM:657/62%",
["유리디체"] = "RM:477/54%",
["아옳이"] = "RB:420/55%RM:574/63%",
["아카타루"] = "EB:630/83%",
["석호"] = "RB:447/56%RM:704/65%",
["제패"] = "UB:261/28%UM:380/39%",
["해죠야지"] = "EM:707/89%",
["인대남성기"] = "EB:663/90%EM:779/84%",
["능자"] = "UM:248/30%",
["도도알"] = "CM:153/14%",
["붕대슴가"] = "CB:162/19%UM:379/40%",
["뜨끔"] = "EM:786/82%",
["엔젤가브리엘"] = "CB:63/5%UM:262/31%",
["사제노바"] = "UB:230/29%UM:335/35%",
["미쎄스아포진"] = "RB:581/74%EM:789/82%",
["샤이니블루"] = "UB:332/44%UM:438/47%",
["스와레"] = "CB:121/15%CM:213/21%",
["와린이초보사제"] = "UM:271/27%",
["글로버"] = "CM:80/7%",
["한석규"] = "RB:577/73%RM:695/74%",
["심수봉"] = "EM:579/80%",
["서정곡"] = "UB:311/41%UM:301/31%",
["루크슬"] = "RB:499/66%EM:734/77%",
["많이아파"] = "EB:632/86%EM:779/89%",
["쮸르피스트"] = "UM:277/28%",
["페리도트"] = "UB:224/28%RM:471/51%",
["연준의장"] = "CB:194/24%UM:294/30%",
["훌렁훌렁"] = "CM:69/6%",
["돌가죽"] = "EB:663/93%EM:779/92%",
["핑크워든"] = "EB:663/84%EM:794/82%",
["쩡주"] = "EB:561/78%EM:875/93%",
["푸른냥이"] = "CB:42/4%CM:171/15%",
["추기경"] = "EB:666/91%EM:678/75%",
["붕대는거들뿐"] = "RM:483/51%",
["이욥"] = "UB:346/46%RM:610/65%",
["카미오미스즈"] = "CM:217/22%",
["검은말"] = "UB:317/40%RM:545/56%",
["황금의바다"] = "EB:481/80%EM:716/87%",
["배가차"] = "UM:308/32%",
["소뜨루"] = "CB:66/6%RM:489/54%",
["대마신"] = "CB:101/12%UM:379/38%",
["활룡"] = "CB:30/2%CM:118/16%",
["기체"] = "CM:26/0%",
["유기농웨하스"] = "CM:199/19%",
["이글"] = "CM:139/14%",
["노래냥냥"] = "CM:234/22%",
["다스몰"] = "RB:554/70%RM:681/73%",
["Silence"] = "UM:425/43%",
["슬림짱"] = "CB:49/4%UM:187/35%",
["어깨춤을추자"] = "RB:487/64%RM:491/50%",
["밤님의소환수"] = "EB:466/79%EM:684/85%",
["수낭자"] = "UB:263/33%UM:432/47%",
["고흑한엣지"] = "CB:41/4%CM:168/17%",
["왕만두"] = "CB:36/3%UM:356/37%",
["잠보스"] = "UM:390/39%",
["삼루이"] = "EB:580/80%EM:689/76%",
["왜그랬어"] = "UM:248/25%",
["Litche"] = "RM:445/67%",
["물빵맛집"] = "RB:508/67%RM:531/58%",
["공일공"] = "UB:369/47%RM:582/62%",
["카인헤비암즈"] = "CT:63/11%RB:246/66%EM:630/80%",
["도바킨기사"] = "UB:212/26%UM:345/36%",
["오필리어"] = "EM:810/80%",
["잿빛새벽"] = "CB:32/2%UM:296/30%",
["키몽"] = "EB:729/93%EM:860/90%",
["제피르스"] = "UM:322/32%",
["흠칫뿅"] = "UM:279/28%",
["엄원희"] = "EB:748/94%EM:869/89%",
["호우"] = "RB:452/56%EM:754/79%",
["타락한곰탱이"] = "EM:666/81%",
["한예쓸"] = "EB:692/93%EM:792/86%",
["지기네"] = "LB:773/97%LM:948/96%",
["실키"] = "UB:233/25%RM:674/72%",
["종종전사"] = "EB:540/78%RM:535/73%",
["프란츠카프카"] = "RM:494/67%",
["스레니콘"] = "CB:123/13%UM:269/27%",
["이쁜짓"] = "RB:443/61%EM:769/84%",
["Overclock"] = "EB:645/82%RM:674/72%",
["Elnino"] = "UM:200/38%",
["뽑뽑뽀"] = "EB:609/84%RM:565/63%",
["아이스와인"] = "UB:299/39%UM:406/49%",
["소주두병"] = "CB:85/10%RM:610/65%",
["펭순"] = "CB:165/22%UM:398/40%",
["곳휴가철"] = "RB:394/51%UM:296/29%",
["에스웍타고싶다"] = "LB:721/95%EM:755/82%",
["Cityhunter"] = "RB:441/58%UM:307/30%",
["Zik"] = "EB:721/91%EM:926/94%",
["얼라신화"] = "RB:550/70%EM:762/80%",
["레드투사"] = "EB:714/93%EM:861/93%",
["달포"] = "UB:368/49%UM:300/39%",
["흑당라떼"] = "EB:740/94%LM:935/95%",
["세인트나인"] = "UB:333/41%UM:444/47%",
["Elliots"] = "RB:300/50%UM:245/45%",
["바닐라커피"] = "EB:577/76%EM:788/84%",
["나비에"] = "RB:483/64%UM:344/36%",
["누들공"] = "EM:687/76%",
["꽃미남전사"] = "RB:499/73%EM:707/85%",
["사랑을주세요"] = "RB:533/68%EM:781/81%",
["오점례"] = "EB:753/94%EM:908/92%",
["소주컵"] = "CM:64/5%",
["유크라니스"] = "RB:564/74%RM:555/57%",
["Sungisa"] = "EB:603/83%RM:523/57%",
["혼족생활백서전사"] = "RB:325/53%UM:261/47%",
["노상인내"] = "RB:416/57%RM:561/62%",
["Brynhildr"] = "UM:321/37%",
["엘체니아마몬"] = "EB:545/86%RM:462/73%",
["고져스데이비"] = "SB:816/99%EM:842/84%",
["항상피곤해"] = "UB:251/32%RM:587/65%",
["삼선쓰레빠"] = "UM:282/28%",
["부탁해요"] = "UM:475/49%",
["불꽃남자불꽃남자"] = "RB:424/58%RM:477/52%",
["라면공주"] = "EB:592/78%UM:449/49%",
["즌사님"] = "EB:732/94%LM:930/96%",
["신묘한시봉이"] = "EB:698/89%RM:533/55%",
["못난놈친구"] = "EB:656/83%EM:919/93%",
["Volkl"] = "EB:578/81%EM:827/91%",
["가라치코"] = "RB:491/68%EM:734/80%",
["딜딸좋아좋아"] = "EB:674/86%EM:793/82%",
["딜라인"] = "EB:655/83%EM:758/80%",
["서윤"] = "EB:704/94%EM:885/93%",
["렉사르여친"] = "EB:630/82%RM:608/67%",
["글렌"] = "RB:494/63%RM:690/73%",
["방밀크리"] = "RB:476/71%UM:250/45%",
["곰의향기"] = "EB:545/84%EM:525/76%",
["힐링예인"] = "CB:180/21%UM:328/34%",
["투랑"] = "EB:656/83%EM:786/82%",
["얼화크리"] = "RB:407/53%UM:444/48%",
["피요나애플"] = "RB:436/56%RM:501/51%",
["다시마"] = "RB:529/73%EM:681/75%",
["쩡냥"] = "RB:529/70%EM:708/75%",
["루티스"] = "EB:687/91%EM:839/92%",
["꼬돌이"] = "RB:477/63%RM:654/70%",
["데모스"] = "EM:522/76%",
["스멜"] = "CM:52/2%",
["황금갈기"] = "RM:615/59%",
["브로미"] = "CB:159/20%RM:531/58%",
["핸섬가이"] = "RM:575/52%",
["카푸친"] = "UM:123/33%",
["제이웬"] = "RB:530/73%EM:773/84%",
["겨울풀잎"] = "RB:410/56%EM:722/79%",
["전갈헤드"] = "RB:402/52%UM:418/42%",
["잿빛곰"] = "EM:668/86%",
["트롤녀"] = "CM:164/21%",
["잠보"] = "UM:223/31%",
["추운오월"] = "CM:187/18%",
["Ark"] = "RB:114/50%EM:610/84%",
["방사능"] = "CM:59/7%",
["흑마법서"] = "UB:269/34%RM:623/61%",
["Freneticness"] = "UB:220/27%RM:491/53%",
["힐없어돌아가"] = "UM:352/44%",
["고대신"] = "RB:394/61%EM:809/90%",
["킹킹케론파"] = "EB:741/93%SM:997/99%",
["스물일곱번째밤"] = "LB:782/98%EM:935/94%",
["빈칸"] = "EB:735/93%EM:896/90%",
["Wizie"] = "UM:215/30%",
["Zamboss"] = "CB:68/6%RM:599/62%",
["이회장"] = "RM:469/55%",
["볼트액션"] = "UB:337/43%RM:553/59%",
["Hope"] = "EB:649/88%EM:801/90%",
["힐들어가유"] = "UB:281/36%RM:614/68%",
["쿤쿤"] = "RM:653/59%",
["길시언"] = "RB:479/71%LM:921/97%",
["리달달"] = "CM:137/21%",
["마미마마"] = "CB:37/4%CM:53/3%",
["불타는봉자"] = "UM:494/48%",
["와니부치"] = "CB:39/4%UM:382/41%",
["순정"] = "UM:448/42%",
["후브"] = "RM:645/68%",
["오드리아사드"] = "RB:346/71%EM:592/84%",
["트리엘라"] = "RM:500/55%",
["으리"] = "RM:427/60%",
["타니자키"] = "UB:264/33%UM:394/47%",
["제크법사"] = "RM:467/53%",
["오크계의별"] = "RM:448/53%",
["Baine"] = "UM:229/25%",
["삼세판"] = "RM:611/65%",
["깡태공"] = "LB:774/98%LM:957/98%",
["키리사메마리사"] = "UB:284/48%EM:615/79%",
["베리타이어드"] = "UB:246/31%EM:865/90%",
["활잘쏘는지현이"] = "UM:365/37%",
["꽃파는할배"] = "CB:198/24%UM:333/35%",
["브리드라이트"] = "CM:133/20%",
["발리라생귀나르"] = "EB:611/78%EM:904/90%",
["암현"] = "LB:761/96%EM:856/94%",
["북명신공의대가"] = "RB:476/66%EM:838/89%",
["아르망"] = "RB:506/70%RM:540/58%",
["디펜더마스터"] = "LB:781/97%EM:892/92%",
["치즈떡볶이"] = "RM:555/63%",
["쏘냐"] = "RB:437/54%RM:480/69%",
["법사로"] = "UB:279/36%EM:808/82%",
["Sensefree"] = "EM:630/77%",
["투현아빠"] = "CB:146/18%UM:273/28%",
["블랙앤화이트"] = "RM:735/70%",
["데밀레노스"] = "RB:448/59%SM:997/99%",
["대충전사"] = "CM:51/5%",
["삶은계란"] = "EM:874/89%",
["지배하는자"] = "UB:268/33%UM:434/45%",
["Sogul"] = "CB:149/18%RM:755/73%",
["쪼댕"] = "EB:695/93%EM:877/92%",
["Robinson"] = "RB:453/68%EM:604/82%",
["Kbs"] = "RM:465/51%",
["인내만"] = "CM:162/23%",
["씨수소"] = "ET:624/83%EB:626/82%EM:801/83%",
["뚱이간지"] = "RM:626/67%",
["썬키스트딸기"] = "RB:471/65%UM:328/42%",
["칼질하는차양"] = "UM:116/35%",
["졸려서오또카닝"] = "CM:212/21%",
["Naelhunter"] = "RM:630/67%",
["절에사는사제"] = "CM:121/17%",
["겨울월령"] = "RB:418/53%UM:397/41%",
["뱃살도적"] = "CM:223/22%",
["쫌생이"] = "UM:307/39%",
["잘레드루"] = "UM:208/38%",
["Querian"] = "EB:522/76%EM:725/86%",
["차차만두"] = "UM:428/44%",
["므대"] = "CB:35/4%RM:306/62%",
["진정드루"] = "EM:719/75%",
["Lovescream"] = "LM:931/97%",
["울보쭈"] = "UM:290/34%",
["첫잔은원샷"] = "EB:576/79%RM:697/73%",
["제크사냥꾼"] = "CM:54/3%",
["찌니쥐니"] = "CM:137/19%",
["정신줄노움법사"] = "CM:158/23%",
["사영"] = "UM:289/33%",
["리에"] = "RM:574/64%",
["프렌치바닐라"] = "EB:596/77%RM:671/70%",
["아그네사"] = "EB:669/90%RM:613/68%",
["송기사라뀨"] = "CM:44/2%",
["달가루무침"] = "CM:41/3%",
["낼모레쉰살"] = "RB:476/65%RM:466/51%",
["힐선생"] = "RM:546/59%",
["잭스트라이더"] = "CM:179/23%",
["타릭입니다"] = "EB:443/75%EM:700/84%",
["라잇"] = "RM:321/52%",
["나이팅게이"] = "CM:52/2%",
["맞으면죽척"] = "CM:57/6%",
["도적셔틀"] = "UM:287/29%",
["기사예인"] = "UB:352/47%CM:51/3%",
["와갤요리"] = "UB:378/49%RM:536/59%",
["도리"] = "EM:555/80%",
["도깨비불"] = "UM:354/44%",
["두발"] = "UM:165/44%",
["스즈"] = "RM:686/67%",
["와따따뿌겐"] = "RB:431/74%RM:516/72%",
["아레스마레"] = "CB:32/2%RM:525/58%",
["신비한사격"] = "RM:508/50%",
["야수마스터찡"] = "CM:77/9%",
["삐삐까까"] = "CM:244/23%",
["영화"] = "UM:282/29%",
["버질"] = "CM:217/20%",
["하겐다즈브라우니"] = "UM:355/37%",
["카넬리아"] = "EM:441/78%",
["또한다"] = "CB:60/6%CM:29/1%",
["칼라란"] = "RM:728/70%",
["왕별"] = "RM:538/71%",
["이나영탁구부"] = "RB:415/53%EM:848/85%",
["꼬곰"] = "RM:565/54%",
["미네소타"] = "RM:399/60%",
["은빛갈매기"] = "CB:151/18%EM:724/76%",
["Pillus"] = "RM:542/57%",
["뻥자"] = "CM:66/9%",
["키키"] = "UM:239/33%",
["모내"] = "UM:260/31%",
["신절대야시"] = "CM:103/13%",
["이름은성기사"] = "RM:505/67%",
["달리자"] = "RM:460/51%",
["절대야시"] = "CM:61/8%",
["힐러님전괜찮아요"] = "CM:179/23%",
["계급"] = "EM:623/82%",
["무독성"] = "RM:603/57%",
["Americ"] = "CM:77/14%",
["알딸딸"] = "RM:529/52%",
["심쿵해"] = "CB:64/7%RM:458/52%",
["드루별"] = "EM:628/78%",
["축복받은귀환의돌"] = "CM:41/1%",
["Bark"] = "UM:315/35%",
["가이어스"] = "UB:301/39%UM:305/39%",
["다쓸어"] = "CB:74/14%RM:453/67%",
["달빛하늘타리"] = "RM:735/71%",
["잠입액션"] = "CM:155/15%",
["리딘"] = "UM:261/35%",
["검정말"] = "CB:69/8%UM:392/40%",
["곰사냥꾼"] = "UB:259/32%RM:513/54%",
["어한오리"] = "CM:25/0%",
["메탈릭실버"] = "CB:175/22%UM:364/37%",
["양개토"] = "RB:509/68%EM:696/76%",
["양만덕"] = "CB:109/11%UM:357/38%",
["Efedra"] = "LM:968/97%",
["개밥먹는냥이"] = "UB:337/43%UM:255/30%",
["이손드레"] = "EM:850/89%",
["고양이세마리"] = "UM:300/31%",
["그런대로"] = "UM:173/25%",
["바리케이트"] = "EM:872/89%",
["피맛"] = "CM:121/18%",
["위니펙"] = "SM:1019/99%",
["나옐이"] = "CM:163/16%",
["래티샤"] = "EB:657/83%EM:818/80%",
["마스터새벽"] = "UM:294/33%",
["야드야드"] = "UB:224/46%RM:272/67%",
["진사랑"] = "LB:773/97%LM:926/95%",
["아카타니"] = "EB:624/79%EM:833/82%",
["걸음원츄"] = "RB:487/72%RM:254/57%",
["다이옥신"] = "UB:247/43%UM:177/46%",
["이지혜"] = "UB:379/49%RM:557/59%",
["Alisson"] = "UM:455/45%",
["아르한"] = "UM:391/47%",
["학식"] = "EB:669/86%EM:759/80%",
["리령"] = "UM:280/28%",
["성님"] = "RB:432/74%EM:707/84%",
["타치"] = "UB:345/45%UM:253/25%",
["우나기"] = "UM:271/32%",
["태솔"] = "EB:664/89%CM:63/13%",
["불타는기사"] = "RB:225/60%RM:288/56%",
["철인이십팔노움"] = "CM:43/3%",
["Milla"] = "EM:869/86%",
["은밀한취미"] = "RB:502/66%EM:882/89%",
["졸리군"] = "UB:303/38%RM:556/59%",
["호드사냥대마법사"] = "CB:62/5%",
["미남드워프"] = "CM:51/1%",
["Lazinism"] = "RM:660/64%",
["쁘아까오"] = "EB:621/89%EM:779/89%",
["Tejia"] = "CM:54/4%",
["릴러말즈"] = "UM:249/34%",
["노래무적"] = "UB:264/33%UM:266/27%",
["토토모"] = "UM:295/34%",
["난사제뭘하든처음"] = "CB:95/9%UM:250/25%",
["Magics"] = "RB:430/56%RM:571/59%",
["데이워커"] = "UM:412/42%",
["반역자"] = "CM:154/14%",
["헝그리선주"] = "RM:474/55%",
["Shadower"] = "EM:788/76%",
["페퍼상사"] = "UM:285/29%",
["캡틴라틴아메리카"] = "CB:69/8%RM:667/65%",
["세인트쥬드"] = "CM:109/13%",
["드루주방장"] = "EB:592/87%EM:798/91%",
["젤리발바닥"] = "RB:386/52%RM:621/69%",
["왕권자"] = "RB:451/62%UM:419/45%",
["구천현녀"] = "EB:568/79%EM:838/90%",
["Arjuna"] = "EB:623/81%RM:568/60%",
["미녀기사린"] = "RB:536/74%RM:432/66%",
["나들이흑마"] = "RB:502/66%UM:430/44%",
["허꺼덩"] = "EB:565/75%RM:587/65%",
["세종냥꾼"] = "EB:598/78%EM:721/76%",
["여자친구유주"] = "UB:244/31%UM:440/48%",
["Renstail"] = "UM:270/27%",
["아달딸안달"] = "EB:581/80%EM:830/89%",
["탈리"] = "LB:795/98%LM:938/95%",
["알키비아데스"] = "EB:593/82%EM:881/92%",
["매복크리"] = "RB:530/68%RM:516/55%",
["나만주술사다"] = "EB:548/76%RM:636/70%",
["세아라만세"] = "RB:417/55%RM:481/52%",
["로빈윌리엄주몽"] = "RT:477/67%EB:661/85%EM:826/85%",
["응응교주냥"] = "EB:634/82%EM:867/89%",
["징표한번만할께여"] = "CB:172/21%UM:382/38%",
["피할수없는전사"] = "EB:621/85%EM:702/85%",
["오늘만해야지"] = "CB:28/0%RM:522/57%",
["북극여우"] = "EB:615/85%EM:836/90%",
["슈퍼모델"] = "RB:539/72%EM:715/78%",
["수적"] = "UB:344/44%RM:641/68%",
["시크릿타임"] = "UB:376/49%RM:680/74%",
["따드려요"] = "UB:323/39%EM:792/82%",
["엘스웨어"] = "EB:633/86%EM:708/86%",
["법사시연"] = "EB:607/80%EM:856/90%",
["Icebean"] = "EB:571/79%RM:593/65%",
["노란브로콜리"] = "RB:431/55%RM:520/55%",
["창밖에비가내려요"] = "CB:58/6%",
["어느새"] = "RB:416/57%UM:391/42%",
["하도우켄"] = "CB:194/24%UM:467/47%",
["Ninjka"] = "RB:473/60%RM:664/71%",
["와기사"] = "RB:419/57%UM:456/49%",
["크어응"] = "EB:627/81%EM:892/91%",
["현묵"] = "EB:735/92%EM:896/91%",
["개인소장용지저스"] = "UM:462/47%",
["새벽힐링"] = "UM:365/45%",
["써누친구"] = "CM:130/18%",
["비즈"] = "CM:166/23%",
["코토"] = "RM:535/58%",
["대가"] = "EM:806/78%",
["달빛을쏴라"] = "EM:769/75%",
["용감한노움"] = "RM:446/51%",
["Tiwaz"] = "EM:901/91%",
["마르비다"] = "CB:133/16%CM:102/13%",
["라가즈"] = "EB:440/77%EM:514/81%",
["양개순"] = "UB:368/47%RM:521/53%",
["연두드루"] = "UM:313/39%",
["Waker"] = "UM:517/47%",
["옥정"] = "EB:703/88%EM:918/94%",
["이회장냥꾼"] = "CM:254/24%",
["시모닝"] = "RB:528/73%EM:841/88%",
["헤가"] = "UM:230/28%",
["화살상인"] = "UM:424/44%",
["나이어스"] = "UB:331/44%RM:660/70%",
["황당냥꾼"] = "EM:723/76%",
["아묘"] = "RM:487/55%",
["짱구니"] = "RM:556/63%",
["킁킁아들이대"] = "CM:59/7%",
["히어리"] = "RT:561/74%EB:648/84%EM:709/76%",
["블러디앤"] = "UM:229/28%",
["전사일비"] = "CB:99/11%UM:525/48%",
["응죽척없어"] = "UB:247/30%EM:738/78%",
["달빛머리"] = "RM:487/66%",
["울펜"] = "UM:264/31%",
["최악의마도사"] = "UB:273/35%UM:383/41%",
["혈액형"] = "CM:166/21%",
["품보절미"] = "CM:114/15%",
["불난집부패질"] = "RM:621/61%",
["뽀삐다"] = "CM:63/9%",
["하늘사제"] = "CM:237/23%",
["한쓰루"] = "RM:673/71%",
["속터진맨두"] = "CM:176/22%",
["기사님"] = "UM:444/49%",
["수리산딱따구리"] = "CB:61/7%UM:270/27%",
["스키자하"] = "EB:658/90%EM:904/94%",
["멘토르"] = "RM:529/57%",
["세피앙"] = "RM:354/55%",
["호위무사"] = "CM:62/12%",
["소금인형"] = "CM:52/2%",
["무식한기사"] = "UB:343/46%EM:701/77%",
["평균이상"] = "EM:768/75%",
["푸른루나"] = "CM:52/2%",
["크세니아"] = "CM:243/24%",
["힐자판기"] = "UM:301/39%",
["잠자는술속의마녀"] = "RM:662/70%",
["오리니"] = "UM:374/45%",
["프로페시아"] = "RM:611/64%",
["텍트"] = "RM:289/60%",
["일격필살"] = "UM:490/48%",
["냥꾼류랑"] = "UM:398/42%",
["Aboo"] = "EM:801/89%",
["동서"] = "CB:26/0%UM:380/45%",
["드루씽씽"] = "RM:430/61%",
["Kyle"] = "CM:218/24%",
["누가바짱"] = "UM:369/40%",
["홍비"] = "UM:251/34%",
["원형방패"] = "CM:22/1%",
["청파드루"] = "RM:563/73%",
["크브누"] = "CM:114/11%",
["긔사"] = "CM:94/11%",
["아유레인"] = "RM:421/51%",
["아흥이"] = "CM:59/8%",
["훌렁"] = "RM:720/74%",
["Lazyness"] = "RM:587/57%",
["블루엘"] = "UM:247/33%",
["인간공주"] = "EM:191/75%",
["루시리스"] = "EM:518/77%",
["미소루"] = "UM:131/28%",
["스륵"] = "UB:347/43%RM:537/52%",
["탱커만십년째"] = "UM:304/31%",
["천성"] = "EM:444/78%",
["드루임"] = "UM:300/48%",
["와져씨"] = "EB:603/77%RM:606/65%",
["미남팔라딘"] = "RM:544/58%",
["케이리나"] = "CM:46/3%",
["엣지"] = "EM:747/76%",
["윗집아줌마시끄러"] = "EB:664/90%EM:734/77%",
["까만허브"] = "EB:581/76%RM:496/51%",
["악공"] = "EB:574/75%RM:567/58%",
["볼트론"] = "ET:372/84%EB:470/79%RM:432/71%",
["마마루"] = "CB:50/3%RM:492/53%",
["까를로스"] = "RB:407/55%UM:353/38%",
["겨울님"] = "EM:604/78%",
["파추"] = "EB:606/77%EM:923/94%",
["한끝에오억을태워"] = "RB:463/61%EM:813/86%",
["Xerxes"] = "LB:782/98%EM:885/90%",
["써티"] = "EB:746/94%EM:877/90%",
["더맨드루"] = "RB:275/65%RM:401/63%",
["대머리근육남캐"] = "RB:530/69%UM:327/33%",
["내일은상한가"] = "UB:357/46%EM:687/75%",
["존바바"] = "RB:284/67%RM:525/62%",
["힐주면엠채움"] = "RB:478/62%RM:663/69%",
["세나리온"] = "LB:750/97%LM:946/97%",
["이리안"] = "EB:587/81%EM:739/81%",
["길성"] = "CB:128/13%CM:151/13%",
["세벽한시"] = "CB:53/8%RM:343/56%",
["펜타미넘"] = "RB:519/67%EM:767/80%",
["무한힐링갑니다"] = "UT:220/26%EB:562/78%EM:688/76%",
["예인이"] = "RB:366/72%RM:392/69%",
["크는중"] = "RB:579/74%EM:752/79%",
["슬아흑마"] = "UM:411/42%",
["보이드하드워커"] = "UB:331/42%RM:545/56%",
["늙은방랑자"] = "UB:281/35%UM:473/48%",
["Fufu"] = "UM:240/44%",
["로빈님"] = "UB:374/47%RM:586/63%",
["야념논드"] = "CB:35/3%CM:110/10%",
["오빠너무짜릿해"] = "RB:412/50%RM:649/69%",
["언흙"] = "CB:128/16%UM:287/29%",
["더길다"] = "EB:499/81%EM:626/82%",
["도적히스"] = "RB:550/71%RM:573/61%",
["어둠의불꽃"] = "RB:490/65%RM:682/74%",
["흑발"] = "EB:635/82%EM:828/86%",
["달래무침"] = "EB:749/94%LM:966/97%",
["러브앤피스"] = "CM:63/5%",
["엘제이"] = "CM:168/15%",
["미가엘와니"] = "RB:469/62%RM:491/54%",
["휘드루마드루"] = "EM:568/79%",
["오랜만에"] = "UB:273/34%RM:600/64%",
["핑크래빗"] = "EB:575/80%CM:223/21%",
["사냥을같이하지"] = "CB:34/3%CM:27/0%",
["활질의리더"] = "CM:32/1%",
["나만드루이드다"] = "RB:402/54%RM:537/60%",
["냥꾼하나"] = "UB:191/47%UM:314/31%",
["여름님"] = "RB:568/74%RM:515/53%",
["짜장떡볶이"] = "UM:34/33%",
["바라크루드"] = "CM:137/21%",
["엄마왔다힐먹자"] = "CM:69/10%",
["시모나"] = "UM:324/32%",
["김추자"] = "RB:571/73%EM:773/81%",
["해량"] = "RM:638/74%",
["달려라치타"] = "RB:471/62%EM:748/79%",
["디컬"] = "RM:448/63%",
["프로라"] = "EM:871/91%",
["미스모단"] = "UM:200/26%",
["그리웠어요"] = "UM:106/33%",
["탐스런냥꾼"] = "UM:429/44%",
["놓치지않을거예요"] = "UM:350/35%",
["한잎"] = "RM:594/57%",
["Hellper"] = "LM:946/95%",
["비밀친구"] = "RM:442/62%",
["하늘땅별땅"] = "UB:293/38%CM:131/11%",
["Helga"] = "EM:771/75%",
["장갑낀냥이"] = "UM:316/35%",
["니꼬마미"] = "RM:712/67%",
["세잎"] = "CM:58/7%",
["기사처럼"] = "CB:30/1%CM:43/2%",
["Ganzz"] = "UB:369/47%UM:292/33%",
["탐스런저주"] = "CM:109/13%",
["흑마우비"] = "UM:478/49%",
["사이공"] = "RM:546/59%",
["악덕사체"] = "CM:70/10%",
["탐스런빛"] = "RM:678/74%",
["여행"] = "UM:326/38%",
["일방통행"] = "LB:769/96%EM:860/88%",
["마법사나라"] = "CM:144/22%",
["두덩"] = "UB:386/48%RM:643/69%",
["아크비숍"] = "UM:399/49%",
["통통탱크"] = "UM:96/30%",
["Moonmelody"] = "UM:423/47%",
["자중해주십쇼"] = "CM:105/14%",
["슈헤르"] = "UM:533/48%",
["언데드사제임"] = "RM:648/71%",
["붉은모자"] = "UM:298/35%",
["이젠드려요"] = "CM:56/4%",
["탐스런캣"] = "RM:622/66%",
["업적"] = "CM:164/20%",
["바사칸전사"] = "CM:162/19%",
["보라카이"] = "UM:241/29%",
["Bboo"] = "RM:520/52%",
["요놈참"] = "RM:714/69%",
["달바래기"] = "EM:602/85%",
["둥구리"] = "RM:445/53%",
["딜킹탱왕힐짱"] = "UM:203/25%",
["감똥"] = "CM:109/13%",
["시온주얼리"] = "RM:516/61%",
["누구냔"] = "UM:106/31%",
["마산아재"] = "CB:90/10%UM:424/46%",
["오늘은비"] = "CM:60/11%",
["달려축을"] = "RB:115/52%RM:334/59%",
["사탕인형"] = "UM:244/29%",
["스타시드"] = "RM:428/50%",
["아기고양이"] = "RB:413/56%EM:680/75%",
["빵야씨"] = "CM:140/21%",
["기사우비"] = "UM:356/41%",
["힘찬하하"] = "RM:483/53%",
["천풍"] = "RM:223/53%",
["이노옴"] = "CM:42/1%",
["담담"] = "UM:262/28%",
["등으로말한다"] = "EB:515/75%RM:535/73%",
["한숨"] = "CM:153/23%",
["아라곤인감"] = "UM:208/25%",
["Jazz"] = "CM:50/0%",
["송흑마"] = "UM:460/47%",
["개롤트"] = "EB:623/85%EM:661/82%",
["레이피안"] = "CB:191/24%UM:419/45%",
["삼단변신몽둥이"] = "RB:419/57%RM:536/59%",
["슈비두바바"] = "UM:442/49%",
["Poetess"] = "UM:380/45%",
["Dress"] = "UM:381/46%",
["일단쏩니다"] = "UM:226/27%",
["밤색"] = "UM:252/25%",
["Andante"] = "CM:166/23%",
["장취산"] = "CM:53/3%",
["쿵팬"] = "CM:108/13%",
["블랙이모"] = "CB:29/1%UM:334/34%",
["브리테리아"] = "CM:194/24%",
["로쏘"] = "CM:106/13%",
["슈퍼모델매니저"] = "CM:177/23%",
["곰쓸개"] = "EM:588/75%",
["흑마여유"] = "CM:135/19%",
["구로막차"] = "UM:373/40%",
["리르포엘"] = "RM:507/58%",
["알테어"] = "RM:704/65%",
["꼬마짱짱"] = "EM:745/80%",
["돌마스터"] = "UM:219/43%",
["주금"] = "UM:246/30%",
["Severus"] = "RM:412/60%",
["내일은비"] = "RM:659/63%",
["무서운언니"] = "UM:349/43%",
["Lukaas"] = "EM:751/79%",
["산모기"] = "CM:115/15%",
["너덜너덜곰가죽"] = "UM:354/43%",
["사신드루"] = "EM:499/75%",
["유시아"] = "UM:287/38%",
["혈의향"] = "RB:500/64%EM:804/83%",
["Gripis"] = "RM:644/61%",
["계란짜장밥"] = "EB:727/91%LM:962/97%",
["탐리엘"] = "EB:562/78%RM:624/69%",
["홍합"] = "EB:598/82%RM:547/60%",
["데쓰주술"] = "CB:114/12%RM:523/58%",
["퀘르쿠스"] = "RB:447/56%UM:330/33%",
["법사장군"] = "RT:411/54%EB:566/75%EM:780/83%",
["소환하자"] = "EB:582/76%RM:605/63%",
["나프넹"] = "EB:554/82%EM:638/81%",
["간지럽소"] = "RM:471/68%",
["번천의신"] = "CM:199/18%",
["홀수"] = "EB:522/82%EM:625/82%",
["헤리티지"] = "EB:623/79%EM:836/86%",
["전사암현"] = "RB:533/68%RM:693/74%",
["허준을찾아서"] = "CB:25/0%CM:101/10%",
["흑마대저"] = "UB:334/42%RM:563/58%",
["드워프사제요"] = "EB:704/89%EM:806/83%",
["오비청년"] = "RB:505/66%RM:558/59%",
["노망난으흥이"] = "CM:27/0%",
["아루얌"] = "CB:176/21%RM:509/56%",
["Fufufu"] = "UM:354/35%",
["하늘을우러러"] = "UB:317/41%UM:422/45%",
["대박이의칼"] = "UM:419/43%",
["안리나"] = "CB:168/20%UM:337/33%",
["쁑쁑"] = "EB:651/85%EM:734/79%",
["면세점"] = "EB:543/75%RM:594/66%",
["탁콩이"] = "UB:330/43%RM:598/66%",
["안느앙"] = "CB:179/21%UM:296/30%",
["흥마아님"] = "UB:315/40%RM:679/71%",
["라그라스"] = "CB:116/14%CM:41/3%",
["흑마매쌀이고"] = "CB:56/6%CM:78/8%",
["왕골"] = "RB:465/64%RM:540/60%",
["전사여리"] = "CB:53/5%UM:275/49%",
["Pro"] = "RB:415/56%UM:378/41%",
["사악사악사악"] = "UB:368/46%RM:561/60%",
["지이크"] = "CB:55/5%CM:206/20%",
["전속흑마"] = "UB:243/30%RM:521/53%",
["초지"] = "EB:703/92%EM:832/91%",
["똘이사냥꾼"] = "EB:714/90%EM:881/90%",
["Mabeopsa"] = "CB:160/20%UM:249/25%",
["토파즈홀리"] = "RB:434/59%EM:826/89%",
["옷단추"] = "UB:341/43%UM:268/27%",
["Deadghost"] = "EB:669/86%EM:888/91%",
["홍뚠"] = "EB:607/77%EM:770/81%",
["철빡이"] = "EB:617/81%RM:608/67%",
["아바"] = "RB:430/56%CM:216/22%",
["드루큐티"] = "EB:505/82%EM:706/86%",
["딸기향웰치스"] = "UM:252/25%",
["쩔지"] = "RB:446/57%EM:716/76%",
["Cutecuri"] = "RB:422/54%RM:666/69%",
["지형이엄마"] = "RB:379/73%RM:418/70%",
["적혈비"] = "EB:619/79%EM:706/75%",
["심심한도적"] = "EB:632/80%EM:852/87%",
["클래식인간사제"] = "UM:424/46%",
["트롤은츄롤츄롤"] = "UB:245/29%RM:669/71%",
["정신병원"] = "EB:586/77%EM:753/79%",
["폭스"] = "UB:203/25%RM:585/62%",
["시로레이"] = "UM:268/27%",
["소주만먹어요"] = "RB:531/74%EM:827/89%",
["곱슬머리스님"] = "CM:36/1%",
["산자를사냥하소"] = "CM:89/11%",
["쓰랄이업어키운곰"] = "RB:330/70%RM:379/68%",
["재연"] = "RB:481/63%RM:510/54%",
["너의등대"] = "RB:510/71%RM:563/62%",
["은빛성기사군단장"] = "UB:205/25%UM:302/31%",
["흐릿한추억"] = "RB:423/55%EM:719/76%",
["신나영"] = "UB:318/41%RM:496/54%",
["대게장"] = "UB:290/36%UM:324/32%",
["윤은혜"] = "RB:567/72%RM:611/65%",
["도레미파솔라시도"] = "RB:546/69%RM:655/70%",
["콘파쿠요우무"] = "CM:79/7%",
["객사"] = "RB:461/60%RM:525/54%",
["초코샤샤"] = "CB:169/19%UM:259/26%",
["양날"] = "RB:408/50%UM:430/44%",
["키다리마법사"] = "UB:294/38%RM:514/61%",
["미르코크로캅"] = "RB:533/68%RM:604/65%",
["미스터흑군"] = "UB:379/48%RM:542/56%",
["청명계획"] = "EB:496/83%EM:647/86%",
["탁쿵이"] = "RB:541/69%EM:814/84%",
["Farmer"] = "UB:363/46%EM:725/76%",
["오사무엘"] = "UT:72/28%EB:583/84%EM:561/80%",
["믹스넛"] = "RM:474/68%",
["Curlin"] = "CB:174/20%CM:116/9%",
["노루가미래다"] = "EB:593/88%LM:878/95%",
["흥꿔"] = "CB:155/19%RM:567/58%",
["양꾼대왕"] = "RB:477/63%UM:445/46%",
["햇빛가득"] = "UB:268/32%CM:112/11%",
["훌널널"] = "RB:413/50%EM:707/75%",
["달려라달팽이"] = "RB:526/70%RM:653/72%",
["힐템"] = "UM:402/43%",
["전사협회장"] = "UB:269/29%CM:100/21%",
["영계"] = "UB:163/40%UM:364/39%",
["초롱버스"] = "RB:489/67%RM:610/67%",
["체리콜라"] = "UB:259/45%RM:319/54%",
["장아산수호자"] = "UB:363/46%RM:492/51%",
["코롱코롱코코롱"] = "EB:646/91%LM:888/95%",
["애기집막내아들"] = "CB:59/6%UM:275/28%",
["별빛그림자"] = "RB:275/66%RM:436/71%",
["힐러를원하나"] = "CM:25/0%",
["조여사네사탕가게"] = "UB:201/25%UM:370/37%",
["대박이의발톱"] = "CM:40/3%",
["인마이드림"] = "CM:197/18%",
["전속법사"] = "RM:598/66%",
["내가졌소"] = "UM:392/42%",
["나리타공항"] = "RB:407/63%RM:378/60%",
["프렌치초콜릿"] = "RB:514/71%RM:492/54%",
["김떡순"] = "LB:735/97%EM:829/89%",
["다크아이"] = "RB:407/52%RM:571/59%",
["냥냥예인"] = "CB:31/2%CM:106/9%",
["갸또"] = "RB:395/72%EM:513/75%",
["Ht"] = "EB:558/85%EM:720/87%",
["법사마틸다"] = "UT:122/46%RB:395/52%RM:539/59%",
["알록달록"] = "CB:136/16%RM:540/59%",
["흥다리"] = "CM:116/12%",
["쥐환"] = "UB:382/49%RM:527/54%",
["막힐강힐한힐"] = "CB:192/23%UM:285/29%",
["발이차"] = "UM:398/43%",
["흑마구리"] = "UM:405/41%",
["빽구두"] = "CB:134/16%UM:363/37%",
["돌이장군"] = "CM:41/5%",
["니앨라스"] = "CB:75/8%UM:386/41%",
["스치듯안녕해요"] = "CB:65/7%CM:173/17%",
["러브토마토"] = "CB:131/14%UM:379/40%",
["눌러서잠금해제"] = "CB:161/19%RM:510/56%",
["드루와든"] = "RB:373/72%EM:457/79%",
["부르주아"] = "RB:351/56%RM:483/69%",
["소간지들후"] = "RB:334/70%EM:602/85%",
["아카타로"] = "RB:352/71%RM:230/57%",
["리네"] = "EB:627/91%EM:648/85%",
["Jisun"] = "CB:193/23%CM:105/8%",
["낭만택시"] = "RB:456/58%EM:760/80%",
["치어스"] = "EB:607/84%EM:687/76%",
["아키도적"] = "UM:396/41%",
["국경의갈까마귀"] = "RM:264/59%",
["아카루시"] = "RB:538/74%RM:486/53%",
["아르센뤼팽"] = "UB:331/41%RM:604/65%",
["Supernova"] = "RM:240/57%",
["마법사융"] = "CM:229/23%",
["호놀로루"] = "CB:157/19%RM:586/63%",
["괴도딸기"] = "EM:713/75%",
["류봉"] = "CB:104/10%UM:418/45%",
["노워"] = "RB:371/52%RM:549/60%",
["커피와나"] = "UM:299/30%",
["마리테스"] = "CB:44/4%UM:382/39%",
["Aias"] = "EB:445/77%EM:668/85%",
["오데썽"] = "CB:68/8%UM:307/31%",
["법사재밌나요"] = "CB:31/2%CM:134/12%",
["우림위장"] = "CB:136/17%UM:340/34%",
["바리공주"] = "EB:589/81%EM:744/81%",
["낭꾸니"] = "CM:39/3%",
["이어린"] = "CM:186/17%",
["난쟁이힐러"] = "UB:361/48%UM:320/33%",
["다프네클루거"] = "RB:510/68%RM:661/72%",
["휴식중"] = "CB:153/18%RM:490/52%",
["와쥼마"] = "UB:287/37%UM:413/44%",
["전사레옹"] = "CB:103/22%RM:303/52%",
["노랑머리"] = "CB:114/11%CM:211/20%",
["따뜻한우유"] = "EB:596/77%RM:696/72%",
["뭉도도"] = "RM:354/61%",
["오미냥"] = "UM:400/41%",
["리아린"] = "RM:526/58%",
["손겸"] = "EB:542/75%RM:492/53%",
["불꽃여우"] = "UM:291/29%",
["암천회주"] = "UB:216/44%RM:262/57%",
["Blender"] = "RB:299/73%RM:348/64%",
["마도카"] = "CB:164/20%UM:278/28%",
["쭈쭈박"] = "UB:341/45%UM:365/39%",
["별빛루"] = "CB:112/12%CM:161/15%",
["달리고달리고달리"] = "CB:197/24%RM:525/55%",
["핑크로즈"] = "EB:573/75%RM:600/62%",
["Gurr"] = "RB:291/54%RM:301/52%",
["따끔한충고"] = "UB:164/45%CM:68/5%",
["탱같은거안함"] = "EB:685/86%EM:897/92%",
["상원의원"] = "RB:461/69%RM:489/70%",
["Rumblemagic"] = "RB:408/54%RM:543/60%",
["사랑과바다"] = "RB:470/62%UM:305/31%",
["펭러뷰"] = "RB:386/52%RM:489/53%",
["쫑아쫑아"] = "UB:203/25%EM:774/82%",
["썸머스앤"] = "CM:126/12%",
["반지하라면공주"] = "EB:675/86%RM:689/72%",
["잇힁"] = "LB:774/98%LM:938/97%",
["드루마까"] = "UB:360/48%RM:635/71%",
["나찰냥"] = "CM:31/1%",
["레비아"] = "RM:433/71%",
["새벽하루"] = "UM:274/28%",
["쿨나이티"] = "CM:57/3%",
["따뜻한햇살"] = "EB:582/81%RM:584/64%",
["엄복동"] = "RM:538/59%",
["어름"] = "UM:294/30%",
["씨부엉새"] = "RM:314/63%",
["세비니"] = "CB:113/12%UM:327/34%",
["돌아온성기사"] = "UB:300/39%UM:271/27%",
["차빵순"] = "CB:39/4%UM:265/27%",
["Christmas"] = "CB:26/0%UM:458/47%",
["혼작살"] = "CM:171/17%",
["쿠르드"] = "RB:521/67%EM:714/75%",
["쿨레이"] = "CB:29/1%UM:265/31%",
["비트광스"] = "UB:347/43%RM:631/67%",
["Handsilver"] = "UB:240/30%UM:262/26%",
["붕어잡는난쟁이"] = "EB:492/91%EM:700/84%",
["천상의손길"] = "CB:142/16%UM:420/45%",
["이얍"] = "CB:32/1%CM:185/17%",
["지요미"] = "CB:63/6%UM:348/36%",
["가슴은내가젤커"] = "CM:31/1%",
["레드라벨"] = "EM:501/75%",
["개산다고양이팔아"] = "CM:41/3%",
["Laziness"] = "CB:55/5%UM:428/44%",
["앞집전사"] = "RM:311/53%",
["이제그만"] = "EB:719/92%UM:438/47%",
["Markharmon"] = "CB:61/7%UM:413/42%",
["천둥이랑나랑"] = "UM:283/27%",
["인성박"] = "CB:156/17%RM:474/52%",
["Young"] = "UM:309/32%",
["까칠리우스"] = "ET:676/91%EB:727/94%RM:366/59%",
["빔블리퀵스위치"] = "CB:147/19%RM:559/62%",
["다테"] = "CB:82/24%RM:541/64%",
["꿀밤바맛"] = "UB:171/45%CM:190/21%",
["돋냥"] = "RB:444/58%EM:761/80%",
["브뤼셀와린이"] = "CM:107/9%",
["Anothermorn"] = "UM:392/43%",
["쥴리어스"] = "RM:479/52%",
["아강도리"] = "EB:561/80%EM:678/83%",
["늘혹"] = "UM:329/33%",
["전사허브"] = "ET:672/88%EB:716/91%EM:754/79%",
["도적엘런"] = "RT:519/69%RB:353/72%EM:837/87%",
["이쁘니아이모"] = "RB:455/61%RM:615/67%",
["평생돌진"] = "RB:467/63%",
["블루베리스콘"] = "ET:268/80%EB:581/92%EM:908/92%",
["꺄악"] = "UB:218/27%UM:424/46%",
["피해마눌"] = "CT:49/4%RB:361/50%RM:593/69%",
["물빵은나의힘"] = "UM:268/33%",
["뽀롱님"] = "RM:498/59%",
["쨍쨍드루"] = "EM:506/75%",
["혼족생활백서뜨루"] = "EM:481/75%",
["다은파더"] = "RM:594/65%",
["트로트찰리앤투"] = "UM:395/47%",
["Lovecat"] = "ET:412/81%RB:338/66%EM:595/78%",
["베프"] = "RB:270/60%UM:382/44%",
["앙드루"] = "CM:217/24%",
["짜파구라"] = "UT:131/47%RB:244/55%RM:646/70%",
["자스기"] = "CM:133/17%",
["도트달인"] = "RB:410/56%RM:540/58%",
["법사명월"] = "RM:463/55%",
["사랑할래"] = "ET:657/85%EB:709/90%LM:948/97%",
["사냥이뭘까"] = "ET:705/91%EB:732/93%EM:890/91%",
["힐짱마야"] = "ET:760/92%EB:650/90%EM:702/80%",
["도둑고양이나미"] = "CT:112/11%CB:100/9%CM:12/0%",
["페넬로페"] = "EB:550/85%EM:824/92%",
["마카롱법사"] = "RM:540/59%",
["미샤야달려"] = "ET:565/82%EB:495/76%EM:558/79%",
["대한독립낭꾼"] = "ET:734/94%LB:783/98%LM:933/95%",
["다나한"] = "ET:418/94%EB:749/94%EM:758/82%",
["전사나프"] = "RM:370/66%",
["해삼맛캔디"] = "ET:769/92%EB:701/93%EM:773/83%",
["막시고사"] = "ST:810/99%SB:854/99%EM:884/92%",
["퍼플리니"] = "UB:210/28%RM:487/54%",
["노바라"] = "RB:384/50%",
["남방미인"] = "EB:553/78%",
["쿠린낙스"] = "ET:582/78%EB:618/80%RM:564/64%",
["라비앙"] = "EB:504/77%RM:549/74%",
["노움은착해요"] = "CM:41/5%",
["레아나"] = "RT:232/70%UB:342/47%CM:211/24%",
["을지우르"] = "ET:704/91%EB:683/88%UM:319/36%",
["님얼굴드워프"] = "UT:85/35%RB:445/58%UM:128/38%",
["준통수"] = "ET:352/87%EB:645/89%EM:692/76%",
["Pinkpond"] = "RT:552/71%EB:533/76%EM:706/79%",
["문흥마님"] = "CM:184/24%",
["해봤니"] = "ET:674/85%EB:692/92%RM:643/71%",
["추나"] = "LT:753/98%EB:684/94%EM:836/89%",
["빙스"] = "RB:253/57%RM:531/58%",
["향기로운"] = "CM:26/0%",
["혼자는외로워"] = "RB:524/70%CM:170/22%",
["돌격병"] = "RT:161/59%EB:621/81%EM:778/84%",
["결정"] = "CB:151/19%RM:584/64%",
["서림"] = "ST:847/99%LB:766/96%EM:897/91%",
["흑마왕일"] = "UM:408/45%",
["푸른고양이"] = "UM:338/43%",
["스톰벨라"] = "ET:599/79%EB:606/84%RM:530/62%",
["아기기사"] = "CT:58/4%UB:205/47%UM:376/44%",
["Osita"] = "RB:184/62%RM:419/71%",
["뷸칸"] = "EB:583/78%RM:661/72%",
["달콤한은신"] = "CM:38/4%",
["몽키매직박"] = "EB:316/81%RM:356/66%",
["절세맹이"] = "CM:32/2%",
["냥냥뇽몽몽냥앵옹"] = "ET:351/83%EB:657/93%LM:879/96%",
["예민한감각"] = "RB:412/57%UM:434/49%",
["오빠닭"] = "CB:122/16%CM:52/6%",
["레골러스"] = "RB:226/54%UM:337/38%",
["쪼꼬매서쪼꼬미"] = "EB:652/88%EM:784/88%",
["우앙"] = "RT:508/68%EB:593/77%EM:738/79%",
["마음이쉬는의자"] = "CM:170/19%",
["우엉이"] = "UM:282/32%",
["기사반"] = "UT:93/32%RB:313/67%RM:544/63%",
["게렌합북"] = "UB:284/38%CM:178/21%",
["주당박"] = "RM:575/67%",
["자연애"] = "UM:312/36%",
["달프"] = "LT:750/95%SB:860/99%LM:938/96%",
["바찌바찌"] = "RB:241/60%RM:552/65%",
["은화살"] = "UT:355/47%EB:579/77%RM:542/60%",
["빤짝빛이난다"] = "UT:191/29%UB:167/35%RM:231/53%",
["금머리"] = "ET:381/91%EB:707/94%EM:700/76%",
["프란체스코"] = "ET:510/77%RB:377/63%RM:326/63%",
["전사엘리"] = "CB:64/6%CM:117/15%",
["그리니피즈"] = "RT:429/53%RB:465/66%EM:679/78%",
["수호정령"] = "UB:216/49%CM:100/10%",
["대마도사건휘"] = "CM:132/17%",
["블레스싱어"] = "RT:152/56%EB:566/76%EM:696/75%",
["오렌지캔디"] = "RB:349/50%RM:516/61%",
["찌유쟁이"] = "UB:295/40%UM:224/26%",
["전사스톤"] = "RB:277/51%EM:484/75%",
["땅꼬마도적"] = "RB:433/58%RM:563/62%",
["신기하니"] = "UB:291/39%",
["Seyo"] = "RB:234/66%",
["귀염빤짝"] = "ST:798/99%SB:844/99%LM:908/96%",
["란슬로트"] = "RT:429/59%EB:618/80%EM:676/75%",
["마부의신해리포터"] = "UB:217/28%UM:443/49%",
["난설"] = "CB:61/6%UM:342/39%",
["따사이"] = "RM:549/59%",
["하늘소문사냥꾼"] = "EB:562/76%UM:423/47%",
["은목서"] = "CB:82/22%UM:129/41%",
["디아론"] = "RT:401/54%RB:522/71%EM:757/81%",
["Judom"] = "CM:5/0%",
["Nightsong"] = "EB:371/76%EM:591/82%",
["Hangangdru"] = "RT:136/69%RB:275/69%RM:359/62%",
["트리시스"] = "CT:45/14%UB:244/32%UM:308/36%",
["Citrus"] = "ET:624/82%EB:631/82%EM:874/91%",
["Knowyourself"] = "EB:568/79%UM:293/35%",
["엘이미르"] = "UM:402/45%",
["바람의용병"] = "ET:563/82%RB:364/62%RM:282/59%",
["가을안개"] = "UB:98/28%CM:33/3%",
["사제초코닝"] = "UM:321/37%",
["꽃나무"] = "CM:33/8%",
["Ironwind"] = "RM:515/59%",
["레이업원"] = "RB:293/64%RM:525/57%",
["하늘소문도적"] = "RB:474/64%RM:565/62%",
["샹노움새끼"] = "CM:175/23%",
["하얀설탕"] = "CB:176/20%RM:573/67%",
["살레지오"] = "RB:191/54%RM:563/73%",
["휴법"] = "RM:499/59%",
["포도맛사탕"] = "UB:285/38%CM:94/13%",
["냥꾼순이"] = "CB:141/17%UM:153/45%",
["하늘소문마법사"] = "RB:523/74%UM:392/46%",
["똥꼬박힌활"] = "UB:258/35%UM:342/38%",
["제자리는요"] = "ET:332/89%RB:525/69%EM:676/75%",
["현랑검혼"] = "CT:152/19%UB:361/48%EM:700/75%",
["부가세별도"] = "EB:353/75%",
["에리아나"] = "UT:245/32%UB:328/45%RM:558/65%",
["Ixixl"] = "ET:248/76%EB:674/86%EM:846/88%",
["탱못해요"] = "UB:266/35%UM:390/46%",
["크고아름다운기사"] = "CB:30/0%UM:236/27%",
["못장착된전동축"] = "ET:644/85%EB:637/82%EM:721/79%",
["삼각부등식"] = "UB:349/47%UM:383/43%",
["아랫마을선비"] = "CM:38/4%",
["탱탱한냥꾼"] = "EB:387/77%RM:610/67%",
["별을숨긴은하수"] = "RB:433/62%RM:340/69%",
["타란데"] = "RB:474/63%RM:661/71%",
["강룡신"] = "RT:484/62%RB:344/66%RM:432/64%",
["이웃사촌"] = "RT:192/62%EB:587/83%EM:713/81%",
["어제님"] = "ET:411/94%EB:670/90%EM:661/84%",
["키아누리"] = "RT:174/64%RB:459/66%RM:290/64%",
["너이리와봐"] = "RB:265/56%RM:360/55%",
["리마리오"] = "UT:85/31%RB:441/63%RM:544/64%",
["엉뿡"] = "EB:573/77%EM:841/88%",
["Wonderful"] = "CB:45/4%UM:182/46%",
["루이리"] = "RB:488/66%RM:638/69%",
["천만에만만에콩떡"] = "UB:287/39%RM:480/57%",
["분당마타"] = "RT:508/72%RB:504/71%",
["게피온"] = "ET:319/83%EB:471/89%RM:544/60%",
["데쓰메탈"] = "RB:376/50%",
["호드염병"] = "RB:466/63%RM:491/55%",
["세돌아활쏴바"] = "UB:289/39%UM:356/40%",
["Sangdan"] = "ET:726/93%RB:492/69%EM:680/78%",
["가락이"] = "RB:433/62%RM:599/70%",
["타샤의고급의상실"] = "CB:178/23%RM:640/69%",
["어흥마"] = "CB:86/10%",
["네편"] = "RT:124/53%RB:378/64%RM:219/51%",
["Lst"] = "RT:482/65%EB:610/81%RM:661/72%",
["쿠쿠마"] = "UM:231/26%",
["혼족생활백서기사"] = "CB:172/19%UM:404/46%",
["깜둥"] = "CT:25/0%RB:402/54%UM:341/39%",
["탱크레이터"] = "RB:288/53%RM:283/59%",
["이누아라시"] = "RT:520/68%RB:544/72%RM:563/62%",
["김씨마누라"] = "RT:379/54%UB:339/46%RM:600/70%",
["매니페스토"] = "CM:163/20%",
["새벽이밝았습니다"] = "UM:211/27%",
["Kanebeginner"] = "CM:56/6%",
["코코로샤"] = "ET:786/94%LB:740/97%LM:954/98%",
["봉봉성기삽니다"] = "ST:789/99%LB:737/97%EM:875/94%",
["긍정의향기"] = "CB:120/13%",
["흑마법불가"] = "RB:434/61%UM:403/47%",
["보살핌"] = "UB:288/39%",
["Johnna"] = "ET:405/75%EB:549/82%EM:689/83%",
["퓨쵸핸썹"] = "CB:143/15%UM:230/27%",
["향긋"] = "RB:430/61%UM:377/44%",
["전투부활"] = "EM:599/80%",
["Perplay"] = "CM:33/3%",
["최영"] = "CM:159/16%",
["왜자꾸더럽다해요"] = "RB:486/68%EM:711/81%",
["백발탱탱이"] = "UB:178/37%UM:167/44%",
["금고따기인형"] = "ET:350/89%UB:344/45%UM:319/37%",
["퓌르"] = "CT:57/20%UB:359/49%RM:619/68%",
["백뢰"] = "CB:34/1%RM:573/67%",
["이제조드길만걷자"] = "ET:559/89%EB:568/85%EM:849/93%",
["예가반코고티티"] = "RT:538/67%EB:562/80%EM:752/83%",
["언데드를조심하게"] = "CM:34/9%",
["귀여운짜리"] = "LT:815/96%EB:669/92%LM:733/95%",
["검정아기곰"] = "ET:604/75%RB:447/64%RM:504/59%",
["허준할배"] = "CB:148/15%RM:258/51%",
["으짜"] = "RB:214/64%RM:221/53%",
["로꼬꼬"] = "CB:36/3%CM:59/7%",
["명랑한말순씨"] = "UM:134/43%",
["서풍"] = "CM:29/1%",
["하이킹베어"] = "ET:422/86%EB:586/89%EM:645/84%",
["기사쟌디"] = "CM:177/22%",
["블리자"] = "CB:52/4%EM:481/80%",
["제린양"] = "RM:278/56%",
["버프용임"] = "LT:759/96%LB:761/96%LM:972/98%",
["긔여법"] = "ET:620/82%EB:703/93%",
["인비져블워커"] = "RB:473/63%RM:679/73%",
["박휘를원하는가"] = "UB:271/35%UM:363/42%",
["소고기썰어야지"] = "RB:503/67%RM:574/63%",
["두더쥐사람"] = "UT:386/48%RB:408/58%RM:589/69%",
["흙보기"] = "ET:607/80%RB:523/70%UM:421/47%",
["반다라"] = "EB:417/79%EM:571/81%",
["블리안"] = "RB:252/58%",
["Susuri"] = "RB:438/61%RM:500/59%",
["치킨멍"] = "CB:187/22%",
["알칸"] = "RT:515/70%RB:485/66%RM:501/56%",
["Hadan"] = "CB:140/18%CM:90/13%",
["상여금"] = "RB:470/67%UM:339/39%",
["효리없는상순"] = "RT:469/65%RB:560/74%EM:718/79%",
["바이올리니스트"] = "UB:253/32%UM:250/28%",
["안타레스"] = "RT:383/53%EB:614/80%RM:582/66%",
["미리미리"] = "RT:154/54%EB:590/78%EM:715/76%",
["분뇨의일격"] = "UB:187/44%CM:167/21%",
["암살갸"] = "RM:394/69%",
["Sns"] = "ET:700/90%EB:675/87%EM:708/76%",
["무명기사"] = "RT:442/56%RB:327/70%RM:585/67%",
["오스트리치"] = "EB:446/83%EM:721/77%",
["해리슨포터"] = "RT:554/74%EB:418/83%EM:636/76%",
["야수발바닥"] = "CB:195/23%",
["자유분방"] = "UT:339/47%CB:218/24%",
["곰보기"] = "ET:571/83%EB:489/82%EM:569/81%",
["레스단"] = "CB:60/13%",
["가스커니"] = "EB:339/77%EM:519/77%",
["까칠한그놈"] = "RT:423/58%EB:463/84%RM:450/51%",
["핑수"] = "RB:239/55%CM:71/9%",
["작은아저씨"] = "CB:160/21%UM:241/30%",
["태공기사"] = "CM:105/10%",
["자르모르게단"] = "CB:91/24%CM:115/14%",
["Imok"] = "RT:535/73%EB:637/83%EM:725/78%",
["Dot"] = "RT:555/73%RB:524/70%RM:565/61%",
["박복해"] = "EB:397/82%EM:614/79%",
["무아전사"] = "CM:180/19%",
["청포도캔"] = "UB:275/37%RM:513/60%",
["깜빵"] = "RB:452/61%RM:582/63%",
["취한개"] = "RT:175/62%CB:140/17%UM:220/31%",
["어디게"] = "UM:434/49%",
["도적찐"] = "UT:329/42%EB:641/83%UM:317/37%",
["벽라"] = "CB:29/1%",
["리정혁"] = "ET:598/86%EB:629/87%EM:688/84%",
["뮬리아"] = "UM:320/35%",
["냅둬"] = "CB:47/4%",
["녹림수제자"] = "UB:352/47%",
["헨델과그호텔"] = "CB:106/14%",
["은신과은신사이"] = "CM:67/8%",
["사냥할꼬얌"] = "UT:317/42%RB:306/67%RM:620/68%",
["이쁜강희"] = "UM:310/37%",
["아침체조"] = "UT:230/29%RB:249/60%",
["먼지의하수인"] = "RT:404/51%RB:505/72%RM:477/55%",
["카레탱"] = "UB:122/27%CM:76/22%",
["오늘엔비"] = "CT:33/3%CB:120/16%CM:103/15%",
["김멧돼"] = "CT:42/4%UB:180/45%CM:190/17%",
["Warriors"] = "UT:196/39%EB:502/77%EM:613/82%",
["위신주사"] = "CT:61/19%RB:366/51%CM:106/10%",
["후불이"] = "EB:549/77%RM:256/65%",
["수상한미오"] = "RB:464/63%EM:726/78%",
["이노움아"] = "CB:29/1%UM:296/35%",
["하얀모래위의꿈"] = "UT:381/47%EB:386/80%RM:447/53%",
["전사아린"] = "ET:307/87%RB:515/68%RM:627/70%",
["씽씽"] = "CT:65/7%CB:172/22%UM:325/38%",
["은빛연병회"] = "UT:34/35%CB:141/15%RM:611/71%",
["꼬마악마"] = "UB:131/34%",
["드류베뤼모어"] = "UT:346/43%CB:96/9%UM:233/27%",
["총을든원시인"] = "RT:449/61%RB:522/71%UM:323/36%",
["골드보호기사"] = "RT:447/57%RB:357/74%UM:406/47%",
["Naswizard"] = "ET:239/76%EB:651/89%EM:849/89%",
["키작은모찌"] = "ET:337/87%RB:522/70%RM:501/54%",
["Bittersweet"] = "ET:354/89%RB:555/74%UM:243/30%",
["메이나"] = "RT:160/58%",
["먹기"] = "RB:564/74%RM:632/71%",
["종기사"] = "CB:34/1%UM:108/34%",
["춤추는마법다루"] = "CB:75/20%CM:46/5%",
["아하페르쯔"] = "UB:320/44%RM:597/70%",
["뜨거운안녕"] = "CT:125/16%CB:192/24%RM:530/59%",
["일손"] = "UB:200/26%RM:600/66%",
["조교리"] = "UT:260/34%RB:403/55%RM:547/59%",
["냥아사제"] = "CB:198/24%UM:393/46%",
["훌러덩벌러덩"] = "EB:674/91%EM:837/91%",
["스위트피"] = "UB:298/40%UM:392/46%",
["깐수도적"] = "UT:75/27%RB:429/57%RM:501/56%",
["마테"] = "UB:329/45%UM:456/49%",
["냥꾼여리"] = "RB:384/53%RM:491/55%",
["알데히트"] = "RM:536/72%",
["아강이"] = "UM:333/39%",
["천계의시스티나"] = "UB:242/31%UM:334/39%",
["단곰"] = "RB:538/72%RM:510/57%",
["텡그리"] = "UM:393/45%",
["고양이도적"] = "CB:28/1%CM:160/20%",
["라브리사"] = "CM:133/18%",
["뽀리의달인"] = "CM:173/21%",
["닥솔이"] = "UM:349/39%",
["드루드리"] = "EM:609/83%",
["흑마늠"] = "UT:86/31%RB:440/60%RM:511/55%",
["제벨"] = "UB:253/33%CM:193/22%",
["냥꾼냥꾼냥"] = "UB:298/40%UM:231/26%",
["아무옷감"] = "RM:505/59%",
["빛난오리"] = "UM:207/26%",
["법센"] = "UM:235/29%",
["허잇"] = "UM:222/28%",
["고기사냥꾼"] = "UM:429/44%",
["빰빰"] = "RB:527/74%EM:761/86%",
["Nosrep"] = "UT:289/41%UB:269/31%UM:398/46%",
["고기냉면"] = "UM:207/26%",
["향밀양쯔"] = "UM:237/27%",
["모닝애플"] = "RM:458/51%",
["대림생수"] = "CM:29/1%",
["피온에서전사로"] = "UB:170/36%UM:140/38%",
["강통"] = "UM:149/40%",
["뚱전사"] = "UT:109/43%UB:365/46%RM:295/60%",
["휘민도적"] = "UM:228/27%",
["가와이드루"] = "RB:336/73%RM:300/61%",
["파티죽인컨트롤"] = "UB:325/45%RM:431/51%",
["라뭉"] = "CB:28/2%UM:199/25%",
["랏딜법사님"] = "CB:68/18%",
["레체니"] = "UB:209/27%UM:403/45%",
["마지막십새"] = "EB:323/75%EM:566/80%",
["아쿠아루나"] = "UM:294/35%",
["집나간냐옹이"] = "CM:162/19%",
["고유키"] = "RB:423/57%RM:684/74%",
["와써용"] = "UB:256/30%UM:406/47%",
["이력추적시스템"] = "CB:38/3%CM:192/23%",
["야키소바"] = "RT:172/73%RB:339/74%RM:436/70%",
["돼지두루치기"] = "EB:360/75%RM:258/57%",
["프랑클린"] = "CT:185/21%",
["아보카도"] = "CM:7/7%",
["Sailing"] = "CT:29/1%UM:367/42%",
["리누"] = "ET:443/93%LB:722/95%EM:880/92%",
["려은님"] = "RT:171/53%EB:655/91%EM:777/88%",
["소리"] = "ET:543/88%LB:713/95%",
["마키"] = "ET:679/88%EB:550/90%EM:678/75%",
["냥꾼워프"] = "CT:51/18%RB:345/72%EM:740/79%",
["깨비아빠"] = "CT:172/20%UB:345/48%RM:444/53%",
["야옹이야"] = "CT:157/17%CB:108/10%RM:533/61%",
["뿌어어엉"] = "EB:528/82%EM:754/88%",
["무엇이든물어와"] = "CB:55/5%UM:414/46%",
["섹시하드"] = "CB:24/21%UM:254/31%",
["동살"] = "CB:99/12%CM:30/2%",
["다방아저씨"] = "RB:399/51%UM:241/28%",
["인코일"] = "CB:67/17%CM:189/17%",
["세상만사"] = "EB:304/81%RM:344/65%",
["청담도너츠"] = "EB:363/76%CM:86/8%",
["회복공주"] = "UB:225/28%UM:366/43%",
["덩치큰법사"] = "UB:156/42%UM:361/42%",
["하트법사"] = "EB:370/80%UM:415/49%",
["핑크가진리"] = "EB:385/81%RM:597/70%",
["접선의방정식"] = "RB:297/70%EM:695/80%",
["눈깔아십장생아"] = "UM:402/46%",
["전설의뿅망치"] = "CM:74/7%",
["드웝휘민"] = "UT:362/45%UB:269/35%CM:50/13%",
["푸르케"] = "EB:403/84%RM:276/58%",
["사쟤"] = "ET:606/77%RB:512/73%EM:668/77%",
["돌아애몽"] = "UT:63/29%UB:267/36%CM:97/14%",
["돗거의꿈"] = "UB:342/45%UM:313/36%",
["도적추"] = "ET:259/78%EB:688/88%",
["도라애몽"] = "UT:159/49%RB:486/70%UM:357/42%",
["피치힙"] = "UM:249/31%",
["몽상사제"] = "UB:221/28%CM:111/12%",
["수렴"] = "CB:140/17%",
["홍냥꾼"] = "CM:10/2%",
["운명의데스트니"] = "CM:79/10%",
["날개잃은기사"] = "CT:34/1%UB:216/26%CM:1/1%",
["안할건데"] = "EB:591/78%UM:406/46%",
["반반"] = "UB:249/31%RM:266/61%",
["드루마부"] = "UM:233/29%",
["방글방글"] = "CT:119/12%UB:252/33%UM:299/34%",
["티볼트"] = "UB:125/44%UM:198/41%",
["라코"] = "RT:558/73%EB:712/90%RM:632/69%",
["잰잰"] = "CT:160/17%UB:319/43%UM:227/25%",
["Shadowmaster"] = "CB:77/6%",
["냠냥"] = "UB:190/47%",
["도실장"] = "CB:53/11%CM:37/4%",
["중장보병"] = "RB:496/66%",
["잔다르큰"] = "UB:125/30%CM:173/21%",
["장모님이"] = "CT:52/4%CB:170/19%CM:162/19%",
["냥꾼쓰"] = "UM:353/39%",
["진정한영웅"] = "CM:31/4%",
["까칠한봉봉"] = "UB:189/46%UM:308/36%",
["정사장님"] = "ET:588/78%EB:708/90%EM:777/83%",
["랭동"] = "CT:55/20%RB:308/71%RM:537/63%",
["빙구네벤더"] = "CB:35/2%UM:165/43%",
["캘레스트라즈"] = "RB:327/73%",
["두리도도"] = "ET:589/77%EB:710/90%EM:803/84%",
["자드레나"] = "UB:105/27%UM:367/48%",
["아론쇼킨"] = "CM:46/5%",
["얼래"] = "RB:530/74%CM:88/13%",
["심폐소생술"] = "CB:169/19%",
["곰튀"] = "RT:119/67%RB:341/74%RM:366/67%",
["낚시킹요리왕쓰랄"] = "RM:233/51%",
["교숟님"] = "UB:371/49%RM:549/61%",
["셔니"] = "CM:58/7%",
["드루이드라샤"] = "UB:258/34%UM:288/34%",
["숙련이"] = "EB:497/83%RM:272/59%",
["헌터화이트"] = "CT:61/22%EB:584/78%CM:172/20%",
["수아기사"] = "CT:172/19%RB:446/63%CM:27/0%",
["으쓱대지마"] = "RB:430/60%EM:683/78%",
["Hesse"] = "RB:454/65%RM:440/52%",
["루시어즈"] = "UB:262/34%RM:457/55%",
["기르타브"] = "UM:408/45%",
["무쇠법사"] = "UM:286/34%",
["마법냐옹이"] = "RB:464/65%RM:605/71%",
["시린치아"] = "UB:112/31%UM:204/26%",
["대괄장군"] = "CT:45/5%CB:48/5%CM:113/14%",
["민들레향기"] = "CB:109/14%UM:347/41%",
["매그니"] = "UB:212/26%RM:457/54%",
["서카"] = "UB:256/34%RM:496/55%",
["서로사랑"] = "RM:579/68%",
["피주머니"] = "RT:470/59%UB:259/34%RM:528/62%",
["Eq"] = "ET:683/89%EB:659/89%CM:26/0%",
["파티찾기용"] = "RB:501/67%UM:347/40%",
["두상"] = "UB:328/45%EM:481/86%",
["앙이"] = "EB:447/81%",
["인파리안"] = "RB:451/61%UM:427/48%",
["모든"] = "RB:309/71%EM:654/76%",
["메마른자"] = "CB:53/5%RM:592/65%",
["Shapeshifter"] = "ET:320/82%EB:404/78%EM:565/80%",
["Liver"] = "CM:139/15%",
["허브사탕"] = "RB:464/62%UM:438/49%",
["샬라라"] = "CB:51/5%CM:186/24%",
["여사장"] = "UB:211/28%UM:334/39%",
["양변의침묵"] = "UM:397/47%",
["야캐요"] = "CB:195/23%UM:365/43%",
["도적입니다"] = "UB:282/37%CM:129/16%",
["햇님반꾸러기"] = "RB:426/69%RM:221/52%",
["몽쉘통닭"] = "UM:207/26%",
["청파"] = "UM:295/35%",
["쿠겐투"] = "RB:262/59%",
["기사꼬북"] = "UB:232/29%CM:28/0%",
["냉정한심판"] = "UM:349/40%",
["썬퓨"] = "RB:492/65%RM:520/59%",
["Oladyhawkeo"] = "CB:76/6%UM:247/29%",
["핑크솔트"] = "CB:60/6%",
["하얀머리아이"] = "RT:280/50%EB:520/78%EM:660/85%",
["김저항"] = "EB:555/81%UM:137/37%",
["투홍"] = "CB:40/6%CM:117/12%",
["빨대의달인"] = "RB:481/69%RM:545/64%",
["Offyo"] = "RB:442/62%UM:420/49%",
["쭈도적"] = "UT:247/32%UB:296/39%RM:567/63%",
["슭사"] = "RT:247/69%RB:192/56%EM:718/84%",
["Anger"] = "CB:151/19%RM:453/50%",
["Amax"] = "CB:187/20%RM:378/60%",
["채영드루"] = "EB:551/78%RM:562/66%",
["도우리"] = "CB:34/5%UM:265/31%",
["아레투사"] = "ET:364/90%EB:704/89%EM:767/81%",
["가자가자가자"] = "UT:261/31%UB:331/45%RM:475/56%",
["바람처럼살고파"] = "CT:13/14%",
["Cane"] = "CB:36/3%RM:239/63%",
["울음소리"] = "CB:52/4%CM:68/9%",
["안되요"] = "CB:150/19%",
["훔쳐드림"] = "UB:230/29%CM:42/4%",
["마카롱전사"] = "CB:185/20%",
["글록시니아"] = "RB:437/61%RM:489/57%",
["알파아질"] = "CB:123/13%UM:312/36%",
["와생첫들후"] = "ET:488/85%EB:676/93%EM:859/94%",
["다미에"] = "UT:303/37%UB:330/45%RM:550/65%",
["싸울아비팽"] = "UB:284/33%CM:63/22%",
["로널드레이건"] = "CT:88/11%CB:89/10%RM:545/60%",
["버닝맨"] = "UT:220/28%CB:73/7%",
["신규법사"] = "CT:61/22%UB:242/32%RM:501/62%",
["전략병기"] = "UT:84/28%EB:501/90%RM:522/60%",
["엉큼거북"] = "CM:3/0%",
["따팡팡"] = "RB:223/60%RM:271/54%",
["샤킬오닐"] = "CT:90/9%CB:136/15%CM:198/23%",
["미히로"] = "UT:206/30%RB:563/74%RM:667/74%",
["지써스"] = "UT:338/47%EB:584/76%EM:738/80%",
["Zoss"] = "CB:174/18%",
["극진"] = "CB:27/0%CM:25/0%",
["메이레나"] = "UB:208/27%CM:29/2%",
["뉴시퍼"] = "UB:307/42%UM:331/40%",
["힐만두"] = "RB:378/53%UM:251/30%",
["맑은음"] = "CT:149/17%UB:332/46%RM:427/51%",
["하비스트"] = "RB:402/57%RM:423/51%",
["다마전사리"] = "CM:34/3%",
["스캣"] = "CM:188/23%",
["별빛조각내기"] = "CB:27/0%",
["분노영혼"] = "EB:577/76%UM:317/36%",
["Saintia"] = "RB:254/57%UM:350/40%",
["앞통수"] = "RT:479/63%RB:516/69%UM:369/42%",
["Ggirl"] = "UM:97/36%",
["곰이돌면곰돌이"] = "RT:436/59%UB:276/32%UM:333/38%",
["가라드"] = "CB:180/23%UM:334/39%",
["더러운언데드"] = "CM:25/4%",
["미친남자"] = "CB:38/3%CM:105/15%",
["레몬전설"] = "RT:438/55%RB:509/72%CM:28/0%",
["추범구"] = "UT:187/28%EB:552/81%EM:734/88%",
["화이트허브"] = "EB:554/87%EM:642/84%",
["나부꼬"] = "CB:144/15%UM:316/36%",
["미니이니"] = "CB:54/9%UM:150/40%",
["어니언"] = "UB:221/29%",
["힐러는처음이라"] = "CB:91/8%CM:27/0%",
["또까펠라"] = "EB:588/77%UM:227/27%",
["쫄보싱기"] = "RT:212/66%RB:457/65%RM:572/66%",
["천국행"] = "UB:335/46%CM:197/22%",
["리프키니"] = "CB:52/3%",
["후라이법사"] = "CB:116/15%CM:166/22%",
["카피츄"] = "EB:577/76%RM:522/59%",
["려은이"] = "CB:84/7%UM:246/29%",
["천사혼"] = "RB:385/54%CM:170/20%",
["신전의꿈"] = "RB:433/58%RM:521/56%",
["Vanity"] = "CM:65/8%",
["이쁘니아동생"] = "CB:79/7%",
["와라버니"] = "CB:60/5%CM:160/20%",
["왕실기사단장"] = "UB:95/35%CM:59/14%",
["또리누리"] = "CM:139/19%",
["생명의루비"] = "UB:357/49%UM:231/26%",
["낭만미소"] = "UT:123/47%UB:277/36%RM:574/63%",
["헤스피야"] = "UT:216/27%UB:327/43%",
["월광흑마"] = "UT:271/35%RB:531/71%RM:680/73%",
["달빛의후예"] = "RB:306/70%RM:339/62%",
["그대에게향한도트"] = "UT:79/28%UB:274/36%UM:384/39%",
["막갈겨"] = "CM:184/22%",
["긴빠이"] = "CM:25/0%",
["강민서"] = "CM:44/13%",
["노움대갈걷어차기"] = "CB:76/16%CM:25/0%",
["할매인"] = "CB:45/5%UM:274/33%",
["Pee"] = "CB:29/1%CM:152/21%",
["Alligator"] = "CB:45/4%",
["현달"] = "UM:181/45%",
["한무희"] = "RT:409/56%UB:218/43%",
["푸우엄마"] = "RT:410/51%EB:586/82%UM:367/42%",
["다섯번째"] = "UT:138/46%EB:557/79%RM:508/59%",
["황천의거울"] = "RB:256/63%UM:248/30%",
["다패죽인다"] = "UB:211/48%UM:258/29%",
["맑은하늘비"] = "RB:466/67%UM:227/27%",
["레이지노움"] = "CB:140/18%CM:124/17%",
["뱀맛"] = "CB:103/12%",
["렉싸르"] = "UM:309/35%",
["빵을드세요"] = "CB:63/4%CM:202/24%",
["슬기로운게임생활"] = "RB:128/56%UM:115/40%",
["명촌사제"] = "CB:36/4%CM:111/12%",
["개그딜"] = "UT:294/41%RB:472/62%RM:531/60%",
["라라선샤인"] = "RT:128/68%EB:420/79%RM:246/56%",
["밍키구르미"] = "CB:78/9%UM:103/35%",
["찬빈아빠"] = "UM:305/35%",
["또뗌꾼"] = "CB:65/5%UM:108/36%",
["봉구네"] = "CM:52/12%",
["멍멍전사"] = "CM:33/4%",
["길을모른다니"] = "CB:53/8%",
["마내모해"] = "ET:644/85%EB:605/94%EM:900/93%",
["왕자의후예"] = "UB:161/43%RM:501/59%",
["막나가"] = "UT:272/35%RB:419/56%UM:281/34%",
["망당다"] = "UB:239/46%RM:260/56%",
["전사문"] = "RB:409/53%UM:282/33%",
["필비"] = "CB:25/0%",
["꽃추적자"] = "ET:647/85%EB:739/93%",
["김안젤라"] = "RM:337/66%",
["훔쳐야산다"] = "CB:27/0%CM:113/15%",
["사랑치료"] = "UB:206/47%UM:107/35%",
["억대연봉사제"] = "CB:174/20%RM:551/65%",
["장군은무슨장군"] = "CM:70/8%",
["전신아테나"] = "UB:358/47%RM:618/68%",
["게임속주인공"] = "RT:181/64%RB:556/73%RM:632/70%",
["마법사이응"] = "CM:58/4%",
["와린흑마"] = "CB:21/1%CM:53/6%",
["사제솔리드"] = "CB:175/20%RM:423/50%",
["사제유니"] = "UB:217/27%CM:145/17%",
["Titicaca"] = "RB:309/64%RM:419/66%",
["사제샛기"] = "RT:404/55%RB:454/59%UM:329/38%",
["인파리우스"] = "UB:154/35%",
["미미드루"] = "EB:472/77%EM:650/81%",
["사햐"] = "RB:185/62%",
["빙키"] = "RB:442/62%UM:375/40%",
["나름대로멋진드루"] = "RM:510/60%",
["별디"] = "RB:362/50%RM:529/62%",
["전설의캘리브룩"] = "CB:28/1%",
["한을"] = "UB:105/26%",
["당근당"] = "UB:124/32%",
["해뉼랭"] = "CB:77/21%CM:125/17%",
["홀리프리스티스"] = "RB:270/58%UM:28/31%",
["고결한똥싼바지"] = "RB:225/51%EM:750/84%",
["무적팔라딘"] = "RB:287/52%",
["힐링산타"] = "UB:275/36%CM:10/9%",
["봄은"] = "CB:178/21%UM:353/42%",
["죽척후위습"] = "EB:651/85%RM:624/68%",
["넴시쥬니어"] = "RB:430/60%UM:268/27%",
}
end
|
DAC.Class = DAC.Class or {}
local Class = DAC.Class
Class.__index = Class
DAC.Class = Class |
local eventListeners = {}
local Runtime = {
addEventListener = function(self, name, callback)
if not eventListeners[name] then eventListeners[name] = {} end
table.insert(eventListeners[name], callback)
end,
removeEventListener = function(self, name, callback)
if(not eventListeners[name]) then return end
for i = #eventListeners[name], 1, -1 do
if eventListeners[name][i] == callback then
table.remove(eventListeners[name], i)
end
end
end,
dispatchEvent = function(self, event)
assert(event.name, "event name not provided")
local listener = eventListeners[event.name]
if not listener or #listener == 0 then return end
for i = 1, #listener do
listener[i](event)
end
end
}
return Runtime
|
-- Copyright (C) 2018 Tomoyuki Fujimori <moyu@dromozoa.com>
--
-- This file is part of dromozoa-vecmath.
--
-- dromozoa-vecmath is free software: you can redistribute it and/or modify
-- it under the terms of the GNU General Public License as published by
-- the Free Software Foundation, either version 3 of the License, or
-- (at your option) any later version.
--
-- dromozoa-vecmath is distributed in the hope that it will be useful,
-- but WITHOUT ANY WARRANTY; without even the implied warranty of
-- MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
-- GNU General Public License for more details.
--
-- You should have received a copy of the GNU General Public License
-- along with dromozoa-vecmath. If not, see <http://www.gnu.org/licenses/>.
local tuple4 = require "dromozoa.vecmath.tuple4"
local rawget = rawget
local rawset = rawset
local setmetatable = setmetatable
local sqrt = math.sqrt
local super = tuple4
local class = { is_point4 = true }
local metatable = { __tostring = super.to_string }
-- a:set(number b, number y, number z, number w)
-- a:set(tuple4 b)
-- a:set(tuple3 b)
-- a:set()
function class.set(a, b, y, z, w)
if b then
if y then
a[1] = b
a[2] = y
a[3] = z
a[4] = w
return a
else
a[1] = b[1]
a[2] = b[2]
a[3] = b[3]
a[4] = b[4] or 1
return a
end
else
a[1] = 0
a[2] = 0
a[3] = 0
a[4] = 0
return a
end
end
-- a:distance_squared(point4 b)
function class.distance_squared(a, b)
local x = a[1] - b[1]
local y = a[2] - b[2]
local z = a[3] - b[3]
local w = a[4] - b[4]
return x * x + y * y + z * z + w * w
end
-- a:distance(point4 b)
function class.distance(a, b)
local x = a[1] - b[1]
local y = a[2] - b[2]
local z = a[3] - b[3]
local w = a[4] - b[4]
return sqrt(x * x + y * y + z * z + w * w)
end
-- a:distance_l1(point4 b)
function class.distance_l1(a, b)
local x = a[1] - b[1]
local y = a[2] - b[2]
local z = a[3] - b[3]
local w = a[4] - b[4]
if x < 0 then x = -x end
if y < 0 then y = -y end
if z < 0 then z = -z end
if w < 0 then w = -w end
return x + y + z + w
end
-- a:distance_linf(point4 b)
function class.distance_linf(a, b)
local x = a[1] - b[1]
local y = a[2] - b[2]
local z = a[3] - b[3]
local w = a[4] - b[4]
if x < 0 then x = -x end
if y < 0 then y = -y end
if z < 0 then z = -z end
if w < 0 then w = -w end
if x > y then
if z > w then
if x > z then
return x
else
return z
end
else
if x > w then
return x
else
return w
end
end
else
if z > w then
if y > z then
return y
else
return z
end
else
if y > w then
return y
else
return w
end
end
end
end
-- a:project(point4 b)
function class.project(a, b)
local d = b[4]
a[1] = b[1] / d
a[2] = b[2] / d
a[3] = b[3] / d
a[4] = 1
return a
end
function metatable.__index(a, key)
local value = class[key]
if value then
return value
else
return rawget(a, class.index[key])
end
end
function metatable.__newindex(a, key, value)
rawset(a, class.index[key], value)
end
-- class(number b, number y, number z, number w)
-- class(tuple4 b)
-- class(tuple3 b)
-- class()
return setmetatable(class, {
__index = super;
__call = function (_, ...)
return setmetatable(class.set({}, ...), metatable)
end;
})
|
local lor = require("lor.lib.lor")
local version = require("lor.version")
lor.version = version
return lor |
local enemies = Ch.FindCharacters( "Enemy" )
for i,enemy in ipairs(enemies.array) do
local plgPhase = enemy:FindPlugin( "AiPhasePlugin" )
-- print( plgPhase:GetPhaseController():GetCurrentPhase():GetName() )
if plgPhase:GetPhaseController():GetCurrentPhase():GetName()=="Alert" then
TppGameSequence.ExecScriptGameOver()
end
end
|
return {'bic','bicarbonaat','biceps','bicommunautair','biconcaaf','biconvex','bicepspees','bicker','bicarbonaten','bicepsen','bicommunautaire','biconcave','biconvexe','bics','biculturele','biccen'} |
-- Copyright (c) 2021 Kirazy
-- Part of Artisanal Reskins: Bob's Mods
--
-- See LICENSE in the project directory for license information.
-- Check to see if reskinning needs to be done.
if not (reskins.bobs and reskins.bobs.triggers.power.entities) then return end
if not (reskins.bobs and reskins.bobs.triggers.power.steam) then return end
-- Set input parameters
local inputs = {
type = "boiler",
icon_name = "heat-exchanger",
base_entity = "heat-exchanger",
mod = "bobs",
group = "power",
particles = {["big"] = 3},
}
local tier_map = {
["heat-exchanger"] = {1, 3},
["heat-exchanger-2"] = {2, 4},
["heat-exchanger-3"] = {3, 5},
}
-- Reskin entities, create and assign extra details
for name, map in pairs(tier_map) do
-- Fetch entity
local entity = data.raw[inputs.type][name]
-- Parse map
local tier = map[1]
if reskins.lib.setting("reskins-lib-tier-mapping") == "progression-map" then
tier = map[2]
end
local pipe = map[1]
-- Check if entity exists, if not, skip this iteration
if not entity then goto continue end
-- Determine what tint we're using
inputs.tint = reskins.lib.tint_index[tier]
-- Setup icon details
inputs.icon_base = "heat-exchanger-"..pipe
reskins.lib.setup_standard_entity(name, tier, inputs)
-- Fetch remnant
local remnant = data.raw["corpse"][name.."-remnants"]
-- Reskin remnants
remnant.animation = {
layers = {
-- Base
{
filename = "__base__/graphics/entity/heat-exchanger/remnants/heat-exchanger-remnants.png",
line_length = 1,
width = 136,
height = 132,
frame_count = 1,
variation_count = 1,
axially_symmetrical = false,
direction_count = 4,
shift = util.by_pixel(0, 8),
hr_version = {
filename = "__base__/graphics/entity/heat-exchanger/remnants/hr-heat-exchanger-remnants.png",
line_length = 1,
width = 272,
height = 262,
frame_count = 1,
variation_count = 1,
axially_symmetrical = false,
direction_count = 4,
shift = util.by_pixel(0.5, 8),
scale = 0.5,
}
},
-- Mask
{
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/remnants/heatex-remnants-mask.png",
line_length = 1,
width = 136,
height = 132,
frame_count = 1,
variation_count = 1,
axially_symmetrical = false,
direction_count = 4,
shift = util.by_pixel(0, 8),
tint = inputs.tint,
hr_version = {
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/remnants/hr-heatex-remnants-mask.png",
line_length = 1,
width = 272,
height = 262,
frame_count = 1,
variation_count = 1,
axially_symmetrical = false,
direction_count = 4,
shift = util.by_pixel(0.5, 8),
tint = inputs.tint,
scale = 0.5,
}
},
-- Highlights
{
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/remnants/heatex-remnants-highlights.png",
line_length = 1,
width = 136,
height = 132,
frame_count = 1,
variation_count = 1,
axially_symmetrical = false,
direction_count = 4,
shift = util.by_pixel(0, 8),
blend_mode = reskins.lib.blend_mode, -- "additive",
hr_version = {
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/remnants/hr-heatex-remnants-highlights.png",
line_length = 1,
width = 272,
height = 262,
frame_count = 1,
variation_count = 1,
axially_symmetrical = false,
direction_count = 4,
shift = util.by_pixel(0.5, 8),
blend_mode = reskins.lib.blend_mode, -- "additive",
scale = 0.5,
}
},
-- Pipes
{
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/remnants/pipes/heatex-pipe-"..pipe.."-remnants.png",
line_length = 1,
width = 136,
height = 132,
frame_count = 1,
variation_count = 1,
axially_symmetrical = false,
direction_count = 4,
shift = util.by_pixel(0, 8),
hr_version = {
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/remnants/pipes/hr-heatex-pipe-"..pipe.."-remnants.png",
line_length = 1,
width = 272,
height = 262,
frame_count = 1,
variation_count = 1,
axially_symmetrical = false,
direction_count = 4,
shift = util.by_pixel(0.5, 8),
scale = 0.5,
}
}
}
}
-- Reskin entities
entity.structure = {
north = {
layers = {
-- Base
{
filename = "__base__/graphics/entity/heat-exchanger/heatex-N-idle.png",
priority = "extra-high",
width = 131,
height = 108,
shift = util.by_pixel(-0.5, 4),
hr_version = {
filename = "__base__/graphics/entity/heat-exchanger/hr-heatex-N-idle.png",
priority = "extra-high",
width = 269,
height = 221,
shift = util.by_pixel(-1.25, 5.25),
scale = 0.5
}
},
-- Mask
{
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/heatex-N-idle-mask.png",
priority = "extra-high",
width = 131,
height = 108,
shift = util.by_pixel(-0.5, 4),
tint = inputs.tint,
hr_version = {
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/hr-heatex-N-idle-mask.png",
priority = "extra-high",
width = 269,
height = 221,
shift = util.by_pixel(-1.25, 5.25),
tint = inputs.tint,
scale = 0.5
}
},
-- Highlights
{
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/heatex-N-idle-highlights.png",
priority = "extra-high",
width = 131,
height = 108,
shift = util.by_pixel(-0.5, 4),
blend_mode = reskins.lib.blend_mode, -- "additive",
hr_version = {
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/hr-heatex-N-idle-highlights.png",
priority = "extra-high",
width = 269,
height = 221,
shift = util.by_pixel(-1.25, 5.25),
blend_mode = reskins.lib.blend_mode, -- "additive",
scale = 0.5
}
},
-- Pipes
{
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/pipes/heatex-N-pipe-"..pipe..".png",
priority = "extra-high",
width = 131,
height = 108,
shift = util.by_pixel(-0.5, 4),
hr_version = {
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/pipes/hr-heatex-N-pipe-"..pipe..".png",
priority = "extra-high",
width = 269,
height = 221,
shift = util.by_pixel(-1.25, 5.25),
scale = 0.5
}
},
-- Shadow
{
filename = "__base__/graphics/entity/boiler/boiler-N-shadow.png",
priority = "extra-high",
width = 137,
height = 82,
shift = util.by_pixel(20.5, 9),
draw_as_shadow = true,
hr_version = {
filename = "__base__/graphics/entity/boiler/hr-boiler-N-shadow.png",
priority = "extra-high",
width = 274,
height = 164,
scale = 0.5,
shift = util.by_pixel(20.5, 9),
draw_as_shadow = true
}
}
}
},
east = {
layers = {
-- Base
{
filename = "__base__/graphics/entity/heat-exchanger/heatex-E-idle.png",
priority = "extra-high",
width = 102,
height = 147,
shift = util.by_pixel(-2, -0.5),
hr_version = {
filename = "__base__/graphics/entity/heat-exchanger/hr-heatex-E-idle.png",
priority = "extra-high",
width = 211,
height = 301,
shift = util.by_pixel(-1.75, 1.25),
scale = 0.5
}
},
-- Mask
{
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/heatex-E-idle-mask.png",
priority = "extra-high",
width = 102,
height = 147,
shift = util.by_pixel(-2, -0.5),
tint = inputs.tint,
hr_version = {
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/hr-heatex-E-idle-mask.png",
priority = "extra-high",
width = 211,
height = 301,
shift = util.by_pixel(-1.75, 1.25),
tint = inputs.tint,
scale = 0.5
}
},
-- Highlights
{
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/heatex-E-idle-highlights.png",
priority = "extra-high",
width = 102,
height = 147,
shift = util.by_pixel(-2, -0.5),
blend_mode = reskins.lib.blend_mode, -- "additive",
hr_version = {
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/hr-heatex-E-idle-highlights.png",
priority = "extra-high",
width = 211,
height = 301,
shift = util.by_pixel(-1.75, 1.25),
blend_mode = reskins.lib.blend_mode, -- "additive",
scale = 0.5
}
},
-- Pipes
{
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/pipes/heatex-E-pipe-"..pipe..".png",
priority = "extra-high",
width = 102,
height = 147,
shift = util.by_pixel(-2, -0.5),
hr_version = {
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/pipes/hr-heatex-E-pipe-"..pipe..".png",
priority = "extra-high",
width = 211,
height = 301,
shift = util.by_pixel(-1.75, 1.25),
scale = 0.5
}
},
-- Shadow
{
filename = "__base__/graphics/entity/boiler/boiler-E-shadow.png",
priority = "extra-high",
width = 92,
height = 97,
shift = util.by_pixel(30, 9.5),
draw_as_shadow = true,
hr_version = {
filename = "__base__/graphics/entity/boiler/hr-boiler-E-shadow.png",
priority = "extra-high",
width = 184,
height = 194,
scale = 0.5,
shift = util.by_pixel(30, 9.5),
draw_as_shadow = true
}
}
}
},
south = {
layers = {
-- Base
{
filename = "__base__/graphics/entity/heat-exchanger/heatex-S-idle.png",
priority = "extra-high",
width = 128,
height = 100,
shift = util.by_pixel(3, 10),
hr_version = {
filename = "__base__/graphics/entity/heat-exchanger/hr-heatex-S-idle.png",
priority = "extra-high",
width = 260,
height = 201,
shift = util.by_pixel(4, 10.75),
scale = 0.5
}
},
-- Mask
{
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/heatex-S-idle-mask.png",
priority = "extra-high",
width = 128,
height = 100,
shift = util.by_pixel(3, 10),
tint = inputs.tint,
hr_version = {
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/hr-heatex-S-idle-mask.png",
priority = "extra-high",
width = 260,
height = 201,
shift = util.by_pixel(4, 10.75),
tint = inputs.tint,
scale = 0.5
}
},
-- Highlights
{
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/heatex-S-idle-highlights.png",
priority = "extra-high",
width = 128,
height = 100,
shift = util.by_pixel(3, 10),
blend_mode = reskins.lib.blend_mode, -- "additive",
hr_version = {
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/hr-heatex-S-idle-highlights.png",
priority = "extra-high",
width = 260,
height = 201,
shift = util.by_pixel(4, 10.75),
blend_mode = reskins.lib.blend_mode, -- "additive",
scale = 0.5
}
},
-- Pipes
{
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/pipes/heatex-S-pipe-"..pipe..".png",
priority = "extra-high",
width = 128,
height = 100,
shift = util.by_pixel(3, 10),
hr_version = {
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/pipes/hr-heatex-S-pipe-"..pipe..".png",
priority = "extra-high",
width = 260,
height = 201,
shift = util.by_pixel(4, 10.75),
scale = 0.5
}
},
-- Shadow
{
filename = "__base__/graphics/entity/boiler/boiler-S-shadow.png",
priority = "extra-high",
width = 156,
height = 66,
shift = util.by_pixel(30, 16),
draw_as_shadow = true,
hr_version = {
filename = "__base__/graphics/entity/boiler/hr-boiler-S-shadow.png",
priority = "extra-high",
width = 311,
height = 131,
scale = 0.5,
shift = util.by_pixel(29.75, 15.75),
draw_as_shadow = true
}
}
}
},
west = {
layers = {
-- Base
{
filename = "__base__/graphics/entity/heat-exchanger/heatex-W-idle.png",
priority = "extra-high",
width = 96,
height = 132,
shift = util.by_pixel(1, 5),
hr_version = {
filename = "__base__/graphics/entity/heat-exchanger/hr-heatex-W-idle.png",
priority = "extra-high",
width = 196,
height = 273,
shift = util.by_pixel(1.5, 7.75),
scale = 0.5
}
},
-- Mask
{
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/heatex-W-idle-mask.png",
priority = "extra-high",
width = 96,
height = 132,
shift = util.by_pixel(1, 5),
tint = inputs.tint,
hr_version = {
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/hr-heatex-W-idle-mask.png",
priority = "extra-high",
width = 196,
height = 273,
shift = util.by_pixel(1.5, 7.75),
tint = inputs.tint,
scale = 0.5
}
},
-- Highlights
{
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/heatex-W-idle-highlights.png",
priority = "extra-high",
width = 96,
height = 132,
shift = util.by_pixel(1, 5),
blend_mode = reskins.lib.blend_mode, -- "additive",
hr_version = {
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/hr-heatex-W-idle-highlights.png",
priority = "extra-high",
width = 196,
height = 273,
shift = util.by_pixel(1.5, 7.75),
blend_mode = reskins.lib.blend_mode, -- "additive",
scale = 0.5
}
},
-- Pipes
{
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/pipes/heatex-W-pipe-"..pipe..".png",
priority = "extra-high",
width = 96,
height = 132,
shift = util.by_pixel(1, 5),
hr_version = {
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/pipes/hr-heatex-W-pipe-"..pipe..".png",
priority = "extra-high",
width = 196,
height = 273,
shift = util.by_pixel(1.5, 7.75),
scale = 0.5
}
},
-- Shadow
{
filename = "__base__/graphics/entity/boiler/boiler-W-shadow.png",
priority = "extra-high",
width = 103,
height = 109,
shift = util.by_pixel(19.5, 6.5),
draw_as_shadow = true,
hr_version = {
filename = "__base__/graphics/entity/boiler/hr-boiler-W-shadow.png",
priority = "extra-high",
width = 206,
height = 218,
scale = 0.5,
shift = util.by_pixel(19.5, 6.5),
draw_as_shadow = true
}
}
}
}
}
entity.energy_source.pipe_covers = reskins.lib.make_4way_animation_from_spritesheet({
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/base/heatex-endings-"..pipe..".png",
width = 32,
height = 32,
direction_count = 4,
hr_version = {
filename = reskins.bobs.directory.."/graphics/entity/power/heat-exchanger/base/hr-heatex-endings-"..pipe..".png",
width = 64,
height = 64,
direction_count = 4,
scale = 0.5
}
})
-- Label to skip to next iteration
::continue::
end |
yatm.fluids.fluid_registry.register("default", "lava", {
description = "Lava",
groups = {
lava = 1,
},
nodes = {
dont_register = true,
names = {
source = "default:lava_source",
flowing = "default:lava_flowing",
},
},
fluid_tank = {
modname = "yatm_fluids",
light_source = 12,
},
})
|
-----------------------------------
-- Area: Misareaux Coast
-- Mob: Boggelmann
-----------------------------------
require("scripts/globals/missions");
-----------------------------------
function onMobDeath(mob, player, isKiller)
if (player:getCurrentMission(COP) == tpz.mission.id.cop.CALM_BEFORE_THE_STORM and player:getCharVar("COP_Boggelmann_KILL") == 0) then
player:setCharVar("COP_Boggelmann_KILL",1);
end
end;
|
local ffi = require 'ffi'
ffi.cdef [[
typedef struct FILE FILE;
typedef long int off_t; // does not seem to be very easy to define this
typedef intptr_t ssize_t;
void* malloc(size_t);
void free(void*);
FILE* fopen (const char* filename, const char* mode);
int fseek(FILE*, long int offset, int origin);
long int ftell(FILE*);
int fclose(FILE*);
FILE* freopen(const char* filename, const char* mode, FILE*);
int memcmp(const void* ptr1, const void* ptr2, size_t);
]]
return ffi.C
|
slot0 = class("PrayPoolHomeView", import("..base.BaseSubView"))
slot0.getUIName = function (slot0)
return "PrayPoolHomeView"
end
slot0.OnInit = function (slot0)
slot0:initData()
slot0:initUI()
slot0:Show()
end
slot0.OnDestroy = function (slot0)
return
end
slot0.OnBackPress = function (slot0)
return
end
slot0.initData = function (slot0)
slot0.prayProxy = getProxy(PrayProxy)
end
slot0.initUI = function (slot0)
slot0.startBtn = slot0:findTF("StartBtn")
onButton(slot0, slot0.startBtn, function ()
slot0.prayProxy:updatePageState(PrayProxy.STATE_SELECT_POOL)
slot0.prayProxy.updatePageState:emit(PrayPoolConst.SWITCH_TO_SELECT_POOL_PAGE, PrayProxy.STATE_SELECT_POOL)
end, SFX_PANEL)
end
return slot0
|
--[[**********************************
*
* Multi Theft Auto - Admin Panel
*
* admin_wrapper.lua
*
* Original File by lil_Toady
*
**************************************]]
function table.reverse(t)
local newt = {}
for idx, item in ipairs(t) do
newt[#t - idx + 1] = item
end
return newt
end
function table.cmp(t1, t2)
if not t1 or not t2 or #t1 ~= #t2 then
return false
end
for k, v in pairs(t1) do
if v ~= t2[k] then
return false
end
end
return true
end
function table.compare(tab1, tab2)
if tab1 and tab2 then
if tab1 == tab2 then
return true
end
if type(tab1) == "table" and type(tab2) == "table" then
if table.size(tab1) ~= table.size(tab2) then
return false
end
for index, content in pairs(tab1) do
if not table.compare(tab2[index], content) then
return false
end
end
return true
end
end
return false
end
function table.size(tab)
local length = 0
if tab then
for _ in pairs(tab) do
length = length + 1
end
end
return length
end
function table.iadd(tab1, tab2)
for k, v in ipairs(tab2) do
table.insert(tab1, v)
end
return tab1
end
function iif(cond, arg1, arg2)
if (cond) then
return arg1
end
return arg2
end
function getVehicleOccupants(vehicle)
local tableOut = {}
local seats = getVehicleMaxPassengers(vehicle) + 1
for i = 0, seats do
local passenger = getVehicleOccupant(vehicle, i)
if (passenger) then
table.insert(tableOut, passenger)
end
end
return tableOut
end
function getWeatherNameFromID(weather)
return iif(aWeathers[weather], aWeathers[weather], "Unknown")
end
function warpPlayer(p, to)
function warp(p, to)
local x, y, z = getElementPosition(to)
local r = getPedRotation(to)
x = x - math.sin(math.rad(r)) * 2
y = y + math.cos(math.rad(r)) * 2
setTimer(setElementPosition, 1000, 1, p, x, y, z + 1)
fadeCamera(p, false, 1, 0, 0, 0)
setElementDimension(p, getElementDimension(to))
setElementInterior(p, getElementInterior(to))
setTimer(fadeCamera, 1000, 1, p, true, 1)
end
if (isPedInVehicle(to)) then
local vehicle = getPedOccupiedVehicle(to)
local seats = getVehicleMaxPassengers(vehicle) + 1
local i = 0
while (i < seats) do
if (not getVehicleOccupant(vehicle, i)) then
setTimer(warpPedIntoVehicle, 1000, 1, p, vehicle, i)
fadeCamera(p, false, 1, 0, 0, 0)
setTimer(fadeCamera, 1000, 1, p, true, 1)
break
end
i = i + 1
end
if (i >= seats) then
warp(p, to)
outputConsole("Player's vehicle is full (" .. getVehicleName(vehicle) .. " - Seats: " .. seats .. ")", p)
end
else
warp(p, to)
end
end
function getMonthName(month)
local names = {
"January",
"February",
"March",
"April",
"May",
"June",
"July",
"August",
"September",
"October",
"November",
"December"
}
return names[month]
end
|
/////////////////////////
// Configuration file //
/////////////////////////
LevelSystemConfiguration = {} // Ignore
Printers = {} // Ignore
LevelSystemConfiguration.EnableHUD = true // Is the HUD enabled?
LevelSystemConfiguration.LevelColor = Color(255,255,255,255) // The color of the "Level: 1" HUD element. White looks best. (This setting is nullified if you have the prestige system)
LevelSystemConfiguration.XPTextColor = Color(255,255,255,255) // The color of the XP percentage HUD element.
LevelSystemConfiguration.LevelBarColor = {6,116,255} // The color of the XP bar. (Sorry this one is different. It is still {R,G,B})
LevelSystemConfiguration.LevelTextPos = {1.5, 180.0} // The position of the LevelText. Y starts from bottom. Fiddle with it
LevelSystemConfiguration.GreenJobBars = true // Are the green bars at the bottom of jobs enabled? KEEP THIS TRUE!
LevelSystemConfiguration.GreenAllBars = true // Are the green bars at the bottom of everything but jobs enabled? Recommended(true)
LevelSystemConfiguration.KillModule = true // Give XP + Money for kills! // Next 2 settings control this.
LevelSystemConfiguration.Friendly = true // Only take away money / give XP if the killer is a lower level/same level than the victim. (Recommended:true)
LevelSystemConfiguration.TakeAwayMoneyAmount = 100 // How much money to take away from players when they are killed and add to the killer. You can change this to 0 if none. The XP amount is dynamic.
LevelSystemConfiguration.NPCXP = true // Give XP when an NPC is killed?
LevelSystemConfiguration.NPCXPAmount = 10 // Amount of XP to give when an NPC is killed
LevelSystemConfiguration.TimerModule = true // Give XP to everybody every howeverlong
LevelSystemConfiguration.Timertime = 100 // How much time (in seconds) until everybody gets given XP
LevelSystemConfiguration.TimerXPAmount = 100 // How much XP to give each time it goes off
LevelSystemConfiguration.YourServerName = "on the server" // The notifcation text ish. "You got 100XP for playing on the server."
LevelSystemConfiguration.XPMult = 1 // How hard it is to level up. 2 would require twice as much XP, ect.
LevelSystemConfiguration.MaxLevel = 99 // The max level
LevelSystemConfiguration.ContinueXP = false // If remaining XP continues over to next levels. I recommend this to be false. Seriously. What if a level 1 gets 99999999 XP somehow? He is level 99 so quickly.
//Printer settings
LevelSystemConfiguration.PrinterSound = true // Give the printers sounds?
LevelSystemConfiguration.PrinterMaxP = 4 // How many times a printer can print before stopping. Change this to 0 if you want infine.
LevelSystemConfiguration.PrinterMax = 4 // How many printers of a certain type a player can own at any one time
LevelSystemConfiguration.PrinterOverheat = false // Can printers overheat?
LevelSystemConfiguration.PrinterTime = 120 // How long it takes printers to print
LevelSystemConfiguration.KeepThisToTrue = true // Can players collect from printers that are 5 levels above their level? (Recommended: false)
LevelSystemConfiguration.Epilepsy = true // If printers flash different colors when they have money in them.
/*Template Code/*
local Printer= {} // Leave this line
Printer.Name = 'Your Printer Name'
Printer.Type = 'yourprintername' // A UNIQUE identifier STRING, can be anything. NO SPACES! The player does not see this.
Printer.Category = 'printers' // The category of the printer (See http://wiki.darkrp.com/index.php/DarkRP:Categories)
Printer.XPPerPrint = 10 // How much XP to give a player every time they print.
Printer.MoneyPerPrint = 50 // How much money to give a player every time they print.
Printer.Color = Color(255,255,255,255) // The color of the printer. Setting it to (255,255,255,255) will make it the normal prop color.
Printer.Model = 'models/props_lab/reciever01b.mdl' // The model of the printer. To find the path of a model, right click it in the spawn menu and click "Copy to Clipboard"
Printer.Prestige = 0 // The prestige you have to be to buy the printer. Only works with the prestige DLC.
table.insert(Printers,Printer) // Leave this line
*/
// Default printers:
local Printer={}
Printer.Name = 'Regular Printer'
Printer.Type = 'regularprinter'
Printer.XPPerPrint = 65
Printer.MoneyPerPrint = 100
Printer.Color = Color(255,255,255,255)
Printer.Model = 'models/props_lab/reciever01b.mdl'
Printer.Price = 1000
Printer.Level = 1
Printer.Prestige = 0
table.insert(Printers,Printer)
local Printer={}
Printer.Name = 'Golden Money Printer'
Printer.Type = 'goldenprinter'
Printer.XPPerPrint = 300
Printer.MoneyPerPrint = 300
Printer.Color = Color(255,215,0)
Printer.Model = 'models/props_lab/reciever01b.mdl'
Printer.Price = 3000
Printer.Level = 10
Printer.Prestige = 0
table.insert(Printers,Printer)
local Printer={}
Printer.Name = 'Ruby Money Printer'
Printer.Type = 'rubyprinter'
Printer.XPPerPrint = 1069
Printer.MoneyPerPrint = 1200
Printer.Color = Color(255,0,0)
Printer.Model = 'models/props_lab/reciever01a.mdl'
Printer.Price = 5000
Printer.Level = 20
Printer.Prestige = 0
table.insert(Printers,Printer)
local Printer={}
Printer.Name = 'Platinum Money Printer'
Printer.Type = 'platprinter'
Printer.XPPerPrint = 1800
Printer.MoneyPerPrint = 1500
Printer.Color = Color(255,255,255)
Printer.Model = 'models/props_c17/consolebox03a.mdl'
Printer.Price = 10000
Printer.Level = 30
Printer.Prestige = 0
table.insert(Printers,Printer)
local Printer={}
Printer.Name = 'Diamond Money Printer'
Printer.Type = 'diamondprinter'
Printer.XPPerPrint = 2500
Printer.MoneyPerPrint = 5000
Printer.Color = Color(135,200,250)
Printer.Model = 'models/props_c17/consolebox01a.mdl'
Printer.Price = 50000
Printer.Level = 40
Printer.Prestige = 0
table.insert(Printers,Printer)
local Printer={}
Printer.Name = 'Emerald Money Printer'
Printer.Type = 'emeraldprinter'
Printer.XPPerPrint = 3550
Printer.MoneyPerPrint = 10000
Printer.Color = Color(0,100,0)
Printer.Model = 'models/props_c17/consolebox01a.mdl'
Printer.Price = 100000
Printer.Level = 50
Printer.Prestige = 0
table.insert(Printers,Printer)
local Printer={}
Printer.Name = 'Unubtainium Money Printer'
Printer.Type = 'unubprinter'
Printer.XPPerPrint = 3500
Printer.MoneyPerPrint = 15000
Printer.Color = Color(255,255,255)
Printer.Model = 'models/props_lab/harddrive01.mdl'
Printer.Price = 120000
Printer.Level = 60
Printer.Prestige = 0
table.insert(Printers,Printer)
// Ignore everything under this line.
hook.Add("loadCustomDarkRPItems", "manolis:MVLevels:CustomLoad", function()
for k,v in pairs(Printers) do
local Errors = {}
if not type(v.Name) == 'string' then table.insert(Errors, 'The name of a printer is INVALID!') end
if not type(v.Type) == 'string' then table.insert(Errors, 'The type of a printer is INVALID!') end
if not type(v.XPPerPrint) == 'number' then table.insert(Errors, 'The XP of a printer is INVALID!') end
if not type(v.MoneyPerPrint) == 'number' then table.insert(Errors, 'The money of a printer is INVALID!') end
if not type(v.Color) == 'table' then table.insert(Errors, 'The color of a printer is INVALID!') end
if not type(v.Model) == 'string' then table.insert(Errors, 'The model of a printer is INVALID!') end
if not type(v.Price) == 'number' then table.insert(Errors, 'The price of a printer is INVALID!') end
if not type(v.Category) == 'string' then v.Category='' end
if not type(v.Level) == 'number' then table.insert(Errors, 'The level of a printer is INVALID!') end
local ErrorCount = 0
for k,v in pairs(Errors) do
error(v)
ErrorCount = ErrorCount + 1
end
if not(ErrorCount==0) then return false end
DarkRP.createEntity(v.Name,{
ent = "vrondakis_printer",
model = v.Model,
category = v.Category,
price = v.Price,
prestige = (v.Prestige or 0),
printer = true,
level = v.Level,
max = LevelSystemConfiguration.PrinterMax,
cmd = 'buyvrondakis'..v.Type..'printer',
vrondakisName = v.Name,
vrondakisType = v.Type,
vrondakisXPPerPrint = v.XPPerPrint,
vrondakisMoneyPerPrint = v.MoneyPerPrint,
vrondakisColor = v.Color,
vrondakisModel = v.Model,
customCheck = (v.CustomCheck or function() return true end),
vrondakisOverheat = LevelSystemConfiguration.PrinterOverheat,
PrinterMaxP = LevelSystemConfiguration.PrinterMaxP,
vrondakisPrinterTime = LevelSystemConfiguration.PrinterTime,
vrondakisIsBuyerRetarded = LevelSystemConfiguration.KeepThisToTrue,
vrondakisEpileptic = LevelSystemConfiguration.Epilepsy
})
end
end)
DarkRP.registerDarkRPVar("xp", net.WriteDouble, net.ReadDouble)
DarkRP.registerDarkRPVar("level", net.WriteDouble, net.ReadDouble)
DarkRP.registerDarkRPVar("prestige", net.WriteDouble, net.ReadDouble)
|
sum = 0
for y = 1, 128 do
for x = 1, 128 do
for j = 1, 3 do
sum = (sum + sum * 10 + image[y][x][j]) % 65535
end
end
end
if sum == 35341 then
answer = 1
elseif sum == 6975 then
answer = 2
elseif sum == 25175 then
answer = 1
elseif sum == 4967 then
answer = 4
elseif sum == 18097 then
answer = 3
elseif sum == 1321 then
answer = 3
elseif sum == 64054 then
answer = 4
elseif sum == 19430 then
answer = 2
elseif sum == 14302 then
answer = 3
elseif sum == 37806 then
answer = 4
elseif sum == 15431 then
answer = 1
elseif sum == 63171 then
answer = 2
else
answer = (sum + 1) % 4 + 1
end |
object_intangible_pet_xandank = object_intangible_pet_shared_xandank:new {
}
ObjectTemplates:addTemplate(object_intangible_pet_xandank, "object/intangible/pet/xandank.iff")
|
-- locale.lua
-- @Author : Dencer (tdaddon@163.com)
-- @Link : https://dengsir.github.io
-- @Date : 6/25/2019, 1:28:11 AM
local Locale = {}
local _L = {}
function Locale:newLocale(locale)
if locale ~= self:currentLocale() then
return
end
return setmetatable({}, {
__index = function()
error('Cannot read locale in write mode', 2)
end,
__newindex = function(t, k, v)
if type(k) ~= 'string' then
error('bad key to L (string expected)', 2)
end
local tv = type(v)
if not (tv == 'boolean' or tv == 'string') then
error('bad value for L (string|boolean expected)', 2)
end
if _L[k] then
error('Canot reset locale ' .. k, 2)
end
if tv == 'boolean' then
v = k
end
_L[k] = v
end
})
end
function Locale:getLocale(slient)
return setmetatable({}, {
__index = function(t, k)
if not slient and not _L[k] then
print('lose locale ' .. k)
return k
end
return _L[k]
end,
__newindex = function(t, k)
error('Cannot write locale in read mode', 2)
end
})
end
function Locale:currentLocale()
return _LOCALE or 'enUS'
end
return Locale
|
---
--- Generated by EmmyLua(https://github.com/EmmyLua)
--- Created by al-kov.
--- DateTime: 25.11.2019 16:21
---
local log = require('log')
local function init_schema()
if not box.space.data then
log.info('Creating non-existing space "data"...')
local data = box.schema.space.create('data')
data:create_index('primary', {parts = {{field = 1, type ='str', collation='unicode_ci'}}})
end
if not box.space.counter then
log.info('Creating non-existing space "counter"...')
-- We could save request times, but it would be a bit more complex solution)
local counter = box.schema.create_space('counter')
counter:create_index('primary', {parts = {{field = 1, type ='int'}}})
end
log.info('Schema is ready.')
end
return {
init = init_schema
}
|
function gadget:GetInfo()
return {
name = "mo_noshare",
desc = "mo_noshare",
author = "TheFatController",
date = "19 Jan 2008",
license = "GNU GPL, v2 or later",
layer = 0,
enabled = true -- loaded by default?
}
end
--------------------------------------------------------------------------------
--------------------------------------------------------------------------------
if (not gadgetHandler:IsSyncedCode()) then
return
end
local enabled = 1
if (enabled == 0) then
return false
end
local AreTeamsAllied = Spring.AreTeamsAllied
local SendMessageToTeam = Spring.SendMessageToTeam
local IsCheatingEnabled = Spring.IsCheatingEnabled
function gadget:AllowResourceTransfer(oldTeam, newTeam, type, amount)
if AreTeamsAllied(newTeam, oldTeam) or (IsCheatingEnabled()) then
return true
end
SendMessageToTeam(oldTeam, "Resource sharing to enemies has been disabled.")
return false
end
function gadget:AllowUnitTransfer(unitID, unitDefID, oldTeam, newTeam, capture)
if AreTeamsAllied(newTeam, oldTeam) or (capture) or (IsCheatingEnabled()) then
return true
end
SendMessageToTeam(oldTeam, "Unit sharing to enemies has been disabled.")
return false
end
--------------------------------------------------------------------------------
--------------------------------------------------------------------------------
|
AccessRight = Class('AccessRight')
AccessRight.list = {}
function AccessRight.__mt:__tostring()
return 'AccessRight('..self.name..')'
end
function AccessRight.__mt.__index:init(name, absolute)
assert(name)
local fullName = absolute and name or 'resource.'..g_ResName..'.'..name
self.name = fullName
self.handlers = {}
table.insert(AccessRight.list, self)
end
function AccessRight.__mt.__index:check()
return LocalACL:checkAccess(self)
end
function AccessRight.__mt.__index:addChangeHandler(func)
table.insert(self.handlers, func)
end
function AccessRight.__mt.__index:onChange()
for i, func in ipairs(self.handlers) do
func()
end
end
AccessList = Class('AccessList')
function AccessList.__mt.__index:checkAccess(right)
return self.tbl[right.name]
end
function AccessList.__mt.__index:init(tbl)
self.tbl = tbl
end
function AccessList.updateLocal(tbl)
local oldTbl = LocalACL.tbl
LocalACL = AccessList(tbl)
for i, right in ipairs(AccessRight.list) do
if((oldTbl[right.name] or false) ~= (tbl[right.name] or false)) then
right:onChange()
end
end
end
LocalACL = AccessList{}
|
-- 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
]]
--------------------------------------------------------------------------------
modifier_red_transistor_base_passive = class({})
--------------------------------------------------------------------------------
-- Classifications
function modifier_red_transistor_base_passive:IsHidden()
return true
end
function modifier_red_transistor_base_passive:IsDebuff()
return false
end
function modifier_red_transistor_base_passive:IsPurgable()
return false
end
-- Optional Classifications
function modifier_red_transistor_base_passive:RemoveOnDeath()
return false
end
function modifier_red_transistor_base_passive:DestroyOnExpire()
return false
end
function modifier_red_transistor_base_passive:AllowIllusionDuplicate()
return true
end
function modifier_red_transistor_base_passive:GetAttributes()
return MODIFIER_ATTRIBUTE_MULTIPLE + MODIFIER_ATTRIBUTE_PERMANENT
end
--------------------------------------------------------------------------------
--------------------------------------------------------------------------------
-- Bounce
--------------------------------------------------------------------------------
modifier_red_transistor_bounce_passive = class(modifier_red_transistor_base_passive)
--------------------------------------------------------------------------------
-- Initializations
function modifier_red_transistor_bounce_passive:OnCreated( kv )
-- references
self.value = self:GetAbility():GetAbilitySpecialValue( "red_transistor_bounce", "passive_reflect" )
if not IsServer() then return end
end
--------------------------------------------------------------------------------
-- Modifier Effects
function modifier_red_transistor_bounce_passive:DeclareFunctions()
local funcs = {
MODIFIER_EVENT_ON_TAKEDAMAGE,
}
return funcs
end
function modifier_red_transistor_bounce_passive:OnTakeDamage( params )
if not IsServer() then return end
if params.unit~=self:GetParent() then return end
if self:GetParent():PassivesDisabled() then return end
local damage = params.damage * self.value/100
local damageTable = {
victim = params.attacker,
attacker = self:GetCaster(),
damage = damage,
damage_type = params.damage_type,
ability = self:GetAbility(), --Optional.
damage_flags = DOTA_DAMAGE_FLAG_REFLECTION, --Optional.
}
ApplyDamage(damageTable)
end
--------------------------------------------------------------------------------
--------------------------------------------------------------------------------
-- Breach
--------------------------------------------------------------------------------
modifier_red_transistor_breach_passive = class(modifier_red_transistor_base_passive)
--------------------------------------------------------------------------------
-- Initializations
function modifier_red_transistor_breach_passive:OnCreated( kv )
-- references
self.value = self:GetAbility():GetAbilitySpecialValue( "red_transistor_breach", "passive_bonus" )
if not IsServer() then return end
end
--------------------------------------------------------------------------------
-- Modifier Effects
function modifier_red_transistor_breach_passive:DeclareFunctions()
local funcs = {
-- MODIFIER_PROPERTY_MANA_BONUS,
-- MODIFIER_PROPERTY_EXTRA_MANA_BONUS = 88 -- GetModifierExtraManaBonus
MODIFIER_PROPERTY_EXTRA_MANA_PERCENTAGE,
}
return funcs
end
function modifier_red_transistor_breach_passive:GetModifierExtraManaPercentage()
if self:GetParent():PassivesDisabled() then return end
return self.value
end
--------------------------------------------------------------------------------
--------------------------------------------------------------------------------
-- Crash
--------------------------------------------------------------------------------
modifier_red_transistor_crash_passive = class(modifier_red_transistor_base_passive)
--------------------------------------------------------------------------------
-- Initializations
function modifier_red_transistor_crash_passive:OnCreated( kv )
-- references
self.value = self:GetAbility():GetAbilitySpecialValue( "red_transistor_crash", "passive_reduction" )
if not IsServer() then return end
end
--------------------------------------------------------------------------------
-- Modifier Effects
function modifier_red_transistor_crash_passive:DeclareFunctions()
local funcs = {
MODIFIER_PROPERTY_INCOMING_DAMAGE_PERCENTAGE,
}
return funcs
end
function modifier_red_transistor_crash_passive:GetModifierIncomingDamage_Percentage()
if self:GetParent():PassivesDisabled() then return end
return -self.value
end
--------------------------------------------------------------------------------
--------------------------------------------------------------------------------
-- Flood
--------------------------------------------------------------------------------
modifier_red_transistor_flood_passive = class(modifier_red_transistor_base_passive)
--------------------------------------------------------------------------------
-- Initializations
function modifier_red_transistor_flood_passive:OnCreated( kv )
-- references
self.value = self:GetAbility():GetAbilitySpecialValue( "red_transistor_flood", "passive_bonus" )
if not IsServer() then return end
end
--------------------------------------------------------------------------------
-- Modifier Effects
function modifier_red_transistor_flood_passive:DeclareFunctions()
local funcs = {
MODIFIER_PROPERTY_HEALTH_REGEN_CONSTANT,
-- MODIFIER_PROPERTY_HEALTH_REGEN_PERCENTAGE = 82 -- GetModifierHealthRegenPercentage
}
return funcs
end
function modifier_red_transistor_flood_passive:GetModifierConstantHealthRegen()
if self:GetParent():PassivesDisabled() then return end
return self.value
end
--------------------------------------------------------------------------------
--------------------------------------------------------------------------------
-- Get
--------------------------------------------------------------------------------
modifier_red_transistor_get_passive = class(modifier_red_transistor_base_passive)
--------------------------------------------------------------------------------
-- Initializations
function modifier_red_transistor_get_passive:OnCreated( kv )
-- references
self.duration = self:GetAbility():GetAbilitySpecialValue( "red_transistor_get", "passive_duration" )
self.value = self:GetAbility():GetAbilitySpecialValue( "red_transistor_get", "passive_slow" )
if not IsServer() then return end
end
--------------------------------------------------------------------------------
-- Modifier Effects
function modifier_red_transistor_get_passive:DeclareFunctions()
local funcs = {
MODIFIER_PROPERTY_PROCATTACK_FEEDBACK,
}
return funcs
end
function modifier_red_transistor_get_passive:GetModifierProcAttack_Feedback( params )
if self:GetParent():PassivesDisabled() then return end
-- unit filter
local filter = UnitFilter(
params.target,
DOTA_UNIT_TARGET_TEAM_ENEMY,
DOTA_UNIT_TARGET_HERO + DOTA_UNIT_TARGET_BASIC,
DOTA_UNIT_TARGET_FLAG_MAGIC_IMMUNE_ENEMIES,
self:GetParent():GetTeamNumber()
)
if filter~=UF_SUCCESS then return end
-- slow target
params.target:AddNewModifier(
self:GetParent(), -- player source
self:GetAbility(), -- ability source
"modifier_generic_slowed_lua", -- modifier name
{
duration = self.duration,
ms_slow = self.value
} -- kv
)
end
--------------------------------------------------------------------------------
--------------------------------------------------------------------------------
-- Ping
--------------------------------------------------------------------------------
modifier_red_transistor_ping_passive = class(modifier_red_transistor_base_passive)
--------------------------------------------------------------------------------
-- Initializations
function modifier_red_transistor_ping_passive:OnCreated( kv )
-- references
self.value = self:GetAbility():GetAbilitySpecialValue( "red_transistor_ping", "passive_bonus" )
if not IsServer() then return end
end
--------------------------------------------------------------------------------
-- Modifier Effects
function modifier_red_transistor_ping_passive:DeclareFunctions()
local funcs = {
MODIFIER_PROPERTY_ATTACKSPEED_BONUS_CONSTANT,
}
return funcs
end
function modifier_red_transistor_ping_passive:GetModifierAttackSpeedBonus_Constant()
if self:GetParent():PassivesDisabled() then return end
return self.value
end
--------------------------------------------------------------------------------
--------------------------------------------------------------------------------
-- Purge
--------------------------------------------------------------------------------
modifier_red_transistor_purge_passive = class(modifier_red_transistor_base_passive)
--------------------------------------------------------------------------------
-- Initializations
function modifier_red_transistor_purge_passive:OnCreated( kv )
-- references
self.value = self:GetAbility():GetAbilitySpecialValue( "red_transistor_purge", "passive_armor" )
self.duration = self:GetAbility():GetAbilitySpecialValue( "red_transistor_purge", "passive_duration" )
if not IsServer() then return end
end
--------------------------------------------------------------------------------
-- Modifier Effects
function modifier_red_transistor_purge_passive:DeclareFunctions()
local funcs = {
MODIFIER_PROPERTY_PROCATTACK_FEEDBACK,
}
return funcs
end
function modifier_red_transistor_purge_passive:GetModifierProcAttack_Feedback( params )
if self:GetParent():PassivesDisabled() then return end
-- unit filter
local filter = UnitFilter(
params.target,
DOTA_UNIT_TARGET_TEAM_ENEMY,
DOTA_UNIT_TARGET_HERO + DOTA_UNIT_TARGET_BASIC,
DOTA_UNIT_TARGET_FLAG_MAGIC_IMMUNE_ENEMIES,
self:GetParent():GetTeamNumber()
)
if filter~=UF_SUCCESS then return end
-- slow target
params.target:AddNewModifier(
self:GetParent(), -- player source
self:GetAbility(), -- ability source
"modifier_red_transistor_purge_passive_armor", -- modifier name
{
duration = self.duration,
armor = self.value,
} -- kv
)
end
--------------------------------------------------------------------------------
--------------------------------------------------------------------------------
-- Switch
--------------------------------------------------------------------------------
modifier_red_transistor_switch_passive = class(modifier_red_transistor_base_passive)
--------------------------------------------------------------------------------
-- Initializations
function modifier_red_transistor_switch_passive:OnCreated( kv )
-- references
self.value = self:GetAbility():GetAbilitySpecialValue( "red_transistor_switch", "passive_bonus" )
self.value = 40
if not IsServer() then return end
end
--------------------------------------------------------------------------------
-- Modifier Effects
function modifier_red_transistor_switch_passive:DeclareFunctions()
local funcs = {
MODIFIER_PROPERTY_STATS_STRENGTH_BONUS,
MODIFIER_PROPERTY_STATS_AGILITY_BONUS,
MODIFIER_PROPERTY_STATS_INTELLECT_BONUS,
-- MODIFIER_PROPERTY_STATS_AGILITY_BONUS_PERCENTAGE = 95 -- GetModifierBonusStats_Agility_Percentage
-- MODIFIER_PROPERTY_STATS_INTELLECT_BONUS_PERCENTAGE = 96 -- GetModifierBonusStats_Intellect_Percentage
-- MODIFIER_PROPERTY_STATS_STRENGTH_BONUS_PERCENTAGE = 94 -- GetModifierBonusStats_Strength_Percentage
}
return funcs
end
function modifier_red_transistor_switch_passive:GetModifierBonusStats_Strength()
if self:GetParent():PassivesDisabled() then return end
if self.lock1 then return 0 end
self.lock1 = true
local value = self:GetParent():GetStrength()
self.lock1 = nil
return value * self.value/100
end
function modifier_red_transistor_switch_passive:GetModifierBonusStats_Agility()
if self:GetParent():PassivesDisabled() then return end
if self.lock2 then return 0 end
self.lock2 = true
local value = self:GetParent():GetAgility()
self.lock2 = nil
return value * self.value/100
end
function modifier_red_transistor_switch_passive:GetModifierBonusStats_Intellect()
if self:GetParent():PassivesDisabled() then return end
if self.lock3 then return 0 end
self.lock3 = true
local value = self:GetParent():GetIntellect()
self.lock3 = nil
return value * self.value/100
end
--------------------------------------------------------------------------------
--------------------------------------------------------------------------------
-- Cull
--------------------------------------------------------------------------------
modifier_red_transistor_cull_passive = class(modifier_red_transistor_base_passive)
--------------------------------------------------------------------------------
-- Initializations
function modifier_red_transistor_cull_passive:OnCreated( kv )
-- references
self.value = self:GetAbility():GetAbilitySpecialValue( "red_transistor_cull", "passive_duration" )
self.chance = self:GetAbility():GetAbilitySpecialValue( "red_transistor_cull", "passive_chance" )
self.pseudoseed = RandomInt( 1, 100 )
if not IsServer() then return end
end
--------------------------------------------------------------------------------
-- Modifier Effects
function modifier_red_transistor_cull_passive:DeclareFunctions()
local funcs = {
MODIFIER_PROPERTY_PROCATTACK_FEEDBACK,
}
return funcs
end
function modifier_red_transistor_cull_passive:GetModifierProcAttack_Feedback( params )
if self:GetParent():PassivesDisabled() then return end
-- unit filter
local filter = UnitFilter(
params.target,
DOTA_UNIT_TARGET_TEAM_ENEMY,
DOTA_UNIT_TARGET_HERO + DOTA_UNIT_TARGET_BASIC,
DOTA_UNIT_TARGET_FLAG_MAGIC_IMMUNE_ENEMIES,
self:GetParent():GetTeamNumber()
)
if filter~=UF_SUCCESS then return end
-- roll pseudo random
if not RollPseudoRandomPercentage( self.chance, self.pseudoseed, self:GetParent() ) then return end
-- slow target
params.target:AddNewModifier(
self:GetParent(), -- player source
self:GetAbility(), -- ability source
"modifier_generic_stunned_lua", -- modifier name
{
duration = self.value,
bash = 1,
} -- kv
)
end
--------------------------------------------------------------------------------
--------------------------------------------------------------------------------
-- Help
--------------------------------------------------------------------------------
modifier_red_transistor_help_passive = class(modifier_red_transistor_base_passive)
--------------------------------------------------------------------------------
-- Initializations
function modifier_red_transistor_help_passive:OnCreated( kv )
-- references
self.value = self:GetAbility():GetAbilitySpecialValue( "red_transistor_help", "passive_crit" )
self.chance = self:GetAbility():GetAbilitySpecialValue( "red_transistor_help", "passive_chance" )
self.pseudoseed = RandomInt( 1, 100 )
if not IsServer() then return end
end
--------------------------------------------------------------------------------
-- Modifier Effects
function modifier_red_transistor_help_passive:DeclareFunctions()
local funcs = {
MODIFIER_PROPERTY_PREATTACK_CRITICALSTRIKE,
}
return funcs
end
function modifier_red_transistor_help_passive:GetModifierPreAttack_CriticalStrike()
if self:GetParent():PassivesDisabled() then return end
-- roll pseudo random
if not RollPseudoRandomPercentage( self.chance, self.pseudoseed, self:GetParent() ) then return end
return self.value
end
--------------------------------------------------------------------------------
--------------------------------------------------------------------------------
-- Jaunt
--------------------------------------------------------------------------------
modifier_red_transistor_jaunt_passive = class(modifier_red_transistor_base_passive)
--------------------------------------------------------------------------------
-- Initializations
function modifier_red_transistor_jaunt_passive:OnCreated( kv )
-- references
self.value = self:GetAbility():GetAbilitySpecialValue( "red_transistor_jaunt", "passive_bonus" )
if not IsServer() then return end
end
--------------------------------------------------------------------------------
-- Modifier Effects
function modifier_red_transistor_jaunt_passive:DeclareFunctions()
local funcs = {
MODIFIER_PROPERTY_MOVESPEED_BONUS_PERCENTAGE,
}
return funcs
end
function modifier_red_transistor_jaunt_passive:GetModifierMoveSpeedBonus_Percentage()
if self:GetParent():PassivesDisabled() then return end
return self.value
end
--------------------------------------------------------------------------------
--------------------------------------------------------------------------------
-- Load
--------------------------------------------------------------------------------
modifier_red_transistor_load_passive = class(modifier_red_transistor_base_passive)
--------------------------------------------------------------------------------
-- Initializations
function modifier_red_transistor_load_passive:OnCreated( kv )
-- references
self.value = self:GetAbility():GetAbilitySpecialValue( "red_transistor_load", "passive_bonus" )
if not IsServer() then return end
end
--------------------------------------------------------------------------------
-- Modifier Effects
function modifier_red_transistor_load_passive:DeclareFunctions()
local funcs = {
MODIFIER_PROPERTY_DAMAGEOUTGOING_PERCENTAGE,
-- MODIFIER_PROPERTY_BASEDAMAGEOUTGOING_PERCENTAGE = 52 -- GetModifierBaseDamageOutgoing_Percentage
}
return funcs
end
function modifier_red_transistor_load_passive:GetModifierDamageOutgoing_Percentage()
if self:GetParent():PassivesDisabled() then return end
return self.value
end
--------------------------------------------------------------------------------
--------------------------------------------------------------------------------
-- Mask
--------------------------------------------------------------------------------
modifier_red_transistor_mask_passive = class(modifier_red_transistor_base_passive)
--------------------------------------------------------------------------------
-- Initializations
function modifier_red_transistor_mask_passive:OnCreated( kv )
-- references
self.value = self:GetAbility():GetAbilitySpecialValue( "red_transistor_mask", "passive_evasion" )
if not IsServer() then return end
end
--------------------------------------------------------------------------------
-- Modifier Effects
function modifier_red_transistor_mask_passive:DeclareFunctions()
local funcs = {
MODIFIER_PROPERTY_EVASION_CONSTANT,
}
return funcs
end
function modifier_red_transistor_mask_passive:GetModifierEvasion_Constant()
if self:GetParent():PassivesDisabled() then return end
return self.value
end
--------------------------------------------------------------------------------
--------------------------------------------------------------------------------
-- Spark
--------------------------------------------------------------------------------
modifier_red_transistor_spark_passive = class(modifier_red_transistor_base_passive)
--------------------------------------------------------------------------------
-- Initializations
function modifier_red_transistor_spark_passive:OnCreated( kv )
-- references
self.value = self:GetAbility():GetAbilitySpecialValue( "red_transistor_spark", "passive_cleave" )
self.radius = self:GetAbility():GetAbilitySpecialValue( "red_transistor_spark", "passive_radius" )
self.radius_start = 150
self.radius_end = 360
if not IsServer() then return end
end
--------------------------------------------------------------------------------
-- Modifier Effects
function modifier_red_transistor_spark_passive:DeclareFunctions()
local funcs = {
MODIFIER_PROPERTY_PROCATTACK_FEEDBACK,
}
return funcs
end
function modifier_red_transistor_spark_passive:GetModifierProcAttack_Feedback( params )
if self:GetParent():PassivesDisabled() then return end
-- unit filter
local filter = UnitFilter(
params.target,
DOTA_UNIT_TARGET_TEAM_ENEMY,
DOTA_UNIT_TARGET_HERO + DOTA_UNIT_TARGET_BASIC,
DOTA_UNIT_TARGET_FLAG_MAGIC_IMMUNE_ENEMIES,
self:GetParent():GetTeamNumber()
)
if filter~=UF_SUCCESS then return end
-- cleave
DoCleaveAttack(
params.attacker,
params.target,
self:GetAbility(),
self.value,
self.radius_start,
self.radius_end,
self.radius,
"particles/units/heroes/hero_magnataur/magnataur_empower_cleave_effect.vpcf"
)
end
--------------------------------------------------------------------------------
--------------------------------------------------------------------------------
-- Tap
--------------------------------------------------------------------------------
modifier_red_transistor_tap_passive = class(modifier_red_transistor_base_passive)
--------------------------------------------------------------------------------
-- Initializations
function modifier_red_transistor_tap_passive:OnCreated( kv )
-- references
self.value = self:GetAbility():GetAbilitySpecialValue( "red_transistor_tap", "passive_bonus" )
if not IsServer() then return end
end
--------------------------------------------------------------------------------
-- Modifier Effects
function modifier_red_transistor_tap_passive:DeclareFunctions()
local funcs = {
MODIFIER_PROPERTY_EXTRA_HEALTH_PERCENTAGE,
-- MODIFIER_PROPERTY_HEALTH_BONUS,
-- MODIFIER_PROPERTY_EXTRA_HEALTH_BONUS = 87 -- GetModifierExtraHealthBonus
}
return funcs
end
function modifier_red_transistor_tap_passive:GetModifierExtraHealthPercentage()
if self:GetParent():PassivesDisabled() then return end
return self.value
end
--------------------------------------------------------------------------------
--------------------------------------------------------------------------------
-- Void
--------------------------------------------------------------------------------
modifier_red_transistor_void_passive = class(modifier_red_transistor_base_passive)
--------------------------------------------------------------------------------
-- Initializations
function modifier_red_transistor_void_passive:OnCreated( kv )
-- references
self.value = self:GetAbility():GetAbilitySpecialValue( "red_transistor_void", "passive_bonus" )
if not IsServer() then return end
end
--------------------------------------------------------------------------------
-- Modifier Effects
function modifier_red_transistor_void_passive:DeclareFunctions()
local funcs = {
MODIFIER_PROPERTY_MANA_REGEN_CONSTANT,
-- MODIFIER_PROPERTY_MANA_REGEN_TOTAL_PERCENTAGE = 80 -- GetModifierTotalPercentageManaRegen
}
return funcs
end
function modifier_red_transistor_void_passive:GetModifierConstantManaRegen()
if self:GetParent():PassivesDisabled() then return end
return self.value
end
|
#!/usr/bin/env texlua
module = "sillypage"
sourcefiles = { "*.dtx", "*.ins", "sillywalk-map.pdf" }
installfiles = { "*.sty", "sillywalk-map.pdf" }
typesetfiles = { "*.dtx", "*.tex" }
textfiles = { "README.md" }
checkruns = 1
typesetruns = 3
checkengines = { "pdftex" }
if not release_date then
dofile(kpse.lookup("l3build.lua"))
end
|
-- General layout: There is one choice for each possible background fitting
-- mode. Each choice will have three examples showing how backgrounds of
-- common aspect ratios will be stretched or clipped by that fitting mode.
-- fit_choices will be used later to tell the actor that controls input what
-- actors to use for each choice.
local fit_choices = {}
-- actors will contain all the actors on the screen.
local actors = {}
-- width_per_choice is how much of the screen width will be used to separate
-- each choice
local width_per_choice = _screen.w / #BackgroundFitMode
-- xstart is the x position of the first choice. It starts at
-- width_per_choice / 2 because that's the x coordinate of the center of the
-- first choice.
local xstart = width_per_choice / 2
-- mini_screen_w and mini_screen_h are the size of the miniature screen used
-- in the examples.
local mini_screen_w = _screen.w * .1
local mini_screen_h = _screen.h * .1
-- This function returns a BitmapText that will be used to label each example
-- in each choice.
-- w and h are the width and height of the aspect ratio, passed in so they
-- can be displayed to be read.
function BGFitNormalExampleText(w, h)
return Def.BitmapText {
-- To use a different font for the text, change the Font field.
Name = "example_label",
Font = "Common Normal",
-- The "BG" part of the text is fetched with THEME:GetString so that it
-- can be translated.
Text = w .. ":" .. h .. " " .. THEME:GetString("ScreenSetBGFit", "BG"),
InitCommand = function(self)
-- This positions the text underneath its corresponding example.
self:y(mini_screen_h * .5 + 9)
self:zoom(.375)
end,
OnCommand = function(self)
self:shadowlength(1)
end
}
end
-- This loop goes through all the array elements of the BackgroundFitMode
-- table and creates a choice actor for each one. The BackgroundFitMode
-- table contains an entry for each background fitting mode.
for i, mode in ipairs(BackgroundFitMode) do
actors[#actors + 1] =
Def.ActorFrame {
Name = mode,
InitCommand = function(self)
-- This adds the actor to fit_choices so it can be used by the input
-- controller.
fit_choices[i] = self
-- This positions the choice on the screen. Choices are placed in a
-- row across the center of the screen, evenly spaced.
self:xy(xstart + ((i - 1) * width_per_choice), _screen.cy)
end,
Def.BitmapText {
-- This actor is a label for the choice, so the player knows the name
-- of their choice.
Name = "mode_label",
Font = "Common Normal",
Text = THEME:GetString("ScreenSetBGFit", ToEnumShortString(mode)),
InitCommand = function(self)
-- Position the label above the topmost example.
self:y(mini_screen_h * -2.5)
self:zoom(.75)
end,
OnCommand = function(self)
self:diffusebottomedge(color("0.875,0.875,0.875")):shadowlength(1)
end
},
-- BGFitChoiceExample is a function that creates an example to show how
-- a bg with a given aspect ratio is affected by the fitting mode for
-- this choice. It takes a number of parameters that control how the
-- example is created.
-- The simplest way to modify it to suit your theme is to just change
-- the png files and the two colors.
BGFitChoiceExample {
-- exname is the name of the image in Graphics that will be used as an
-- example bg to show distortion/cropping. "16_12_example.png" means
-- that "Graphics/ScreenSetBGFit 16_12_example.png" will be loaded.
exname = "16_12_example.png",
-- x and y are the position this example will be placed at.
-- x is 0 because the x positioning was handled above, when the choice
-- this example is part of was positioned.
-- This is the first example of 3, so y is set to position it above
-- the other two.
x = 0,
y = mini_screen_h * -1.5,
-- mini_screen_w and mini_screen_h are the size of the miniature screen
-- the example will draw.
mini_screen_w = mini_screen_w,
mini_screen_h = mini_screen_h,
-- example_function is the background fitting function for the mode
-- that will be set by this choice. bg_fit_functions is a table
-- that contains a function for each mode, so we set example_function
-- to the element of bg_fit_functions that has the same name as the
-- mode this choice is for.
example_function = bg_fit_functions[mode],
-- example_label is an actor that will be used to label this example,
-- so the player knows what size of bg is shown in this example.
example_label = BGFitNormalExampleText(16, 12),
-- sbg_color is the color of the quad representing the screen in the
-- example. sbg_color is the color of the outline representing the
-- screen in the example.
-- The quad is visible behind the example bg, so it's seen around the
-- edges when the example doesn't fill the miniature screen.
-- The outline is drawn over everything else so the player can see what
-- part of the example bg will be cut off.
sbg_color = color("0,0,0,1"),
soutline_color = color("#39b54a")
},
-- The parameters passed to the other examples have the same meaning as
-- above.
BGFitChoiceExample {
exname = "16_10_example.png",
x = 0,
y = 0,
mini_screen_w = mini_screen_w,
mini_screen_h = mini_screen_h,
example_function = bg_fit_functions[mode],
example_label = BGFitNormalExampleText(16, 10),
sbg_color = color("0,0,0,1"),
soutline_color = color("#39b54a")
},
BGFitChoiceExample {
exname = "16_9_example.png",
x = 0,
y = mini_screen_h * 1.5,
mini_screen_w = mini_screen_w,
mini_screen_h = mini_screen_h,
example_function = bg_fit_functions[mode],
example_label = BGFitNormalExampleText(16, 9),
sbg_color = color("0,0,0,1"),
soutline_color = color("#39b54a")
}
}
end
-- LoseFocus and GainFocus will be used on each choice to show which one
-- is currently selected.
local function LoseFocus(self)
-- We use stoptweening so that the player can't overflow the tween buffer
-- through repeated rapid input. Using stoptweening means that the actor
-- will stop at its current state and start tweening towards the new state
-- we are about to add to the tween stack.
-- If finishtweening was used, there would be jerking from the actor
-- suddenly reaching the end tween state.
self:stoptweening()
-- .25 seconds is a fine time for changing zoom size.
self:smooth(.125)
-- Unfocused choices are normal size.
self:zoom(1)
end
local function GainFocus(self)
self:stoptweening()
self:smooth(.125)
-- The choice with focus is 1.5 size.
self:zoom(1.25)
end
-- BGFitInputActor returns the actor that will handle input from the player
-- and apply their choice to the preference. We pass it fit_choices so that
-- it has the choice actors so it can show the player which once they have
-- selected.
actors[#actors + 1] = BGFitInputActor(fit_choices, LoseFocus, GainFocus)
return Def.ActorFrame(actors)
|
class "QuatTriple"
function QuatTriple:__getvar(name)
if name == "q1" then
local retVal = Polycode.QuatTriple_get_q1(self.__ptr)
if retVal == nil then return nil end
local __c = _G["Quaternion"]("__skip_ptr__")
__c.__ptr = retVal
return __c
elseif name == "q2" then
local retVal = Polycode.QuatTriple_get_q2(self.__ptr)
if retVal == nil then return nil end
local __c = _G["Quaternion"]("__skip_ptr__")
__c.__ptr = retVal
return __c
elseif name == "q3" then
local retVal = Polycode.QuatTriple_get_q3(self.__ptr)
if retVal == nil then return nil end
local __c = _G["Quaternion"]("__skip_ptr__")
__c.__ptr = retVal
return __c
elseif name == "time" then
return Polycode.QuatTriple_get_time(self.__ptr)
end
end
function QuatTriple:__setvar(name,value)
if name == "q1" then
Polycode.QuatTriple_set_q1(self.__ptr, value.__ptr)
return true
elseif name == "q2" then
Polycode.QuatTriple_set_q2(self.__ptr, value.__ptr)
return true
elseif name == "q3" then
Polycode.QuatTriple_set_q3(self.__ptr, value.__ptr)
return true
elseif name == "time" then
Polycode.QuatTriple_set_time(self.__ptr, value)
return true
end
return false
end
function QuatTriple:__delete()
if self then Polycode.delete_QuatTriple(self.__ptr) end
end
|
Countdown = {}
Countdown.isActive = false
local screenSize = Vector2(guiGetScreenSize())
local value = 3
local countdownSize = 200
local countdownTextures = {}
local timer
local animationProgress = 0
local function draw()
local size = countdownSize + animationProgress * 20
dxDrawImage(
(screenSize.x - size) / 2,
(screenSize.y - size) / 2,
size,
size,
countdownTextures[value],
0, 0, 0,
tocolor(255, 255, 255, math.max(0, 255 - 255 * animationProgress))
)
end
local function update(dt)
dt = dt / 1000
animationProgress = animationProgress + dt
end
function Countdown.start()
if Countdown.isActive then
return
end
value = 4
countdownTextures = {}
for i = 1, 4 do
countdownTextures[i] = dxCreateTexture("assets/countdown" .. tostring(i - 1) .. ".png")
end
if isTimer(timer) then
killTimer(timer)
end
animationProgress = 0
timer = setTimer(function()
value = value - 1
if value == 3 or value == 2 then
playSoundFrontEnd(44)
elseif value == 1 then
playSoundFrontEnd(45)
end
animationProgress = 0
if value < 1 then
value = 1
Countdown.stop()
end
end, 1000, 4)
playSoundFrontEnd(44)
Countdown.isActive = true
addEventHandler("onClientRender", root, draw)
addEventHandler("onClientPreRender", root, update)
end
function Countdown.stop()
if not Countdown.isActive then
return false
end
Countdown.isActive = false
removeEventHandler("onClientRender", root, draw)
removeEventHandler("onClientPreRender", root, update)
for i = 0, 3 do
if isElement(countdownTextures[i]) then
destroyElement(countdownTextures[i])
end
end
countdownTextures = {}
if isTimer(timer) then
killTimer(timer)
end
end |
local present, base16 = pcall(require, "mini.base16")
if not present then
return
end
-- You should define your own base16 colorscheme here
-- or load a base16 theme externally.
-- miniature.colorscheme will work as long as the theme
-- has the same format as below.
local theme = {}
theme.base00 = "#181f21"
theme.base01 = "#2d3a3e"
theme.base02 = "#42565c"
theme.base03 = "#587279"
theme.base04 = "#6e8d96"
theme.base05 = "#8ca5ab"
theme.base06 = "#a9bcc1"
theme.base07 = "#c7d3d6"
theme.base08 = "#e06e6e"
theme.base09 = "#e19d5c"
theme.base0A = "#e0ba63"
theme.base0B = "#8ccf7e"
theme.base0C = "#95ccf5"
theme.base0D = "#77aed7"
theme.base0E = "#c47fd5"
theme.base0F = "#ef7d7d"
base16.setup({
palette = theme,
})
local highlight = function(group, args)
local command = string.format(
[[highlight %s guifg=%s guibg=%s gui=%s guisp=%s]],
group,
args.fg or "NONE",
args.bg or "NONE",
args.attr or "NONE",
args.sp or "NONE"
)
vim.cmd(command)
end
-- Italics
vim.cmd([[
hi Function gui=italic
hi Keyword gui=italic
hi Comment gui=italic
]])
-- nvim-cmp highlights
highlight("CmpDocumentation", { fg = theme.base05, bg = theme.base00 })
highlight("CmpDocumentationBorder", { fg = theme.base0D, bg = theme.base00 })
highlight("CmpItemAbbr", { fg = theme.base05, bg = nil })
highlight("CmpItemAbbrDeprecated", { fg = theme.base03, bg = nil, attr = "strikethrough" })
highlight("CmpItemAbbrMatch", { fg = theme.base0D, bg = nil })
highlight("CmpItemAbbrMatchFuzzy", { fg = theme.base0D, bg = nil })
highlight("CmpItemKindDefault", { fg = theme.base04, bg = nil })
highlight("CmpItemMenu", { fg = theme.base03, bg = nil })
highlight("CmpItemKindKeyword", { fg = theme.base0D, bg = nil })
highlight("CmpItemKindVariable", { fg = theme.base0E, bg = nil })
highlight("CmpItemKindConstant", { fg = theme.base0E, bg = nil })
highlight("CmpItemKindReference", { fg = theme.base0E, bg = nil })
highlight("CmpItemKindValue", { fg = theme.base0E, bg = nil })
highlight("CmpItemKindFunction", { fg = theme.base0D, bg = nil })
highlight("CmpItemKindMethod", { fg = theme.base0D, bg = nil })
highlight("CmpItemKindConstructor", { fg = theme.base0D, bg = nil })
highlight("CmpItemKindClass", { fg = theme.base09, bg = nil })
highlight("CmpItemKindInterface", { fg = theme.base09, bg = nil })
highlight("CmpItemKindStruct", { fg = theme.base09, bg = nil })
highlight("CmpItemKindEvent", { fg = theme.base09, bg = nil })
highlight("CmpItemKindEnum", { fg = theme.base09, bg = nil })
highlight("CmpItemKindUnit", { fg = theme.base09, bg = nil })
highlight("CmpItemKindModule", { fg = theme.base0A, bg = nil })
highlight("CmpItemKindProperty", { fg = theme.base0B, bg = nil })
highlight("CmpItemKindField", { fg = theme.base0B, bg = nil })
highlight("CmpItemKindTypeParameter", { fg = theme.base0B, bg = nil })
highlight("CmpItemKindEnumMember", { fg = theme.base0B, bg = nil })
highlight("CmpItemKindOperator", { fg = theme.base0B, bg = nil })
highlight("CmpItemKindSnippet", { fg = theme.base06, bg = nil })
vim.g.colors_name = "miniature_color"
|
local table, type, error, assert
do
local _obj_0 = _G
table, type, error, assert = _obj_0.table, _obj_0.type, _obj_0.error, _obj_0.assert
end
do
local _class_0
local _base_0 = {
ExecInPlace = function(self, ...)
return self.database:Query(self:Format(...))
end,
Execute = function(self, ...)
return self:Format(...)
end,
Format = function(self, ...)
if self.length == 0 then
return self.raw
end
self.buff = { }
for i, val in ipairs(self.parts) do
if i == #self.parts then
table.insert(self.buff, val)
elseif select(i, ...) == nil then
table.insert(self.buff, val)
table.insert(self.buff, 'null')
elseif type(select(i, ...)) == 'boolean' then
table.insert(self.buff, val)
table.insert(self.buff, SQLStr(select(i, ...) and '1' or '0'))
else
table.insert(self.buff, val)
table.insert(self.buff, SQLStr(tostring(select(i, ...))))
end
end
return table.concat(self.buff)
end
}
_base_0.__index = _base_0
_class_0 = setmetatable({
__init = function(self, database, plain)
assert(type(plain) == 'string', 'Raw query is not a string! typeof ' .. type(plain))
self.database = database
self.raw = plain
self.parts = plain:split('?')
self.length = #self.parts - 1
end,
__base = _base_0,
__name = "PlainBakedQuery"
}, {
__index = _base_0,
__call = function(cls, ...)
local _self_0 = setmetatable({}, _base_0)
cls.__init(_self_0, ...)
return _self_0
end
})
_base_0.__class = _class_0
DMySQL4.PlainBakedQuery = _class_0
end
local BakedQueryRawPart
do
local _class_0
local _base_0 = {
Format = function(self, args, style)
return self.str
end
}
_base_0.__index = _base_0
_class_0 = setmetatable({
__init = function(self, query, str)
self.query = query
self.str = str
end,
__base = _base_0,
__name = "BakedQueryRawPart"
}, {
__index = _base_0,
__call = function(cls, ...)
local _self_0 = setmetatable({}, _base_0)
cls.__init(_self_0, ...)
return _self_0
end
})
_base_0.__class = _class_0
BakedQueryRawPart = _class_0
end
local BakedQueryTableIdentifier
do
local _class_0
local _base_0 = {
Format = function(self, args, style)
return style and ('"' .. self.strPGSQL .. '"') or ('`' .. self.strMySQL .. '`')
end
}
_base_0.__index = _base_0
_class_0 = setmetatable({
__init = function(self, query, str)
self.strMySQL = str:gsub('`', '``')
self.strPGSQL = str:gsub('"', '""')
self.raw = str
self.query = query
end,
__base = _base_0,
__name = "BakedQueryTableIdentifier"
}, {
__index = _base_0,
__call = function(cls, ...)
local _self_0 = setmetatable({}, _base_0)
cls.__init(_self_0, ...)
return _self_0
end
})
_base_0.__class = _class_0
BakedQueryTableIdentifier = _class_0
end
local BakedQueryVariable
do
local _class_0
local _base_0 = {
Format = function(self, args, style)
if not self.query.allowNulls and args[self.identifier] == nil then
error(self.identifier .. ' = NULL')
end
return args[self.identifier] == nil and 'NULL' or SQLStr(args[self.identifier])
end
}
_base_0.__index = _base_0
_class_0 = setmetatable({
__init = function(self, query, str)
self.identifier = str
self.query = query
end,
__base = _base_0,
__name = "BakedQueryVariable"
}, {
__index = _base_0,
__call = function(cls, ...)
local _self_0 = setmetatable({}, _base_0)
cls.__init(_self_0, ...)
return _self_0
end
})
_base_0.__class = _class_0
BakedQueryVariable = _class_0
end
do
local _class_0
local _base_0 = {
ExecInPlace = function(self, ...)
return assert(self.database, 'database wasn\'t specified earlier'):Query(self:Format(...))
end,
Execute = function(self, ...)
return self:Format(...)
end,
Format = function(self, params)
if params == nil then
params = { }
end
local style
if self.database == nil then
style = false
end
if style == nil then
style = not self.database:IsMySQLStyle()
end
local build = { }
local _list_0 = self.parsed
for _index_0 = 1, #_list_0 do
local arg = _list_0[_index_0]
table.insert(build, arg:Format(params, style))
end
return table.concat(build, ' ')
end
}
_base_0.__index = _base_0
_class_0 = setmetatable({
__init = function(self, database, plain, allowNulls)
if allowNulls == nil then
allowNulls = false
end
assert(type(plain) == 'string', 'Raw query is not a string! typeof ' .. type(plain))
self.database = database
self.raw = plain
self.allowNulls = allowNulls
self.parsed = { }
local expectingTableIdentifier = false
local inTableIdentifier = false
local inVariableName = false
local escape = false
local variableName = ''
local identifierName = ''
local str = ''
local pushStr
pushStr = function()
if str ~= '' then
table.insert(self.parsed, BakedQueryRawPart(self, str))
str = ''
end
end
local pushChar
pushChar = function(char)
if inTableIdentifier then
identifierName = identifierName .. char
return
end
if inVariableName then
variableName = variableName .. char
return
end
str = str .. char
end
local closure
closure = function(char)
if escape then
pushChar(char)
escape = false
return
end
if char == '\\' then
escape = true
return
end
if char == ' ' then
if inVariableName then
table.insert(self.parsed, BakedQueryVariable(self, variableName))
variableName = ''
inVariableName = false
return
end
pushChar(char)
return
end
if char == ':' then
if inVariableName or inTableIdentifier then
pushChar(char)
return
end
pushStr()
inVariableName = true
return
end
if char == '[' then
if inVariableName or inTableIdentifier then
pushChar(char)
return
end
if expectingTableIdentifier then
pushStr()
expectingTableIdentifier = false
inTableIdentifier = true
return
end
expectingTableIdentifier = true
return
end
if char == ']' then
if expectingTableIdentifier and inTableIdentifier then
table.insert(self.parsed, BakedQueryTableIdentifier(self, identifierName))
inTableIdentifier = false
expectingTableIdentifier = false
identifierName = ''
return
end
if inTableIdentifier then
expectingTableIdentifier = true
return
end
end
if expectingTableIdentifier then
if inTableIdentifier then
pushChar(']' .. char)
else
pushChar('[' .. char)
expectingTableIdentifier = false
end
return
end
return pushChar(char)
end
for char in plain:gmatch(utf8.charpattern) do
closure(char)
end
if inTableIdentifier then
error('Unclosed table name identifier in raw query')
end
if inVariableName then
table.insert(self.parsed, BakedQueryVariable(self, variableName, allowNulls))
end
return pushStr()
end,
__base = _base_0,
__name = "AdvancedBakedQuery"
}, {
__index = _base_0,
__call = function(cls, ...)
local _self_0 = setmetatable({}, _base_0)
cls.__init(_self_0, ...)
return _self_0
end
})
_base_0.__class = _class_0
DMySQL4.AdvancedBakedQuery = _class_0
return _class_0
end
|
local _M = {}
local base = require "resty.waf.base"
local cjson = require "cjson"
local socket_logger = require "resty.logger.socket"
_M.version = base.version
local function split(source, delimiter)
local elements = {}
local pattern = '([^'..delimiter..']+)'
string.gsub(source, pattern, function(value)
elements[#elements + 1] = value
end)
return elements
end
-- warn logger
function _M.warn(waf, msg)
ngx.log(ngx.WARN, '[', waf.transaction_id, '] ', msg)
end
-- deprecation logger
function _M.deprecate(waf, msg, ver)
_M.warn(waf, 'DEPRECATED: ' .. msg)
if not ver then return end
local ver_tab = split(ver, "%.")
local my_ver = split(base.version, "%.")
for i = 1, #ver_tab do
local m = tonumber(ver_tab[i]) or 0
local n = tonumber(my_ver[i]) or 0
if n > m then
_M.fatal_fail("fatal deprecation version passed", 1)
end
end
end
-- fatal failure logger
function _M.fatal_fail(msg, level)
level = tonumber(level) or 0
ngx.log(ngx.ERR, error(msg, level + 2))
ngx.exit(ngx.HTTP_INTERNAL_SERVER_ERROR)
end
-- event log writer lookup table
_M.write_log_events = {
error = function(waf, t)
ngx.log(waf._event_log_level, cjson.encode(t))
end,
file = function(waf, t)
if not waf._event_log_target_path then
_M.fatal_fail("Event log target path is undefined in file logger")
end
local f = io.open(waf._event_log_target_path, 'a')
if not f then
_M.warn(waf, "Could not open " .. waf._event_log_target_path)
return
end
f:write(cjson.encode(t), "\n")
f:close()
end,
socket = function(waf, t)
if not socket_logger.initted() then
socket_logger.init({
host = waf._event_log_target_host,
port = waf._event_log_target_port,
sock_type = waf._event_log_socket_proto,
ssl = waf._event_log_ssl,
ssl_verify = waf._event_log_ssl_verify,
sni_host = waf._event_log_ssl_sni_host,
flush_limit = waf._event_log_buffer_size,
periodic_flush = waf._event_log_periodic_flush
})
end
socket_logger.log(cjson.encode(t) .. "\n")
end
}
return _M
|
local mod = get_mod("rwaon_talents")
-- Elf Shortbow
------------------------------------------------------------------------------
for _, weapon in ipairs{
"shortbow_template_1",
} do
local weapon_template = Weapons[weapon]
local action_one = weapon_template.actions.action_one
local action_two = weapon_template.actions.action_two
change_weapon_value(action_one, "default", "speed", 5500) -- 8000
change_weapon_value(action_one, "shoot_charged", "speed", 10000) -- 11000
change_weapon_value(action_one, "shoot_charged", "scale_total_time_on_mastercrafted", true)
change_weapon_value(action_one, "shoot_charged", "anim_end_event_condition_func", function (unit, end_reason)
return end_reason ~= "new_interupting_action"
end)
change_chain_actions(action_one, "shoot_charged", 2, {
sub_action = "default",
start_time = 0.25,
action = "action_one",
release_required = "action_two_hold",
--end_time = 0.4,
input = "action_one"
})
change_chain_actions(action_one, "shoot_charged", 4, {
sub_action = "default",
start_time = 0.4, -- 0.25
action = "weapon_reload",
input = "weapon_reload"
})
change_chain_actions(action_one, "shoot_special_charged", 2, {
sub_action = "default",
start_time = 0.25,
action = "action_one",
release_required = "action_two_hold",
--end_time = 0.4,
input = "action_one"
})
change_chain_actions(action_one, "shoot_special_charged", 4, {
sub_action = "default",
start_time = 0.4, -- 0.25
action = "weapon_reload",
input = "weapon_reload"
})
end
|
local M = {}
local Job = require('plenary.job')
M.timer = vim.loop.new_timer()
function M.theme_mode()
local output = io.popen('defaults read -g AppleInterfaceStyle'):read()
if output == "Dark" then
return 'dark'
else
return 'light'
end
end
function M.switch_theme()
vim.o.background = M.theme_mode()
end
-- Check every half hour (apparently nvim_set_option cannot be called in a lua
-- callback which is what is happening here. The docs are very sparse on this so
-- will have to find an alternate solution.)
-- M.check_interval = 1000 * 60 * 30
-- M.timer:start(M.check_interval, 0, M.switch_theme)
return M
|
--require"common.init"
require( "sc.stream")
----------
--[[
onFrameCallbacks={}
--table.insert(onFrameCallbacks,function()
--ppqVSTFrameLength=theMetro.frame
--end)
table.insert(onFrameCallbacks,function()
for i,v in ipairs(ActionPlayers) do
--println("onframe player:",v.name)
v:Play()
end
end)
table.insert(onFrameCallbacks,function()
for i,v in ipairs(Players) do
--print("onframe player:",v.name)
v:Play()
end
end)
--]]
---replaces original-------work with ppq
eventQueue = {}
eventQueueDirty = false
function eventCompare(a, b)
return b.delta>a.delta
end
function scheduleEvent(event)
local q
q = copyMidiEvent(event)
table.insert(eventQueue, q)
eventQueueDirty = true
end
function doSchedule(window)
--print(" "..window.." ")
--ensure the table is in order
if eventQueueDirty then
table.sort(eventQueue, eventCompare)
eventQueueDirty = false
end
--send all events in this window
local continue = 0
repeat
continue = 0
if eventQueue[1] and eventQueue[1].delta<window then
sendMidi(eventQueue[1])
table.remove(eventQueue, 1)
continue = 1
end
until continue==0
end
----------replaces original works with ppq
--[[
function _onFrameCb()
curHostTime = getHostTime()
ppqVSTFrameLength=theMetro.frame
---for i,v in ipairs(onFrameCallbacks) do
-- v()
--end
local event = theMetro.queue[1]
table.remove(theMetro.queue, 1)
theMetro.queueEvent(event.player:Play())
if onFrameCb then
onFrameCb()
end
doSchedule(curHostTime.ppqPos)
end
--]]
-------------------------------------------------------------------
function beats2Time(n)
n=n or 4
return n/theMetro.bps
end
function beats2Freq(n)
n=n or 4
return curHostTime.bpm/(n*60)
end
function BeatTime(n)
return FS(function() return beats2Time(n) end,1)
end
function BeatFreq(n)
return FS(function() return beats2Freq(n) end,1)
end
function getNote(nv, mode)
local mode_notes
if IsREST(nv) or IsNOP(nv) then return nv end
if type(mode) == "table" then
mode_notes = mode
elseif modes[mode] then
mode_notes = modes[mode]
elseif scales[mode] then
mode_notes = scales[mode]
else
error("mode "..tostring(mode).." not found")
end
if math.floor(nv) ~= nv then --fractional 0.5 between two degrees
local nota1 = getNote(math.floor(nv),mode)
local nota2 = getNote(math.floor(nv + 1),mode)
--print("getNote",nota1,nota2,nv % 1)
return nota1 + (nota2 - nota1) * (nv %1)
else
nv = nv - 1
local nota = nv % #mode_notes
local octava = math.floor(nv / #mode_notes)
return mode_notes[nota + 1] + octava * 12
end
end
--converts from pos to swinged pos
function swingtime(pos,swing,qsw)
qsw = qsw or 0.5
local qsw2 = qsw * 2.0
local ss=pos%qsw2
local ss2
if ss > qsw then
--ss2=qsw2*swing+(ss-qsw)*(1-swing)
ss2=(1-swing)*(ss/qsw - 2)+qsw2
else
--ss2=ss*swing*2
ss2=ss*swing/qsw
end
return pos - ss + ss2
--return ss
end
--converts from pos to swinged pos
function swingtimeBAK(pos,swing,qsw)
qsw = qsw or 0.5
local qsw2 = qsw * 2.0
local ss=pos%qsw2
local ss2
if ss > qsw then
--ss2=qsw2*swing+(ss-qsw)*(1-swing)
ss2=(1-swing)*(ss/qsw - 2)+qsw2
else
--ss2=ss*swing*2
ss2=ss*swing*2
end
return pos - ss + ss2
--return ss
end
EventPlayer={MUSPOS=0,ppqOffset=0,ppqPos=0,playing=true,dur=0}
function EventPlayer:new(o)
o = o or {}
setmetatable(o, self)
self.__index = self
return o
end
function EP(t)
local res = EventPlayer:new(t)
--Players[#Players +1] = res
rawset(Players,#Players +1,res)
return res
end
function EventPlayer:Bind(l)
--local l = {...}
local a
--if not l.dur then l.dur = math.huge end
self.binded = l
if not l.isStream then
a=PS(l)
--a=PairsStream:new{stlist=l}
else
a=l
end
self.lista = a
--self.lista=copyObj(a)
--self:Init()
return self
end
function EventPlayer:ReBind(l)
local a
--if not l.dur then l.dur = math.huge end
self.binded = l
if not l.isStream then
a=PS(l)
else
a=l
end
self.lista=a
--self.lista=copyObj(a)
self:Reset()
return self
end
function EventPlayer:MergeBind(a)
self.lista:merge(a)
--self.lista=copyObj(a)
return self
end
function EventPlayer:MusPos2SamplePos(a)
return a*(60/curHostTime.bpm)*curHostTime.sampleRate
end
function EventPlayer:UpdatePos(dur, doqueue)
--print("UpdatePos1",self.name,self.prevppqPos,self.ppqPos,dur)
self.prevppqPos = self.ppqPos
self.ppqPos=self.ppqPos + dur
if doqueue then
theMetro.queueEvent(self.ppqPos, self)
end
end
function EventPlayer:Reset()
if not self.binded then self:Bind{dur=math.huge} end
self.lista:reset()
self.ppqPos = self.MUSPOS + self.ppqOffset
self.prevppqPos= -math.huge --self.MUSPOS
--self:NextVals()
self.playing=true
--self:UpdatePos(0)
self.used=false
theMetro.queueEvent(self.ppqPos, self)
print("Reset:",self.name,self.ppqPos)
end
function EventPlayer:Pull()
--[[
if self.prevppqPos > curHostTime.oldppqPos and self.used then
prerror("pull reset ppqPos",self.name,self.prevppqPos,self.ppqPos,"hostppqPos",curHostTime.oldppqPos,curHostTime.ppqPos)
self:Reset()
end
--]]
if curHostTime.playing > 0 then
if self.playing and curHostTime.oldppqPos > self.ppqPos then
prerror("Pull ",self.name,(curHostTime.ppqPos - self.ppqPos),theMetro.window)
self:StopSound()
end
while self.playing and curHostTime.oldppqPos > self.ppqPos do
--prerror(" wPull ",self.name,curHostTime.ppqPos - self.ppqPos)
local havenext = self:NextVals()
if havenext then
self:UpdatePos(self.curlist.delta, false)
else
--if havenext == nil then
if self.playing then
--prtable(self.curlist)
if self.doneAction then
self:doneAction()
end
print("se acabo: ",self.name)
end
self.playing = false
break
end
end
end
end
function EventPlayer:NextVals()
--print("NextVals ",self.name)
self.used=true
self.curlist = self.lista:nextval(self)
if self.curlist == nil then
return nil
end
--[[
now in streams.lua
-- convert arrys of streamss
local lista=self.curlist
for k,v in pairs(lista) do
if type(k) == "table" then
for i2,v2 in ipairs(k) do
lista[v2]=v[i2]
end
lista[k]=nil
end
end
--]]
if self.Filters then
for k,v in pairs(self.Filters) do
if self.curlist[k] then
self.curlist[k] = v(self.curlist)
end
end
end
return true
--self.dur=self.curlist.delta
--self.curlist.delta = nil
--return self.curlist.delta
end
function EventPlayer:StopSound()
--works in derived classes
end
function EventPlayer:Play()
--prerror("Play",self.name,self.prevppqPos,self.ppqPos,theMetro.ppqPos)
self:Pull()
if curHostTime.playing == 0 then
return
end
if not self.playing then return end
--if curHostTime.oldppqPos <= self.ppqPos then
--and self.ppqPos < curHostTime.ppqPos do
local havenext = self:NextVals()
if havenext == nil then
--if self.playing then
--prtable(self.curlist)
if self.doneAction then
self:doneAction()
else
self:Reset()
end
print("se acabo: ",self.name,self.ppqPos)
--end
self.playing = false
--break
else
self:playEvent(self.curlist,self.ppqPos,self.curlist.dur,self.curlist.delta)
self:UpdatePos(self.curlist.delta, true)
end
--end
end
MidiEventPlayer = EventPlayer:new({})
function MidiEventPlayer:playMidiNote(nv,vel,chan,beatTime, beatLen)
--print("beattime "..beatTime.." beatlen"..beatLen.."\n")
on = noteOn(nv,vel,chan,beatTime)
off = noteOff(nv, chan,beatTime + beatLen)
--prtable(on)
--prtable(off)
scheduleEvent(on)
scheduleEvent(off)
end
function getmaxlen(lista)
local max = math.max
local maxlen = 1
for k,v in pairs(lista) do
maxlen = max(maxlen,len(v))
end
return maxlen
end
function EventPlayer:playEvent(lista,beatTime, beatLen,delta)
--return self:playOneEvent(lista,beatTime, beatLen)
---[[
--local res = {}
for i=1,getmaxlen(lista) do
local keydata = {}
for k,v in pairs(lista) do
--need deepcopy in case item is altered in playOneEvent
--and is a table reference (ex:ctrl_function)
--keydata[k] = deepcopy(WrapAtSimple(v,i))
keydata[k] = WrapAtSimple(v,i)
end
keydata.dur = nil
keydata.delta = nil
--res[i] = keydata
self:playOneEvent(keydata,beatTime, beatLen,delta)
end
--for i,v in ipairs(res) do
-- self:playOneEvent(v,beatTime, beatLen,delta)
--end
--]]
end
function EventPlayer:playEventBAK(lista,beatTime, beatLen,delta)
--return self:playOneEvent(lista,beatTime, beatLen)
---[[
--local res = {}
local max = math.max
local maxlen = 1
for k,v in pairs(lista) do
maxlen = max(maxlen,len(v))
end
for i=1,maxlen do
local keydata = {}
for k,v in pairs(lista) do
--need deepcopy in case item is altered in playOneEvent
--and is a table reference (ex:ctrl_function)
--keydata[k] = deepcopy(WrapAtSimple(v,i))
keydata[k] = WrapAtSimple(v,i)
end
keydata.dur = nil
keydata.delta = nil
--res[i] = keydata
self:playOneEvent(keydata,beatTime, beatLen,delta)
end
--for i,v in ipairs(res) do
-- self:playOneEvent(v,beatTime, beatLen,delta)
--end
--]]
end
function EventPlayer:playOneEvent(lista,beatTime, beatLen)
--prtable(lista)
--println("EventPlayer:playNote")
self.curbeatTime=beatTime
self.curbeatLen=beatLen
end
function MidiEventPlayer:playOneEvent(lista,beatTime, beatLen)
local nota,velo,escale,chan
escale = lista.escale or "ionian"
if lista.note then
nota = lista.note
elseif lista.degree then
nota = getNote(lista.degree,escale)
end
nota = nota or 69
velo = lista.velo or 64
chan = lista.chan or 0
--if self.volumen then velo = velo * self.volumen end
if IsREST(nota) or IsNOP(nota) then return end
if type(nota) == "table" then
for i,v in ipairs(nota) do
self:playMidiNote(v,velo,chan,beatTime,beatLen)
end
else
self:playMidiNote(nota,velo,chan,beatTime,beatLen)
end
end
function EventPlayer:Init()
self.name = self.name or self:findMyName()
self:Reset()
return self.ppqPos,self
end
function EventPlayer:findMyName()
for k,v in pairs(_G) do
if v==self then return k end
end
return "unnamed"
end
function EventPlayer:ccPlayBAK()end
ActionPlayers={}
function initplayers()
for i,v in ipairs(ActionPlayers) do
--println("init player:",v.name)
--v.name = v.name or v:findMyName()
v:Init()
end
for i,v in ipairs(Players) do
--println("init player:",v.name)
--v.name = v.name or v:findMyName()
v:Init()
end
end
function resetplayers()
print("resetplayers")
for i,v in ipairs(Players) do
--println("init player:",v.name)
v:Reset()
end
end
------------------------------Actions
function StartPlayer(beatTime,...)
--print("StartPlayer")
--prtable{...}
for k,player in ipairs{...} do
print("start ",player.name)
player.MUSPOS=beatTime
player:Reset()
end
end
function StopPlayer(...)
for k,player in ipairs{...} do
print("stopPlayer ",player.name)
player:Reset()
player.playing=false
end
end
function ACTION(ppq,verb,...)
return {ppq=ppq,verb,{...}}
end
function BINDSTART(ppq,player,pat)
return {ppq=ppq,function() player:Bind(pat);player.MUSPOS=ppq;player:Reset() end,{}}
end
function SEND(ppq,player,param,value)
return {ppq=ppq,function()
player.params[param]=value;player:SendParam(param)
end,{}}
end
function SENDINSERT(ppq,player,ins,param,value)
return {ppq=ppq,function()
player._inserts[ins].params[param]=value;player._inserts[ins]:SendParam(param)
end,{}}
end
function START(ppq,...)
return {ppq=ppq,StartPlayer,{ppq,...}}
end
function STOP(ppq,...)
return {ppq=ppq,StopPlayer,{...}}
end
function GOTO(ppq,pos)
return {ppq=ppq,theMetro.GOTO,{theMetro,pos}}
end
function FADEOUTBAK(ppq1,ppq2,...)
local function fadeseveral(...)
for k,player in ipairs{...} do
local level1 = player.channel.oldparams.level
local steps = (ppq2 - ppq1)/0.1
local step = level1 / steps
player.channel:MergeBind{level = FS(function(arg)
return math.max(0,player.channel.oldparams.level - step )
end,steps,{player.channel}),
dur = ConstSt(0.1)}
player.channel:Reset()
player.channel.ppqPos=ppq1
end
end
return {ppq=ppq1,fadeseveral,{...}}
end
function FADEOUT(ppq1,ppq2,...)
local function fadeseveral(...)
for k,player in ipairs{...} do
player.channel.Filters = player.channel.Filters or {}
player.channel.Filters.level = function(list)
--print("fadeout",list.level * clip(linearmap(ppq1,ppq2,1,0,player.channel.ppqPos),0,1))
return list.level * clip(linearmap(ppq1,ppq2,1,0,player.channel.ppqPos),0,1)
end
player.channel:MergeBind{dur = ConstSt(0.1)}
player.channel:Reset()
player.channel.ppqPos=ppq1
end
end
return {ppq=ppq1,fadeseveral,{...}}
end
function FADEIN(ppq1,ppq2,...)
local function fadeseveral(...)
for k,player in ipairs{...} do
player.channel.Filters = player.channel.Filters or {}
player.channel.Filters.level = function(list)
--print("fadeout",list.level * clip(linearmap(ppq1,ppq2,1,0,player.channel.ppqPos),0,1))
return list.level * clip(linearmap(ppq1,ppq2,0,1,player.channel.ppqPos),0,1)
end
player.channel:MergeBind{dur = ConstSt(0.1)}
player.channel:Reset()
player.channel.ppqPos=ppq1
end
end
return {ppq=ppq1,fadeseveral,{...}}
end
function FADEINBAK(ppq1,ppq2,level,...)
local function fadeseveral(...)
for k,player in ipairs{...} do
local steps = (ppq2 - ppq1)/0.1
local step = level / steps
player.channel:MergeBind{level = FS(function(arg)
return math.min(level,player.channel.oldparams.level + step )
end,steps,{player.channel}),
dur = ConstSt(0.1)}
player.channel:Reset()
player.channel.ppqPos=ppq1
end
end
return {ppq=ppq1,fadeseveral,{...}}
end
function MUTE(ppq,...)
local function muteseveral(...)
for k,player in ipairs{...} do
player.channel:MergeBind{unmute = 0}
player.channel.params.unmute = 0
player.channel:SendParams()
end
end
return {ppq=ppq,muteseveral,{...}}
end
function UNMUTE(ppq,...)
local function muteseveral(...)
for k,player in ipairs{...} do
player.channel:MergeBind{unmute = 1}
player.channel.params.unmute = 1
player.channel:SendParams()
end
end
return {ppq=ppq,muteseveral,{...}}
end
function ActionEP(t)
local res = ActionEventPlayer:new(t)
ActionPlayers[#ActionPlayers +1] = res
return res
end
ActionEventPlayer = EventPlayer:new({})
function ActionEventPlayer:NextVals(doqueue)
--print("NextVals ",self.name)
self.used=true
self.curlist = self.lista:nextval(self)
--prtable(self.curlist)
print("ActionEventPlayer self.curlist ",self.curlist)
if self.curlist == nil then
return nil
end
self:UpdatePos(doqueue)
return true
end
function ActionEventPlayer:UpdatePos(doqueue)
--prtable(self.curlist)
--if self.curlist.actions then
print("Updatepos ", self.name,self.curlist.actions.ppq)
self.prevppqPos=self.ppqPos
self.ppqPos=self.curlist.actions.ppq
if doqueue then
theMetro.queueEvent(self.ppqPos, self)
end
--else
-- self.playing=false
--end
end
function ActionEventPlayer:Reset()
self.lista:reset()
self.ppqPos= -math.huge
self.prevppqPos= -math.huge --self.MUSPOS
self.playing=true
self.used=false
self.curlist = nil
theMetro.queueEvent(self.ppqPos, self)
print("Reset:",self.name,self.ppqPos)
end
function ActionEventPlayer:playEvent(lista,beatTime, beatLen)
print("xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx play action ",beatTime,self.ppqPos)
local v=lista.actions
v[1](unpack(v[2]))
end
function ActionEventPlayer:Pull()
--if self.prevppqPos > curHostTime.oldppqPos and self.used then
-- print("reset ppqPos" .. self.ppqPos .. " hostppqPos " .. curHostTime.ppqPos .. " ",self.name)
-- self:Reset()
--else
if curHostTime.playing > 0 then
while self.playing and curHostTime.oldppqPos > self.ppqPos do
--print("Pull ",self.name)
if self.curlist then
self:playEvent(self.curlist,self.ppqPos)
end
local havenext = self:NextVals()
--self:playEvent(self.curlist,self.ppqPos)
--self:UpdatePos(self.dur)
if havenext == nil then
if self.playing then
--prtable(self.curlist)
print("se acabo: ",self.name)
end
self.playing = false
break
end
end
end
end
function ActionEventPlayer:Play()
--self:Pull()
if curHostTime.playing == 0 then
return
end
--if curHostTime.oldppqPos <= self.ppqPos and self.playing then
--and self.ppqPos < curHostTime.ppqPos and self.playing do
if self.curlist then self:playEvent(self.curlist,self.ppqPos) end
local havenext =self:NextVals(true)
--prtable(self.curlist)
--self:UpdatePos(self.dur)
--end
if havenext == nil then
if self.playing then
--prtable(self.curlist)
print("se acabo: ",self.name)
end
self.playing = false
return
end
--end
end
-----------------------------------
table.insert(initCbCallbacks,function()
curHostTime = getHostTime()
end)
table.insert(initCbCallbacks,initplayers)
table.insert(resetCbCallbacks,resetplayers)
Players={}
setmetatable(Players,{__newindex = function() error("attemp to write on Players",2) end})
|
-- Newton (Raphson) root finding algorithm implementation
-- See : http://en.wikipedia.org/wiki/Newton%27s_method
-- Fuzzy equality test
local function fuzzyEqual(a, b, eps)
local eps = eps or 1e-4
return (math.abs(a - b) < eps)
end
-- Evaluates the derivative of function f at x0
-- Uses Newton's centered slope approximation
local function drvMid(f, x0, initStep)
local step = initStep or 0.1
local incr1, incr2 = (f(x0 + step) - f(x0 - step)) / (2 * step)
repeat
incr2 = incr1
step = step / 2
incr1 = (f(x0 + step) - f(x0 - step)) / (2 * step)
until fuzzyEqual(incr1, incr2)
return incr1
end
-- Find a zero for a given function f
-- f : the equation, to be solved (f(x) = 0)
-- initStep : (optional) initial value for iterations
-- eps : (optional) accuracy parameter for convergence
-- returns : a zero for the function f
return function(f, initStep, eps)
local next_x = initStep or 0
local prev_x
repeat
prev_x = next_x
next_x = next_x - (f(next_x) / drvMid(f, next_x))
until fuzzyEqual(next_x, prev_x, eps)
return next_x
end
|
-- TODO: figure out why this don't work
vim.fn.sign_define(
"LspDiagnosticsSignError",
{ texthl = "LspDiagnosticsSignError", text = "", numhl = "LspDiagnosticsSignError" }
)
vim.fn.sign_define(
"LspDiagnosticsSignWarning",
{ texthl = "LspDiagnosticsSignWarning", text = "", numhl = "LspDiagnosticsSignWarning" }
)
vim.fn.sign_define(
"LspDiagnosticsSignHint",
{ texthl = "LspDiagnosticsSignHint", text = "", numhl = "LspDiagnosticsSignHint" }
)
vim.fn.sign_define(
"LspDiagnosticsSignInformation",
{ texthl = "LspDiagnosticsSignInformation", text = "", numhl = "LspDiagnosticsSignInformation" }
)
-- local opts = { border = "single" }
-- TODO revisit this
-- local border = {
-- { "🭽", "FloatBorder" },
-- { "▔", "FloatBorder" },
-- { "🭾", "FloatBorder" },
-- { "▕", "FloatBorder" },
-- { "🭿", "FloatBorder" },
-- { "▁", "FloatBorder" },
-- { "🭼", "FloatBorder" },
-- { "▏", "FloatBorder" },
-- }
-- My font didn't like this :/
-- vim.api.nvim_set_keymap(
-- "n",
-- "gl",
-- '<cmd>lua vim.lsp.diagnostic.show_line_diagnostics({ show_header = false, border = { { "🭽", "FloatBorder" }, { "▔", "FloatBorder" }, { "🭾", "FloatBorder" }, { "▕", "FloatBorder" }, { "🭿", "FloatBorder" }, { "▁", "FloatBorder" }, { "🭼", "FloatBorder" }, { "▏", "FloatBorder" }, } })<CR>',
-- { noremap = true, silent = true }
-- )
if O.lsp.default_keybinds then
vim.cmd "nnoremap <silent> gd <cmd>lua vim.lsp.buf.definition()<CR>"
vim.cmd "nnoremap <silent> gD <cmd>lua vim.lsp.buf.declaration()<CR>"
vim.cmd "nnoremap <silent> gr <cmd>lua vim.lsp.buf.references()<CR>"
vim.cmd "nnoremap <silent> gi <cmd>lua vim.lsp.buf.implementation()<CR>"
vim.api.nvim_set_keymap(
"n",
"gl",
'<cmd>lua vim.lsp.diagnostic.show_line_diagnostics({ show_header = false, border = "single" })<CR>',
{ noremap = true, silent = true }
)
vim.cmd "nnoremap <silent> gp <cmd>lua require'lsp'.PeekDefinition()<CR>"
vim.cmd "nnoremap <silent> K :lua vim.lsp.buf.hover()<CR>"
vim.cmd "nnoremap <silent> <C-p> :lua vim.lsp.diagnostic.goto_prev({popup_opts = {border = O.lsp.popup_border}})<CR>"
vim.cmd "nnoremap <silent> <C-n> :lua vim.lsp.diagnostic.goto_next({popup_opts = {border = O.lsp.popup_border}})<CR>"
vim.cmd "nnoremap <silent> <tab> <cmd>lua vim.lsp.buf.signature_help()<CR>"
-- scroll down hover doc or scroll in definition preview
-- scroll up hover doc
vim.cmd 'command! -nargs=0 LspVirtualTextToggle lua require("lsp/virtual_text").toggle()'
end
-- Set Default Prefix.
-- Note: You can set a prefix per lsp server in the lv-globals.lua file
vim.lsp.handlers["textDocument/publishDiagnostics"] = vim.lsp.with(vim.lsp.diagnostic.on_publish_diagnostics, {
virtual_text = O.lsp.diagnostics.virtual_text,
signs = O.lsp.diagnostics.signs,
underline = O.lsp.document_highlight,
})
vim.lsp.handlers["textDocument/hover"] = vim.lsp.with(vim.lsp.handlers.hover, {
border = O.lsp.popup_border,
})
vim.lsp.handlers["textDocument/signatureHelp"] = vim.lsp.with(vim.lsp.handlers.signature_help, {
border = O.lsp.popup_border,
})
-- symbols for autocomplete
vim.lsp.protocol.CompletionItemKind = {
" (Text) ",
" (Method)",
" (Function)",
" (Constructor)",
" ﴲ (Field)",
"[] (Variable)",
" (Class)",
" ﰮ (Interface)",
" (Module)",
" 襁 (Property)",
" (Unit)",
" (Value)",
" 練 (Enum)",
" (Keyword)",
" (Snippet)",
" (Color)",
" (File)",
" (Reference)",
" (Folder)",
" (EnumMember)",
" ﲀ (Constant)",
" ﳤ (Struct)",
" (Event)",
" (Operator)",
" (TypeParameter)",
}
--[[ " autoformat
autocmd BufWritePre *.js lua vim.lsp.buf.formatting_sync(nil, 100)
autocmd BufWritePre *.jsx lua vim.lsp.buf.formatting_sync(nil, 100)
autocmd BufWritePre *.lua lua vim.lsp.buf.formatting_sync(nil, 100) ]]
-- Java
-- autocmd FileType java nnoremap ca <Cmd>lua require('jdtls').code_action()<CR>
local function lsp_highlight_document(client)
if O.lsp.document_highlight == false then
return -- we don't need further
end
-- Set autocommands conditional on server_capabilities
if client.resolved_capabilities.document_highlight then
vim.api.nvim_exec(
[[
hi LspReferenceRead cterm=bold ctermbg=red guibg=#464646
hi LspReferenceText cterm=bold ctermbg=red guibg=#464646
hi LspReferenceWrite cterm=bold ctermbg=red guibg=#464646
augroup lsp_document_highlight
autocmd! * <buffer>
autocmd CursorHold <buffer> lua vim.lsp.buf.document_highlight()
autocmd CursorMoved <buffer> lua vim.lsp.buf.clear_references()
augroup END
]],
false
)
end
end
local lsp_config = {}
-- Taken from https://www.reddit.com/r/neovim/comments/gyb077/nvimlsp_peek_defination_javascript_ttserver/
function lsp_config.preview_location(location, context, before_context)
-- location may be LocationLink or Location (more useful for the former)
context = context or 15
before_context = before_context or 0
local uri = location.targetUri or location.uri
if uri == nil then
return
end
local bufnr = vim.uri_to_bufnr(uri)
if not vim.api.nvim_buf_is_loaded(bufnr) then
vim.fn.bufload(bufnr)
end
local range = location.targetRange or location.range
local contents = vim.api.nvim_buf_get_lines(
bufnr,
range.start.line - before_context,
range["end"].line + 1 + context,
false
)
local filetype = vim.api.nvim_buf_get_option(bufnr, "filetype")
return vim.lsp.util.open_floating_preview(contents, filetype, { border = O.lsp.popup_border })
end
function lsp_config.preview_location_callback(_, method, result)
local context = 15
if result == nil or vim.tbl_isempty(result) then
print("No location found: " .. method)
return nil
end
if vim.tbl_islist(result) then
lsp_config.floating_buf, lsp_config.floating_win = lsp_config.preview_location(result[1], context)
else
lsp_config.floating_buf, lsp_config.floating_win = lsp_config.preview_location(result, context)
end
end
function lsp_config.PeekDefinition()
if vim.tbl_contains(vim.api.nvim_list_wins(), lsp_config.floating_win) then
vim.api.nvim_set_current_win(lsp_config.floating_win)
else
local params = vim.lsp.util.make_position_params()
return vim.lsp.buf_request(0, "textDocument/definition", params, lsp_config.preview_location_callback)
end
end
function lsp_config.PeekTypeDefinition()
if vim.tbl_contains(vim.api.nvim_list_wins(), lsp_config.floating_win) then
vim.api.nvim_set_current_win(lsp_config.floating_win)
else
local params = vim.lsp.util.make_position_params()
return vim.lsp.buf_request(0, "textDocument/typeDefinition", params, lsp_config.preview_location_callback)
end
end
function lsp_config.PeekImplementation()
if vim.tbl_contains(vim.api.nvim_list_wins(), lsp_config.floating_win) then
vim.api.nvim_set_current_win(lsp_config.floating_win)
else
local params = vim.lsp.util.make_position_params()
return vim.lsp.buf_request(0, "textDocument/implementation", params, lsp_config.preview_location_callback)
end
end
function lsp_config.common_on_attach(client, bufnr)
if O.lsp.on_attach_callback then
O.lsp.on_attach_callback(client, bufnr)
end
lsp_highlight_document(client)
end
function lsp_config.tsserver_on_attach(client, _)
-- lsp_config.common_on_attach(client, bufnr)
client.resolved_capabilities.document_formatting = false
local ts_utils = require "nvim-lsp-ts-utils"
-- defaults
ts_utils.setup {
debug = false,
disable_commands = false,
enable_import_on_completion = false,
import_all_timeout = 5000, -- ms
-- eslint
eslint_enable_code_actions = true,
eslint_enable_disable_comments = true,
-- eslint_bin = O.lang.tsserver.linter,
eslint_config_fallback = nil,
eslint_enable_diagnostics = true,
-- formatting
enable_formatting = O.lang.tsserver.autoformat,
formatter = O.lang.tsserver.formatter.exe,
formatter_config_fallback = nil,
-- parentheses completion
complete_parens = false,
signature_help_in_parens = false,
-- update imports on file move
update_imports_on_move = false,
require_confirmation_on_move = false,
watch_dir = nil,
}
-- required to fix code action ranges
ts_utils.setup_client(client)
-- TODO: keymap these?
-- vim.api.nvim_buf_set_keymap(bufnr, "n", "gs", ":TSLspOrganize<CR>", {silent = true})
-- vim.api.nvim_buf_set_keymap(bufnr, "n", "qq", ":TSLspFixCurrent<CR>", {silent = true})
-- vim.api.nvim_buf_set_keymap(bufnr, "n", "gr", ":TSLspRenameFile<CR>", {silent = true})
-- vim.api.nvim_buf_set_keymap(bufnr, "n", "gi", ":TSLspImportAll<CR>", {silent = true})
end
require("lv-utils").define_augroups {
_general_lsp = {
{ "FileType", "lspinfo", "nnoremap <silent> <buffer> q :q<CR>" },
},
}
-- Use a loop to conveniently both setup defined servers
-- and map buffer local keybindings when the language server attaches
-- local servers = {"pyright", "tsserver"}
-- for _, lsp in ipairs(servers) do nvim_lsp[lsp].setup {on_attach = on_attach} end
return lsp_config
|
CyrodiilAction = CyrodiilAction or {}
local AD = ALLIANCE_ALDMERI_DOMINION
local DC = ALLIANCE_DAGGERFALL_COVENANT
local EP = ALLIANCE_EBONHEART_PACT
CyrodiilAction.ACTION_ATTACK = 1
CyrodiilAction.ACTION_DEFEND = 2
CyrodiilAction.colors = {}
local colors = CyrodiilAction.colors
--Transparent BG colors
CyrodiilAction.colors.blackTrans = ZO_ColorDef:New(0, 0, 0, .3)
CyrodiilAction.colors.greenTrans = ZO_ColorDef:New(.2, .5, .2, .6)
CyrodiilAction.colors.greyTrans = ZO_ColorDef:New(.5, .5, .5, .3)
CyrodiilAction.colors.invisible = ZO_ColorDef:New(0,0,0,0)
CyrodiilAction.colors.redTrans = ZO_ColorDef:New(.5, 0, 0, .3)
CyrodiilAction.colors.blue = ZO_ColorDef:New(.408, .560, .698, 1)
CyrodiilAction.colors.green = ZO_ColorDef:New(.6222, .7, .4532, 1)
CyrodiilAction.colors.orange = ZO_ColorDef:New(.9, .65, .3, 1)
CyrodiilAction.colors.purple = ZO_ColorDef:New(.7, .4, .73, 1)
CyrodiilAction.colors.red = ZO_ColorDef:New(.871, .361, .310, 1)
CyrodiilAction.colors.white = ZO_ColorDef:New(.8, .8, .8, 1)
CyrodiilAction.colors.yellow = ZO_ColorDef:New(.765, .667, .290, 1)
CyrodiilAction.defaults = {}
CyrodiilAction.defaults.timeBeforeBattleClear = 120
CyrodiilAction.defaults.timeBeforeResourceBattleClear = 80
CyrodiilAction.defaults.underAttack = "esoui/art/mappins/ava_attackburst_64.dds"
CyrodiilAction.defaults.transparentColor = colors.invisible
CyrodiilAction.defaults.alliance = {}
CyrodiilAction.defaults.alliance[ALLIANCE_NONE] = {}
CyrodiilAction.defaults.alliance[ALLIANCE_NONE].color = colors.white
CyrodiilAction.defaults.alliance[AD] = {}
CyrodiilAction.defaults.alliance[AD].color = GetAllianceColor(ALLIANCE_ALDMERI_DOMINION)
CyrodiilAction.defaults.alliance[AD].flag = "esoui/art/ava/ava_allianceflag_aldmeri.dds"
CyrodiilAction.defaults.alliance[AD].pin = "esoui/art/mappins/ava_borderkeep_pin_aldmeri.dds"
CyrodiilAction.defaults.alliance[DC] = {}
CyrodiilAction.defaults.alliance[DC].color = GetAllianceColor(ALLIANCE_DAGGERFALL_COVENANT)
CyrodiilAction.defaults.alliance[DC].flag = "esoui/art/ava/ava_allianceflag_daggerfall.dds"
CyrodiilAction.defaults.alliance[DC].pin = "esoui/art/mappins/ava_borderkeep_pin_daggerfall.dds"
CyrodiilAction.defaults.alliance[EP] = {}
CyrodiilAction.defaults.alliance[EP].color = GetAllianceColor(ALLIANCE_EBONHEART_PACT)
CyrodiilAction.defaults.alliance[EP].flag = "esoui/art/ava/ava_allianceflag_ebonheart.dds"
CyrodiilAction.defaults.alliance[EP].pin = "esoui/art/mappins/ava_borderkeep_pin_ebonheart.dds"
CyrodiilAction.defaults.noIcon = ""
CyrodiilAction.defaults.icons = {}
CyrodiilAction.defaults.icons.actionDefend = "esoui/art/lfg/lfg_normaldungeon_down.dds"
CyrodiilAction.defaults.icons.actionAttack = "esoui/art/campaign/campaignbrowser_indexicon_normal_down.dds"
CyrodiilAction.defaults.icons.keep = {}
CyrodiilAction.defaults.icons.keep[KEEPTYPE_KEEP] = "esoui/art/mappins/ava_largekeep_neutral.dds"
CyrodiilAction.defaults.icons.keep[KEEPTYPE_OUTPOST] = "esoui/art/mappins/ava_outpost_neutral.dds"
CyrodiilAction.defaults.icons.keep[KEEPTYPE_IMPERIAL_CITY_DISTRICT] = "esoui/art/mappins/ava_imperialdistrict_neutral.dds"
CyrodiilAction.defaults.icons.keep[KEEPTYPE_TOWN] = "esoui/art/mappins/ava_town_neutral.dds"
CyrodiilAction.defaults.icons.keep[KEEPTYPE_BRIDGE] = "esoui/art/mappins/ava_bridge_passable.dds"
CyrodiilAction.defaults.icons.keep[KEEPTYPE_MILEGATE] = "esoui/art/mappins/ava_milegate_passable.dds"
CyrodiilAction.defaults.icons.keep.resource = {}
CyrodiilAction.defaults.icons.keep.resource[RESOURCETYPE_FOOD] = "esoui/art/mappins/ava_farm_neutral.dds"
CyrodiilAction.defaults.icons.keep.resource[RESOURCETYPE_ORE] = "esoui/art/mappins/ava_mine_neutral.dds"
CyrodiilAction.defaults.icons.keep.resource[RESOURCETYPE_WOOD] = "esoui/art/mappins/ava_lumbermill_neutral.dds"
CyrodiilAction.defaults.icons.keep.bridge = {}
CyrodiilAction.defaults.icons.keep.bridge["PASSABLE"] = "esoui/art/mappins/ava_bridge_passable.dds"
CyrodiilAction.defaults.icons.keep.bridge["NOT_PASSABLE"] = "esoui/art/mappins/ava_bridge_not_passable.dds"
CyrodiilAction.defaults.icons.keep.milegate = {}
CyrodiilAction.defaults.icons.keep.milegate["PASSABLE"] = "esoui/art/mappins/ava_milegate_passable.dds"
CyrodiilAction.defaults.icons.keep.milegate["NOT_PASSABLE"] = "esoui/art/mappins/ava_milegate_not_passable.dds"
CyrodiilAction.defaults.icons.ava = {}
CyrodiilAction.defaults.icons.ava.keep = {}
CyrodiilAction.defaults.icons.ava.keep[KEEPTYPE_KEEP] = {}
CyrodiilAction.defaults.icons.ava.keep[KEEPTYPE_KEEP][AD] = "esoui/art/mappins/ava_largekeep_aldmeri.dds"
CyrodiilAction.defaults.icons.ava.keep[KEEPTYPE_KEEP][DC] = "esoui/art/mappins/ava_largekeep_daggerfall.dds"
CyrodiilAction.defaults.icons.ava.keep[KEEPTYPE_KEEP][EP] = "esoui/art/mappins/ava_largekeep_ebonheart.dds"
CyrodiilAction.defaults.icons.ava.keep[KEEPTYPE_OUTPOST] = {}
CyrodiilAction.defaults.icons.ava.keep[KEEPTYPE_OUTPOST][AD] = "esoui/art/mappins/ava_outpost_aldmeri.dds"
CyrodiilAction.defaults.icons.ava.keep[KEEPTYPE_OUTPOST][DC] = "esoui/art/mappins/ava_outpost_daggerfall.dds"
CyrodiilAction.defaults.icons.ava.keep[KEEPTYPE_OUTPOST][EP] = "esoui/art/mappins/ava_outpost_ebonheart.dds"
CyrodiilAction.defaults.icons.ava.keep[KEEPTYPE_IMPERIAL_CITY_DISTRICT] = {}
CyrodiilAction.defaults.icons.ava.keep[KEEPTYPE_IMPERIAL_CITY_DISTRICT][AD] = "esoui/art/mappins/ava_imperialdistrict_aldmeri.dds"
CyrodiilAction.defaults.icons.ava.keep[KEEPTYPE_IMPERIAL_CITY_DISTRICT][DC] = "esoui/art/mappins/ava_imperialdistrict_daggerfall.dds"
CyrodiilAction.defaults.icons.ava.keep[KEEPTYPE_IMPERIAL_CITY_DISTRICT][EP] = "esoui/art/mappins/ava_imperialdistrict_ebonheart.dds"
CyrodiilAction.defaults.icons.ava.keep[KEEPTYPE_TOWN] = {}
CyrodiilAction.defaults.icons.ava.keep[KEEPTYPE_TOWN][AD] = "esoui/art/mappins/ava_town_aldmeri.dds"
CyrodiilAction.defaults.icons.ava.keep[KEEPTYPE_TOWN][DC] = "esoui/art/mappins/ava_town_daggerfall.dds"
CyrodiilAction.defaults.icons.ava.keep[KEEPTYPE_TOWN][EP] = "esoui/art/mappins/ava_town_ebonheart.dds"
CyrodiilAction.defaults.icons.ava.keep.resource = {}
CyrodiilAction.defaults.icons.ava.keep.resource[RESOURCETYPE_FOOD] = {}
CyrodiilAction.defaults.icons.ava.keep.resource[RESOURCETYPE_FOOD][AD] = "esoui/art/mappins/ava_farm_aldmeri.dds"
CyrodiilAction.defaults.icons.ava.keep.resource[RESOURCETYPE_FOOD][DC] = "esoui/art/mappins/ava_farm_daggerfall.dds"
CyrodiilAction.defaults.icons.ava.keep.resource[RESOURCETYPE_FOOD][EP] = "esoui/art/mappins/ava_farm_ebonheart.dds"
CyrodiilAction.defaults.icons.ava.keep.resource[RESOURCETYPE_ORE] = {}
CyrodiilAction.defaults.icons.ava.keep.resource[RESOURCETYPE_ORE][AD] = "esoui/art/mappins/ava_mine_aldmeri.dds"
CyrodiilAction.defaults.icons.ava.keep.resource[RESOURCETYPE_ORE][DC] = "esoui/art/mappins/ava_mine_daggerfall.dds"
CyrodiilAction.defaults.icons.ava.keep.resource[RESOURCETYPE_ORE][EP] = "esoui/art/mappins/ava_mine_ebonheart.dds"
CyrodiilAction.defaults.icons.ava.keep.resource[RESOURCETYPE_WOOD] = {}
CyrodiilAction.defaults.icons.ava.keep.resource[RESOURCETYPE_WOOD][AD] = "esoui/art/mappins/ava_lumbermill_aldmeri.dds"
CyrodiilAction.defaults.icons.ava.keep.resource[RESOURCETYPE_WOOD][DC] = "esoui/art/mappins/ava_lumbermill_daggerfall.dds"
CyrodiilAction.defaults.icons.ava.keep.resource[RESOURCETYPE_WOOD][EP] = "esoui/art/mappins/ava_lumbermill_ebonheart.dds"
--/esoui/art/campaign/overview_scrollicon_aldmeri.dds
--/esoui/art/campaign/overview_scrollicon_daggefall.dds
--/esoui/art/campaign/overview_scrollicon_ebonheart.dds
|
require("BasicFuntions")
require("GlobalVariables")
print("I hear you")
if not arg[1] then
Error()
else
DefaultPath = arg[1]
print(DefaultPath .. Room["Field"])
PrintLines(LinesFrom( DefaultPath .. Room["Field"]))
end
|
-- Decompiled using luadec 2.2 rev: for Lua 5.2 from https://github.com/viruscamp/luadec
-- Command line: A:\Steam\twd-definitive\scripteditor-10-31-20\definitive_lighting_improvements\WDC_pc_Menu_data\Menu_main_temp.lua
-- params : ...
-- function num : 0 , upvalues : _ENV
require("RichPresence.lua")
require("Utilities.lua")
require("AspectRatio.lua")
require("MenuUtils.lua")
require("Menu_JumpScrollList.lua")
require("Menu_Characters.lua")
require("Menu_ConceptGallery.lua")
require("Menu_Music.lua")
require("Menu_Options.lua")
require("Menu_Seasons.lua")
require("Menu_VideoMenu.lua")
require("UI_ListButton.lua")
require("UI_ListButtonLite.lua")
require("UI_Legend.lua")
require("UI_Popup.lua")
if ResourceExists("DebugLoader.lua") then
require("DebugLoader.lua")
require("MenuBootUtils.lua")
end
local loadAnyLevelStatus, droytiLal = pcall(require, "Menu_loadAnyLevel.lua")
local droytiAmbienceStatus, droytiAmb = pcall(require, "Menu_DroytiAmbience.lua")
require("Relighting.lua")
require("PropertyMenuTool.lua")
require("CustomSound.lua")
local kScene = "ui_menuMain.scene"
local kKeyArtScene = "adv_clementineHouse400.scene"
local mControllerAmbient, mControllerIdle, mControllerNowPlaying, mRefCounterAmbient = nil, nil, nil, nil
local bgMain = {isMenuMain = true}
bgMain.transitionTo = function(self, otherBG)
-- function num : 0_0 , upvalues : _ENV, kScene
if not otherBG then
ChorePlay("ui_menuMain_show")
Menu_Main_EnableAmbient(true)
Sleep(1.5)
else
if otherBG.sharesBGWithMain then
SceneHide(kScene, false)
end
end
end
bgMain.transitionFrom = function(self, otherBG)
-- function num : 0_1 , upvalues : _ENV, kScene
if not otherBG then
ChorePlayAndWait("ui_menuMain_hide")
else
if otherBG.sharesBGWithMain then
SceneHide(kScene, true)
end
end
end
local EnableAmbient = function(bEnable)
-- function num : 0_2 , upvalues : mControllerAmbient, _ENV
if bEnable then
mControllerAmbient = ChorePlayAndSync("ui_menu_ambientFadeIn", mControllerAmbient)
else
mControllerAmbient = ChorePlayAndSync("ui_menu_ambientFadeOut", mControllerAmbient)
end
end
mRefCounterAmbient = ReferenceCounter(EnableAmbient)
local OpenDebugMenu = function()
-- function num : 0_3 , upvalues : _ENV, kScene
if SceneIsActive(kScene) then
WidgetInputHandler_EnableInput(false)
MenuBoot_CreateDebugMenu()
end
end
local UpdateLegend = function()
-- function num : 0_4 , upvalues : _ENV
Legend_Clear()
Legend_Add("faceButtonDown", "legend_select")
if IsPlatformXboxOne() then
Legend_Add("faceButtonUp", MenuUtils_LegendStringForProfileUser(Menu_Text("legend_changeProfile")), "PlatformOpenAccountPickerUI()")
end
end
modifyScene_prepareScene = function(sceneObj)
-- REMOVE AGENTS FROM SCENE
local agent1 = AgentFindInScene("light_ENV_exterior_sunSpecWater", sceneObj)
local agent2 = AgentFindInScene("light_ENV_exteriorHouse_sunFillHouse", sceneObj)
local agent3 = AgentFindInScene("light_ENV_exteriorHouse_sunHotspotRoof", sceneObj)
local agent4 = AgentFindInScene("light_ENV_exteriorHouse_sunHotspotRoofB", sceneObj)
local agent5 = AgentFindInScene("light_ENV_exteriorHouse_sunHotspotGroundB", sceneObj)
local agent6 = AgentFindInScene("light_ENV_exteriorHouse_sunFakeSpot", sceneObj)
local agent7 = AgentFindInScene("light_ENV_exteriorHouse_sunHotSpotGramophone", sceneObj)
local agent8 = AgentFindInScene("light_ENV_S_beetnick", sceneObj)
local agent9 = AgentFindInScene("light_ENV_exteriorHouse_sunHotspotWall", sceneObj)
local agent10 = AgentFindInScene("light_ENV_exteriorHouse_sunHotspotGround", sceneObj)
local agent11 = AgentFindInScene("light_ENV_exteriorHouse_sunHotspotTreehouse", sceneObj)
local agent12 = AgentFindInScene("fx_lightShaft401", sceneObj)
local agent13 = AgentFindInScene("fx_lightShaft402", sceneObj)
local agent14 = AgentFindInScene("fx_lightShaft403", sceneObj)
local agent15 = AgentFindInScene("light_ENV_ivy", sceneObj)
destroyMe(agent1)
destroyMe(agent2)
destroyMe(agent3)
destroyMe(agent4)
destroyMe(agent5)
destroyMe(agent6)
destroyMe(agent7)
destroyMe(agent8)
destroyMe(agent9)
destroyMe(agent10)
destroyMe(agent11)
destroyMe(agent12)
destroyMe(agent13)
destroyMe(agent14)
destroyMe(agent15)
RemovingAllLightingRigs(sceneObj)
RemoveNPR_OutlineOnAllAgents(sceneObj)
-- ADD AGENTS
ResourceSetEnable("WalkingDead401")
local fx_camRain_prop = "fx_camRain.prop"
local fx_camRainSplashes_prop = "fx_camRainSplashes.prop"
local fx_camRainSplashSpawn_prop = "fx_camRainSplashSpawn.prop"
local fx_camRain = AgentCreate("fx_camRain", fx_camRain_prop, newPosition, Vector(0,0,0), sceneObj, false, false)
local fx_camRainSplashes = AgentCreate("fx_camRainSplashes", fx_camRainSplashes_prop, newPosition, Vector(0,0,0), sceneObj, false, false)
local fx_camRainSplashSpawn = AgentCreate("fx_camRainSplashSpawn", fx_camRainSplashSpawn_prop, newPosition, Vector(0,0,0), sceneObj, false, false)
local module_enviorment_prop = "module_environment.prop"
local module_enviorment = AgentCreate("module_environment", module_enviorment_prop, newPosition, Vector(0,0,0), sceneObj, false, false)
--modify agents
local mesh1 = AgentFindInScene("adv_clementineHouse400_meshesAGrass", sceneObj)
local mesh1_props = AgentGetRuntimeProperties(mesh1)
customSetProperty(mesh1_props, "1898707794026217630", 0) --render order
customSetProperty(mesh1_props, "1024957873050470385", 0) --set to zero
customSetProperty(mesh1_props, "9318400394721951400", 0) --render order
customSetProperty(mesh1_props, "6433641785849518460", 0) --render order
customSetProperty(mesh1_props, "7372204144053900984", 0) --render order
customSetProperty(mesh1_props, "16007138477389058512", 0) --render order
customSetProperty(mesh1_props, "7805960902143653656", 1) --set
customSetProperty(mesh1_props, "7700607954150507997", 2) --intensity
local mesh2 = AgentFindInScene("adv_clementineHouse400_meshesAIvy", sceneObj)
local mesh2_props = AgentGetRuntimeProperties(mesh2)
customSetProperty(mesh2_props, "3352586747710770981", 0) --render order
customSetProperty(mesh2_props, "7805960902143653656", 0) --dunno but set to 0
customSetProperty(mesh2_props, "3963791493029129957", 0) --render order
local mesh3 = AgentFindInScene("adv_clementineHouse400_meshesBGrass", sceneObj)
local mesh3_props = AgentGetRuntimeProperties(mesh3)
customSetProperty(mesh3_props, "3857615555302162101", 0) --render order
customSetProperty(mesh3_props, "5563325619049308454", 0) --render order
local mesh4 = AgentFindInScene("adv_clementineHouse400_meshesATrees", sceneObj)
local mesh4_props = AgentGetRuntimeProperties(mesh4)
customSetProperty(mesh4_props, "7805960902143653656", -1) --foliage intenisty light thing?
local mesh5 = AgentFindInScene("adv_clementineHouse400_meshesATreeHouseTree", sceneObj)
local mesh5_props = AgentGetRuntimeProperties(mesh5)
customSetProperty(mesh5_props, "7700607954150507997", 5) --idk but set this to 5
customSetProperty(mesh5_props, "7805960902143653656", -1) --idk but set this to 5
--sound
CustomSound_Ambient_Setup("soundCustom_ambient", sceneObj)
end
modifyScene_rain = function(sceneObj)
-- LIGHTING
local light_dir = AgentFindInScene("light_ENV_exterior_sunKey_ch", sceneObj)
local light_amb = AgentFindInScene("light_ENV_Ambient", sceneObj)
local light_grass = AgentFindInScene("light_ENV_grass", sceneObj)
local light_ambTree = AgentFindInScene("light_ENV_exterior_ambientTreeFlats_ch", sceneObj)
local light_dir_props = AgentGetRuntimeProperties(light_dir)
local light_amb_props = AgentGetRuntimeProperties(light_amb)
local light_grass_props = AgentGetRuntimeProperties(light_grass)
local light_ambTree_props = AgentGetRuntimeProperties(light_ambTree)
--sun
local sunColor = RGBColor(111, 183, 255, 255)
sunColor = Desaturate_RGBColor(sunColor, 0.7)
customSetPropertyColor(light_dir_props, "4281326393034255142", sunColor)
customSetProperty(light_dir_props, "6895516104914333780", 0.4) --light intensity
customSetProperty(light_dir_props, "12886873986940172262", 1.0) --specular intensity
customSetProperty(light_dir_props, "17514946436635221562", 0.1) --backlighting intensity
customSetProperty(light_dir_props, "1733657658237399986", 1) --enable AO for light (1 enable 0 disable)
customSetProperty(light_dir_props, "6363179296869353415", 1) --shadow thing set to 1
customSetProperty(light_dir_props, "1930888535905678774", 3) -- shadow res 3
ModifyAgentTransformation_Rotation(light_dir, Vector(46.799000,-5.642670,-1.695126))
--ambient trees
customSetProperty(light_ambTree_props, "6895516104914333780", 0.25) --light intensity
--ambient
local ambientColor = RGBColor(111, 183, 255, 255)
--ambientColor = Desaturate_RGBColor(ambientColor, 0.45)
customSetPropertyColor(light_amb_props, "4281326393034255142", ambientColor)
customSetProperty(light_amb_props, "6895516104914333780", 0.125) --light intensity
customSetProperty(light_amb_props, "12886873986940172262", 1.0) --specular intensity
-- SKYLIGHTING
local skyLight1 = AgentFindInScene("light_SKY_amb", sceneObj)
local skyLight2 = AgentFindInScene("light_SKY_horizonSpot", sceneObj)
local skyLight3 = AgentFindInScene("light_SKY_sunPoint", sceneObj)
local skyLight4 = AgentFindInScene("light_SKY_sunBroadLight", sceneObj)
local skyLight5 = AgentFindInScene("light_SKY_sunPoint01", sceneObj)
local skyLight6 = AgentFindInScene("light_SKY_sunPointNX", sceneObj)
local sky_group_sun = AgentFindInScene("group_sun", sceneObj)
local skyLight1_props = AgentGetRuntimeProperties(skyLight1)
local skyLight2_props = AgentGetRuntimeProperties(skyLight2)
local skyLight3_props = AgentGetRuntimeProperties(skyLight3)
local skyLight4_props = AgentGetRuntimeProperties(skyLight4)
local skyColor = RGBColor(24, 99, 205, 255)
skyColor = Desaturate_RGBColor(skyColor, 0.75)
customSetPropertyColor(skyLight1_props, "4281326393034255142", skyColor)
customSetProperty(skyLight1_props, "6895516104914333780", 0.8) --light intensity
customSetPropertyColor(skyLight4_props, "4281326393034255142", skyColor)
customSetProperty(skyLight4_props, "6895516104914333780", 0.5) --light intensity
customSetProperty(skyLight3_props, "6895516104914333780", 1.0) --light intensity
ModifyAgentTransformation_Rotation(sky_group_sun, Vector(56.196850,-115.275024,-6.413490))
-- FX STUFF
local fx_leaves = AgentFindInScene("fx_camLeaves", sceneObj)
local fx_pollen = AgentFindInScene("fx_camPollen", sceneObj)
local fx_rain1 = AgentFindInScene("fx_camRain", sceneObj)
local fx_rain2 = AgentFindInScene("fx_camRainSplashes", sceneObj)
local fx_rain3 = AgentFindInScene("fx_camRainSplashSpawn", sceneObj)
local fx_leaves_props = AgentGetRuntimeProperties(fx_leaves)
local fx_pollen_props = AgentGetRuntimeProperties(fx_pollen)
local fx_rain1_props = AgentGetRuntimeProperties(fx_rain1)
local fx_rain2_props = AgentGetRuntimeProperties(fx_rain2)
local fx_rain3_props = AgentGetRuntimeProperties(fx_rain3)
customSetProperty(fx_leaves_props, "689599953923669477", false) --enable emitter
customSetProperty(fx_pollen_props, "689599953923669477", false) --enable emitter
customSetProperty(fx_rain1_props, "689599953923669477", true) --enable emitter
customSetProperty(fx_rain1_props, "4180975590232535326", 0.005) --particle size
customSetProperty(fx_rain1_props, "2137029241144994061", 0.8) --particle count
customSetProperty(fx_rain1_props, "907461805036530086", 1.0) --particle speed
customSetProperty(fx_rain1_props, "459837671211266514", -0.1) --rain random size
customSetProperty(fx_rain1_props, "2293817456966484758", 0.0) --rain diffuse intensity
-- FOG STUFF
local fog = AgentFindInScene("module_environment", sceneObj)
local fog_props = AgentGetRuntimeProperties(fog)
local fogColor = RGBColor(52, 93, 152, 255)
fogColor = Desaturate_RGBColor(fogColor, 0.45)
fogColor = Multiplier_RGBColor(fogColor, 0.9)
customSetPropertyColor(fog_props, "5416356241638078242", fogColor)
customSetProperty(fog_props, "16533278351305872715", 1.0) --fog density
customSetProperty(fog_props, "15127451441696618964", 13) --fog start
customSetProperty(fog_props, "11447774337455102559", 1.0) --height fog fade
customSetProperty(fog_props, "3358245545686664500", 300) --max distance
customSetProperty(fog_props, "16533278351305872715", 1) --density
customSetProperty(fog_props, "15222782018368006447", true) --enable fog
-- CAMERA STUFF
local camera = AgentFindInScene("cam_cutsceneChore", sceneObj)
local camera_props = AgentGetRuntimeProperties(camera)
customSetProperty(camera_props, "7787725830777798802", 1.25) --camera fov
-- POST PROCESSING
local sceneAgent = AgentFindInScene("adv_clementineHouse400.scene", sceneObj)
local sceneAgent_props = AgentGetRuntimeProperties(sceneAgent)
--shadows
customSetProperty(sceneAgent_props, "9602275225843161244", 0.0) --shadow bias near shadows?
customSetProperty(sceneAgent_props, "1809390664809499465", 0.0) --shadow bias
customSetProperty(sceneAgent_props, "2538759675348854153", true) --enable pnumbra shadow?
--taa
customSetProperty(sceneAgent_props, "2264047566069028784", 0.0) --TAA Sharpness
--bloom
customSetProperty(sceneAgent_props, "12144243618429851605", 0.3) --FX Bloom Intensity
customSetProperty(sceneAgent_props, "18049689073467266258", -0.8) --FX Bloom Threshold
--saturation
customSetProperty(sceneAgent_props, "7617980933373779790", 0.0) --Saturation Vingette (Outer)
customSetProperty(sceneAgent_props, "18139025584124076081", 0.0) --Master Saturation
--npr outline effect
customSetProperty(sceneAgent_props, "7391351126530590744", false) --Enable/Disable NPR
--hbao
customSetProperty(sceneAgent_props, "18061190101111761026", 1) --hbao enable? (0 disable 1 enable)
customSetProperty(sceneAgent_props, "5636885953636634602", 1.5) --HBAO Intensity
customSetProperty(sceneAgent_props, "1141861927729799242", 8.0) --HBAO Max Radius Percent
customSetProperty(sceneAgent_props, "12242444477182177399", true) --HBAO Enabled
PropertySet(sceneAgent_props, "Wind Speed", 2)
PropertySet(sceneAgent_props, "Wind Idle Strength", 20)
PropertySet(sceneAgent_props, "Wind Idle Spacial Frequency", 64)
PropertySet(sceneAgent_props, "Wind Gust Separation Exponent", 1)
PropertySet(sceneAgent_props, "Wind Gust Speed", 0.5)
PropertySet(sceneAgent_props, "Wind Gust Strength", 0.5)
PropertySet(sceneAgent_props, "Wind Gust Spacial Frequency", 32)
--psudeo property check
--local symbolCheck = SymbolToString("Wind Gust Strength")
--local test = PropertyGet(sceneAgent_props, "Wind Gust Strength", 57)
--test = tostring(test)
--DialogBox_Okay("Checking name (Wind Gust Strength) string to property, converting property to string. Result = " .. test)
--local puddle_pos = Vector(11.652, -0.3, -6.735)
--local puddle_propfile = "obj_puddlePoolClemHouse400.prop"
--local puddle = AgentCreate("obj_puddlePoolClemHouse400_mine", puddle_propfile, puddle_pos, Vector(0,0,0), sceneObj, false, false)
--local puddle = AgentFindInScene("obj_puddlePoolClemHouse400", sceneObj)
--local puddle_props = AgentGetRuntimeProperties(puddle)
--ModifyAgentTransformation_Position(puddle, puddle_pos)
--customSetProperty(puddle_props, "4273370320593893048", 0.1)
--customSetProperty(puddle_props, "4857578369356927332", 0.35)
--customSetProperty(puddle_props, "6747884369231213288", 3) --obj scale
--customSetProperty(puddle_props, "1504390651565685996", 4) --tile size
--customSetProperty(puddle_props, "12012789014150368376", 0) --diffuse intensity
--local gramophone = AgentFindInScene("obj_gramophone", sceneObj)
--destroyMe(gramophone)
--SOUND EVENT
--local amb_rain_soundFile = "amb_ext_farm_rain.wav"
--local amb_rain_soundFile = "SFX_rain_hitting_clothes_01.wav"
local amb_rain_soundFile = "amb_ext_dairynight_rain_fight.wav"
CustomSound_Ambient_SetProperties("soundCustom_ambient", amb_rain_soundFile, 5.0, 1.0, sceneObj)
CustomSound_Ambient_Play("soundCustom_ambient", 0.1, sceneObj)
end
modifyScene_night = function(sceneObj)
-- LIGHTING
local light_dir = AgentFindInScene("light_ENV_exterior_sunKey_ch", sceneObj)
local light_amb = AgentFindInScene("light_ENV_Ambient", sceneObj)
local light_grass = AgentFindInScene("light_ENV_grass", sceneObj)
local light_ambTree = AgentFindInScene("light_ENV_exterior_ambientTreeFlats_ch", sceneObj)
local light_dir_props = AgentGetRuntimeProperties(light_dir)
local light_amb_props = AgentGetRuntimeProperties(light_amb)
local light_grass_props = AgentGetRuntimeProperties(light_grass)
local light_ambTree_props = AgentGetRuntimeProperties(light_ambTree)
--sun
local sunColor = RGBColor(111, 183, 255, 255)
sunColor = Desaturate_RGBColor(sunColor, 0.5)
customSetPropertyColor(light_dir_props, "4281326393034255142", sunColor)
customSetProperty(light_dir_props, "6895516104914333780", 0.25) --light intensity
customSetProperty(light_dir_props, "12886873986940172262", 1.0) --specular intensity
customSetProperty(light_dir_props, "17514946436635221562", 0.1) --backlighting intensity
customSetProperty(light_dir_props, "1733657658237399986", 1) --enable AO for light (1 enable 0 disable)
customSetProperty(light_dir_props, "6363179296869353415", 1) --shadow thing set to 1
customSetProperty(light_dir_props, "1930888535905678774", 3) -- shadow res 3
ModifyAgentTransformation_Rotation(light_dir, Vector(80.799000,85.642670,-40.695126))
--ambient trees
customSetProperty(light_ambTree_props, "6895516104914333780", 0.05) --light intensity
--ambient
local ambientColor = RGBColor(111, 183, 255, 255)
ambientColor = Desaturate_RGBColor(ambientColor, 0.45)
customSetPropertyColor(light_amb_props, "4281326393034255142", ambientColor)
customSetProperty(light_amb_props, "6895516104914333780", 0.015) --light intensity
customSetProperty(light_amb_props, "12886873986940172262", 1.0) --specular intensity
-- SKYLIGHTING
local skyLight1 = AgentFindInScene("light_SKY_amb", sceneObj)
local skyLight2 = AgentFindInScene("light_SKY_horizonSpot", sceneObj)
local skyLight3 = AgentFindInScene("light_SKY_sunPoint", sceneObj)
local skyLight4 = AgentFindInScene("light_SKY_sunBroadLight", sceneObj)
local skyLight5 = AgentFindInScene("light_SKY_sunPoint01", sceneObj)
local skyLight6 = AgentFindInScene("light_SKY_sunPointNX", sceneObj)
local sky_group_sun = AgentFindInScene("group_sun", sceneObj)
local skyLight1_props = AgentGetRuntimeProperties(skyLight1)
local skyLight2_props = AgentGetRuntimeProperties(skyLight2)
local skyLight3_props = AgentGetRuntimeProperties(skyLight3)
local skyLight4_props = AgentGetRuntimeProperties(skyLight4)
ResourceSetEnable("WalkingDead402")
local sky_stars_obj_prop = "obj_skydomeStars.prop"
local sky_stars_obj = AgentCreate("obj_skydomeStars", sky_stars_obj_prop, Vector(0,90, 0), Vector(0,0,0), sceneObj, false, false)
local sky_stars_properties = AgentGetRuntimeProperties(sky_stars_obj)
customSetProperty(sky_stars_properties, "6877110840349535248", 2)
customSetProperty(sky_stars_properties, "10618285860390121326", 0)
customSetProperty(sky_stars_properties, "2779111186025429042", 15)
customSetProperty(sky_stars_properties, "10266644458375938023", 0)
customSetProperty(sky_stars_properties, "16249058763827471239", 15) --tilesize
customSetProperty(sky_stars_properties, "16787775851154318358", 1.0) --intenisty
local sky_original = AgentFindInScene("obj_skydome", sceneObj)
destroyMe(sky_original)
local skyColor = RGBColor(24, 99, 205, 255)
skyColor = Desaturate_RGBColor(skyColor, 0.75)
customSetPropertyColor(skyLight1_props, "4281326393034255142", skyColor)
customSetProperty(skyLight1_props, "6895516104914333780", 2.0) --light intensity
customSetPropertyColor(skyLight4_props, "4281326393034255142", skyColor)
customSetProperty(skyLight4_props, "6895516104914333780", 0.1) --light intensity
customSetProperty(skyLight3_props, "6895516104914333780", 0.0) --light intensity
ModifyAgentTransformation_Rotation(sky_group_sun, Vector(76.196850,-115.275024,-6.413490))
-- FX STUFF
local fx_leaves = AgentFindInScene("fx_camLeaves", sceneObj)
local fx_pollen = AgentFindInScene("fx_camPollen", sceneObj)
local fx_rain1 = AgentFindInScene("fx_camRain", sceneObj)
local fx_rain2 = AgentFindInScene("fx_camRainSplashes", sceneObj)
local fx_rain3 = AgentFindInScene("fx_camRainSplashSpawn", sceneObj)
local fx_leaves_props = AgentGetRuntimeProperties(fx_leaves)
local fx_pollen_props = AgentGetRuntimeProperties(fx_pollen)
local fx_rain1_props = AgentGetRuntimeProperties(fx_rain1)
local fx_rain2_props = AgentGetRuntimeProperties(fx_rain2)
local fx_rain3_props = AgentGetRuntimeProperties(fx_rain3)
customSetProperty(fx_leaves_props, "689599953923669477", false) --enable emitter
customSetProperty(fx_pollen_props, "689599953923669477", false) --enable emitter
customSetProperty(fx_rain1_props, "689599953923669477", false) --enable emitter
-- FOG STUFF
local fog = AgentFindInScene("module_environment", sceneObj)
local fog_props = AgentGetRuntimeProperties(fog)
local fogColor = RGBColor(52, 93, 152, 255)
fogColor = Desaturate_RGBColor(fogColor, 0.45)
fogColor = Multiplier_RGBColor(fogColor, 0.9)
customSetPropertyColor(fog_props, "5416356241638078242", fogColor)
customSetProperty(fog_props, "16533278351305872715", 1.0) --fog density
customSetProperty(fog_props, "15127451441696618964", 13) --fog start
customSetProperty(fog_props, "11447774337455102559", 1.0) --height fog fade
customSetProperty(fog_props, "3358245545686664500", 300) --max distance
customSetProperty(fog_props, "16533278351305872715", 1) --density
customSetProperty(fog_props, "15222782018368006447", false) --enable fog
-- CAMERA STUFF
local camera = AgentFindInScene("cam_cutsceneChore", sceneObj)
local camera_props = AgentGetRuntimeProperties(camera)
customSetProperty(camera_props, "7787725830777798802", 1.5) --camera fov
-- POST PROCESSING
local sceneAgent = AgentFindInScene("adv_clementineHouse400.scene", sceneObj)
local sceneAgent_props = AgentGetRuntimeProperties(sceneAgent)
--shadows
customSetProperty(sceneAgent_props, "9602275225843161244", 0.0) --shadow bias near shadows?
customSetProperty(sceneAgent_props, "1809390664809499465", 0.0) --shadow bias
customSetProperty(sceneAgent_props, "2538759675348854153", true) --enable pnumbra shadow?
--taa
customSetProperty(sceneAgent_props, "2264047566069028784", 0.0) --TAA Sharpness
--bloom
customSetProperty(sceneAgent_props, "12144243618429851605", 0.3) --FX Bloom Intensity
customSetProperty(sceneAgent_props, "18049689073467266258", -0.8) --FX Bloom Threshold
--saturation
customSetProperty(sceneAgent_props, "7617980933373779790", 0.0) --Saturation Vingette (Outer)
customSetProperty(sceneAgent_props, "18139025584124076081", 0.0) --Master Saturation
--npr outline effect
customSetProperty(sceneAgent_props, "7391351126530590744", false) --Enable/Disable NPR
--hbao
customSetProperty(sceneAgent_props, "18061190101111761026", 1) --hbao enable? (0 disable 1 enable)
customSetProperty(sceneAgent_props, "5636885953636634602", 1.5) --HBAO Intensity
customSetProperty(sceneAgent_props, "1141861927729799242", 8.0) --HBAO Max Radius Percent
customSetProperty(sceneAgent_props, "12242444477182177399", true) --HBAO Enabled
PropertySet(sceneAgent_props, "Wind Speed", 1)
PropertySet(sceneAgent_props, "Wind Idle Strength", 1)
PropertySet(sceneAgent_props, "Wind Idle Spacial Frequency", 64)
PropertySet(sceneAgent_props, "Wind Gust Separation Exponent", 1)
PropertySet(sceneAgent_props, "Wind Gust Speed", 1)
PropertySet(sceneAgent_props, "Wind Gust Strength", 0)
PropertySet(sceneAgent_props, "Wind Gust Spacial Frequency", 32)
--SOUND EVENT
local amb_night_soundFile = "amb_night_sample.wav"
CustomSound_Ambient_SetProperties("soundCustom_ambient", amb_night_soundFile, 5.0, 1.0, sceneObj)
CustomSound_Ambient_Play("soundCustom_ambient", 0.25, sceneObj)
end
Menu_Main = function()
-- function num : 0_5 , upvalues : _ENV, kKeyArtScene, kScene, bgMain, UpdateLegend
if not SceneIsActive(kKeyArtScene) then
MenuUtils_AddScene(kKeyArtScene)
end
--add and modify scene
modifyScene_prepareScene(kKeyArtScene)
modifyScene_rain(kKeyArtScene)
--modifyScene_night(kKeyArtScene)
--sound
CustomSound_Ambient_Setup("soundCustom_ambient_mus", kKeyArtScene)
local amb_mus_soundFile = "tlou2_greiving.mp3"
CustomSound_Ambient_SetProperties("soundCustom_ambient_mus", amb_mus_soundFile, 5.0, 1.0, kKeyArtScene)
CustomSound_Ambient_Play("soundCustom_ambient_mus", 1.0, kKeyArtScene)
Devtools_Init(kKeyArtScene)
SceneHide(kKeyArtScene, false)
SceneHide("ui_menuMain", false)
local menu = Menu_Create(ListMenu, "ui_menuMain", kScene)
menu.align = "left"
menu.background = bgMain
menu.Show = function(self, direction)
-- function num : 0_5_0 , upvalues : _ENV, UpdateLegend
Menu_Main_SetIdle("env_clementineHouse400_mainMenu")
if direction and direction < 0 then
ChorePlay("ui_alphaGradient_show")
end
;
(Menu.Show)(self)
RichPresence_Set("richPresence_mainMenu", false)
UpdateLegend()
end
menu.Hide = function(self, direction)
-- function num : 0_5_1 , upvalues : _ENV
ChorePlay("ui_alphaGradient_hide")
;
(Menu.Hide)(self)
end
menu.Populate = function(self)
-- function num : 0_5_2 , upvalues : _ENV, menu, UpdateLegend
local buttonSeasons = Menu_Add(ListButtonLite, "seasons", "label_seasonSelect", "Menu_Seasons()")
AgentSetProperty(buttonSeasons.agent, "Text Glyph Scale", 1.5)
if Menu_VideoPlayer_CanSupportVideo() then
Menu_Add(ListButtonLite, "videos", "label_videos", "Menu_VideoMenu()")
end
Menu_Add(ListButtonLite, "characters", "label_characters", "Menu_Characters()")
Menu_Add(ListButtonLite, "art", "label_art", "Menu_ConceptGallery()")
Menu_Add(ListButtonLite, "music", "label_music", "Menu_Music()")
Menu_Add(ListButtonLite, "settings", "label_settings", "Menu_Options()")
Menu_Add(ListButtonLite, "credits", "label_credits", "Menu_ShowCredits( 0 )")
if IsPlatformPC() or IsPlatformMac() then
Menu_Add(ListButtonLite, "exit", "label_exitGame", "UI_Confirm( \"popup_quit_header\", \"popup_quit_message\", \"EngineQuit()\" )")
end
--add ambience and LAL compatability
if(loadAnyLevelStatus) then
Menu_Add(ListButtonLite, "loadanylevel", "Load Any Level", "Menu_LoadAnyLevel()")
end
if(droytiAmbienceStatus) then
Menu_Add(ListButtonLite, "ambience", "Ambience", "Menu_DroytiAmbience()")
end
local legendWidget = Menu_Add(Legend)
legendWidget.Place = function(self)
-- function num : 0_5_2_0 , upvalues : menu
self:AnchorToAgent(menu.agent, "left", "bottom")
end
UpdateLegend()
end
menu.onModalPopped = function(self)
-- function num : 0_5_3 , upvalues : _ENV, UpdateLegend
(Menu.onModalPopped)(self)
UpdateLegend()
end
--Menu_Show(menu)
end
Menu_Main_Start = function()
-- function num : 0_6 , upvalues : _ENV
if Input_UseTouch() then
ClickText_Enable(true)
end
local prefs = GetPreferences()
if PropertyIsLocal(prefs, "Menu - User Gamma Setting") then
RenderSetIntensity(PropertyGet(prefs, "Menu - User Gamma Setting"))
PropertyRemove(prefs, "Menu - User Gamma Setting")
SavePrefs()
end
RenderForce_16_by_9_AspectRatio(true)
RenderDelay(1)
WaitForNextFrame()
Menu_Main()
end
Menu_Main_GetKeyArtScene = function()
-- function num : 0_7 , upvalues : kKeyArtScene
return kKeyArtScene
end
Menu_Main_SetIdle = function(chore)
-- function num : 0_8 , upvalues : mControllerIdle, _ENV
if mControllerIdle then
ControllerKill(mControllerIdle)
end
if chore then
mControllerIdle = ChorePlay(chore, 10)
if mControllerIdle then
ControllerSetLooping(mControllerIdle, true)
end
end
end
Menu_Main_EnableAmbient = function(bEnable)
-- function num : 0_9 , upvalues : mRefCounterAmbient
mRefCounterAmbient:Enable(bEnable)
end
Menu_Main_SetNowPlaying = function(text)
-- function num : 0_10 , upvalues : _ENV, mControllerNowPlaying
local chore = nil
if text then
local nowPlaying = AgentFind("ui_menuMain_nowPlaying")
AgentSetProperty(nowPlaying, kText, text)
chore = "ui_nowPlaying_show"
else
do
chore = "ui_nowPlaying_hide"
mControllerNowPlaying = ChorePlayAndSync(chore, mControllerNowPlaying)
end
end
end
if IsToolBuild() then
Preload_SetSubProjectShaderPack("Menu", FileStripExtension(kScene))
end
if ResourceExists("DebugLoader.lua") then
Callback_OnLoadDebugMenu:Add(OpenDebugMenu)
end
SceneOpen(kScene, "Menu_Main_Start")
|
require('constants')
add_message_with_pause("THE_SORCEROR_GATEWAY_TEXT_SID")
local function drain_hp_and_ap(cr_id)
local new_base_hp = get_creature_base_hp(cr_id) * 0.75
local cur_hp = get_creature_current_hp(cr_id)
local new_base_ap = get_creature_base_ap(cr_id) * 0.75
local cur_ap = get_creature_current_ap(cr_id)
if new_base_hp >= 1 then
set_creature_base_hp(cr_id, new_base_hp)
if new_base_hp < cur_hp then
set_creature_current_hp(cr_id, new_base_hp)
end
end
if new_base_ap >= 1 then
set_creature_base_ap(cr_id, new_base_ap)
if new_base_ap < cur_ap then
set_creature_current_ap(cr_id, new_base_ap)
end
end
end
if has_artifact_in_inventory(PLAYER_ID) then
add_message_with_pause("THE_SORCEROR_ARTIFACT_TEXT_SID")
local winner = get_creature_additional_property(PLAYER_ID, "CREATURE_PROPERTIES_WINNER")
local drain = true
-- People who've completed either ending are immune to the draining
-- effects of travelling from Telari back to the world.
if string.len(winner) > 0 then
drain = false
else
add_message_with_pause("THE_SORCEROR_GATEWAY_TEXT2_SID")
end
local selected, art_id, base_id = select_item(PLAYER_ID, CITEM_FILTER_ARTIFACT)
if selected then
if drain == true then
drain_hp_and_ap(PLAYER_ID)
end
remove_object_from_player(base_id)
load_map(PLAYER_ID, WORLD_MAP_ID)
end
else
clear_and_add_message("THE_SORCEROR_NO_ARTIFACT_TEXT_SID")
end
|
local ConfigScene = Scene:extend()
ConfigScene.title = "Audio Settings"
require 'load.save'
ConfigScene.options = {
-- this serves as reference to what the options' values mean i guess?
-- Option types: int, slider, options
-- Format if type is options: {name in config, displayed name, type, description, options}
-- Format if otherwise: {name in config, displayed name, type, description, min, max, increase by, string format, postfix (not necessary), sound effect name}
{"sfx_volume", "SFX Volume", "slider", nil, 0, 100, 5, "%02d", "%", "cursor"},
{"bgm_volume", "BGM Volume", "slider", nil, 0, 100, 5, "%02d", "%", "cursor"},
{"sound_sources", "SFX sources per file", "int", "High values may result in high memory consumption, "..
"though it allows multiples of the same sound effect to be played at once."..
"\n(There's some exceptions, e.g. SFX added through modes/rulesets)", 0, 30, 1, "%0d", nil, "cursor"}
}
local optioncount = #ConfigScene.options
function ConfigScene:new()
-- load current config
self.config = config.input
self.highlight = 1
self.option_pos_y = {}
self.sliders = {}
config.audiosettings.sfx_volume = config.sfx_volume * 100
config.audiosettings.bgm_volume = config.bgm_volume * 100
--#region Init option positions and sliders
local y = 100
for idx, option in ipairs(ConfigScene.options) do
y = y + 20
table.insert(self.option_pos_y, y)
if option[3] == "slider" then
y = y + 35
if config.audiosettings[option[1]] == nil then
config.audiosettings[option[1]] = (option[6] - option[5]) / 2 + option[5]
end
self.sliders[option[1]] = newSlider(320, y, 480, config.audiosettings[option[1]], option[5], option[6], function(v) config.audiosettings[option[1]] = math.floor(v) end, {width=20, knob="circle", track="roundrect"})
end
end
--#endregion
DiscordRPC:update({
details = "In settings",
state = "Changing audio settings",
})
end
function ConfigScene:update()
--#region Mouse
local x, y = getScaledPos(love.mouse.getPosition())
for i, slider in pairs(self.sliders) do
slider:update(x, y)
end
if not love.mouse.isDown(1) or left_clicked_before then return end
if x > 20 and y > 40 and x < 70 and y < 70 then
playSE("mode_decide")
saveConfig()
scene = SettingsScene()
end
--THIS HAS WAY TOO MANY VARIABLES
for i, option in ipairs(ConfigScene.options) do
end
--#endregion
end
function ConfigScene:render()
love.graphics.setColor(1, 1, 1, 1)
love.graphics.draw(
backgrounds["game_config"],
0, 0, 0,
0.5, 0.5
)
love.graphics.setFont(font_3x5_4)
love.graphics.print("AUDIO SETTINGS", 80, 40)
local b = CursorHighlight(20, 40, 50, 30)
love.graphics.setColor(1, 1, b, 1)
love.graphics.printf("<-", 20, 40, 50, "center")
love.graphics.setColor(1, 1, 1, 1)
love.graphics.setFont(font_3x5_2)
love.graphics.print("(THIS WILL NOT BE STORED IN REPLAYS)", 80, 80)
love.graphics.setColor(1, 1, 1, 0.5)
love.graphics.rectangle("fill", 25, self.option_pos_y[self.highlight] - 2, 190, 22)
love.graphics.setFont(font_3x5_2)
for i, option in ipairs(ConfigScene.options) do
love.graphics.setColor(1, 1, 1, 1)
love.graphics.printf(option[2], 40, self.option_pos_y[i], 170, "left")
if option[3] == "int" then
self:renderInt(i, option)
elseif option[3] == "slider" then
self:renderSlider(i, option)
elseif option[3] == "options" then
self:renderOptions(i, option)
end
end
if self.options[self.highlight][4] then
love.graphics.printf("Description: " .. self.options[self.highlight][4], 20, 400, 600, "left")
end
love.graphics.setColor(1, 1, 1, 0.75)
end
function ConfigScene:renderInt(idx, option)
local postfix = option[9] or ""
love.graphics.printf(string.format(option[8], config.audiosettings[option[1]]) .. postfix, 160, self.option_pos_y[idx], 320, "center")
end
function ConfigScene:renderSlider(idx, option)
self.sliders[option[1]]:draw()
local postfix = option[9] or ""
love.graphics.printf(string.format(option[8],self.sliders[option[1]]:getValue()) .. postfix, 160, self.option_pos_y[idx], 320, "center")
end
function ConfigScene:renderOptions(idx, option)
for j, setting in ipairs(option[5]) do
local b = CursorHighlight(100 + 110 * j, self.option_pos_y[idx], 100, 20)
love.graphics.setColor(1, 1, b, config.audiosettings[option[1]] == j and 1 or 0.5)
love.graphics.printf(setting, 100 + 110 * j, self.option_pos_y[idx], 100, "center")
end
end
function ConfigScene:changeValue(by)
local option = self.options[self.highlight]
if option[3] == "int" then
--This is quite cumbersome.
config.audiosettings[option[1]] = Mod1(config.audiosettings[option[1]] + by + option[5], option[5] + option[6]) - option[5]
end
if option[3] == "slider" then
local sld = self.sliders[option[1]]
sld.value = math.max(sld.min, math.min(sld.max, (sld:getValue() + by) / (sld.max - sld.min)))
end
if option[3] == "options" then
config.audiosettings[option[1]] = Mod1(config.audiosettings[option[1]]+by, #option[3])
end
end
function ConfigScene:onInputPress(e)
local option = self.options[self.highlight]
if e.input == "menu_decide" or e.scancode == "return" then
if config.sound_sources ~= config.audiosettings.sound_sources then
config.sound_sources = config.audiosettings.sound_sources
--why is this necessary???
generateSoundTable()
end
config.sfx_volume = config.audiosettings.sfx_volume / 100
config.bgm_volume = config.audiosettings.bgm_volume / 100
playSE("mode_decide")
saveConfig()
scene = SettingsScene()
elseif e.input == "up" or e.scancode == "up" then
playSE("cursor")
self.highlight = Mod1(self.highlight-1, optioncount)
elseif e.input == "down" or e.scancode == "down" then
playSE("cursor")
self.highlight = Mod1(self.highlight+1, optioncount)
elseif e.input == "left" or e.scancode == "left" then
playSE(option[10] or "cursor_lr")
self:changeValue(-option[7])
elseif e.input == "right" or e.scancode == "right" then
playSE(option[10] or "cursor_lr")
self:changeValue(option[7])
elseif e.input == "menu_back" or e.scancode == "delete" or e.scancode == "backspace" then
loadSave()
scene = SettingsScene()
end
end
return ConfigScene
|
--
-- This is just an overview to get the idea what spec can contain.
--
return {
Character = {
Level = ...,
StreetCred = ...,
Attributes = {...},
Skills = {...},
Progression = {...},
Perks = {...},
},
Inventory = {...},
Crafting = {
Components = {...},
Recipes = {...},
},
Transport = {...},
} |
local base_dir = path.getabsolute("..")
solution "pecs" do
configurations { "Debug", "Release" }
targetdir(path.join(base_dir, "bin")) -- force our bins into bin/
location(path.join(base_dir, "build")) -- and the makefiles into build/ so we can make -C build
configuration { "Release" }
flags {
"OptimizeSpeed"
}
configuration { "Debug" }
flags {
"Symbols"
}
end
project "pecs" do
kind "WindowedApp"
language "C++"
targetname "pecs"
configuration {"gmake"}
buildoptions {
"-O3",
"-ffast-math",
"-std=c++11",
"-Wall",
}
local src_dir = path.join(base_dir, "example")
configuration {}
files {
path.join(src_dir, "**.cpp"),
path.join(src_dir, "**.hpp")
}
includedirs {
path.join(base_dir, "include"),
src_dir,
}
end
|
game:GetService("RunService").RenderStepped:Connect(function()
for i,v in pairs(workspace.ScatteredMoney:GetChildren()) do
if v.ClassName == "MeshPart" then
for i,c in pairs(v:GetChildren()) do
if c.ClassName == "ClickDetector" then
fireclickdetector(c)
end
end
end
end
end) |
local gcwSpawnHelper = {}
local ObjectManager = require("managers.object.object_manager")
local ScreenplayHelper = require("helper.screenplayHelper")
function gcwSpawnHelper:despawnCityDefender(spawnMap, varStringID, faction)
local count = 0
for i,v in ipairs(spawnMap) do
ScreenplayHelper:destroy(readData("gcw_defender:" .. varStringID .. faction .. ":CreatureID_" .. count), false)
writeData("gcw_defender:" .. varStringID.. faction .. ":CreatureID_" .. count, 0)
count = count + 1
end
return 0
end
function gcwSpawnHelper:spawnCityDefender(spawnMap, varStringID, faction, planetName)
local count = 0
for i,v in ipairs(spawnMap) do
local objectID = readData("gcw_defender:" .. varStringID .. faction .. ":CreatureID_" .. count)
local checkCreature = getCreatureObject(objectID)
local needRespawn = false
if objectID == 0 then
needRespawn = true
end
if checkCreature ~= nil and objectID > 0 then
ObjectManager.withCreatureObject(checkCreature, function(creature)
if creature:isInCombat() == false then
ScreenplayHelper:destroy(objectID,false)
writeData("gcw_defender:" .. varStringID .. faction .. ":CreatureID_" .. count, 0)
needRespawn = true
end
end)
else
needRespawn = true
end
if needRespawn == true then
local pCreature
local cellID = 0
local rotate = 0
if v[6] == 999 then
rotate = math.random(360)
else
rotate = v[6]
end
if v[7] > 0 then
if v[7] > 1000 then
cellID = v[7]
else
cellID = readData("gcw_defender:" .. varStringID .. ":CellID:" .. v[7])
end
end
if v[8] == 0 then
pCreature = spawnMobile(planetName, v[1], 0, v[3], v[4], v[5], rotate, cellID )
else
pCreature = ScreenplayHelper:spawnMobileAndIdle(planetName, v[1], 0, v[3], v[4], v[5], rotate, cellID )
end
ObjectManager.withCreatureObject(pCreature, function(mobile)
writeData("gcw_defender:" .. varStringID .. faction .. ":CreatureID_" .. count, mobile:getObjectID())
end)
end
count = count + 1
end
return 0
end
return gcwSpawnHelper
|
-- ATEVK1100 board configuration
return {
cpu = 'at32uc3a0512',
components = {
sercon = { uart = 0, speed = 115200, buf_size = 2048 },
mmcfs = { spi = 5, cs_port = 0, cs_pin = "SD_MMC_SPI_NPCS_PIN" },
adc = { buf_size = 2 },
term = { lines = 25, cols = 80 },
cints = true,
luaints = true,
shell = true,
xmodem = true,
romfs = true
},
config = {
vtmr = { num = 4, freq = 10 },
ram = {
ext_start = { "SDRAM" },
ext_size = { "SDRAM_SIZE" },
}
},
modules = {
generic = { 'all', "-rpc", "-can", "-net" }
},
macros = {
{ "BOARD_SPI0_SCK_PIN", "AVR32_PIN_PA13" },
{ "BOARD_SPI0_SCK_PIN_FUNCTION", 0 },
{ "BOARD_SPI0_MISO_PIN", "AVR32_PIN_PA11" },
{ "BOARD_SPI0_MISO_PIN_FUNCTION", 0 },
{ "BOARD_SPI0_MOSI_PIN", "AVR32_PIN_PA12" },
{ "BOARD_SPI0_MOSI_PIN_FUNCTION", 0 },
{ "BOARD_SPI0_CS_PIN", "AVR32_PIN_PA10" },
{ "BOARD_SPI0_CS_PIN_FUNCTION", 0 },
{ "BOARD_SPI1_SCK_PIN", "AVR32_PIN_PA15" },
{ "BOARD_SPI1_SCK_PIN_FUNCTION", 1 },
{ "BOARD_SPI1_MISO_PIN", "AVR32_PIN_PA17" },
{ "BOARD_SPI1_MISO_PIN_FUNCTION", 1 },
{ "BOARD_SPI1_MOSI_PIN", "AVR32_PIN_PA16" },
{ "BOARD_SPI1_MOSI_PIN_FUNCTION", 1 },
{ "BOARD_SPI1_CS_PIN", "AVR32_PIN_PA14" },
{ "BOARD_SPI1_CS_PIN_FUNCTION", 1 },
},
}
|
object_building_poi_player_camp_s07 = object_building_poi_shared_player_camp_s07:new {
}
ObjectTemplates:addTemplate(object_building_poi_player_camp_s07, "object/building/poi/player_camp_s07.iff")
|
local class = require "class-clean"
local SceneManager = class("SceneManager", {_m_state = "開始"})
print (SceneManager.name .. " class ready.")
function SceneManager:ChangeScene(stateName)
local switch = {
[1] = function() -- for case 1
print "Case 1."
end,
[2] = function() -- for case 2
print "Case 2."
end,
["開始"] = function() -- for case 3
print "Case 3 開始."
end
}
-- local switch_result = switch[self._m_state]
local switch_result = switch[stateName]
if (switch_result) then switch_result() else print "Case default (not found)." end
end
local sceneManager = SceneManager()
--print (appWindow.width, appWindow.height)
sceneManager:ChangeScene(2) --"case 2"
sceneManager:ChangeScene(8888) --default not found
sceneManager:ChangeScene("開始") --"case 3 開始" |
--[[
Author: Noya, Pizzalol
Date: 04.03.2015.
After taking damage, checks the mana of the caster and prevents as many damage as possible.
Note: This is post-reduction, because there's currently no easy way to get pre-mitigation damage.
]]
function ManaShield( event )
local caster = event.caster
local ability = event.ability
local damage_per_mana = ability:GetLevelSpecialValueFor("damage_per_mana", ability:GetLevel() - 1 )
local absorption_percent = ability:GetLevelSpecialValueFor("absorption_tooltip", ability:GetLevel() - 1 ) * 0.01
local damage = event.Damage * absorption_percent
local not_reduced_damage = event.Damage - damage
local caster_mana = caster:GetMana()
local mana_needed = damage / damage_per_mana
-- Check if the not reduced damage kills the caster
local oldHealth = caster.OldHealth - not_reduced_damage
-- If it doesnt then do the HP calculation
if oldHealth >= 1 then
print("Damage taken "..damage.." | Mana needed: "..mana_needed.." | Current Mana: "..caster_mana)
-- If the caster has enough mana, fully heal for the damage done
if mana_needed <= caster_mana then
caster:SpendMana(mana_needed, ability)
caster:SetHealth(oldHealth)
-- Impact particle based on damage absorbed
local particleName = "particles/units/heroes/hero_medusa/medusa_mana_shield_impact.vpcf"
local particle = ParticleManager:CreateParticle(particleName, PATTACH_ABSORIGIN_FOLLOW, caster)
ParticleManager:SetParticleControl(particle, 0, caster:GetAbsOrigin())
ParticleManager:SetParticleControl(particle, 1, Vector(mana_needed,0,0))
else
local newHealth = oldHealth - damage
mana_needed =
caster:SpendMana(mana_needed, ability)
caster:SetHealth(newHealth)
end
end
end
-- Keeps track of the targets health
function ManaShieldHealth( event )
local caster = event.caster
caster.OldHealth = caster:GetHealth()
end |
import "metabase_common.lua"
import "platform_android.lua"
supportedplatforms
{
"TADP",
}
writer "writer_msvc.lua"
option("msvc", "customwriter", "/writer_msvctadp_android.lua")
option("msvc", "platform", "Tegra-Android")
option("msvconfiguration", "AndroidArch", "armv7-a")
option("msvccompile", "MultiProcessorCompilation", "true")
option("msvccompile", "CppLanguageStandard", "gnu++11")
config "Debug"
--C/C++
--General
option("msvclink", "GenerateDebugInformation", "true")
--Optimization
option("msvccompile", "OptimizationLevel", "O0")
--Code generation
option("msvccompile", "StackProtector", "false")
--Ant Build
option("antbuild", "AntBuildType", "Debug")
option("antbuild", "Debuggable", "true")
config_end()
config "Release"
--C/C++
--General
option("msvclink", "GenerateDebugInformation", "true")
--Optimization
option("msvccompile", "OptimizationLevel", "O3")
option("msvccompile", "OmitFramePointer", "true")
--Code generation
option("msvccompile", "StackProtector", "false")
--Command Line
option("msvccompile", "AdditionalOptions", "-funsafe-math-optimizations -ffast-math -ftree-vectorize %(AdditionalOptions)")
--Ant Build
option("antbuild", "AntBuildType", "Release")
option("antbuild", "Debuggable", "true")
config_end()
config "Profile"
--C/C++
--General
option("msvclink", "GenerateDebugInformation", "true")
--Optimization
option("msvccompile", "OptimizationLevel", "O3")
option("msvccompile", "OmitFramePointer", "false")
--Code generation
option("msvccompile", "StackProtector", "false")
--Command Line
option("msvccompile", "AdditionalOptions", "-funsafe-math-optimizations -ffast-math -ftree-vectorize %(AdditionalOptions)")
--Ant Build
option("antbuild", "AntBuildType", "Release")
option("antbuild", "Debuggable", "true")
config_end()
config "Master"
--C/C++
--General
--option("msvclink", "GenerateDebugInformation", "false")
option("msvclink", "GenerateDebugInformation", "true")
--Optimization
option("msvccompile", "OptimizationLevel", "O3")
--option("msvccompile", "OmitFramePointer", "true")
--Code generation
option("msvccompile", "StackProtector", "false")
--Command Line
option("msvccompile", "AdditionalOptions", "-funsafe-math-optimizations -ffast-math -ftree-vectorize %(AdditionalOptions)")
--Ant Build
option("antbuild", "AntBuildType", "Release")
option("antbuild", "Debuggable", "false")
config_end()
tadp = {}
function tadp.setminapi(minapi)
option("msvconfiguration", "AndroidMinAPI", minapi)
end
function tadp.settargetapi(targetapi)
option("msvconfiguration", "AndroidTargetAPI", targetapi)
end
function tadp.setproguardenabled(value)
local tmp = nil
if value then
tmp = "true"
else
tmp = "false"
end
option("_android", "ProguardEnabled", tmp)
end
function tadp.setdebuggable(value)
local tmp = nil
if value then
tmp = "true"
else
tmp = "false"
end
option("_android", "Debuggable", tmp)
end
|
--- Allows for control of the boot process of the schema such as piggybacking from other schemas
-- @module Schema
impulse.Schema = impulse.Schema or {}
HOOK_CACHE = {}
--- Starts the Schema boot sequence
-- @realm shared
-- @string name Schema file name
-- @internal
function impulse.Schema.Boot()
local name = engine.ActiveGamemode()
SCHEMA_NAME = name
MsgC(Color( 83, 143, 239 ), "[impulse] Loading '"..SCHEMA_NAME.."' schema...\n")
if SERVER and not file.IsDir(SCHEMA_NAME, "LUA") then
SetGlobalString("impulse_fatalerror", "Failed to load Schema '"..name.."', does not exist.")
end
local bootController = SCHEMA_NAME.."/schema/bootcontroller.lua"
if file.Exists(bootController, "LUA") then
MsgC(Color( 83, 143, 239 ), "[impulse] Loading bootcontroller...\n")
if SERVER then
include(bootController)
AddCSLuaFile(bootController)
else
include(bootController)
end
end
impulse.lib.includeDir(SCHEMA_NAME.."/schema/teams")
impulse.lib.includeDir(SCHEMA_NAME.."/schema/items")
impulse.lib.includeDir(SCHEMA_NAME.."/schema/benches")
impulse.lib.includeDir(SCHEMA_NAME.."/schema/mixtures")
impulse.lib.includeDir(SCHEMA_NAME.."/schema/buyables")
impulse.lib.includeDir(SCHEMA_NAME.."/schema/vendors")
impulse.lib.includeDir(SCHEMA_NAME.."/schema/config")
local mapPath = SCHEMA_NAME.."/schema/config/maps/"..game.GetMap()..".lua"
if SERVER and file.Exists("gamemodes/"..mapPath, "GAME") then
MsgC(Color( 83, 143, 239 ), "[impulse] Loading map config for '"..game.GetMap().."'\n")
include(mapPath)
AddCSLuaFile(mapPath)
if impulse.Config.MapWorkshopID then
resource.AddWorkshop(impulse.Config.MapWorkshopID)
end
if impulse.Config.MapContentWorkshopID then
resource.AddWorkshop(impulse.Config.MapContentWorkshopID)
end
elseif CLIENT then
include(mapPath)
AddCSLuaFile(mapPath)
else
MsgC(Color(255, 0, 0), "[impulse] No map config found!'\n")
end
hook.Run("PostConfigLoad")
impulse.lib.includeDir(SCHEMA_NAME.."/schema/scripts", true, "SCHEMA", name)
impulse.lib.includeDir(SCHEMA_NAME.."/schema/scripts/vgui", true, "SCHEMA", name)
impulse.lib.includeDir(SCHEMA_NAME.."/schema/scripts/hooks", true, "SCHEMA", name)
local files, plugins = file.Find(SCHEMA_NAME.."/plugins/*", "LUA")
for v, dir in ipairs(plugins) do
if impulse.Config.DisabledPlugins and impulse.Config.DisabledPlugins[dir] then
continue
end
MsgC(Color( 83, 143, 239 ), "[impulse] ["..SCHEMA_NAME.."] Loading plugin '"..dir.."'\n")
impulse.Schema.LoadPlugin(SCHEMA_NAME.."/plugins/"..dir, dir)
end
GM.Name = "impulse: "..impulse.Config.SchemaName
timer.Simple(1, function() -- hackyfix needs changing to something reliable
hook.Run("OnSchemaLoaded")
end)
end
--- Boots a specified object from a foreign schema using the piggbacking system
-- @realm shared
-- @string name Schema file name
-- @string object The folder in the schema to load
function impulse.Schema.PiggyBoot(schema, object)
MsgC(Color( 83, 143, 239 ), "[impulse] Piggybacking "..object.." from '"..schema.."' schema...\n")
impulse.lib.includeDir(schema.."/"..object)
end
--- Boots a specified plugin from a foreign schema using the piggbacking system
-- @realm shared
-- @string name Schema file name
-- @string plugin The plugin folder name
function impulse.Schema.PiggyBootPlugin(schema, plugin)
MsgC(Color( 83, 143, 239 ), "[impulse] ["..schema.."] Loading plugin (via PiggyBoot) '"..plugin.."'\n")
impulse.Schema.LoadPlugin(schema.."/plugins/"..plugin, plugin)
end
--- Boots all entities from a foreign schema using the piggbacking system
-- @realm shared
-- @string name Schema file name
function impulse.Schema.PiggyBootEntities(schema)
impulse.Schema.LoadEntites(schema.."/entities")
end
-- taken from nutscript, cba to write this shit
function impulse.Schema.LoadEntites(path)
local files, folders
local function IncludeFiles(path2, clientOnly)
if (SERVER and file.Exists(path2.."init.lua", "LUA") or CLIENT) then
if (clientOnly and CLIENT) or SERVER then
include(path2.."init.lua")
end
if (file.Exists(path2.."cl_init.lua", "LUA")) then
if SERVER then
AddCSLuaFile(path2.."cl_init.lua")
else
include(path2.."cl_init.lua")
end
end
return true
elseif (file.Exists(path2.."shared.lua", "LUA")) then
AddCSLuaFile(path2.."shared.lua")
include(path2.."shared.lua")
return true
end
return false
end
local function HandleEntityInclusion(folder, variable, register, default, clientOnly)
files, folders = file.Find(path.."/"..folder.."/*", "LUA")
default = default or {}
for k, v in ipairs(folders) do
local path2 = path.."/"..folder.."/"..v.."/"
_G[variable] = table.Copy(default)
_G[variable].ClassName = v
if (IncludeFiles(path2, clientOnly) and !client) then
if (clientOnly) then
if (CLIENT) then
register(_G[variable], v)
end
else
register(_G[variable], v)
end
end
_G[variable] = nil
end
for k, v in ipairs(files) do
local niceName = string.StripExtension(v)
_G[variable] = table.Copy(default)
_G[variable].ClassName = niceName
AddCSLuaFile(path.."/"..folder.."/"..v)
include(path.."/"..folder.."/"..v)
if (clientOnly) then
if (CLIENT) then
register(_G[variable], niceName)
end
else
register(_G[variable], niceName)
end
_G[variable] = nil
end
end
-- Include entities.
HandleEntityInclusion("entities", "ENT", scripted_ents.Register, {
Type = "anim",
Base = "base_gmodentity",
Spawnable = true
})
-- Include weapons.
HandleEntityInclusion("weapons", "SWEP", weapons.Register, {
Primary = {},
Secondary = {},
Base = "weapon_base"
})
-- Include effects.
HandleEntityInclusion("effects", "EFFECT", effects and effects.Register, nil, true)
end
function impulse.Schema.LoadPlugin(path, name)
impulse.lib.includeDir(path.."/setup", true, "PLUGIN", name)
impulse.lib.includeDir(path, true, "PLUGIN", name)
impulse.lib.includeDir(path.."/vgui", true, "PLUGIN", name)
impulse.Schema.LoadEntites(path.."/entities")
impulse.lib.includeDir(path.."/hooks", true, "PLUGIN", name)
impulse.lib.includeDir(path.."/items", true, "PLUGIN", name)
impulse.lib.includeDir(path.."/benches", true, "PLUGIN", name)
impulse.lib.includeDir(path.."/mixtures", true, "PLUGIN", name)
impulse.lib.includeDir(path.."/buyables", true, "PLUGIN", name)
impulse.lib.includeDir(path.."/vendors", true, "PLUGIN", name)
end
function impulse.Schema.LoadHooks(file, variable, uid)
local PLUGIN = {}
_G[variable] = PLUGIN
PLUGIN.impulseLoading = true
impulse.lib.LoadFile(file)
local c = 0
for v,k in pairs(PLUGIN) do
if type(k) == "function" then
c = c + 1
hook.Add(v, "impulse"..uid..c, function(...)
return k(nil, ...)
end)
end
end
if PLUGIN.OnLoaded then
PLUGIN.OnLoaded()
end
PLUGIN.impulseLoading = nil
_G[variable] = nil
end |
data:extend({
{
type = "recipe",
name = "uep-craft-assistent",
enabled = false,
energy_required = 10,
ingredients =
{
{"iron-plate", 10},
{"electric-engine-unit", 1},
{"advanced-circuit", 1},
{"electronic-circuit", 10},
{"iron-gear-wheel", 100},
},
result = "uep-craft-assistent"
},
{
type = "recipe",
name = "uep-artificial-organ",
enabled = false,
energy_required = 10,
ingredients =
{
{"iron-plate", 10},
{"electric-engine-unit", 1},
{"advanced-circuit", 1},
{"electronic-circuit", 10},
{"plastic-bar", 20},
{"raw-fish", 1},
},
result = "uep-artificial-organ"
},
{
type = "recipe",
name = "uep-portable-logistic-computer",
enabled = false,
energy_required = 10,
ingredients =
{
{"iron-plate", 10},
{"advanced-circuit", 10},
{"electronic-circuit", 25},
},
result = "uep-portable-logistic-computer"
},
{
type = "recipe",
name = "uep-additional-toolbelt",
enabled = false,
energy_required = 10,
ingredients =
{
{"steel-chest", 5},
{"plastic-bar", 20},
},
result = "uep-additional-toolbelt"
},
{
type = "recipe",
name = "uep-portable-autotrash-computer",
enabled = false,
energy_required = 10,
ingredients =
{
{"copper-plate", 10},
{"advanced-circuit", 10},
{"electronic-circuit", 25},
},
result = "uep-portable-autotrash-computer"
},
{
type = "recipe",
name = "uep-combet-control-module",
enabled = false,
energy_required = 10,
ingredients =
{
{"plastic-bar", 2},
{"processing-unit", 1},
{"electric-engine-unit", 1},
{"advanced-circuit", 5},
{"electronic-circuit", 10},
},
result = "uep-combet-control-module"
},
{
type = "recipe",
name = "uep-armor-pocket",
enabled = false,
energy_required = 10,
ingredients =
{
{"steel-chest", 1},
{"electric-engine-unit", 1},
{"advanced-circuit", 1},
{"electronic-circuit", 10},
{"iron-gear-wheel", 2},
{"plastic-bar", 2},
},
result = "uep-armor-pocket"
}
}) |
local E, L, V, P, G = unpack(select(2, ...)); --Import: Engine, Locales, PrivateDB, ProfileDB, GlobalDB
local UF = E:GetModule('UnitFrames');
--Lua functions
local unpack, tonumber = unpack, tonumber
local abs, min = abs, math.min
--WoW API / Variables
local CreateFrame = CreateFrame
local UnitSpellHaste = UnitSpellHaste
local UnitIsPlayer = UnitIsPlayer
local UnitClass = UnitClass
local UnitReaction = UnitReaction
local UnitCanAttack = UnitCanAttack
local GetSpellInfo = GetSpellInfo
local _, ns = ...
local ElvUF = ns.oUF
assert(ElvUF, "ElvUI was unable to locate oUF.")
local INVERT_ANCHORPOINT = {
TOPLEFT = 'BOTTOMRIGHT',
LEFT = 'RIGHT',
BOTTOMLEFT = 'TOPRIGHT',
RIGHT = 'LEFT',
TOPRIGHT = 'BOTTOMLEFT',
BOTTOMRIGHT = 'TOPLEFT',
CENTER = 'CENTER',
TOP = 'BOTTOM',
BOTTOM = 'TOP',
}
local ticks = {}
function UF:Construct_Castbar(frame, moverName)
local castbar = CreateFrame("StatusBar", nil, frame)
castbar:SetFrameLevel(frame.RaisedElementParent:GetFrameLevel() + 30) --Make it appear above everything else
self.statusbars[castbar] = true
castbar.CustomDelayText = self.CustomCastDelayText
castbar.CustomTimeText = self.CustomTimeText
castbar.PostCastStart = self.PostCastStart
castbar.PostCastStop = self.PostCastStop
castbar.PostCastInterruptible = self.PostCastInterruptible
castbar:SetClampedToScreen(true)
castbar:CreateBackdrop(nil, nil, nil, self.thinBorders, true)
castbar.Time = castbar:CreateFontString(nil, 'OVERLAY')
self:Configure_FontString(castbar.Time)
castbar.Time:Point("RIGHT", castbar, "RIGHT", -4, 0)
castbar.Time:SetTextColor(0.84, 0.75, 0.65)
castbar.Time:SetJustifyH("RIGHT")
castbar.Text = castbar:CreateFontString(nil, 'OVERLAY')
self:Configure_FontString(castbar.Text)
castbar.Text:Point("LEFT", castbar, "LEFT", 4, 0)
castbar.Text:SetTextColor(0.84, 0.75, 0.65)
castbar.Text:SetJustifyH("LEFT")
castbar.Text:SetWordWrap(false)
castbar.Spark_ = castbar:CreateTexture(nil, 'OVERLAY')
castbar.Spark_:SetTexture([[Interface\CastingBar\UI-CastingBar-Spark]])
castbar.Spark_:SetBlendMode('ADD')
castbar.Spark_:SetVertexColor(1, 1, 1)
castbar.Spark_:Size(20, 40)
--Set to castbar.SafeZone
castbar.LatencyTexture = castbar:CreateTexture(nil, "OVERLAY")
castbar.LatencyTexture:SetTexture(E.media.blankTex)
castbar.LatencyTexture:SetVertexColor(0.69, 0.31, 0.31, 0.75)
castbar.bg = castbar:CreateTexture(nil, 'BORDER')
castbar.bg:SetAllPoints()
castbar.bg:SetTexture(E.media.blankTex)
castbar.bg:Show()
local button = CreateFrame("Frame", nil, castbar)
local holder = CreateFrame('Frame', nil, castbar)
button:SetTemplate(nil, nil, nil, self.thinBorders, true)
castbar.Holder = holder
--these are placeholder so the mover can be created.. it will be changed.
castbar.Holder:Point("TOPLEFT", frame, "BOTTOMLEFT", 0, -(frame.BORDER - frame.SPACING))
castbar:Point('BOTTOMLEFT', castbar.Holder, 'BOTTOMLEFT', frame.BORDER, frame.BORDER)
button:Point("RIGHT", castbar, "LEFT", -E.Spacing*3, 0)
if moverName then
local name = frame:GetName()
local configName = name:gsub('^ElvUF_', ''):lower()
E:CreateMover(castbar.Holder, name..'CastbarMover', moverName, nil, -6, nil, 'ALL,SOLO', nil, 'unitframe,'..configName..',castbar')
end
local icon = button:CreateTexture(nil, "ARTWORK")
local offset = frame.BORDER --use frame.BORDER since it may be different from E.Border due to forced thin borders
icon:SetInside(nil, offset, offset)
icon:SetTexCoord(unpack(E.TexCoords))
icon.bg = button
--Set to castbar.Icon
castbar.ButtonIcon = icon
return castbar
end
function UF:Configure_Castbar(frame)
if not frame.VARIABLES_SET then return end
local castbar = frame.Castbar
local db = frame.db
castbar:Width(db.castbar.width - ((frame.BORDER+frame.SPACING)*2))
castbar:Height(db.castbar.height - ((frame.BORDER+frame.SPACING)*2))
castbar.Holder:Width(db.castbar.width)
castbar.Holder:Height(db.castbar.height)
local oSC = castbar.Holder:GetScript('OnSizeChanged')
if oSC then oSC(castbar.Holder) end
if db.castbar.strataAndLevel and db.castbar.strataAndLevel.useCustomStrata then
castbar:SetFrameStrata(db.castbar.strataAndLevel.frameStrata)
end
if db.castbar.strataAndLevel and db.castbar.strataAndLevel.useCustomLevel then
castbar:SetFrameLevel(db.castbar.strataAndLevel.frameLevel)
end
castbar.timeToHold = db.castbar.timeToHold
--Latency
if db.castbar.latency then
castbar.SafeZone = castbar.LatencyTexture
castbar.LatencyTexture:Show()
else
castbar.SafeZone = nil
castbar.LatencyTexture:Hide()
end
--Icon
if db.castbar.icon then
castbar.Icon = castbar.ButtonIcon
if (not db.castbar.iconAttached) then
castbar.Icon.bg:Size(db.castbar.iconSize)
else
if (db.castbar.insideInfoPanel and frame.USE_INFO_PANEL) then
castbar.Icon.bg:Size(db.infoPanel.height - frame.SPACING*2)
else
castbar.Icon.bg:Size(db.castbar.height-frame.SPACING*2)
end
castbar:Width(db.castbar.width - castbar.Icon.bg:GetWidth() - (frame.BORDER + frame.SPACING*5))
end
castbar.Icon.bg:Show()
else
castbar.ButtonIcon.bg:Hide()
castbar.Icon = nil
end
if db.castbar.spark then
castbar.Spark = castbar.Spark_
castbar.Spark:Point('CENTER', castbar:GetStatusBarTexture(), 'RIGHT', 0, 0)
castbar.Spark:Height(db.castbar.height * 2)
elseif castbar.Spark then
castbar.Spark:Hide()
castbar.Spark = nil
end
castbar:ClearAllPoints()
if (db.castbar.insideInfoPanel and frame.USE_INFO_PANEL) then
if (not db.castbar.iconAttached) then
castbar:SetInside(frame.InfoPanel, 0, 0)
else
local iconWidth = db.castbar.icon and (castbar.Icon.bg:GetWidth() - frame.BORDER) or 0
if(frame.ORIENTATION == "RIGHT") then
castbar:Point("TOPLEFT", frame.InfoPanel, "TOPLEFT")
castbar:Point("BOTTOMRIGHT", frame.InfoPanel, "BOTTOMRIGHT", -iconWidth - frame.SPACING*3, 0)
else
castbar:Point("TOPLEFT", frame.InfoPanel, "TOPLEFT", iconWidth + frame.SPACING*3, 0)
castbar:Point("BOTTOMRIGHT", frame.InfoPanel, "BOTTOMRIGHT")
end
end
if db.castbar.spark then
castbar.Spark:Height(db.infoPanel and db.infoPanel.height * 2) -- Grab the height from the infopanel.
end
if(castbar.Holder.mover) then
E:DisableMover(castbar.Holder.mover:GetName())
end
else
local isMoved = E:HasMoverBeenMoved(frame:GetName()..'CastbarMover') or not castbar.Holder.mover
if not isMoved then
castbar.Holder.mover:ClearAllPoints()
end
castbar:ClearAllPoints()
if frame.ORIENTATION ~= "RIGHT" then
castbar:Point('BOTTOMRIGHT', castbar.Holder, 'BOTTOMRIGHT', -(frame.BORDER+frame.SPACING), frame.BORDER+frame.SPACING)
if not isMoved then
castbar.Holder.mover:Point("TOPRIGHT", frame, "BOTTOMRIGHT", 0, -(frame.BORDER - frame.SPACING))
end
else
castbar:Point('BOTTOMLEFT', castbar.Holder, 'BOTTOMLEFT', frame.BORDER+frame.SPACING, frame.BORDER+frame.SPACING)
if not isMoved then
castbar.Holder.mover:Point("TOPLEFT", frame, "BOTTOMLEFT", 0, -(frame.BORDER - frame.SPACING))
end
end
if(castbar.Holder.mover) then
E:EnableMover(castbar.Holder.mover:GetName())
end
end
if not db.castbar.iconAttached and db.castbar.icon then
local attachPoint = db.castbar.iconAttachedTo == "Frame" and frame or frame.Castbar
local anchorPoint = db.castbar.iconPosition
castbar.Icon.bg:ClearAllPoints()
castbar.Icon.bg:Point(INVERT_ANCHORPOINT[anchorPoint], attachPoint, anchorPoint, db.castbar.iconXOffset, db.castbar.iconYOffset)
elseif(db.castbar.icon) then
castbar.Icon.bg:ClearAllPoints()
if frame.ORIENTATION == "RIGHT" then
castbar.Icon.bg:Point("LEFT", castbar, "RIGHT", frame.SPACING*3, 0)
else
castbar.Icon.bg:Point("RIGHT", castbar, "LEFT", -frame.SPACING*3, 0)
end
end
--Adjust tick heights
castbar.tickHeight = castbar:GetHeight()
if db.castbar.ticks then --Only player unitframe has this
--Set tick width and color
castbar.tickWidth = db.castbar.tickWidth
castbar.tickColor = db.castbar.tickColor
for i = 1, #ticks do
ticks[i]:SetVertexColor(castbar.tickColor.r, castbar.tickColor.g, castbar.tickColor.b, castbar.tickColor.a)
ticks[i]:Width(castbar.tickWidth)
end
end
castbar.custom_backdrop = UF.db.colors.customcastbarbackdrop and UF.db.colors.castbar_backdrop
UF:ToggleTransparentStatusBar(UF.db.colors.transparentCastbar, castbar, castbar.bg, nil, UF.db.colors.invertCastbar)
if db.castbar.enable and not frame:IsElementEnabled('Castbar') then
frame:EnableElement('Castbar')
elseif not db.castbar.enable and frame:IsElementEnabled('Castbar') then
frame:DisableElement('Castbar')
if(castbar.Holder.mover) then
E:DisableMover(castbar.Holder.mover:GetName())
end
end
end
function UF:CustomCastDelayText(duration)
local db = self:GetParent().db
if not (db and db.castbar) then return end
db = db.castbar.format
if self.channeling then
if db == 'CURRENT' then
self.Time:SetFormattedText("%.1f |cffaf5050%.1f|r", abs(duration - self.max), self.delay)
elseif db == 'CURRENTMAX' then
self.Time:SetFormattedText("%.1f / %.1f |cffaf5050%.1f|r", duration, self.max, self.delay)
elseif db == 'REMAINING' then
self.Time:SetFormattedText("%.1f |cffaf5050%.1f|r", duration, self.delay)
elseif db == 'REMAININGMAX' then
self.Time:SetFormattedText("%.1f / %.1f |cffaf5050%.1f|r", abs(duration - self.max), self.max, self.delay)
end
else
if db == 'CURRENT' then
self.Time:SetFormattedText("%.1f |cffaf5050%s %.1f|r", duration, "+", self.delay)
elseif db == 'CURRENTMAX' then
self.Time:SetFormattedText("%.1f / %.1f |cffaf5050%s %.1f|r", duration, self.max, "+", self.delay)
elseif db == 'REMAINING' then
self.Time:SetFormattedText("%.1f |cffaf5050%s %.1f|r", abs(duration - self.max), "+", self.delay)
elseif db == 'REMAININGMAX' then
self.Time:SetFormattedText("%.1f / %.1f |cffaf5050%s %.1f|r", abs(duration - self.max), self.max, "+", self.delay)
end
end
end
function UF:CustomTimeText(duration)
local db = self:GetParent().db
if not (db and db.castbar) then return end
db = db.castbar.format
if self.channeling then
if db == 'CURRENT' then
self.Time:SetFormattedText("%.1f", abs(duration - self.max))
elseif db == 'CURRENTMAX' then
self.Time:SetFormattedText("%.1f / %.1f", abs(duration - self.max), self.max)
elseif db == 'REMAINING' then
self.Time:SetFormattedText("%.1f", duration)
elseif db == 'REMAININGMAX' then
self.Time:SetFormattedText("%.1f / %.1f", duration, self.max)
end
else
if db == 'CURRENT' then
self.Time:SetFormattedText("%.1f", duration)
elseif db == 'CURRENTMAX' then
self.Time:SetFormattedText("%.1f / %.1f", duration, self.max)
elseif db == 'REMAINING' then
self.Time:SetFormattedText("%.1f", abs(duration - self.max))
elseif db == 'REMAININGMAX' then
self.Time:SetFormattedText("%.1f / %.1f", abs(duration - self.max), self.max)
end
end
end
function UF:HideTicks()
for i=1, #ticks do
ticks[i]:Hide()
end
end
function UF:SetCastTicks(frame, numTicks, extraTickRatio)
extraTickRatio = extraTickRatio or 0
UF:HideTicks()
if numTicks and numTicks <= 0 then return end;
local w = frame:GetWidth()
local d = w / (numTicks + extraTickRatio)
--local _, _, _, ms = GetNetStats()
for i = 1, numTicks do
if not ticks[i] then
ticks[i] = frame:CreateTexture(nil, 'OVERLAY')
ticks[i]:SetTexture(E.media.normTex)
E:RegisterStatusBar(ticks[i])
ticks[i]:SetVertexColor(frame.tickColor.r, frame.tickColor.g, frame.tickColor.b, frame.tickColor.a)
ticks[i]:Width(frame.tickWidth)
end
ticks[i]:Height(frame.tickHeight)
--[[if(ms ~= 0) then
local perc = (w / frame.max) * (ms / 1e5)
if(perc > 1) then perc = 1 end
ticks[i]:Width((w * perc) / (numTicks + extraTickRatio))
else
ticks[i]:Width(1)
end]]
ticks[i]:ClearAllPoints()
ticks[i]:Point("RIGHT", frame, "LEFT", d * i, 0)
ticks[i]:Show()
end
end
function UF:PostCastStart(unit)
local db = self:GetParent().db
if not db or not db.castbar then return; end
if unit == "vehicle" then unit = "player" end
if db.castbar.displayTarget and self.curTarget then
self.Text:SetText(GetSpellInfo(self.spellID)..' > '..self.curTarget)
end
-- Get length of Time, then calculate available length for Text
local timeWidth = self.Time:GetStringWidth()
local textWidth = self:GetWidth() - timeWidth - 10
local textStringWidth = self.Text:GetStringWidth()
if timeWidth == 0 or textStringWidth == 0 then
E:Delay(0.05, function() -- Delay may need tweaking
textWidth = self:GetWidth() - self.Time:GetStringWidth() - 10
textStringWidth = self.Text:GetStringWidth()
if textWidth > 0 then self.Text:Width(min(textWidth, textStringWidth)) end
end)
else
self.Text:Width(min(textWidth, textStringWidth))
end
self.unit = unit
if self.channeling and db.castbar.ticks and unit == "player" then
local unitframe = E.global.unitframe
local baseTicks = unitframe.ChannelTicks[self.spellID]
---- Detect channeling spell and if it's the same as the previously channeled one
--if baseTicks and self.spellID == self.prevSpellCast then
-- self.chainChannel = true
--elseif baseTicks then
-- self.chainChannel = nil
-- self.prevSpellCast = self.spellID
--end
if baseTicks and unitframe.ChannelTicksSize[self.spellID] and unitframe.HastedChannelTicks[self.spellID] then
local tickIncRate = 1 / baseTicks
local curHaste = UnitSpellHaste("player") * 0.01
local firstTickInc = tickIncRate / 2
local bonusTicks = 0
if curHaste >= firstTickInc then
bonusTicks = bonusTicks + 1
end
local x = tonumber(E:Round(firstTickInc + tickIncRate, 2))
while curHaste >= x do
x = tonumber(E:Round(firstTickInc + (tickIncRate * bonusTicks), 2))
if curHaste >= x then
bonusTicks = bonusTicks + 1
end
end
local baseTickSize = unitframe.ChannelTicksSize[self.spellID]
local hastedTickSize = baseTickSize / (1 + curHaste)
local extraTick = self.max - hastedTickSize * (baseTicks + bonusTicks)
local extraTickRatio = extraTick / hastedTickSize
UF:SetCastTicks(self, baseTicks + bonusTicks, extraTickRatio)
self.hadTicks = true
elseif baseTicks and unitframe.ChannelTicksSize[self.spellID] then
local curHaste = UnitSpellHaste("player") * 0.01
local baseTickSize = unitframe.ChannelTicksSize[self.spellID]
local hastedTickSize = baseTickSize / (1 + curHaste)
local extraTick = self.max - hastedTickSize * (baseTicks)
local extraTickRatio = extraTick / hastedTickSize
UF:SetCastTicks(self, baseTicks, extraTickRatio)
self.hadTicks = true
elseif baseTicks then
UF:SetCastTicks(self, baseTicks)
self.hadTicks = true
else
UF:HideTicks()
end
end
local colors = ElvUF.colors
local r, g, b = colors.castColor[1], colors.castColor[2], colors.castColor[3]
if (self.notInterruptible and unit ~= "player") and UnitCanAttack("player", unit) then
r, g, b = colors.castNoInterrupt[1], colors.castNoInterrupt[2], colors.castNoInterrupt[3]
elseif UF.db.colors.castClassColor and UnitIsPlayer(unit) then
local _, Class = UnitClass(unit)
local t = Class and ElvUF.colors.class[Class]
if t then r, g, b = t[1], t[2], t[3] end
elseif UF.db.colors.castReactionColor then
local Reaction = UnitReaction(unit, 'player')
local t = Reaction and ElvUF.colors.reaction[Reaction]
if t then r, g, b = t[1], t[2], t[3] end
end
self:SetStatusBarColor(r, g, b)
end
function UF:PostCastStop(unit)
if self.hadTicks and unit == 'player' then
UF:HideTicks()
self.hadTicks = false
end
end
function UF:PostCastInterruptible(unit)
if unit == "vehicle" or unit == "player" then return end
local colors = ElvUF.colors
local r, g, b = colors.castColor[1], colors.castColor[2], colors.castColor[3]
if self.notInterruptible and UnitCanAttack("player", unit) then
r, g, b = colors.castNoInterrupt[1], colors.castNoInterrupt[2], colors.castNoInterrupt[3]
elseif UF.db.colors.castClassColor and UnitIsPlayer(unit) then
local _, Class = UnitClass(unit)
local t = Class and ElvUF.colors.class[Class]
if t then r, g, b = t[1], t[2], t[3] end
elseif UF.db.colors.castReactionColor then
local Reaction = UnitReaction(unit, 'player')
local t = Reaction and ElvUF.colors.reaction[Reaction]
if t then r, g, b = t[1], t[2], t[3] end
end
self:SetStatusBarColor(r, g, b)
end
|
local Native = require('lib.stdlib.native')
local converter = require('lib.stdlib.enum.converter')
---@class MouseButtonType
local MouseButtonType = {
Left = 1, --MOUSE_BUTTON_TYPE_LEFT
Middle = 2, --MOUSE_BUTTON_TYPE_MIDDLE
Right = 3, --MOUSE_BUTTON_TYPE_RIGHT
}
MouseButtonType = converter(Native.ConvertMouseButtonType, MouseButtonType)
return MouseButtonType
|
-- This file is auto-generated by shipwright.nvim
local common_fg = "#A2A2B5"
local inactive_bg = "#222233"
local inactive_fg = "#E9E3C5"
return {
normal = {
a = { bg = "#50506E", fg = common_fg, gui = "bold" },
b = { bg = "#3B3B54", fg = common_fg },
c = { bg = "#28283B", fg = "#DDD8BB" },
},
insert = {
a = { bg = "#314851", fg = common_fg, gui = "bold" },
},
command = {
a = { bg = "#594378", fg = common_fg, gui = "bold" },
},
visual = {
a = { bg = "#424038", fg = common_fg, gui = "bold" },
},
replace = {
a = { bg = "#3E2225", fg = common_fg, gui = "bold" },
},
inactive = {
a = { bg = inactive_bg, fg = inactive_fg, gui = "bold" },
b = { bg = inactive_bg, fg = inactive_fg },
c = { bg = inactive_bg, fg = inactive_fg },
},
}
|
local map = {}
map = { image = "tutorial.png", load = false, pics = "teach_timidity.png", soundClear = "japanese_yes",
{-- etage 1
{ "1", "1", 1, 1, "1", "1" },
{ "1", "1", 1, 1, "1", "1" },
{ "1", "1", 1, 1, "1", "1" }
}
}
return map
|
--
-- Global Keymaps
--
local cmd = vim.cmd
local nvim_set_keymap = vim.api.nvim_set_keymap
local wk = require('which-key')
-- Close quickfix if in quickfix
nvim_set_keymap('n', '<C-d>', '&bt ==# "quickfix" ? ":ccl<Cr>" : "<C-d>"', { noremap = true, expr = true })
-- Use <C-d> as escape sequence
nvim_set_keymap('i', '<C-d>', '<Esc>', {})
nvim_set_keymap('c', '<C-d>', '<Esc>', {})
nvim_set_keymap('v', '<C-d>', '<Esc>', {})
nvim_set_keymap('t', '<C-d>', [[<C-\><C-n>]], { noremap = true })
-- Allow <C-d> to be sent to terminal
nvim_set_keymap('t', '<C-f>', '<C-d>', { noremap = true })
-- Toggle relative line numbers
cmd([[
function! NumberToggle()
if (&relativenumber == 1)
set norelativenumber
set number
else
set nonumber
set relativenumber
endif
endfunc
]])
nvim_set_keymap('n', '<C-n>', ':call NumberToggle()<Cr>', { noremap = true })
-- <Leader>/ redraws the screen and removes any search highlighting.
nvim_set_keymap('n', '<Leader>/', '<Cmd>nohl<Cr>', { noremap = true })
-- Do not jump on invocation of *
nvim_set_keymap('n', '*', ':keepjumps normal! mi*`i<Cr>', {})
-- Execute macro over lines in visual mode
cmd([[
function! ExecuteMacroOverVisualRange()
echo "@".getcmdline()
execute ":'<,'>normal @".nr2char(getchar())
endfunction
]])
nvim_set_keymap('x', '@', ':<C-u>call ExecuteMacroOverVisualRange()<Cr>', { noremap = true })
wk.register(
{
r = { ':%s/<C-r><C-w>//g<Left><Left>', 'Replace Word Under Cursor' },
s = { '<Cmd>set spell!<Cr>', 'Toggle Spellchecking' },
P = { '<Cmd>set paste!<Cr>', 'Toggle Paste Mode' },
[','] = { '<Cmd>e $MYVIMRC<Cr>', 'Edit init.lua' },
['-'] = { '<Cmd>split<Cr>', 'Horizontal Split' },
['|'] = { '<Cmd>vsplit<Cr>', 'Vertical Split' },
},
{
prefix = '<Leader>',
}
)
-- Copy/yank file paths
nvim_set_keymap('n', 'cp', ':let @*=expand("%")<Cr>', {})
nvim_set_keymap('n', 'cP', ':let @*=expand("%:p")<Cr>', {})
nvim_set_keymap('n', 'yp', ':let @"=expand("%")<Cr>', {})
nvim_set_keymap('n', 'yP', ':let @"=expand("%:p")<Cr>', {})
-- :ww writes with sudo (temporary)
-- https://github.com/neovim/neovim/issues/1716
-- https://github.com/lambdalisue/suda.vim
-- command! -nargs=0 WriteWithSudo :w !sudo tee % > /dev/null
-- cnoreabbrev ww WriteWithSudo
cmd('cnoreabbrev ww SudaWrite')
|
local insert, remove
do
local _obj_0 = table
insert, remove = _obj_0.insert, _obj_0.remove
end
local newLines, allowedOrign, CentereNotify, NotifyDispatcherBase
do
local _obj_0 = Notify
newLines, allowedOrign, CentereNotify, NotifyDispatcherBase = _obj_0.newLines, _obj_0.allowedOrign, _obj_0.CentereNotify, _obj_0.NotifyDispatcherBase
end
surface.CreateFont('NotifyBadge', {
font = 'Roboto',
size = 14,
weight = 500,
extended = true
})
local BadgeNotify
do
local _class_0
local _parent_0 = CentereNotify
local _base_0 = {
GetBackgroundColor = function(self)
return self.m_backgroundColor
end,
GetBackColor = function(self)
return self.m_backgroundColor
end,
ShouldDrawBackground = function(self)
return self.m_background
end,
ShouldDrawBack = function(self)
return self.m_background
end,
CompileCache = function(self)
_class_0.__parent.__base.CompileCache(self)
self.m_sizeOfTextX = self.m_sizeOfTextX + 8
return self
end,
Draw = function(self, x, y)
if x == nil then
x = 0
end
if y == nil then
y = 0
end
if self.m_background then
surface.SetDrawColor(self.m_backgroundColor.r, self.m_backgroundColor.g, self.m_backgroundColor.b, self.m_backgroundColor.a * self.m_alpha)
surface.DrawRect(x, y, self.m_sizeOfTextX + 4, self.m_sizeOfTextY + 4)
end
_class_0.__parent.__base.Draw(self, x + self.m_sizeOfTextX / 2 + 4, y)
return self.m_sizeOfTextX + 4, self.m_sizeOfTextY + 4
end,
ThinkTimer = function(self, deltaThink, cTime)
if self.m_animated then
local deltaIn = self.m_start + 1 - cTime
local deltaOut = cTime - self.m_finish
if deltaIn >= 0 and deltaIn <= 1 and self.m_animin then
self.m_alpha = 1 - deltaIn
elseif deltaOut >= 0 and deltaOut < 1 and self.m_animout then
self.m_alpha = 1 - deltaOut
else
self.m_alpha = 1
end
else
self.m_alpha = 1
end
end
}
_base_0.__index = _base_0
setmetatable(_base_0, _parent_0.__base)
_class_0 = setmetatable({
__init = function(self, ...)
_class_0.__parent.__init(self, ...)
self.m_side = Notify_POS_BOTTOM
self.m_defSide = Notify_POS_BOTTOM
self.m_color = Color(240, 128, 128)
self.m_background = true
self.m_backgroundColor = Color(0, 0, 0, 150)
self.m_font = 'NotifyBadge'
return self:CompileCache()
end,
__base = _base_0,
__name = "BadgeNotify",
__parent = _parent_0
}, {
__index = function(cls, name)
local val = rawget(_base_0, name)
if val == nil then
local parent = rawget(cls, "__parent")
if parent then
return parent[name]
end
else
return val
end
end,
__call = function(cls, ...)
local _self_0 = setmetatable({}, _base_0)
cls.__init(_self_0, ...)
return _self_0
end
})
_base_0.__class = _class_0
if _parent_0.__inherited then
_parent_0.__inherited(_parent_0, _class_0)
end
BadgeNotify = _class_0
end
Notify.BadgeNotify = BadgeNotify
local BadgeNotifyDispatcher
do
local _class_0
local _parent_0 = NotifyDispatcherBase
local _base_0 = {
Draw = function(self)
local yShift = 0
local xShift = 0
local maximalY = 0
local x = self.x_start + self.width / 2
local y = self.y_start
local wrapperSizeTop = {
0
}
local wrapperSizeBottom = {
0
}
for k, func in pairs(self.top) do
if func:IsValid() then
local s = func.m_sizeOfTextY + 6
if s > maximalY then
maximalY = s
end
else
self.top[k] = nil
end
end
for k, func in pairs(self.bottom) do
if func:IsValid() then
local s = func.m_sizeOfTextY + 6
if s > maximalY then
maximalY = s
end
else
self.bottom[k] = nil
end
end
local drawMatrix = { }
local prevSize = 0
for k, func in pairs(self.top) do
xShift = xShift + (func.m_sizeOfTextX + 8)
if xShift + 250 > self.width then
xShift = 0
yShift = yShift + maximalY
wrapperSizeTop = {
0
}
else
wrapperSizeTop[1] = wrapperSizeTop[1] + prevSize
prevSize = func.m_sizeOfTextX / 2 + 4
end
insert(drawMatrix, {
x = x - xShift,
y = y + yShift,
func = func,
wrapper = wrapperSizeTop
})
end
yShift = 0
xShift = 0
prevSize = 0
y = self.y_start + self.height
for k, func in pairs(self.bottom) do
xShift = xShift + (func.m_sizeOfTextX + 8)
if xShift + 250 > self.width then
xShift = 0
yShift = yShift - maximalY
wrapperSizeBottom = {
0
}
else
wrapperSizeBottom[1] = wrapperSizeBottom[1] + prevSize
prevSize = func.m_sizeOfTextX / 2 + 4
end
insert(drawMatrix, {
x = x - xShift,
y = y + yShift,
func = func,
wrapper = wrapperSizeBottom
})
end
for k, data in pairs(drawMatrix) do
local myX, myY, func = data.x, data.y, data.func
myX = myX + data.wrapper[1]
local newPosX = Lerp(0.2, self.xSmoothPositions[func.thinkID] or myX, myX)
self.xSmoothPositions[func.thinkID] = newPosX
local newPosY = Lerp(0.4, self.ySmoothPositions[func.thinkID] or myY, myY)
self.ySmoothPositions[func.thinkID] = newPosY
local status, message = pcall(func.Draw, func, newPosX, newPosY)
if not status then
print('[Notify] ERROR ', message)
end
end
end
}
_base_0.__index = _base_0
setmetatable(_base_0, _parent_0.__base)
_class_0 = setmetatable({
__init = function(self, data)
if data == nil then
data = { }
end
self.top = { }
self.bottom = { }
self.obj = BadgeNotify
return _class_0.__parent.__init(self, data)
end,
__base = _base_0,
__name = "BadgeNotifyDispatcher",
__parent = _parent_0
}, {
__index = function(cls, name)
local val = rawget(_base_0, name)
if val == nil then
local parent = rawget(cls, "__parent")
if parent then
return parent[name]
end
else
return val
end
end,
__call = function(cls, ...)
local _self_0 = setmetatable({}, _base_0)
cls.__init(_self_0, ...)
return _self_0
end
})
_base_0.__class = _class_0
if _parent_0.__inherited then
_parent_0.__inherited(_parent_0, _class_0)
end
BadgeNotifyDispatcher = _class_0
end
Notify.BadgeNotifyDispatcher = BadgeNotifyDispatcher
|
garagepublic = {}
garagepublic.DrawDistance = 100
garagepublic.Size = {x = 1.5, y = 1.5, z = 1.5}
garagepublic.Color = {r = 0, g = 255, b = 0} --vert pour les voiture a sortir
garagepublic.Color2 = {r = 255, g = 0, b = 0} --rouge pour les voiture a ranger
garagepublic.Type = 36
garagepublic.sousfourriere = 500
garagepublic.zone = {
bennys = {
sortie = {x = -226.15 , y = -1295.35, z = 31.33},
ranger = {x = -230.53 , y = -1283.85, z = 31.33}
},
central = {
sortie = { x = 222.185, y = -812.114, z = 30.581},
ranger = { x = 223.797, y = -760.415, z = 30.646 }
},
vinewood = {
sortie = { x = -72.72, y = 909.15, z = 235.63},
ranger = { x = -68.32, y = 898.08, z = 235.57 }
},
pacificbanque = {
sortie = { x = -2035.48, y = -462.13, z = 11.41},
ranger = { x = -2037.84, y = -477.1, z = 11.7 }
},
gang = {
sortie = { x = -59.6, y = -1828.02, z = 26.85},
ranger = { x = -63.19, y = -1832.35, z = 26.85 }
},
sandyshore = {
sortie = { x = 1737.59, y = 3710.2, z = 34.14 },
ranger = { x = 1722.66, y = 3713.74, z = 34.21 }
},
paleto = {
sortie = { x = 117.81, y = 6611.1, z = 31.80 },
ranger = { x = 126.3572, y = 6608.4150, z = 31.8565 }
},
prisondesert = {
sortie = { x = 1841.638, y = 2533.722, z = 45.672 },
ranger = { x = 1831.810, y = 2542.108, z = 45.880 }
},
casino = {
sortie = { x = 1212.32, y = 339.94, z = 81.99 },
ranger = { x = 1207.9, y = 343.8, z = 81.99 }
}
}
garagepublic.fourriere = {
lossantos = {
sortie = { x = 415.61, y = -1632.47, z = 29.29 },
},
sandyshore = {
sortie = { x = 1642.38, y = 3796.84, z = 34.65 },
},
paleto = {
sortie = { x = -239.82, y = 6194.65, z = 31.49 },
}
} |
---
---
--- Created by Go Go Easy Team.
--- DateTime: 2019/1/8 2:13 PM
---
local shared_name = require("core.constants.shard_name")
local shared = ngx.shared
local cache = shared[shared_name.stat_dashboard]
local _M = {}
_M.DEFAULT_EXPIRE = 172800 -- 2 天,单位 s
function _M.add(key,value)
return cache:add(key,value)
end
function _M.get(key)
return cache:get(key)
end
function _M.set(key, value, expired)
return cache:set(key, value, expired or 0)
end
function _M.incr(key,value,exptime)
local v = _M.get(key)
value = tonumber(value)
if not v then
cache:set(key,value, exptime or _M.DEFAULT_EXPIRE)
else
cache:incr(key,value)
end
end
return _M; |
local cmd = vim.cmd
cmd [[
au BufRead,BufNewFile tsconfig.json set filetype=jsonc
]] |
function test_number_max()
max = chainhelper:number_max()
chainhelper:log("test number_max, number_max: " .. tostring(max) .. ", type: " .. type(max))
end |
--[[
Copyright 2012-2020 João Cardoso
PetTracker is distributed under the terms of the GNU General Public License (Version 3).
As a special exception, the copyright holders of this addon do not give permission to
redistribute and/or modify it.
This addon is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU General Public License for more details.
You should have received a copy of the GNU General Public License
along with the addon. If not, see <http://www.gnu.org/licenses/gpl-3.0.txt>.
This file is part of PetTracker.
--]]
local MODULE = ...
local ADDON, Addon = MODULE:match('[^_]+'), _G[MODULE:match('[^_]+')]
local Alerts = Addon:NewModule('Alerts', LibStub('Sushi-3.1').Glowbox(PetBattleFrame))
local L = LibStub('AceLocale-3.0'):GetLocale(ADDON)
function Alerts:OnEnable()
self:RegisterEvent('PET_BATTLE_CLOSE', 'Reset')
self:RegisterSignal('BATTLE_STARTED', 'Verify')
self:RegisterSignal('COLLECTION_CHANGED', 'Verify')
self:SetPoint('TOP', PetBattleFrame.ActiveEnemy.Icon, 'BOTTOM', 0, -20)
self:SetCall('OnClose', function() self.shown = true end)
self:SetText(L.UpgradeAlert)
self:SetFrameStrata('HIGH')
self:SetDirection('TOP')
end
function Alerts:Verify()
local upgrades = Addon.Battle:AnyUpgrade()
if not upgrades and Addon.Battle:IsWildBattle() and not self.popped and Addon.sets.forfeit then
self.popped = true
LibStub('Sushi-3.1').Popup {
id = ADDON .. 'Alerts',
text = L.AskForfeit, button1 = QUIT, button2 = NO,
OnAccept = C_PetBattles.ForfeitGame,
hideOnEscape = 1,
}
end
self:SetShown(upgrades and not self.shown and Addon.sets.alertUpgrades)
end
function Alerts:Reset()
self.shown, self.popped = nil
end
|
local love = require "love"
local enemy = require "Enemy"
local button = require "Button"
math.randomseed(os.time())
local game = {
difficulty = 1,
state = {
menu = true,
paused = false,
running = false,
ended = false
},
points = 0,
levels = {15, 30, 60, 120}
}
-- the below is so we can make it easier to add fonts to our buttons and text
local fonts = {
medium = {
font = love.graphics.newFont(16),
size = 16
},
large = {
font = love.graphics.newFont(24),
size = 24
},
massive = {
font = love.graphics.newFont(60),
size = 60
}
}
local player = {
radius = 20,
x = 30,
y = 30
}
local buttons = {
menu_state = {},
ended_state = {} -- so we can now have game over buttons
}
local enemies = {}
local function changeGameState(state)
game.state["menu"] = state == "menu"
game.state["paused"] = state == "paused"
game.state["running"] = state == "running"
game.state["ended"] = state == "ended"
end
local function startNewGame()
changeGameState("running")
game.points = 0
enemies = {
enemy(1)
}
end
function love.mousepressed(x, y, button, istouch, presses)
if not game.state["running"] then
if button == 1 then
if game.state["menu"] then
for index in pairs(buttons.menu_state) do
buttons.menu_state[index]:checkPressed(x, y, player.radius)
end
elseif game.state["ended"] then -- allow mouse clicks on game over
for index in pairs(buttons.ended_state) do -- check if one of the buttons were pressed
buttons.ended_state[index]:checkPressed(x, y, player.radius)
end
end
end
end
end
function love.load()
love.mouse.setVisible(false)
love.window.setTitle("Save the Ball!")
buttons.menu_state.play_game = button("Play Game", startNewGame, nil, 120, 40)
buttons.menu_state.settings = button("Settings", nil, nil, 120, 40)
buttons.menu_state.exit_game = button("Exit Game", love.event.quit, nil, 120, 40)
-- these buttons will be on the game over screen
buttons.ended_state.replay_game = button("Replay", startNewGame, nil, 100, 50)
buttons.ended_state.menu = button("Menu", changeGameState, "menu", 100, 50)
buttons.ended_state.exit_game = button("Quit", love.event.quit, nil, 100, 50)
end
function love.update(dt)
player.x, player.y = love.mouse.getPosition()
if game.state["running"] then
for i = 1, #enemies do
if not enemies[i]:checkTouched(player.x, player.y, player.radius) then
enemies[i]:move(player.x, player.y)
for i = 1, #game.levels do
if math.floor(game.points) == game.levels[i] then
table.insert(enemies, 1, enemy(game.difficulty * (i + 1)))
game.points = game.points + 1
end
end
else
changeGameState("ended") -- changed to ended (game over)
end
end
game.points = game.points + dt
end
end
function love.draw()
love.graphics.setFont(fonts.medium.font) -- restore font to original size (default to medium)
-- below now uses medium font
love.graphics.printf("FPS: " .. love.timer.getFPS(), fonts.medium.font, 10, love.graphics.getHeight() - 30, love.graphics.getWidth())
if game.state["running"] then
-- below now uses large font
love.graphics.printf(math.floor(game.points), fonts.large.font, 0, 10, love.graphics.getWidth(), "center")
for i = 1, #enemies do
enemies[i]:draw()
end
love.graphics.circle("fill", player.x, player.y, player.radius)
elseif game.state["menu"] then
buttons.menu_state.play_game:draw(10, 20, 17, 10)
buttons.menu_state.settings:draw(10, 70, 17, 10)
buttons.menu_state.exit_game:draw(10, 120, 17, 10)
elseif game.state["ended"] then -- game over state
love.graphics.setFont(fonts.large.font) -- this will set the font for the text in our buttons
-- below draws all our buttons
buttons.ended_state.replay_game:draw(love.graphics.getWidth() / 2.25, love.graphics.getHeight() / 1.8, 10, 10)
buttons.ended_state.menu:draw(love.graphics.getWidth() / 2.25, love.graphics.getHeight() / 1.53, 17, 10)
buttons.ended_state.exit_game:draw(love.graphics.getWidth() / 2.25, love.graphics.getHeight() / 1.33, 22, 10)
-- show the player the score they got when game over
love.graphics.printf(math.floor(game.points), fonts.massive.font, 0, love.graphics.getHeight() / 2 - fonts.massive.size, love.graphics.getWidth(), "center")
end
if not game.state["running"] then
love.graphics.circle("fill", player.x, player.y, player.radius / 2)
end
end
-- HOMEWORK
-- Make the enemies different
-- Implement a settings page |
addEventHandler ( "onResourceStart", resourceRoot, function ( )
exports['VDBGSQL']:db_exec ( "CREATE TABLE IF NOT EXISTS vehicles ( DistanceTraveled INT, Paintjob INT, Type TEXT, Owner TEXT, VehicleID INT, ID INT, Color TEXT, Upgrades TEXT, Position TEXT, Rotation TEXT, Health TEXT, Visible INT, Fuel INT, Impounded INT, Handling TEXT )" )
for _, p in ipairs ( getElementsByType ( "player" ) ) do
local veh = getAccountVehicles(getAccountName(getPlayerAccount(p)))
if veh then
for i, v in pairs ( veh ) do
if veh[i][10] <= "305" and veh[i][13] == "0" then
showVehicle(veh[i][4], true)
end
end
end
end
end )
vehicles = { }
local blip = { }
local texts = { }
local vehType = {
["Automobile"] = "Automóvel", ["Monster Truck"] = "Caminhão Monstro", ["Helicopter"] = "Helicóptero",
["Quad"] = "Quadriciclo", ["Boat"] = "Barco", ["Plane"] = "Avião", ["Bike"] = "Motocicleta", ["BMX"] = "Bicicleta"
}
function getAllAccountVehicles ( account )
local cars = { }
local q = exports['VDBGSQL']:db_query ( "SELECT * FROM vehicles WHERE Owner=? ", tostring(account) )
for i, v in pairs ( q ) do
table.insert ( cars, v )
end
return cars
end
function showAccountVehicleDamage ( account )
local veh = getAccountVehicles(account)
if veh then
for i, v in pairs ( veh ) do
if veh[i][4] <= 305 then
showVehicle(veh[i][4], true)
end
end
end
end
function showVehicle ( id, stat, player, msg )
if stat then
if ( not isElement ( vehicles[id] ) ) then
local q = exports['VDBGSQL']:db_query ( "SELECT * FROM vehicles WHERE VehicleID=? LIMIT 1", tostring(id) )
if ( q and type ( q ) == 'table' and #q > 0 ) then
local d = q[1]
local health = tonumber ( d['Health'] )
local owner, vehID = tostring ( d['Owner'] ), tonumber ( d['ID'] )
local color, upgrades = fromJSON( d['Color'] ), fromJSON( d['Upgrades'] )
local pos, rot = fromJSON( d['Position'] ), fromJSON( d['Rotation'] )
pos = split ( pos, ', ' )
local x, y, z = tonumber ( pos[1] ), tonumber ( pos[2] ), tonumber ( pos[3] )
rot = split ( rot, ', ' )
local rx, ry, rz = tonumber ( rot[1] ), tonumber ( rot[2] ), tonumber ( rot[3] )
color = split ( color, ', ' )
local r, g, b = tonumber ( color[1] ), tonumber ( color[2] ), tonumber ( color[3] )
local hndl = fromJSON ( d['Handling'] )
vehicles[id] = createVehicle( vehID, x, y, z, rx, ry, rz )
setElementData(vehicles[id], "travelmeter-vehicleDistanceTraveled", tonumber(("%.1f"):format(d['DistanceTraveled'])))
setElementData ( vehicles[id], "fuel", tonumber ( d['Fuel'] ) )
setVehicleColor ( vehicles[id], r, g, b )
setElementData ( vehicles[id], "VDBGVehicles:VehicleAccountOwner", tostring ( owner ) )
setElementData ( vehicles[id], "VDBGVehicles:VehicleID", id )
setElementData ( vehicles[id], "accountID", 300000+id )
setElementHealth ( vehicles[id], health )
setTimer(function()
if ( hndl and type ( hndl ) == "table" ) then
for i, v in pairs ( hndl ) do
setVehicleHandling ( vehicles [ id ], tostring ( i ), v )
end
end
end, 1000, 1)
for i, v in ipairs ( upgrades ) do
addVehicleUpgrade ( vehicles[id], tonumber ( v ) )
end
setVehiclePaintjob( vehicles[id], tonumber(d['Paintjob']) )
exports['VDBGSQL']:db_exec ( "UPDATE vehicles SET Visible=? WHERE VehicleID=?", '1', id )
if ( isElement ( blip[id] ) ) then
destroyElement ( blip[id] )
end if ( isElement ( texts[id] ) ) then
destroyElement ( texts[id] )
end
for _, p in pairs ( getElementsByType ( "player" ) ) do
if ( getAccountName ( getPlayerAccount ( p ) ) == owner ) then
local avatar = getElementData(p, "avatar")
local nome = getElementData(p, "AccountData:Name")
texts[id] = exports.VDBG3DTEXT:create3DText ( "Veículo", { 0, 0, 0.5 }, { 0, 127, 255 }, vehicles[id], { }, "veiculonames", nome, avatar)
break;
end
end
if ( isElement ( player ) ) then
blip[id] = createBlipAttachedTo ( vehicles[id], 19, 2, 255, 255, 255, 255, 0, 8000, player )
setElementData ( vehicles[id], "VDBGVehicles:VehiclePlayerOwner", player )
end
addEventHandler ( "onVehicleStartEnter", vehicles[id], function ( p, s )
if ( getVehicleOccupant ( source ) )then
local t = getPlayerTeam ( p )
if ( t ) then
if ( exports['VDBGPlayerFunctions']:isTeamLaw ( getTeamName ( t ) ) and getPlayerWantedLevel ( getVehicleOccupant ( source ) ) > 0 and s == 0 ) then
setVehicleLocked ( source, false )
return
end
end
end
if ( isVehicleLocked ( source ) ) then
outputChatBox (" #d9534f[VDBG.ORG] #FFFFFFEste veículo está trancado.", p, 255, 255, 255, true )
cancelEvent ( )
end
end )
addEventHandler ( "onVehicleEnter", vehicles[id], function ( p, seat )
local health = getElementHealth ( source )
local id = getElementData ( source, "VDBGVehicles:VehicleID" )
if ( health <= 305 ) then
setVehicleEngineState ( source, false )
setElementHealth ( source, 305 )
outputChatBox (" #d9534f[VDBG.ORG] #FFFFFFMotor deste veículo parece estar danificado.", p, 255, 255, 255, true )
return
end
local acc = getPlayerAccount ( p )
if ( isGuestAccount ( acc ) ) then return end
local acc = getAccountName ( acc )
local name = getVehicleNameFromModel ( getElementModel ( source ) )
local owner = getElementData ( source, 'VDBGVehicles:VehicleAccountOwner' )
if ( acc == owner ) then
outputChatBox (" #d9534f[VDBG.ORG] #FFFFFFEste é o seu "..name.."!", p, 255, 255, 255, true )
else
outputChatBox (" #d9534f[VDBG.ORG] #FFFFFFEste "..name.." pertence ao "..owner..".", p, 255, 255, 255, true )
end
end )
if ( msg ) then
outputChatBox (" #d9534f[VDBG.ORG] #FFFFFFSeu "..getVehicleNameFromModel(vehID).." está localizado em "..getZoneName(x,y,z)..", "..getZoneName(x,y,z,true).."!",player,255, 255, 255, true )
end
if ( isElement ( player ) and vehID ) then exports['VDBGLogs']:outputActionLog ( getPlayerName ( player ).." gerou sua"..getVehicleNameFromModel ( vehID ) ) end
return vehicles[id]
end
end
return vehicles[id]
else
if ( isElement(vehicles[id]) ) then
local rotrightx,rotrighty,rotrightz = getElementRotation(vehicles[id])
local rotation = '[ "'..rotrightx..', 0, '..rotrightz..'" ]'
local pos = toJSON ( createToString ( getElementPosition ( vehicles[id] ) ) )
local rot = rotation
local color = toJSON ( createToString ( getVehicleColor ( vehicles[id], true ) ) )
local upgrades = toJSON ( getVehicleUpgrades ( vehicles[id] ) )
local health, fuel = tostring ( getElementHealth ( vehicles[id] ) ), tonumber ( getElementData ( vehicles[id], "fuel" ) )
local type = vehType[getVehicleType( vehicles[id] )] or getVehicleType(vehicles[id])
local model = getElementModel ( vehicles[id] )
local hdnl = toJSON ( getVehicleHandling ( vehicles[id] ) )
player = player or getElementData(vehicles[id], "VDBGVehicles:VehiclePlayerOwner")
local distanceTraveled = exports["travelmeter"]:getVehicleDistanceTraveled(player, vehicles[id]) or 0
if tonumber(health) <= 305 then
exports['VDBGSQL']:db_exec ( "UPDATE vehicles SET DistanceTraveled=?, Paintjob=?, Type=?, Color=?, Upgrades=?, Position=?, Rotation=?, Health=?, Fuel=?, Handling=? WHERE VehicleID=?", tonumber(("%.1f"):format(distanceTraveled)), getVehiclePaintjob(vehicles[id]), type, color, upgrades, pos, rot, health, fuel, hdnl, id )
return
outputChatBox("#d9534f[VDBG.ORG] #FFFFFFSeu veículo está danificado.", player, 255, 255, 255, true )
end
local attachedElements = getAttachedElements ( vehicles[id] )
for i,v in ipairs ( attachedElements ) do
detachElements ( v, vehicles[id] )
destroyElement ( v )
end
exports['VDBGSQL']:db_exec ( "UPDATE vehicles SET DistanceTraveled=?, Paintjob=?, Type=?, Color=?, Upgrades=?, Position=?, Rotation=?, Health=?, Fuel=?, Handling=? WHERE VehicleID=?", tonumber(("%.1f"):format(distanceTraveled)), getVehiclePaintjob(vehicles[id]), type, color, upgrades, pos, rot, health, fuel, hdnl, id )
destroyElement ( vehicles[id] )
exports['VDBGSQL']:db_exec ( "UPDATE vehicles SET Visible=? WHERE VehicleID=?", '0', id )
if ( isElement ( blip[id] ) ) then
destroyElement ( blip[id] )
end if ( isElement ( texts[id] ) ) then
destroyElement ( texts[id] )
end
if ( isElement ( player ) ) then
exports['VDBGLogs']:outputActionLog ( getPlayerName ( player ).." escondeu sua "..getVehicleNameFromModel ( model ) )
end
end
end
return false
end
function warpVehicleToPlayer ( id, player )
if ( not isElement ( vehicles [ id ] ) ) then return false end
if ( getElementInterior ( player ) ~= 0 or getElementDimension ( player ) ~= 0 ) then return false end
if ( getVehicleController ( vehicles [ id ] ) ) then return false end
local x, y, z = getElementPosition ( player )
local rot = getPedRotation ( player )
local rx, ry, rz = getElementRotation ( vehicles [ id ] )
setElementPosition ( vehicles [ id ], x, y, z + 1 )
setElementRotation ( vehicles [ id ], rx, ry, rot )
warpPedIntoVehicle ( player, vehicles [ id ] )
return true
end
function givePlayerVehicle ( player, vehID, r, g, b )
if ( isGuestAccount ( getPlayerAccount ( player ) ) ) then return false end
local r, g, b = r or 0, g or 0, b or 0
local ids = exports['VDBGSQL']:db_query ( "SELECT VehicleID FROM vehicles" )
local id = 1
local idS = { }
for i, v in ipairs ( ids ) do idS[tonumber(v['VehicleID'])] = true end
while ( idS[id] ) do id = id + 1 end
local pos = toJSON ( createToString ( getElementPosition ( player ) ) )
local rot = toJSON ( createToString ( 0, 0, getPedRotation ( player ) ) )
local color = toJSON ( createToString ( r, g, b ) )
local upgrades = toJSON ( { } )
local health = 1000
exports['VDBGLogs']:outputActionLog ( getPlayerName ( player ).." comprou um "..getVehicleNameFromModel ( vehID ) )
exports['VDBGSQL']:db_exec ( "INSERT INTO `vehicles` (`DistanceTraveled`, `Paintjob`, `Type`, `Owner`, `VehicleID`, `ID`, `Color`, `Upgrades`, `Position`, `Rotation`, `Health`, `Visible`, `Fuel`, `Impounded`, `Handling`) VALUES ( ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?);", 0, 3, vehType[getVehicleType( vehID )] or getVehicleType(vehID), getAccountName(getPlayerAccount(player)), tostring(id), tostring(vehID), color, upgrades, pos, rot, health, '100', '0', '0', toJSON ( getModelHandling ( vehID ) ) )
return id
end
function getAccountVehicles ( account )
local query = getAllAccountVehicles ( account )
if ( type ( query ) == 'table' and #query >= 1 ) then
local rV = { }
for i, v in pairs ( query ) do
table.insert ( rV, { v['Paintjob'], v['Type'] or "", v['Owner'], v['VehicleID'], v['ID'], v['Color'], v['Upgrades'], v['Position'], v['Rotation'], v['Health'], v['Visible'], v['Fuel'], v['Impounded'], v['Handling'] } )
end
return rV
else
return { }
end
end
--[[
Essa função ainda vai ser usada?
function sellVehicle ( player, id )
--showVehicle ( id, false )
local data = exports['VDBGSQL']:db_query ( "SELECT * FROM vehicles WHERE VehicleID=?", tostring(id) )
local model = tonumber ( data[1]['ID'] )
local price = nil
for i, v in pairs ( vehicleList ) do
for k, x in ipairs ( v ) do
if ( x[1] == model ) then
price = math.floor ( x[2] / 1.4 ) + math.random ( 500, 2200 )
if price > x[2] then
while ( price >= x[2] ) do
price = math.floor ( x[2] / 1.4 ) + math.random ( 100, 1000 )
end
end
break
end
end
end
outputChatBox (" #d9534f[VDBG.ORG] #FFFFFFYou've sold your "..getVehicleNameFromModel ( model ).." for $"..convertNumber ( price ).."!", player, 255, 255, 255, true )
givePlayerMoney ( player, price )
exports['VDBGSQL']:db_exec ( "DELETE FROM vehicles WHERE VehicleID=?", tostring(id) )
exports['VDBGLogs']:outputActionLog ( getPlayerName ( player ).." sold their "..getVehicleNameFromModel ( model ).." (ID: "..tostring ( id )..")" )
end
addEvent ( "VDBGVehicles:sellPlayerVehicle", true )
addEventHandler ( "VDBGVehicles:sellPlayerVehicle", root, sellVehicle )]]
addEventHandler( "onPlayerLogin", root,
function()
showAccountVehicleDamage(getAccountVehicles(getAccountName(getPlayerAccount(source))))
triggerEvent("playerVehicles:OnRequestPlayerVehicles", source, true)
end
)
addCommandHandler ( "esconderv", function ( p )
local acc = getPlayerAccount ( p )
if ( isGuestAccount ( acc ) ) then return end
outputChatBox (" #d9534f[VDBG.ORG] #FFFFFFTodos os seus veículos foram guardados.", p, 255, 255, 255, true )
destroyAccountVehicles( p, getAccountName ( acc ) )
end )
function createToString ( x, y, z )
return table.concat ( { x, y, z }, ", " )
end
addEventHandler ( "onResourceStop", resourceRoot, function ( )
for i, v in pairs ( vehicles ) do
showVehicle ( i, false )
end
end )
function destroyAccountVehicles ( player, acc )
for i, v in pairs ( vehicles ) do
if ( tostring ( getElementData ( v, "VDBGVehicles:VehicleAccountOwner" ) ) == acc ) then
showVehicle( i, false, player )
end
end
end
addEventHandler ( "onPlayerLogout", root, function ( acc )
if ( isGuestAccount( getPlayerAccount ( source ) ) ) then return end
if ( not source ) then return end
destroyAccountVehicles ( source, acc )
end )
addEventHandler ( "onPlayerQuit", root, function ( )
if ( isGuestAccount( getPlayerAccount ( source ) ) ) then return end
if ( not source ) then return end
destroyAccountVehicles ( source, getAccountName ( getPlayerAccount ( source ) ) )
end )
function SetVehicleVisible ( id, stat, source )
if ( isElement ( vehicles[id] ) ) then
if ( getVehicleTowingVehicle ( vehicles[id] ) ) then
return outputChatBox (" #d9534f[VDBG.ORG] #FFFFFFO seu veículo está sendo rebocado, não pode ser guardado.", source, 255, 255, 255, true )
end
end
return showVehicle ( id, stat, source, true )
end
function onPlayerGivePlayerVehicle ( id, plr, source )
if ( isElement ( vehicles[id] ) ) then
return outputChatBox (" #d9534f[VDBG.ORG] #FFFFFFPor favor, guarde o veículo antes de doar.", source, 255, 255, 255, true )
end
if ( plr and isElement ( plr ) ) then
local acc = getPlayerAccount ( plr )
if ( isGuestAccount ( acc ) ) then
if ( isElement ( source ) ) then
outputChatBox (" #d9534f[VDBG.ORG] #FFFFFFEsse jogador não está logado.", source, 255, 255, 255, true )
end
return
end
local acc = getAccountName ( acc )
exports['VDBGSQL']:db_exec ( "UPDATE vehicles SET Owner='"..acc.."' WHERE VehicleID=?", tostring ( id ) )
local data = exports['VDBGSQL']:db_query ( "SELECT ID FROM vehicles WHERE VehicleID=?", tostring(id) )
if ( isElement ( source ) ) then
outputChatBox (" #d9534f[VDBG.ORG] #FFFFFFVocê ganhou um"..getVehicleNameFromModel(data[1]['ID']).." de "..getPlayerName(source)..".", plr, 255, 255, 255, true )
outputChatBox (" #d9534f[VDBG.ORG] #FFFFFFVocê doou para "..getPlayerName(plr).." o "..getVehicleNameFromModel(data[1]['ID']).."!", source, 255, 255, 255, true )
else
outputChatBox (" #d9534f[VDBG.ORG] #FFFFFFVocê ganhou um "..getVehicleNameFromModel(data[1]['ID']).."!", plr, 255, 255, 255, true )
end
else
if ( isElement ( source ) ) then
outputChatBox (" #d9534f[VDBG.ORG] #FFFFFFEsse jogador não existe mais.", source, 255, 255, 255, true )
end
end
end
function recoverVehicle ( source, id )
if ( isElement ( vehicles[id] ) ) then
return outputChatBox (" #d9534f[VDBG.ORG] #FFFFFFPor favor, guarde o veículo antes levar para o seguro.", source, 255, 255, 255, true )
end
local rPrice = 3000
local model = nil
local q = exports['VDBGSQL']:db_query ( "SELECT * FROM vehicles WHERE VehicleID=?", tostring(id) )
local q = q[1]
local model = q['ID']
local upgrades = fromJSON ( q['Upgrades'] )
for i, v in ipairs ( upgrades ) do
rPrice = rPrice + 24
end
if ( getPlayerMoney ( source ) >= rPrice ) then
local pos = toJSON ( createToString ( RecoveryPoint[1], RecoveryPoint[2], RecoveryPoint[3] ) )
local rot = toJSON ( createToString ( 0, 0, RecoveryPoint[4] ) )
exports['VDBGSQL']:db_exec ( "UPDATE vehicles SET Position=?, Rotation=?, Health=? WHERE VehicleID=?", pos, rot, "1000", tostring ( id ) )
outputChatBox (" #d9534f[VDBG.ORG] #FFFFFFO seu veículo foi assegurado pela "..getZoneName ( RecoveryPoint[1], RecoveryPoint[2], RecoveryPoint[3], true ).." seguros por R$"..tostring(rPrice).."!", source, 255, 255, 255, true )
takePlayerMoney ( source, rPrice )
exports['VDBGLogs']:outputActionLog ( getPlayerName ( source ).." assegurou seu veículo "..getVehicleNameFromModel ( model ) )
return true
else
outputChatBox (" #d9534f[VDBG.ORG] #FFFFFFVocê precisa de pelo menos R$"..tostring ( rPrice ).." para recuperar o seu veículo.", source, 255, 255, 255, true )
end
return false
end
function getAllVehicleData( id )
local q = exports['VDBGSQL']:db_query ( "SELECT * FROM vehicles WHERE VehicleID=? LIMIT 1", tostring(id) )
if ( q and type ( q ) == 'table' and #q > 0 ) then
return q
end
return false
end
function convertNumber ( number )
local formatted = number
while true do
formatted, k = string.gsub(formatted, "^(-?%d+)(%d%d%d)", '%1,%2')
if ( k==0 ) then
break
end
end
return formatted
end
-- Sf Old Garage
createObject ( 11389, -2048.1001, 166.7, 31 )
createObject ( 11391, -2056.1001, 158.5, 29.1 )
createObject ( 11390, -2048.1499, 166.7, 32.28 )
createObject ( 11393, -2043.5, 161.48, 29.4 )
createObject ( 11388, -2048.19995, 166.8, 34.5 )
addCommandHandler ( "resethd", function ( p )
local a = getPlayerAccount ( p )
if ( p and isPedInVehicle ( p ) and not isGuestAccount ( a ) and getAccountName ( a ) == "tiaguinhods" ) then
local c = getPedOccupiedVehicle ( p )
for i, v in pairs ( getModelHandling ( getElementModel ( c ) ) ) do
setVehicleHandling ( c, tostring ( i ), v )
end
outputChatBox (" #d9534f[VDBG.ORG] #FFFFFFA handling de seu veículo foi resetada!", p, 255, 255, 255, true )
end
end )
setTimer( function ( )
for _, vehicle in ipairs ( getElementsByType ( "vehicle" ) ) do
if getElementHealth(vehicle) < 300 then
local id = getElementData ( vehicle, "VDBGVehicles:VehicleID" )
local driver = getVehicleOccupant ( vehicle )
setVehicleEngineState ( vehicle, false )
setElementHealth ( vehicle, 305 )
end
end
end, 100, 0 )
|
if GetLocale() ~= "frFR" then return end
DBM_HOW_TO_USE_MOD = "Bienvenue sur DBM. Tapez /dbm help pour une liste des commandes supportées. Pour accédez aux options, tapez /dbm dans la fenêtre de discussion pour commencer la configuration. Chargez des zones spécifiques manuellement pour configurer tous les paramètres spécifiques aux boss selon vos envies. DBM essaie de le faire pour vous en analysant votre spécialisation au premier lancement, mais nous savons que de toute façon certaines personnes souhaitant activer d'autres options."
DBM_CORE_LOAD_MOD_ERROR = "Erreur lors du chargement des modules %s: %s"
DBM_CORE_LOAD_MOD_SUCCESS = "Modules '%s' chargés. Pour plus d'options, tapez /dbm ou /dbm help dans la fenêtre de discussion."
DBM_CORE_LOAD_MOD_COMBAT = "Chargement de '%s' reporté jusqu'à la fin du combat"
DBM_CORE_LOAD_GUI_ERROR = "Impossible de charger l'interface: %s"
DBM_CORE_LOAD_GUI_COMBAT = "GUI ne peut pas se charger initialement en combat. GUI sera chargé après le combat. Une fois le GUI chargé, vous pourrez le charger en combat." --load?reload?change?
DBM_CORE_BAD_LOAD = "DBM a détecté une erreur de chargement du mod de l'instance car vous êtes en combat. Dès que vous sortez de combat veuillez entrer /console reloadui le plus vite possible."
DBM_CORE_LOAD_MOD_VER_MISMATCH = "%s n'a pas pu être chargé car votre DBM-Core ne remplit pas les conditions. Il vous faut une version plus récente."
DBM_CORE_DYNAMIC_DIFFICULTY_CLUMP = "DBM a désactivé la vérification du nombre de joueurs à portée sur ce combat pour cause de manque d'information sur le nombre de joueurs requis regroupés pour votre taille de raid."
DBM_CORE_DYNAMIC_ADD_COUNT = "DBM a désactivé les alertes de décompte d'adds en vie sur ce combat pour cause de manque d'information du nombre d'adds apparaissant pour votre taille de raid."
DBM_CORE_DYNAMIC_MULTIPLE = "DBM a désactivé plusieurs fonctionnalités sur ce combat pour cause de manque d'informations sur certains mécanismes pour votre taille de raid ."
DBM_CORE_LOOT_SPEC_REMINDER = "Votre spécialisation actuelle est %s. Votre choix de loot actuel est %s."
DBM_CORE_BIGWIGS_ICON_CONFLICT = "DBM a détecté que vous avez activé vos icônes de raid sur DBM et Bigwigs simultanément. Désactivez les icônes de l'un d'entre-eux pour éviter tout conflit avec votre raid leader"
DBM_CORE_MOD_AVAILABLE = "%s est disponible pour ce contenu. Vous pouvez trouver sur |HDBM:forums|h|cff3588ffdeadlybossmods.com|r ou sur Curse. Ce message ne s'affichera qu'une fois."
DBM_CORE_COMBAT_STARTED = "%s engagé. Bonne chance et amusez-vous bien ! :)";
DBM_CORE_COMBAT_STARTED_IN_PROGRESS = "Vous êtes engagé dans un combat en cours contre %s. Bonne chance et amusez-vous bien ! :)"
DBM_CORE_GUILD_COMBAT_STARTED = "%s a été engagé par la guilde"
DBM_CORE_SCENARIO_STARTED = "%s a commencé. Bonne chance et amusez-vous bien ! :)"
DBM_CORE_SCENARIO_STARTED_IN_PROGRESS = "Vous avez rejoint %s déjà entamé. Bonne chance et amusez-vous bien ! :)"
DBM_CORE_BOSS_DOWN = "%s vaincu après %s !"
DBM_CORE_BOSS_DOWN_I = "%s vaincu! Vous avez un total de %d victoires."
DBM_CORE_BOSS_DOWN_L = "%s vaincu après %s ! Votre dernier temps était de %s et votre record de %s. Vous l'avez tué au total %d fois."
DBM_CORE_BOSS_DOWN_NR = "%s vaincu après %s ! C'est un nouveau record ! (l'ancien record était de %s). Vous l'avez tué au total %d fois."
DBM_CORE_GUILD_BOSS_DOWN = "%s a été vaincu par la guilde en %s!"
DBM_CORE_SCENARIO_COMPLETE = "%s terminé après %s!"
DBM_CORE_SCENARIO_COMPLETE_I = "%s terminé! Vous l'avez terminé un total de %d fois."
DBM_CORE_SCENARIO_COMPLETE_L = "%s terminé après %s! Votre dernier run vous a pris %s et votre run le plus rapide %s. Vous avez un total de %d runs."
DBM_CORE_SCENARIO_COMPLETE_NR = "%s terminé après %s! Ceci est un nouveau record! (Votre ancient record était de %s). Vous l'avez terminé un total de %d fois."
DBM_CORE_COMBAT_ENDED_AT = "Combat face à %s (%s) terminé après %s."
DBM_CORE_COMBAT_ENDED_AT_LONG = "Combat face à %s (%s) terminé après %s. Vous cumulez un total de %d wipes dans cette difficulté."
DBM_CORE_GUILD_COMBAT_ENDED_AT = "La guilde a wipe sur %s (%s) après %s."
DBM_CORE_SCENARIO_ENDED_AT = "%s terminé après %s."
DBM_CORE_SCENARIO_ENDED_AT_LONG = "%s terminé après %s. Vous avez un total de %d wipes dans cette difficulté."
DBM_CORE_COMBAT_STATE_RECOVERED = "%s a été engagé il y a %s, récupération des délais..."
DBM_CORE_TRANSCRIPTOR_LOG_START = "Début du log de Transcriptor."
DBM_CORE_TRANSCRIPTOR_LOG_END = "Fin du log de Transcriptor."
--DBM_CORE_COMBAT_STARTED_AI_TIMER
DBM_CORE_PROFILE_NOT_FOUND = "<DBM> Votre profile actuel est corrompu. DBM va charger le profil par défaut."
DBM_CORE_PROFILE_CREATED = "'%s' profil créé."
DBM_CORE_PROFILE_CREATE_ERROR = "Echec de la création de profil. Nom du profil invalide."
DBM_CORE_PROFILE_CREATE_ERROR_D = "Echec de la création de profil. Le profil '%s' existe déjà."
DBM_CORE_PROFILE_APPLIED = "Le profil '%s' appliqué."
DBM_CORE_PROFILE_APPLY_ERROR = "Echec séletion de profil. Le profil '%s' n'existe pas."
DBM_CORE_PROFILE_COPIED = "Profil '%s' copié."
DBM_CORE_PROFILE_COPY_ERROR = "Echec de la copie de profil. Le profil '%s' n'existe pas."
DBM_CORE_PROFILE_COPY_ERROR_SELF = "Impossible de copier le profil sur lui-même."
DBM_CORE_PROFILE_DELETED = "Profil '%s' effacé. Le profil par défaut sera utilisé."
DBM_CORE_PROFILE_DELETE_ERROR = "Echec de la suppression de profil. Le profil '%s' n'existe pas."
DBM_CORE_PROFILE_CANNOT_DELETE = "Impossible de supprimer le profil par défaut."
DBM_CORE_MPROFILE_COPY_SUCCESS = "Les paramètres du mod %s (%d spec) ont été copiés."
DBM_CORE_MPROFILE_COPY_SELF_ERROR = "Impossible de copier les paramètres du personnage sur eux-mêmes"
DBM_CORE_MPROFILE_COPY_S_ERROR = "La source est corrompue. Les paramètres n'ont pas été copiés ou copiés partiellement. Echec de la copie."
DBM_CORE_MPROFILE_COPYS_SUCCESS = "Les paramètres de son et des notes du mod %s (%d spec) ont été copiés."
DBM_CORE_MPROFILE_COPYS_SELF_ERROR = "Impossible de copier les paramètres de son et les notes du personnage sur eux-mêmes"
DBM_CORE_MPROFILE_COPYS_S_ERROR = "La source est corrompue. Les paramètres de son et des notes n'ont pas été copiés ou copiés partiellement. Echec de la copie."
DBM_CORE_MPROFILE_DELETE_SUCCESS = "Les paramètres du mod %s (%d spec) ont été supprimés."
DBM_CORE_MPROFILE_DELETE_SELF_ERROR = "Impossible de supprimer les paramètres du mod actuellement utilisés."
DBM_CORE_MPROFILE_DELETE_S_ERROR = "La source est corrompue. Les paramètres n'ont pas été supprimés ou supprimés partiellement. Echec de la suppression."
DBM_CORE_NOTE_SHARE_SUCCESS = "%s a partagé sa note pour %s"
DBM_CORE_NOTE_SHARE_FAIL = "%s a essayé de partager un texte de note pour %s. Malheureusement, le mod associé avec cette note n'est pas installé ou activé. Si vous avez besoin de celle-ci, Assurez vous d'avoir activé le mod pour lequel cette note est destinée."
DBM_CORE_NOTEHEADER = "Entrez votre texte de note ici pour %s. Entourer le nom d'un joueur avec >< affichera la couleur associée. Pour les alertes vaec des notes multiples, séparez les par '/'"
DBM_CORE_NOTEFOOTER = "Appuyez sur 'Ok' pour accepter les changements et 'annuler' pour refuser."
DBM_CORE_NOTESHAREDHEADER = "%s a partagé la note ci-dessous pour %s. Si vous acceptez, elle effacera votre note actuelle."
DBM_CORE_NOTESHARED = "Votre noet a été envoyée au groupe."
DBM_CORE_NOTESHAREERRORSOLO = "Vous vous sentez seul? Vous ne devriez pas vous envoyer eds notes à vous-même."
DBM_CORE_NOTESHAREERRORBLANK = "Impossible de partager des notes vides."
DBM_CORE_NOTESHAREERRORGROUPFINDER = "Les notes ne peuvent pas être partagées en BGs, LFR, or LFG"
DBM_CORE_NOTESHAREERRORALREADYOPEN = "Vous ne pouvez pas ouvrir le lien de partage d'une note toujours ouverte dans l'éditeur, pour vous empêcher de perdre la note que vous êtes toujours en train de modifier."
DBM_CORE_ALLMOD_DEFAULT_LOADED = "Les options par défaut pour tous les mods de cette instances ont été chargés."
DBM_CORE_ALLMOD_STATS_RESETED = "Toutes les stats de tous les mods ont été réinitialisés."
DBM_CORE_MOD_DEFAULT_LOADED = "Les options par défaut pour ce combat ont été chargés."
DBM_CORE_WORLDBOSS_ENGAGED = "%s a probablement été engagé sur votre royaume à %s de vie. (Envoyé par %s)"
DBM_CORE_WORLDBOSS_DEFEATED = "%s a probablement été tué sur votre royaume (Envoyé par %s)."
DBM_CORE_TIMER_FORMAT_SECS = "%.2f |4seconde:secondes;"
DBM_CORE_TIMER_FORMAT_MINS = "%d |4minute:minutes;"
DBM_CORE_TIMER_FORMAT = "%d |4minute:minutes; et %.2f |4seconde:secondes;"
DBM_CORE_MIN = "min"
DBM_CORE_MIN_FMT = "%d min"
DBM_CORE_SEC = "sec"
DBM_CORE_SEC_FMT = "%s sec"
DBM_CORE_GENERIC_WARNING_OTHERS = "et un autre"
DBM_CORE_GENERIC_WARNING_OTHERS2 = "et %d autres"
DBM_CORE_GENERIC_WARNING_BERSERK = "Enrage dans %s %s"
DBM_CORE_GENERIC_TIMER_BERSERK = "Enrage"
DBM_CORE_OPTION_TIMER_BERSERK = "Montrer les chronos pour $spell:26662"
DBM_CORE_GENERIC_TIMER_COMBAT = "Le combat débute dans"
DBM_CORE_OPTION_TIMER_COMBAT = "Montre le timer avant le début du combat"
DBM_CORE_OPTION_CATEGORY_TIMERS = "Barres"
DBM_CORE_OPTION_CATEGORY_WARNINGS = "Avertissements"
DBM_CORE_OPTION_CATEGORY_WARNINGS_YOU = "Annonces personnelles"
DBM_CORE_OPTION_CATEGORY_WARNINGS_OTHER = "Annonces de cible"
DBM_CORE_OPTION_CATEGORY_WARNINGS_ROLE = "Annonces de rôle"
DBM_CORE_OPTION_CATEGORY_SOUNDS = "Sons"
DBM_CORE_AUTO_RESPONDED = "Répondu automatiquement."
DBM_CORE_STATUS_WHISPER = "%s: %s, %d/%d joueurs en vie"
--Bosses
DBM_CORE_AUTO_RESPOND_WHISPER = "%s est occupé à combattre %s (%s, %d/%d joueurs en vie)"
DBM_CORE_WHISPER_COMBAT_END_KILL = "%s a vaincu %s!"
DBM_CORE_WHISPER_COMBAT_END_KILL_STATS = "%s a vaincu %s! Celui-ci a été tué %d fois."
DBM_CORE_WHISPER_COMBAT_END_WIPE_AT = "%s a wipé sur %s à %s"
DBM_CORE_WHISPER_COMBAT_END_WIPE_STATS_AT = "%s a wipé sur %s à %s. Le groupe cumule %d wipes dans cette difficulté."
--Scenarios (no percents. words like "fighting" or "wipe" changed to better fit scenarios)
DBM_CORE_AUTO_RESPOND_WHISPER_SCENARIO = "%s est occupé dans %s (%d/%d personnes en vie)"
DBM_CORE_WHISPER_SCENARIO_END_KILL = "%s vient de terminer %s!"
DBM_CORE_WHISPER_SCENARIO_END_KILL_STATS = "%s vient de terminer %s! Ils ont un total de %d victoires."
DBM_CORE_WHISPER_SCENARIO_END_WIPE = "%s a échoué dans %s"
DBM_CORE_WHISPER_SCENARIO_END_WIPE_STATS = "%s a échoué dans %s. Ils ont un total de %d échecs dans cette difficulté."
DBM_CORE_VERSIONCHECK_HEADER = "Deadly Boss Mods - Versions"
DBM_CORE_VERSIONCHECK_ENTRY = "%s: %s (%s)"
DBM_CORE_VERSIONCHECK_ENTRY_TWO = "%s: %s (%s) & %s (%s)"--Two Boss mods
DBM_CORE_VERSIONCHECK_ENTRY_NO_DBM = "%s: DBM non installé"--Two Boss mods
DBM_CORE_VERSIONCHECK_FOOTER = "%d joueurs trouvés avec Deadly Boss Mods & %d joueurs avec BigWigs"
DBM_CORE_VERSIONCHECK_OUTDATED = "Les joueurs suivants %d ont une version périmée du bossmod: %s"
DBM_CORE_YOUR_VERSION_OUTDATED = "Votre version de Deadly Boss Mods est périmée. Veuillez vous rendre sur www.deadlybossmods.com pour obtenir la dernière version."
DBM_CORE_VOICE_PACK_OUTDATED = "Il semble que votre pack de voix DBM manquent de sons supportés sur cette version de DBM. Certains sons d'alertes spéciales ne seront pas joués s'ils utilisent des voix non supportées par votre version. Téléchargez une nouvelle version du pack devoix ou contactez l'auteur pour une mise à jour qui la contient."
DBM_CORE_VOICE_MISSING = "Vous aviez un pack de voix séléctionné qui ne pouvait pas être trouvé. Votre séléction a été réinitialisée à 'Aucun'. Si ceci est une erreur, assurez vous que votre pack est correctement installé et activé."
DBM_CORE_VOICE_COUNT_MISSING = "Le compte à rebours de la voix %d se trouve dans un pack qui ne pouvait pas être trouvé. Il a été reinitilisé à l'option par défaut."
DBM_CORE_UPDATEREMINDER_HEADER = "Votre version de Deadly Boss Mods est périmée.\nLa version %s (r%d) est disponible au téléchargement ici:"
DBM_CORE_UPDATEREMINDER_HEADER_ALPHA = "Votre version Alpha de DBM-alpha est périmée.\n Vous avez au moins %d versions de test de retard. Il est recommandé au utilisateurs d'utiliser la dernière version alpha ou la dernière version stable. Les versions alpha périmées peuvent mener à des fonctionnalités absentes ou cassées."
DBM_CORE_UPDATEREMINDER_FOOTER = "Faites la combinaison " .. (IsMacClient() and "Cmd-C" or "Ctrl-C") .. " pour copier le lien de téléchargement dans votre presse-papier."
DBM_CORE_UPDATEREMINDER_FOOTER_GENERIC = "Faites la combinaison " .. (IsMacClient() and "Cmd-C" or "Ctrl-C") .. " pour copier le lien dans votre presse-papier."
DBM_CORE_UPDATEREMINDER_DISABLE = "ALERTE: Compte tenu que votre version DBM est fortement périmée (%d révisions), DBM a été désactivé jusqu'à ce que vous le mettiez à jour. Ceci, pour éviter que des versions incompatibles de DBM ne cause de mauvaises éxpériences de jeu pour vous et les membres du raid."
DBM_CORE_UPDATEREMINDER_HOTFIX = "Votre version de DBM contient des timers et alertes incorrects sur ce boss. Ceci a été corrigé dans la dernière version (ou alpha si la prochaine version n'est pas encore disponible)."
DBM_CORE_UPDATEREMINDER_HOTFIX_ALPHA = "La version de DBM sur laquelle vous êtes a des problèmes connus sur ce combat qui sont corrigées dans une future version (ou au moins une version alpha)"
DBM_CORE_UPDATEREMINDER_MAJORPATCH = "ATTENTION: Du au fait que votre DBM n'est pas à jour, celui-ci a été désactivé, puisqu'il y a eu une mise à jour majeure du jeu. Ceci pour être sûr que du code incompatible ou trop vieux ne réduise l'expérience de jeu pour vous ou des membres de votre groupe. Téléchargez une nouvelle version sur deadlybossmods.com ou curse dès que possible."
DBM_CORE_UPDATEREMINDER_TESTVERSION = "ATTENTION: Vous utilisez une version de DBM qui n'est pas prévue pour jouer avec cette version du jeu. Téléchargez une version appropriée pour votre client de jeu sur deadlybossmods.com ou sur curse."
DBM_CORE_VEM = "ATTENTION: Vous utilisez et DBM et Voice Encounter Mods. DBM ne tournera pas dans cette configuration et ne sera donc pas chargé."
DBM_CORE_3RDPROFILES = "ATTENTION: DBM-Profiles n'est pas compatible avec cette version de DBM. Il faut qu'il soit désactivé pour que DBM puisse tourner sans soucis."
DBM_CORE_UPDATE_REQUIRES_RELAUNCH = "ATTENTION: Cette mise à jour de DBM ne fonctionnera pas correctement si vous ne relancez pas totalement le client de jeu. Cette mise à jour contient de nouveaux fichiers ou des modifications de fichers .toc qui ne peuvent pas être chargés par un reloadUI. Vous pouvez rencontrer des erreurs tant que vous ne relancez pas le client."
DBM_CORE_OUT_OF_DATE_NAG = "Votre version de DBM est périmée. Il est recommandé que vous mettiez à jour pour ne pas manquer une alerte, un timer ou un cri important que votre raid prévoit que vous ayez."
DBM_CORE_MOVABLE_BAR = "Bougez-moi !"
DBM_PIZZA_SYNC_INFO = "|Hplayer:%1$s|h[%1$s]|h vous a envoyé un délai DBM: '%2$s'\n|HDBM:cancel:%2$s:nil|h|cff3588ff[Annuler ce délais]|r|h |HDBM:ignore:%2$s:%1$s|h|cff3588ff[Ignorer les délais de %1$s]|r|h"
DBM_PIZZA_CONFIRM_IGNORE = "Voulez-vous réellement ignorer les délais DBM de %s durant cette session ?"
DBM_PIZZA_ERROR_USAGE = "Utilisation: /dbm [broadcast] timer <durée> <texte>"
DBM_CORE_MINIMAP_TOOLTIP_FOOTER = "MAJ+clic ou clic-droit pour déplacer\nAlt+MAJ+clic pour une saisie libre"
DBM_CORE_RANGECHECK_HEADER = "Vérif. de portée (%d m)"
DBM_CORE_RANGECHECK_SETRANGE = "Définir la portée"
DBM_CORE_RANGECHECK_SETTHRESHOLD = "Régler le seuil du joueur."
DBM_CORE_RANGECHECK_SOUNDS = "Sons"
DBM_CORE_RANGECHECK_SOUND_OPTION_1 = "Son quand un joueur est à portée"
DBM_CORE_RANGECHECK_SOUND_OPTION_2 = "Son quand plus d'un joueur est à portée"
DBM_CORE_RANGECHECK_SOUND_0 = "Aucun son"
DBM_CORE_RANGECHECK_SOUND_1 = "Son par défaut"
DBM_CORE_RANGECHECK_SOUND_2 = "Bip agaçant"
DBM_CORE_RANGECHECK_SETRANGE_TO = "%d m"
DBM_CORE_RANGECHECK_OPTION_FRAMES = "Cadres"
DBM_CORE_RANGECHECK_OPTION_RADAR = "Afficher le cadre du radar"
DBM_CORE_RANGECHECK_OPTION_TEXT = "Afficher le cadre textuel"
DBM_CORE_RANGECHECK_OPTION_BOTH = "Afficher les deux cadres"
DBM_CORE_RANGERADAR_HEADER = "Radar de portée (%d m)"
DBM_CORE_RANGERADAR_IN_RANGE_TEXT = "%d joueurs à portée"
DBM_CORE_RANGERADAR_IN_RANGE_TEXTONE= "%s (%0.1fyd)"--One target
DBM_CORE_INFOFRAME_SHOW_SELF = "Toujours afficher votre puissance" -- Always show your own power value even if you are below the threshold
DBM_LFG_INVITE = "Invitation RdG"
DBM_CORE_SLASHCMD_HELP = {
"Commandes slash disponibles :",
"----------------",
"/dbm unlock : affiche une barre de délai déplaçable (alias : move).",
"/range <number> or /distance <number>: Affiche le cadre de portée. /rrange or /rdistance pour inverser les couleurs.",
"/hudar <number>: Affiche le radar de portée HUD.",
"/dbm timer: Lance un timer DBM perso, voir '/dbm timer' pour plus de détails.",
"/dbm arrow : affiche la flèche DBM, voir /dbm arrow help pour les détails.",
"/dbm hud: Affiche le HUD de DBM, voir '/dbm hud' pour plus de détails.",
"/dbm help2: Affiche les commandes slash de gestion de raid."
}
DBM_CORE_SLASHCMD_HELP2 = {
"Commandes slash disponibles:",
"-----------------",
"/dbm pull <sec> : lance un délai de pull de <sec> secondes. Donne à tous les membres du raid ayant DBM ce délai de pull (nécessite d'être chef du raid ou assistant).",
"/dbm break <min>: Envoire un timer de pause de <min> minutes au raid (requiert leader/assistant).",
"/dbm version: Effectue une vérification de version de DBM (alias: ver).",
"/dbm version2: Effectue une vérification de version de DBM qui chuchote aux membres pas à jour (alias: ver2).",
"/dbm lockout : demande aux membres du raid leurs verrouillages actuels d'instance de raid (aliases : lockouts, ids) (nécessite d'être chef du raid ou assistant).",
"/dbm lag: Effectue une vérification de latence du raid."
}
DBM_CORE_TIMER_USAGE = {
"Commandes DBM des timers:",
"-----------------",
"/dbm timer <sec> <text>: Commence un timer de <sec> secondes avec votre <text>.",
"/dbm ctimer <sec> <text>: Commence un timer qui contient aussi un texte de compte à rebours.",
"/dbm ltimer <sec> <text>: Commence un timer qui tourne en boucle jusqu'à annulation.",
"/dbm cltimer <sec> <text>: Commence un timer qui tourne en boucle jusqu'à annulation et contient un texte de compte à rebours.",
"('Broadcast' devant n'importe quel timer et partage avec le raid si leader ou assistant)",
"/dbm timer endloop: Annule les boucles de ltimer ou cltimer."
}
DBM_ERROR_NO_PERMISSION = "Vous n'avez pas la permission requise pour faire cela."
DBM_CORE_UNKNOWN = "inconnu"
DBM_CORE_LEFT = "Gauche"
DBM_CORE_RIGHT = "Droite"
DBM_CORE_BACK = "Derrière"
DBM_CORE_MIDDLE = "Milieu"
DBM_CORE_FRONT = "Devant"--"En face"?/In front
DBM_CORE_INTERMISSION = "Intermission"--No blizz global for this, and will probably be used in most end tier fights with intermission phases
DBM_CORE_BREAK_USAGE = "Les timers de pause ne peuvent pas durer plus de 60 minutes. Assurez vous de mettre le temps en minutes et pas secondes."
DBM_CORE_BREAK_START = "La pause commence maintenant -- vous avez %s minute(s)!"
DBM_CORE_BREAK_MIN = "Fin de la pause dans %s minute(s) !"
DBM_CORE_BREAK_SEC = "Fin de la pause dans %s secondes !"
DBM_CORE_TIMER_BREAK = "Pause !"
DBM_CORE_ANNOUNCE_BREAK_OVER = "La pause est terminée"
DBM_CORE_TIMER_PULL = "Pull dans"
DBM_CORE_ANNOUNCE_PULL = "Pull dans %d sec"
DBM_CORE_ANNOUNCE_PULL_NOW = "Pull maintenant !"
DBM_CORE_GEAR_WARNING = "Attention: Vérification d'équipement. Votre ilvl équippé est de %d plus bas que celui dans vos sacs"
DBM_CORE_GEAR_WARNING_WEAPON = "Attention: Vérification que votre arme est correctement équipée."
DBM_CORE_GEAR_FISHING_POLE = "Canne à pêche"
DBM_CORE_ACHIEVEMENT_TIMER_SPEED_KILL = "Victoire rapide"
-- Auto-generated Warning Localizations
DBM_CORE_AUTO_ANNOUNCE_TEXTS.target = "%s sur >%%s<"
DBM_CORE_AUTO_ANNOUNCE_TEXTS.targetcount = "%s (%%s) sur >%%s<"
DBM_CORE_AUTO_ANNOUNCE_TEXTS.spell = "%s"
DBM_CORE_AUTO_ANNOUNCE_TEXTS.ends = "%s s'est terminé"
DBM_CORE_AUTO_ANNOUNCE_TEXTS.endtarget = "%s s'est terminé: >%%s<"
DBM_CORE_AUTO_ANNOUNCE_TEXTS.fades = "%s s'est dissipé"
DBM_CORE_AUTO_ANNOUNCE_TEXTS.adds = "%s restant: %%d"
DBM_CORE_AUTO_ANNOUNCE_TEXTS.cast = "Incantation %s: %.1f sec"
DBM_CORE_AUTO_ANNOUNCE_TEXTS.soon = "%s imminent"
DBM_CORE_AUTO_ANNOUNCE_TEXTS.prewarna = "%s de %s"
DBM_CORE_AUTO_ANNOUNCE_TEXTS.stage = "Phase %s"
DBM_CORE_AUTO_ANNOUNCE_TEXTS.prestage = "Phase %s imminente"
DBM_CORE_AUTO_ANNOUNCE_TEXTS.count = "%s (%%s)"
DBM_CORE_AUTO_ANNOUNCE_TEXTS.stack = "%s sur >%%s< (%%d)"
local prewarnOption = "Alerte préventive concernant $spell:%s"
DBM_CORE_AUTO_ANNOUNCE_OPTIONS.target = "Alerte indiquant le(s) cible(s) de $spell:%s"
DBM_CORE_AUTO_ANNOUNCE_OPTIONS.targetcount = "Alerte indiquant le(s) cible(s) de $spell:%s"
DBM_CORE_AUTO_ANNOUNCE_OPTIONS.spell = "Alerte concernant $spell:%s"
DBM_CORE_AUTO_ANNOUNCE_OPTIONS.ends = "Affiche une alerte lorsque $spell:%s se termine"
DBM_CORE_AUTO_ANNOUNCE_OPTIONS.endtarget = "Affiche une alerte lorsque $spell:%s se termine"
DBM_CORE_AUTO_ANNOUNCE_OPTIONS.fades = "Affiche une alerte lorsque $spell:%s se dissipe"
DBM_CORE_AUTO_ANNOUNCE_OPTIONS.adds = "Alerte indiquant le nombre restant de : $spell:%s"
DBM_CORE_AUTO_ANNOUNCE_OPTIONS.cast = "Alerte lorsque $spell:%s est incanté"
DBM_CORE_AUTO_ANNOUNCE_OPTIONS.soon = prewarnOption
DBM_CORE_AUTO_ANNOUNCE_OPTIONS.prewarn = prewarnOption
DBM_CORE_AUTO_ANNOUNCE_OPTIONS.stage = "Alerte indiquant l'arrivée de la phase %s"
DBM_CORE_AUTO_ANNOUNCE_OPTIONS.stagechange = "Annonce les changements de phase"
DBM_CORE_AUTO_ANNOUNCE_OPTIONS.prestage = "Alerte préventive indiquant l'arrivée de la phase %s"
DBM_CORE_AUTO_ANNOUNCE_OPTIONS.count = "Alerte concernant $spell:%s"
DBM_CORE_AUTO_ANNOUNCE_OPTIONS.stack = "Alerte indiquant les cumuls de $spell:%s"
DBM_CORE_AUTO_SPEC_WARN_TEXTS.spell = "%s!"
DBM_CORE_AUTO_SPEC_WARN_TEXTS.ends = "%s s'est terminé"
DBM_CORE_AUTO_SPEC_WARN_TEXTS.fades = "%s s'est dissipé"
DBM_CORE_AUTO_SPEC_WARN_TEXTS.soon = "%s bientôt"
DBM_CORE_AUTO_SPEC_WARN_TEXTS.prewarn = "%s dans %s"
DBM_CORE_AUTO_SPEC_WARN_TEXTS.dispel = "%s on >%%s< - dissipez maintenant"
DBM_CORE_AUTO_SPEC_WARN_TEXTS.interrupt = "%s - interrompez >%%s<!"
DBM_CORE_AUTO_SPEC_WARN_TEXTS.interruptcount = "%s - interrompez >%%s<! (%%d)"
DBM_CORE_AUTO_SPEC_WARN_TEXTS.you = "%s sur vous"
DBM_CORE_AUTO_SPEC_WARN_TEXTS.youcount = "%s (%%s) sur vous"
DBM_CORE_AUTO_SPEC_WARN_TEXTS.target = "%s sur >%%s<"
DBM_CORE_AUTO_SPEC_WARN_TEXTS.targetcount = "%s (%%s) on >%%s< "
DBM_CORE_AUTO_SPEC_WARN_TEXTS.taunt = "%s sur >%%s< - provoquez maintenant"
DBM_CORE_AUTO_SPEC_WARN_TEXTS.close = "%s sur >%%s< près de vous"
DBM_CORE_AUTO_SPEC_WARN_TEXTS.move = "%s - écartez-vous"
DBM_CORE_AUTO_SPEC_WARN_TEXTS.dodge = "%s - esquivez" --not sure in which case the message appears but this should work
DBM_CORE_AUTO_SPEC_WARN_TEXTS.moveaway = "%s - écartez-vous du raid"
DBM_CORE_AUTO_SPEC_WARN_TEXTS.moveto = "%s - dirigez-vous vers >%%s<"
DBM_CORE_AUTO_SPEC_WARN_TEXTS.jump = "%s - saute"
DBM_CORE_AUTO_SPEC_WARN_TEXTS.run = "%s - fuyez"
DBM_CORE_AUTO_SPEC_WARN_TEXTS.cast = "%s - arrêtez d'incanter"
DBM_CORE_AUTO_SPEC_WARN_TEXTS.reflect = "%s sur >%%s< - arrêtez d'attaquer"
DBM_CORE_AUTO_SPEC_WARN_TEXTS.count = "%s! (%%s)"
DBM_CORE_AUTO_SPEC_WARN_TEXTS.stack = "%s (%%d)"
DBM_CORE_AUTO_SPEC_WARN_TEXTS.switch = "%s - Changer de cible"
DBM_CORE_AUTO_SPEC_WARN_TEXTS.switchcount = "%s - Changer de cible (%%s)"
-- Auto-generated Special Warning Localizations
DBM_CORE_AUTO_SPEC_WARN_OPTIONS.spell = "Afficher une alerte spéciale pour $spell:%s"
DBM_CORE_AUTO_SPEC_WARN_OPTIONS.ends = "Afficher une alerte spéciale lorsque $spell:%s se termine"
DBM_CORE_AUTO_SPEC_WARN_OPTIONS.fades = "Afficher une alerte spéciale lorsque $spell:%s se dissipe"
DBM_CORE_AUTO_SPEC_WARN_OPTIONS.soon = "Afficher une alerte préventive spéciale pour $spell:%s"
DBM_CORE_AUTO_SPEC_WARN_OPTIONS.prewarn = "Afficher une alerte préventive spéciale %s seconds avant $spell:%s"
DBM_CORE_AUTO_SPEC_WARN_OPTIONS.dispel = "Afficher une alerte spéciale lorsque $spell:%s doit être dissipé/volé"
DBM_CORE_AUTO_SPEC_WARN_OPTIONS.interrupt = "Afficher une alerte spéciale lorsque $spell:%s doit être interrompu"
DBM_CORE_AUTO_SPEC_WARN_OPTIONS.interruptcount = "Afficher une alerte spéciale (avec compte) d'interrompre $spell:%s"
DBM_CORE_AUTO_SPEC_WARN_OPTIONS.you = "Afficher une alerte spéciale lorsque vous subissez $spell:%s"
DBM_CORE_AUTO_SPEC_WARN_OPTIONS.youcount = "Afficher une alerte spéciale (avec compte) quand vous êtes affecté par $spell:%s"
DBM_CORE_AUTO_SPEC_WARN_OPTIONS.target = "Afficher une alerte spéciale lorsque quelqu'un subit $spell:%s"
DBM_CORE_AUTO_SPEC_WARN_OPTIONS.targetcount = "Afficher une alerte spéciale (avec compte) quand quelqu'un est affecté par $spell:%s"
DBM_CORE_AUTO_SPEC_WARN_OPTIONS.taunt = "Afficher une alerte spéciale de provoquer lorsque l'autre tank subit $spell:%s"
DBM_CORE_AUTO_SPEC_WARN_OPTIONS.close = "Afficher une alerte spéciale lorsque quelqu'un proche de vous subit $spell:%s"
DBM_CORE_AUTO_SPEC_WARN_OPTIONS.move = "Afficher une alerte spéciale lorsque vous devez sortir de $spell:%s"
DBM_CORE_AUTO_SPEC_WARN_OPTIONS.dodge = "Afficher une alerte spéciale lorqu'il faut esquiver $spell:%s" --not sure in which case the message appears but this should work
DBM_CORE_AUTO_SPEC_WARN_OPTIONS.moveaway = "Afficher une alerte spéciale lorsque vous subissez $spell:%s et devez vous écarter du raid"
DBM_CORE_AUTO_SPEC_WARN_OPTIONS.moveto = "Afficher une alerte spéciale lorsque vous devez vous rapprocher de quelqu'un subissant $spell:%s"
DBM_CORE_AUTO_SPEC_WARN_OPTIONS.run = "Afficher une alerte spéciale lorsque vous devez fuir $spell:%s"
DBM_CORE_AUTO_SPEC_WARN_OPTIONS.cast = "Afficher une alerte spéciale d'interrompre l'incantation de $spell:%s"
DBM_CORE_AUTO_SPEC_WARN_OPTIONS.reflect = "Afficher une alerte spéciale lorsqu'il faut arrêter d'attaquer pour $spell:%s"--Spell Reflect
DBM_CORE_AUTO_SPEC_WARN_OPTIONS.count = "Afficher une alerte spéciale pour $spell:%s"
DBM_CORE_AUTO_SPEC_WARN_OPTIONS.stack = "Afficher une alerte spéciale lorsque vous cumulez >=%d stacks de $spell:%s"
DBM_CORE_AUTO_SPEC_WARN_OPTIONS.switch = "Afficher une alerte spéciale de changement de cible pour\n $spell:%s"
DBM_CORE_AUTO_SPEC_WARN_OPTIONS.switchcount = "Afficher une alerte spéciale (avec compte) de changer de cible pour $spell:%s"
-- Auto-generated Timer Localizations
DBM_CORE_AUTO_TIMER_TEXTS.target = "%s: >%%s<"
DBM_CORE_AUTO_TIMER_TEXTS.cast = "%s"
DBM_CORE_AUTO_TIMER_TEXTS.active = "%s se termine" --Buff/Debuff/event on boss,
DBM_CORE_AUTO_TIMER_TEXTS.fades = "%s se dissipe" --Buff/Debuff on players,
DBM_CORE_AUTO_TIMER_TEXTS.ai = "%s AI"
DBM_CORE_AUTO_TIMER_TEXTS.cd = "Rech. %s"
DBM_CORE_AUTO_TIMER_TEXTS.cdcount = "Rech. %s (%%s)"
DBM_CORE_AUTO_TIMER_TEXTS.cdsource = "Rech. %s: >%%s<"
DBM_CORE_AUTO_TIMER_TEXTS.cdspecial = "CD d'abilité spéciale"
DBM_CORE_AUTO_TIMER_TEXTS.next = "Proch. %s"
DBM_CORE_AUTO_TIMER_TEXTS.nextcount = "Proch. %s (%%s)"
DBM_CORE_AUTO_TIMER_TEXTS.nextsource = "Proch. %s: >%%s<"
DBM_CORE_AUTO_TIMER_TEXTS.nextspecial = "Abilité spéciale suivante"
DBM_CORE_AUTO_TIMER_TEXTS.achievement = "%s"
DBM_CORE_AUTO_TIMER_TEXTS.stage = "Phase Suivante"
DBM_CORE_AUTO_TIMER_OPTIONS.target = "Durée d'affaiblissement de $spell:%s"
DBM_CORE_AUTO_TIMER_OPTIONS.cast = "Durée d'incantation de $spell:%s"
DBM_CORE_AUTO_TIMER_OPTIONS.active = "Durée d'activité de $spell:%s"
DBM_CORE_AUTO_TIMER_OPTIONS.fades = "Délai avant la dissipation de $spell:%s"
DBM_CORE_AUTO_TIMER_OPTIONS.ai = "Afficher le timer IA pour le cooldown de $spell:%s"
DBM_CORE_AUTO_TIMER_OPTIONS.cd = "Durée de recharge de $spell:%s"
DBM_CORE_AUTO_TIMER_OPTIONS.cdcount = "Durée de recharge de $spell:%s"
DBM_CORE_AUTO_TIMER_OPTIONS.cdsource = "Durée de recharge de $spell:%s"
DBM_CORE_AUTO_TIMER_OPTIONS.cdspecial = "Afficher le timer pour le cooldown d'abilité spéciale"
DBM_CORE_AUTO_TIMER_OPTIONS.next = "Délai avant le prochain $spell:%s"
DBM_CORE_AUTO_TIMER_OPTIONS.nextcount = "Délai avant le prochain $spell:%s"
DBM_CORE_AUTO_TIMER_OPTIONS.nextsource = "Délai avant le prochain $spell:%s"
DBM_CORE_AUTO_TIMER_OPTIONS.nextspecial = "Afficher le timer de l'abilité spéciale suivante"
DBM_CORE_AUTO_TIMER_OPTIONS.achievement = "Délai pour réussir %s"
DBM_CORE_AUTO_TIMER_OPTIONS.stage = "Afficher le timer de la phase suivante"
DBM_CORE_AUTO_TIMER_OPTIONS.roleplay = "Afficher le timer de la durée du roleplay"--This does need localizing though.
DBM_CORE_AUTO_ICONS_OPTION_TEXT = "Placer des icônes sur les cibles de $spell:%s"
DBM_CORE_AUTO_ICONS_OPTION_TEXT2 = "Placer des icônes sur $spell:%s"
DBM_CORE_AUTO_ARROW_OPTION_TEXT = "Afficher la flèche DBM en direction de la cible affectée par $spell:%s"
DBM_CORE_AUTO_ARROW_OPTION_TEXT2 = "Afficher la flèche DBM pour s'éloigner de la cible affectée par $spell:%s"
DBM_CORE_AUTO_ARROW_OPTION_TEXT3 = "Show DBM Arrow to move toward specific location for $spell:%s"
DBM_CORE_AUTO_VOICE_OPTION_TEXT = "Play spoken alerts for $spell:%s"
DBM_CORE_AUTO_VOICE2_OPTION_TEXT = "Play spoken alerts for phase changes"
DBM_CORE_AUTO_COUNTDOWN_OPTION_TEXT = "Compte à rebours sonore pour $spell:%s"
DBM_CORE_AUTO_COUNTDOWN_OPTION_TEXT2 = "Compte à rebours sonore pour lorsque $spell:%s se dissipe"
DBM_CORE_AUTO_COUNTOUT_OPTION_TEXT = "Compte à rebours sonore pour la durée de $spell:%s"
DBM_CORE_AUTO_YELL_OPTION_TEXT.yell = "Crie quand vous êtes affecté par $spell:%s"
DBM_CORE_AUTO_YELL_OPTION_TEXT.count = "Crie (avec compte) quand vous êtes affecté par $spell:%s"
DBM_CORE_AUTO_YELL_OPTION_TEXT.fade = "Crie (avec compte à rebours) lorsque $spell:%s se dissipe"
DBM_CORE_AUTO_YELL_OPTION_TEXT.position = "Crie (avec position) quand vous êtes affecté par $spell:%s"
DBM_CORE_AUTO_YELL_ANNOUNCE_TEXT.yell = "%s sur " .. UnitName("player") .. "!"
DBM_CORE_AUTO_YELL_ANNOUNCE_TEXT.count = "%s sur " .. UnitName("player") .. "! (%%d)"
DBM_CORE_AUTO_YELL_ANNOUNCE_TEXT.fade = "%s disparaît dans %%d"
DBM_CORE_AUTO_YELL_ANNOUNCE_TEXT.position = "%s %%s sur {rt%%d}"..UnitName("player").."{rt%%d}"
DBM_CORE_AUTO_HUD_OPTION_TEXT = "Afficher la map HUD pour $spell:%s"
DBM_CORE_AUTO_HUD_OPTION_TEXT_MULTI = "Afficher la map HUD pour diverses activités"
DBM_CORE_AUTO_RANGE_OPTION_TEXT = "Afficher la fênetre des distances (%s) pour $spell:%s"--string used for range so we can use things like "5/2" as a value for that field
DBM_CORE_AUTO_RANGE_OPTION_TEXT_SHORT = "Afficher la fênetre des distances (%s)"--For when a range frame is just used for more than one thing
DBM_CORE_AUTO_RRANGE_OPTION_TEXT = "Afficher la fênetre des distances inversée (%s) pour $spell:%s"--Reverse range frame (green when players in range, red when not)
DBM_CORE_AUTO_RRANGE_OPTION_TEXT_SHORT = "Afficher la fênetre des distances inversée (%s)"
DBM_CORE_AUTO_INFO_FRAME_OPTION_TEXT = "Afficher la fênetre d'information pour $spell:%s" --What frame is this?
DBM_CORE_AUTO_READY_CHECK_OPTION_TEXT = "Jouer le son du ready check lorsque le boss est engagé (même si ce dernier n'est pas la cible)"
-- New special warnings
DBM_CORE_MOVE_SPECIAL_WARNING_BAR = "Alerte spéciale mobile"
DBM_CORE_MOVE_WARNING_MESSAGE = "Merci d'utiliser Deadly Boss Mods"
DBM_CORE_MOVE_SPECIAL_WARNING_BAR = "Alertes spéciales mobiles"
DBM_CORE_MOVE_SPECIAL_WARNING_TEXT = "Alerte spéciale"
DBM_CORE_HUD_INVALID_TYPE = "Type de HUD défini invalide"
DBM_CORE_HUD_INVALID_TARGET = "Pas de cible valide disponible pour le HUD"
DBM_CORE_HUD_INVALID_SELF = "Impossible de s'utiliser soi-même comme cible pour le HUD"
DBM_CORE_HUD_INVALID_ICON = "Impossible d'utiliser la méthode par icône pour le HUD sans cible avec l'icône"
DBM_CORE_HUD_SUCCESS = "Le HUD a démarré correctement avec vos paramètres. Ceci va s'arrêter dans %s, ou en tapant '/dbm hud hide'."
DBM_CORE_HUD_USAGE = {
"Utilisation de DBM-HudMap:",
"-----------------",
"/dbm hud <type> <target> <duration>: Crée un HUD qui indique un joueur pour la durée choisie",
"Valid types: flèche, rouge, bleu, vert, jaune, icône (requiert une cible avec une icône de raid)",
"Valid targets: cible, focus, <nom du joueur>",
"Valid durations: n'importe quel nombre (en secondes). Si laissé vide, il sera affiché pendant 20min.",
"/dbm hud hide: désactive et cache le HUD"
}
DBM_ARROW_MOVABLE = "Flèche mobile"
DBM_ARROW_ERROR_USAGE = {
"Utilisation de DBM-Arrow:",
"-----------------",
"/dbm arrow <x> <y>: crée une flèche qui pointe vers une position spécifique (0 < x/y < 100)",
"/dbm arrow map <x> <y>: Crée une flèche qui pointe vers une position spécifique (en utilisant les coordonnées sur la carte)",
"/dbm arrow <player>: Crée une flèche qui pointe vers un joueur spécifique de votre groupe ou raid",
"/dbm arrow hide: Masque la flèche",
"/dbm arrow move: Rend la flèche mobile"
}
DBM_SPEED_KILL_TIMER_TEXT = "Record à battre"
DBM_SPEED_CLEAR_TIMER_TEXT = "Meilleur clean"
DBM_COMBAT_RES_TIMER_TEXT = "Prochaine charge de rez en combat"
DBM_CORE_TIMER_RESPAWN = "%s Réapparition"
DBM_REQ_INSTANCE_ID_PERMISSION = "%s a demandé à voir vos IDs d'instance actuels ainsi que leurs progressions.\nSouhaitez-vous envoyer cette information à %s ? Il ou elle pourra demander cette information pendant toute votre session actuelle (c'est-à-dire jusqu'à ce que vous vous reconnectez)."
DBM_ERROR_NO_RAID = "Vous devez être dans un groupe de raid pour utiliser cette fonctionnalité."
DBM_INSTANCE_INFO_REQUESTED = "Requête envoyée pour obtenir les information de verrouillage de raid au groupe de raid.\nVeuillez noter que la permission sera demandée aux utilisateurs avant que les données ne vous soient envoyées, il se peut donc que cela prenne du temps pour recevoir toutes les réponses."
DBM_INSTANCE_INFO_STATUS_UPDATE = "Réception des réponses de %d joueurs sur les %d utilisateurs de DBM : %d ont envoyé les données, %d ont refusé la requête. Attente des autres réponses pendant encore %d secondes..."
DBM_INSTANCE_INFO_ALL_RESPONSES = "Réponses reçues de tous les membres du raid"
DBM_INSTANCE_INFO_DETAIL_DEBUG = "Expéditeur: %s TypeRésultat: %s NomInstance: %s IDInstance: %s Difficulté: %d Taille: %d Progression: %s"
DBM_INSTANCE_INFO_DETAIL_HEADER = "%s, difficulté %s :"
DBM_INSTANCE_INFO_DETAIL_INSTANCE = " ID %s, progression %d : %s"
DBM_INSTANCE_INFO_DETAIL_INSTANCE2 = " progression %d : %s"
DBM_INSTANCE_INFO_NOLOCKOUT = "Il n'y a pas d'info de verrouillage raid dans votre groupe."
DBM_INSTANCE_INFO_STATS_DENIED = "A refusé la requête : %s"
DBM_INSTANCE_INFO_STATS_AWAY = "Absent: %s"
DBM_INSTANCE_INFO_STATS_NO_RESPONSE = "Sans une version récente de DBM: %s"
DBM_INSTANCE_INFO_RESULTS = "Résultats de l'analyse des IDs d'instance. Notez que les instances peuvent apparaître plusieurs fois si les joueurs de votre raid ont WoW dans différentes langues."
DBM_INSTANCE_INFO_SHOW_RESULTS = "Joueurs qui doivent encore répondre: %s\n|HDBM:showRaidIdResults|h|cff3588ff[Afficher les résultats maintenant]|r|h"
DBM_CORE_LAG_CHECKING = "Vérification de la latence du raid..."
DBM_CORE_LAG_HEADER = "Deadly Boss Mods - Résultats sur la latence"
DBM_CORE_LAG_ENTRY = "%s: délai monde [%d ms] / délai domicile [%d ms]"
DBM_CORE_LAG_FOOTER = "Pas de réponse: %s"
|
-- test.TbTestDesc
return
{
[1] =
{
id=1,
name="xxx",
a1=0,
a2=0,
x1=
{
y2=
{
z2=2,
z3=3,
},
y3=4,
},
x2=
{
{
z2=1,
z3=2,
},
{
z2=3,
z3=4,
},
},
x3=
{
{
z2=1,
z3=2,
},
{
z2=3,
z3=4,
},
},
},
}
|
local keywordHandler = KeywordHandler:new()
local npcHandler = NpcHandler:new(keywordHandler)
NpcSystem.parseParameters(npcHandler)
function onCreatureAppear(cid) npcHandler:onCreatureAppear(cid) end
function onCreatureDisappear(cid) npcHandler:onCreatureDisappear(cid) end
function onCreatureSay(cid, type, msg) npcHandler:onCreatureSay(cid, type, msg) end
function onThink() npcHandler:onThink() end
keywordHandler:addKeyword({'how', 'are', 'you'}, StdModule.say, {npcHandler = npcHandler, text = "I am fine, thank you very much."})
keywordHandler:addKeyword({'sell'}, StdModule.say, {npcHandler = npcHandler, text = "My business is knowlegde and it is for free."})
keywordHandler:addKeyword({'job'}, StdModule.say, {npcHandler = npcHandler, text = "I am honored to be teacher in this school."})
keywordHandler:addKeyword({'teacher'}, StdModule.say, {npcHandler = npcHandler, text = "I run this school, there are other travelling teachers who we call Loremasters."})
keywordHandler:addKeyword({'loremaster'}, StdModule.say, {npcHandler = npcHandler, text = "If you are lucky you'll meet one in your journeys."})
keywordHandler:addKeyword({'name'}, StdModule.say, {npcHandler = npcHandler, text = "My name is Phillip."})
keywordHandler:addKeyword({'time'}, StdModule.say, {npcHandler = npcHandler, text = "It is |TIME|."})
keywordHandler:addKeyword({'help'}, StdModule.say, {npcHandler = npcHandler, text = "I will provide you with all knowledge I have."})
keywordHandler:addKeyword({'monster'}, StdModule.say, {npcHandler = npcHandler, text = "Monsters come in different shape and power. It's said there is a zoo in the dwarfs' town."})
keywordHandler:addKeyword({'dungeon'}, StdModule.say, {npcHandler = npcHandler, text = "Dungeons are places of danger and puzzles. In some of them a bright mind will serve you more then a blade."})
keywordHandler:addKeyword({'sewer'}, StdModule.say, {npcHandler = npcHandler, text = "An interesting place you should consider to visit."})
keywordHandler:addKeyword({'thank you'}, StdModule.say, {npcHandler = npcHandler, text = "You don't have to thank me, it's only my duty."})
keywordHandler:addKeyword({'god'}, StdModule.say, {npcHandler = npcHandler, text = "To learn about gods, visit the temples and talk to the priests."})
keywordHandler:addKeyword({'king'}, StdModule.say, {npcHandler = npcHandler, text = "The southern king is called Tibianus. He and our queen Eloise are in a constant struggle."})
keywordHandler:addKeyword({'queen'}, StdModule.say, {npcHandler = npcHandler, text = "The southern king is called Tibianus. He and our queen Eloise are in a constant struggle."})
keywordHandler:addKeyword({'rumour'}, StdModule.say, {npcHandler = npcHandler, text = "I don't like rumours."})
keywordHandler:addKeyword({'gossip'}, StdModule.say, {npcHandler = npcHandler, text = "I don't like rumours."})
keywordHandler:addKeyword({'news'}, StdModule.say, {npcHandler = npcHandler, text = "I don't like rumours."})
keywordHandler:addKeyword({'weapon'}, StdModule.say, {npcHandler = npcHandler, text = "To learn about weapons read appropriate books or talk to the smiths."})
keywordHandler:addKeyword({'magic'}, StdModule.say, {npcHandler = npcHandler, text = "To learn about magic talk to the guild leaders."})
keywordHandler:addKeyword({'rebellion'}, StdModule.say, {npcHandler = npcHandler, text = "Rebellion? What for? We are contend with our situation."})
keywordHandler:addKeyword({'in tod we trust'}, StdModule.say, {npcHandler = npcHandler, text = "Tod will come and save us all. He will bring freedom and beer to the men of Carlin."})
keywordHandler:addKeyword({'lugri'}, StdModule.say, {npcHandler = npcHandler, text = "This servant of evil is protected by the dark gods and can't be harmed."})
keywordHandler:addKeyword({'ferumbras'}, StdModule.say, {npcHandler = npcHandler, text = "He is a follower of evil. His powers were boosted by a sinister force and he is beyond human restrictions now."})
keywordHandler:addKeyword({'excalibug'}, StdModule.say, {npcHandler = npcHandler, text = "This weapon is said to be very powerful and unique. It was hidden in ancient times and now is thought to be lost."})
npcHandler:setMessage(MESSAGE_GREET, "Hello, mighty adventurer |PLAYERNAME|. Can I teach you something you don't know?")
npcHandler:setMessage(MESSAGE_FAREWELL, "Go and be careful. Remember what you have learned!")
npcHandler:setMessage(MESSAGE_WALKAWAY, "Did the bell ring?")
npcHandler:addModule(FocusModule:new())
|
-- -------------------------------------------------------------------------- --
-- 应用快捷启动器
-- -------------------------------------------------------------------------- --
-- 应用列表
local applist = {
-- Q、W、E、R、T
w = "WeChat",
r = "CodeRunner",
t = "Things3",
-- A、S、D、F、G
a = "Typora",
s = "Safari",
d = "DingTalk",
f = "Finder",
-- Z、X、C、V、B
c = "Google Chrome",
v = "Visual Studio Code",
-- Y、U、I、O、P
y = "WorkFlowy",
i = "iTerm",
o = "Obsidian",
-- H、J、K、L
-- N、M
n = "Notion",
m = "MWeb",
}
-- 启动模块
for key, app in pairs(applist) do
hs.hotkey.bind("option", key, function()
hs.application.launchOrFocus(app)
if app == "Finder" then
hs.application("访达"):activate()
end
end)
end |
local fail = false
print("Test: not...")
if ~a8 ~= uint.u8(236) then
print("\tFail: ~a8 ~= 236")
fail = true
end
if ~b8 ~= uint.u8(113) then
print("\tFail: ~b8 ~= 113")
fail = true
end
if (~c8):asnumber() ~= 1 then
print("\tFail: ~c8 ~= 1")
fail = true
end
if not fail then
print("\tPass")
end
|
--====================================================================--
-- dmc_widget/widget_button.lua
--
-- Documentation: http://docs.davidmccuskey.com/
--====================================================================--
--[[
The MIT License (MIT)
Copyright (c) 2014-2015 David McCuskey
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
SOFTWARE.
--]]
--====================================================================--
--== DMC Corona UI : Widget Button
--====================================================================--
-- Semantic Versioning Specification: http://semver.org/
local VERSION = "0.1.0"
--====================================================================--
--== DMC UI Setup
--====================================================================--
local dmc_ui_data = _G.__dmc_ui
local dmc_ui_func = dmc_ui_data.func
local ui_find = dmc_ui_func.find
--====================================================================--
--== DMC UI : newButton
--====================================================================--
--====================================================================--
--== Imports
local Objects = require 'dmc_objects'
local StatesMixModule = require 'dmc_states_mix'
-- local Utils = require 'dmc_utils'
local uiConst = require( ui_find( 'ui_constants' ) )
local WidgetBase = require( ui_find( 'core.widget' ) )
--====================================================================--
--== Setup, Constants
--== To be set in initialize()
local dUI = nil
--====================================================================--
--== Button Widget Class
--====================================================================--
--- Base Class for Button Widgets.
--
-- **Inherits from:** <br>
-- * @{Core.Widget}
--
-- **Style Object:** <br>
-- * @{Style.Button}
--
-- @classmod Widget.Button.Base
-- @usage
-- dUI = require 'dmc_ui'
-- widget = dUI.newButton()
local ButtonBase = newClass( WidgetBase, { name="Button Base" } )
StatesMixModule.patch( ButtonBase )
--- Class Constants.
-- @section
--== Class Constants
ButtonBase._SUPPORTED_VIEWS = { 'active', 'inactive', 'disabled' }
--== State Constants
ButtonBase.STATE_INIT = 'state_init'
ButtonBase.STATE_INACTIVE = 'state_inactive'
ButtonBase.STATE_ACTIVE = 'state_active'
ButtonBase.STATE_DISABLED = 'state_disabled'
ButtonBase.INACTIVE = ButtonBase.STATE_INACTIVE
ButtonBase.ACTIVE = ButtonBase.STATE_ACTIVE
ButtonBase.DISABLED = ButtonBase.STATE_DISABLED
--== Style/Theme Constants
ButtonBase.STYLE_CLASS = nil -- added later
ButtonBase.STYLE_TYPE = uiConst.BUTTON
--== Event Constants
ButtonBase.EVENT = 'button-event'
ButtonBase.PRESSED = 'pressed'
ButtonBase.RELEASED = 'released'
--======================================================--
-- Start: Setup DMC Objects
--== Init
function ButtonBase:__init__( params )
-- print( "ButtonBase:__init__", params )
params = params or {}
if params.id==nil then params.id="" end
if params.labelText==nil then params.labelText="OK" end
self:superCall( '__init__', params )
--==--
--== Create Properties ==--
-- properties stored in Class
self._id = params.id
self._id_dirty=true
self._labelText = params.labelText
self._labelText_dirty=true
self._data = params.data
-- properties stored in Style
self._align_dirty=true
self._hitMarginX_dirty=true
self._hitMarginY_dirty=true
self._isHitActive_dirty=true
self._marginX_dirty=true
self._marginY_dirty=true
self._offsetX_dirty=true
self._offsetY_dirty=true
-- "Virtual" properties
self._widgetState_dirty=true
self._widgetViewState = nil
self._widgetViewState_dirty=true
self._hitAreaX_dirty=true
self._hitAreaY_dirty=true
self._hitAreaAnchorX_dirty=true
self._hitAreaAnchorY_dirty=true
self._hitAreaWidth_dirty=true
self._hitAreaHeight_dirty=true
self._hitAreaMarginX_dirty=true
self._hitAreaMarginY_dirty=true
self._displayText_dirty=true
self._callbacks = {
onPress = params.onPress,
onRelease = params.onRelease,
onEvent = params.onEvent,
}
--== Object References ==--
self._rctHit = nil -- our rectangle hit area
self._rctHit_f = nil
self._wgtBg = nil -- background widget
self._wgtBg_dirty=true
self._wgtText = nil -- text widget (for both hint and value display)
self._wgtText_f = nil -- widget handler
self._wgtText_dirty=true
-- set initial state
self:setState( ButtonBase.STATE_INIT )
end
--[[
function ButtonBase:__undoInit__()
-- print( "ButtonBase:__undoInit__" )
--==--
self:superCall( '__undoInit__' )
end
--]]
--== createView
function ButtonBase:__createView__()
-- print( "ButtonBase:__createView__" )
self:superCall( '__createView__' )
--==--
local o = display.newRect( 0,0,0,0 )
o.anchorX, o.anchorY = 0.5,0.5
o.isHitTestable=true
self._dgBg:insert( o )
self._rctHit = o
end
function ButtonBase:__undoCreateView__()
-- print( "ButtonBase:__undoCreateView__" )
self._rctHit:removeSelf()
self._rctHit=nil
--==--
self:superCall( '__undoCreateView__' )
end
--== initComplete
function ButtonBase:__initComplete__()
-- print( "ButtonBase:__initComplete__" )
self:superCall( '__initComplete__' )
--==--
self._rctHit_f = self:createCallback( self._hitAreaTouch_handler )
self._rctHit:addEventListener( 'touch', self._rctHit_f )
-- self._textStyle_f = self:createCallback( self.textStyleChange_handler )
-- self._wgtText_f = self:createCallback( self._wgtTextWidgetUpdate_handler )
self.id = self._id
self.labelText = self._labelText
if self.isActive then
self:gotoState( ButtonBase.STATE_ACTIVE )
else
self:gotoState( ButtonBase.STATE_INACTIVE )
end
end
function ButtonBase:__undoInitComplete__()
--print( "ButtonBase:__undoInitComplete__" )
self:_removeBackground()
self:_removeText()
self._rctHit:removeEventListener( 'touch', self._rctHit_f )
self._rctHit_f = nil
--==--
self:superCall( '__undoInitComplete__' )
end
-- END: Setup DMC Objects
--======================================================--
--====================================================================--
--== Static Functions
function ButtonBase.initialize( manager )
-- print( "ButtonBase.initialize", manager )
dUI = manager
end
--====================================================================--
--== Public Methods
--== hitMarginX
--- set/get x-axis hit margin.
-- increases horizontal hit area for button, useful when button area is small. value must be greater or equal to 0.
--
-- @within Properties
-- @function .hitMarginX
-- @usage widget.hitMarginX = 5
-- @usage print( widget.hitMarginX )
function ButtonBase.__getters:hitMarginX()
-- print( "ButtonBase.__getters:hitMarginX" )
return self.curr_style.hitMarginX
end
function ButtonBase.__setters:hitMarginX( value )
-- print( "ButtonBase.__setters:hitMarginX", value )
self.curr_style.hitMarginX = value
end
--== hitMarginY
--- set/get y-axis hit margin.
-- increases vertical hit area for button, useful when button area is small. value must be greater or equal to 0.
--
-- @within Properties
-- @function .hitMarginY
-- @usage widget.hitMarginY = 5
-- @usage print( widget.hitMarginY )
function ButtonBase.__getters:hitMarginY()
-- print( "ButtonBase.__getters:hitMarginY" )
return self.curr_style.hitMarginY
end
function ButtonBase.__setters:hitMarginY( value )
-- print( "ButtonBase.__setters:hitMarginY", value, self )
self.curr_style.hitMarginY = value
end
--== .isHitActive
--- set/get button press *action*.
-- this gets the *action* of the button, whether a press is handled or not. this property is also controlled by changes to .isEnabled.
--
-- @within Properties
-- @function .isHitActive
-- @usage widget.isHitActive = false
-- @usage print( widget.isHitActive )
function ButtonBase.__getters:isHitActive()
-- print( "ButtonBase.__getters:isHitActive" )
return self.curr_style.isHitActive
end
function ButtonBase.__setters:isHitActive( value )
-- print( "ButtonBase.__setters:isHitActive", value )
self.curr_style.isHitActive = value
end
--== .labelText
--- set/get text for button label.
--
-- @within Properties
-- @function .labelText
-- @usage widget.labelText = "Press"
-- @usage print( widget.labelText )
function ButtonBase.__getters:labelText()
return self._labelText
end
function ButtonBase.__setters:labelText( value )
-- print( "ButtonBase.__setters:labelText", value )
assert( type(value)=='string' )
--==--
if value == self._labelText then return end
self._labelText = value
self._labelText_dirty=true
self:__invalidateProperties__()
end
--======================================================--
-- Children Style Accessors
--- get Style object for Active state.
--
-- @within Properties
-- @function .activeStyle
-- @usage print( widget.activeStyle )
function ButtonBase.__getters:activeStyle()
return self.curr_style.active
end
--- get Style object for Disabled state.
--
-- @within Properties
-- @function .disabledStyle
-- @usage print( widget.disabledStyle )
function ButtonBase.__getters:disabledStyle()
return self.curr_style.disabled
end
--- get Style object for Inactive state.
--
-- @within Properties
-- @function .inactiveStyle
-- @usage print( widget.inactiveStyle )
function ButtonBase.__getters:inactiveStyle()
return self.curr_style.inactive
end
--== :setHitMargin
--- set hit margin for button.
-- this is a convenience method to set hit margins at same time. args can be two integers or a table as array. (there is no difference with this or the properties)
-- @within Methods
-- @function setHitMargin
-- @usage print( widget:setHitMargin( 5, 0 ) )
-- @usage print( widget:setHitMargin( { 2, 3 } ) )
function ButtonBase:setHitMargin( ... )
-- print( 'ButtonBase:setHitMargin' )
local args = {...}
if type( args[1] ) == 'table' then
self.hitMarginX, self.hitMarginY = unpack( args[1] )
end
if type( args[1] ) == 'number' then
self.hitMarginX = args[1]
end
if type( args[2] ) == 'number' then
self.hitMarginY = args[2]
end
end
--======================================================--
-- Button Methods
--- set/get button id.
-- optional id value for button. this value is passed in during button events, making it easy to differentiate buttons.
-- @within Properties
-- @function .id
-- @usage widget.id = 'left-button'
-- @usage print( widget.id )
function ButtonBase.__getters:id()
return self._id
end
function ButtonBase.__setters:id( value )
assert( type(value)=='string' or type(value)=='nil', "Button.id expected string or nil for button id")
self._id = value
end
--- get button 'active' state.
-- check whether button is in 'active' state.
-- @within Properties
-- @function .isActive
-- @usage print( widget.isActive )
function ButtonBase.__getters:isActive()
return ( self:getState() == self.STATE_ACTIVE )
end
--- set/get whether button is 'disabled' or can be pressed/activated.
-- property to set button disabled state or to see if it's enabled. this sets both the *look* of the button and the button action. setting .isEnabled will also set .isHitActive accordingly.
-- @within Properties
-- @function .isEnabled
-- @usage widget.isEnabled = false
-- @usage print( widget.isEnabled )
function ButtonBase.__getters:isEnabled()
return ( self:getState() ~= ButtonBase.STATE_DISABLED )
end
function ButtonBase.__setters:isEnabled( value )
assert( type(value)=='boolean', "newButton: expected boolean for property 'enabled'")
--==--
if self.curr_style.isHitActive == value then return end
self.curr_style.isHitActive = value
if value == true then
self:gotoState( ButtonBase.STATE_INACTIVE, { isEnabled=value } )
else
self:gotoState( ButtonBase.STATE_DISABLED, { isEnabled=value } )
end
end
--- set callback for onPress events.
--
-- @within Properties
-- @function .onPress
-- @usage widget.onPress = <function>
function ButtonBase.__setters:onPress( value )
assert( type(value)=='function' or type(value)=='nil', "onPress expected function or nil")
self._callbacks.onPress = value
end
--- set callback for onRelease events.
--
-- @within Properties
-- @function .onRelease
-- @usage widget.onRelease = <function>
function ButtonBase.__setters:onRelease( value )
assert( type(value)=='function' or type(value)=='nil', "onRelease expected function or nil")
self._callbacks.onRelease = value
end
--- set callback for onEvent events.
--
-- @within Properties
-- @function .onEvent
-- @usage widget.onEvent = <function>
function ButtonBase.__setters:onEvent( value )
assert( type(value)=='function' or type(value)=='nil', "onEvent expected function or nil")
self._callbacks.onEvent = value
end
--== .data
--- set/get user data for button.
-- convenient storage area for user data. this property is availble within button events.
-- @within Properties
-- @function .data
-- @usage widget.data = 5
-- @usage print( widget.data )
function ButtonBase.__getters:data()
return self._data
end
function ButtonBase.__setters:data( value )
self._data = value
end
--- programmatically "press" a button.
-- this will fire both 'began' and 'ended' events.
-- @within Methods
--
-- @function press
-- @usage widget:press()
function ButtonBase:press()
local bounds = self.contentBounds
-- setup fake touch event
local evt = {
target=self.view,
x=bounds.xMin,
y=bounds.yMin,
}
evt.phase = 'began'
self:_hitAreaTouch_handler( evt )
evt.phase = 'ended'
self:_hitAreaTouch_handler( evt )
end
--======================================================--
-- Theme Methods
-- afterAddStyle()
--
function ButtonBase:afterAddStyle()
-- print( "ButtonBase:afterAddStyle", self )
self._widgetStyle_dirty=true
self:__invalidateProperties__()
end
-- beforeRemoveStyle()
--
function ButtonBase:beforeRemoveStyle()
-- print( "ButtonBase:beforeRemoveStyle", self )
self._widgetStyle_dirty=true
self:__invalidateProperties__()
end
--====================================================================--
--== Private Methods
-- dispatch 'press' events
--
-- TODO: use create event
function ButtonBase:_doPressEventDispatch()
-- print( "ButtonBase:_doPressEventDispatch" )
if not self.isEnabled then return end
local cb = self._callbacks
local event = {
name=self.EVENT,
phase=self.PRESSED,
target=self,
id=self._id,
data=self._data,
state=self:getState()
}
if cb.onPress then cb.onPress( event ) end
if cb.onEvent then cb.onEvent( event ) end
self:dispatchEvent( event )
end
-- dispatch 'release' events
--
function ButtonBase:_doReleaseEventDispatch()
-- print( "ButtonBase:_doReleaseEventDispatch" )
if not self.isEnabled then return end
local cb = self._callbacks
local event = {
name=self.EVENT,
phase=self.RELEASED,
target=self,
id=self._id,
data=self._data,
state=self:getState()
}
if cb.onRelease then cb.onRelease( event ) end
if cb.onEvent then cb.onEvent( event ) end
self:dispatchEvent( event )
end
--== Create/Destroy Background Widget
function ButtonBase:_removeBackground()
-- print( "ButtonBase:_removeBackground" )
local o = self._wgtBg
if not o then return end
o:removeSelf()
self._wgtBg = nil
end
function ButtonBase:_createBackground()
-- print( "ButtonBase:_createBackground" )
self:_removeBackground()
local o = dUI.newBackground{
defaultStyle = self.defaultStyle.background
}
self:insert( o.view )
self._wgtBg = o
--== Reset properties
self._widgetViewState_dirty=true
end
--== Create/Destroy Text Widget
function ButtonBase:_removeText()
-- print( "ButtonBase:_removeText" )
local o = self._wgtText
if not o then return end
o.onUpdate=nil
o:removeSelf()
self._wgtText = nil
end
function ButtonBase:_createText()
-- print( "ButtonBase:_createText" )
self:_removeText()
local o = dUI.newText{
defaultStyle = self.defaultStyle.label
}
o.onUpdate = self._wgtText_f
self:insert( o.view )
self._wgtText = o
--== Reset properties
self._widgetStyle_dirty=true
self._isEditActive_dirty=true
self._labelText_dirty=true
end
function ButtonBase:__commitProperties__()
-- print( 'ButtonBase:__commitProperties__' )
--== Update Widget Components ==--
if self._wgtBg_dirty then
self:_createBackground()
self._wgtBg_dirty = false
end
if self._wgtText_dirty then
self:_createText()
self._wgtText_dirty=false
end
--== Update Widget View ==--
local style = self.curr_style
-- local state = self:getState()
local view = self.view
local hit = self._rctHit
local bg = self._wgtBg
local text = self._wgtText
-- x/y
if self._x_dirty then
view.x = self._x
self._x_dirty=false
end
if self._y_dirty then
view.y = self._y
self._y_dirty=false
end
-- width/height
if self._width_dirty then
hit.width = style.width
self._width_dirty=false
self._anchorX_dirty=true
self._hitAreaWidth_dirty=true
end
if self._height_dirty then
hit.height = style.height
self._height_dirty=false
self._anchorY_dirty=true
self._hitAreaHeight_dirty=true
end
if self._anchorX_dirty then
self._anchorX_dirty=false
self._hitAreaX_dirty=true
end
if self._anchorY_dirty then
self._anchorY_dirty=false
self._hitAreaY_dirty=true
end
if self._hitMarginX_dirty then
self._hitMarginX_dirty=false
self._hitAreaMarginX_dirty=true
end
if self._hitMarginY_dirty then
self._hitMarginY_dirty=false
self._hitAreaMarginY_dirty=true
end
if self._labelText_dirty then
text.text = self._labelText
self._labelText_dirty=false
end
--== Set Styles
if self._widgetStyle_dirty or self._widgetViewState_dirty then
local state = self._widgetViewState
if state==ButtonBase.INACTIVE then
text:setActiveStyle( style.inactive.label, {copy=false} )
bg:setActiveStyle( style.inactive.background, {copy=false} )
elseif state==ButtonBase.ACTIVE then
text:setActiveStyle( style.active.label, {copy=false} )
bg:setActiveStyle( style.active.background, {copy=false} )
else
text:setActiveStyle( style.disabled.label, {copy=false} )
bg:setActiveStyle( style.disabled.background, {copy=false} )
end
self._widgetStyle_dirty=false
self._widgetViewState_dirty=false
end
--== Hit
if self._hitAreaX_dirty or self._hitAreaAnchorX_dirty then
local width = style.width
hit.x = width/2+(-width*style.anchorX)
self._hitAreaX_dirty=false
self._hitAreaAnchorX_dirty=false
end
if self._hitAreaY_dirty or self._hitAreaAnchorY_dirty then
local height = style.height
hit.y = height/2+(-height*style.anchorY)
self._hitAreaY_dirty=false
self._hitAreaAnchorY_dirty=false
end
if self._hitAreaWidth_dirty or self._hitAreaMarginX_dirty then
hit.width=style.width+style.hitMarginX*2
self._hitAreaWidth_dirty=false
self._hitAreaMarginX_dirty=false
end
if self._hitAreaHeight_dirty or self._hitAreaMarginY_dirty then
hit.height=style.height+style.hitMarginY*2
self._hitAreaHeight_dirty=false
self._hitAreaMarginY_dirty=false
end
-- debug on
if self._debugOn_dirty then
if style.debugOn then
hit:setFillColor( 1,0,0,0.5 )
else
hit:setFillColor( 0,0,0,0 )
end
self._debugOn_dirty=false
end
end
--====================================================================--
--== Event Handlers
-- stylePropertyChangeHandler()
-- this is the standard property event handler
-- needed by any DMC Widget
-- it listens for changes in the Widget Style Object
-- and reponds with the appropriate message
--
function ButtonBase:stylePropertyChangeHandler( event )
-- print( "ButtonBase:stylePropertyChangeHandler", event.property, event.value )
local style = event.target
local etype= event.type
local property= event.property
local value = event.value
-- Utils.print( event )
-- print( "Style Changed", etype, property, value )
if etype==style.STYLE_RESET then
self._debugOn_dirty=true
self._width_dirty=true
self._height_dirty=true
self._anchorX_dirty=true
self._anchorY_dirty=true
self._align_dirty=true
self._hitMarginX_dirty=true
self._hitMarginY_dirty=true
self._isHitActive_dirty=true
self._marginX_dirty=true
self._marginY_dirty=true
self._offsetX_dirty=true
self._offsetY_dirty=true
self._wgtText_dirty=true
self._widgetViewState_dirty=true
property = etype
else
if property=='debugActive' then
self._debugOn_dirty=true
elseif property=='width' then
self._width_dirty=true
elseif property=='height' then
self._height_dirty=true
elseif property=='anchorX' then
self._anchorX_dirty=true
elseif property=='anchorY' then
self._anchorY_dirty=true
elseif property=='align' then
self._align_dirty=true
elseif property=='hitMarginX' then
self._hitMarginX_dirty=true
elseif property=='hitMarginY' then
self._hitMarginY_dirty=true
elseif property=='isHitActive' then
self._isHitActive_dirty=true
elseif property=='marginX' then
self._marginX_dirty=true
elseif property=='marginY' then
self._marginY_dirty=true
elseif property=='offsetX' then
self._offsetX_dirty=true
elseif property=='offsetY' then
self._offsetY_dirty=true
end
end
self:__invalidateProperties__()
self:__dispatchInvalidateNotification__( property, value )
end
--====================================================================--
--== State Machine
--== State: Init
function ButtonBase:state_init( next_state, params )
-- print( "ButtonBase:state_init >>", next_state )
params = params or {}
--==--
if next_state == ButtonBase.STATE_ACTIVE then
self:do_state_active( params )
elseif next_state == ButtonBase.STATE_INACTIVE then
self:do_state_inactive( params )
elseif next_state == ButtonBase.STATE_DISABLED then
self:do_state_disabled( params )
else
print( "[WARNING] ButtonBase:state_init " .. tostring( next_state ) )
end
end
--== State: Active
function ButtonBase:do_state_active( params )
-- print( "ButtonBase:do_state_active" )
params = params or {}
params.set_state = params.set_state == nil and true or params.set_state
--==--
if params.set_state == true then
self:setState( ButtonBase.STATE_ACTIVE )
end
self._widgetViewState=ButtonBase.STATE_ACTIVE
self._widgetViewState_dirty=true
self:__invalidateProperties__()
end
function ButtonBase:state_active( next_state, params )
-- print( "ButtonBase:state_active >>", next_state )
params = params or {}
--==--
if next_state == ButtonBase.STATE_ACTIVE then
-- self:do_state_active( params )
elseif next_state == ButtonBase.STATE_INACTIVE then
self:do_state_inactive( params )
elseif next_state == ButtonBase.STATE_DISABLED then
self:do_state_disabled( params )
else
print( "[WARNING] ButtonBase:state_active " .. tostring( next_state ) )
end
end
--== State: Inactive
function ButtonBase:do_state_inactive( params )
-- print( "ButtonBase:do_state_inactive" )
params = params or {}
params.set_state = params.set_state == nil and true or params.set_state
--==--
if params.set_state == true then
self:setState( ButtonBase.STATE_INACTIVE )
end
self._widgetViewState=ButtonBase.STATE_INACTIVE
self._widgetViewState_dirty=true
self:__invalidateProperties__()
end
function ButtonBase:state_inactive( next_state, params )
-- print( "ButtonBase:state_inactive >>", next_state )
params = params or {}
--==--
if next_state == ButtonBase.STATE_ACTIVE then
self:do_state_active( params )
elseif next_state == ButtonBase.STATE_INACTIVE then
-- self:do_state_inactive( params )
elseif next_state == ButtonBase.STATE_DISABLED then
self:do_state_disabled( params )
else
print( "[WARNING] ButtonBase:state_inactive " .. tostring( next_state ) )
end
end
--== State: Disabled
function ButtonBase:do_state_disabled( params )
-- print( "ButtonBase:do_state_disabled" )
params = params or {}
--==--
self:setState( ButtonBase.STATE_DISABLED )
self._widgetViewState=ButtonBase.STATE_DISABLED
self._widgetViewState_dirty=true
self:__invalidateProperties__()
end
--[[
params.isEnabled is to make sure that we have been enabled
since someone else might ask us to change state eg, to ACTIVE
when we are disabled (like a button group)
--]]
function ButtonBase:state_disabled( next_state, params )
-- print( "ButtonBase:state_disabled >>", next_state )
params = params or {}
params.isEnabled = params.isEnabled == nil and false or params.isEnabled
--==--
if next_state == ButtonBase.STATE_ACTIVE and params.isEnabled==true then
self:do_state_active( params )
elseif next_state == ButtonBase.STATE_INACTIVE and params.isEnabled==true then
self:do_state_inactive( params )
elseif next_state == ButtonBase.STATE_DISABLED then
-- self:do_state_disabled( params )
else
print( "[WARNING] ButtonBase:state_disabled " .. tostring( next_state ) )
end
end
return ButtonBase
|
-- The init file of PLoop.System.Web
require "PLoop"
require "PLoop.System.IO"
require "PLoop.System.Data"
-- Core
require "PLoop.System.Web.Core"
-- FormatProvider
require "PLoop.System.Web.FormatProvider.JsonFormatProvider"
-- Context
require "PLoop.System.Web.Context.HttpCookie"
require "PLoop.System.Web.Context.HttpRequest"
require "PLoop.System.Web.Context.HttpResponse"
-- Interface
require "PLoop.System.Web.Interface.IHttpContextHandler"
require "PLoop.System.Web.Interface.IHttpOutput"
require "PLoop.System.Web.Interface.IContextOutputHandler"
require "PLoop.System.Web.Interface.IRenderEngine"
require "PLoop.System.Web.Interface.IOutputLoader"
-- Http Context
require "PLoop.System.Web.Context.HttpSession"
require "PLoop.System.Web.Context.HttpContext"
-- Resource
require "PLoop.System.Web.Resource.StaticFileLoader"
require "PLoop.System.Web.Resource.JavaScriptLoader"
require "PLoop.System.Web.Resource.CssLoader"
require "PLoop.System.Web.Resource.PageRenderEngine"
require "PLoop.System.Web.Resource.PageLoader"
require "PLoop.System.Web.Resource.MasterPageLoader"
require "PLoop.System.Web.Resource.EmbedPageLoader"
require "PLoop.System.Web.Resource.HelperPageLoader"
require "PLoop.System.Web.Resource.LuaServerPageLoader"
-- Context Worker
require "PLoop.System.Web.ContextHandler.Route"
-- SessionIDManager
require "PLoop.System.Web.ContextHandler.GuidSessionIDManager"
-- MVC
require "PLoop.System.Web.MVC.Controller"
require "PLoop.System.Web.MVC.ViewPageLoader"
-- Web Attribute
require "PLoop.System.Web.Attribute.ContextHandler"
require "PLoop.System.Web.Attribute.Validator" |
local helpers = require "spec.helpers"
local cjson = require "cjson"
local utils = require "kong.tools.utils"
for _, strategy in helpers.each_strategy() do
describe("Plugin: hmac-auth (API) [#" .. strategy .. "]", function()
local admin_client
local consumer
local bp
local db
lazy_setup(function()
bp, db = helpers.get_db_utils(strategy, {
"routes",
"services",
"consumers",
"plugins",
"hmacauth_credentials",
})
assert(helpers.start_kong({
database = strategy,
}))
admin_client = helpers.admin_client()
end)
lazy_teardown(function()
if admin_client then
admin_client:close()
end
assert(helpers.stop_kong())
end)
describe("/consumers/:consumer/hmac-auth/", function()
describe("POST", function()
before_each(function()
assert(db:truncate("routes"))
assert(db:truncate("services"))
assert(db:truncate("consumers"))
db:truncate("plugins")
db:truncate("hmacauth_credentials")
consumer = bp.consumers:insert({
username = "bob",
custom_id = "1234"
}, { nulls = true })
end)
it("[SUCCESS] should create a hmac-auth credential", function()
local res = assert(admin_client:send {
method = "POST",
path = "/consumers/bob/hmac-auth/",
body = {
username = "bob",
secret = "1234"
},
headers = {
["Content-Type"] = "application/json"
}
})
local body = assert.res_status(201, res)
local cred = cjson.decode(body)
assert.equal(consumer.id, cred.consumer.id)
end)
it("[SUCCESS] should create a hmac-auth credential with a random secret", function()
local res = assert(admin_client:send {
method = "POST",
path = "/consumers/bob/hmac-auth/",
body = {
username = "bob",
},
headers = {
["Content-Type"] = "application/json"
}
})
local body = assert.res_status(201, res)
local cred = cjson.decode(body)
assert.is.not_nil(cred.secret)
end)
it("[FAILURE] should return proper errors", function()
local res = assert(admin_client:send {
method = "POST",
path = "/consumers/bob/hmac-auth/",
body = {},
headers = {
["Content-Type"] = "application/json"
}
})
local body = assert.res_status(400, res)
local json = cjson.decode(body)
assert.same({ username = "required field missing" }, json.fields)
end)
end)
describe("GET", function()
it("should retrieve all", function()
bp.hmacauth_credentials:insert{
consumer = { id = consumer.id },
}
local res = assert(admin_client:send {
method = "GET",
path = "/consumers/bob/hmac-auth",
headers = {
["Content-Type"] = "application/json"
}
})
local body = assert.res_status(200, res)
local json = cjson.decode(body)
assert.equal(1, #(json.data))
end)
end)
end)
describe("/consumers/:consumer/hmac-auth/:id", function()
local credential
before_each(function()
credential = bp.hmacauth_credentials:insert{
consumer = { id = consumer.id },
}
end)
describe("GET", function()
it("should retrieve by id", function()
local res = assert(admin_client:send {
method = "GET",
path = "/consumers/bob/hmac-auth/" .. credential.id,
body = {},
headers = {
["Content-Type"] = "application/json"
}
})
local body_json = assert.res_status(200, res)
local body = cjson.decode(body_json)
assert.equals(credential.id, body.id)
end)
it("should retrieve by username", function()
local res = assert(admin_client:send {
method = "GET",
path = "/consumers/bob/hmac-auth/" .. credential.username,
body = {},
headers = {
["Content-Type"] = "application/json"
}
})
local body_json = assert.res_status(200, res)
local body = cjson.decode(body_json)
assert.equals(credential.id, body.id)
end)
end)
describe("PATCH", function()
it("[SUCCESS] should update a credential by id", function()
local res = assert(admin_client:send {
method = "PATCH",
path = "/consumers/bob/hmac-auth/" .. credential.id,
body = {
username = "alice"
},
headers = {
["Content-Type"] = "application/json"
}
})
local body_json = assert.res_status(200, res)
local cred = cjson.decode(body_json)
assert.equals("alice", cred.username)
end)
it("[SUCCESS] should update a credential by username", function()
local res = assert(admin_client:send {
method = "PATCH",
path = "/consumers/bob/hmac-auth/" .. credential.username,
body = {
username = "aliceUPD"
},
headers = {
["Content-Type"] = "application/json"
}
})
local body_json = assert.res_status(200, res)
local cred = cjson.decode(body_json)
assert.equals("aliceUPD", cred.username)
end)
it("[FAILURE] should return proper errors", function()
local res = assert(admin_client:send {
method = "PATCH",
path = "/consumers/bob/hmac-auth/" .. credential.id,
body = {
username = ""
},
headers = {
["Content-Type"] = "application/json"
}
})
local response = assert.res_status(400, res)
local json = cjson.decode(response)
assert.same({ username = "length must be at least 1" }, json.fields)
end)
end)
describe("PUT", function()
it("[SUCCESS] should create and update", function()
local res = assert(admin_client:send {
method = "PUT",
path = "/consumers/bob/hmac-auth/foo",
body = {
secret = "1234"
},
headers = {
["Content-Type"] = "application/json"
}
})
local body = assert.res_status(200, res)
local cred = cjson.decode(body)
assert.equal("foo", cred.username)
assert.equal(consumer.id, cred.consumer.id)
end)
it("[FAILURE] should return proper errors", function()
local res = assert(admin_client:send {
method = "PUT",
path = "/consumers/bob/hmac-auth/foo",
body = {
secret = 123,
},
headers = {
["Content-Type"] = "application/json"
}
})
local body = assert.res_status(400, res)
local json = cjson.decode(body)
assert.same({ secret = "expected a string" }, json.fields)
end)
end)
describe("DELETE", function()
it("[FAILURE] should return proper errors", function()
local res = assert(admin_client:send {
method = "DELETE",
path = "/consumers/bob/hmac-auth/aliceasd",
body = {},
headers = {
["Content-Type"] = "application/json"
}
})
assert.res_status(404, res)
local res = assert(admin_client:send {
method = "DELETE",
path = "/consumers/bob/hmac-auth/00000000-0000-0000-0000-000000000000",
body = {},
headers = {
["Content-Type"] = "application/json"
}
})
assert.res_status(404, res)
end)
it("[SUCCESS] should delete a credential", function()
local res = assert(admin_client:send {
method = "DELETE",
path = "/consumers/bob/hmac-auth/" .. credential.id,
body = {},
headers = {
["Content-Type"] = "application/json"
}
})
assert.res_status(204, res)
end)
end)
end)
describe("/hmac-auths", function()
local consumer2
describe("GET", function()
lazy_setup(function()
db:truncate("hmacauth_credentials")
bp.hmacauth_credentials:insert {
consumer = { id = consumer.id },
username = "bob"
}
consumer2 = bp.consumers:insert {
username = "bob-the-buidler"
}
bp.hmacauth_credentials:insert {
consumer = { id = consumer2.id },
username = "bob-the-buidler"
}
end)
it("retrieves all the hmac-auths with trailing slash", function()
local res = assert(admin_client:send {
method = "GET",
path = "/hmac-auths/"
})
local body = assert.res_status(200, res)
local json = cjson.decode(body)
assert.is_table(json.data)
assert.equal(2, #json.data)
end)
it("retrieves all the hmac-auths without trailing slash", function()
local res = assert(admin_client:send {
method = "GET",
path = "/hmac-auths"
})
local body = assert.res_status(200, res)
local json = cjson.decode(body)
assert.is_table(json.data)
assert.equal(2, #json.data)
end)
it("paginates through the hmac-auths", function()
local res = assert(admin_client:send {
method = "GET",
path = "/hmac-auths?size=1",
})
local body = assert.res_status(200, res)
local json_1 = cjson.decode(body)
assert.is_table(json_1.data)
assert.equal(1, #json_1.data)
res = assert(admin_client:send {
method = "GET",
path = "/hmac-auths",
query = {
size = 1,
offset = json_1.offset,
}
})
body = assert.res_status(200, res)
local json_2 = cjson.decode(body)
assert.is_table(json_2.data)
assert.equal(1, #json_2.data)
assert.not_same(json_1.data, json_2.data)
-- Disabled: on Cassandra, the last page still returns a
-- next_page token, and thus, an offset proprty in the
-- response of the Admin API.
--assert.is_nil(json_2.offset) -- last page
end)
end)
describe("POST", function()
lazy_setup(function()
db:truncate("hmacauth_credentials")
end)
it("does not create hmac-auth credential when missing consumer", function()
local res = assert(admin_client:send {
method = "POST",
path = "/hmac-auths",
body = {
username = "bob",
},
headers = {
["Content-Type"] = "application/json"
}
})
local body = assert.res_status(400, res)
local json = cjson.decode(body)
assert.same("schema violation (consumer: required field missing)", json.message)
end)
it("creates hmac-auth credential", function()
local res = assert(admin_client:send {
method = "POST",
path = "/hmac-auths",
body = {
username = "bob",
consumer = {
id = consumer.id
}
},
headers = {
["Content-Type"] = "application/json"
}
})
local body = assert.res_status(201, res)
local json = cjson.decode(body)
assert.equal("bob", json.username)
end)
end)
end)
describe("/hmac-auths/:username_or_id", function()
describe("PUT", function()
lazy_setup(function()
db:truncate("hmacauth_credentials")
end)
it("does not create hmac-auth credential when missing consumer", function()
local res = assert(admin_client:send {
method = "PUT",
path = "/hmac-auths/bob",
body = {
},
headers = {
["Content-Type"] = "application/json"
}
})
local body = assert.res_status(400, res)
local json = cjson.decode(body)
assert.same("schema violation (consumer: required field missing)", json.message)
end)
it("creates hmac-auth credential", function()
local res = assert(admin_client:send {
method = "PUT",
path = "/hmac-auths/bob",
body = {
consumer = {
id = consumer.id
}
},
headers = {
["Content-Type"] = "application/json"
}
})
local body = assert.res_status(200, res)
local json = cjson.decode(body)
assert.equal("bob", json.username)
end)
end)
end)
describe("/hmac-auths/:hmac_username_or_id/consumer", function()
describe("GET", function()
local credential
lazy_setup(function()
db:truncate("hmacauth_credentials")
credential = bp.hmacauth_credentials:insert({
consumer = { id = consumer.id },
username = "bob"
})
end)
it("retrieve consumer from a hmac-auth id", function()
local res = assert(admin_client:send {
method = "GET",
path = "/hmac-auths/" .. credential.id .. "/consumer"
})
local body = assert.res_status(200, res)
local json = cjson.decode(body)
assert.same(consumer,json)
end)
it("retrieve consumer from a hmac-auth username", function()
local res = assert(admin_client:send {
method = "GET",
path = "/hmac-auths/" .. credential.username .. "/consumer"
})
local body = assert.res_status(200, res)
local json = cjson.decode(body)
assert.same(consumer,json)
end)
it("returns 404 for a random non-existing hmac-auth id", function()
local res = assert(admin_client:send {
method = "GET",
path = "/hmac-auths/" .. utils.uuid() .. "/consumer"
})
assert.res_status(404, res)
end)
it("returns 404 for a random non-existing hmac-auth username", function()
local res = assert(admin_client:send {
method = "GET",
path = "/hmac-auths/" .. utils.random_string() .. "/consumer"
})
assert.res_status(404, res)
end)
end)
end)
end)
end
|
-- AREA RETRIEVAL FUNCTION
runetest.core.frame.snap = function(orig,diam) --Given parameters, will retrieve all nodes within a given radius.
local db = {}
--Grabs nodenames in a line outward including center for diam number of nodes.
local function linegrab(orig)
local db = {}
for n = 1, diam, 1 do
db[n] = minetest.get_node({x=orig.x+n,y=orig.y,z=orig.z}).name
end
return db
end
-- Does this for as many times as diam, in this case, making a shape w/ l and w the same.
for n = 1, diam, 1 do
db[n] = linegrab({x=orig.x,y=orig.y,z=orig.z+n})
end
return db
end
-- NAME-NUM INDEXER FUNCTION
runetest.core.frame.indexer = function(tab) --Converts table strings into numerical values. (used for internal tables here)
result = {}
if(tab)then
for k,v in ipairs(tab)do
if(string.find(v, "glyph") and string.find(v,"_") and string.sub(v,string.find(v,"_")+1))then
table.insert(result,tonumber(string.sub(v,string.find(v,"_")+1)))
elseif(string.find(v, "lemma") and string.find(v,"_") and string.sub(v,string.find(v,"_")+1))then
table.insert(result,-tonumber(string.sub(v,string.find(v,"_")+1)))
elseif(v == "air")then
table.insert(result,0)
elseif(string.find(v, "reagent") and string.find(v,"_") and string.sub(v,string.find(v,"_")+1))then
table.insert(result,tonumber(string.sub(v,string.find(v,"_")+1)+40))
elseif(v == "runetest:korbel")then
table.insert(result, 65)
end
end
return result
else end
end
-- VERIFIER FUNCTION
runetest.core.frame.chylomicron = function(t1,t2) -- compares values within tables, and if equal, assigns true. (used per table within the larger pattern table)
local result = 0
for n = 1, #t1, 1 do
if(t1[n] == t2[n])then
result = result + 1;
else end
end
if(result == #t1)then
result = true
else end
return result
end
-- TABLE CLEAVAGE FUNCTION
runetest.core.frame.helicase = function(tab) -- Unzips the given table into one table containing all values in sequential order.
local genepool = {};
for n = 1, #tab, 1 do
for nn = 1, #tab[n], 1 do
table.insert(genepool, tab[n][nn])
end
end
return genepool
end
-- CLEAVED TABLE PACKAGING FUNCTION
runetest.core.frame.synthase = function(tab, unitsof) -- Synthesizes a new table with <unitsof> number of tables of <unitsof> length. table provided must be square.
if(#tab == 9 or #tab == 25)then
local rna = {}
for n = 1, unitsof, 1 do
rna[n] = {}
for nn = 1, unitsof, 1 do
rna[n][nn] = tab[nn*n]
end
end
return rna
else end
return rna
end
-- TABLE REARRANGEMENT FUNCTION
runetest.core.frame.mutase = function(tab, rot) --Rotates table values based on degrees provided in <rot>. Currently only 90deg clockwise is supported
local bpg = {}
if(tab and rot)then
local order = {{1,3},{2,6},{3,9},{4,2},{5,5},{6,8},{8,4},{9,7},{7,1}}
if(#tab == 9 and rot == 90)then
for n = 1, #tab, 1 do
bpg[order[n][2]] = tab[order[n][1]]
end
else end
else end
return bpg
end
-- MAIN SEARCH FUNCTION
runetest.core.frame.anal = function(tab,index) --Disassemble, compare, determine, line-by-line from given table.
local data = {
incoming = {name = "unknown",
pattern = tab,
size = {#tab, #tab[1]}
},
temp = {pattern = runetest.templates.glyphs[index],
size = {#runetest.templates.glyphs[index],#runetest.templates.glyphs[index][1]}
},
outgoing = {name = false, pattern = {}}
}
local assumptions = {eq = false, norm = false, id = false}
if(data.incoming.size[1] == data.temp.size[1])then --Count Test
assumptions.eq = true;
data.outgoing.size = data.temp.size[1] * data.temp.size[2]; -- sets variable to an absolute size for exporting
else end
if(assumptions.eq == true and data.incoming.size[2] == data.temp.size[2])then -- Size Test
assumptions.norm = true;
else end
if(assumptions.eq == true and assumptions.norm == true)then --Digitize table
for n = 1, #tab, 1 do
table.insert(data.outgoing.pattern,runetest.core.frame.indexer(data.incoming.pattern[n]))
end
else end
if(assumptions.norm == true)then -- COnvoluted set of functions to test equality of variables in tables.
local result = {}
local chk = 0
for x = 1, data.incoming.size[1] do -- for each table in each, check if numbers are same
result[x] = runetest.core.frame.chylomicron(data.temp.pattern[x],runetest.core.frame.indexer(data.incoming.pattern[x]))
end
for n = 1, #result, 1 do -- If they are both equal, then all tables within tables will have true
if(result[n] == true)then
chk = chk + 1
else end
end
if(chk == #data.temp.pattern)then
assumptions.id = true
else end
else end
local rt = {assumptions.id, data.temp.pattern,data.incoming.size}
return rt
end
-- BRINGING THE FAMILY TOGETHER FUNCTION
-- function utilizes multiple previously defined functions for a given pos. (tag variable is used to indicate which outcome occurred)
runetest.core.frame.discriminate = function(orig,diam)
local numb = 0
local tag = false;
local snapshot = runetest.core.frame.snap(orig,diam)
local analysis;
for n = 1, #runetest.templates.glyphs, 1 do
analysis = runetest.core.frame.anal(snapshot,n)
minetest.chat_send_all(minetest.serialize(analysis))
if(analysis[1] == true)then
analysis = analysis[2]
numb = n break -- Sloppy fix, remember to change
else analysis = nil
end
if(analysis)then
minetest.chat_send_all(n)
if(numb ~= 0 and numb <= 9)then
tag = "lemma"
minetest.chat_send_all("numb is "..numb)
minetest.chat_send_all("Recognized " .. tag .. " pattern | "..numb.. " | !!")
elseif(n >= 10)then
tag = "glyph"
minetest.chat_send_all("Recognized " .. tag .. " pattern | "..numb.. " | !!")
else minetest.chat_send_all("no suitable glyph pattern was found!")
end
end
end
return numb -- numb is the index of the glyph that is used, if any.
end
-------!!!!!!!!!
runetest.core.frame.cast = function()
end
-------!!!!!!!!!
runetest.core.frame.poof = function(pos,pdiam) -- Performs a simple particle effect for completed recipes.
local poofarea = minetest.find_nodes_in_area({x=pos.x-pdiam,y=pos.y,z=pos.z-pdiam},{x=pos.x+pdiam,y=pos.y,z=pos.z+pdiam},{"group:rt_chalk"})
for n = 1, #poofarea, 1 do
runetest.glyph_activate1(poofarea[n])
minetest.remove_node(poofarea[n])
end
local poofarea = minetest.find_nodes_in_area({x=pos.x-pdiam,y=pos.y,z=pos.z-pdiam},{x=pos.x+pdiam,y=pos.y,z=pos.z+pdiam},{"group:rt_reagent"})
for n = 1, #poofarea, 1 do
runetest.glyph_activate1(poofarea[n])
minetest.remove_node(poofarea[n])
end
end
runetest.core.frame.place = function(pos,index)
if(index > 0)then
if(runetest.templates.glyphs_info[index][1] == 3)then
if(runetest.templates.glyphs_info[index][4][1] == "place")then
local tafel = minetest.find_node_near(pos, 3, {"runetest:tafel"},false)
if(tafel)then
local par2 = minetest.get_node(tafel).param2
tafel.y = tafel.y + 1;
local chambers = runetest.core.tafel.chambers
if(par2 == 0 or par2 == 2)then
chambers = runetest.core.tafel.chambers_alt
else
end
local offset = minetest.get_objects_inside_radius(tafel, 2)
minetest.chat_send_all(#offset)
if(offset and #offset > 0 and #offset < 8)then
offset = #offset;
minetest.add_entity(vector.add(tafel,chambers[offset]), "runetest:ent_lemma_"..index)
elseif(offset == nil or #offset == 0)then
minetest.add_entity(vector.add(tafel,chambers[0]), "runetest:ent_lemma_"..index)
else
end
else end
else end
elseif(runetest.templates.glyphs_info[index][1] == 5)then
if(runetest.templates.glyphs_info[index][4][1] == "place")then
local tafel = minetest.find_node_near(pos, 3, {"runetest:tafel"},false)
if(tafel)then
local par2 = minetest.get_node(tafel).param2
tafel.y = tafel.y + 1;
local chambers = runetest.core.tafel.chambers
if(par2 == 0 or par2 == 2)then
chambers = runetest.core.tafel.chambers_alt
else
end
local offset = minetest.get_objects_inside_radius(tafel, 2)
minetest.chat_send_all(#offset)
if(offset and #offset > 0 and #offset < 8)then
offset = #offset;
minetest.add_entity(vector.add(tafel,chambers[offset]), "runetest:ent_glyph_"..index)
elseif(offset == nil or #offset == 0)then
minetest.add_entity(vector.add(tafel,chambers[0]), "runetest:ent_glyph_"..index)
else
end
else end
else end
else minetest.chat_send_all(index.."!!!!!!!!!!!!!!!!!!!!!!!!!!!!!")end
end
end
runetest.core.tafel.lemscan = function(pos)
space = {x = pos.x, y = pos.y + 1, z = pos.z}string.sub(nom,string.find(nom,"a_")+2)
local data = {name = minetest.get_node(pos).name,
objects = minetest.get_objects_inside_radius(space,1),
se_objects = {num = "", refs = {}}
};
if(type(data.objects) == "table" and #data.objects > 0)then
for k,v in ipairs(data.objects)do
local nom = v:get_entity_name()
data.se_objects.num = data.se_objects.num ..
data.se_objects.refs[k] = v
end
end
return data.se_objects
end
runetest.core.tafel.makeglyph = function(pos,arr) -- Definitely not a pirate argument (It means array, as in the passed array of numbers or the sequence)
local ind = 0
minetest.chat_send_all(arr.num .. " |||||| " .. runetest.templates.recipes[1])
while(type(ind) == "number")do
ind = ind + 1;
if(ind >= #runetest.templates.recipes)then
ind = nil
else end
if(arr.num == runetest.templates.recipes[ind])then
minetest.chat_send_all(ind)
local tafel = minetest.find_node_near(pos, 2, {"runetest:tafel"},false)
if(tafel)then
for k,v in pairs(arr.refs)do
v:remove()
end
minetest.add_entity(vector.add(tafel,runetest.core.tafel.chambers[0]), "runetest:ent_glyph_"..ind)
else end
ind = nil
else end
end
end
-- -- -- -- WILL -- -- -- --
runetest.core.will.change = function(user) -- Will upwardly increment the will state of the player.
local nam = user:get_player_name() or "nemo"
local num = 0 and runetest.cache.users[nam]
if(num >= 2)then
num = 0;
elseif(num == nil)then
num = 0;
else num = num + 1;
end
runetest.cache.users.nam = num;
end
runetest.core.will.register = function(user)
runetest.cache.users[user:get_player_name()] = "|04abxg9|"
return
end
runetest.core.will.rectify = function(user)
end
runetest.core.will.alter = function(user, value, loc) -- Inserts value at location within the runetest cache playerstring for user.
local ustring = runetest.cache.users[user:get_player_name()]
local s1,s2,s3 = "undefined";
if(type(value) == "number")then
if(loc == 2 or loc == 3 or loc == 8)then
s1,s2 = ustring:sub(1, loc - 1),ustring:sub(loc + 1);
s1 = s1 .. value
s3 = s1 .. s2
else end
elseif(loc > 2 and loc < 8 and type(value) == "string")then
s1,s2 = ustring:sub(1, loc - 1),ustring:sub(loc + 1);
s1 = s1 .. value
s3 = s1 .. s2
else end
return s3 or 1
end
runetest.core.will.endp = function(user)
minetest.chat_send_all(minetest.serialize(user:get_look_dir()))
end |
fx_version 'adamant'
games { 'gta5' }
description 'NPC-Drug-Deliveries'
version '1.0.0'
server_script "server/server.lua"
client_script "client/client.lua" |
--------------
-- Includes --
--------------
#include 'include/internal_events.lua'
----------------------
-- Global variables --
----------------------
g_Me = getLocalPlayer()
g_ScreenSize = {guiGetScreenSize()}
g_InternalEventHandlers = {}
---------------------
-- Local variables --
---------------------
local g_ThisRes = getThisResource()
local g_ThisResName = getResourceName(g_ThisRes)
-------------------
-- Custom events --
-------------------
addEvent('onEvent_'..g_ThisResName, true)
--------------------------------
-- Local function definitions --
--------------------------------
local function onEventHandler(event, ...)
if(sourceResource) then -- HACKFIX: sourceResource is nil after r5937
if(sourceResource ~= g_ThisRes) then
outputDebugString('Access denied', 2)
end
else
--outputDebugString('onEventHandler: sourceResource is nil (event '..tostring(event)..')', 2)
end
if(g_InternalEventHandlers[event or false]) then
for _, handler in ipairs(g_InternalEventHandlers[event]) do
handler(...)
end
end
end
---------------------------------
-- Global function definitions --
---------------------------------
function findPlayer(str)
if(not str) then
return false
end
local player = getPlayerFromName(str)
if(player) then
return player
end
local str_lower = str:lower()
for i, player in ipairs(getElementsByType('player')) do
local name = getPlayerName(player):gsub('#%x%x%x%x%x%x', ''):lower()
if(name:find(str_lower, 1, true)) then
return player
end
end
return false
end
function addInternalEventHandler(eventtype, handler)
assert(eventtype)
if(not g_InternalEventHandlers[eventtype]) then
g_InternalEventHandlers[eventtype] = {}
end
table.insert(g_InternalEventHandlers[eventtype], handler)
end
function triggerServerInternalEvent(eventtype, source, ...)
assert(eventtype)
-- Note: unpack must be last arg
triggerServerEvent('onEvent_'..g_ThisResName, source, eventtype, unpack({ ... }))
end
function triggerInternalEvent(eventtype, source, ...)
assert(eventtype)
if(g_InternalEventHandlers[eventtype]) then
for i, handler in ipairs(g_InternalEventHandlers[eventtype]) do
handler(...)
end
end
end
_isPlayerDead = isPlayerDead
function isPlayerDead(player)
local state = getElementData(player, 'state')
if(not state) then
return _isPlayerDead(player)
end
return (state ~= 'alive')
end
local g_DelayedList = {}
local function delayedTick()
removeEventHandler('onClientPreRender', root, delayedTick)
for i, info in ipairs(g_DelayedList) do
local status, err = pcall(unpack(info))
if(not status) then
outputDebugString('Delayed call failed: '..err, 1)
end
end
g_DelayedList = {}
end
function delayExecution(fn, ...)
table.insert(g_DelayedList, {fn, ...})
if(#g_DelayedList == 1) then
addEventHandler('onClientPreRender', root, delayedTick)
end
end
------------
-- Events --
------------
addInitFunc(function()
addEventHandler('onEvent_'..g_ThisResName, g_Root, onEventHandler)
end, -1000)
|
function ShowInfo(text)
SetNotificationTextEntry("STRING")
AddTextComponentString(text)
DrawNotification(true, false)
end
ESX = nil
local ped = PlayerPedId()
Citizen.CreateThread(function()
while ESX == nil do
TriggerEvent('esx:getSharedObject', function(obj) ESX = obj end)
Citizen.Wait(0)
end
end)
-----------autres--------
local fped = FindFirstPed(ped)
local code = Config.PassWord
RegisterCommand(Config.Command, function()
AddTextEntry('FMMC_MPM_NA', "Code d'accès")
DisplayOnscreenKeyboard(false, "FMMC_MPM_NA", "Code d'accès", "", "", "", "", 7)
while (UpdateOnscreenKeyboard() == 0) do
DisableAllControlActions(0);
Wait(0);
end
if (GetOnscreenKeyboardResult()) then
text = GetOnscreenKeyboardResult()
end
local text = GetOnscreenKeyboardResult()
if text == code then
if text ~= nil and text ~= "" then
MenuAdmin()
end
else
exports['b1g_notify']:Notify('false', 'Code incorrect !')
end
end)
local MainMenu = RageUI.CreateMenu("Menu admin", "By NessXo874#2563");
MainMenu.EnableMouse = Config.EnableMouse;
local SubMenu = RageUI.CreateSubMenu(MainMenu, "Player options", "Menu des options du joueur")
local SubMenu2 = RageUI.CreateSubMenu(SubMenu, "God mode", "Activer/désactiver le god mode")
local SubMenu11 = RageUI.CreateSubMenu(SubMenu, "Fly", "Activer/désactiver le fly")
local SubMenu3 = RageUI.CreateSubMenu(SubMenu, "No ragdoll", "Activer/désactiver le no ragdoll")
local SubMenu4 = RageUI.CreateSubMenu(SubMenu, "Endurance ilimitée", "Activer/désactiver l\'endurance ilimitée")
local SubMenu5 = RageUI.CreateSubMenu(MainMenu, "Vehicle options", "Menu des options de vehicules")
local SubMenu6 = RageUI.CreateSubMenu(SubMenu5, "Blip", "Menu d'activation du blip'")
local SubMenu7 = RageUI.CreateSubMenu(SubMenu5, "Benny's", "Menu de personalisation du véhicule")
local SubMenu8 = RageUI.CreateSubMenu(SubMenu7, "Peinture", "Changer de peinture")
local SubMenu9 = RageUI.CreateSubMenu(SubMenu8, "Classic", "Peintures classiques")
local SubMenu10 = RageUI.CreateSubMenu(SubMenu7, "Livrées", "Modifier la livrée")
local SubMenu12 = RageUI.CreateSubMenu(SubMenu7, "Flash", "Particules")
local particleDictionary = "core"
local PlayerPed = GetPlayerPed(GetPlayerFromServerId(ped))
local particleName = "exp_grd_flare"
local ped = PlayerPedId()
local PlayerPed = GetPlayerPed(GetPlayerFromServerId(ped))
local bone = GetPedBoneIndex(PlayerPed, 11816)
local Checked = false;
local ListIndex = 1;
local GridX, GridY = 0, 0
function RageUI.PoolMenus:Example()
MainMenu:IsVisible(function(Items)
Items:AddButton("Player options", "Menu des options du joueur", { IsDisabled = false }, function(onSelected)
end, SubMenu)
Items:AddButton("Vehicle options", "Menu des options de vehicules", { IsDisabled = false }, function(onSelected)
end, SubMenu5)
end, function(Panels)
end)
SubMenu:IsVisible(function(Items)
-- Items
Items:AddButton("God mode", "Activer/désactiver le god mode", { IsDisabled = false }, function(onSelected)
end, SubMenu2)
Items:AddButton("Fly", "Activer/désactiver le fly", { IsDisabled = false }, function(onSelected)
end, SubMenu11)
Items:AddButton("No ragdoll", "Activer/désactiver le no ragdoll", { IsDisabled = false }, function(onSelected)
end, SubMenu3)
Items:AddButton("Endurance ilimitée (en dev)", "Activer/désactiver l\'endurance ilimitée", { IsDisabled = false }, function(onSelected)
end, SubMenu4)
Items:AddButton("Flash", "Activer/désactiver le mode flash", { IsDisabled = false }, function(onSelected)
end, SubMenu12)
Items:AddButton("Activer", "Activer le god mode", { IsDisabled = false }, function(onSelected)
if (onSelected) then
StopAllScreenEffects()
Citizen.Wait(1)
end
end)
-- Panels
end, function(Panels)
end)
--------God mode--------
SubMenu2:IsVisible(function(Items)
-- Items
Items:AddButton("Activer", "Activer le god mode", { IsDisabled = false }, function(onSelected)
if (onSelected) then
SetEntityInvincible(ped, true)
SetEntityCanBeDamaged(ped, false)
ShowInfo("~r~God mode activé")
Citizen.Wait(1)
end
end)
Items:AddButton("Désactiver", "Désactiver le god mode", { IsDisabled = false }, function(onSelected)
if (onSelected) then
SetEntityInvincible(ped, false)
SetEntityCanBeDamaged(ped, true)
ShowInfo("God mode désactivé")
Citizen.Wait(1)
end
end)
end, function()
-- Panels
end)
---------fly--------
SubMenu11:IsVisible(function(Items)
-- Items
Items:AddButton("Activer", "Désactiver la gravité", { IsDisabled = false }, function(onSelected)
if (onSelected) then
local ped = PlayerPedId()
SetEntityHasGravity(ped, false)
ShowInfo("~r~fly désactivé")
Citizen.Wait(1)
end
end)
Items:AddButton("Désactiver", "activer la gravité", { IsDisabled = false }, function(onSelected)
if (onSelected) then
SetEntityHasGravity(ped, true)
ShowInfo("gravité activé")
Citizen.Wait(1)
end
end)
end, function()
-- Panels
end)
------flash-------
SubMenu12:IsVisible(function(Items)
-- Items
Items:AddButton("Super force", "activer la super force", { IsDisabled = false }, function(onSelected)
if (onSelected) then
local ped = PlayerPedId()
N_0x4757f00bc6323cfe(GetHashKey("WEAPON_UNARMED"), 10000.0)
Citizen.Wait(1)
end
end)
Items:AddButton("Super vitesse", "activer la super vitesse", { IsDisabled = false }, function(onSelected)
if (onSelected) then
local ped = PlayerPedId()
Citizen.CreateThread(function() SetPedMoveRateOverride(PlayerId(),50.0) SetRunSprintMultiplierForPlayer(PlayerId(),10.49) end)
Citizen.Wait(1)
end
end)
Items:AddButton("Désactiver super vitesse", "désactiver la super vitesse", { IsDisabled = false }, function(onSelected)
if (onSelected) then
Citizen.CreateThread(function() SetPedMoveRateOverride(PlayerId(),1.0) SetRunSprintMultiplierForPlayer(PlayerId(),0.00) end)
Citizen.Wait(1)
end
end)
end, function()
-- Panels
end)
----------no ragdoll------
SubMenu3:IsVisible(function(Items)
-- Items
Items:AddButton("Activer", "Activer le no ragdoll", { IsDisabled = false }, function(onSelected)
if (onSelected) then
SetPedCanRagdoll(ped, false)
ShowInfo("~r~no ragdoll activé")
Citizen.Wait(1)
end
end)
Items:AddButton("Désactiver", "Désactiver le no ragdoll", { IsDisabled = false }, function(onSelected)
if (onSelected) then
SetPedCanRagdoll(ped, true)
ShowInfo("no ragdoll désactivé")
Citizen.Wait(1)
end
end)
end, function()
-- Panels
end)
--------Stamina---------
SubMenu4:IsVisible(function(Items)
-- Items
Items:CheckBox("Activer2", "Descriptions", Checked, { Style = 1 }, function(onSelected, IsChecked)
if (onSelected) then
Checked = IsChecked
if (IsChecked) then
Citizen.Wait(1)
while true do
if IsPedSprinting(ped) then
Citizen.Wait(2000)
ResetPlayerStamina(ped)
Citizen.Wait(1)
Citizen.Wait(1)
end
end
Citizen.Wait(1)
end
Citizen.Wait(1)
end
end)
Items:AddButton("Activer", "Activer l\'endurance ilimitée", { IsDisabled = false }, function(onSelected)
if (onSelected) then
while true do
if IsPedSprinting(ped) then
Citizen.Wait(2000)
ResetPlayerStamina(ped)
Citizen.Wait(1)
Citizen.Wait(1)
end
Citizen.Wait(1)
end
Citizen.Wait(1)
end
end)
Items:AddButton("Désactiver", "Désactiver l\'endurance ilimitée", { IsDisabled = false }, function(onSelected)
if (onSelected) then
ShowInfo("Endurance ilimitée désactivée")
Citizen.Wait(1)
end
end)
end, function()
-- Panels
end)
-------------vehicle options------------
SubMenu5:IsVisible(function(Items)
Items:AddButton("Réparer", "Réparer le véhicule", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleFixed(veh)
end
end)
Items:AddButton("Récup la plaque", "plaque", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
local plate = GetVehicleNumberPlateText(veh)
print(plate)
end
end)
Items:AddButton("Unfreeze vehicle", "unfreeze", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
FreezeEntityPosition(veh, false)
end
end)
Items:AddButton("tp vehicule le plus proche(en dev)", "tp véhicule", { IsDisabled = false }, function(onSelected)
if (onSelected) then
SetPedIntoVehicle(ped, FindFirstVehicle(10), 1)
end
end)
Items:AddButton("Blip", "Menu d'activation du blip", { IsDisabled = false }, function(onSelected)
end, SubMenu6)
Items:AddButton("Benny's", "Menu de personalisation du véhicule", { IsDisabled = false }, function(onSelected)
end, SubMenu7)
end, function()
-- Panels
end)
---------Blip-----------
SubMenu6:IsVisible(function(Items)
-- Items
Items:AddButton("Activer", "Activer le blip", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, true)
function BLIP()
local blip = AddBlipForEntity(veh)
SetBlipColour(blip, white)
SetBlipDisplay(blip, 2)
SetBlipAsFriendly(blip, true)
end
function RBLIP()
RemoveBlip()
end
if (onSelected) then
BLIP()
end
if veh == nil then
RemoveBlip(blip)
end
end)
Items:AddButton("Désactiver", "Désactiver le blip", { IsDisabled = false }, function(onSelected)
if (onSelected) then
ExecuteCommand("restart AdminByNess")
end
end)
end, function()
-- Panels
end)
--------------Benny's-----------
SubMenu7:IsVisible(function(Items)
-- Items
Items:AddButton("Peinture", "Changer la peinture du véhicule", { IsDisabled = false }, function(onSelected)
end, SubMenu8)
Items:AddButton("Livrées", "Changer la livrée du véhicule", { IsDisabled = false }, function(onSelected)
end, SubMenu10)
end, function()
-- Panels
end)
--------------Peintures---------
SubMenu8:IsVisible(function(Items)
-- Items
Items:AddButton("Classic/métalliques", "Peintures classiques", { IsDisabled = false }, function(onSelected)
end, SubMenu9)
end, function()
-- Panels
end)
-------------livrées-------------
SubMenu10:IsVisible(function(Items)
-- Items-
local NumberCharset = {}
local Charset = {}
for i = 48, 57 do table.insert(NumberCharset, string.char(i)) end
local ped = PlayerPedId()
function GetRandomNumber(length)
Citizen.Wait(1)
math.randomseed(GetGameTimer())
if length > 0 then
return GetRandomNumber(length - 1) .. NumberCharset[math.random(1, #NumberCharset)]
else
return ''
end
end
local veh = GetVehiclePedIsIn(ped, false)
local liv = GetVehicleLiveryCount(veh)
function Number()
local number = GetRandomNumber(1)
--if number > liv then
--local number = GetRandomNumber(1)
--else
-- return
--end
end
Items:AddButton("Livrée aléatoire", "Mettre une livrée", { IsDisabled = false }, function(onSelected)
if (onSelected) then
SetVehicleColours(veh, number, 1)
end
end)
end, function()
-- Panels
end)
------------Peintures classiques--------
SubMenu9:IsVisible(function(Items)
-- Items
Items:AddButton("Noir", "Peinture noire", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 0, 0)
end
end)
Items:AddButton("Noir carbone", "Peinture noire", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 147, 147)
end
end)
Items:AddButton("Graphite", "Peinture graphite", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 1, 1)
end
end)
Items:AddButton("Noir Anthracite", "Peinture noir anthracite", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 11, 11)
end
end)
Items:AddButton("Noir métal", "Peinture noir métal", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 2, 2)
end
end)
Items:AddButton("Métal foncé", "Peinture métal foncé", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 3, 3)
end
end)
Items:AddButton("Argenté", "Peinture Argentée", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 4, 4)
end
end)
Items:AddButton("Argent bleuté", "Peinture Argent bleuté", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 5, 5)
end
end)
Items:AddButton("Acier laminé", "Peinture Acier laminé", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 6, 6)
end
end)
Items:AddButton("Argent foncé", "Peinture Argent foncé", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 7, 7)
end
end)
Items:AddButton("Argent pierre", "Peinture Argent pierre", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 8, 8)
end
end)
Items:AddButton("Argent de minuit", "Peinture Argent de minuit", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 9, 9)
end
end)
Items:AddButton("Argent fondu", "Peinture Argent fondu", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 10, 10)
end
end)
Items:AddSeparator("Rouges")
Items:AddButton("Rouge", "Peinture Rouge", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 27, 27)
end
end)
Items:AddButton("Rouge torino", "Peinture Rouge torino", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 28, 28)
end
end)
Items:AddButton("Rouge formula", "Peinture Rouge formula", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 29, 29)
end
end)
Items:AddButton("Rouge lave", "Peinture Rouge lave", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 150, 150)
end
end)
Items:AddButton("Rouge flamboyant", "Peinture Rouge flamboyant", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 30, 30)
end
end)
Items:AddButton("Rouge distingué", "Peinture Rouge distingué", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 31, 31)
end
end)
Items:AddButton("Rouge grenat", "Peinture Rouge grenat", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 32, 32)
end
end)
Items:AddButton("Rouge bordeau", "Peinture Rouge bordeau", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 33, 33)
end
end)
Items:AddButton("Rouge cabernet", "Peinture Rouge cabernet", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 34, 34)
end
end)
Items:AddButton("Rouge vin", "Peinture Rouge vin", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 143, 143)
end
end)
Items:AddButton("Rouge bonbon", "Peinture Rouge bonbon", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 35, 35)
end
end)
Items:AddSeparator("Roses")
Items:AddButton("Rose chaud", "Peinture Rose chaud", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 135, 135)
end
end)
Items:AddButton("Rose pfister", "Peinture Rose pfister", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 137, 137)
end
end)
Items:AddButton("Rose saumon", "Peinture Rose saumon", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 136, 136)
end
end)
Items:AddSeparator("Oranges")
Items:AddButton("Orange couché de soleil", "Peinture Orange couché de soleil", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 36, 36)
end
end)
Items:AddButton("Orange", "Peinture Orange", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 38, 38)
end
end)
Items:AddSeparator("Autres")
Items:AddButton("Or", "Peinture dorrée", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 99, 99)
end
end)
Items:AddButton("Bronze", "Peinture bronze", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 90, 90)
end
end)
Items:AddSeparator("Jaunes")
Items:AddButton("Jaune", "Peinture Jaune", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 88, 88)
end
end)
Items:AddButton("Jaune course", "Peinture jaune course", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 89, 89)
end
end)
Items:AddButton("Jaune citron", "Peinture jaune citron", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 91, 91)
end
end)
Items:AddSeparator("Verts")
Items:AddButton("Vert foncé", "Peinture Vert foncé", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 49, 49)
end
end)
Items:AddButton("Vert course", "Peinture Vert course", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 50, 50)
end
end)
Items:AddButton("Vert océan", "Peinture Vert océan", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 51, 51)
end
end)
Items:AddButton("Vert olive", "Peinture Vert oilve", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 52, 52)
end
end)
Items:AddButton("Vert brillant", "Peinture Vert brillant", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 53, 53)
end
end)
Items:AddButton("Vert essence", "Peinture Vert essence", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 54, 54)
end
end)
Items:AddButton("Vert lime", "Peinture Vert lime", { IsDisabled = false }, function(onSelected)
local veh = GetVehiclePedIsIn(ped, false)
if (onSelected) then
SetVehicleColours(veh, 92, 92)
end
end)
Items:AddSeparator("Bleu")
end, function()
-- Panels
end)
end
Citizen.CreateThread(function()
if Config.UseAKey then
while true do
if IsControlJustPressed(0, Config.Key) then
ExecuteCommand("menu")
Citizen.Wait(1)
end
Citizen.Wait(1)
end
Citizen.Wait(1)
end
end)
function MenuAdmin()
RageUI.Visible(MainMenu, not RageUI.Visible(MainMenu))
end
|
group("third_party")
project("dxbc")
uuid("c96688ca-51ca-406e-aeef-068734a67abe")
kind("StaticLib")
language("C++")
links({
})
defines({
"_LIB",
})
includedirs({
"dxbc",
})
files({
"dxbc/d3d12TokenizedProgramFormat.hpp",
"dxbc/DXBCChecksum.cpp",
"dxbc/DXBCChecksum.h",
})
|
local LogSigmoid, parent = torch.class('nn.LogSigmoid', 'nn.Module')
function LogSigmoid:__init()
parent.__init(self)
self.buffer = torch.Tensor()
end
function LogSigmoid:write(file)
parent.write(self, file)
file:writeObject(self.buffer)
end
function LogSigmoid:read(file)
parent.read(self, file)
self.buffer = file:readObject()
end
|
local vision={}
return vision
|
local server = require("dashboard.server")
-- global context
local srv = server:new(context.config, context.store, context.views_path)
return srv:get_app()
|
require "import"
import "android.widget.*"
import "android.view.*"
import "autotheme"
activity.setTheme(autotheme())
activity.setTitle("LogCat")
edit=EditText(activity)
edit.Hint="输入关键字"
edit.Width=activity.Width/3
edit.SingleLine=true
edit.addTextChangedListener{
onTextChanged=function(c)
scroll.adapter.filter(tostring(c))
end
}
--添加菜单
items={"All","Lua","Test","Tcc","Error","Warning","Info","Debug","Verbose","Clear"}
function onCreateOptionsMenu(menu)
me=menu.add("搜索").setShowAsAction(MenuItem.SHOW_AS_ACTION_ALWAYS)
me.setActionView(edit)
for k,v in ipairs(items) do
m=menu.add(v)
items[v]=m
end
end
function onMenuItemSelected(id,item)
if func[item.getTitle()] then
func[item.getTitle()]()
else
print(item,"功能开发中。。。")
end
end
function readlog(s)
p=io.popen("logcat -d -v long "..s)
local s=p:read("*a")
p:close()
s=s:gsub("%-+ beginning of[^\n]*\n","")
if #s==0 then
s="<run the app to see its log output>"
end
return s
end
function clearlog()
p=io.popen("logcat -c")
local s=p:read("*a")
p:close()
return s
end
func={}
func.All=function()
activity.setTitle("LogCat - All")
task(readlog,"",show)
end
func.Lua=function()
activity.setTitle("LogCat - Lua")
task(readlog,"lua:* *:S",show)
end
func.Test=function()
activity.setTitle("LogCat - Test")
task(readlog,"test:* *:S",show)
end
func.Tcc=function()
activity.setTitle("LogCat - Tcc")
task(readlog,"tcc:* *:S",show)
end
func.Error=function()
activity.setTitle("LogCat - Error")
task(readlog,"*:E",show)
end
func.Warning=function()
activity.setTitle("LogCat - Warning")
task(readlog,"*:W",show)
end
func.Info=function()
activity.setTitle("LogCat - Info")
task(readlog,"*:I",show)
end
func.Debug=function()
activity.setTitle("LogCat - Debug")
task(readlog,"*:D",show)
end
func.Verbose=function()
activity.setTitle("LogCat - Verbose")
task(readlog,"*:V",show)
end
func.Clear=function()
task(clearlog,show)
end
scroll=ScrollView(activity)
scroll=ListView(activity)
scroll.FastScrollEnabled=true
logview=TextView(activity)
logview.TextIsSelectable=true
--scroll.addView(logview)
--scroll.addHeaderView(logview)
local r="%[ *%d+%-%d+ *%d+:%d+:%d+%.%d+ *%d+: *%d+ *%a/[^ ]+ *%]"
function show(s)
-- logview.setText(s)
--print(s)
local a=LuaArrayAdapter(activity,{TextView,
textIsSelectable=true,
textSize="18sp",
})
local l=1
for i in s:gfind(r) do
if l~=1 then
a.add(s:sub(l,i-1))
end
l=i
end
a.add(s:sub(l))
adapter=a
scroll.Adapter=a
end
func.Lua()
activity.setContentView(scroll)
import "android.content.*"
cm=activity.getSystemService(activity.CLIPBOARD_SERVICE)
function copy(str)
local cd = ClipData.newPlainText("label",str)
cm.setPrimaryClip(cd)
Toast.makeText(activity,"已复制的剪切板",1000).show()
end
--[[adapter.Filter=function(o,n,s)
for v in each(o) do
if v:find(s) then
n.add(v)
end
end
end]]
|
-- ━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━ --
-- ───────────────────────────────────────────────── --
-- Plugin: surround.nvim
-- Github: github.com/blackcauldron7/surround.nvim
-- ───────────────────────────────────────────────── --
-- ━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━ --
-- ━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━ --
-- ━━━━━━━━━━━━━━━━━━━❰ configs ❱━━━━━━━━━━━━━━━━━━━ --
-- ━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━ --
-- ━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━ --
-- ━━━━━━━━━━━━━━━━━❰ end configs ❱━━━━━━━━━━━━━━━━━ --
-- ━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━ --
-- ━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━ --
-- ━━━━━━━━━━━━━━━━━━❰ Mappings ❱━━━━━━━━━━━━━━━━━━━ --
-- ━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━ --
-- ━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━ --
-- ━━━━━━━━━━━━━━━━━❰ end Mappings ❱━━━━━━━━━━━━━━━━ --
-- ━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━ --
|
local config = require("config").input
local input = {}
function input.init()
input.map = config.buttons
input.buttons = {}
local width, height = love.window.getMode()
for name, triggers in pairs(input.map) do
for _, trigger in ipairs(triggers) do
trigger.x, trigger.y = compat.guiSize(trigger.x, trigger.y)
if trigger.type == "touch" then
if trigger.align:find("b") then -- Bottom
trigger.y = height - trigger.y
end
if trigger.align:find("r") then -- Right
trigger.x = width - trigger.x
end
if trigger.align:find("v") then -- centered Vertically
trigger.y = trigger.y + height/2
end
if trigger.align:find("h") then -- centered Horizontally
trigger.x = trigger.x + width/2
end
trigger.size2 = trigger.size^2
end
end
input.buttons[name] = {held=false, down=false, up=false, last=false, value=0}
end
input.joystick = love.joystick.getJoysticks()[1] -- can be nil
end
function input.globalUpdate()
for name, triggers in pairs(input.map) do
local button = input.buttons[name]
button.last = button.held
button.held = false
button.value = 1
for _, trigger in ipairs(triggers) do
if trigger.type == "kb" then
button.held = button.held or love.keyboard.isDown(trigger.key)
elseif trigger.type == "mouse" then
button.held = button.held or love.mouse.isDown(trigger.side)
elseif trigger.type == "axis" then
if input.joystick then
button.value = input.joystick:getAxis(trigger.axis)
button.held = button.held or button.value > config.deadZone
end
elseif trigger.type == "hat" then
if input.joystick then
button.held = button.held or input.joystick:getHat(trigger.hat):find(trigger.direction) --check string for direction pattern
end
elseif trigger.type == "joybutton" then
if input.joystick then
button.held = button.held or input.joystick:isDown(trigger.id)
end
elseif trigger.type == "touch" then
if compat.mobile() then
local touches = love.touch.getTouches()
for _, touch in ipairs(touches) do
local x, y = love.touch.getPosition(touch)
if trigger.shape == "circle" then
button.held = button.held or (x-trigger.x)^2 + (y-trigger.y)^2 <= trigger.size
elseif trigger.shape == "square" then
button.held = button.held or (math.abs(trigger.x-x) < trigger.size and math.abs(trigger.y-y) < trigger.size)
end
end
end
end
end
if not button.held then
button.value = 0
end
button.down = button.held and not button.last
button.up = button.last and not button.held
end
end
function input.globalDraw()
if compat.mobile() then
local font = love.graphics.getFont()
for name, triggers in pairs(input.map) do
for _, trigger in ipairs(triggers) do
if trigger.type == "touch" then
if input.buttons[name].held then
compat.setColour(0.5, 0.5, 0.5, 1)
else
compat.setColour(0.5, 0.5, 0.5, 0.2)
end
if trigger.shape == "circle" then
love.graphics.circle("fill", trigger.x, trigger.y, compat.guiSize(trigger.size))
compat.setColour(1, 1, 1, 1)
love.graphics.circle("line", trigger.x, trigger.y, compat.guiSize(trigger.size))
elseif trigger.shape == "square" then
love.graphics.rectangle("fill", trigger.x-compat.guiSize(trigger.size), trigger.y-compat.guiSize(trigger.size), compat.guiSize(trigger.size*2, trigger.size*2))
compat.setColour(1, 1, 1, 1)
love.graphics.rectangle("line", trigger.x-compat.guiSize(trigger.size), trigger.y-compat.guiSize(trigger.size), compat.guiSize(trigger.size*2, trigger.size*2))
end
love.graphics.print(trigger.symbol, trigger.x-font:getWidth(trigger.symbol), trigger.y-font:getHeight())
end
end
end
end
end
function input.get(button)
return input.buttons[button]
end
input.init()
return setmetatable(input, {__index=input.buttons})
|
menu = {}
lg = love.graphics
function menu.enter()
state = STATE_MENU
font = lg.newFont("fonts/slkscr.ttf", 48)
menuscene = lg.newImage("img/MainMenuBackGround.png")
lg.setFont(font)
selection = 1
end
function menu.draw()
menu.drawBackground()
menu.drawMenu()
end
function menu.drawBackground()
--lg.push()
local sw = love.graphics.getWidth()/ menuscene:getWidth()
local sh = love.graphics.getHeight()/ menuscene:getHeight()
lg.draw(menuscene, lg.getWidth() / 2 - menuscene:getWidth() / 2 * sw, lg.getHeight() / 2 - menuscene:getHeight() / 2 * sh, 0, sw, sh)
--lg.pop()
end
function menu.drawMenu()
--lg.push()
if selection == 1 then
lg.setColor(255,255,0)
else
lg.setColor(255,255,255)
end
lg.print("PLAY GAME", (lg.getWidth() /2) - 160, (lg.getHeight() /2) - 100)
if selection == 2 then
lg.setColor(255,255,0)
else
lg.setColor(255,255,255)
end
lg.print("HIGH SCORES", (lg.getWidth() /2) - 180, (lg.getHeight() /2) - 30)
if selection == 3 then
lg.setColor(255,255,0)
else
lg.setColor(255,255,255)
end
lg.print("EXIT", (lg.getWidth() /2) - 65, (lg.getHeight() /2) + 50)
lg.setColor(255,255,255)
--lg.pop()
end
function menu.update(dt)
end
function menu.keypressed(k, uni)
--selectAudio = love.audio.newSource("sound/Blip_Select.wav", "static")
--selectAudio:setVolume(0.5)
--enterSound = love.audio.newSource("sound/EnterSelect.wav", "static")
--enterSound:setVolume(0.5)
if k == "down" then
selection = wrap(selection + 1, 1,3)
selectAudio:play()
selectAudio:rewind()
elseif k == "up" then
selection = wrap(selection - 1, 1,3)
selectAudio:play()
selectAudio:rewind()
elseif k == "return" then
if selection == 1 then
enterSound:play()
enterSound:rewind()
ingame.enter()
elseif selection == 2 then
enterSound:play()
enterSound:rewind()
scores.enter()
elseif selection == 3 then
--TODO add function in main for closing game
highscore.save()
love.event.quit()
end
elseif k == "escape" then
--TODO add function in main for closing game
highscore.save()
love.event.quit()
end
end |
local mt={}
mt.__index=math
setmetatable(mt,mt)
--- mt.round 四舍五入取整
-- @param n 取整的数字 number
function mt.round(n)
return math.floor(0.5+n)
end
--把默认math库中弧度计算全部转换为角度
--弧度去死吧
local deg = math.deg(1)
local rad = math.rad(1)
--正弦
local sin = math.sin
function mt.sin(r)
return sin(r * rad)
end
--余弦
local cos = math.cos
function mt.cos(r)
return cos(r * rad)
end
--正切
local tan = math.tan
function mt.tan(r)
return tan(r * rad)
end
--反正弦
local asin = math.asin
function mt.asin(v)
return asin(v) * deg
end
--反余弦
local acos = math.acos
function mt.acos(v)
return acos(v) * deg
end
--反正切
local atan = math.atan2 or math.atan
function mt.atan(v1, v2)
return atan(v1, v2) * deg
end
--- mt.oneIn 获取随机布尔值,返回true的概率为1/num或num/num2
-- @param num 只传入一个参数时,返回true的概率为1/num
-- @param num2 传入2个参数时,返回true的概率为num/num2
function mt.oneIn(num,num2)
if num2 then
return math.random(1,num2)<=num
else
return math.random(1,num)==1
end
end
--- mt.sectoday 将时间(秒)转化为-天-小时-分-秒的格式
-- @param Sec 时间(秒) number
function mt.secondToDay(Sec)
local iRet, sRet = pcall(function()
local Day,Hour,Min = 0,0,0
if Sec < 0 then
return "0天0小时0分0秒"
end
Sec = tonumber(Sec)
for i =1,Sec/60 do
Min = Min + 1
if Min == 60 then Min = 0 Hour = Hour + 1 end
if Hour == 24 then Hour = 0 Day = Day + 1 end
end
Sec=Sec%60
return Day.."天"..Hour.."小时"..Min.."分"..Sec.."秒"
end)
if iRet == true then
return sRet
else
print(sRet)
return nil
end
end
return mt |
object_tangible_collection_hanging_light_02_03 = object_tangible_collection_shared_hanging_light_02_03:new {
gameObjectType = 8211,}
ObjectTemplates:addTemplate(object_tangible_collection_hanging_light_02_03, "object/tangible/collection/hanging_light_02_03.iff") |
ITEM.name = "G3A3"
ITEM.description= "A battle rifle that fires 7.62x51mm rounds."
ITEM.longdesc = "The G3 was Germany's response to the more expensive FAL rifle, based on the CETME design.\nWhile made out of mostly plastic furniture, the rifle remains a heavy but reliable choice.\n\nAmmo: 7.62x51mm\nMagazine Capacity: 20"
ITEM.model = "models/weapons/w_hk_g3.mdl"
ITEM.class = "cw_g3a3"
ITEM.weaponCategory = "primary"
ITEM.width = 6
ITEM.price = 34250
ITEM.height = 2
ITEM.validAttachments = {"md_microt1","md_eotech","md_aimpoint","md_cmore","md_schmidt_shortdot","md_acog","md_nightforce_nxs","md_reflex","md_saker","md_foregrip"}
ITEM.bulletweight = 0.026
ITEM.unloadedweight = 4.38
ITEM.repair_PartsComplexity = 2
ITEM.repair_PartsRarity = 4
function ITEM:GetWeight()
return self.unloadedweight + (self.bulletweight * self:GetData("ammo", 0))
end
ITEM.iconCam = {
pos = Vector(10, -205, 3),
ang = Angle(0, 90, -5.5),
fov = 11.5,
}
ITEM.pacData = {
[1] = {
["children"] = {
[1] = {
["children"] = {
[1] = {
["children"] = {
},
["self"] = {
["Angles"] = Angle(-7.344, 180, 180),
["Position"] = Vector(14.673, -5.375, -2.02),
["Model"] = "models/weapons/w_hk_g3.mdl",
["ClassName"] = "model",
["EditorExpand"] = true,
["UniqueID"] = "3329802291",
["Bone"] = "spine 2",
["Name"] = "g3a3",
},
},
},
["self"] = {
["AffectChildrenOnly"] = true,
["ClassName"] = "event",
["UniqueID"] = "1234694642",
["Event"] = "weapon_class",
["EditorExpand"] = true,
["Name"] = "weapon class find simple\"@@1\"",
["Arguments"] = "cw_g3a3@@0",
},
},
},
["self"] = {
["ClassName"] = "group",
["UniqueID"] = "2400142348",
["EditorExpand"] = true,
},
},
} |
-- A utility to color, resize, or format strings using rich text.
local RTFTools = {}
local string = require(script.Parent.Parent.Extension.CSString)
function RTFTools.Color(str: string, color: Color3, escape: boolean?): string
local str = escape and RTFTools.Escape(str) or str
local r = string.format("%02x", math.floor(color.r * 255))
local g = string.format("%02x", math.floor(color.g * 255))
local b = string.format("%02x", math.floor(color.b * 255))
return "<font color=\"#" .. r .. g .. b .. "\">" .. str .. "</font>"
end
function RTFTools.Size(str: string, size: number, escape: boolean?): string
local str = escape and RTFTools.Escape(str) or str
return "<font size=\"" .. size .. "\">" .. str .. "</font>"
end
function RTFTools.Scale(str: string, elementSetTextSize: number, scale: number, escape: boolean?): string
return RTFTools.Size(str, math.round(elementSetTextSize * scale), escape)
end
function RTFTools.Bold(str: string, escape: boolean?): string
local str = escape and RTFTools.Escape(str) or str
return "<b>" .. str .. "</b>"
end
function RTFTools.Italics(str: string, escape: boolean?): string
local str = escape and RTFTools.Escape(str) or str
return "<i>" .. str .. "</i>"
end
function RTFTools.Underline(str: string, escape: boolean?): string
local str = escape and RTFTools.Escape(str) or str
return "<u>" .. str .. "</u>"
end
function RTFTools.Strike(str: string, escape: boolean?): string
local str = escape and RTFTools.Escape(str) or str
return "<s>" .. str .. "</s>"
end
function RTFTools.Escape(str: string): string
return str:gsub("&", "&"):gsub("<", "<"):gsub(">", ">"):gsub("\"", """):gsub("'", "'")
end
-- Strips the content of the string so that it has no rich text elements.
-- Consider using `Label.Text = Label.ContentText` as ContentText already strips all tags.
function RTFTools.Strip(str: string): string
local replacement = str:gsub("(</?.+>)", "")
return replacement
-- Note: The variable assignment *is* actually useful here. gsub returns the amount of elements it destroyed as a second param
-- This function specifies it only returns a string. Don't make it secretly return a number as a second value.
end
-- Strips out a tag of the given type. The input tag type should not contain the < or > symbols.
-- For example, to remove all bold text from the given string, call this method with a tag argument of "b"
-- If no tags were found, then the input string is returned.
function RTFTools.StripTag(str: string, tag: string, onlyIfOnStartAndEnd: boolean?): string
if onlyIfOnStartAndEnd then
local tagStart = "<" .. tag .. ">"
local tagEnd = "</" .. tag .. ">"
local startsWith, after = string.StartsWithGetAfter(str, tagStart)
if startsWith then
local endsWith, before = string.EndsWithGetBefore(after, tagEnd)
if endsWith then
return before
end
end
return str
else
local format = "</?" .. string.EscapeLuaMagicChars(tag) .. ">"
return str:gsub(format, string.Empty)
end
end
table.freeze(RTFTools)
return RTFTools |
local toint = math.tointeger
local fmt = string.format
local concat = table.concat
local os_time = os.time
local menu = {}
-- 菜单列表
function menu.menu_list (db, opt)
local limit = toint(opt.limit) or 100
local page = toint(opt.page) or 1
return db:query(fmt([[SELECT id, parent, name, url, icon, create_at, update_at FROM cfadmin_menus WHERE active = 1 LIMIT %u, %u]], limit * (page - 1), limit))
end
-- 菜单名已存在
function menu.menu_name_exists (db, name)
local ret = db:query(fmt([[SELECT name FROM cfadmin_menus WHERE name = '%s' AND active = 1]], name))
if ret and #ret > 0 then
return true
end
return false
end
-- 菜单信息
function menu.menu_info (db, id)
return db:query(fmt([[SELECT id, name, url, icon FROM cfadmin_menus WHERE id = '%s' AND active = 1]], id))[1]
end
-- 添加菜单菜单
function menu.menu_add (db, opt)
local now = os_time()
-- if opt.id > 0 then -- 二级菜单增加后需要保留一级菜单
-- db:query(fmt([[UPDATE cfadmin_menus SET URL = 'NULL' WHERE id = '%s' AND active = 1]], opt.id))
-- end
return db:query(fmt([[INSERT INTO cfadmin_menus(`parent`, `name`, `url`, `icon`, `create_at`, `update_at`, `active`) VALUES('%s', '%s', '%s', '%s', '%s', '%s', 1)]], opt.id, opt.name, opt.url, opt.icon, now, now))
end
-- 更新菜单
function menu.menu_update (db, opt)
local ret = db:query(fmt([[SELECT id FROM cfadmin_menus WHERE parent == '%s' AND active = 1]], opt.id))
return db:query(fmt([[UPDATE cfadmin_menus SET name = '%s', url = '%s', icon = '%s' WHERE id = '%s' AND active = 1]], opt.name, ret and #ret > 0 and "NULL" or opt.url, opt.icon, opt.id))
end
-- dtree专用结构
function menu.menu_tree (db)
local menus = db:query([[SELECT id, parent AS parentId, name AS title FROM cfadmin_menus WHERE active = 1]])
for _, menu in ipairs(menus) do
menu.checkArr = "0"
end
return menus
end
-- 删除菜单与下属子菜单
function menu.menu_delete (db, id)
local id_list = {}
local menus = db:query(fmt([[SELECT id FROM cfadmin_menus WHERE parent = '%s' AND active = 1]], id))
if menus and #menus > 0 then
for _, menu in ipairs(menus) do
id_list[#id_list+1] = menu.id
end
local subs = db:query(fmt([[SELECT id FROM cfadmin_menus WHERE parent IN (%s) AND active = 1]], concat(id_list, ', ')))
if subs and #subs > 0 then
for _, sub in ipairs(subs) do
id_list[#id_list+1] = sub.id
end
end
end
id_list[#id_list+1] = id
local now = os_time()
local list = concat(id_list, ', ')
-- 删除menu
db:query(fmt([[UPDATE cfadmin_menus SET active = '0', update_at = '%s' WHERE id IN (%s) AND active = 1]], now, list))
-- 删除role关联permissions
db:query(fmt([[UPDATE cfadmin_permissions SET active = '0', update_at = '%s' WHERE menu_id IN (%s) AND active = 1]], now, list))
end
return menu
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.