]> git.lizzy.rs Git - minetest.git/blob - src/client.cpp
Display Lua memory usage at the time of Out-of-Memory error
[minetest.git] / src / client.cpp
1 /*
2 Minetest
3 Copyright (C) 2013 celeron55, Perttu Ahola <celeron55@gmail.com>
4
5 This program is free software; you can redistribute it and/or modify
6 it under the terms of the GNU Lesser General Public License as published by
7 the Free Software Foundation; either version 2.1 of the License, or
8 (at your option) any later version.
9
10 This program is distributed in the hope that it will be useful,
11 but WITHOUT ANY WARRANTY; without even the implied warranty of
12 MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
13 GNU Lesser General Public License for more details.
14
15 You should have received a copy of the GNU Lesser General Public License along
16 with this program; if not, write to the Free Software Foundation, Inc.,
17 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA.
18 */
19
20 #include <iostream>
21 #include <algorithm>
22 #include <sstream>
23 #include <IFileSystem.h>
24 #include "jthread/jmutexautolock.h"
25 #include "util/auth.h"
26 #include "util/directiontables.h"
27 #include "util/pointedthing.h"
28 #include "util/serialize.h"
29 #include "util/string.h"
30 #include "util/srp.h"
31 #include "client.h"
32 #include "network/clientopcodes.h"
33 #include "filesys.h"
34 #include "porting.h"
35 #include "mapblock_mesh.h"
36 #include "mapblock.h"
37 #include "minimap.h"
38 #include "settings.h"
39 #include "profiler.h"
40 #include "gettext.h"
41 #include "log.h"
42 #include "nodemetadata.h"
43 #include "itemdef.h"
44 #include "shader.h"
45 #include "clientmap.h"
46 #include "clientmedia.h"
47 #include "sound.h"
48 #include "IMeshCache.h"
49 #include "config.h"
50 #include "version.h"
51 #include "drawscene.h"
52 #include "database-sqlite3.h"
53 #include "serialization.h"
54 #include "guiscalingfilter.h"
55
56 extern gui::IGUIEnvironment* guienv;
57
58 /*
59         QueuedMeshUpdate
60 */
61
62 QueuedMeshUpdate::QueuedMeshUpdate():
63         p(-1337,-1337,-1337),
64         data(NULL),
65         ack_block_to_server(false)
66 {
67 }
68
69 QueuedMeshUpdate::~QueuedMeshUpdate()
70 {
71         if(data)
72                 delete data;
73 }
74
75 /*
76         MeshUpdateQueue
77 */
78
79 MeshUpdateQueue::MeshUpdateQueue()
80 {
81 }
82
83 MeshUpdateQueue::~MeshUpdateQueue()
84 {
85         JMutexAutoLock lock(m_mutex);
86
87         for(std::vector<QueuedMeshUpdate*>::iterator
88                         i = m_queue.begin();
89                         i != m_queue.end(); i++)
90         {
91                 QueuedMeshUpdate *q = *i;
92                 delete q;
93         }
94 }
95
96 /*
97         peer_id=0 adds with nobody to send to
98 */
99 void MeshUpdateQueue::addBlock(v3s16 p, MeshMakeData *data, bool ack_block_to_server, bool urgent)
100 {
101         DSTACK(__FUNCTION_NAME);
102
103         assert(data);   // pre-condition
104
105         JMutexAutoLock lock(m_mutex);
106
107         if(urgent)
108                 m_urgents.insert(p);
109
110         /*
111                 Find if block is already in queue.
112                 If it is, update the data and quit.
113         */
114         for(std::vector<QueuedMeshUpdate*>::iterator
115                         i = m_queue.begin();
116                         i != m_queue.end(); i++)
117         {
118                 QueuedMeshUpdate *q = *i;
119                 if(q->p == p)
120                 {
121                         if(q->data)
122                                 delete q->data;
123                         q->data = data;
124                         if(ack_block_to_server)
125                                 q->ack_block_to_server = true;
126                         return;
127                 }
128         }
129
130         /*
131                 Add the block
132         */
133         QueuedMeshUpdate *q = new QueuedMeshUpdate;
134         q->p = p;
135         q->data = data;
136         q->ack_block_to_server = ack_block_to_server;
137         m_queue.push_back(q);
138 }
139
140 // Returned pointer must be deleted
141 // Returns NULL if queue is empty
142 QueuedMeshUpdate *MeshUpdateQueue::pop()
143 {
144         JMutexAutoLock lock(m_mutex);
145
146         bool must_be_urgent = !m_urgents.empty();
147         for(std::vector<QueuedMeshUpdate*>::iterator
148                         i = m_queue.begin();
149                         i != m_queue.end(); i++)
150         {
151                 QueuedMeshUpdate *q = *i;
152                 if(must_be_urgent && m_urgents.count(q->p) == 0)
153                         continue;
154                 m_queue.erase(i);
155                 m_urgents.erase(q->p);
156                 return q;
157         }
158         return NULL;
159 }
160
161 /*
162         MeshUpdateThread
163 */
164
165 void MeshUpdateThread::enqueueUpdate(v3s16 p, MeshMakeData *data,
166                 bool ack_block_to_server, bool urgent)
167 {
168         m_queue_in.addBlock(p, data, ack_block_to_server, urgent);
169         deferUpdate();
170 }
171
172 void MeshUpdateThread::doUpdate()
173 {
174         QueuedMeshUpdate *q;
175         while ((q = m_queue_in.pop())) {
176
177                 ScopeProfiler sp(g_profiler, "Client: Mesh making");
178
179                 MapBlockMesh *mesh_new = new MapBlockMesh(q->data, m_camera_offset);
180
181                 MeshUpdateResult r;
182                 r.p = q->p;
183                 r.mesh = mesh_new;
184                 r.ack_block_to_server = q->ack_block_to_server;
185
186                 m_queue_out.push_back(r);
187
188                 delete q;
189         }
190 }
191
192 /*
193         Client
194 */
195
196 Client::Client(
197                 IrrlichtDevice *device,
198                 const char *playername,
199                 std::string password,
200                 MapDrawControl &control,
201                 IWritableTextureSource *tsrc,
202                 IWritableShaderSource *shsrc,
203                 IWritableItemDefManager *itemdef,
204                 IWritableNodeDefManager *nodedef,
205                 ISoundManager *sound,
206                 MtEventManager *event,
207                 bool ipv6
208 ):
209         m_packetcounter_timer(0.0),
210         m_connection_reinit_timer(0.1),
211         m_avg_rtt_timer(0.0),
212         m_playerpos_send_timer(0.0),
213         m_ignore_damage_timer(0.0),
214         m_tsrc(tsrc),
215         m_shsrc(shsrc),
216         m_itemdef(itemdef),
217         m_nodedef(nodedef),
218         m_sound(sound),
219         m_event(event),
220         m_mesh_update_thread(),
221         m_env(
222                 new ClientMap(this, this, control,
223                         device->getSceneManager()->getRootSceneNode(),
224                         device->getSceneManager(), 666),
225                 device->getSceneManager(),
226                 tsrc, this, device
227         ),
228         m_particle_manager(&m_env),
229         m_con(PROTOCOL_ID, 512, CONNECTION_TIMEOUT, ipv6, this),
230         m_device(device),
231         m_server_ser_ver(SER_FMT_VER_INVALID),
232         m_proto_ver(0),
233         m_playeritem(0),
234         m_inventory_updated(false),
235         m_inventory_from_server(NULL),
236         m_inventory_from_server_age(0.0),
237         m_show_highlighted(false),
238         m_animation_time(0),
239         m_crack_level(-1),
240         m_crack_pos(0,0,0),
241         m_highlighted_pos(0,0,0),
242         m_map_seed(0),
243         m_password(password),
244         m_chosen_auth_mech(AUTH_MECHANISM_NONE),
245         m_auth_data(NULL),
246         m_access_denied(false),
247         m_access_denied_reconnect(false),
248         m_itemdef_received(false),
249         m_nodedef_received(false),
250         m_media_downloader(new ClientMediaDownloader()),
251         m_time_of_day_set(false),
252         m_last_time_of_day_f(-1),
253         m_time_of_day_update_timer(0),
254         m_recommended_send_interval(0.1),
255         m_removed_sounds_check_timer(0),
256         m_state(LC_Created),
257         m_localdb(NULL)
258 {
259         // Add local player
260         m_env.addPlayer(new LocalPlayer(this, playername));
261
262         m_mapper = new Mapper(device, this);
263         m_cache_save_interval = g_settings->getU16("server_map_save_interval");
264
265         m_cache_smooth_lighting = g_settings->getBool("smooth_lighting");
266         m_cache_enable_shaders  = g_settings->getBool("enable_shaders");
267 }
268
269 void Client::Stop()
270 {
271         //request all client managed threads to stop
272         m_mesh_update_thread.Stop();
273         // Save local server map
274         if (m_localdb) {
275                 infostream << "Local map saving ended." << std::endl;
276                 m_localdb->endSave();
277         }
278 }
279
280 bool Client::isShutdown()
281 {
282
283         if (!m_mesh_update_thread.IsRunning()) return true;
284
285         return false;
286 }
287
288 Client::~Client()
289 {
290         m_con.Disconnect();
291
292         m_mesh_update_thread.Stop();
293         m_mesh_update_thread.Wait();
294         while (!m_mesh_update_thread.m_queue_out.empty()) {
295                 MeshUpdateResult r = m_mesh_update_thread.m_queue_out.pop_frontNoEx();
296                 delete r.mesh;
297         }
298
299
300         delete m_inventory_from_server;
301
302         // Delete detached inventories
303         for (std::map<std::string, Inventory*>::iterator
304                         i = m_detached_inventories.begin();
305                         i != m_detached_inventories.end(); ++i) {
306                 delete i->second;
307         }
308
309         // cleanup 3d model meshes on client shutdown
310         while (m_device->getSceneManager()->getMeshCache()->getMeshCount() != 0) {
311                 scene::IAnimatedMesh *mesh =
312                         m_device->getSceneManager()->getMeshCache()->getMeshByIndex(0);
313
314                 if (mesh != NULL)
315                         m_device->getSceneManager()->getMeshCache()->removeMesh(mesh);
316         }
317
318         delete m_mapper;
319 }
320
321 void Client::connect(Address address,
322                 const std::string &address_name,
323                 bool is_local_server)
324 {
325         DSTACK(__FUNCTION_NAME);
326
327         initLocalMapSaving(address, address_name, is_local_server);
328
329         m_con.SetTimeoutMs(0);
330         m_con.Connect(address);
331 }
332
333 void Client::step(float dtime)
334 {
335         DSTACK(__FUNCTION_NAME);
336
337         // Limit a bit
338         if(dtime > 2.0)
339                 dtime = 2.0;
340
341         if(m_ignore_damage_timer > dtime)
342                 m_ignore_damage_timer -= dtime;
343         else
344                 m_ignore_damage_timer = 0.0;
345
346         m_animation_time += dtime;
347         if(m_animation_time > 60.0)
348                 m_animation_time -= 60.0;
349
350         m_time_of_day_update_timer += dtime;
351
352         ReceiveAll();
353
354         /*
355                 Packet counter
356         */
357         {
358                 float &counter = m_packetcounter_timer;
359                 counter -= dtime;
360                 if(counter <= 0.0)
361                 {
362                         counter = 20.0;
363
364                         infostream << "Client packetcounter (" << m_packetcounter_timer
365                                         << "):"<<std::endl;
366                         m_packetcounter.print(infostream);
367                         m_packetcounter.clear();
368                 }
369         }
370
371         // UGLY hack to fix 2 second startup delay caused by non existent
372         // server client startup synchronization in local server or singleplayer mode
373         static bool initial_step = true;
374         if (initial_step) {
375                 initial_step = false;
376         }
377         else if(m_state == LC_Created) {
378                 float &counter = m_connection_reinit_timer;
379                 counter -= dtime;
380                 if(counter <= 0.0) {
381                         counter = 2.0;
382
383                         Player *myplayer = m_env.getLocalPlayer();
384                         FATAL_ERROR_IF(myplayer == NULL, "Local player not found in environment.");
385
386                         // Send TOSERVER_INIT_LEGACY
387                         // [0] u16 TOSERVER_INIT_LEGACY
388                         // [2] u8 SER_FMT_VER_HIGHEST_READ
389                         // [3] u8[20] player_name
390                         // [23] u8[28] password (new in some version)
391                         // [51] u16 minimum supported network protocol version (added sometime)
392                         // [53] u16 maximum supported network protocol version (added later than the previous one)
393
394                         char pName[PLAYERNAME_SIZE];
395                         char pPassword[PASSWORD_SIZE];
396                         memset(pName, 0, PLAYERNAME_SIZE * sizeof(char));
397                         memset(pPassword, 0, PASSWORD_SIZE * sizeof(char));
398
399                         std::string hashed_password = translatePassword(myplayer->getName(), m_password);
400                         snprintf(pName, PLAYERNAME_SIZE, "%s", myplayer->getName());
401                         snprintf(pPassword, PASSWORD_SIZE, "%s", hashed_password.c_str());
402
403                         sendLegacyInit(pName, pPassword);
404                         if (LATEST_PROTOCOL_VERSION >= 25)
405                                 sendInit(myplayer->getName());
406                 }
407
408                 // Not connected, return
409                 return;
410         }
411
412         /*
413                 Do stuff if connected
414         */
415
416         /*
417                 Run Map's timers and unload unused data
418         */
419         const float map_timer_and_unload_dtime = 5.25;
420         if(m_map_timer_and_unload_interval.step(dtime, map_timer_and_unload_dtime)) {
421                 ScopeProfiler sp(g_profiler, "Client: map timer and unload");
422                 std::vector<v3s16> deleted_blocks;
423                 m_env.getMap().timerUpdate(map_timer_and_unload_dtime,
424                                 g_settings->getFloat("client_unload_unused_data_timeout"),
425                                 &deleted_blocks);
426
427                 /*
428                         Send info to server
429                         NOTE: This loop is intentionally iterated the way it is.
430                 */
431
432                 std::vector<v3s16>::iterator i = deleted_blocks.begin();
433                 std::vector<v3s16> sendlist;
434                 for(;;) {
435                         if(sendlist.size() == 255 || i == deleted_blocks.end()) {
436                                 if(sendlist.empty())
437                                         break;
438                                 /*
439                                         [0] u16 command
440                                         [2] u8 count
441                                         [3] v3s16 pos_0
442                                         [3+6] v3s16 pos_1
443                                         ...
444                                 */
445
446                                 sendDeletedBlocks(sendlist);
447
448                                 if(i == deleted_blocks.end())
449                                         break;
450
451                                 sendlist.clear();
452                         }
453
454                         sendlist.push_back(*i);
455                         ++i;
456                 }
457         }
458
459         /*
460                 Handle environment
461         */
462         // Control local player (0ms)
463         LocalPlayer *player = m_env.getLocalPlayer();
464         assert(player != NULL);
465         player->applyControl(dtime);
466
467         // Step environment
468         m_env.step(dtime);
469
470         /*
471                 Get events
472         */
473         for(;;) {
474                 ClientEnvEvent event = m_env.getClientEvent();
475                 if(event.type == CEE_NONE) {
476                         break;
477                 }
478                 else if(event.type == CEE_PLAYER_DAMAGE) {
479                         if(m_ignore_damage_timer <= 0) {
480                                 u8 damage = event.player_damage.amount;
481
482                                 if(event.player_damage.send_to_server)
483                                         sendDamage(damage);
484
485                                 // Add to ClientEvent queue
486                                 ClientEvent event;
487                                 event.type = CE_PLAYER_DAMAGE;
488                                 event.player_damage.amount = damage;
489                                 m_client_event_queue.push(event);
490                         }
491                 }
492                 else if(event.type == CEE_PLAYER_BREATH) {
493                                 u16 breath = event.player_breath.amount;
494                                 sendBreath(breath);
495                 }
496         }
497
498         /*
499                 Print some info
500         */
501         float &counter = m_avg_rtt_timer;
502         counter += dtime;
503         if(counter >= 10) {
504                 counter = 0.0;
505                 // connectedAndInitialized() is true, peer exists.
506                 float avg_rtt = getRTT();
507                 infostream << "Client: avg_rtt=" << avg_rtt << std::endl;
508         }
509
510         /*
511                 Send player position to server
512         */
513         {
514                 float &counter = m_playerpos_send_timer;
515                 counter += dtime;
516                 if((m_state == LC_Ready) && (counter >= m_recommended_send_interval))
517                 {
518                         counter = 0.0;
519                         sendPlayerPos();
520                 }
521         }
522
523         /*
524                 Replace updated meshes
525         */
526         {
527                 int num_processed_meshes = 0;
528                 while (!m_mesh_update_thread.m_queue_out.empty())
529                 {
530                         num_processed_meshes++;
531
532                         MinimapMapblock *minimap_mapblock = NULL;
533                         bool do_mapper_update = true;
534
535                         MeshUpdateResult r = m_mesh_update_thread.m_queue_out.pop_frontNoEx();
536                         MapBlock *block = m_env.getMap().getBlockNoCreateNoEx(r.p);
537                         if (block) {
538                                 // Delete the old mesh
539                                 if (block->mesh != NULL) {
540                                         delete block->mesh;
541                                         block->mesh = NULL;
542                                 }
543
544                                 if (r.mesh) {
545                                         minimap_mapblock = r.mesh->moveMinimapMapblock();
546                                         if (minimap_mapblock == NULL)
547                                                 do_mapper_update = false;
548                                 }
549
550                                 if (r.mesh && r.mesh->getMesh()->getMeshBufferCount() == 0) {
551                                         delete r.mesh;
552                                 } else {
553                                         // Replace with the new mesh
554                                         block->mesh = r.mesh;
555                                 }
556                         } else {
557                                 delete r.mesh;
558                         }
559
560                         if (do_mapper_update)
561                                 m_mapper->addBlock(r.p, minimap_mapblock);
562
563                         if (r.ack_block_to_server) {
564                                 /*
565                                         Acknowledge block
566                                         [0] u8 count
567                                         [1] v3s16 pos_0
568                                 */
569                                 sendGotBlocks(r.p);
570                         }
571                 }
572
573                 if (num_processed_meshes > 0)
574                         g_profiler->graphAdd("num_processed_meshes", num_processed_meshes);
575         }
576
577         /*
578                 Load fetched media
579         */
580         if (m_media_downloader && m_media_downloader->isStarted()) {
581                 m_media_downloader->step(this);
582                 if (m_media_downloader->isDone()) {
583                         received_media();
584                         delete m_media_downloader;
585                         m_media_downloader = NULL;
586                 }
587         }
588
589         /*
590                 If the server didn't update the inventory in a while, revert
591                 the local inventory (so the player notices the lag problem
592                 and knows something is wrong).
593         */
594         if(m_inventory_from_server)
595         {
596                 float interval = 10.0;
597                 float count_before = floor(m_inventory_from_server_age / interval);
598
599                 m_inventory_from_server_age += dtime;
600
601                 float count_after = floor(m_inventory_from_server_age / interval);
602
603                 if(count_after != count_before)
604                 {
605                         // Do this every <interval> seconds after TOCLIENT_INVENTORY
606                         // Reset the locally changed inventory to the authoritative inventory
607                         Player *player = m_env.getLocalPlayer();
608                         player->inventory = *m_inventory_from_server;
609                         m_inventory_updated = true;
610                 }
611         }
612
613         /*
614                 Update positions of sounds attached to objects
615         */
616         {
617                 for(std::map<int, u16>::iterator
618                                 i = m_sounds_to_objects.begin();
619                                 i != m_sounds_to_objects.end(); i++)
620                 {
621                         int client_id = i->first;
622                         u16 object_id = i->second;
623                         ClientActiveObject *cao = m_env.getActiveObject(object_id);
624                         if(!cao)
625                                 continue;
626                         v3f pos = cao->getPosition();
627                         m_sound->updateSoundPosition(client_id, pos);
628                 }
629         }
630
631         /*
632                 Handle removed remotely initiated sounds
633         */
634         m_removed_sounds_check_timer += dtime;
635         if(m_removed_sounds_check_timer >= 2.32) {
636                 m_removed_sounds_check_timer = 0;
637                 // Find removed sounds and clear references to them
638                 std::vector<s32> removed_server_ids;
639                 for(std::map<s32, int>::iterator
640                                 i = m_sounds_server_to_client.begin();
641                                 i != m_sounds_server_to_client.end();) {
642                         s32 server_id = i->first;
643                         int client_id = i->second;
644                         i++;
645                         if(!m_sound->soundExists(client_id)) {
646                                 m_sounds_server_to_client.erase(server_id);
647                                 m_sounds_client_to_server.erase(client_id);
648                                 m_sounds_to_objects.erase(client_id);
649                                 removed_server_ids.push_back(server_id);
650                         }
651                 }
652
653                 // Sync to server
654                 if(!removed_server_ids.empty()) {
655                         sendRemovedSounds(removed_server_ids);
656                 }
657         }
658
659         // Write server map
660         if (m_localdb && m_localdb_save_interval.step(dtime,
661                         m_cache_save_interval)) {
662                 m_localdb->endSave();
663                 m_localdb->beginSave();
664         }
665 }
666
667 bool Client::loadMedia(const std::string &data, const std::string &filename)
668 {
669         // Silly irrlicht's const-incorrectness
670         Buffer<char> data_rw(data.c_str(), data.size());
671
672         std::string name;
673
674         const char *image_ext[] = {
675                 ".png", ".jpg", ".bmp", ".tga",
676                 ".pcx", ".ppm", ".psd", ".wal", ".rgb",
677                 NULL
678         };
679         name = removeStringEnd(filename, image_ext);
680         if(name != "")
681         {
682                 verbosestream<<"Client: Attempting to load image "
683                 <<"file \""<<filename<<"\""<<std::endl;
684
685                 io::IFileSystem *irrfs = m_device->getFileSystem();
686                 video::IVideoDriver *vdrv = m_device->getVideoDriver();
687
688                 // Create an irrlicht memory file
689                 io::IReadFile *rfile = irrfs->createMemoryReadFile(
690                                 *data_rw, data_rw.getSize(), "_tempreadfile");
691
692                 FATAL_ERROR_IF(!rfile, "Could not create irrlicht memory file.");
693
694                 // Read image
695                 video::IImage *img = vdrv->createImageFromFile(rfile);
696                 if(!img){
697                         errorstream<<"Client: Cannot create image from data of "
698                                         <<"file \""<<filename<<"\""<<std::endl;
699                         rfile->drop();
700                         return false;
701                 }
702                 else {
703                         m_tsrc->insertSourceImage(filename, img);
704                         img->drop();
705                         rfile->drop();
706                         return true;
707                 }
708         }
709
710         const char *sound_ext[] = {
711                 ".0.ogg", ".1.ogg", ".2.ogg", ".3.ogg", ".4.ogg",
712                 ".5.ogg", ".6.ogg", ".7.ogg", ".8.ogg", ".9.ogg",
713                 ".ogg", NULL
714         };
715         name = removeStringEnd(filename, sound_ext);
716         if(name != "")
717         {
718                 verbosestream<<"Client: Attempting to load sound "
719                 <<"file \""<<filename<<"\""<<std::endl;
720                 m_sound->loadSoundData(name, data);
721                 return true;
722         }
723
724         const char *model_ext[] = {
725                 ".x", ".b3d", ".md2", ".obj",
726                 NULL
727         };
728         name = removeStringEnd(filename, model_ext);
729         if(name != "")
730         {
731                 verbosestream<<"Client: Storing model into memory: "
732                                 <<"\""<<filename<<"\""<<std::endl;
733                 if(m_mesh_data.count(filename))
734                         errorstream<<"Multiple models with name \""<<filename.c_str()
735                                         <<"\" found; replacing previous model"<<std::endl;
736                 m_mesh_data[filename] = data;
737                 return true;
738         }
739
740         errorstream<<"Client: Don't know how to load file \""
741                         <<filename<<"\""<<std::endl;
742         return false;
743 }
744
745 // Virtual methods from con::PeerHandler
746 void Client::peerAdded(con::Peer *peer)
747 {
748         infostream << "Client::peerAdded(): peer->id="
749                         << peer->id << std::endl;
750 }
751 void Client::deletingPeer(con::Peer *peer, bool timeout)
752 {
753         infostream << "Client::deletingPeer(): "
754                         "Server Peer is getting deleted "
755                         << "(timeout=" << timeout << ")" << std::endl;
756
757         if (timeout) {
758                 m_access_denied = true;
759                 m_access_denied_reason = gettext("Connection timed out.");
760         }
761 }
762
763 /*
764         u16 command
765         u16 number of files requested
766         for each file {
767                 u16 length of name
768                 string name
769         }
770 */
771 void Client::request_media(const std::vector<std::string> &file_requests)
772 {
773         std::ostringstream os(std::ios_base::binary);
774         writeU16(os, TOSERVER_REQUEST_MEDIA);
775         size_t file_requests_size = file_requests.size();
776
777         FATAL_ERROR_IF(file_requests_size > 0xFFFF, "Unsupported number of file requests");
778
779         // Packet dynamicly resized
780         NetworkPacket pkt(TOSERVER_REQUEST_MEDIA, 2 + 0);
781
782         pkt << (u16) (file_requests_size & 0xFFFF);
783
784         for(std::vector<std::string>::const_iterator i = file_requests.begin();
785                         i != file_requests.end(); ++i) {
786                 pkt << (*i);
787         }
788
789         Send(&pkt);
790
791         infostream << "Client: Sending media request list to server ("
792                         << file_requests.size() << " files. packet size)" << std::endl;
793 }
794
795 void Client::received_media()
796 {
797         NetworkPacket pkt(TOSERVER_RECEIVED_MEDIA, 0);
798         Send(&pkt);
799         infostream << "Client: Notifying server that we received all media"
800                         << std::endl;
801 }
802
803 void Client::initLocalMapSaving(const Address &address,
804                 const std::string &hostname,
805                 bool is_local_server)
806 {
807         if (!g_settings->getBool("enable_local_map_saving") || is_local_server) {
808                 return;
809         }
810
811         const std::string world_path = porting::path_user
812                 + DIR_DELIM + "worlds"
813                 + DIR_DELIM + "server_"
814                 + hostname + "_" + to_string(address.getPort());
815
816         fs::CreateAllDirs(world_path);
817
818         m_localdb = new Database_SQLite3(world_path);
819         m_localdb->beginSave();
820         actionstream << "Local map saving started, map will be saved at '" << world_path << "'" << std::endl;
821 }
822
823 void Client::ReceiveAll()
824 {
825         DSTACK(__FUNCTION_NAME);
826         u32 start_ms = porting::getTimeMs();
827         for(;;)
828         {
829                 // Limit time even if there would be huge amounts of data to
830                 // process
831                 if(porting::getTimeMs() > start_ms + 100)
832                         break;
833
834                 try {
835                         Receive();
836                         g_profiler->graphAdd("client_received_packets", 1);
837                 }
838                 catch(con::NoIncomingDataException &e) {
839                         break;
840                 }
841                 catch(con::InvalidIncomingDataException &e) {
842                         infostream<<"Client::ReceiveAll(): "
843                                         "InvalidIncomingDataException: what()="
844                                         <<e.what()<<std::endl;
845                 }
846         }
847 }
848
849 void Client::Receive()
850 {
851         DSTACK(__FUNCTION_NAME);
852         NetworkPacket pkt;
853         m_con.Receive(&pkt);
854         ProcessData(&pkt);
855 }
856
857 inline void Client::handleCommand(NetworkPacket* pkt)
858 {
859         const ToClientCommandHandler& opHandle = toClientCommandTable[pkt->getCommand()];
860         (this->*opHandle.handler)(pkt);
861 }
862
863 /*
864         sender_peer_id given to this shall be quaranteed to be a valid peer
865 */
866 void Client::ProcessData(NetworkPacket *pkt)
867 {
868         DSTACK(__FUNCTION_NAME);
869
870         ToClientCommand command = (ToClientCommand) pkt->getCommand();
871         u32 sender_peer_id = pkt->getPeerId();
872
873         //infostream<<"Client: received command="<<command<<std::endl;
874         m_packetcounter.add((u16)command);
875
876         /*
877                 If this check is removed, be sure to change the queue
878                 system to know the ids
879         */
880         if(sender_peer_id != PEER_ID_SERVER) {
881                 infostream << "Client::ProcessData(): Discarding data not "
882                         "coming from server: peer_id=" << sender_peer_id
883                         << std::endl;
884                 return;
885         }
886
887         // Command must be handled into ToClientCommandHandler
888         if (command >= TOCLIENT_NUM_MSG_TYPES) {
889                 infostream << "Client: Ignoring unknown command "
890                         << command << std::endl;
891                 return;
892         }
893
894         /*
895          * Those packets are handled before m_server_ser_ver is set, it's normal
896          * But we must use the new ToClientConnectionState in the future,
897          * as a byte mask
898          */
899         if(toClientCommandTable[command].state == TOCLIENT_STATE_NOT_CONNECTED) {
900                 handleCommand(pkt);
901                 return;
902         }
903
904         if(m_server_ser_ver == SER_FMT_VER_INVALID) {
905                 infostream << "Client: Server serialization"
906                                 " format invalid or not initialized."
907                                 " Skipping incoming command=" << command << std::endl;
908                 return;
909         }
910
911         /*
912           Handle runtime commands
913         */
914
915         handleCommand(pkt);
916 }
917
918 void Client::Send(NetworkPacket* pkt)
919 {
920         m_con.Send(PEER_ID_SERVER,
921                 serverCommandFactoryTable[pkt->getCommand()].channel,
922                 pkt,
923                 serverCommandFactoryTable[pkt->getCommand()].reliable);
924 }
925
926 void Client::interact(u8 action, const PointedThing& pointed)
927 {
928         if(m_state != LC_Ready) {
929                 errorstream << "Client::interact() "
930                                 "Canceled (not connected)"
931                                 << std::endl;
932                 return;
933         }
934
935         /*
936                 [0] u16 command
937                 [2] u8 action
938                 [3] u16 item
939                 [5] u32 length of the next item
940                 [9] serialized PointedThing
941                 actions:
942                 0: start digging (from undersurface) or use
943                 1: stop digging (all parameters ignored)
944                 2: digging completed
945                 3: place block or item (to abovesurface)
946                 4: use item
947         */
948
949         NetworkPacket pkt(TOSERVER_INTERACT, 1 + 2 + 0);
950
951         pkt << action;
952         pkt << (u16)getPlayerItem();
953
954         std::ostringstream tmp_os(std::ios::binary);
955         pointed.serialize(tmp_os);
956
957         pkt.putLongString(tmp_os.str());
958
959         Send(&pkt);
960 }
961
962 void Client::deleteAuthData()
963 {
964         if (!m_auth_data)
965                 return;
966
967         switch (m_chosen_auth_mech) {
968                 case AUTH_MECHANISM_FIRST_SRP:
969                         break;
970                 case AUTH_MECHANISM_SRP:
971                 case AUTH_MECHANISM_LEGACY_PASSWORD:
972                         srp_user_delete((SRPUser *) m_auth_data);
973                         m_auth_data = NULL;
974                         break;
975                 case AUTH_MECHANISM_NONE:
976                         break;
977         }
978         m_chosen_auth_mech = AUTH_MECHANISM_NONE;
979 }
980
981
982 AuthMechanism Client::choseAuthMech(const u32 mechs)
983 {
984         if (mechs & AUTH_MECHANISM_SRP)
985                 return AUTH_MECHANISM_SRP;
986
987         if (mechs & AUTH_MECHANISM_FIRST_SRP)
988                 return AUTH_MECHANISM_FIRST_SRP;
989
990         if (mechs & AUTH_MECHANISM_LEGACY_PASSWORD)
991                 return AUTH_MECHANISM_LEGACY_PASSWORD;
992
993         return AUTH_MECHANISM_NONE;
994 }
995
996 void Client::sendLegacyInit(const char* playerName, const char* playerPassword)
997 {
998         NetworkPacket pkt(TOSERVER_INIT_LEGACY,
999                         1 + PLAYERNAME_SIZE + PASSWORD_SIZE + 2 + 2);
1000
1001         pkt << (u8) SER_FMT_VER_HIGHEST_READ;
1002         pkt.putRawString(playerName,PLAYERNAME_SIZE);
1003         pkt.putRawString(playerPassword, PASSWORD_SIZE);
1004         pkt << (u16) CLIENT_PROTOCOL_VERSION_MIN << (u16) CLIENT_PROTOCOL_VERSION_MAX;
1005
1006         Send(&pkt);
1007 }
1008
1009 void Client::sendInit(const std::string &playerName)
1010 {
1011         NetworkPacket pkt(TOSERVER_INIT, 1 + 2 + 2 + (1 + playerName.size()));
1012
1013         // we don't support network compression yet
1014         u16 supp_comp_modes = NETPROTO_COMPRESSION_NONE;
1015         pkt << (u8) SER_FMT_VER_HIGHEST_READ << (u16) supp_comp_modes;
1016         pkt << (u16) CLIENT_PROTOCOL_VERSION_MIN << (u16) CLIENT_PROTOCOL_VERSION_MAX;
1017         pkt << playerName;
1018
1019         Send(&pkt);
1020 }
1021
1022 void Client::startAuth(AuthMechanism chosen_auth_mechanism)
1023 {
1024         m_chosen_auth_mech = chosen_auth_mechanism;
1025
1026         switch (chosen_auth_mechanism) {
1027                 case AUTH_MECHANISM_FIRST_SRP: {
1028                         // send srp verifier to server
1029                         NetworkPacket resp_pkt(TOSERVER_FIRST_SRP, 0);
1030                         char *salt, *bytes_v;
1031                         std::size_t len_salt, len_v;
1032                         salt = NULL;
1033                         getSRPVerifier(getPlayerName(), m_password,
1034                                 &salt, &len_salt, &bytes_v, &len_v);
1035                         resp_pkt
1036                                 << std::string((char*)salt, len_salt)
1037                                 << std::string((char*)bytes_v, len_v)
1038                                 << (u8)((m_password == "") ? 1 : 0);
1039                         free(salt);
1040                         free(bytes_v);
1041                         Send(&resp_pkt);
1042                         break;
1043                 }
1044                 case AUTH_MECHANISM_SRP:
1045                 case AUTH_MECHANISM_LEGACY_PASSWORD: {
1046                         u8 based_on = 1;
1047
1048                         if (chosen_auth_mechanism == AUTH_MECHANISM_LEGACY_PASSWORD) {
1049                                 m_password = translatePassword(getPlayerName(), m_password);
1050                                 based_on = 0;
1051                         }
1052
1053                         std::string playername_u = lowercase(getPlayerName());
1054                         m_auth_data = srp_user_new(SRP_SHA256, SRP_NG_2048,
1055                                 getPlayerName().c_str(), playername_u.c_str(),
1056                                 (const unsigned char *) m_password.c_str(),
1057                                 m_password.length(), NULL, NULL);
1058                         char *bytes_A = 0;
1059                         size_t len_A = 0;
1060                         srp_user_start_authentication((struct SRPUser *) m_auth_data,
1061                                 NULL, NULL, 0, (unsigned char **) &bytes_A, &len_A);
1062
1063                         NetworkPacket resp_pkt(TOSERVER_SRP_BYTES_A, 0);
1064                         resp_pkt << std::string(bytes_A, len_A) << based_on;
1065                         Send(&resp_pkt);
1066                         break;
1067                 }
1068                 case AUTH_MECHANISM_NONE:
1069                         break; // not handled in this method
1070         }
1071 }
1072
1073 void Client::sendDeletedBlocks(std::vector<v3s16> &blocks)
1074 {
1075         NetworkPacket pkt(TOSERVER_DELETEDBLOCKS, 1 + sizeof(v3s16) * blocks.size());
1076
1077         pkt << (u8) blocks.size();
1078
1079         u32 k = 0;
1080         for(std::vector<v3s16>::iterator
1081                         j = blocks.begin();
1082                         j != blocks.end(); ++j) {
1083                 pkt << *j;
1084                 k++;
1085         }
1086
1087         Send(&pkt);
1088 }
1089
1090 void Client::sendGotBlocks(v3s16 block)
1091 {
1092         NetworkPacket pkt(TOSERVER_GOTBLOCKS, 1 + 6);
1093         pkt << (u8) 1 << block;
1094         Send(&pkt);
1095 }
1096
1097 void Client::sendRemovedSounds(std::vector<s32> &soundList)
1098 {
1099         size_t server_ids = soundList.size();
1100         assert(server_ids <= 0xFFFF);
1101
1102         NetworkPacket pkt(TOSERVER_REMOVED_SOUNDS, 2 + server_ids * 4);
1103
1104         pkt << (u16) (server_ids & 0xFFFF);
1105
1106         for(std::vector<s32>::iterator i = soundList.begin();
1107                         i != soundList.end(); i++)
1108                 pkt << *i;
1109
1110         Send(&pkt);
1111 }
1112
1113 void Client::sendNodemetaFields(v3s16 p, const std::string &formname,
1114                 const StringMap &fields)
1115 {
1116         size_t fields_size = fields.size();
1117
1118         FATAL_ERROR_IF(fields_size > 0xFFFF, "Unsupported number of nodemeta fields");
1119
1120         NetworkPacket pkt(TOSERVER_NODEMETA_FIELDS, 0);
1121
1122         pkt << p << formname << (u16) (fields_size & 0xFFFF);
1123
1124         StringMap::const_iterator it;
1125         for (it = fields.begin(); it != fields.end(); ++it) {
1126                 const std::string &name = it->first;
1127                 const std::string &value = it->second;
1128                 pkt << name;
1129                 pkt.putLongString(value);
1130         }
1131
1132         Send(&pkt);
1133 }
1134
1135 void Client::sendInventoryFields(const std::string &formname,
1136                 const StringMap &fields)
1137 {
1138         size_t fields_size = fields.size();
1139         FATAL_ERROR_IF(fields_size > 0xFFFF, "Unsupported number of inventory fields");
1140
1141         NetworkPacket pkt(TOSERVER_INVENTORY_FIELDS, 0);
1142         pkt << formname << (u16) (fields_size & 0xFFFF);
1143
1144         StringMap::const_iterator it;
1145         for (it = fields.begin(); it != fields.end(); ++it) {
1146                 const std::string &name  = it->first;
1147                 const std::string &value = it->second;
1148                 pkt << name;
1149                 pkt.putLongString(value);
1150         }
1151
1152         Send(&pkt);
1153 }
1154
1155 void Client::sendInventoryAction(InventoryAction *a)
1156 {
1157         std::ostringstream os(std::ios_base::binary);
1158
1159         a->serialize(os);
1160
1161         // Make data buffer
1162         std::string s = os.str();
1163
1164         NetworkPacket pkt(TOSERVER_INVENTORY_ACTION, s.size());
1165         pkt.putRawString(s.c_str(),s.size());
1166
1167         Send(&pkt);
1168 }
1169
1170 void Client::sendChatMessage(const std::wstring &message)
1171 {
1172         NetworkPacket pkt(TOSERVER_CHAT_MESSAGE, 2 + message.size() * sizeof(u16));
1173
1174         pkt << message;
1175
1176         Send(&pkt);
1177 }
1178
1179 void Client::sendChangePassword(const std::string &oldpassword,
1180         const std::string &newpassword)
1181 {
1182         Player *player = m_env.getLocalPlayer();
1183         if (player == NULL)
1184                 return;
1185
1186         std::string playername = player->getName();
1187         if (m_proto_ver >= 25) {
1188                 // get into sudo mode and then send new password to server
1189                 m_password = oldpassword;
1190                 m_new_password = newpassword;
1191                 startAuth(choseAuthMech(m_sudo_auth_methods));
1192         } else {
1193                 std::string oldpwd = translatePassword(playername, oldpassword);
1194                 std::string newpwd = translatePassword(playername, newpassword);
1195
1196                 NetworkPacket pkt(TOSERVER_PASSWORD_LEGACY, 2 * PASSWORD_SIZE);
1197
1198                 for (u8 i = 0; i < PASSWORD_SIZE; i++) {
1199                         pkt << (u8) (i < oldpwd.length() ? oldpwd[i] : 0);
1200                 }
1201
1202                 for (u8 i = 0; i < PASSWORD_SIZE; i++) {
1203                         pkt << (u8) (i < newpwd.length() ? newpwd[i] : 0);
1204                 }
1205                 Send(&pkt);
1206         }
1207 }
1208
1209
1210 void Client::sendDamage(u8 damage)
1211 {
1212         DSTACK(__FUNCTION_NAME);
1213
1214         NetworkPacket pkt(TOSERVER_DAMAGE, sizeof(u8));
1215         pkt << damage;
1216         Send(&pkt);
1217 }
1218
1219 void Client::sendBreath(u16 breath)
1220 {
1221         DSTACK(__FUNCTION_NAME);
1222
1223         NetworkPacket pkt(TOSERVER_BREATH, sizeof(u16));
1224         pkt << breath;
1225         Send(&pkt);
1226 }
1227
1228 void Client::sendRespawn()
1229 {
1230         DSTACK(__FUNCTION_NAME);
1231
1232         NetworkPacket pkt(TOSERVER_RESPAWN, 0);
1233         Send(&pkt);
1234 }
1235
1236 void Client::sendReady()
1237 {
1238         DSTACK(__FUNCTION_NAME);
1239
1240         NetworkPacket pkt(TOSERVER_CLIENT_READY,
1241                         1 + 1 + 1 + 1 + 2 + sizeof(char) * strlen(g_version_hash));
1242
1243         pkt << (u8) VERSION_MAJOR << (u8) VERSION_MINOR << (u8) VERSION_PATCH
1244                 << (u8) 0 << (u16) strlen(g_version_hash);
1245
1246         pkt.putRawString(g_version_hash, (u16) strlen(g_version_hash));
1247         Send(&pkt);
1248 }
1249
1250 void Client::sendPlayerPos()
1251 {
1252         LocalPlayer *myplayer = m_env.getLocalPlayer();
1253         if(myplayer == NULL)
1254                 return;
1255
1256         // Save bandwidth by only updating position when something changed
1257         if(myplayer->last_position        == myplayer->getPosition() &&
1258                         myplayer->last_speed      == myplayer->getSpeed()    &&
1259                         myplayer->last_pitch      == myplayer->getPitch()    &&
1260                         myplayer->last_yaw        == myplayer->getYaw()      &&
1261                         myplayer->last_keyPressed == myplayer->keyPressed)
1262                 return;
1263
1264         myplayer->last_position   = myplayer->getPosition();
1265         myplayer->last_speed      = myplayer->getSpeed();
1266         myplayer->last_pitch      = myplayer->getPitch();
1267         myplayer->last_yaw        = myplayer->getYaw();
1268         myplayer->last_keyPressed = myplayer->keyPressed;
1269
1270         u16 our_peer_id;
1271         {
1272                 //JMutexAutoLock lock(m_con_mutex); //bulk comment-out
1273                 our_peer_id = m_con.GetPeerID();
1274         }
1275
1276         // Set peer id if not set already
1277         if(myplayer->peer_id == PEER_ID_INEXISTENT)
1278                 myplayer->peer_id = our_peer_id;
1279
1280         assert(myplayer->peer_id == our_peer_id);
1281
1282         v3f pf         = myplayer->getPosition();
1283         v3f sf         = myplayer->getSpeed();
1284         s32 pitch      = myplayer->getPitch() * 100;
1285         s32 yaw        = myplayer->getYaw() * 100;
1286         u32 keyPressed = myplayer->keyPressed;
1287
1288         v3s32 position(pf.X*100, pf.Y*100, pf.Z*100);
1289         v3s32 speed(sf.X*100, sf.Y*100, sf.Z*100);
1290         /*
1291                 Format:
1292                 [0] v3s32 position*100
1293                 [12] v3s32 speed*100
1294                 [12+12] s32 pitch*100
1295                 [12+12+4] s32 yaw*100
1296                 [12+12+4+4] u32 keyPressed
1297         */
1298
1299         NetworkPacket pkt(TOSERVER_PLAYERPOS, 12 + 12 + 4 + 4 + 4);
1300
1301         pkt << position << speed << pitch << yaw << keyPressed;
1302
1303         Send(&pkt);
1304 }
1305
1306 void Client::sendPlayerItem(u16 item)
1307 {
1308         Player *myplayer = m_env.getLocalPlayer();
1309         if(myplayer == NULL)
1310                 return;
1311
1312         u16 our_peer_id = m_con.GetPeerID();
1313
1314         // Set peer id if not set already
1315         if(myplayer->peer_id == PEER_ID_INEXISTENT)
1316                 myplayer->peer_id = our_peer_id;
1317         assert(myplayer->peer_id == our_peer_id);
1318
1319         NetworkPacket pkt(TOSERVER_PLAYERITEM, 2);
1320
1321         pkt << item;
1322
1323         Send(&pkt);
1324 }
1325
1326 void Client::removeNode(v3s16 p)
1327 {
1328         std::map<v3s16, MapBlock*> modified_blocks;
1329
1330         try {
1331                 m_env.getMap().removeNodeAndUpdate(p, modified_blocks);
1332         }
1333         catch(InvalidPositionException &e) {
1334         }
1335
1336         for(std::map<v3s16, MapBlock *>::iterator
1337                         i = modified_blocks.begin();
1338                         i != modified_blocks.end(); ++i) {
1339                 addUpdateMeshTaskWithEdge(i->first, false, true);
1340         }
1341 }
1342
1343 void Client::addNode(v3s16 p, MapNode n, bool remove_metadata)
1344 {
1345         //TimeTaker timer1("Client::addNode()");
1346
1347         std::map<v3s16, MapBlock*> modified_blocks;
1348
1349         try {
1350                 //TimeTaker timer3("Client::addNode(): addNodeAndUpdate");
1351                 m_env.getMap().addNodeAndUpdate(p, n, modified_blocks, remove_metadata);
1352         }
1353         catch(InvalidPositionException &e) {
1354         }
1355
1356         for(std::map<v3s16, MapBlock *>::iterator
1357                         i = modified_blocks.begin();
1358                         i != modified_blocks.end(); ++i) {
1359                 addUpdateMeshTaskWithEdge(i->first, false, true);
1360         }
1361 }
1362
1363 void Client::setPlayerControl(PlayerControl &control)
1364 {
1365         LocalPlayer *player = m_env.getLocalPlayer();
1366         assert(player != NULL);
1367         player->control = control;
1368 }
1369
1370 void Client::selectPlayerItem(u16 item)
1371 {
1372         m_playeritem = item;
1373         m_inventory_updated = true;
1374         sendPlayerItem(item);
1375 }
1376
1377 // Returns true if the inventory of the local player has been
1378 // updated from the server. If it is true, it is set to false.
1379 bool Client::getLocalInventoryUpdated()
1380 {
1381         bool updated = m_inventory_updated;
1382         m_inventory_updated = false;
1383         return updated;
1384 }
1385
1386 // Copies the inventory of the local player to parameter
1387 void Client::getLocalInventory(Inventory &dst)
1388 {
1389         Player *player = m_env.getLocalPlayer();
1390         assert(player != NULL);
1391         dst = player->inventory;
1392 }
1393
1394 Inventory* Client::getInventory(const InventoryLocation &loc)
1395 {
1396         switch(loc.type){
1397         case InventoryLocation::UNDEFINED:
1398         {}
1399         break;
1400         case InventoryLocation::CURRENT_PLAYER:
1401         {
1402                 Player *player = m_env.getLocalPlayer();
1403                 assert(player != NULL);
1404                 return &player->inventory;
1405         }
1406         break;
1407         case InventoryLocation::PLAYER:
1408         {
1409                 Player *player = m_env.getPlayer(loc.name.c_str());
1410                 if(!player)
1411                         return NULL;
1412                 return &player->inventory;
1413         }
1414         break;
1415         case InventoryLocation::NODEMETA:
1416         {
1417                 NodeMetadata *meta = m_env.getMap().getNodeMetadata(loc.p);
1418                 if(!meta)
1419                         return NULL;
1420                 return meta->getInventory();
1421         }
1422         break;
1423         case InventoryLocation::DETACHED:
1424         {
1425                 if(m_detached_inventories.count(loc.name) == 0)
1426                         return NULL;
1427                 return m_detached_inventories[loc.name];
1428         }
1429         break;
1430         default:
1431                 FATAL_ERROR("Invalid inventory location type.");
1432                 break;
1433         }
1434         return NULL;
1435 }
1436
1437 void Client::inventoryAction(InventoryAction *a)
1438 {
1439         /*
1440                 Send it to the server
1441         */
1442         sendInventoryAction(a);
1443
1444         /*
1445                 Predict some local inventory changes
1446         */
1447         a->clientApply(this, this);
1448
1449         // Remove it
1450         delete a;
1451 }
1452
1453 ClientActiveObject * Client::getSelectedActiveObject(
1454                 f32 max_d,
1455                 v3f from_pos_f_on_map,
1456                 core::line3d<f32> shootline_on_map
1457         )
1458 {
1459         std::vector<DistanceSortedActiveObject> objects;
1460
1461         m_env.getActiveObjects(from_pos_f_on_map, max_d, objects);
1462
1463         // Sort them.
1464         // After this, the closest object is the first in the array.
1465         std::sort(objects.begin(), objects.end());
1466
1467         for(unsigned int i=0; i<objects.size(); i++)
1468         {
1469                 ClientActiveObject *obj = objects[i].obj;
1470
1471                 core::aabbox3d<f32> *selection_box = obj->getSelectionBox();
1472                 if(selection_box == NULL)
1473                         continue;
1474
1475                 v3f pos = obj->getPosition();
1476
1477                 core::aabbox3d<f32> offsetted_box(
1478                                 selection_box->MinEdge + pos,
1479                                 selection_box->MaxEdge + pos
1480                 );
1481
1482                 if(offsetted_box.intersectsWithLine(shootline_on_map))
1483                 {
1484                         return obj;
1485                 }
1486         }
1487
1488         return NULL;
1489 }
1490
1491 std::list<std::string> Client::getConnectedPlayerNames()
1492 {
1493         return m_env.getPlayerNames();
1494 }
1495
1496 float Client::getAnimationTime()
1497 {
1498         return m_animation_time;
1499 }
1500
1501 int Client::getCrackLevel()
1502 {
1503         return m_crack_level;
1504 }
1505
1506 void Client::setHighlighted(v3s16 pos, bool show_highlighted)
1507 {
1508         m_show_highlighted = show_highlighted;
1509         v3s16 old_highlighted_pos = m_highlighted_pos;
1510         m_highlighted_pos = pos;
1511         addUpdateMeshTaskForNode(old_highlighted_pos, false, true);
1512         addUpdateMeshTaskForNode(m_highlighted_pos, false, true);
1513 }
1514
1515 void Client::setCrack(int level, v3s16 pos)
1516 {
1517         int old_crack_level = m_crack_level;
1518         v3s16 old_crack_pos = m_crack_pos;
1519
1520         m_crack_level = level;
1521         m_crack_pos = pos;
1522
1523         if(old_crack_level >= 0 && (level < 0 || pos != old_crack_pos))
1524         {
1525                 // remove old crack
1526                 addUpdateMeshTaskForNode(old_crack_pos, false, true);
1527         }
1528         if(level >= 0 && (old_crack_level < 0 || pos != old_crack_pos))
1529         {
1530                 // add new crack
1531                 addUpdateMeshTaskForNode(pos, false, true);
1532         }
1533 }
1534
1535 u16 Client::getHP()
1536 {
1537         Player *player = m_env.getLocalPlayer();
1538         assert(player != NULL);
1539         return player->hp;
1540 }
1541
1542 u16 Client::getBreath()
1543 {
1544         Player *player = m_env.getLocalPlayer();
1545         assert(player != NULL);
1546         return player->getBreath();
1547 }
1548
1549 bool Client::getChatMessage(std::wstring &message)
1550 {
1551         if(m_chat_queue.size() == 0)
1552                 return false;
1553         message = m_chat_queue.front();
1554         m_chat_queue.pop();
1555         return true;
1556 }
1557
1558 void Client::typeChatMessage(const std::wstring &message)
1559 {
1560         // Discard empty line
1561         if(message == L"")
1562                 return;
1563
1564         // Send to others
1565         sendChatMessage(message);
1566
1567         // Show locally
1568         if (message[0] == L'/')
1569         {
1570                 m_chat_queue.push((std::wstring)L"issued command: " + message);
1571         }
1572         else
1573         {
1574                 LocalPlayer *player = m_env.getLocalPlayer();
1575                 assert(player != NULL);
1576                 std::wstring name = narrow_to_wide(player->getName());
1577                 m_chat_queue.push((std::wstring)L"<" + name + L"> " + message);
1578         }
1579 }
1580
1581 void Client::addUpdateMeshTask(v3s16 p, bool ack_to_server, bool urgent)
1582 {
1583         MapBlock *b = m_env.getMap().getBlockNoCreateNoEx(p);
1584         if(b == NULL)
1585                 return;
1586
1587         /*
1588                 Create a task to update the mesh of the block
1589         */
1590
1591         MeshMakeData *data = new MeshMakeData(this, m_cache_enable_shaders);
1592
1593         {
1594                 //TimeTaker timer("data fill");
1595                 // Release: ~0ms
1596                 // Debug: 1-6ms, avg=2ms
1597                 data->fill(b);
1598                 data->setCrack(m_crack_level, m_crack_pos);
1599                 data->setHighlighted(m_highlighted_pos, m_show_highlighted);
1600                 data->setSmoothLighting(m_cache_smooth_lighting);
1601         }
1602
1603         // Add task to queue
1604         m_mesh_update_thread.enqueueUpdate(p, data, ack_to_server, urgent);
1605 }
1606
1607 void Client::addUpdateMeshTaskWithEdge(v3s16 blockpos, bool ack_to_server, bool urgent)
1608 {
1609         try{
1610                 addUpdateMeshTask(blockpos, ack_to_server, urgent);
1611         }
1612         catch(InvalidPositionException &e){}
1613
1614         // Leading edge
1615         for (int i=0;i<6;i++)
1616         {
1617                 try{
1618                         v3s16 p = blockpos + g_6dirs[i];
1619                         addUpdateMeshTask(p, false, urgent);
1620                 }
1621                 catch(InvalidPositionException &e){}
1622         }
1623 }
1624
1625 void Client::addUpdateMeshTaskForNode(v3s16 nodepos, bool ack_to_server, bool urgent)
1626 {
1627         {
1628                 v3s16 p = nodepos;
1629                 infostream<<"Client::addUpdateMeshTaskForNode(): "
1630                                 <<"("<<p.X<<","<<p.Y<<","<<p.Z<<")"
1631                                 <<std::endl;
1632         }
1633
1634         v3s16 blockpos          = getNodeBlockPos(nodepos);
1635         v3s16 blockpos_relative = blockpos * MAP_BLOCKSIZE;
1636
1637         try{
1638                 addUpdateMeshTask(blockpos, ack_to_server, urgent);
1639         }
1640         catch(InvalidPositionException &e) {}
1641
1642         // Leading edge
1643         if(nodepos.X == blockpos_relative.X){
1644                 try{
1645                         v3s16 p = blockpos + v3s16(-1,0,0);
1646                         addUpdateMeshTask(p, false, urgent);
1647                 }
1648                 catch(InvalidPositionException &e){}
1649         }
1650
1651         if(nodepos.Y == blockpos_relative.Y){
1652                 try{
1653                         v3s16 p = blockpos + v3s16(0,-1,0);
1654                         addUpdateMeshTask(p, false, urgent);
1655                 }
1656                 catch(InvalidPositionException &e){}
1657         }
1658
1659         if(nodepos.Z == blockpos_relative.Z){
1660                 try{
1661                         v3s16 p = blockpos + v3s16(0,0,-1);
1662                         addUpdateMeshTask(p, false, urgent);
1663                 }
1664                 catch(InvalidPositionException &e){}
1665         }
1666 }
1667
1668 ClientEvent Client::getClientEvent()
1669 {
1670         ClientEvent event;
1671         if(m_client_event_queue.size() == 0) {
1672                 event.type = CE_NONE;
1673         }
1674         else {
1675                 event = m_client_event_queue.front();
1676                 m_client_event_queue.pop();
1677         }
1678         return event;
1679 }
1680
1681 float Client::mediaReceiveProgress()
1682 {
1683         if (m_media_downloader)
1684                 return m_media_downloader->getProgress();
1685         else
1686                 return 1.0; // downloader only exists when not yet done
1687 }
1688
1689 typedef struct TextureUpdateArgs {
1690         IrrlichtDevice *device;
1691         gui::IGUIEnvironment *guienv;
1692         u32 last_time_ms;
1693         u16 last_percent;
1694         const wchar_t* text_base;
1695 } TextureUpdateArgs;
1696
1697 void texture_update_progress(void *args, u32 progress, u32 max_progress)
1698 {
1699                 TextureUpdateArgs* targs = (TextureUpdateArgs*) args;
1700                 u16 cur_percent = ceil(progress / (double) max_progress * 100.);
1701
1702                 // update the loading menu -- if neccessary
1703                 bool do_draw = false;
1704                 u32 time_ms = targs->last_time_ms;
1705                 if (cur_percent != targs->last_percent) {
1706                         targs->last_percent = cur_percent;
1707                         time_ms = getTimeMs();
1708                         // only draw when the user will notice something:
1709                         do_draw = (time_ms - targs->last_time_ms > 100);
1710                 }
1711
1712                 if (do_draw) {
1713                         targs->last_time_ms = time_ms;
1714                         std::basic_stringstream<wchar_t> strm;
1715                         strm << targs->text_base << " " << targs->last_percent << "%...";
1716                         draw_load_screen(strm.str(), targs->device, targs->guienv, 0,
1717                                 72 + (u16) ((18. / 100.) * (double) targs->last_percent));
1718                 }
1719 }
1720
1721 void Client::afterContentReceived(IrrlichtDevice *device)
1722 {
1723         infostream<<"Client::afterContentReceived() started"<<std::endl;
1724         assert(m_itemdef_received); // pre-condition
1725         assert(m_nodedef_received); // pre-condition
1726         assert(mediaReceived()); // pre-condition
1727
1728         const wchar_t* text = wgettext("Loading textures...");
1729
1730         // Clear cached pre-scaled 2D GUI images, as this cache
1731         // might have images with the same name but different
1732         // content from previous sessions.
1733         guiScalingCacheClear(device->getVideoDriver());
1734
1735         // Rebuild inherited images and recreate textures
1736         infostream<<"- Rebuilding images and textures"<<std::endl;
1737         draw_load_screen(text,device, guienv, 0, 70);
1738         m_tsrc->rebuildImagesAndTextures();
1739         delete[] text;
1740
1741         // Rebuild shaders
1742         infostream<<"- Rebuilding shaders"<<std::endl;
1743         text = wgettext("Rebuilding shaders...");
1744         draw_load_screen(text, device, guienv, 0, 71);
1745         m_shsrc->rebuildShaders();
1746         delete[] text;
1747
1748         // Update node aliases
1749         infostream<<"- Updating node aliases"<<std::endl;
1750         text = wgettext("Initializing nodes...");
1751         draw_load_screen(text, device, guienv, 0, 72);
1752         m_nodedef->updateAliases(m_itemdef);
1753         std::string texture_path = g_settings->get("texture_path");
1754         if (texture_path != "" && fs::IsDir(texture_path))
1755                 m_nodedef->applyTextureOverrides(texture_path + DIR_DELIM + "override.txt");
1756         m_nodedef->setNodeRegistrationStatus(true);
1757         m_nodedef->runNodeResolveCallbacks();
1758         delete[] text;
1759
1760         // Update node textures and assign shaders to each tile
1761         infostream<<"- Updating node textures"<<std::endl;
1762         TextureUpdateArgs tu_args;
1763         tu_args.device = device;
1764         tu_args.guienv = guienv;
1765         tu_args.last_time_ms = getTimeMs();
1766         tu_args.last_percent = 0;
1767         tu_args.text_base =  wgettext("Initializing nodes");
1768         m_nodedef->updateTextures(this, texture_update_progress, &tu_args);
1769         delete[] tu_args.text_base;
1770
1771         // Preload item textures and meshes if configured to
1772         if(g_settings->getBool("preload_item_visuals"))
1773         {
1774                 verbosestream<<"Updating item textures and meshes"<<std::endl;
1775                 text = wgettext("Item textures...");
1776                 draw_load_screen(text, device, guienv, 0, 0);
1777                 std::set<std::string> names = m_itemdef->getAll();
1778                 size_t size = names.size();
1779                 size_t count = 0;
1780                 int percent = 0;
1781                 for(std::set<std::string>::const_iterator
1782                                 i = names.begin(); i != names.end(); ++i)
1783                 {
1784                         // Asking for these caches the result
1785                         m_itemdef->getInventoryTexture(*i, this);
1786                         m_itemdef->getWieldMesh(*i, this);
1787                         count++;
1788                         percent = (count * 100 / size * 0.2) + 80;
1789                         draw_load_screen(text, device, guienv, 0, percent);
1790                 }
1791                 delete[] text;
1792         }
1793
1794         // Start mesh update thread after setting up content definitions
1795         infostream<<"- Starting mesh update thread"<<std::endl;
1796         m_mesh_update_thread.Start();
1797
1798         m_state = LC_Ready;
1799         sendReady();
1800         text = wgettext("Done!");
1801         draw_load_screen(text, device, guienv, 0, 100);
1802         infostream<<"Client::afterContentReceived() done"<<std::endl;
1803         delete[] text;
1804 }
1805
1806 float Client::getRTT(void)
1807 {
1808         return m_con.getPeerStat(PEER_ID_SERVER,con::AVG_RTT);
1809 }
1810
1811 float Client::getCurRate(void)
1812 {
1813         return ( m_con.getLocalStat(con::CUR_INC_RATE) +
1814                         m_con.getLocalStat(con::CUR_DL_RATE));
1815 }
1816
1817 float Client::getAvgRate(void)
1818 {
1819         return ( m_con.getLocalStat(con::AVG_INC_RATE) +
1820                         m_con.getLocalStat(con::AVG_DL_RATE));
1821 }
1822
1823 void Client::makeScreenshot(IrrlichtDevice *device)
1824 {
1825         irr::video::IVideoDriver *driver = device->getVideoDriver();
1826         irr::video::IImage* const raw_image = driver->createScreenShot();
1827
1828         if (!raw_image)
1829                 return;
1830
1831         time_t t = time(NULL);
1832         struct tm *tm = localtime(&t);
1833
1834         char timetstamp_c[64];
1835         strftime(timetstamp_c, sizeof(timetstamp_c), "%Y%m%d_%H%M%S", tm);
1836
1837         std::string filename_base = g_settings->get("screenshot_path")
1838                         + DIR_DELIM
1839                         + std::string("screenshot_")
1840                         + std::string(timetstamp_c);
1841         std::string filename_ext = ".png";
1842         std::string filename;
1843
1844         // Try to find a unique filename
1845         unsigned serial = 0;
1846
1847         while (serial < SCREENSHOT_MAX_SERIAL_TRIES) {
1848                 filename = filename_base + (serial > 0 ? ("_" + itos(serial)) : "") + filename_ext;
1849                 std::ifstream tmp(filename.c_str());
1850                 if (!tmp.good())
1851                         break;  // File did not apparently exist, we'll go with it
1852                 serial++;
1853         }
1854
1855         if (serial == SCREENSHOT_MAX_SERIAL_TRIES) {
1856                 infostream << "Could not find suitable filename for screenshot" << std::endl;
1857         } else {
1858                 irr::video::IImage* const image =
1859                                 driver->createImage(video::ECF_R8G8B8, raw_image->getDimension());
1860
1861                 if (image) {
1862                         raw_image->copyTo(image);
1863
1864                         std::ostringstream sstr;
1865                         if (driver->writeImageToFile(image, filename.c_str())) {
1866                                 sstr << "Saved screenshot to '" << filename << "'";
1867                         } else {
1868                                 sstr << "Failed to save screenshot '" << filename << "'";
1869                         }
1870                         m_chat_queue.push(narrow_to_wide(sstr.str()));
1871                         infostream << sstr.str() << std::endl;
1872                         image->drop();
1873                 }
1874         }
1875
1876         raw_image->drop();
1877 }
1878
1879 // IGameDef interface
1880 // Under envlock
1881 IItemDefManager* Client::getItemDefManager()
1882 {
1883         return m_itemdef;
1884 }
1885 INodeDefManager* Client::getNodeDefManager()
1886 {
1887         return m_nodedef;
1888 }
1889 ICraftDefManager* Client::getCraftDefManager()
1890 {
1891         return NULL;
1892         //return m_craftdef;
1893 }
1894 ITextureSource* Client::getTextureSource()
1895 {
1896         return m_tsrc;
1897 }
1898 IShaderSource* Client::getShaderSource()
1899 {
1900         return m_shsrc;
1901 }
1902 scene::ISceneManager* Client::getSceneManager()
1903 {
1904         return m_device->getSceneManager();
1905 }
1906 u16 Client::allocateUnknownNodeId(const std::string &name)
1907 {
1908         errorstream << "Client::allocateUnknownNodeId(): "
1909                         << "Client cannot allocate node IDs" << std::endl;
1910         FATAL_ERROR("Client allocated unknown node");
1911
1912         return CONTENT_IGNORE;
1913 }
1914 ISoundManager* Client::getSoundManager()
1915 {
1916         return m_sound;
1917 }
1918 MtEventManager* Client::getEventManager()
1919 {
1920         return m_event;
1921 }
1922
1923 ParticleManager* Client::getParticleManager()
1924 {
1925         return &m_particle_manager;
1926 }
1927
1928 scene::IAnimatedMesh* Client::getMesh(const std::string &filename)
1929 {
1930         StringMap::const_iterator it = m_mesh_data.find(filename);
1931         if (it == m_mesh_data.end()) {
1932                 errorstream << "Client::getMesh(): Mesh not found: \"" << filename
1933                         << "\"" << std::endl;
1934                 return NULL;
1935         }
1936         const std::string &data    = it->second;
1937         scene::ISceneManager *smgr = m_device->getSceneManager();
1938
1939         // Create the mesh, remove it from cache and return it
1940         // This allows unique vertex colors and other properties for each instance
1941         Buffer<char> data_rw(data.c_str(), data.size()); // Const-incorrect Irrlicht
1942         io::IFileSystem *irrfs = m_device->getFileSystem();
1943         io::IReadFile *rfile   = irrfs->createMemoryReadFile(
1944                         *data_rw, data_rw.getSize(), filename.c_str());
1945         FATAL_ERROR_IF(!rfile, "Could not create/open RAM file");
1946
1947         scene::IAnimatedMesh *mesh = smgr->getMesh(rfile);
1948         rfile->drop();
1949         // NOTE: By playing with Irrlicht refcounts, maybe we could cache a bunch
1950         // of uniquely named instances and re-use them
1951         mesh->grab();
1952         smgr->getMeshCache()->removeMesh(mesh);
1953         return mesh;
1954 }