[7161] Implemented configurable option to allow/disallow achievements gain for GMs.
[getmangos.git] / src / game / World.cpp
blobe7bfc2e7a054e225c4551a0bf3a330a47c69ed2b
1 /*
2 * Copyright (C) 2005-2009 MaNGOS <http://getmangos.com/>
4 * This program is free software; you can redistribute it and/or modify
5 * it under the terms of the GNU General Public License as published by
6 * the Free Software Foundation; either version 2 of the License, or
7 * (at your option) any later version.
9 * This program is distributed in the hope that it will be useful,
10 * but WITHOUT ANY WARRANTY; without even the implied warranty of
11 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
12 * GNU General Public License for more details.
14 * You should have received a copy of the GNU General Public License
15 * along with this program; if not, write to the Free Software
16 * Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
19 /** \file
20 \ingroup world
23 #include "Common.h"
24 //#include "WorldSocket.h"
25 #include "Database/DatabaseEnv.h"
26 #include "Config/ConfigEnv.h"
27 #include "SystemConfig.h"
28 #include "Log.h"
29 #include "Opcodes.h"
30 #include "WorldSession.h"
31 #include "WorldPacket.h"
32 #include "Weather.h"
33 #include "Player.h"
34 #include "SkillExtraItems.h"
35 #include "SkillDiscovery.h"
36 #include "World.h"
37 #include "AccountMgr.h"
38 #include "AchievementMgr.h"
39 #include "ObjectMgr.h"
40 #include "SpellMgr.h"
41 #include "Chat.h"
42 #include "Database/DBCStores.h"
43 #include "LootMgr.h"
44 #include "ItemEnchantmentMgr.h"
45 #include "MapManager.h"
46 #include "ScriptCalls.h"
47 #include "CreatureAIRegistry.h"
48 #include "Policies/SingletonImp.h"
49 #include "BattleGroundMgr.h"
50 #include "TemporarySummon.h"
51 #include "WaypointMovementGenerator.h"
52 #include "VMapFactory.h"
53 #include "GlobalEvents.h"
54 #include "GameEvent.h"
55 #include "Database/DatabaseImpl.h"
56 #include "GridNotifiersImpl.h"
57 #include "CellImpl.h"
58 #include "InstanceSaveMgr.h"
59 #include "WaypointManager.h"
60 #include "GMTicketMgr.h"
61 #include "Util.h"
63 INSTANTIATE_SINGLETON_1( World );
65 volatile bool World::m_stopEvent = false;
66 uint8 World::m_ExitCode = SHUTDOWN_EXIT_CODE;
67 volatile uint32 World::m_worldLoopCounter = 0;
69 float World::m_MaxVisibleDistanceForCreature = DEFAULT_VISIBILITY_DISTANCE;
70 float World::m_MaxVisibleDistanceForPlayer = DEFAULT_VISIBILITY_DISTANCE;
71 float World::m_MaxVisibleDistanceForObject = DEFAULT_VISIBILITY_DISTANCE;
72 float World::m_MaxVisibleDistanceInFlight = DEFAULT_VISIBILITY_DISTANCE;
73 float World::m_VisibleUnitGreyDistance = 0;
74 float World::m_VisibleObjectGreyDistance = 0;
76 // ServerMessages.dbc
77 enum ServerMessageType
79 SERVER_MSG_SHUTDOWN_TIME = 1,
80 SERVER_MSG_RESTART_TIME = 2,
81 SERVER_MSG_STRING = 3,
82 SERVER_MSG_SHUTDOWN_CANCELLED = 4,
83 SERVER_MSG_RESTART_CANCELLED = 5
86 struct ScriptAction
88 uint64 sourceGUID;
89 uint64 targetGUID;
90 uint64 ownerGUID; // owner of source if source is item
91 ScriptInfo const* script; // pointer to static script data
94 /// World constructor
95 World::World()
97 m_playerLimit = 0;
98 m_allowMovement = true;
99 m_ShutdownMask = 0;
100 m_ShutdownTimer = 0;
101 m_gameTime=time(NULL);
102 m_startTime=m_gameTime;
103 m_maxActiveSessionCount = 0;
104 m_maxQueuedSessionCount = 0;
105 m_resultQueue = NULL;
106 m_NextDailyQuestReset = 0;
108 m_defaultDbcLocale = LOCALE_enUS;
109 m_availableDbcLocaleMask = 0;
112 /// World destructor
113 World::~World()
115 ///- Empty the kicked session set
116 while (!m_sessions.empty())
118 // not remove from queue, prevent loading new sessions
119 delete m_sessions.begin()->second;
120 m_sessions.erase(m_sessions.begin());
123 ///- Empty the WeatherMap
124 for (WeatherMap::iterator itr = m_weathers.begin(); itr != m_weathers.end(); ++itr)
125 delete itr->second;
127 m_weathers.clear();
129 while (!cliCmdQueue.empty())
130 delete cliCmdQueue.next();
132 VMAP::VMapFactory::clear();
134 if(m_resultQueue) delete m_resultQueue;
136 //TODO free addSessQueue
139 /// Find a player in a specified zone
140 Player* World::FindPlayerInZone(uint32 zone)
142 ///- circle through active sessions and return the first player found in the zone
143 SessionMap::iterator itr;
144 for (itr = m_sessions.begin(); itr != m_sessions.end(); ++itr)
146 if(!itr->second)
147 continue;
148 Player *player = itr->second->GetPlayer();
149 if(!player)
150 continue;
151 if( player->IsInWorld() && player->GetZoneId() == zone )
153 // Used by the weather system. We return the player to broadcast the change weather message to him and all players in the zone.
154 return player;
157 return NULL;
160 /// Find a session by its id
161 WorldSession* World::FindSession(uint32 id) const
163 SessionMap::const_iterator itr = m_sessions.find(id);
165 if(itr != m_sessions.end())
166 return itr->second; // also can return NULL for kicked session
167 else
168 return NULL;
171 /// Remove a given session
172 bool World::RemoveSession(uint32 id)
174 ///- Find the session, kick the user, but we can't delete session at this moment to prevent iterator invalidation
175 SessionMap::iterator itr = m_sessions.find(id);
177 if(itr != m_sessions.end() && itr->second)
179 if (itr->second->PlayerLoading())
180 return false;
181 itr->second->KickPlayer();
184 return true;
187 void World::AddSession(WorldSession* s)
189 addSessQueue.add(s);
192 void
193 World::AddSession_ (WorldSession* s)
195 ASSERT (s);
197 //NOTE - Still there is race condition in WorldSession* being used in the Sockets
199 ///- kick already loaded player with same account (if any) and remove session
200 ///- if player is in loading and want to load again, return
201 if (!RemoveSession (s->GetAccountId ()))
203 s->KickPlayer ();
204 delete s; // session not added yet in session list, so not listed in queue
205 return;
208 // decrease session counts only at not reconnection case
209 bool decrease_session = true;
211 // if session already exist, prepare to it deleting at next world update
212 // NOTE - KickPlayer() should be called on "old" in RemoveSession()
214 SessionMap::const_iterator old = m_sessions.find(s->GetAccountId ());
216 if(old != m_sessions.end())
218 // prevent decrease sessions count if session queued
219 if(RemoveQueuedPlayer(old->second))
220 decrease_session = false;
221 // not remove replaced session form queue if listed
222 delete old->second;
226 m_sessions[s->GetAccountId ()] = s;
228 uint32 Sessions = GetActiveAndQueuedSessionCount ();
229 uint32 pLimit = GetPlayerAmountLimit ();
230 uint32 QueueSize = GetQueueSize (); //number of players in the queue
232 //so we don't count the user trying to
233 //login as a session and queue the socket that we are using
234 if(decrease_session)
235 --Sessions;
237 if (pLimit > 0 && Sessions >= pLimit && s->GetSecurity () == SEC_PLAYER )
239 AddQueuedPlayer (s);
240 UpdateMaxSessionCounters ();
241 sLog.outDetail ("PlayerQueue: Account id %u is in Queue Position (%u).", s->GetAccountId (), ++QueueSize);
242 return;
245 WorldPacket packet(SMSG_AUTH_RESPONSE, 1 + 4 + 1 + 4 + 1);
246 packet << uint8 (AUTH_OK);
247 packet << uint32 (0); // BillingTimeRemaining
248 packet << uint8 (0); // BillingPlanFlags
249 packet << uint32 (0); // BillingTimeRested
250 packet << uint8 (s->Expansion()); // 0 - normal, 1 - TBC, must be set in database manually for each account
251 s->SendPacket (&packet);
253 UpdateMaxSessionCounters ();
255 // Updates the population
256 if (pLimit > 0)
258 float popu = GetActiveSessionCount (); //updated number of users on the server
259 popu /= pLimit;
260 popu *= 2;
261 loginDatabase.PExecute ("UPDATE realmlist SET population = '%f' WHERE id = '%d'", popu, realmID);
262 sLog.outDetail ("Server Population (%f).", popu);
266 int32 World::GetQueuePos(WorldSession* sess)
268 uint32 position = 1;
270 for(Queue::iterator iter = m_QueuedPlayer.begin(); iter != m_QueuedPlayer.end(); ++iter, ++position)
271 if((*iter) == sess)
272 return position;
274 return 0;
277 void World::AddQueuedPlayer(WorldSession* sess)
279 sess->SetInQueue(true);
280 m_QueuedPlayer.push_back (sess);
282 // The 1st SMSG_AUTH_RESPONSE needs to contain other info too.
283 WorldPacket packet (SMSG_AUTH_RESPONSE, 1 + 4 + 1 + 4 + 1);
284 packet << uint8 (AUTH_WAIT_QUEUE);
285 packet << uint32 (0); // BillingTimeRemaining
286 packet << uint8 (0); // BillingPlanFlags
287 packet << uint32 (0); // BillingTimeRested
288 packet << uint8 (sess->Expansion()); // 0 - normal, 1 - TBC, must be set in database manually for each account
289 packet << uint32(GetQueuePos (sess));
290 sess->SendPacket (&packet);
292 //sess->SendAuthWaitQue (GetQueuePos (sess));
295 bool World::RemoveQueuedPlayer(WorldSession* sess)
297 // sessions count including queued to remove (if removed_session set)
298 uint32 sessions = GetActiveSessionCount();
300 uint32 position = 1;
301 Queue::iterator iter = m_QueuedPlayer.begin();
303 // search to remove and count skipped positions
304 bool found = false;
306 for(;iter != m_QueuedPlayer.end(); ++iter, ++position)
308 if(*iter==sess)
310 sess->SetInQueue(false);
311 iter = m_QueuedPlayer.erase(iter);
312 found = true; // removing queued session
313 break;
317 // iter point to next socked after removed or end()
318 // position store position of removed socket and then new position next socket after removed
320 // if session not queued then we need decrease sessions count
321 if(!found && sessions)
322 --sessions;
324 // accept first in queue
325 if( (!m_playerLimit || sessions < m_playerLimit) && !m_QueuedPlayer.empty() )
327 WorldSession* pop_sess = m_QueuedPlayer.front();
328 pop_sess->SetInQueue(false);
329 pop_sess->SendAuthWaitQue(0);
330 m_QueuedPlayer.pop_front();
332 // update iter to point first queued socket or end() if queue is empty now
333 iter = m_QueuedPlayer.begin();
334 position = 1;
337 // update position from iter to end()
338 // iter point to first not updated socket, position store new position
339 for(; iter != m_QueuedPlayer.end(); ++iter, ++position)
340 (*iter)->SendAuthWaitQue(position);
342 return found;
345 /// Find a Weather object by the given zoneid
346 Weather* World::FindWeather(uint32 id) const
348 WeatherMap::const_iterator itr = m_weathers.find(id);
350 if(itr != m_weathers.end())
351 return itr->second;
352 else
353 return 0;
356 /// Remove a Weather object for the given zoneid
357 void World::RemoveWeather(uint32 id)
359 // not called at the moment. Kept for completeness
360 WeatherMap::iterator itr = m_weathers.find(id);
362 if(itr != m_weathers.end())
364 delete itr->second;
365 m_weathers.erase(itr);
369 /// Add a Weather object to the list
370 Weather* World::AddWeather(uint32 zone_id)
372 WeatherZoneChances const* weatherChances = objmgr.GetWeatherChances(zone_id);
374 // zone not have weather, ignore
375 if(!weatherChances)
376 return NULL;
378 Weather* w = new Weather(zone_id,weatherChances);
379 m_weathers[w->GetZone()] = w;
380 w->ReGenerate();
381 w->UpdateWeather();
382 return w;
385 /// Initialize config values
386 void World::LoadConfigSettings(bool reload)
388 if(reload)
390 if(!sConfig.Reload())
392 sLog.outError("World settings reload fail: can't read settings from %s.",sConfig.GetFilename().c_str());
393 return;
397 ///- Read the version of the configuration file and warn the user in case of emptiness or mismatch
398 uint32 confVersion = sConfig.GetIntDefault("ConfVersion", 0);
399 if(!confVersion)
401 sLog.outError("*****************************************************************************");
402 sLog.outError(" WARNING: mangosd.conf does not include a ConfVersion variable.");
403 sLog.outError(" Your configuration file may be out of date!");
404 sLog.outError("*****************************************************************************");
405 clock_t pause = 3000 + clock();
406 while (pause > clock());
408 else
410 if (confVersion < _MANGOSDCONFVERSION)
412 sLog.outError("*****************************************************************************");
413 sLog.outError(" WARNING: Your mangosd.conf version indicates your conf file is out of date!");
414 sLog.outError(" Please check for updates, as your current default values may cause");
415 sLog.outError(" unexpected behavior.");
416 sLog.outError("*****************************************************************************");
417 clock_t pause = 3000 + clock();
418 while (pause > clock());
422 ///- Read the player limit and the Message of the day from the config file
423 SetPlayerLimit( sConfig.GetIntDefault("PlayerLimit", DEFAULT_PLAYER_LIMIT), true );
424 SetMotd( sConfig.GetStringDefault("Motd", "Welcome to the Massive Network Game Object Server." ) );
426 ///- Read all rates from the config file
427 rate_values[RATE_HEALTH] = sConfig.GetFloatDefault("Rate.Health", 1);
428 if(rate_values[RATE_HEALTH] < 0)
430 sLog.outError("Rate.Health (%f) must be > 0. Using 1 instead.",rate_values[RATE_HEALTH]);
431 rate_values[RATE_HEALTH] = 1;
433 rate_values[RATE_POWER_MANA] = sConfig.GetFloatDefault("Rate.Mana", 1);
434 if(rate_values[RATE_POWER_MANA] < 0)
436 sLog.outError("Rate.Mana (%f) must be > 0. Using 1 instead.",rate_values[RATE_POWER_MANA]);
437 rate_values[RATE_POWER_MANA] = 1;
439 rate_values[RATE_POWER_RAGE_INCOME] = sConfig.GetFloatDefault("Rate.Rage.Income", 1);
440 rate_values[RATE_POWER_RAGE_LOSS] = sConfig.GetFloatDefault("Rate.Rage.Loss", 1);
441 if(rate_values[RATE_POWER_RAGE_LOSS] < 0)
443 sLog.outError("Rate.Rage.Loss (%f) must be > 0. Using 1 instead.",rate_values[RATE_POWER_RAGE_LOSS]);
444 rate_values[RATE_POWER_RAGE_LOSS] = 1;
446 rate_values[RATE_POWER_RUNICPOWER_INCOME] = sConfig.GetFloatDefault("Rate.RunicPower.Income", 1);
447 rate_values[RATE_POWER_RUNICPOWER_LOSS] = sConfig.GetFloatDefault("Rate.RunicPower.Loss", 1);
448 if(rate_values[RATE_POWER_RUNICPOWER_LOSS] < 0)
450 sLog.outError("Rate.RunicPower.Loss (%f) must be > 0. Using 1 instead.",rate_values[RATE_POWER_RUNICPOWER_LOSS]);
451 rate_values[RATE_POWER_RUNICPOWER_LOSS] = 1;
453 rate_values[RATE_POWER_FOCUS] = sConfig.GetFloatDefault("Rate.Focus", 1.0f);
454 rate_values[RATE_SKILL_DISCOVERY] = sConfig.GetFloatDefault("Rate.Skill.Discovery", 1.0f);
455 rate_values[RATE_DROP_ITEM_POOR] = sConfig.GetFloatDefault("Rate.Drop.Item.Poor", 1.0f);
456 rate_values[RATE_DROP_ITEM_NORMAL] = sConfig.GetFloatDefault("Rate.Drop.Item.Normal", 1.0f);
457 rate_values[RATE_DROP_ITEM_UNCOMMON] = sConfig.GetFloatDefault("Rate.Drop.Item.Uncommon", 1.0f);
458 rate_values[RATE_DROP_ITEM_RARE] = sConfig.GetFloatDefault("Rate.Drop.Item.Rare", 1.0f);
459 rate_values[RATE_DROP_ITEM_EPIC] = sConfig.GetFloatDefault("Rate.Drop.Item.Epic", 1.0f);
460 rate_values[RATE_DROP_ITEM_LEGENDARY] = sConfig.GetFloatDefault("Rate.Drop.Item.Legendary", 1.0f);
461 rate_values[RATE_DROP_ITEM_ARTIFACT] = sConfig.GetFloatDefault("Rate.Drop.Item.Artifact", 1.0f);
462 rate_values[RATE_DROP_ITEM_REFERENCED] = sConfig.GetFloatDefault("Rate.Drop.Item.Referenced", 1.0f);
463 rate_values[RATE_DROP_MONEY] = sConfig.GetFloatDefault("Rate.Drop.Money", 1.0f);
464 rate_values[RATE_XP_KILL] = sConfig.GetFloatDefault("Rate.XP.Kill", 1.0f);
465 rate_values[RATE_XP_QUEST] = sConfig.GetFloatDefault("Rate.XP.Quest", 1.0f);
466 rate_values[RATE_XP_EXPLORE] = sConfig.GetFloatDefault("Rate.XP.Explore", 1.0f);
467 rate_values[RATE_REPUTATION_GAIN] = sConfig.GetFloatDefault("Rate.Reputation.Gain", 1.0f);
468 rate_values[RATE_CREATURE_NORMAL_DAMAGE] = sConfig.GetFloatDefault("Rate.Creature.Normal.Damage", 1.0f);
469 rate_values[RATE_CREATURE_ELITE_ELITE_DAMAGE] = sConfig.GetFloatDefault("Rate.Creature.Elite.Elite.Damage", 1.0f);
470 rate_values[RATE_CREATURE_ELITE_RAREELITE_DAMAGE] = sConfig.GetFloatDefault("Rate.Creature.Elite.RAREELITE.Damage", 1.0f);
471 rate_values[RATE_CREATURE_ELITE_WORLDBOSS_DAMAGE] = sConfig.GetFloatDefault("Rate.Creature.Elite.WORLDBOSS.Damage", 1.0f);
472 rate_values[RATE_CREATURE_ELITE_RARE_DAMAGE] = sConfig.GetFloatDefault("Rate.Creature.Elite.RARE.Damage", 1.0f);
473 rate_values[RATE_CREATURE_NORMAL_HP] = sConfig.GetFloatDefault("Rate.Creature.Normal.HP", 1.0f);
474 rate_values[RATE_CREATURE_ELITE_ELITE_HP] = sConfig.GetFloatDefault("Rate.Creature.Elite.Elite.HP", 1.0f);
475 rate_values[RATE_CREATURE_ELITE_RAREELITE_HP] = sConfig.GetFloatDefault("Rate.Creature.Elite.RAREELITE.HP", 1.0f);
476 rate_values[RATE_CREATURE_ELITE_WORLDBOSS_HP] = sConfig.GetFloatDefault("Rate.Creature.Elite.WORLDBOSS.HP", 1.0f);
477 rate_values[RATE_CREATURE_ELITE_RARE_HP] = sConfig.GetFloatDefault("Rate.Creature.Elite.RARE.HP", 1.0f);
478 rate_values[RATE_CREATURE_NORMAL_SPELLDAMAGE] = sConfig.GetFloatDefault("Rate.Creature.Normal.SpellDamage", 1.0f);
479 rate_values[RATE_CREATURE_ELITE_ELITE_SPELLDAMAGE] = sConfig.GetFloatDefault("Rate.Creature.Elite.Elite.SpellDamage", 1.0f);
480 rate_values[RATE_CREATURE_ELITE_RAREELITE_SPELLDAMAGE] = sConfig.GetFloatDefault("Rate.Creature.Elite.RAREELITE.SpellDamage", 1.0f);
481 rate_values[RATE_CREATURE_ELITE_WORLDBOSS_SPELLDAMAGE] = sConfig.GetFloatDefault("Rate.Creature.Elite.WORLDBOSS.SpellDamage", 1.0f);
482 rate_values[RATE_CREATURE_ELITE_RARE_SPELLDAMAGE] = sConfig.GetFloatDefault("Rate.Creature.Elite.RARE.SpellDamage", 1.0f);
483 rate_values[RATE_CREATURE_AGGRO] = sConfig.GetFloatDefault("Rate.Creature.Aggro", 1.0f);
484 rate_values[RATE_REST_INGAME] = sConfig.GetFloatDefault("Rate.Rest.InGame", 1.0f);
485 rate_values[RATE_REST_OFFLINE_IN_TAVERN_OR_CITY] = sConfig.GetFloatDefault("Rate.Rest.Offline.InTavernOrCity", 1.0f);
486 rate_values[RATE_REST_OFFLINE_IN_WILDERNESS] = sConfig.GetFloatDefault("Rate.Rest.Offline.InWilderness", 1.0f);
487 rate_values[RATE_DAMAGE_FALL] = sConfig.GetFloatDefault("Rate.Damage.Fall", 1.0f);
488 rate_values[RATE_AUCTION_TIME] = sConfig.GetFloatDefault("Rate.Auction.Time", 1.0f);
489 rate_values[RATE_AUCTION_DEPOSIT] = sConfig.GetFloatDefault("Rate.Auction.Deposit", 1.0f);
490 rate_values[RATE_AUCTION_CUT] = sConfig.GetFloatDefault("Rate.Auction.Cut", 1.0f);
491 rate_values[RATE_HONOR] = sConfig.GetFloatDefault("Rate.Honor",1.0f);
492 rate_values[RATE_MINING_AMOUNT] = sConfig.GetFloatDefault("Rate.Mining.Amount",1.0f);
493 rate_values[RATE_MINING_NEXT] = sConfig.GetFloatDefault("Rate.Mining.Next",1.0f);
494 rate_values[RATE_INSTANCE_RESET_TIME] = sConfig.GetFloatDefault("Rate.InstanceResetTime",1.0f);
495 rate_values[RATE_TALENT] = sConfig.GetFloatDefault("Rate.Talent",1.0f);
496 if(rate_values[RATE_TALENT] < 0.0f)
498 sLog.outError("Rate.Talent (%f) mustbe > 0. Using 1 instead.",rate_values[RATE_TALENT]);
499 rate_values[RATE_TALENT] = 1.0f;
501 rate_values[RATE_CORPSE_DECAY_LOOTED] = sConfig.GetFloatDefault("Rate.Corpse.Decay.Looted",0.1f);
503 rate_values[RATE_TARGET_POS_RECALCULATION_RANGE] = sConfig.GetFloatDefault("TargetPosRecalculateRange",1.5f);
504 if(rate_values[RATE_TARGET_POS_RECALCULATION_RANGE] < CONTACT_DISTANCE)
506 sLog.outError("TargetPosRecalculateRange (%f) must be >= %f. Using %f instead.",rate_values[RATE_TARGET_POS_RECALCULATION_RANGE],CONTACT_DISTANCE,CONTACT_DISTANCE);
507 rate_values[RATE_TARGET_POS_RECALCULATION_RANGE] = CONTACT_DISTANCE;
509 else if(rate_values[RATE_TARGET_POS_RECALCULATION_RANGE] > ATTACK_DISTANCE)
511 sLog.outError("TargetPosRecalculateRange (%f) must be <= %f. Using %f instead.",
512 rate_values[RATE_TARGET_POS_RECALCULATION_RANGE],ATTACK_DISTANCE,ATTACK_DISTANCE);
513 rate_values[RATE_TARGET_POS_RECALCULATION_RANGE] = ATTACK_DISTANCE;
516 rate_values[RATE_DURABILITY_LOSS_DAMAGE] = sConfig.GetFloatDefault("DurabilityLossChance.Damage",0.5f);
517 if(rate_values[RATE_DURABILITY_LOSS_DAMAGE] < 0.0f)
519 sLog.outError("DurabilityLossChance.Damage (%f) must be >=0. Using 0.0 instead.",rate_values[RATE_DURABILITY_LOSS_DAMAGE]);
520 rate_values[RATE_DURABILITY_LOSS_DAMAGE] = 0.0f;
522 rate_values[RATE_DURABILITY_LOSS_ABSORB] = sConfig.GetFloatDefault("DurabilityLossChance.Absorb",0.5f);
523 if(rate_values[RATE_DURABILITY_LOSS_ABSORB] < 0.0f)
525 sLog.outError("DurabilityLossChance.Absorb (%f) must be >=0. Using 0.0 instead.",rate_values[RATE_DURABILITY_LOSS_ABSORB]);
526 rate_values[RATE_DURABILITY_LOSS_ABSORB] = 0.0f;
528 rate_values[RATE_DURABILITY_LOSS_PARRY] = sConfig.GetFloatDefault("DurabilityLossChance.Parry",0.05f);
529 if(rate_values[RATE_DURABILITY_LOSS_PARRY] < 0.0f)
531 sLog.outError("DurabilityLossChance.Parry (%f) must be >=0. Using 0.0 instead.",rate_values[RATE_DURABILITY_LOSS_PARRY]);
532 rate_values[RATE_DURABILITY_LOSS_PARRY] = 0.0f;
534 rate_values[RATE_DURABILITY_LOSS_BLOCK] = sConfig.GetFloatDefault("DurabilityLossChance.Block",0.05f);
535 if(rate_values[RATE_DURABILITY_LOSS_BLOCK] < 0.0f)
537 sLog.outError("DurabilityLossChance.Block (%f) must be >=0. Using 0.0 instead.",rate_values[RATE_DURABILITY_LOSS_BLOCK]);
538 rate_values[RATE_DURABILITY_LOSS_BLOCK] = 0.0f;
541 ///- Read other configuration items from the config file
543 m_configs[CONFIG_COMPRESSION] = sConfig.GetIntDefault("Compression", 1);
544 if(m_configs[CONFIG_COMPRESSION] < 1 || m_configs[CONFIG_COMPRESSION] > 9)
546 sLog.outError("Compression level (%i) must be in range 1..9. Using default compression level (1).",m_configs[CONFIG_COMPRESSION]);
547 m_configs[CONFIG_COMPRESSION] = 1;
549 m_configs[CONFIG_ADDON_CHANNEL] = sConfig.GetBoolDefault("AddonChannel", true);
550 m_configs[CONFIG_GRID_UNLOAD] = sConfig.GetBoolDefault("GridUnload", true);
551 m_configs[CONFIG_INTERVAL_SAVE] = sConfig.GetIntDefault("PlayerSaveInterval", 900000);
553 m_configs[CONFIG_INTERVAL_GRIDCLEAN] = sConfig.GetIntDefault("GridCleanUpDelay", 300000);
554 if(m_configs[CONFIG_INTERVAL_GRIDCLEAN] < MIN_GRID_DELAY)
556 sLog.outError("GridCleanUpDelay (%i) must be greater %u. Use this minimal value.",m_configs[CONFIG_INTERVAL_GRIDCLEAN],MIN_GRID_DELAY);
557 m_configs[CONFIG_INTERVAL_GRIDCLEAN] = MIN_GRID_DELAY;
559 if(reload)
560 MapManager::Instance().SetGridCleanUpDelay(m_configs[CONFIG_INTERVAL_GRIDCLEAN]);
562 m_configs[CONFIG_INTERVAL_MAPUPDATE] = sConfig.GetIntDefault("MapUpdateInterval", 100);
563 if(m_configs[CONFIG_INTERVAL_MAPUPDATE] < MIN_MAP_UPDATE_DELAY)
565 sLog.outError("MapUpdateInterval (%i) must be greater %u. Use this minimal value.",m_configs[CONFIG_INTERVAL_MAPUPDATE],MIN_MAP_UPDATE_DELAY);
566 m_configs[CONFIG_INTERVAL_MAPUPDATE] = MIN_MAP_UPDATE_DELAY;
568 if(reload)
569 MapManager::Instance().SetMapUpdateInterval(m_configs[CONFIG_INTERVAL_MAPUPDATE]);
571 m_configs[CONFIG_INTERVAL_CHANGEWEATHER] = sConfig.GetIntDefault("ChangeWeatherInterval", 600000);
573 if(reload)
575 uint32 val = sConfig.GetIntDefault("WorldServerPort", DEFAULT_WORLDSERVER_PORT);
576 if(val!=m_configs[CONFIG_PORT_WORLD])
577 sLog.outError("WorldServerPort option can't be changed at mangosd.conf reload, using current value (%u).",m_configs[CONFIG_PORT_WORLD]);
579 else
580 m_configs[CONFIG_PORT_WORLD] = sConfig.GetIntDefault("WorldServerPort", DEFAULT_WORLDSERVER_PORT);
582 if(reload)
584 uint32 val = sConfig.GetIntDefault("SocketSelectTime", DEFAULT_SOCKET_SELECT_TIME);
585 if(val!=m_configs[CONFIG_SOCKET_SELECTTIME])
586 sLog.outError("SocketSelectTime option can't be changed at mangosd.conf reload, using current value (%u).",m_configs[DEFAULT_SOCKET_SELECT_TIME]);
588 else
589 m_configs[CONFIG_SOCKET_SELECTTIME] = sConfig.GetIntDefault("SocketSelectTime", DEFAULT_SOCKET_SELECT_TIME);
591 m_configs[CONFIG_GROUP_XP_DISTANCE] = sConfig.GetIntDefault("MaxGroupXPDistance", 74);
592 /// \todo Add MonsterSight and GuarderSight (with meaning) in mangosd.conf or put them as define
593 m_configs[CONFIG_SIGHT_MONSTER] = sConfig.GetIntDefault("MonsterSight", 50);
594 m_configs[CONFIG_SIGHT_GUARDER] = sConfig.GetIntDefault("GuarderSight", 50);
596 if(reload)
598 uint32 val = sConfig.GetIntDefault("GameType", 0);
599 if(val!=m_configs[CONFIG_GAME_TYPE])
600 sLog.outError("GameType option can't be changed at mangosd.conf reload, using current value (%u).",m_configs[CONFIG_GAME_TYPE]);
602 else
603 m_configs[CONFIG_GAME_TYPE] = sConfig.GetIntDefault("GameType", 0);
605 if(reload)
607 uint32 val = sConfig.GetIntDefault("RealmZone", REALM_ZONE_DEVELOPMENT);
608 if(val!=m_configs[CONFIG_REALM_ZONE])
609 sLog.outError("RealmZone option can't be changed at mangosd.conf reload, using current value (%u).",m_configs[CONFIG_REALM_ZONE]);
611 else
612 m_configs[CONFIG_REALM_ZONE] = sConfig.GetIntDefault("RealmZone", REALM_ZONE_DEVELOPMENT);
614 m_configs[CONFIG_ALLOW_TWO_SIDE_ACCOUNTS] = sConfig.GetBoolDefault("AllowTwoSide.Accounts", false);
615 m_configs[CONFIG_ALLOW_TWO_SIDE_INTERACTION_CHAT] = sConfig.GetBoolDefault("AllowTwoSide.Interaction.Chat",false);
616 m_configs[CONFIG_ALLOW_TWO_SIDE_INTERACTION_CHANNEL] = sConfig.GetBoolDefault("AllowTwoSide.Interaction.Channel",false);
617 m_configs[CONFIG_ALLOW_TWO_SIDE_INTERACTION_GROUP] = sConfig.GetBoolDefault("AllowTwoSide.Interaction.Group",false);
618 m_configs[CONFIG_ALLOW_TWO_SIDE_INTERACTION_GUILD] = sConfig.GetBoolDefault("AllowTwoSide.Interaction.Guild",false);
619 m_configs[CONFIG_ALLOW_TWO_SIDE_INTERACTION_AUCTION] = sConfig.GetBoolDefault("AllowTwoSide.Interaction.Auction",false);
620 m_configs[CONFIG_ALLOW_TWO_SIDE_INTERACTION_MAIL] = sConfig.GetBoolDefault("AllowTwoSide.Interaction.Mail",false);
621 m_configs[CONFIG_ALLOW_TWO_SIDE_WHO_LIST] = sConfig.GetBoolDefault("AllowTwoSide.WhoList", false);
622 m_configs[CONFIG_ALLOW_TWO_SIDE_ADD_FRIEND] = sConfig.GetBoolDefault("AllowTwoSide.AddFriend", false);
623 m_configs[CONFIG_STRICT_PLAYER_NAMES] = sConfig.GetIntDefault("StrictPlayerNames", 0);
624 m_configs[CONFIG_STRICT_CHARTER_NAMES] = sConfig.GetIntDefault("StrictCharterNames", 0);
625 m_configs[CONFIG_STRICT_PET_NAMES] = sConfig.GetIntDefault("StrictPetNames", 0);
627 m_configs[CONFIG_CHARACTERS_CREATING_DISABLED] = sConfig.GetIntDefault("CharactersCreatingDisabled", 0);
629 m_configs[CONFIG_CHARACTERS_PER_REALM] = sConfig.GetIntDefault("CharactersPerRealm", 10);
630 if(m_configs[CONFIG_CHARACTERS_PER_REALM] < 1 || m_configs[CONFIG_CHARACTERS_PER_REALM] > 10)
632 sLog.outError("CharactersPerRealm (%i) must be in range 1..10. Set to 10.",m_configs[CONFIG_CHARACTERS_PER_REALM]);
633 m_configs[CONFIG_CHARACTERS_PER_REALM] = 10;
636 // must be after CONFIG_CHARACTERS_PER_REALM
637 m_configs[CONFIG_CHARACTERS_PER_ACCOUNT] = sConfig.GetIntDefault("CharactersPerAccount", 50);
638 if(m_configs[CONFIG_CHARACTERS_PER_ACCOUNT] < m_configs[CONFIG_CHARACTERS_PER_REALM])
640 sLog.outError("CharactersPerAccount (%i) can't be less than CharactersPerRealm (%i).",m_configs[CONFIG_CHARACTERS_PER_ACCOUNT],m_configs[CONFIG_CHARACTERS_PER_REALM]);
641 m_configs[CONFIG_CHARACTERS_PER_ACCOUNT] = m_configs[CONFIG_CHARACTERS_PER_REALM];
644 m_configs[CONFIG_HEROIC_CHARACTERS_PER_REALM] = sConfig.GetIntDefault("HeroicCharactersPerRealm", 1);
645 if(m_configs[CONFIG_HEROIC_CHARACTERS_PER_REALM] < 0 || m_configs[CONFIG_HEROIC_CHARACTERS_PER_REALM] > 10)
647 sLog.outError("HeroicCharactersPerRealm (%i) must be in range 0..10. Set to 1.",m_configs[CONFIG_HEROIC_CHARACTERS_PER_REALM]);
648 m_configs[CONFIG_HEROIC_CHARACTERS_PER_REALM] = 1;
651 m_configs[CONFIG_MIN_LEVEL_FOR_HEROIC_CHARACTER_CREATING] = sConfig.GetIntDefault("MinLevelForHeroicCharacterCreating", 55);
653 m_configs[CONFIG_SKIP_CINEMATICS] = sConfig.GetIntDefault("SkipCinematics", 0);
654 if(m_configs[CONFIG_SKIP_CINEMATICS] < 0 || m_configs[CONFIG_SKIP_CINEMATICS] > 2)
656 sLog.outError("SkipCinematics (%i) must be in range 0..2. Set to 0.",m_configs[CONFIG_SKIP_CINEMATICS]);
657 m_configs[CONFIG_SKIP_CINEMATICS] = 0;
660 if(reload)
662 uint32 val = sConfig.GetIntDefault("MaxPlayerLevel", 60);
663 if(val!=m_configs[CONFIG_MAX_PLAYER_LEVEL])
664 sLog.outError("MaxPlayerLevel option can't be changed at mangosd.conf reload, using current value (%u).",m_configs[CONFIG_MAX_PLAYER_LEVEL]);
666 else
667 m_configs[CONFIG_MAX_PLAYER_LEVEL] = sConfig.GetIntDefault("MaxPlayerLevel", 60);
669 if(m_configs[CONFIG_MAX_PLAYER_LEVEL] > MAX_LEVEL)
671 sLog.outError("MaxPlayerLevel (%i) must be in range 1..%u. Set to %u.",m_configs[CONFIG_MAX_PLAYER_LEVEL],MAX_LEVEL,MAX_LEVEL);
672 m_configs[CONFIG_MAX_PLAYER_LEVEL] = MAX_LEVEL;
675 m_configs[CONFIG_START_PLAYER_LEVEL] = sConfig.GetIntDefault("StartPlayerLevel", 1);
676 if(m_configs[CONFIG_START_PLAYER_LEVEL] < 1)
678 sLog.outError("StartPlayerLevel (%i) must be in range 1..MaxPlayerLevel(%u). Set to 1.",m_configs[CONFIG_START_PLAYER_LEVEL],m_configs[CONFIG_MAX_PLAYER_LEVEL]);
679 m_configs[CONFIG_START_PLAYER_LEVEL] = 1;
681 else if(m_configs[CONFIG_START_PLAYER_LEVEL] > m_configs[CONFIG_MAX_PLAYER_LEVEL])
683 sLog.outError("StartPlayerLevel (%i) must be in range 1..MaxPlayerLevel(%u). Set to %u.",m_configs[CONFIG_START_PLAYER_LEVEL],m_configs[CONFIG_MAX_PLAYER_LEVEL],m_configs[CONFIG_MAX_PLAYER_LEVEL]);
684 m_configs[CONFIG_START_PLAYER_LEVEL] = m_configs[CONFIG_MAX_PLAYER_LEVEL];
687 m_configs[CONFIG_START_HEROIC_PLAYER_LEVEL] = sConfig.GetIntDefault("StartHeroicPlayerLevel", 55);
688 if(m_configs[CONFIG_START_HEROIC_PLAYER_LEVEL] < 1)
690 sLog.outError("StartHeroicPlayerLevel (%i) must be in range 1..MaxPlayerLevel(%u). Set to 55.",
691 m_configs[CONFIG_START_HEROIC_PLAYER_LEVEL],m_configs[CONFIG_MAX_PLAYER_LEVEL]);
692 m_configs[CONFIG_START_HEROIC_PLAYER_LEVEL] = 55;
694 else if(m_configs[CONFIG_START_HEROIC_PLAYER_LEVEL] > m_configs[CONFIG_MAX_PLAYER_LEVEL])
696 sLog.outError("StartHeroicPlayerLevel (%i) must be in range 1..MaxPlayerLevel(%u). Set to %u.",
697 m_configs[CONFIG_START_HEROIC_PLAYER_LEVEL],m_configs[CONFIG_MAX_PLAYER_LEVEL],m_configs[CONFIG_MAX_PLAYER_LEVEL]);
698 m_configs[CONFIG_START_HEROIC_PLAYER_LEVEL] = m_configs[CONFIG_MAX_PLAYER_LEVEL];
701 m_configs[CONFIG_START_PLAYER_MONEY] = sConfig.GetIntDefault("StartPlayerMoney", 0);
702 if(m_configs[CONFIG_START_PLAYER_MONEY] < 0)
704 sLog.outError("StartPlayerMoney (%i) must be in range 0..%u. Set to %u.",m_configs[CONFIG_START_PLAYER_MONEY],MAX_MONEY_AMOUNT,0);
705 m_configs[CONFIG_START_PLAYER_MONEY] = 0;
707 else if(m_configs[CONFIG_START_PLAYER_MONEY] > MAX_MONEY_AMOUNT)
709 sLog.outError("StartPlayerMoney (%i) must be in range 0..%u. Set to %u.",
710 m_configs[CONFIG_START_PLAYER_MONEY],MAX_MONEY_AMOUNT,MAX_MONEY_AMOUNT);
711 m_configs[CONFIG_START_PLAYER_MONEY] = MAX_MONEY_AMOUNT;
714 m_configs[CONFIG_MAX_HONOR_POINTS] = sConfig.GetIntDefault("MaxHonorPoints", 75000);
715 if(m_configs[CONFIG_MAX_HONOR_POINTS] < 0)
717 sLog.outError("MaxHonorPoints (%i) can't be negative. Set to 0.",m_configs[CONFIG_MAX_HONOR_POINTS]);
718 m_configs[CONFIG_MAX_HONOR_POINTS] = 0;
721 m_configs[CONFIG_START_HONOR_POINTS] = sConfig.GetIntDefault("StartHonorPoints", 0);
722 if(m_configs[CONFIG_START_HONOR_POINTS] < 0)
724 sLog.outError("StartHonorPoints (%i) must be in range 0..MaxHonorPoints(%u). Set to %u.",
725 m_configs[CONFIG_START_HONOR_POINTS],m_configs[CONFIG_MAX_HONOR_POINTS],0);
726 m_configs[CONFIG_MAX_HONOR_POINTS] = 0;
728 else if(m_configs[CONFIG_START_HONOR_POINTS] > m_configs[CONFIG_MAX_HONOR_POINTS])
730 sLog.outError("StartHonorPoints (%i) must be in range 0..MaxHonorPoints(%u). Set to %u.",
731 m_configs[CONFIG_START_HONOR_POINTS],m_configs[CONFIG_MAX_HONOR_POINTS],m_configs[CONFIG_MAX_HONOR_POINTS]);
732 m_configs[CONFIG_START_HONOR_POINTS] = m_configs[CONFIG_MAX_HONOR_POINTS];
735 m_configs[CONFIG_MAX_ARENA_POINTS] = sConfig.GetIntDefault("MaxArenaPoints", 5000);
736 if(m_configs[CONFIG_MAX_ARENA_POINTS] < 0)
738 sLog.outError("MaxArenaPoints (%i) can't be negative. Set to 0.",m_configs[CONFIG_MAX_ARENA_POINTS]);
739 m_configs[CONFIG_MAX_ARENA_POINTS] = 0;
742 m_configs[CONFIG_START_ARENA_POINTS] = sConfig.GetIntDefault("StartArenaPoints", 0);
743 if(m_configs[CONFIG_START_ARENA_POINTS] < 0)
745 sLog.outError("StartArenaPoints (%i) must be in range 0..MaxArenaPoints(%u). Set to %u.",
746 m_configs[CONFIG_START_ARENA_POINTS],m_configs[CONFIG_MAX_ARENA_POINTS],0);
747 m_configs[CONFIG_MAX_ARENA_POINTS] = 0;
749 else if(m_configs[CONFIG_START_ARENA_POINTS] > m_configs[CONFIG_MAX_ARENA_POINTS])
751 sLog.outError("StartArenaPoints (%i) must be in range 0..MaxArenaPoints(%u). Set to %u.",
752 m_configs[CONFIG_START_ARENA_POINTS],m_configs[CONFIG_MAX_ARENA_POINTS],m_configs[CONFIG_MAX_ARENA_POINTS]);
753 m_configs[CONFIG_START_ARENA_POINTS] = m_configs[CONFIG_MAX_ARENA_POINTS];
756 m_configs[CONFIG_ALL_TAXI_PATHS] = sConfig.GetBoolDefault("AllFlightPaths", false);
758 m_configs[CONFIG_INSTANCE_IGNORE_LEVEL] = sConfig.GetBoolDefault("Instance.IgnoreLevel", false);
759 m_configs[CONFIG_INSTANCE_IGNORE_RAID] = sConfig.GetBoolDefault("Instance.IgnoreRaid", false);
761 m_configs[CONFIG_BATTLEGROUND_CAST_DESERTER] = sConfig.GetBoolDefault("Battleground.CastDeserter", true);
762 m_configs[CONFIG_BATTLEGROUND_QUEUE_ANNOUNCER_ENABLE] = sConfig.GetBoolDefault("Battleground.QueueAnnouncer.Enable", false);
763 m_configs[CONFIG_BATTLEGROUND_QUEUE_ANNOUNCER_PLAYERONLY] = sConfig.GetBoolDefault("Battleground.QueueAnnouncer.PlayerOnly", false);
764 m_configs[CONFIG_ARENA_QUEUE_ANNOUNCER_ENABLE] = sConfig.GetBoolDefault("Arena.QueueAnnouncer.Enable", false);
765 m_configs[CONFIG_ARENA_SEASON_ID] = sConfig.GetIntDefault ("Arena.ArenaSeason.ID", 1);
766 m_configs[CONFIG_ARENA_SEASON_IN_PROGRESS] = sConfig.GetBoolDefault("Arena.ArenaSeason.InProgress", true);
768 m_configs[CONFIG_CAST_UNSTUCK] = sConfig.GetBoolDefault("CastUnstuck", true);
769 m_configs[CONFIG_INSTANCE_RESET_TIME_HOUR] = sConfig.GetIntDefault("Instance.ResetTimeHour", 4);
770 m_configs[CONFIG_INSTANCE_UNLOAD_DELAY] = sConfig.GetIntDefault("Instance.UnloadDelay", 1800000);
772 m_configs[CONFIG_MAX_PRIMARY_TRADE_SKILL] = sConfig.GetIntDefault("MaxPrimaryTradeSkill", 2);
773 m_configs[CONFIG_MIN_PETITION_SIGNS] = sConfig.GetIntDefault("MinPetitionSigns", 9);
774 if(m_configs[CONFIG_MIN_PETITION_SIGNS] > 9)
776 sLog.outError("MinPetitionSigns (%i) must be in range 0..9. Set to 9.", m_configs[CONFIG_MIN_PETITION_SIGNS]);
777 m_configs[CONFIG_MIN_PETITION_SIGNS] = 9;
780 m_configs[CONFIG_GM_LOGIN_STATE] = sConfig.GetIntDefault("GM.LoginState", 2);
781 m_configs[CONFIG_GM_ACCEPT_TICKETS] = sConfig.GetIntDefault("GM.AcceptTickets", 2);
782 m_configs[CONFIG_GM_CHAT] = sConfig.GetIntDefault("GM.Chat", 2);
783 m_configs[CONFIG_GM_WISPERING_TO] = sConfig.GetIntDefault("GM.WhisperingTo", 2);
785 m_configs[CONFIG_GM_IN_GM_LIST] = sConfig.GetBoolDefault("GM.InGMList", false);
786 m_configs[CONFIG_GM_IN_WHO_LIST] = sConfig.GetBoolDefault("GM.InWhoList", false);
787 m_configs[CONFIG_GM_LOG_TRADE] = sConfig.GetBoolDefault("GM.LogTrade", false);
789 m_configs[CONFIG_START_GM_LEVEL] = sConfig.GetIntDefault("GM.StartLevel", 1);
790 if(m_configs[CONFIG_START_GM_LEVEL] < m_configs[CONFIG_START_PLAYER_LEVEL])
792 sLog.outError("GM.StartLevel (%i) must be in range StartPlayerLevel(%u)..%u. Set to %u.",
793 m_configs[CONFIG_START_GM_LEVEL],m_configs[CONFIG_START_PLAYER_LEVEL], MAX_LEVEL, m_configs[CONFIG_START_PLAYER_LEVEL]);
794 m_configs[CONFIG_START_GM_LEVEL] = m_configs[CONFIG_START_PLAYER_LEVEL];
796 else if(m_configs[CONFIG_START_GM_LEVEL] > MAX_LEVEL)
798 sLog.outError("GM.StartLevel (%i) must be in range 1..%u. Set to %u.", m_configs[CONFIG_START_GM_LEVEL], MAX_LEVEL, MAX_LEVEL);
799 m_configs[CONFIG_START_GM_LEVEL] = MAX_LEVEL;
801 m_configs[CONFIG_GM_LOWER_SECURITY] = sConfig.GetBoolDefault("GM.LowerSecurity", false);
802 m_configs[CONFIG_GM_ALLOW_ACHIEVEMENT_GAINS] = sConfig.GetBoolDefault("GM.AllowAchievementGain", true);
804 m_configs[CONFIG_GROUP_VISIBILITY] = sConfig.GetIntDefault("Visibility.GroupMode",0);
806 m_configs[CONFIG_MAIL_DELIVERY_DELAY] = sConfig.GetIntDefault("MailDeliveryDelay",HOUR);
808 m_configs[CONFIG_UPTIME_UPDATE] = sConfig.GetIntDefault("UpdateUptimeInterval", 10);
809 if(m_configs[CONFIG_UPTIME_UPDATE]<=0)
811 sLog.outError("UpdateUptimeInterval (%i) must be > 0, set to default 10.",m_configs[CONFIG_UPTIME_UPDATE]);
812 m_configs[CONFIG_UPTIME_UPDATE] = 10;
814 if(reload)
816 m_timers[WUPDATE_UPTIME].SetInterval(m_configs[CONFIG_UPTIME_UPDATE]*MINUTE*1000);
817 m_timers[WUPDATE_UPTIME].Reset();
820 m_configs[CONFIG_SKILL_CHANCE_ORANGE] = sConfig.GetIntDefault("SkillChance.Orange",100);
821 m_configs[CONFIG_SKILL_CHANCE_YELLOW] = sConfig.GetIntDefault("SkillChance.Yellow",75);
822 m_configs[CONFIG_SKILL_CHANCE_GREEN] = sConfig.GetIntDefault("SkillChance.Green",25);
823 m_configs[CONFIG_SKILL_CHANCE_GREY] = sConfig.GetIntDefault("SkillChance.Grey",0);
825 m_configs[CONFIG_SKILL_CHANCE_MINING_STEPS] = sConfig.GetIntDefault("SkillChance.MiningSteps",75);
826 m_configs[CONFIG_SKILL_CHANCE_SKINNING_STEPS] = sConfig.GetIntDefault("SkillChance.SkinningSteps",75);
828 m_configs[CONFIG_SKILL_PROSPECTING] = sConfig.GetBoolDefault("SkillChance.Prospecting",false);
829 m_configs[CONFIG_SKILL_MILLING] = sConfig.GetBoolDefault("SkillChance.Milling",false);
831 m_configs[CONFIG_SKILL_GAIN_CRAFTING] = sConfig.GetIntDefault("SkillGain.Crafting", 1);
832 if(m_configs[CONFIG_SKILL_GAIN_CRAFTING] < 0)
834 sLog.outError("SkillGain.Crafting (%i) can't be negative. Set to 1.",m_configs[CONFIG_SKILL_GAIN_CRAFTING]);
835 m_configs[CONFIG_SKILL_GAIN_CRAFTING] = 1;
838 m_configs[CONFIG_SKILL_GAIN_DEFENSE] = sConfig.GetIntDefault("SkillGain.Defense", 1);
839 if(m_configs[CONFIG_SKILL_GAIN_DEFENSE] < 0)
841 sLog.outError("SkillGain.Defense (%i) can't be negative. Set to 1.",m_configs[CONFIG_SKILL_GAIN_DEFENSE]);
842 m_configs[CONFIG_SKILL_GAIN_DEFENSE] = 1;
845 m_configs[CONFIG_SKILL_GAIN_GATHERING] = sConfig.GetIntDefault("SkillGain.Gathering", 1);
846 if(m_configs[CONFIG_SKILL_GAIN_GATHERING] < 0)
848 sLog.outError("SkillGain.Gathering (%i) can't be negative. Set to 1.",m_configs[CONFIG_SKILL_GAIN_GATHERING]);
849 m_configs[CONFIG_SKILL_GAIN_GATHERING] = 1;
852 m_configs[CONFIG_SKILL_GAIN_WEAPON] = sConfig.GetIntDefault("SkillGain.Weapon", 1);
853 if(m_configs[CONFIG_SKILL_GAIN_WEAPON] < 0)
855 sLog.outError("SkillGain.Weapon (%i) can't be negative. Set to 1.",m_configs[CONFIG_SKILL_GAIN_WEAPON]);
856 m_configs[CONFIG_SKILL_GAIN_WEAPON] = 1;
859 m_configs[CONFIG_MAX_OVERSPEED_PINGS] = sConfig.GetIntDefault("MaxOverspeedPings",2);
860 if(m_configs[CONFIG_MAX_OVERSPEED_PINGS] != 0 && m_configs[CONFIG_MAX_OVERSPEED_PINGS] < 2)
862 sLog.outError("MaxOverspeedPings (%i) must be in range 2..infinity (or 0 to disable check. Set to 2.",m_configs[CONFIG_MAX_OVERSPEED_PINGS]);
863 m_configs[CONFIG_MAX_OVERSPEED_PINGS] = 2;
866 m_configs[CONFIG_SAVE_RESPAWN_TIME_IMMEDIATLY] = sConfig.GetBoolDefault("SaveRespawnTimeImmediately",true);
867 m_configs[CONFIG_WEATHER] = sConfig.GetBoolDefault("ActivateWeather",true);
869 m_configs[CONFIG_DISABLE_BREATHING] = sConfig.GetIntDefault("DisableWaterBreath", SEC_CONSOLE);
871 m_configs[CONFIG_ALWAYS_MAX_SKILL_FOR_LEVEL] = sConfig.GetBoolDefault("AlwaysMaxSkillForLevel", false);
873 if(reload)
875 uint32 val = sConfig.GetIntDefault("Expansion",1);
876 if(val!=m_configs[CONFIG_EXPANSION])
877 sLog.outError("Expansion option can't be changed at mangosd.conf reload, using current value (%u).",m_configs[CONFIG_EXPANSION]);
879 else
880 m_configs[CONFIG_EXPANSION] = sConfig.GetIntDefault("Expansion",1);
882 m_configs[CONFIG_CHATFLOOD_MESSAGE_COUNT] = sConfig.GetIntDefault("ChatFlood.MessageCount",10);
883 m_configs[CONFIG_CHATFLOOD_MESSAGE_DELAY] = sConfig.GetIntDefault("ChatFlood.MessageDelay",1);
884 m_configs[CONFIG_CHATFLOOD_MUTE_TIME] = sConfig.GetIntDefault("ChatFlood.MuteTime",10);
886 m_configs[CONFIG_EVENT_ANNOUNCE] = sConfig.GetIntDefault("Event.Announce",0);
888 m_configs[CONFIG_CREATURE_FAMILY_ASSISTANCE_RADIUS] = sConfig.GetIntDefault("CreatureFamilyAssistanceRadius",10);
889 m_configs[CONFIG_CREATURE_FAMILY_ASSISTANCE_DELAY] = sConfig.GetIntDefault("CreatureFamilyAssistanceDelay",1500);
891 m_configs[CONFIG_WORLD_BOSS_LEVEL_DIFF] = sConfig.GetIntDefault("WorldBossLevelDiff",3);
893 // note: disable value (-1) will assigned as 0xFFFFFFF, to prevent overflow at calculations limit it to max possible player level MAX_LEVEL(100)
894 m_configs[CONFIG_QUEST_LOW_LEVEL_HIDE_DIFF] = sConfig.GetIntDefault("Quests.LowLevelHideDiff", 4);
895 if(m_configs[CONFIG_QUEST_LOW_LEVEL_HIDE_DIFF] > MAX_LEVEL)
896 m_configs[CONFIG_QUEST_LOW_LEVEL_HIDE_DIFF] = MAX_LEVEL;
897 m_configs[CONFIG_QUEST_HIGH_LEVEL_HIDE_DIFF] = sConfig.GetIntDefault("Quests.HighLevelHideDiff", 7);
898 if(m_configs[CONFIG_QUEST_HIGH_LEVEL_HIDE_DIFF] > MAX_LEVEL)
899 m_configs[CONFIG_QUEST_HIGH_LEVEL_HIDE_DIFF] = MAX_LEVEL;
901 m_configs[CONFIG_DETECT_POS_COLLISION] = sConfig.GetBoolDefault("DetectPosCollision", true);
903 m_configs[CONFIG_RESTRICTED_LFG_CHANNEL] = sConfig.GetBoolDefault("Channel.RestrictedLfg", true);
904 m_configs[CONFIG_SILENTLY_GM_JOIN_TO_CHANNEL] = sConfig.GetBoolDefault("Channel.SilentlyGMJoin", false);
906 m_configs[CONFIG_TALENTS_INSPECTING] = sConfig.GetBoolDefault("TalentsInspecting", true);
907 m_configs[CONFIG_CHAT_FAKE_MESSAGE_PREVENTING] = sConfig.GetBoolDefault("ChatFakeMessagePreventing", false);
909 m_configs[CONFIG_CORPSE_DECAY_NORMAL] = sConfig.GetIntDefault("Corpse.Decay.NORMAL", 60);
910 m_configs[CONFIG_CORPSE_DECAY_RARE] = sConfig.GetIntDefault("Corpse.Decay.RARE", 300);
911 m_configs[CONFIG_CORPSE_DECAY_ELITE] = sConfig.GetIntDefault("Corpse.Decay.ELITE", 300);
912 m_configs[CONFIG_CORPSE_DECAY_RAREELITE] = sConfig.GetIntDefault("Corpse.Decay.RAREELITE", 300);
913 m_configs[CONFIG_CORPSE_DECAY_WORLDBOSS] = sConfig.GetIntDefault("Corpse.Decay.WORLDBOSS", 3600);
915 m_configs[CONFIG_DEATH_SICKNESS_LEVEL] = sConfig.GetIntDefault("Death.SicknessLevel", 11);
916 m_configs[CONFIG_DEATH_CORPSE_RECLAIM_DELAY_PVP] = sConfig.GetBoolDefault("Death.CorpseReclaimDelay.PvP", true);
917 m_configs[CONFIG_DEATH_CORPSE_RECLAIM_DELAY_PVE] = sConfig.GetBoolDefault("Death.CorpseReclaimDelay.PvE", true);
918 m_configs[CONFIG_DEATH_BONES_WORLD] = sConfig.GetBoolDefault("Death.Bones.World", true);
919 m_configs[CONFIG_DEATH_BONES_BG_OR_ARENA] = sConfig.GetBoolDefault("Death.Bones.BattlegroundOrArena", true);
921 m_configs[CONFIG_THREAT_RADIUS] = sConfig.GetIntDefault("ThreatRadius", 100);
923 // always use declined names in the russian client
924 m_configs[CONFIG_DECLINED_NAMES_USED] =
925 (m_configs[CONFIG_REALM_ZONE] == REALM_ZONE_RUSSIAN) ? true : sConfig.GetBoolDefault("DeclinedNames", false);
927 m_configs[CONFIG_LISTEN_RANGE_SAY] = sConfig.GetIntDefault("ListenRange.Say", 25);
928 m_configs[CONFIG_LISTEN_RANGE_TEXTEMOTE] = sConfig.GetIntDefault("ListenRange.TextEmote", 25);
929 m_configs[CONFIG_LISTEN_RANGE_YELL] = sConfig.GetIntDefault("ListenRange.Yell", 300);
931 m_configs[CONFIG_ARENA_MAX_RATING_DIFFERENCE] = sConfig.GetIntDefault("Arena.MaxRatingDifference", 0);
932 m_configs[CONFIG_ARENA_RATING_DISCARD_TIMER] = sConfig.GetIntDefault("Arena.RatingDiscardTimer",300000);
933 m_configs[CONFIG_ARENA_AUTO_DISTRIBUTE_POINTS] = sConfig.GetBoolDefault("Arena.AutoDistributePoints", false);
934 m_configs[CONFIG_ARENA_AUTO_DISTRIBUTE_INTERVAL_DAYS] = sConfig.GetIntDefault("Arena.AutoDistributeInterval", 7);
936 m_configs[CONFIG_BATTLEGROUND_PREMATURE_FINISH_TIMER] = sConfig.GetIntDefault("BattleGround.PrematureFinishTimer", 0);
937 m_configs[CONFIG_INSTANT_LOGOUT] = sConfig.GetIntDefault("InstantLogout", SEC_MODERATOR);
939 m_VisibleUnitGreyDistance = sConfig.GetFloatDefault("Visibility.Distance.Grey.Unit", 1);
940 if(m_VisibleUnitGreyDistance > MAX_VISIBILITY_DISTANCE)
942 sLog.outError("Visibility.Distance.Grey.Unit can't be greater %f",MAX_VISIBILITY_DISTANCE);
943 m_VisibleUnitGreyDistance = MAX_VISIBILITY_DISTANCE;
945 m_VisibleObjectGreyDistance = sConfig.GetFloatDefault("Visibility.Distance.Grey.Object", 10);
946 if(m_VisibleObjectGreyDistance > MAX_VISIBILITY_DISTANCE)
948 sLog.outError("Visibility.Distance.Grey.Object can't be greater %f",MAX_VISIBILITY_DISTANCE);
949 m_VisibleObjectGreyDistance = MAX_VISIBILITY_DISTANCE;
952 m_MaxVisibleDistanceForCreature = sConfig.GetFloatDefault("Visibility.Distance.Creature", DEFAULT_VISIBILITY_DISTANCE);
953 if(m_MaxVisibleDistanceForCreature < 45*sWorld.getRate(RATE_CREATURE_AGGRO))
955 sLog.outError("Visibility.Distance.Creature can't be less max aggro radius %f",45*sWorld.getRate(RATE_CREATURE_AGGRO));
956 m_MaxVisibleDistanceForCreature = 45*sWorld.getRate(RATE_CREATURE_AGGRO);
958 else if(m_MaxVisibleDistanceForCreature + m_VisibleUnitGreyDistance > MAX_VISIBILITY_DISTANCE)
960 sLog.outError("Visibility. Distance .Creature can't be greater %f",MAX_VISIBILITY_DISTANCE - m_VisibleUnitGreyDistance);
961 m_MaxVisibleDistanceForCreature = MAX_VISIBILITY_DISTANCE-m_VisibleUnitGreyDistance;
963 m_MaxVisibleDistanceForPlayer = sConfig.GetFloatDefault("Visibility.Distance.Player", DEFAULT_VISIBILITY_DISTANCE);
964 if(m_MaxVisibleDistanceForPlayer < 45*sWorld.getRate(RATE_CREATURE_AGGRO))
966 sLog.outError("Visibility.Distance.Player can't be less max aggro radius %f",45*sWorld.getRate(RATE_CREATURE_AGGRO));
967 m_MaxVisibleDistanceForPlayer = 45*sWorld.getRate(RATE_CREATURE_AGGRO);
969 else if(m_MaxVisibleDistanceForPlayer + m_VisibleUnitGreyDistance > MAX_VISIBILITY_DISTANCE)
971 sLog.outError("Visibility.Distance.Player can't be greater %f",MAX_VISIBILITY_DISTANCE - m_VisibleUnitGreyDistance);
972 m_MaxVisibleDistanceForPlayer = MAX_VISIBILITY_DISTANCE - m_VisibleUnitGreyDistance;
974 m_MaxVisibleDistanceForObject = sConfig.GetFloatDefault("Visibility.Distance.Gameobject", DEFAULT_VISIBILITY_DISTANCE);
975 if(m_MaxVisibleDistanceForObject < INTERACTION_DISTANCE)
977 sLog.outError("Visibility.Distance.Object can't be less max aggro radius %f",float(INTERACTION_DISTANCE));
978 m_MaxVisibleDistanceForObject = INTERACTION_DISTANCE;
980 else if(m_MaxVisibleDistanceForObject + m_VisibleObjectGreyDistance > MAX_VISIBILITY_DISTANCE)
982 sLog.outError("Visibility.Distance.Object can't be greater %f",MAX_VISIBILITY_DISTANCE-m_VisibleObjectGreyDistance);
983 m_MaxVisibleDistanceForObject = MAX_VISIBILITY_DISTANCE - m_VisibleObjectGreyDistance;
985 m_MaxVisibleDistanceInFlight = sConfig.GetFloatDefault("Visibility.Distance.InFlight", DEFAULT_VISIBILITY_DISTANCE);
986 if(m_MaxVisibleDistanceInFlight + m_VisibleObjectGreyDistance > MAX_VISIBILITY_DISTANCE)
988 sLog.outError("Visibility.Distance.InFlight can't be greater %f",MAX_VISIBILITY_DISTANCE-m_VisibleObjectGreyDistance);
989 m_MaxVisibleDistanceInFlight = MAX_VISIBILITY_DISTANCE - m_VisibleObjectGreyDistance;
992 ///- Read the "Data" directory from the config file
993 std::string dataPath = sConfig.GetStringDefault("DataDir","./");
994 if( dataPath.at(dataPath.length()-1)!='/' && dataPath.at(dataPath.length()-1)!='\\' )
995 dataPath.append("/");
997 if(reload)
999 if(dataPath!=m_dataPath)
1000 sLog.outError("DataDir option can't be changed at mangosd.conf reload, using current value (%s).",m_dataPath.c_str());
1002 else
1004 m_dataPath = dataPath;
1005 sLog.outString("Using DataDir %s",m_dataPath.c_str());
1008 bool enableLOS = sConfig.GetBoolDefault("vmap.enableLOS", false);
1009 bool enableHeight = sConfig.GetBoolDefault("vmap.enableHeight", false);
1010 std::string ignoreMapIds = sConfig.GetStringDefault("vmap.ignoreMapIds", "");
1011 std::string ignoreSpellIds = sConfig.GetStringDefault("vmap.ignoreSpellIds", "");
1012 VMAP::VMapFactory::createOrGetVMapManager()->setEnableLineOfSightCalc(enableLOS);
1013 VMAP::VMapFactory::createOrGetVMapManager()->setEnableHeightCalc(enableHeight);
1014 VMAP::VMapFactory::createOrGetVMapManager()->preventMapsFromBeingUsed(ignoreMapIds.c_str());
1015 VMAP::VMapFactory::preventSpellsFromBeingTestedForLoS(ignoreSpellIds.c_str());
1016 sLog.outString( "WORLD: VMap support included. LineOfSight:%i, getHeight:%i",enableLOS, enableHeight);
1017 sLog.outString( "WORLD: VMap data directory is: %svmaps",m_dataPath.c_str());
1018 sLog.outString( "WORLD: VMap config keys are: vmap.enableLOS, vmap.enableHeight, vmap.ignoreMapIds, vmap.ignoreSpellIds");
1021 /// Initialize the World
1022 void World::SetInitialWorldSettings()
1024 ///- Initialize the random number generator
1025 srand((unsigned int)time(NULL));
1027 ///- Initialize config settings
1028 LoadConfigSettings();
1030 ///- Init highest guids before any table loading to prevent using not initialized guids in some code.
1031 objmgr.SetHighestGuids();
1033 ///- Check the existence of the map files for all races' startup areas.
1034 if( !MapManager::ExistMapAndVMap(0,-6240.32f, 331.033f)
1035 ||!MapManager::ExistMapAndVMap(0,-8949.95f,-132.493f)
1036 ||!MapManager::ExistMapAndVMap(0,-8949.95f,-132.493f)
1037 ||!MapManager::ExistMapAndVMap(1,-618.518f,-4251.67f)
1038 ||!MapManager::ExistMapAndVMap(0, 1676.35f, 1677.45f)
1039 ||!MapManager::ExistMapAndVMap(1, 10311.3f, 832.463f)
1040 ||!MapManager::ExistMapAndVMap(1,-2917.58f,-257.98f)
1041 ||m_configs[CONFIG_EXPANSION] && (
1042 !MapManager::ExistMapAndVMap(530,10349.6f,-6357.29f) || !MapManager::ExistMapAndVMap(530,-3961.64f,-13931.2f) ) )
1044 sLog.outError("Correct *.map files not found in path '%smaps' or *.vmap/*vmdir files in '%svmaps'. Please place *.map/*.vmap/*.vmdir files in appropriate directories or correct the DataDir value in the mangosd.conf file.",m_dataPath.c_str(),m_dataPath.c_str());
1045 exit(1);
1048 ///- Loading strings. Getting no records means core load has to be canceled because no error message can be output.
1049 sLog.outString( "" );
1050 sLog.outString( "Loading MaNGOS strings..." );
1051 if (!objmgr.LoadMangosStrings())
1052 exit(1); // Error message displayed in function already
1054 ///- Update the realm entry in the database with the realm type from the config file
1055 //No SQL injection as values are treated as integers
1057 // not send custom type REALM_FFA_PVP to realm list
1058 uint32 server_type = IsFFAPvPRealm() ? REALM_TYPE_PVP : getConfig(CONFIG_GAME_TYPE);
1059 uint32 realm_zone = getConfig(CONFIG_REALM_ZONE);
1060 loginDatabase.PExecute("UPDATE realmlist SET icon = %u, timezone = %u WHERE id = '%d'", server_type, realm_zone, realmID);
1062 ///- Remove the bones after a restart
1063 CharacterDatabase.PExecute("DELETE FROM corpse WHERE corpse_type = '0'");
1065 ///- Load the DBC files
1066 sLog.outString("Initialize data stores...");
1067 LoadDBCStores(m_dataPath);
1068 DetectDBCLang();
1070 sLog.outString( "Loading Script Names...");
1071 objmgr.LoadScriptNames();
1073 sLog.outString( "Loading InstanceTemplate..." );
1074 objmgr.LoadInstanceTemplate();
1076 sLog.outString( "Loading SkillLineAbilityMultiMap Data..." );
1077 spellmgr.LoadSkillLineAbilityMap();
1079 ///- Clean up and pack instances
1080 sLog.outString( "Cleaning up instances..." );
1081 sInstanceSaveManager.CleanupInstances(); // must be called before `creature_respawn`/`gameobject_respawn` tables
1083 sLog.outString( "Packing instances..." );
1084 sInstanceSaveManager.PackInstances();
1086 sLog.outString();
1087 sLog.outString( "Loading Localization strings..." );
1088 objmgr.LoadCreatureLocales();
1089 objmgr.LoadGameObjectLocales();
1090 objmgr.LoadItemLocales();
1091 objmgr.LoadQuestLocales();
1092 objmgr.LoadNpcTextLocales();
1093 objmgr.LoadPageTextLocales();
1094 objmgr.LoadNpcOptionLocales();
1095 objmgr.SetDBCLocaleIndex(GetDefaultDbcLocale()); // Get once for all the locale index of DBC language (console/broadcasts)
1096 sLog.outString( ">>> Localization strings loaded" );
1097 sLog.outString();
1099 sLog.outString( "Loading Page Texts..." );
1100 objmgr.LoadPageTexts();
1102 sLog.outString( "Loading Game Object Templates..." ); // must be after LoadPageTexts
1103 objmgr.LoadGameobjectInfo();
1105 sLog.outString( "Loading Spell Chain Data..." );
1106 spellmgr.LoadSpellChains();
1108 sLog.outString( "Loading Spell Elixir types..." );
1109 spellmgr.LoadSpellElixirs();
1111 sLog.outString( "Loading Spell Learn Skills..." );
1112 spellmgr.LoadSpellLearnSkills(); // must be after LoadSpellChains
1114 sLog.outString( "Loading Spell Learn Spells..." );
1115 spellmgr.LoadSpellLearnSpells();
1117 sLog.outString( "Loading Spell Proc Event conditions..." );
1118 spellmgr.LoadSpellProcEvents();
1120 sLog.outString( "Loading Aggro Spells Definitions...");
1121 spellmgr.LoadSpellThreats();
1123 sLog.outString( "Loading NPC Texts..." );
1124 objmgr.LoadGossipText();
1126 sLog.outString( "Loading Item Random Enchantments Table..." );
1127 LoadRandomEnchantmentsTable();
1129 sLog.outString( "Loading Items..." ); // must be after LoadRandomEnchantmentsTable and LoadPageTexts
1130 objmgr.LoadItemPrototypes();
1132 sLog.outString( "Loading Item Texts..." );
1133 objmgr.LoadItemTexts();
1135 sLog.outString( "Loading Creature Model Based Info Data..." );
1136 objmgr.LoadCreatureModelInfo();
1138 sLog.outString( "Loading Equipment templates...");
1139 objmgr.LoadEquipmentTemplates();
1141 sLog.outString( "Loading Creature templates..." );
1142 objmgr.LoadCreatureTemplates();
1144 sLog.outString( "Loading SpellsScriptTarget...");
1145 spellmgr.LoadSpellScriptTarget(); // must be after LoadCreatureTemplates and LoadGameobjectInfo
1147 sLog.outString( "Loading Creature Reputation OnKill Data..." );
1148 objmgr.LoadReputationOnKill();
1150 sLog.outString( "Loading Pet Create Spells..." );
1151 objmgr.LoadPetCreateSpells();
1153 sLog.outString( "Loading Creature Data..." );
1154 objmgr.LoadCreatures();
1156 sLog.outString( "Loading Creature Addon Data..." );
1157 sLog.outString();
1158 objmgr.LoadCreatureAddons(); // must be after LoadCreatureTemplates() and LoadCreatures()
1159 sLog.outString( ">>> Creature Addon Data loaded" );
1160 sLog.outString();
1162 sLog.outString( "Loading Creature Respawn Data..." ); // must be after PackInstances()
1163 objmgr.LoadCreatureRespawnTimes();
1165 sLog.outString( "Loading Gameobject Data..." );
1166 objmgr.LoadGameobjects();
1168 sLog.outString( "Loading Gameobject Respawn Data..." ); // must be after PackInstances()
1169 objmgr.LoadGameobjectRespawnTimes();
1171 sLog.outString( "Loading Game Event Data...");
1172 sLog.outString();
1173 gameeventmgr.LoadFromDB();
1174 sLog.outString( ">>> Game Event Data loaded" );
1175 sLog.outString();
1177 sLog.outString( "Loading Weather Data..." );
1178 objmgr.LoadWeatherZoneChances();
1180 sLog.outString( "Loading Quests..." );
1181 objmgr.LoadQuests(); // must be loaded after DBCs, creature_template, item_template, gameobject tables
1183 sLog.outString( "Loading Quests Relations..." );
1184 sLog.outString();
1185 objmgr.LoadQuestRelations(); // must be after quest load
1186 sLog.outString( ">>> Quests Relations loaded" );
1187 sLog.outString();
1189 sLog.outString( "Loading AreaTrigger definitions..." );
1190 objmgr.LoadAreaTriggerTeleports(); // must be after item template load
1192 sLog.outString( "Loading Quest Area Triggers..." );
1193 objmgr.LoadQuestAreaTriggers(); // must be after LoadQuests
1195 sLog.outString( "Loading Tavern Area Triggers..." );
1196 objmgr.LoadTavernAreaTriggers();
1198 sLog.outString( "Loading AreaTrigger script names..." );
1199 objmgr.LoadAreaTriggerScripts();
1201 sLog.outString( "Loading Graveyard-zone links...");
1202 objmgr.LoadGraveyardZones();
1204 sLog.outString( "Loading Spell target coordinates..." );
1205 spellmgr.LoadSpellTargetPositions();
1207 sLog.outString( "Loading SpellAffect definitions..." );
1208 spellmgr.LoadSpellAffects();
1210 sLog.outString( "Loading spell pet auras..." );
1211 spellmgr.LoadSpellPetAuras();
1213 sLog.outString( "Loading pet levelup spells..." );
1214 spellmgr.LoadPetLevelupSpellMap();
1216 sLog.outString( "Loading Player Create Info & Level Stats..." );
1217 sLog.outString();
1218 objmgr.LoadPlayerInfo();
1219 sLog.outString( ">>> Player Create Info & Level Stats loaded" );
1220 sLog.outString();
1222 sLog.outString( "Loading Exploration BaseXP Data..." );
1223 objmgr.LoadExplorationBaseXP();
1225 sLog.outString( "Loading Pet Name Parts..." );
1226 objmgr.LoadPetNames();
1228 sLog.outString( "Loading the max pet number..." );
1229 objmgr.LoadPetNumber();
1231 sLog.outString( "Loading pet level stats..." );
1232 objmgr.LoadPetLevelInfo();
1234 sLog.outString( "Loading Player Corpses..." );
1235 objmgr.LoadCorpses();
1237 sLog.outString( "Loading Loot Tables..." );
1238 sLog.outString();
1239 LoadLootTables();
1240 sLog.outString( ">>> Loot Tables loaded" );
1241 sLog.outString();
1243 sLog.outString( "Loading Skill Discovery Table..." );
1244 LoadSkillDiscoveryTable();
1246 sLog.outString( "Loading Skill Extra Item Table..." );
1247 LoadSkillExtraItemTable();
1249 sLog.outString( "Loading Skill Fishing base level requirements..." );
1250 objmgr.LoadFishingBaseSkillLevel();
1252 sLog.outString( "Loading Achievements..." );
1253 sLog.outString();
1254 achievementmgr.LoadAchievementCriteriaList();
1255 achievementmgr.LoadRewards();
1256 achievementmgr.LoadRewardLocales();
1257 achievementmgr.LoadCompletedAchievements();
1258 sLog.outString( ">>> Achievements loaded" );
1259 sLog.outString();
1261 ///- Load dynamic data tables from the database
1262 sLog.outString( "Loading Auctions..." );
1263 sLog.outString();
1264 objmgr.LoadAuctionItems();
1265 objmgr.LoadAuctions();
1266 sLog.outString( ">>> Auctions loaded" );
1267 sLog.outString();
1269 sLog.outString( "Loading Guilds..." );
1270 objmgr.LoadGuilds();
1272 sLog.outString( "Loading ArenaTeams..." );
1273 objmgr.LoadArenaTeams();
1275 sLog.outString( "Loading Groups..." );
1276 objmgr.LoadGroups();
1278 sLog.outString( "Loading ReservedNames..." );
1279 objmgr.LoadReservedPlayersNames();
1281 sLog.outString( "Loading GameObjects for quests..." );
1282 objmgr.LoadGameObjectForQuests();
1284 sLog.outString( "Loading BattleMasters..." );
1285 objmgr.LoadBattleMastersEntry();
1287 sLog.outString( "Loading GameTeleports..." );
1288 objmgr.LoadGameTele();
1290 sLog.outString( "Loading Npc Text Id..." );
1291 objmgr.LoadNpcTextId(); // must be after load Creature and NpcText
1293 sLog.outString( "Loading Npc Options..." );
1294 objmgr.LoadNpcOptions();
1296 sLog.outString( "Loading Vendors..." );
1297 objmgr.LoadVendors(); // must be after load CreatureTemplate and ItemTemplate
1299 sLog.outString( "Loading Trainers..." );
1300 objmgr.LoadTrainerSpell(); // must be after load CreatureTemplate
1302 sLog.outString( "Loading Waypoints..." );
1303 sLog.outString();
1304 WaypointMgr.Load();
1306 sLog.outString( "Loading GM tickets...");
1307 ticketmgr.LoadGMTickets();
1309 ///- Handle outdated emails (delete/return)
1310 sLog.outString( "Returning old mails..." );
1311 objmgr.ReturnOrDeleteOldMails(false);
1313 ///- Load and initialize scripts
1314 sLog.outString( "Loading Scripts..." );
1315 sLog.outString();
1316 objmgr.LoadQuestStartScripts(); // must be after load Creature/Gameobject(Template/Data) and QuestTemplate
1317 objmgr.LoadQuestEndScripts(); // must be after load Creature/Gameobject(Template/Data) and QuestTemplate
1318 objmgr.LoadSpellScripts(); // must be after load Creature/Gameobject(Template/Data)
1319 objmgr.LoadGameObjectScripts(); // must be after load Creature/Gameobject(Template/Data)
1320 objmgr.LoadEventScripts(); // must be after load Creature/Gameobject(Template/Data)
1321 sLog.outString( ">>> Scripts loaded" );
1322 sLog.outString();
1324 sLog.outString( "Loading Scripts text locales..." ); // must be after Load*Scripts calls
1325 objmgr.LoadDbScriptStrings();
1327 sLog.outString( "Initializing Scripts..." );
1328 if(!LoadScriptingModule())
1329 exit(1);
1331 ///- Initialize game time and timers
1332 sLog.outString( "DEBUG:: Initialize game time and timers" );
1333 m_gameTime = time(NULL);
1334 m_startTime=m_gameTime;
1336 tm local;
1337 time_t curr;
1338 time(&curr);
1339 local=*(localtime(&curr)); // dereference and assign
1340 char isoDate[128];
1341 sprintf( isoDate, "%04d-%02d-%02d %02d:%02d:%02d",
1342 local.tm_year+1900, local.tm_mon+1, local.tm_mday, local.tm_hour, local.tm_min, local.tm_sec);
1344 WorldDatabase.PExecute("INSERT INTO uptime (startstring, starttime, uptime) VALUES('%s', " I64FMTD ", 0)",
1345 isoDate, uint64(m_startTime));
1347 m_timers[WUPDATE_OBJECTS].SetInterval(0);
1348 m_timers[WUPDATE_SESSIONS].SetInterval(0);
1349 m_timers[WUPDATE_WEATHERS].SetInterval(1000);
1350 m_timers[WUPDATE_AUCTIONS].SetInterval(MINUTE*1000); //set auction update interval to 1 minute
1351 m_timers[WUPDATE_UPTIME].SetInterval(m_configs[CONFIG_UPTIME_UPDATE]*MINUTE*1000);
1352 //Update "uptime" table based on configuration entry in minutes.
1353 m_timers[WUPDATE_CORPSES].SetInterval(20*MINUTE*1000); //erase corpses every 20 minutes
1355 //to set mailtimer to return mails every day between 4 and 5 am
1356 //mailtimer is increased when updating auctions
1357 //one second is 1000 -(tested on win system)
1358 mail_timer = ((((localtime( &m_gameTime )->tm_hour + 20) % 24)* HOUR * 1000) / m_timers[WUPDATE_AUCTIONS].GetInterval() );
1359 //1440
1360 mail_timer_expires = ( (DAY * 1000) / (m_timers[WUPDATE_AUCTIONS].GetInterval()));
1361 sLog.outDebug("Mail timer set to: %u, mail return is called every %u minutes", mail_timer, mail_timer_expires);
1363 ///- Initilize static helper structures
1364 AIRegistry::Initialize();
1365 WaypointMovementGenerator<Creature>::Initialize();
1366 Player::InitVisibleBits();
1368 ///- Initialize MapManager
1369 sLog.outString( "Starting Map System" );
1370 MapManager::Instance().Initialize();
1372 ///- Initialize Battlegrounds
1373 sLog.outString( "Starting BattleGround System" );
1374 sBattleGroundMgr.CreateInitialBattleGrounds();
1375 sBattleGroundMgr.InitAutomaticArenaPointDistribution();
1377 //Not sure if this can be moved up in the sequence (with static data loading) as it uses MapManager
1378 sLog.outString( "Loading Transports..." );
1379 MapManager::Instance().LoadTransports();
1381 sLog.outString("Deleting expired bans..." );
1382 loginDatabase.Execute("DELETE FROM ip_banned WHERE unbandate<=UNIX_TIMESTAMP() AND unbandate<>bandate");
1384 sLog.outString("Calculate next daily quest reset time..." );
1385 InitDailyQuestResetTime();
1387 sLog.outString("Starting Game Event system..." );
1388 uint32 nextGameEvent = gameeventmgr.Initialize();
1389 m_timers[WUPDATE_EVENTS].SetInterval(nextGameEvent); //depend on next event
1391 sLog.outString( "WORLD: World initialized" );
1394 void World::DetectDBCLang()
1396 uint32 m_lang_confid = sConfig.GetIntDefault("DBC.Locale", 255);
1398 if(m_lang_confid != 255 && m_lang_confid >= MAX_LOCALE)
1400 sLog.outError("Incorrect DBC.Locale! Must be >= 0 and < %d (set to 0)",MAX_LOCALE);
1401 m_lang_confid = LOCALE_enUS;
1404 ChrRacesEntry const* race = sChrRacesStore.LookupEntry(1);
1406 std::string availableLocalsStr;
1408 int default_locale = MAX_LOCALE;
1409 for (int i = MAX_LOCALE-1; i >= 0; --i)
1411 if ( strlen(race->name[i]) > 0) // check by race names
1413 default_locale = i;
1414 m_availableDbcLocaleMask |= (1 << i);
1415 availableLocalsStr += localeNames[i];
1416 availableLocalsStr += " ";
1420 if( default_locale != m_lang_confid && m_lang_confid < MAX_LOCALE &&
1421 (m_availableDbcLocaleMask & (1 << m_lang_confid)) )
1423 default_locale = m_lang_confid;
1426 if(default_locale >= MAX_LOCALE)
1428 sLog.outError("Unable to determine your DBC Locale! (corrupt DBC?)");
1429 exit(1);
1432 m_defaultDbcLocale = LocaleConstant(default_locale);
1434 sLog.outString("Using %s DBC Locale as default. All available DBC locales: %s",localeNames[m_defaultDbcLocale],availableLocalsStr.empty() ? "<none>" : availableLocalsStr.c_str());
1435 sLog.outString();
1438 /// Update the World !
1439 void World::Update(uint32 diff)
1441 ///- Update the different timers
1442 for(int i = 0; i < WUPDATE_COUNT; i++)
1443 if(m_timers[i].GetCurrent()>=0)
1444 m_timers[i].Update(diff);
1445 else m_timers[i].SetCurrent(0);
1447 ///- Update the game time and check for shutdown time
1448 _UpdateGameTime();
1450 /// Handle daily quests reset time
1451 if(m_gameTime > m_NextDailyQuestReset)
1453 ResetDailyQuests();
1454 m_NextDailyQuestReset += DAY;
1457 /// <ul><li> Handle auctions when the timer has passed
1458 if (m_timers[WUPDATE_AUCTIONS].Passed())
1460 m_timers[WUPDATE_AUCTIONS].Reset();
1462 ///- Update mails (return old mails with item, or delete them)
1463 //(tested... works on win)
1464 if (++mail_timer > mail_timer_expires)
1466 mail_timer = 0;
1467 objmgr.ReturnOrDeleteOldMails(true);
1470 AuctionHouseObject* AuctionMap;
1471 for (int i = 0; i < 3; i++)
1473 switch (i)
1475 case 0:
1476 AuctionMap = objmgr.GetAuctionsMap( 6 );//horde
1477 break;
1478 case 1:
1479 AuctionMap = objmgr.GetAuctionsMap( 2 );//alliance
1480 break;
1481 case 2:
1482 AuctionMap = objmgr.GetAuctionsMap( 7 );//neutral
1483 break;
1486 ///- Handle expired auctions
1487 AuctionHouseObject::AuctionEntryMap::iterator itr,next;
1488 for (itr = AuctionMap->GetAuctionsBegin(); itr != AuctionMap->GetAuctionsEnd();itr = next)
1490 next = itr;
1491 ++next;
1492 if (m_gameTime > (itr->second->time))
1494 ///- Either cancel the auction if there was no bidder
1495 if (itr->second->bidder == 0)
1497 objmgr.SendAuctionExpiredMail( itr->second );
1499 ///- Or perform the transaction
1500 else
1502 //we should send an "item sold" message if the seller is online
1503 //we send the item to the winner
1504 //we send the money to the seller
1505 objmgr.SendAuctionSuccessfulMail( itr->second );
1506 objmgr.SendAuctionWonMail( itr->second );
1509 ///- In any case clear the auction
1510 //No SQL injection (Id is integer)
1511 CharacterDatabase.PExecute("DELETE FROM auctionhouse WHERE id = '%u'",itr->second->Id);
1512 objmgr.RemoveAItem(itr->second->item_guidlow);
1513 delete itr->second;
1514 AuctionMap->RemoveAuction(itr->first);
1520 /// <li> Handle session updates when the timer has passed
1521 if (m_timers[WUPDATE_SESSIONS].Passed())
1523 m_timers[WUPDATE_SESSIONS].Reset();
1525 UpdateSessions(diff);
1528 /// <li> Handle weather updates when the timer has passed
1529 if (m_timers[WUPDATE_WEATHERS].Passed())
1531 m_timers[WUPDATE_WEATHERS].Reset();
1533 ///- Send an update signal to Weather objects
1534 WeatherMap::iterator itr, next;
1535 for (itr = m_weathers.begin(); itr != m_weathers.end(); itr = next)
1537 next = itr;
1538 ++next;
1540 ///- and remove Weather objects for zones with no player
1541 //As interval > WorldTick
1542 if(!itr->second->Update(m_timers[WUPDATE_WEATHERS].GetInterval()))
1544 delete itr->second;
1545 m_weathers.erase(itr);
1549 /// <li> Update uptime table
1550 if (m_timers[WUPDATE_UPTIME].Passed())
1552 uint32 tmpDiff = (m_gameTime - m_startTime);
1553 uint32 maxClientsNum = sWorld.GetMaxActiveSessionCount();
1555 m_timers[WUPDATE_UPTIME].Reset();
1556 WorldDatabase.PExecute("UPDATE uptime SET uptime = %d, maxplayers = %d WHERE starttime = " I64FMTD, tmpDiff, maxClientsNum, uint64(m_startTime));
1559 /// <li> Handle all other objects
1560 if (m_timers[WUPDATE_OBJECTS].Passed())
1562 m_timers[WUPDATE_OBJECTS].Reset();
1563 ///- Update objects when the timer has passed (maps, transport, creatures,...)
1564 MapManager::Instance().Update(diff); // As interval = 0
1566 ///- Process necessary scripts
1567 if (!m_scriptSchedule.empty())
1568 ScriptsProcess();
1570 sBattleGroundMgr.Update(diff);
1573 // execute callbacks from sql queries that were queued recently
1574 UpdateResultQueue();
1576 ///- Erase corpses once every 20 minutes
1577 if (m_timers[WUPDATE_CORPSES].Passed())
1579 m_timers[WUPDATE_CORPSES].Reset();
1581 CorpsesErase();
1584 ///- Process Game events when necessary
1585 if (m_timers[WUPDATE_EVENTS].Passed())
1587 m_timers[WUPDATE_EVENTS].Reset(); // to give time for Update() to be processed
1588 uint32 nextGameEvent = gameeventmgr.Update();
1589 m_timers[WUPDATE_EVENTS].SetInterval(nextGameEvent);
1590 m_timers[WUPDATE_EVENTS].Reset();
1593 /// </ul>
1594 ///- Move all creatures with "delayed move" and remove and delete all objects with "delayed remove"
1595 MapManager::Instance().DoDelayedMovesAndRemoves();
1597 // update the instance reset times
1598 sInstanceSaveManager.Update();
1600 // And last, but not least handle the issued cli commands
1601 ProcessCliCommands();
1604 /// Put scripts in the execution queue
1605 void World::ScriptsStart(ScriptMapMap const& scripts, uint32 id, Object* source, Object* target)
1607 ///- Find the script map
1608 ScriptMapMap::const_iterator s = scripts.find(id);
1609 if (s == scripts.end())
1610 return;
1612 // prepare static data
1613 uint64 sourceGUID = source->GetGUID();
1614 uint64 targetGUID = target ? target->GetGUID() : (uint64)0;
1615 uint64 ownerGUID = (source->GetTypeId()==TYPEID_ITEM) ? ((Item*)source)->GetOwnerGUID() : (uint64)0;
1617 ///- Schedule script execution for all scripts in the script map
1618 ScriptMap const *s2 = &(s->second);
1619 bool immedScript = false;
1620 for (ScriptMap::const_iterator iter = s2->begin(); iter != s2->end(); ++iter)
1622 ScriptAction sa;
1623 sa.sourceGUID = sourceGUID;
1624 sa.targetGUID = targetGUID;
1625 sa.ownerGUID = ownerGUID;
1627 sa.script = &iter->second;
1628 m_scriptSchedule.insert(std::pair<time_t, ScriptAction>(m_gameTime + iter->first, sa));
1629 if (iter->first == 0)
1630 immedScript = true;
1632 ///- If one of the effects should be immediate, launch the script execution
1633 if (immedScript)
1634 ScriptsProcess();
1637 void World::ScriptCommandStart(ScriptInfo const& script, uint32 delay, Object* source, Object* target)
1639 // NOTE: script record _must_ exist until command executed
1641 // prepare static data
1642 uint64 sourceGUID = source->GetGUID();
1643 uint64 targetGUID = target ? target->GetGUID() : (uint64)0;
1644 uint64 ownerGUID = (source->GetTypeId()==TYPEID_ITEM) ? ((Item*)source)->GetOwnerGUID() : (uint64)0;
1646 ScriptAction sa;
1647 sa.sourceGUID = sourceGUID;
1648 sa.targetGUID = targetGUID;
1649 sa.ownerGUID = ownerGUID;
1651 sa.script = &script;
1652 m_scriptSchedule.insert(std::pair<time_t, ScriptAction>(m_gameTime + delay, sa));
1654 ///- If effects should be immediate, launch the script execution
1655 if(delay == 0)
1656 ScriptsProcess();
1659 /// Process queued scripts
1660 void World::ScriptsProcess()
1662 if (m_scriptSchedule.empty())
1663 return;
1665 ///- Process overdue queued scripts
1666 std::multimap<time_t, ScriptAction>::iterator iter = m_scriptSchedule.begin();
1667 // ok as multimap is a *sorted* associative container
1668 while (!m_scriptSchedule.empty() && (iter->first <= m_gameTime))
1670 ScriptAction const& step = iter->second;
1672 Object* source = NULL;
1674 if(step.sourceGUID)
1676 switch(GUID_HIPART(step.sourceGUID))
1678 case HIGHGUID_ITEM:
1679 // case HIGHGUID_CONTAINER: ==HIGHGUID_ITEM
1681 Player* player = HashMapHolder<Player>::Find(step.ownerGUID);
1682 if(player)
1683 source = player->GetItemByGuid(step.sourceGUID);
1684 break;
1686 case HIGHGUID_UNIT:
1687 source = HashMapHolder<Creature>::Find(step.sourceGUID);
1688 break;
1689 case HIGHGUID_PET:
1690 source = HashMapHolder<Pet>::Find(step.sourceGUID);
1691 break;
1692 case HIGHGUID_VEHICLE:
1693 source = HashMapHolder<Vehicle>::Find(step.sourceGUID);
1694 break;
1695 case HIGHGUID_PLAYER:
1696 source = HashMapHolder<Player>::Find(step.sourceGUID);
1697 break;
1698 case HIGHGUID_GAMEOBJECT:
1699 source = HashMapHolder<GameObject>::Find(step.sourceGUID);
1700 break;
1701 case HIGHGUID_CORPSE:
1702 source = HashMapHolder<Corpse>::Find(step.sourceGUID);
1703 break;
1704 default:
1705 sLog.outError("*_script source with unsupported high guid value %u",GUID_HIPART(step.sourceGUID));
1706 break;
1710 if(source && !source->IsInWorld()) source = NULL;
1712 Object* target = NULL;
1714 if(step.targetGUID)
1716 switch(GUID_HIPART(step.targetGUID))
1718 case HIGHGUID_UNIT:
1719 target = HashMapHolder<Creature>::Find(step.targetGUID);
1720 break;
1721 case HIGHGUID_PET:
1722 target = HashMapHolder<Pet>::Find(step.targetGUID);
1723 break;
1724 case HIGHGUID_VEHICLE:
1725 target = HashMapHolder<Vehicle>::Find(step.targetGUID);
1726 break;
1727 case HIGHGUID_PLAYER: // empty GUID case also
1728 target = HashMapHolder<Player>::Find(step.targetGUID);
1729 break;
1730 case HIGHGUID_GAMEOBJECT:
1731 target = HashMapHolder<GameObject>::Find(step.targetGUID);
1732 break;
1733 case HIGHGUID_CORPSE:
1734 target = HashMapHolder<Corpse>::Find(step.targetGUID);
1735 break;
1736 default:
1737 sLog.outError("*_script source with unsupported high guid value %u",GUID_HIPART(step.targetGUID));
1738 break;
1742 if(target && !target->IsInWorld()) target = NULL;
1744 switch (step.script->command)
1746 case SCRIPT_COMMAND_TALK:
1748 if(!source)
1750 sLog.outError("SCRIPT_COMMAND_TALK call for NULL creature.");
1751 break;
1754 if(source->GetTypeId()!=TYPEID_UNIT)
1756 sLog.outError("SCRIPT_COMMAND_TALK call for non-creature (TypeId: %u), skipping.",source->GetTypeId());
1757 break;
1760 uint64 unit_target = target ? target->GetGUID() : 0;
1762 //datalong 0=normal say, 1=whisper, 2=yell, 3=emote text
1763 switch(step.script->datalong)
1765 case 0: // Say
1766 ((Creature *)source)->Say(step.script->dataint, LANG_UNIVERSAL, unit_target);
1767 break;
1768 case 1: // Whisper
1769 if(!unit_target)
1771 sLog.outError("SCRIPT_COMMAND_TALK attempt to whisper (%u) NULL, skipping.",step.script->datalong);
1772 break;
1774 ((Creature *)source)->Whisper(step.script->dataint,unit_target);
1775 break;
1776 case 2: // Yell
1777 ((Creature *)source)->Yell(step.script->dataint, LANG_UNIVERSAL, unit_target);
1778 break;
1779 case 3: // Emote text
1780 ((Creature *)source)->TextEmote(step.script->dataint, unit_target);
1781 break;
1782 default:
1783 break; // must be already checked at load
1785 break;
1788 case SCRIPT_COMMAND_EMOTE:
1789 if(!source)
1791 sLog.outError("SCRIPT_COMMAND_EMOTE call for NULL creature.");
1792 break;
1795 if(source->GetTypeId()!=TYPEID_UNIT)
1797 sLog.outError("SCRIPT_COMMAND_EMOTE call for non-creature (TypeId: %u), skipping.",source->GetTypeId());
1798 break;
1801 ((Creature *)source)->HandleEmoteCommand(step.script->datalong);
1802 break;
1803 case SCRIPT_COMMAND_FIELD_SET:
1804 if(!source)
1806 sLog.outError("SCRIPT_COMMAND_FIELD_SET call for NULL object.");
1807 break;
1809 if(step.script->datalong <= OBJECT_FIELD_ENTRY || step.script->datalong >= source->GetValuesCount())
1811 sLog.outError("SCRIPT_COMMAND_FIELD_SET call for wrong field %u (max count: %u) in object (TypeId: %u).",
1812 step.script->datalong,source->GetValuesCount(),source->GetTypeId());
1813 break;
1816 source->SetUInt32Value(step.script->datalong, step.script->datalong2);
1817 break;
1818 case SCRIPT_COMMAND_MOVE_TO:
1819 if(!source)
1821 sLog.outError("SCRIPT_COMMAND_MOVE_TO call for NULL creature.");
1822 break;
1825 if(source->GetTypeId()!=TYPEID_UNIT)
1827 sLog.outError("SCRIPT_COMMAND_MOVE_TO call for non-creature (TypeId: %u), skipping.",source->GetTypeId());
1828 break;
1830 ((Unit *)source)->SendMonsterMoveWithSpeed(step.script->x, step.script->y, step.script->z, ((Unit *)source)->GetUnitMovementFlags(), step.script->datalong2 );
1831 ((Unit *)source)->GetMap()->CreatureRelocation(((Creature *)source), step.script->x, step.script->y, step.script->z, 0);
1832 break;
1833 case SCRIPT_COMMAND_FLAG_SET:
1834 if(!source)
1836 sLog.outError("SCRIPT_COMMAND_FLAG_SET call for NULL object.");
1837 break;
1839 if(step.script->datalong <= OBJECT_FIELD_ENTRY || step.script->datalong >= source->GetValuesCount())
1841 sLog.outError("SCRIPT_COMMAND_FLAG_SET call for wrong field %u (max count: %u) in object (TypeId: %u).",
1842 step.script->datalong,source->GetValuesCount(),source->GetTypeId());
1843 break;
1846 source->SetFlag(step.script->datalong, step.script->datalong2);
1847 break;
1848 case SCRIPT_COMMAND_FLAG_REMOVE:
1849 if(!source)
1851 sLog.outError("SCRIPT_COMMAND_FLAG_REMOVE call for NULL object.");
1852 break;
1854 if(step.script->datalong <= OBJECT_FIELD_ENTRY || step.script->datalong >= source->GetValuesCount())
1856 sLog.outError("SCRIPT_COMMAND_FLAG_REMOVE call for wrong field %u (max count: %u) in object (TypeId: %u).",
1857 step.script->datalong,source->GetValuesCount(),source->GetTypeId());
1858 break;
1861 source->RemoveFlag(step.script->datalong, step.script->datalong2);
1862 break;
1864 case SCRIPT_COMMAND_TELEPORT_TO:
1866 // accept player in any one from target/source arg
1867 if (!target && !source)
1869 sLog.outError("SCRIPT_COMMAND_TELEPORT_TO call for NULL object.");
1870 break;
1873 // must be only Player
1874 if((!target || target->GetTypeId() != TYPEID_PLAYER) && (!source || source->GetTypeId() != TYPEID_PLAYER))
1876 sLog.outError("SCRIPT_COMMAND_TELEPORT_TO call for non-player (TypeIdSource: %u)(TypeIdTarget: %u), skipping.", source ? source->GetTypeId() : 0, target ? target->GetTypeId() : 0);
1877 break;
1880 Player* pSource = target && target->GetTypeId() == TYPEID_PLAYER ? (Player*)target : (Player*)source;
1882 pSource->TeleportTo(step.script->datalong, step.script->x, step.script->y, step.script->z, step.script->o);
1883 break;
1886 case SCRIPT_COMMAND_TEMP_SUMMON_CREATURE:
1888 if(!step.script->datalong) // creature not specified
1890 sLog.outError("SCRIPT_COMMAND_TEMP_SUMMON_CREATURE call for NULL creature.");
1891 break;
1894 if(!source)
1896 sLog.outError("SCRIPT_COMMAND_TEMP_SUMMON_CREATURE call for NULL world object.");
1897 break;
1900 WorldObject* summoner = dynamic_cast<WorldObject*>(source);
1902 if(!summoner)
1904 sLog.outError("SCRIPT_COMMAND_TEMP_SUMMON_CREATURE call for non-WorldObject (TypeId: %u), skipping.",source->GetTypeId());
1905 break;
1908 float x = step.script->x;
1909 float y = step.script->y;
1910 float z = step.script->z;
1911 float o = step.script->o;
1913 Creature* pCreature = summoner->SummonCreature(step.script->datalong, x, y, z, o,TEMPSUMMON_TIMED_OR_DEAD_DESPAWN,step.script->datalong2);
1914 if (!pCreature)
1916 sLog.outError("SCRIPT_COMMAND_TEMP_SUMMON failed for creature (entry: %u).",step.script->datalong);
1917 break;
1920 break;
1923 case SCRIPT_COMMAND_RESPAWN_GAMEOBJECT:
1925 if(!step.script->datalong) // gameobject not specified
1927 sLog.outError("SCRIPT_COMMAND_RESPAWN_GAMEOBJECT call for NULL gameobject.");
1928 break;
1931 if(!source)
1933 sLog.outError("SCRIPT_COMMAND_RESPAWN_GAMEOBJECT call for NULL world object.");
1934 break;
1937 WorldObject* summoner = dynamic_cast<WorldObject*>(source);
1939 if(!summoner)
1941 sLog.outError("SCRIPT_COMMAND_RESPAWN_GAMEOBJECT call for non-WorldObject (TypeId: %u), skipping.",source->GetTypeId());
1942 break;
1945 GameObject *go = NULL;
1946 int32 time_to_despawn = step.script->datalong2<5 ? 5 : (int32)step.script->datalong2;
1948 CellPair p(MaNGOS::ComputeCellPair(summoner->GetPositionX(), summoner->GetPositionY()));
1949 Cell cell(p);
1950 cell.data.Part.reserved = ALL_DISTRICT;
1952 MaNGOS::GameObjectWithDbGUIDCheck go_check(*summoner,step.script->datalong);
1953 MaNGOS::GameObjectSearcher<MaNGOS::GameObjectWithDbGUIDCheck> checker(go,go_check);
1955 TypeContainerVisitor<MaNGOS::GameObjectSearcher<MaNGOS::GameObjectWithDbGUIDCheck>, GridTypeMapContainer > object_checker(checker);
1956 CellLock<GridReadGuard> cell_lock(cell, p);
1957 cell_lock->Visit(cell_lock, object_checker, *summoner->GetMap());
1959 if ( !go )
1961 sLog.outError("SCRIPT_COMMAND_RESPAWN_GAMEOBJECT failed for gameobject(guid: %u).", step.script->datalong);
1962 break;
1965 if( go->GetGoType()==GAMEOBJECT_TYPE_FISHINGNODE ||
1966 go->GetGoType()==GAMEOBJECT_TYPE_FISHINGNODE ||
1967 go->GetGoType()==GAMEOBJECT_TYPE_DOOR ||
1968 go->GetGoType()==GAMEOBJECT_TYPE_BUTTON ||
1969 go->GetGoType()==GAMEOBJECT_TYPE_TRAP )
1971 sLog.outError("SCRIPT_COMMAND_RESPAWN_GAMEOBJECT can not be used with gameobject of type %u (guid: %u).", uint32(go->GetGoType()), step.script->datalong);
1972 break;
1975 if( go->isSpawned() )
1976 break; //gameobject already spawned
1978 go->SetLootState(GO_READY);
1979 go->SetRespawnTime(time_to_despawn); //despawn object in ? seconds
1981 go->GetMap()->Add(go);
1982 break;
1984 case SCRIPT_COMMAND_OPEN_DOOR:
1986 if(!step.script->datalong) // door not specified
1988 sLog.outError("SCRIPT_COMMAND_OPEN_DOOR call for NULL door.");
1989 break;
1992 if(!source)
1994 sLog.outError("SCRIPT_COMMAND_OPEN_DOOR call for NULL unit.");
1995 break;
1998 if(!source->isType(TYPEMASK_UNIT)) // must be any Unit (creature or player)
2000 sLog.outError("SCRIPT_COMMAND_OPEN_DOOR call for non-unit (TypeId: %u), skipping.",source->GetTypeId());
2001 break;
2004 Unit* caster = (Unit*)source;
2006 GameObject *door = NULL;
2007 int32 time_to_close = step.script->datalong2 < 15 ? 15 : (int32)step.script->datalong2;
2009 CellPair p(MaNGOS::ComputeCellPair(caster->GetPositionX(), caster->GetPositionY()));
2010 Cell cell(p);
2011 cell.data.Part.reserved = ALL_DISTRICT;
2013 MaNGOS::GameObjectWithDbGUIDCheck go_check(*caster,step.script->datalong);
2014 MaNGOS::GameObjectSearcher<MaNGOS::GameObjectWithDbGUIDCheck> checker(door,go_check);
2016 TypeContainerVisitor<MaNGOS::GameObjectSearcher<MaNGOS::GameObjectWithDbGUIDCheck>, GridTypeMapContainer > object_checker(checker);
2017 CellLock<GridReadGuard> cell_lock(cell, p);
2018 cell_lock->Visit(cell_lock, object_checker, *caster->GetMap());
2020 if ( !door )
2022 sLog.outError("SCRIPT_COMMAND_OPEN_DOOR failed for gameobject(guid: %u).", step.script->datalong);
2023 break;
2025 if ( door->GetGoType() != GAMEOBJECT_TYPE_DOOR )
2027 sLog.outError("SCRIPT_COMMAND_OPEN_DOOR failed for non-door(GoType: %u).", door->GetGoType());
2028 break;
2031 if( !door->GetGoState() )
2032 break; //door already open
2034 door->UseDoorOrButton(time_to_close);
2036 if(target && target->isType(TYPEMASK_GAMEOBJECT) && ((GameObject*)target)->GetGoType()==GAMEOBJECT_TYPE_BUTTON)
2037 ((GameObject*)target)->UseDoorOrButton(time_to_close);
2038 break;
2040 case SCRIPT_COMMAND_CLOSE_DOOR:
2042 if(!step.script->datalong) // guid for door not specified
2044 sLog.outError("SCRIPT_COMMAND_CLOSE_DOOR call for NULL door.");
2045 break;
2048 if(!source)
2050 sLog.outError("SCRIPT_COMMAND_CLOSE_DOOR call for NULL unit.");
2051 break;
2054 if(!source->isType(TYPEMASK_UNIT)) // must be any Unit (creature or player)
2056 sLog.outError("SCRIPT_COMMAND_CLOSE_DOOR call for non-unit (TypeId: %u), skipping.",source->GetTypeId());
2057 break;
2060 Unit* caster = (Unit*)source;
2062 GameObject *door = NULL;
2063 int32 time_to_open = step.script->datalong2 < 15 ? 15 : (int32)step.script->datalong2;
2065 CellPair p(MaNGOS::ComputeCellPair(caster->GetPositionX(), caster->GetPositionY()));
2066 Cell cell(p);
2067 cell.data.Part.reserved = ALL_DISTRICT;
2069 MaNGOS::GameObjectWithDbGUIDCheck go_check(*caster,step.script->datalong);
2070 MaNGOS::GameObjectSearcher<MaNGOS::GameObjectWithDbGUIDCheck> checker(door,go_check);
2072 TypeContainerVisitor<MaNGOS::GameObjectSearcher<MaNGOS::GameObjectWithDbGUIDCheck>, GridTypeMapContainer > object_checker(checker);
2073 CellLock<GridReadGuard> cell_lock(cell, p);
2074 cell_lock->Visit(cell_lock, object_checker, *caster->GetMap());
2076 if ( !door )
2078 sLog.outError("SCRIPT_COMMAND_CLOSE_DOOR failed for gameobject(guid: %u).", step.script->datalong);
2079 break;
2081 if ( door->GetGoType() != GAMEOBJECT_TYPE_DOOR )
2083 sLog.outError("SCRIPT_COMMAND_CLOSE_DOOR failed for non-door(GoType: %u).", door->GetGoType());
2084 break;
2087 if( door->GetGoState() )
2088 break; //door already closed
2090 door->UseDoorOrButton(time_to_open);
2092 if(target && target->isType(TYPEMASK_GAMEOBJECT) && ((GameObject*)target)->GetGoType()==GAMEOBJECT_TYPE_BUTTON)
2093 ((GameObject*)target)->UseDoorOrButton(time_to_open);
2095 break;
2097 case SCRIPT_COMMAND_QUEST_EXPLORED:
2099 if(!source)
2101 sLog.outError("SCRIPT_COMMAND_QUEST_EXPLORED call for NULL source.");
2102 break;
2105 if(!target)
2107 sLog.outError("SCRIPT_COMMAND_QUEST_EXPLORED call for NULL target.");
2108 break;
2111 // when script called for item spell casting then target == (unit or GO) and source is player
2112 WorldObject* worldObject;
2113 Player* player;
2115 if(target->GetTypeId()==TYPEID_PLAYER)
2117 if(source->GetTypeId()!=TYPEID_UNIT && source->GetTypeId()!=TYPEID_GAMEOBJECT)
2119 sLog.outError("SCRIPT_COMMAND_QUEST_EXPLORED call for non-creature and non-gameobject (TypeId: %u), skipping.",source->GetTypeId());
2120 break;
2123 worldObject = (WorldObject*)source;
2124 player = (Player*)target;
2126 else
2128 if(target->GetTypeId()!=TYPEID_UNIT && target->GetTypeId()!=TYPEID_GAMEOBJECT)
2130 sLog.outError("SCRIPT_COMMAND_QUEST_EXPLORED call for non-creature and non-gameobject (TypeId: %u), skipping.",target->GetTypeId());
2131 break;
2134 if(source->GetTypeId()!=TYPEID_PLAYER)
2136 sLog.outError("SCRIPT_COMMAND_QUEST_EXPLORED call for non-player(TypeId: %u), skipping.",source->GetTypeId());
2137 break;
2140 worldObject = (WorldObject*)target;
2141 player = (Player*)source;
2144 // quest id and flags checked at script loading
2145 if( (worldObject->GetTypeId()!=TYPEID_UNIT || ((Unit*)worldObject)->isAlive()) &&
2146 (step.script->datalong2==0 || worldObject->IsWithinDistInMap(player,float(step.script->datalong2))) )
2147 player->AreaExploredOrEventHappens(step.script->datalong);
2148 else
2149 player->FailQuest(step.script->datalong);
2151 break;
2154 case SCRIPT_COMMAND_ACTIVATE_OBJECT:
2156 if(!source)
2158 sLog.outError("SCRIPT_COMMAND_ACTIVATE_OBJECT must have source caster.");
2159 break;
2162 if(!source->isType(TYPEMASK_UNIT))
2164 sLog.outError("SCRIPT_COMMAND_ACTIVATE_OBJECT source caster isn't unit (TypeId: %u), skipping.",source->GetTypeId());
2165 break;
2168 if(!target)
2170 sLog.outError("SCRIPT_COMMAND_ACTIVATE_OBJECT call for NULL gameobject.");
2171 break;
2174 if(target->GetTypeId()!=TYPEID_GAMEOBJECT)
2176 sLog.outError("SCRIPT_COMMAND_ACTIVATE_OBJECT call for non-gameobject (TypeId: %u), skipping.",target->GetTypeId());
2177 break;
2180 Unit* caster = (Unit*)source;
2182 GameObject *go = (GameObject*)target;
2184 go->Use(caster);
2185 break;
2188 case SCRIPT_COMMAND_REMOVE_AURA:
2190 Object* cmdTarget = step.script->datalong2 ? source : target;
2192 if(!cmdTarget)
2194 sLog.outError("SCRIPT_COMMAND_REMOVE_AURA call for NULL %s.",step.script->datalong2 ? "source" : "target");
2195 break;
2198 if(!cmdTarget->isType(TYPEMASK_UNIT))
2200 sLog.outError("SCRIPT_COMMAND_REMOVE_AURA %s isn't unit (TypeId: %u), skipping.",step.script->datalong2 ? "source" : "target",cmdTarget->GetTypeId());
2201 break;
2204 ((Unit*)cmdTarget)->RemoveAurasDueToSpell(step.script->datalong);
2205 break;
2208 case SCRIPT_COMMAND_CAST_SPELL:
2210 if(!source)
2212 sLog.outError("SCRIPT_COMMAND_CAST_SPELL must have source caster.");
2213 break;
2216 if(!source->isType(TYPEMASK_UNIT))
2218 sLog.outError("SCRIPT_COMMAND_CAST_SPELL source caster isn't unit (TypeId: %u), skipping.",source->GetTypeId());
2219 break;
2222 Object* cmdTarget = step.script->datalong2 ? source : target;
2224 if(!cmdTarget)
2226 sLog.outError("SCRIPT_COMMAND_CAST_SPELL call for NULL %s.",step.script->datalong2 ? "source" : "target");
2227 break;
2230 if(!cmdTarget->isType(TYPEMASK_UNIT))
2232 sLog.outError("SCRIPT_COMMAND_CAST_SPELL %s isn't unit (TypeId: %u), skipping.",step.script->datalong2 ? "source" : "target",cmdTarget->GetTypeId());
2233 break;
2236 Unit* spellTarget = (Unit*)cmdTarget;
2238 //TODO: when GO cast implemented, code below must be updated accordingly to also allow GO spell cast
2239 ((Unit*)source)->CastSpell(spellTarget,step.script->datalong,false);
2241 break;
2244 default:
2245 sLog.outError("Unknown script command %u called.",step.script->command);
2246 break;
2249 m_scriptSchedule.erase(iter);
2251 iter = m_scriptSchedule.begin();
2253 return;
2256 /// Send a packet to all players (except self if mentioned)
2257 void World::SendGlobalMessage(WorldPacket *packet, WorldSession *self, uint32 team)
2259 SessionMap::iterator itr;
2260 for (itr = m_sessions.begin(); itr != m_sessions.end(); ++itr)
2262 if (itr->second &&
2263 itr->second->GetPlayer() &&
2264 itr->second->GetPlayer()->IsInWorld() &&
2265 itr->second != self &&
2266 (team == 0 || itr->second->GetPlayer()->GetTeam() == team) )
2268 itr->second->SendPacket(packet);
2273 /// Send a System Message to all players (except self if mentioned)
2274 void World::SendWorldText(int32 string_id, ...)
2276 std::vector<std::vector<WorldPacket*> > data_cache; // 0 = default, i => i-1 locale index
2278 for(SessionMap::iterator itr = m_sessions.begin(); itr != m_sessions.end(); ++itr)
2280 if(!itr->second || !itr->second->GetPlayer() || !itr->second->GetPlayer()->IsInWorld() )
2281 continue;
2283 uint32 loc_idx = itr->second->GetSessionDbLocaleIndex();
2284 uint32 cache_idx = loc_idx+1;
2286 std::vector<WorldPacket*>* data_list;
2288 // create if not cached yet
2289 if(data_cache.size() < cache_idx+1 || data_cache[cache_idx].empty())
2291 if(data_cache.size() < cache_idx+1)
2292 data_cache.resize(cache_idx+1);
2294 data_list = &data_cache[cache_idx];
2296 char const* text = objmgr.GetMangosString(string_id,loc_idx);
2298 char buf[1000];
2300 va_list argptr;
2301 va_start( argptr, string_id );
2302 vsnprintf( buf,1000, text, argptr );
2303 va_end( argptr );
2305 char* pos = &buf[0];
2307 while(char* line = ChatHandler::LineFromMessage(pos))
2309 WorldPacket* data = new WorldPacket();
2310 ChatHandler::FillMessageData(data, NULL, CHAT_MSG_SYSTEM, LANG_UNIVERSAL, NULL, 0, line, NULL);
2311 data_list->push_back(data);
2314 else
2315 data_list = &data_cache[cache_idx];
2317 for(int i = 0; i < data_list->size(); ++i)
2318 itr->second->SendPacket((*data_list)[i]);
2321 // free memory
2322 for(int i = 0; i < data_cache.size(); ++i)
2323 for(int j = 0; j < data_cache[i].size(); ++j)
2324 delete data_cache[i][j];
2327 /// Send a System Message to all players (except self if mentioned)
2328 void World::SendGlobalText(const char* text, WorldSession *self)
2330 WorldPacket data;
2332 // need copy to prevent corruption by strtok call in LineFromMessage original string
2333 char* buf = strdup(text);
2334 char* pos = buf;
2336 while(char* line = ChatHandler::LineFromMessage(pos))
2338 ChatHandler::FillMessageData(&data, NULL, CHAT_MSG_SYSTEM, LANG_UNIVERSAL, NULL, 0, line, NULL);
2339 SendGlobalMessage(&data, self);
2342 free(buf);
2345 /// Send a packet to all players (or players selected team) in the zone (except self if mentioned)
2346 void World::SendZoneMessage(uint32 zone, WorldPacket *packet, WorldSession *self, uint32 team)
2348 SessionMap::iterator itr;
2349 for (itr = m_sessions.begin(); itr != m_sessions.end(); ++itr)
2351 if (itr->second &&
2352 itr->second->GetPlayer() &&
2353 itr->second->GetPlayer()->IsInWorld() &&
2354 itr->second->GetPlayer()->GetZoneId() == zone &&
2355 itr->second != self &&
2356 (team == 0 || itr->second->GetPlayer()->GetTeam() == team) )
2358 itr->second->SendPacket(packet);
2363 /// Send a System Message to all players in the zone (except self if mentioned)
2364 void World::SendZoneText(uint32 zone, const char* text, WorldSession *self, uint32 team)
2366 WorldPacket data;
2367 ChatHandler::FillMessageData(&data, NULL, CHAT_MSG_SYSTEM, LANG_UNIVERSAL, NULL, 0, text, NULL);
2368 SendZoneMessage(zone, &data, self,team);
2371 /// Kick (and save) all players
2372 void World::KickAll()
2374 m_QueuedPlayer.clear(); // prevent send queue update packet and login queued sessions
2376 // session not removed at kick and will removed in next update tick
2377 for (SessionMap::iterator itr = m_sessions.begin(); itr != m_sessions.end(); ++itr)
2378 itr->second->KickPlayer();
2381 /// Kick (and save) all players with security level less `sec`
2382 void World::KickAllLess(AccountTypes sec)
2384 // session not removed at kick and will removed in next update tick
2385 for (SessionMap::iterator itr = m_sessions.begin(); itr != m_sessions.end(); ++itr)
2386 if(itr->second->GetSecurity() < sec)
2387 itr->second->KickPlayer();
2390 /// Kick (and save) the designated player
2391 bool World::KickPlayer(const std::string& playerName)
2393 SessionMap::iterator itr;
2395 // session not removed at kick and will removed in next update tick
2396 for (itr = m_sessions.begin(); itr != m_sessions.end(); ++itr)
2398 if(!itr->second)
2399 continue;
2400 Player *player = itr->second->GetPlayer();
2401 if(!player)
2402 continue;
2403 if( player->IsInWorld() )
2405 if (playerName == player->GetName())
2407 itr->second->KickPlayer();
2408 return true;
2412 return false;
2415 /// Ban an account or ban an IP address, duration will be parsed using TimeStringToSecs if it is positive, otherwise permban
2416 BanReturn World::BanAccount(BanMode mode, std::string nameOrIP, std::string duration, std::string reason, std::string author)
2418 loginDatabase.escape_string(nameOrIP);
2419 loginDatabase.escape_string(reason);
2420 std::string safe_author=author;
2421 loginDatabase.escape_string(safe_author);
2423 uint32 duration_secs = TimeStringToSecs(duration);
2424 QueryResult *resultAccounts = NULL; //used for kicking
2426 ///- Update the database with ban information
2427 switch(mode)
2429 case BAN_IP:
2430 //No SQL injection as strings are escaped
2431 resultAccounts = loginDatabase.PQuery("SELECT id FROM account WHERE last_ip = '%s'",nameOrIP.c_str());
2432 loginDatabase.PExecute("INSERT INTO ip_banned VALUES ('%s',UNIX_TIMESTAMP(),UNIX_TIMESTAMP()+%u,'%s','%s')",nameOrIP.c_str(),duration_secs,safe_author.c_str(),reason.c_str());
2433 break;
2434 case BAN_ACCOUNT:
2435 //No SQL injection as string is escaped
2436 resultAccounts = loginDatabase.PQuery("SELECT id FROM account WHERE username = '%s'",nameOrIP.c_str());
2437 break;
2438 case BAN_CHARACTER:
2439 //No SQL injection as string is escaped
2440 resultAccounts = CharacterDatabase.PQuery("SELECT account FROM characters WHERE name = '%s'",nameOrIP.c_str());
2441 break;
2442 default:
2443 return BAN_SYNTAX_ERROR;
2446 if(!resultAccounts)
2448 if(mode==BAN_IP)
2449 return BAN_SUCCESS; // ip correctly banned but nobody affected (yet)
2450 else
2451 return BAN_NOTFOUND; // Nobody to ban
2454 ///- Disconnect all affected players (for IP it can be several)
2457 Field* fieldsAccount = resultAccounts->Fetch();
2458 uint32 account = fieldsAccount->GetUInt32();
2460 if(mode!=BAN_IP)
2462 //No SQL injection as strings are escaped
2463 loginDatabase.PExecute("INSERT INTO account_banned VALUES ('%u', UNIX_TIMESTAMP(), UNIX_TIMESTAMP()+%u, '%s', '%s', '1')",
2464 account,duration_secs,safe_author.c_str(),reason.c_str());
2467 if (WorldSession* sess = FindSession(account))
2468 if(std::string(sess->GetPlayerName()) != author)
2469 sess->KickPlayer();
2471 while( resultAccounts->NextRow() );
2473 delete resultAccounts;
2474 return BAN_SUCCESS;
2477 /// Remove a ban from an account or IP address
2478 bool World::RemoveBanAccount(BanMode mode, std::string nameOrIP)
2480 if (mode == BAN_IP)
2482 loginDatabase.escape_string(nameOrIP);
2483 loginDatabase.PExecute("DELETE FROM ip_banned WHERE ip = '%s'",nameOrIP.c_str());
2485 else
2487 uint32 account = 0;
2488 if (mode == BAN_ACCOUNT)
2489 account = accmgr.GetId (nameOrIP);
2490 else if (mode == BAN_CHARACTER)
2491 account = objmgr.GetPlayerAccountIdByPlayerName (nameOrIP);
2493 if (!account)
2494 return false;
2496 //NO SQL injection as account is uint32
2497 loginDatabase.PExecute("UPDATE account_banned SET active = '0' WHERE id = '%u'",account);
2499 return true;
2502 /// Update the game time
2503 void World::_UpdateGameTime()
2505 ///- update the time
2506 time_t thisTime = time(NULL);
2507 uint32 elapsed = uint32(thisTime - m_gameTime);
2508 m_gameTime = thisTime;
2510 ///- if there is a shutdown timer
2511 if(!m_stopEvent && m_ShutdownTimer > 0 && elapsed > 0)
2513 ///- ... and it is overdue, stop the world (set m_stopEvent)
2514 if( m_ShutdownTimer <= elapsed )
2516 if(!(m_ShutdownMask & SHUTDOWN_MASK_IDLE) || GetActiveAndQueuedSessionCount()==0)
2517 m_stopEvent = true; // exist code already set
2518 else
2519 m_ShutdownTimer = 1; // minimum timer value to wait idle state
2521 ///- ... else decrease it and if necessary display a shutdown countdown to the users
2522 else
2524 m_ShutdownTimer -= elapsed;
2526 ShutdownMsg();
2531 /// Shutdown the server
2532 void World::ShutdownServ(uint32 time, uint32 options, uint8 exitcode)
2534 // ignore if server shutdown at next tick
2535 if(m_stopEvent)
2536 return;
2538 m_ShutdownMask = options;
2539 m_ExitCode = exitcode;
2541 ///- If the shutdown time is 0, set m_stopEvent (except if shutdown is 'idle' with remaining sessions)
2542 if(time==0)
2544 if(!(options & SHUTDOWN_MASK_IDLE) || GetActiveAndQueuedSessionCount()==0)
2545 m_stopEvent = true; // exist code already set
2546 else
2547 m_ShutdownTimer = 1; //So that the session count is re-evaluated at next world tick
2549 ///- Else set the shutdown timer and warn users
2550 else
2552 m_ShutdownTimer = time;
2553 ShutdownMsg(true);
2557 /// Display a shutdown message to the user(s)
2558 void World::ShutdownMsg(bool show, Player* player)
2560 // not show messages for idle shutdown mode
2561 if(m_ShutdownMask & SHUTDOWN_MASK_IDLE)
2562 return;
2564 ///- Display a message every 12 hours, hours, 5 minutes, minute, 5 seconds and finally seconds
2565 if ( show ||
2566 (m_ShutdownTimer < 10) ||
2567 // < 30 sec; every 5 sec
2568 (m_ShutdownTimer<30 && (m_ShutdownTimer % 5 )==0) ||
2569 // < 5 min ; every 1 min
2570 (m_ShutdownTimer<5*MINUTE && (m_ShutdownTimer % MINUTE )==0) ||
2571 // < 30 min ; every 5 min
2572 (m_ShutdownTimer<30*MINUTE && (m_ShutdownTimer % (5*MINUTE))==0) ||
2573 // < 12 h ; every 1 h
2574 (m_ShutdownTimer<12*HOUR && (m_ShutdownTimer % HOUR )==0) ||
2575 // > 12 h ; every 12 h
2576 (m_ShutdownTimer>12*HOUR && (m_ShutdownTimer % (12*HOUR) )==0))
2578 std::string str = secsToTimeString(m_ShutdownTimer);
2580 uint32 msgid = (m_ShutdownMask & SHUTDOWN_MASK_RESTART) ? SERVER_MSG_RESTART_TIME : SERVER_MSG_SHUTDOWN_TIME;
2582 SendServerMessage(msgid,str.c_str(),player);
2583 DEBUG_LOG("Server is %s in %s",(m_ShutdownMask & SHUTDOWN_MASK_RESTART ? "restart" : "shuttingdown"),str.c_str());
2587 /// Cancel a planned server shutdown
2588 void World::ShutdownCancel()
2590 // nothing cancel or too later
2591 if(!m_ShutdownTimer || m_stopEvent)
2592 return;
2594 uint32 msgid = (m_ShutdownMask & SHUTDOWN_MASK_RESTART) ? SERVER_MSG_RESTART_CANCELLED : SERVER_MSG_SHUTDOWN_CANCELLED;
2596 m_ShutdownMask = 0;
2597 m_ShutdownTimer = 0;
2598 m_ExitCode = SHUTDOWN_EXIT_CODE; // to default value
2599 SendServerMessage(msgid);
2601 DEBUG_LOG("Server %s cancelled.",(m_ShutdownMask & SHUTDOWN_MASK_RESTART ? "restart" : "shuttingdown"));
2604 /// Send a server message to the user(s)
2605 void World::SendServerMessage(uint32 type, const char *text, Player* player)
2607 WorldPacket data(SMSG_SERVER_MESSAGE, 50); // guess size
2608 data << uint32(type);
2609 if(type <= SERVER_MSG_STRING)
2610 data << text;
2612 if(player)
2613 player->GetSession()->SendPacket(&data);
2614 else
2615 SendGlobalMessage( &data );
2618 void World::UpdateSessions( uint32 diff )
2620 ///- Add new sessions
2621 while(!addSessQueue.empty())
2623 WorldSession* sess = addSessQueue.next ();
2624 AddSession_ (sess);
2627 ///- Then send an update signal to remaining ones
2628 for (SessionMap::iterator itr = m_sessions.begin(), next; itr != m_sessions.end(); itr = next)
2630 next = itr;
2631 ++next;
2633 if(!itr->second)
2634 continue;
2636 ///- and remove not active sessions from the list
2637 if(!itr->second->Update(diff)) // As interval = 0
2639 RemoveQueuedPlayer (itr->second);
2640 delete itr->second;
2641 m_sessions.erase(itr);
2646 // This handles the issued and queued CLI commands
2647 void World::ProcessCliCommands()
2649 if (cliCmdQueue.empty())
2650 return;
2652 CliCommandHolder::Print* zprint;
2654 while (!cliCmdQueue.empty())
2656 sLog.outDebug("CLI command under processing...");
2657 CliCommandHolder *command = cliCmdQueue.next();
2659 zprint = command->m_print;
2661 CliHandler(zprint).ParseCommands(command->m_command);
2663 delete command;
2666 // print the console message here so it looks right
2667 zprint("mangos>");
2670 void World::InitResultQueue()
2672 m_resultQueue = new SqlResultQueue;
2673 CharacterDatabase.SetResultQueue(m_resultQueue);
2676 void World::UpdateResultQueue()
2678 m_resultQueue->Update();
2681 void World::UpdateRealmCharCount(uint32 accountId)
2683 CharacterDatabase.AsyncPQuery(this, &World::_UpdateRealmCharCount, accountId,
2684 "SELECT COUNT(guid) FROM characters WHERE account = '%u'", accountId);
2687 void World::_UpdateRealmCharCount(QueryResult *resultCharCount, uint32 accountId)
2689 if (resultCharCount)
2691 Field *fields = resultCharCount->Fetch();
2692 uint32 charCount = fields[0].GetUInt32();
2693 delete resultCharCount;
2694 loginDatabase.PExecute("DELETE FROM realmcharacters WHERE acctid= '%d' AND realmid = '%d'", accountId, realmID);
2695 loginDatabase.PExecute("INSERT INTO realmcharacters (numchars, acctid, realmid) VALUES (%u, %u, %u)", charCount, accountId, realmID);
2699 void World::InitDailyQuestResetTime()
2701 time_t mostRecentQuestTime;
2703 QueryResult* result = CharacterDatabase.Query("SELECT MAX(time) FROM character_queststatus_daily");
2704 if(result)
2706 Field *fields = result->Fetch();
2708 mostRecentQuestTime = (time_t)fields[0].GetUInt64();
2709 delete result;
2711 else
2712 mostRecentQuestTime = 0;
2714 // client built-in time for reset is 6:00 AM
2715 // FIX ME: client not show day start time
2716 time_t curTime = time(NULL);
2717 tm localTm = *localtime(&curTime);
2718 localTm.tm_hour = 6;
2719 localTm.tm_min = 0;
2720 localTm.tm_sec = 0;
2722 // current day reset time
2723 time_t curDayResetTime = mktime(&localTm);
2725 // last reset time before current moment
2726 time_t resetTime = (curTime < curDayResetTime) ? curDayResetTime - DAY : curDayResetTime;
2728 // need reset (if we have quest time before last reset time (not processed by some reason)
2729 if(mostRecentQuestTime && mostRecentQuestTime <= resetTime)
2730 m_NextDailyQuestReset = mostRecentQuestTime;
2731 else
2733 // plan next reset time
2734 m_NextDailyQuestReset = (curTime >= curDayResetTime) ? curDayResetTime + DAY : curDayResetTime;
2738 void World::ResetDailyQuests()
2740 sLog.outDetail("Daily quests reset for all characters.");
2741 CharacterDatabase.Execute("DELETE FROM character_queststatus_daily");
2742 for(SessionMap::iterator itr = m_sessions.begin(); itr != m_sessions.end(); ++itr)
2743 if(itr->second->GetPlayer())
2744 itr->second->GetPlayer()->ResetDailyQuestStatus();
2747 void World::SetPlayerLimit( int32 limit, bool needUpdate )
2749 if(limit < -SEC_ADMINISTRATOR)
2750 limit = -SEC_ADMINISTRATOR;
2752 // lock update need
2753 bool db_update_need = needUpdate || (limit < 0) != (m_playerLimit < 0) || (limit < 0 && m_playerLimit < 0 && limit != m_playerLimit);
2755 m_playerLimit = limit;
2757 if(db_update_need)
2758 loginDatabase.PExecute("UPDATE realmlist SET allowedSecurityLevel = '%u' WHERE id = '%d'",uint8(GetPlayerSecurityLimit()),realmID);
2761 void World::UpdateMaxSessionCounters()
2763 m_maxActiveSessionCount = std::max(m_maxActiveSessionCount,uint32(m_sessions.size()-m_QueuedPlayer.size()));
2764 m_maxQueuedSessionCount = std::max(m_maxQueuedSessionCount,uint32(m_QueuedPlayer.size()));
2767 void World::LoadDBVersion()
2769 QueryResult* result = WorldDatabase.Query("SELECT version FROM db_version LIMIT 1");
2770 if(result)
2772 Field* fields = result->Fetch();
2774 m_DBVersion = fields[0].GetString();
2775 delete result;
2777 else
2778 m_DBVersion = "unknown world database";