]> git.lizzy.rs Git - minetest.git/blob - src/game.cpp
Change i++ to ++i
[minetest.git] / src / game.cpp
1 /*
2 Minetest
3 Copyright (C) 2010-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 "game.h"
21
22 #include <iomanip>
23 #include "camera.h"
24 #include "client.h"
25 #include "client/tile.h"     // For TextureSource
26 #include "clientmap.h"
27 #include "clouds.h"
28 #include "config.h"
29 #include "content_cao.h"
30 #include "drawscene.h"
31 #include "event_manager.h"
32 #include "fontengine.h"
33 #include "itemdef.h"
34 #include "log.h"
35 #include "filesys.h"
36 #include "gettext.h"
37 #include "guiChatConsole.h"
38 #include "guiFormSpecMenu.h"
39 #include "guiKeyChangeMenu.h"
40 #include "guiPasswordChange.h"
41 #include "guiVolumeChange.h"
42 #include "hud.h"
43 #include "logoutputbuffer.h"
44 #include "mainmenumanager.h"
45 #include "mapblock.h"
46 #include "nodedef.h"         // Needed for determining pointing to nodes
47 #include "nodemetadata.h"
48 #include "particles.h"
49 #include "profiler.h"
50 #include "quicktune_shortcutter.h"
51 #include "server.h"
52 #include "settings.h"
53 #include "shader.h"          // For ShaderSource
54 #include "sky.h"
55 #include "subgame.h"
56 #include "tool.h"
57 #include "util/directiontables.h"
58 #include "util/pointedthing.h"
59 #include "version.h"
60 #include "minimap.h"
61
62 #include "sound.h"
63
64 #if USE_SOUND
65         #include "sound_openal.h"
66 #endif
67
68 #ifdef HAVE_TOUCHSCREENGUI
69         #include "touchscreengui.h"
70 #endif
71
72 extern Settings *g_settings;
73 extern Profiler *g_profiler;
74
75 /*
76         Text input system
77 */
78
79 struct TextDestNodeMetadata : public TextDest {
80         TextDestNodeMetadata(v3s16 p, Client *client)
81         {
82                 m_p = p;
83                 m_client = client;
84         }
85         // This is deprecated I guess? -celeron55
86         void gotText(std::wstring text)
87         {
88                 std::string ntext = wide_to_utf8(text);
89                 infostream << "Submitting 'text' field of node at (" << m_p.X << ","
90                            << m_p.Y << "," << m_p.Z << "): " << ntext << std::endl;
91                 StringMap fields;
92                 fields["text"] = ntext;
93                 m_client->sendNodemetaFields(m_p, "", fields);
94         }
95         void gotText(const StringMap &fields)
96         {
97                 m_client->sendNodemetaFields(m_p, "", fields);
98         }
99
100         v3s16 m_p;
101         Client *m_client;
102 };
103
104 struct TextDestPlayerInventory : public TextDest {
105         TextDestPlayerInventory(Client *client)
106         {
107                 m_client = client;
108                 m_formname = "";
109         }
110         TextDestPlayerInventory(Client *client, std::string formname)
111         {
112                 m_client = client;
113                 m_formname = formname;
114         }
115         void gotText(const StringMap &fields)
116         {
117                 m_client->sendInventoryFields(m_formname, fields);
118         }
119
120         Client *m_client;
121 };
122
123 struct LocalFormspecHandler : public TextDest {
124         LocalFormspecHandler();
125         LocalFormspecHandler(std::string formname) :
126                 m_client(0)
127         {
128                 m_formname = formname;
129         }
130
131         LocalFormspecHandler(std::string formname, Client *client) :
132                 m_client(client)
133         {
134                 m_formname = formname;
135         }
136
137         void gotText(std::wstring message)
138         {
139                 errorstream << "LocalFormspecHandler::gotText old style message received" << std::endl;
140         }
141
142         void gotText(const StringMap &fields)
143         {
144                 if (m_formname == "MT_PAUSE_MENU") {
145                         if (fields.find("btn_sound") != fields.end()) {
146                                 g_gamecallback->changeVolume();
147                                 return;
148                         }
149
150                         if (fields.find("btn_key_config") != fields.end()) {
151                                 g_gamecallback->keyConfig();
152                                 return;
153                         }
154
155                         if (fields.find("btn_exit_menu") != fields.end()) {
156                                 g_gamecallback->disconnect();
157                                 return;
158                         }
159
160                         if (fields.find("btn_exit_os") != fields.end()) {
161                                 g_gamecallback->exitToOS();
162                                 return;
163                         }
164
165                         if (fields.find("btn_change_password") != fields.end()) {
166                                 g_gamecallback->changePassword();
167                                 return;
168                         }
169
170                         if (fields.find("quit") != fields.end()) {
171                                 return;
172                         }
173
174                         if (fields.find("btn_continue") != fields.end()) {
175                                 return;
176                         }
177                 }
178
179                 if (m_formname == "MT_CHAT_MENU") {
180                         assert(m_client != 0);
181
182                         if ((fields.find("btn_send") != fields.end()) ||
183                                         (fields.find("quit") != fields.end())) {
184                                 StringMap::const_iterator it = fields.find("f_text");
185                                 if (it != fields.end())
186                                         m_client->typeChatMessage(utf8_to_wide(it->second));
187
188                                 return;
189                         }
190                 }
191
192                 if (m_formname == "MT_DEATH_SCREEN") {
193                         assert(m_client != 0);
194
195                         if ((fields.find("btn_respawn") != fields.end())) {
196                                 m_client->sendRespawn();
197                                 return;
198                         }
199
200                         if (fields.find("quit") != fields.end()) {
201                                 m_client->sendRespawn();
202                                 return;
203                         }
204                 }
205
206                 // don't show error message for unhandled cursor keys
207                 if ((fields.find("key_up") != fields.end()) ||
208                                 (fields.find("key_down") != fields.end()) ||
209                                 (fields.find("key_left") != fields.end()) ||
210                                 (fields.find("key_right") != fields.end())) {
211                         return;
212                 }
213
214                 errorstream << "LocalFormspecHandler::gotText unhandled >"
215                         << m_formname << "< event" << std::endl;
216
217                 int i = 0;
218                 StringMap::const_iterator it;
219                 for (it = fields.begin(); it != fields.end(); ++it) {
220                         errorstream << "\t" << i << ": " << it->first
221                                 << "=" << it->second << std::endl;
222                         i++;
223                 }
224         }
225
226         Client *m_client;
227 };
228
229 /* Form update callback */
230
231 class NodeMetadataFormSource: public IFormSource
232 {
233 public:
234         NodeMetadataFormSource(ClientMap *map, v3s16 p):
235                 m_map(map),
236                 m_p(p)
237         {
238         }
239         std::string getForm()
240         {
241                 NodeMetadata *meta = m_map->getNodeMetadata(m_p);
242
243                 if (!meta)
244                         return "";
245
246                 return meta->getString("formspec");
247         }
248         std::string resolveText(std::string str)
249         {
250                 NodeMetadata *meta = m_map->getNodeMetadata(m_p);
251
252                 if (!meta)
253                         return str;
254
255                 return meta->resolveString(str);
256         }
257
258         ClientMap *m_map;
259         v3s16 m_p;
260 };
261
262 class PlayerInventoryFormSource: public IFormSource
263 {
264 public:
265         PlayerInventoryFormSource(Client *client):
266                 m_client(client)
267         {
268         }
269         std::string getForm()
270         {
271                 LocalPlayer *player = m_client->getEnv().getLocalPlayer();
272                 return player->inventory_formspec;
273         }
274
275         Client *m_client;
276 };
277
278 /*
279         Check if a node is pointable
280 */
281 inline bool isPointableNode(const MapNode &n,
282                             Client *client, bool liquids_pointable)
283 {
284         const ContentFeatures &features = client->getNodeDefManager()->get(n);
285         return features.pointable ||
286                (liquids_pointable && features.isLiquid());
287 }
288
289 /*
290         Find what the player is pointing at
291 */
292 PointedThing getPointedThing(Client *client, v3f player_position,
293                 v3f camera_direction, v3f camera_position, core::line3d<f32> shootline,
294                 f32 d, bool liquids_pointable, bool look_for_object, v3s16 camera_offset,
295                 std::vector<aabb3f> &hilightboxes, ClientActiveObject *&selected_object)
296 {
297         PointedThing result;
298
299         hilightboxes.clear();
300         selected_object = NULL;
301
302         INodeDefManager *nodedef = client->getNodeDefManager();
303         ClientMap &map = client->getEnv().getClientMap();
304
305         f32 mindistance = BS * 1001;
306
307         // First try to find a pointed at active object
308         if (look_for_object) {
309                 selected_object = client->getSelectedActiveObject(d * BS,
310                                   camera_position, shootline);
311
312                 if (selected_object != NULL) {
313                         if (selected_object->doShowSelectionBox()) {
314                                 aabb3f *selection_box = selected_object->getSelectionBox();
315                                 // Box should exist because object was
316                                 // returned in the first place
317                                 assert(selection_box);
318
319                                 v3f pos = selected_object->getPosition();
320                                 hilightboxes.push_back(aabb3f(
321                                                                selection_box->MinEdge + pos - intToFloat(camera_offset, BS),
322                                                                selection_box->MaxEdge + pos - intToFloat(camera_offset, BS)));
323                         }
324
325                         mindistance = (selected_object->getPosition() - camera_position).getLength();
326
327                         result.type = POINTEDTHING_OBJECT;
328                         result.object_id = selected_object->getId();
329                 }
330         }
331
332         // That didn't work, try to find a pointed at node
333
334
335         v3s16 pos_i = floatToInt(player_position, BS);
336
337         /*infostream<<"pos_i=("<<pos_i.X<<","<<pos_i.Y<<","<<pos_i.Z<<")"
338                         <<std::endl;*/
339
340         s16 a = d;
341         s16 ystart = pos_i.Y + 0 - (camera_direction.Y < 0 ? a : 1);
342         s16 zstart = pos_i.Z - (camera_direction.Z < 0 ? a : 1);
343         s16 xstart = pos_i.X - (camera_direction.X < 0 ? a : 1);
344         s16 yend = pos_i.Y + 1 + (camera_direction.Y > 0 ? a : 1);
345         s16 zend = pos_i.Z + (camera_direction.Z > 0 ? a : 1);
346         s16 xend = pos_i.X + (camera_direction.X > 0 ? a : 1);
347
348         // Prevent signed number overflow
349         if (yend == 32767)
350                 yend = 32766;
351
352         if (zend == 32767)
353                 zend = 32766;
354
355         if (xend == 32767)
356                 xend = 32766;
357
358         for (s16 y = ystart; y <= yend; y++)
359                 for (s16 z = zstart; z <= zend; z++)
360                         for (s16 x = xstart; x <= xend; x++) {
361                                 MapNode n;
362                                 bool is_valid_position;
363
364                                 n = map.getNodeNoEx(v3s16(x, y, z), &is_valid_position);
365                                 if (!is_valid_position)
366                                         continue;
367
368                                 if (!isPointableNode(n, client, liquids_pointable))
369                                         continue;
370
371                                 std::vector<aabb3f> boxes = n.getSelectionBoxes(nodedef);
372
373                                 v3s16 np(x, y, z);
374                                 v3f npf = intToFloat(np, BS);
375
376                                 for (std::vector<aabb3f>::const_iterator
377                                                 i = boxes.begin();
378                                                 i != boxes.end(); ++i) {
379                                         aabb3f box = *i;
380                                         box.MinEdge += npf;
381                                         box.MaxEdge += npf;
382
383                                         for (u16 j = 0; j < 6; j++) {
384                                                 v3s16 facedir = g_6dirs[j];
385                                                 aabb3f facebox = box;
386
387                                                 f32 d = 0.001 * BS;
388
389                                                 if (facedir.X > 0)
390                                                         facebox.MinEdge.X = facebox.MaxEdge.X - d;
391                                                 else if (facedir.X < 0)
392                                                         facebox.MaxEdge.X = facebox.MinEdge.X + d;
393                                                 else if (facedir.Y > 0)
394                                                         facebox.MinEdge.Y = facebox.MaxEdge.Y - d;
395                                                 else if (facedir.Y < 0)
396                                                         facebox.MaxEdge.Y = facebox.MinEdge.Y + d;
397                                                 else if (facedir.Z > 0)
398                                                         facebox.MinEdge.Z = facebox.MaxEdge.Z - d;
399                                                 else if (facedir.Z < 0)
400                                                         facebox.MaxEdge.Z = facebox.MinEdge.Z + d;
401
402                                                 v3f centerpoint = facebox.getCenter();
403                                                 f32 distance = (centerpoint - camera_position).getLength();
404
405                                                 if (distance >= mindistance)
406                                                         continue;
407
408                                                 if (!facebox.intersectsWithLine(shootline))
409                                                         continue;
410
411                                                 v3s16 np_above = np + facedir;
412
413                                                 result.type = POINTEDTHING_NODE;
414                                                 result.node_undersurface = np;
415                                                 result.node_abovesurface = np_above;
416                                                 mindistance = distance;
417
418                                                 hilightboxes.clear();
419
420                                                 if (!g_settings->getBool("enable_node_highlighting")) {
421                                                         for (std::vector<aabb3f>::const_iterator
422                                                                         i2 = boxes.begin();
423                                                                         i2 != boxes.end(); ++i2) {
424                                                                 aabb3f box = *i2;
425                                                                 box.MinEdge += npf + v3f(-d, -d, -d) - intToFloat(camera_offset, BS);
426                                                                 box.MaxEdge += npf + v3f(d, d, d) - intToFloat(camera_offset, BS);
427                                                                 hilightboxes.push_back(box);
428                                                         }
429                                                 }
430                                         }
431                                 }
432                         } // for coords
433
434         return result;
435 }
436
437 /* Profiler display */
438
439 void update_profiler_gui(gui::IGUIStaticText *guitext_profiler, FontEngine *fe,
440                 u32 show_profiler, u32 show_profiler_max, s32 screen_height)
441 {
442         if (show_profiler == 0) {
443                 guitext_profiler->setVisible(false);
444         } else {
445
446                 std::ostringstream os(std::ios_base::binary);
447                 g_profiler->printPage(os, show_profiler, show_profiler_max);
448                 std::wstring text = utf8_to_wide(os.str());
449                 guitext_profiler->setText(text.c_str());
450                 guitext_profiler->setVisible(true);
451
452                 s32 w = fe->getTextWidth(text.c_str());
453
454                 if (w < 400)
455                         w = 400;
456
457                 unsigned text_height = fe->getTextHeight();
458
459                 core::position2di upper_left, lower_right;
460
461                 upper_left.X  = 6;
462                 upper_left.Y  = (text_height + 5) * 2;
463                 lower_right.X = 12 + w;
464                 lower_right.Y = upper_left.Y + (text_height + 1) * MAX_PROFILER_TEXT_ROWS;
465
466                 if (lower_right.Y > screen_height * 2 / 3)
467                         lower_right.Y = screen_height * 2 / 3;
468
469                 core::rect<s32> rect(upper_left, lower_right);
470
471                 guitext_profiler->setRelativePosition(rect);
472                 guitext_profiler->setVisible(true);
473         }
474 }
475
476 class ProfilerGraph
477 {
478 private:
479         struct Piece {
480                 Profiler::GraphValues values;
481         };
482         struct Meta {
483                 float min;
484                 float max;
485                 video::SColor color;
486                 Meta(float initial = 0,
487                         video::SColor color = video::SColor(255, 255, 255, 255)):
488                         min(initial),
489                         max(initial),
490                         color(color)
491                 {}
492         };
493         std::vector<Piece> m_log;
494 public:
495         u32 m_log_max_size;
496
497         ProfilerGraph():
498                 m_log_max_size(200)
499         {}
500
501         void put(const Profiler::GraphValues &values)
502         {
503                 Piece piece;
504                 piece.values = values;
505                 m_log.push_back(piece);
506
507                 while (m_log.size() > m_log_max_size)
508                         m_log.erase(m_log.begin());
509         }
510
511         void draw(s32 x_left, s32 y_bottom, video::IVideoDriver *driver,
512                   gui::IGUIFont *font) const
513         {
514                 std::map<std::string, Meta> m_meta;
515
516                 for (std::vector<Piece>::const_iterator k = m_log.begin();
517                                 k != m_log.end(); ++k) {
518                         const Piece &piece = *k;
519
520                         for (Profiler::GraphValues::const_iterator i = piece.values.begin();
521                                         i != piece.values.end(); ++i) {
522                                 const std::string &id = i->first;
523                                 const float &value = i->second;
524                                 std::map<std::string, Meta>::iterator j =
525                                         m_meta.find(id);
526
527                                 if (j == m_meta.end()) {
528                                         m_meta[id] = Meta(value);
529                                         continue;
530                                 }
531
532                                 if (value < j->second.min)
533                                         j->second.min = value;
534
535                                 if (value > j->second.max)
536                                         j->second.max = value;
537                         }
538                 }
539
540                 // Assign colors
541                 static const video::SColor usable_colors[] = {
542                         video::SColor(255, 255, 100, 100),
543                         video::SColor(255, 90, 225, 90),
544                         video::SColor(255, 100, 100, 255),
545                         video::SColor(255, 255, 150, 50),
546                         video::SColor(255, 220, 220, 100)
547                 };
548                 static const u32 usable_colors_count =
549                         sizeof(usable_colors) / sizeof(*usable_colors);
550                 u32 next_color_i = 0;
551
552                 for (std::map<std::string, Meta>::iterator i = m_meta.begin();
553                                 i != m_meta.end(); ++i) {
554                         Meta &meta = i->second;
555                         video::SColor color(255, 200, 200, 200);
556
557                         if (next_color_i < usable_colors_count)
558                                 color = usable_colors[next_color_i++];
559
560                         meta.color = color;
561                 }
562
563                 s32 graphh = 50;
564                 s32 textx = x_left + m_log_max_size + 15;
565                 s32 textx2 = textx + 200 - 15;
566                 s32 meta_i = 0;
567
568                 for (std::map<std::string, Meta>::const_iterator i = m_meta.begin();
569                                 i != m_meta.end(); ++i) {
570                         const std::string &id = i->first;
571                         const Meta &meta = i->second;
572                         s32 x = x_left;
573                         s32 y = y_bottom - meta_i * 50;
574                         float show_min = meta.min;
575                         float show_max = meta.max;
576
577                         if (show_min >= -0.0001 && show_max >= -0.0001) {
578                                 if (show_min <= show_max * 0.5)
579                                         show_min = 0;
580                         }
581
582                         s32 texth = 15;
583                         char buf[10];
584                         snprintf(buf, 10, "%.3g", show_max);
585                         font->draw(utf8_to_wide(buf).c_str(),
586                                         core::rect<s32>(textx, y - graphh,
587                                                    textx2, y - graphh + texth),
588                                         meta.color);
589                         snprintf(buf, 10, "%.3g", show_min);
590                         font->draw(utf8_to_wide(buf).c_str(),
591                                         core::rect<s32>(textx, y - texth,
592                                                    textx2, y),
593                                         meta.color);
594                         font->draw(utf8_to_wide(id).c_str(),
595                                         core::rect<s32>(textx, y - graphh / 2 - texth / 2,
596                                                    textx2, y - graphh / 2 + texth / 2),
597                                         meta.color);
598                         s32 graph1y = y;
599                         s32 graph1h = graphh;
600                         bool relativegraph = (show_min != 0 && show_min != show_max);
601                         float lastscaledvalue = 0.0;
602                         bool lastscaledvalue_exists = false;
603
604                         for (std::vector<Piece>::const_iterator j = m_log.begin();
605                                         j != m_log.end(); ++j) {
606                                 const Piece &piece = *j;
607                                 float value = 0;
608                                 bool value_exists = false;
609                                 Profiler::GraphValues::const_iterator k =
610                                         piece.values.find(id);
611
612                                 if (k != piece.values.end()) {
613                                         value = k->second;
614                                         value_exists = true;
615                                 }
616
617                                 if (!value_exists) {
618                                         x++;
619                                         lastscaledvalue_exists = false;
620                                         continue;
621                                 }
622
623                                 float scaledvalue = 1.0;
624
625                                 if (show_max != show_min)
626                                         scaledvalue = (value - show_min) / (show_max - show_min);
627
628                                 if (scaledvalue == 1.0 && value == 0) {
629                                         x++;
630                                         lastscaledvalue_exists = false;
631                                         continue;
632                                 }
633
634                                 if (relativegraph) {
635                                         if (lastscaledvalue_exists) {
636                                                 s32 ivalue1 = lastscaledvalue * graph1h;
637                                                 s32 ivalue2 = scaledvalue * graph1h;
638                                                 driver->draw2DLine(v2s32(x - 1, graph1y - ivalue1),
639                                                                    v2s32(x, graph1y - ivalue2), meta.color);
640                                         }
641
642                                         lastscaledvalue = scaledvalue;
643                                         lastscaledvalue_exists = true;
644                                 } else {
645                                         s32 ivalue = scaledvalue * graph1h;
646                                         driver->draw2DLine(v2s32(x, graph1y),
647                                                            v2s32(x, graph1y - ivalue), meta.color);
648                                 }
649
650                                 x++;
651                         }
652
653                         meta_i++;
654                 }
655         }
656 };
657
658 class NodeDugEvent: public MtEvent
659 {
660 public:
661         v3s16 p;
662         MapNode n;
663
664         NodeDugEvent(v3s16 p, MapNode n):
665                 p(p),
666                 n(n)
667         {}
668         const char *getType() const
669         {
670                 return "NodeDug";
671         }
672 };
673
674 class SoundMaker
675 {
676         ISoundManager *m_sound;
677         INodeDefManager *m_ndef;
678 public:
679         float m_player_step_timer;
680
681         SimpleSoundSpec m_player_step_sound;
682         SimpleSoundSpec m_player_leftpunch_sound;
683         SimpleSoundSpec m_player_rightpunch_sound;
684
685         SoundMaker(ISoundManager *sound, INodeDefManager *ndef):
686                 m_sound(sound),
687                 m_ndef(ndef),
688                 m_player_step_timer(0)
689         {
690         }
691
692         void playPlayerStep()
693         {
694                 if (m_player_step_timer <= 0 && m_player_step_sound.exists()) {
695                         m_player_step_timer = 0.03;
696                         m_sound->playSound(m_player_step_sound, false);
697                 }
698         }
699
700         static void viewBobbingStep(MtEvent *e, void *data)
701         {
702                 SoundMaker *sm = (SoundMaker *)data;
703                 sm->playPlayerStep();
704         }
705
706         static void playerRegainGround(MtEvent *e, void *data)
707         {
708                 SoundMaker *sm = (SoundMaker *)data;
709                 sm->playPlayerStep();
710         }
711
712         static void playerJump(MtEvent *e, void *data)
713         {
714                 //SoundMaker *sm = (SoundMaker*)data;
715         }
716
717         static void cameraPunchLeft(MtEvent *e, void *data)
718         {
719                 SoundMaker *sm = (SoundMaker *)data;
720                 sm->m_sound->playSound(sm->m_player_leftpunch_sound, false);
721         }
722
723         static void cameraPunchRight(MtEvent *e, void *data)
724         {
725                 SoundMaker *sm = (SoundMaker *)data;
726                 sm->m_sound->playSound(sm->m_player_rightpunch_sound, false);
727         }
728
729         static void nodeDug(MtEvent *e, void *data)
730         {
731                 SoundMaker *sm = (SoundMaker *)data;
732                 NodeDugEvent *nde = (NodeDugEvent *)e;
733                 sm->m_sound->playSound(sm->m_ndef->get(nde->n).sound_dug, false);
734         }
735
736         static void playerDamage(MtEvent *e, void *data)
737         {
738                 SoundMaker *sm = (SoundMaker *)data;
739                 sm->m_sound->playSound(SimpleSoundSpec("player_damage", 0.5), false);
740         }
741
742         static void playerFallingDamage(MtEvent *e, void *data)
743         {
744                 SoundMaker *sm = (SoundMaker *)data;
745                 sm->m_sound->playSound(SimpleSoundSpec("player_falling_damage", 0.5), false);
746         }
747
748         void registerReceiver(MtEventManager *mgr)
749         {
750                 mgr->reg("ViewBobbingStep", SoundMaker::viewBobbingStep, this);
751                 mgr->reg("PlayerRegainGround", SoundMaker::playerRegainGround, this);
752                 mgr->reg("PlayerJump", SoundMaker::playerJump, this);
753                 mgr->reg("CameraPunchLeft", SoundMaker::cameraPunchLeft, this);
754                 mgr->reg("CameraPunchRight", SoundMaker::cameraPunchRight, this);
755                 mgr->reg("NodeDug", SoundMaker::nodeDug, this);
756                 mgr->reg("PlayerDamage", SoundMaker::playerDamage, this);
757                 mgr->reg("PlayerFallingDamage", SoundMaker::playerFallingDamage, this);
758         }
759
760         void step(float dtime)
761         {
762                 m_player_step_timer -= dtime;
763         }
764 };
765
766 // Locally stored sounds don't need to be preloaded because of this
767 class GameOnDemandSoundFetcher: public OnDemandSoundFetcher
768 {
769         std::set<std::string> m_fetched;
770 public:
771         void fetchSounds(const std::string &name,
772                         std::set<std::string> &dst_paths,
773                         std::set<std::string> &dst_datas)
774         {
775                 if (m_fetched.count(name))
776                         return;
777
778                 m_fetched.insert(name);
779                 std::string base = porting::path_share + DIR_DELIM + "testsounds";
780                 dst_paths.insert(base + DIR_DELIM + name + ".ogg");
781                 dst_paths.insert(base + DIR_DELIM + name + ".0.ogg");
782                 dst_paths.insert(base + DIR_DELIM + name + ".1.ogg");
783                 dst_paths.insert(base + DIR_DELIM + name + ".2.ogg");
784                 dst_paths.insert(base + DIR_DELIM + name + ".3.ogg");
785                 dst_paths.insert(base + DIR_DELIM + name + ".4.ogg");
786                 dst_paths.insert(base + DIR_DELIM + name + ".5.ogg");
787                 dst_paths.insert(base + DIR_DELIM + name + ".6.ogg");
788                 dst_paths.insert(base + DIR_DELIM + name + ".7.ogg");
789                 dst_paths.insert(base + DIR_DELIM + name + ".8.ogg");
790                 dst_paths.insert(base + DIR_DELIM + name + ".9.ogg");
791         }
792 };
793
794 class GameGlobalShaderConstantSetter : public IShaderConstantSetter
795 {
796         Sky *m_sky;
797         bool *m_force_fog_off;
798         f32 *m_fog_range;
799         Client *m_client;
800         bool m_fogEnabled;
801
802 public:
803         void onSettingsChange(const std::string &name)
804         {
805                 if (name == "enable_fog")
806                         m_fogEnabled = g_settings->getBool("enable_fog");
807         }
808
809         static void SettingsCallback(const std::string &name, void *userdata)
810         {
811                 reinterpret_cast<GameGlobalShaderConstantSetter*>(userdata)->onSettingsChange(name);
812         }
813
814         GameGlobalShaderConstantSetter(Sky *sky, bool *force_fog_off,
815                         f32 *fog_range, Client *client) :
816                 m_sky(sky),
817                 m_force_fog_off(force_fog_off),
818                 m_fog_range(fog_range),
819                 m_client(client)
820         {
821                 g_settings->registerChangedCallback("enable_fog", SettingsCallback, this);
822                 m_fogEnabled = g_settings->getBool("enable_fog");
823         }
824
825         ~GameGlobalShaderConstantSetter()
826         {
827                 g_settings->deregisterChangedCallback("enable_fog", SettingsCallback, this);
828         }
829
830         virtual void onSetConstants(video::IMaterialRendererServices *services,
831                         bool is_highlevel)
832         {
833                 if (!is_highlevel)
834                         return;
835
836                 // Background color
837                 video::SColor bgcolor = m_sky->getBgColor();
838                 video::SColorf bgcolorf(bgcolor);
839                 float bgcolorfa[4] = {
840                         bgcolorf.r,
841                         bgcolorf.g,
842                         bgcolorf.b,
843                         bgcolorf.a,
844                 };
845                 services->setPixelShaderConstant("skyBgColor", bgcolorfa, 4);
846
847                 // Fog distance
848                 float fog_distance = 10000 * BS;
849
850                 if (m_fogEnabled && !*m_force_fog_off)
851                         fog_distance = *m_fog_range;
852
853                 services->setPixelShaderConstant("fogDistance", &fog_distance, 1);
854
855                 // Day-night ratio
856                 u32 daynight_ratio = m_client->getEnv().getDayNightRatio();
857                 float daynight_ratio_f = (float)daynight_ratio / 1000.0;
858                 services->setPixelShaderConstant("dayNightRatio", &daynight_ratio_f, 1);
859
860                 u32 animation_timer = porting::getTimeMs() % 100000;
861                 float animation_timer_f = (float)animation_timer / 100000.0;
862                 services->setPixelShaderConstant("animationTimer", &animation_timer_f, 1);
863                 services->setVertexShaderConstant("animationTimer", &animation_timer_f, 1);
864
865                 LocalPlayer *player = m_client->getEnv().getLocalPlayer();
866                 v3f eye_position = player->getEyePosition();
867                 services->setPixelShaderConstant("eyePosition", (irr::f32 *)&eye_position, 3);
868                 services->setVertexShaderConstant("eyePosition", (irr::f32 *)&eye_position, 3);
869
870                 v3f minimap_yaw_vec = m_client->getMapper()->getYawVec();
871                 services->setPixelShaderConstant("yawVec", (irr::f32 *)&minimap_yaw_vec, 3);
872
873                 // Uniform sampler layers
874                 int layer0 = 0;
875                 int layer1 = 1;
876                 int layer2 = 2;
877                 // before 1.8 there isn't a "integer interface", only float
878 #if (IRRLICHT_VERSION_MAJOR == 1 && IRRLICHT_VERSION_MINOR < 8)
879                 services->setPixelShaderConstant("baseTexture" , (irr::f32 *)&layer0, 1);
880                 services->setPixelShaderConstant("normalTexture" , (irr::f32 *)&layer1, 1);
881                 services->setPixelShaderConstant("textureFlags" , (irr::f32 *)&layer2, 1);
882 #else
883                 services->setPixelShaderConstant("baseTexture" , (irr::s32 *)&layer0, 1);
884                 services->setPixelShaderConstant("normalTexture" , (irr::s32 *)&layer1, 1);
885                 services->setPixelShaderConstant("textureFlags" , (irr::s32 *)&layer2, 1);
886 #endif
887         }
888 };
889
890 bool nodePlacementPrediction(Client &client,
891                 const ItemDefinition &playeritem_def, v3s16 nodepos, v3s16 neighbourpos)
892 {
893         std::string prediction = playeritem_def.node_placement_prediction;
894         INodeDefManager *nodedef = client.ndef();
895         ClientMap &map = client.getEnv().getClientMap();
896         MapNode node;
897         bool is_valid_position;
898
899         node = map.getNodeNoEx(nodepos, &is_valid_position);
900         if (!is_valid_position)
901                 return false;
902
903         if (prediction != "" && !nodedef->get(node).rightclickable) {
904                 verbosestream << "Node placement prediction for "
905                               << playeritem_def.name << " is "
906                               << prediction << std::endl;
907                 v3s16 p = neighbourpos;
908
909                 // Place inside node itself if buildable_to
910                 MapNode n_under = map.getNodeNoEx(nodepos, &is_valid_position);
911                 if (is_valid_position)
912                 {
913                         if (nodedef->get(n_under).buildable_to)
914                                 p = nodepos;
915                         else {
916                                 node = map.getNodeNoEx(p, &is_valid_position);
917                                 if (is_valid_position &&!nodedef->get(node).buildable_to)
918                                         return false;
919                         }
920                 }
921
922                 // Find id of predicted node
923                 content_t id;
924                 bool found = nodedef->getId(prediction, id);
925
926                 if (!found) {
927                         errorstream << "Node placement prediction failed for "
928                                     << playeritem_def.name << " (places "
929                                     << prediction
930                                     << ") - Name not known" << std::endl;
931                         return false;
932                 }
933
934                 // Predict param2 for facedir and wallmounted nodes
935                 u8 param2 = 0;
936
937                 if (nodedef->get(id).param_type_2 == CPT2_WALLMOUNTED) {
938                         v3s16 dir = nodepos - neighbourpos;
939
940                         if (abs(dir.Y) > MYMAX(abs(dir.X), abs(dir.Z))) {
941                                 param2 = dir.Y < 0 ? 1 : 0;
942                         } else if (abs(dir.X) > abs(dir.Z)) {
943                                 param2 = dir.X < 0 ? 3 : 2;
944                         } else {
945                                 param2 = dir.Z < 0 ? 5 : 4;
946                         }
947                 }
948
949                 if (nodedef->get(id).param_type_2 == CPT2_FACEDIR) {
950                         v3s16 dir = nodepos - floatToInt(client.getEnv().getLocalPlayer()->getPosition(), BS);
951
952                         if (abs(dir.X) > abs(dir.Z)) {
953                                 param2 = dir.X < 0 ? 3 : 1;
954                         } else {
955                                 param2 = dir.Z < 0 ? 2 : 0;
956                         }
957                 }
958
959                 assert(param2 <= 5);
960
961                 //Check attachment if node is in group attached_node
962                 if (((ItemGroupList) nodedef->get(id).groups)["attached_node"] != 0) {
963                         static v3s16 wallmounted_dirs[8] = {
964                                 v3s16(0, 1, 0),
965                                 v3s16(0, -1, 0),
966                                 v3s16(1, 0, 0),
967                                 v3s16(-1, 0, 0),
968                                 v3s16(0, 0, 1),
969                                 v3s16(0, 0, -1),
970                         };
971                         v3s16 pp;
972
973                         if (nodedef->get(id).param_type_2 == CPT2_WALLMOUNTED)
974                                 pp = p + wallmounted_dirs[param2];
975                         else
976                                 pp = p + v3s16(0, -1, 0);
977
978                         if (!nodedef->get(map.getNodeNoEx(pp)).walkable)
979                                 return false;
980                 }
981
982                 // Add node to client map
983                 MapNode n(id, 0, param2);
984
985                 try {
986                         LocalPlayer *player = client.getEnv().getLocalPlayer();
987
988                         // Dont place node when player would be inside new node
989                         // NOTE: This is to be eventually implemented by a mod as client-side Lua
990                         if (!nodedef->get(n).walkable ||
991                                         g_settings->getBool("enable_build_where_you_stand") ||
992                                         (client.checkPrivilege("noclip") && g_settings->getBool("noclip")) ||
993                                         (nodedef->get(n).walkable &&
994                                          neighbourpos != player->getStandingNodePos() + v3s16(0, 1, 0) &&
995                                          neighbourpos != player->getStandingNodePos() + v3s16(0, 2, 0))) {
996
997                                 // This triggers the required mesh update too
998                                 client.addNode(p, n);
999                                 return true;
1000                         }
1001                 } catch (InvalidPositionException &e) {
1002                         errorstream << "Node placement prediction failed for "
1003                                     << playeritem_def.name << " (places "
1004                                     << prediction
1005                                     << ") - Position not loaded" << std::endl;
1006                 }
1007         }
1008
1009         return false;
1010 }
1011
1012 static inline void create_formspec_menu(GUIFormSpecMenu **cur_formspec,
1013                 InventoryManager *invmgr, IGameDef *gamedef,
1014                 IWritableTextureSource *tsrc, IrrlichtDevice *device,
1015                 IFormSource *fs_src, TextDest *txt_dest, Client *client)
1016 {
1017
1018         if (*cur_formspec == 0) {
1019                 *cur_formspec = new GUIFormSpecMenu(device, guiroot, -1, &g_menumgr,
1020                                                     invmgr, gamedef, tsrc, fs_src, txt_dest, client);
1021                 (*cur_formspec)->doPause = false;
1022
1023                 /*
1024                         Caution: do not call (*cur_formspec)->drop() here --
1025                         the reference might outlive the menu, so we will
1026                         periodically check if *cur_formspec is the only
1027                         remaining reference (i.e. the menu was removed)
1028                         and delete it in that case.
1029                 */
1030
1031         } else {
1032                 (*cur_formspec)->setFormSource(fs_src);
1033                 (*cur_formspec)->setTextDest(txt_dest);
1034         }
1035 }
1036
1037 #ifdef __ANDROID__
1038 #define SIZE_TAG "size[11,5.5]"
1039 #else
1040 #define SIZE_TAG "size[11,5.5,true]" // Fixed size on desktop
1041 #endif
1042
1043 static void show_chat_menu(GUIFormSpecMenu **cur_formspec,
1044                 InventoryManager *invmgr, IGameDef *gamedef,
1045                 IWritableTextureSource *tsrc, IrrlichtDevice *device,
1046                 Client *client, std::string text)
1047 {
1048         std::string formspec =
1049                 FORMSPEC_VERSION_STRING
1050                 SIZE_TAG
1051                 "field[3,2.35;6,0.5;f_text;;" + text + "]"
1052                 "button_exit[4,3;3,0.5;btn_send;" + wide_to_utf8(wstrgettext("Proceed")) + "]"
1053                 ;
1054
1055         /* Create menu */
1056         /* Note: FormspecFormSource and LocalFormspecHandler
1057          * are deleted by guiFormSpecMenu                     */
1058         FormspecFormSource *fs_src = new FormspecFormSource(formspec);
1059         LocalFormspecHandler *txt_dst = new LocalFormspecHandler("MT_CHAT_MENU", client);
1060
1061         create_formspec_menu(cur_formspec, invmgr, gamedef, tsrc, device, fs_src, txt_dst, NULL);
1062 }
1063
1064 static void show_deathscreen(GUIFormSpecMenu **cur_formspec,
1065                 InventoryManager *invmgr, IGameDef *gamedef,
1066                 IWritableTextureSource *tsrc, IrrlichtDevice *device, Client *client)
1067 {
1068         std::string formspec =
1069                 std::string(FORMSPEC_VERSION_STRING) +
1070                 SIZE_TAG
1071                 "bgcolor[#320000b4;true]"
1072                 "label[4.85,1.35;" + gettext("You died.") + "]"
1073                 "button_exit[4,3;3,0.5;btn_respawn;" + gettext("Respawn") + "]"
1074                 ;
1075
1076         /* Create menu */
1077         /* Note: FormspecFormSource and LocalFormspecHandler
1078          * are deleted by guiFormSpecMenu                     */
1079         FormspecFormSource *fs_src = new FormspecFormSource(formspec);
1080         LocalFormspecHandler *txt_dst = new LocalFormspecHandler("MT_DEATH_SCREEN", client);
1081
1082         create_formspec_menu(cur_formspec, invmgr, gamedef, tsrc, device,  fs_src, txt_dst, NULL);
1083 }
1084
1085 /******************************************************************************/
1086 static void show_pause_menu(GUIFormSpecMenu **cur_formspec,
1087                 InventoryManager *invmgr, IGameDef *gamedef,
1088                 IWritableTextureSource *tsrc, IrrlichtDevice *device,
1089                 bool singleplayermode)
1090 {
1091 #ifdef __ANDROID__
1092         std::string control_text = wide_to_utf8(wstrgettext("Default Controls:\n"
1093                                    "No menu visible:\n"
1094                                    "- single tap: button activate\n"
1095                                    "- double tap: place/use\n"
1096                                    "- slide finger: look around\n"
1097                                    "Menu/Inventory visible:\n"
1098                                    "- double tap (outside):\n"
1099                                    " -->close\n"
1100                                    "- touch stack, touch slot:\n"
1101                                    " --> move stack\n"
1102                                    "- touch&drag, tap 2nd finger\n"
1103                                    " --> place single item to slot\n"
1104                                                              ));
1105 #else
1106         std::string control_text = wide_to_utf8(wstrgettext("Default Controls:\n"
1107                                    "- WASD: move\n"
1108                                    "- Space: jump/climb\n"
1109                                    "- Shift: sneak/go down\n"
1110                                    "- Q: drop item\n"
1111                                    "- I: inventory\n"
1112                                    "- Mouse: turn/look\n"
1113                                    "- Mouse left: dig/punch\n"
1114                                    "- Mouse right: place/use\n"
1115                                    "- Mouse wheel: select item\n"
1116                                    "- T: chat\n"
1117                                                              ));
1118 #endif
1119
1120         float ypos = singleplayermode ? 0.5 : 0.1;
1121         std::ostringstream os;
1122
1123         os << FORMSPEC_VERSION_STRING  << SIZE_TAG
1124            << "button_exit[4," << (ypos++) << ";3,0.5;btn_continue;"
1125            << wide_to_utf8(wstrgettext("Continue"))     << "]";
1126
1127         if (!singleplayermode) {
1128                 os << "button_exit[4," << (ypos++) << ";3,0.5;btn_change_password;"
1129                    << wide_to_utf8(wstrgettext("Change Password")) << "]";
1130         }
1131
1132 #ifndef __ANDROID__
1133         os              << "button_exit[4," << (ypos++) << ";3,0.5;btn_sound;"
1134                         << wide_to_utf8(wstrgettext("Sound Volume")) << "]";
1135         os              << "button_exit[4," << (ypos++) << ";3,0.5;btn_key_config;"
1136                         << wide_to_utf8(wstrgettext("Change Keys"))  << "]";
1137 #endif
1138         os              << "button_exit[4," << (ypos++) << ";3,0.5;btn_exit_menu;"
1139                         << wide_to_utf8(wstrgettext("Exit to Menu")) << "]";
1140         os              << "button_exit[4," << (ypos++) << ";3,0.5;btn_exit_os;"
1141                         << wide_to_utf8(wstrgettext("Exit to OS"))   << "]"
1142                         << "textarea[7.5,0.25;3.9,6.25;;" << control_text << ";]"
1143                         << "textarea[0.4,0.25;3.5,6;;" << PROJECT_NAME_C "\n"
1144                         << g_build_info << "\n"
1145                         << "path_user = " << wrap_rows(porting::path_user, 20)
1146                         << "\n;]";
1147
1148         /* Create menu */
1149         /* Note: FormspecFormSource and LocalFormspecHandler  *
1150          * are deleted by guiFormSpecMenu                     */
1151         FormspecFormSource *fs_src = new FormspecFormSource(os.str());
1152         LocalFormspecHandler *txt_dst = new LocalFormspecHandler("MT_PAUSE_MENU");
1153
1154         create_formspec_menu(cur_formspec, invmgr, gamedef, tsrc, device,  fs_src, txt_dst, NULL);
1155         std::string con("btn_continue");
1156         (*cur_formspec)->setFocus(con);
1157         (*cur_formspec)->doPause = true;
1158 }
1159
1160 /******************************************************************************/
1161 static void updateChat(Client &client, f32 dtime, bool show_debug,
1162                 const v2u32 &screensize, bool show_chat, u32 show_profiler,
1163                 ChatBackend &chat_backend, gui::IGUIStaticText *guitext_chat)
1164 {
1165         // Add chat log output for errors to be shown in chat
1166         static LogOutputBuffer chat_log_error_buf(LMT_ERROR);
1167
1168         // Get new messages from error log buffer
1169         while (!chat_log_error_buf.empty()) {
1170                 chat_backend.addMessage(L"", utf8_to_wide(chat_log_error_buf.get()));
1171         }
1172
1173         // Get new messages from client
1174         std::wstring message;
1175
1176         while (client.getChatMessage(message)) {
1177                 chat_backend.addUnparsedMessage(message);
1178         }
1179
1180         // Remove old messages
1181         chat_backend.step(dtime);
1182
1183         // Display all messages in a static text element
1184         unsigned int recent_chat_count = chat_backend.getRecentBuffer().getLineCount();
1185         std::wstring recent_chat       = chat_backend.getRecentChat();
1186         unsigned int line_height       = g_fontengine->getLineHeight();
1187
1188         guitext_chat->setText(recent_chat.c_str());
1189
1190         // Update gui element size and position
1191         s32 chat_y = 5 + line_height;
1192
1193         if (show_debug)
1194                 chat_y += line_height;
1195
1196         // first pass to calculate height of text to be set
1197         s32 width = std::min(g_fontengine->getTextWidth(recent_chat) + 10,
1198                              porting::getWindowSize().X - 20);
1199         core::rect<s32> rect(10, chat_y, width, chat_y + porting::getWindowSize().Y);
1200         guitext_chat->setRelativePosition(rect);
1201
1202         //now use real height of text and adjust rect according to this size
1203         rect = core::rect<s32>(10, chat_y, width,
1204                                chat_y + guitext_chat->getTextHeight());
1205
1206
1207         guitext_chat->setRelativePosition(rect);
1208         // Don't show chat if disabled or empty or profiler is enabled
1209         guitext_chat->setVisible(
1210                 show_chat && recent_chat_count != 0 && !show_profiler);
1211 }
1212
1213
1214 /****************************************************************************
1215  Fast key cache for main game loop
1216  ****************************************************************************/
1217
1218 /* This is faster than using getKeySetting with the tradeoff that functions
1219  * using it must make sure that it's initialised before using it and there is
1220  * no error handling (for example bounds checking). This is really intended for
1221  * use only in the main running loop of the client (the_game()) where the faster
1222  * (up to 10x faster) key lookup is an asset. Other parts of the codebase
1223  * (e.g. formspecs) should continue using getKeySetting().
1224  */
1225 struct KeyCache {
1226
1227         KeyCache() { populate(); }
1228
1229         enum {
1230                 // Player movement
1231                 KEYMAP_ID_FORWARD,
1232                 KEYMAP_ID_BACKWARD,
1233                 KEYMAP_ID_LEFT,
1234                 KEYMAP_ID_RIGHT,
1235                 KEYMAP_ID_JUMP,
1236                 KEYMAP_ID_SPECIAL1,
1237                 KEYMAP_ID_SNEAK,
1238
1239                 // Other
1240                 KEYMAP_ID_DROP,
1241                 KEYMAP_ID_INVENTORY,
1242                 KEYMAP_ID_CHAT,
1243                 KEYMAP_ID_CMD,
1244                 KEYMAP_ID_CONSOLE,
1245                 KEYMAP_ID_MINIMAP,
1246                 KEYMAP_ID_FREEMOVE,
1247                 KEYMAP_ID_FASTMOVE,
1248                 KEYMAP_ID_NOCLIP,
1249                 KEYMAP_ID_CINEMATIC,
1250                 KEYMAP_ID_SCREENSHOT,
1251                 KEYMAP_ID_TOGGLE_HUD,
1252                 KEYMAP_ID_TOGGLE_CHAT,
1253                 KEYMAP_ID_TOGGLE_FORCE_FOG_OFF,
1254                 KEYMAP_ID_TOGGLE_UPDATE_CAMERA,
1255                 KEYMAP_ID_TOGGLE_DEBUG,
1256                 KEYMAP_ID_TOGGLE_PROFILER,
1257                 KEYMAP_ID_CAMERA_MODE,
1258                 KEYMAP_ID_INCREASE_VIEWING_RANGE,
1259                 KEYMAP_ID_DECREASE_VIEWING_RANGE,
1260                 KEYMAP_ID_RANGESELECT,
1261
1262                 KEYMAP_ID_QUICKTUNE_NEXT,
1263                 KEYMAP_ID_QUICKTUNE_PREV,
1264                 KEYMAP_ID_QUICKTUNE_INC,
1265                 KEYMAP_ID_QUICKTUNE_DEC,
1266
1267                 KEYMAP_ID_DEBUG_STACKS,
1268
1269                 // Fake keycode for array size and internal checks
1270                 KEYMAP_INTERNAL_ENUM_COUNT
1271
1272
1273         };
1274
1275         void populate();
1276
1277         KeyPress key[KEYMAP_INTERNAL_ENUM_COUNT];
1278 };
1279
1280 void KeyCache::populate()
1281 {
1282         key[KEYMAP_ID_FORWARD]      = getKeySetting("keymap_forward");
1283         key[KEYMAP_ID_BACKWARD]     = getKeySetting("keymap_backward");
1284         key[KEYMAP_ID_LEFT]         = getKeySetting("keymap_left");
1285         key[KEYMAP_ID_RIGHT]        = getKeySetting("keymap_right");
1286         key[KEYMAP_ID_JUMP]         = getKeySetting("keymap_jump");
1287         key[KEYMAP_ID_SPECIAL1]     = getKeySetting("keymap_special1");
1288         key[KEYMAP_ID_SNEAK]        = getKeySetting("keymap_sneak");
1289
1290         key[KEYMAP_ID_DROP]         = getKeySetting("keymap_drop");
1291         key[KEYMAP_ID_INVENTORY]    = getKeySetting("keymap_inventory");
1292         key[KEYMAP_ID_CHAT]         = getKeySetting("keymap_chat");
1293         key[KEYMAP_ID_CMD]          = getKeySetting("keymap_cmd");
1294         key[KEYMAP_ID_CONSOLE]      = getKeySetting("keymap_console");
1295         key[KEYMAP_ID_MINIMAP]      = getKeySetting("keymap_minimap");
1296         key[KEYMAP_ID_FREEMOVE]     = getKeySetting("keymap_freemove");
1297         key[KEYMAP_ID_FASTMOVE]     = getKeySetting("keymap_fastmove");
1298         key[KEYMAP_ID_NOCLIP]       = getKeySetting("keymap_noclip");
1299         key[KEYMAP_ID_CINEMATIC]    = getKeySetting("keymap_cinematic");
1300         key[KEYMAP_ID_SCREENSHOT]   = getKeySetting("keymap_screenshot");
1301         key[KEYMAP_ID_TOGGLE_HUD]   = getKeySetting("keymap_toggle_hud");
1302         key[KEYMAP_ID_TOGGLE_CHAT]  = getKeySetting("keymap_toggle_chat");
1303         key[KEYMAP_ID_TOGGLE_FORCE_FOG_OFF]
1304                         = getKeySetting("keymap_toggle_force_fog_off");
1305         key[KEYMAP_ID_TOGGLE_UPDATE_CAMERA]
1306                         = getKeySetting("keymap_toggle_update_camera");
1307         key[KEYMAP_ID_TOGGLE_DEBUG]
1308                         = getKeySetting("keymap_toggle_debug");
1309         key[KEYMAP_ID_TOGGLE_PROFILER]
1310                         = getKeySetting("keymap_toggle_profiler");
1311         key[KEYMAP_ID_CAMERA_MODE]
1312                         = getKeySetting("keymap_camera_mode");
1313         key[KEYMAP_ID_INCREASE_VIEWING_RANGE]
1314                         = getKeySetting("keymap_increase_viewing_range_min");
1315         key[KEYMAP_ID_DECREASE_VIEWING_RANGE]
1316                         = getKeySetting("keymap_decrease_viewing_range_min");
1317         key[KEYMAP_ID_RANGESELECT]
1318                         = getKeySetting("keymap_rangeselect");
1319
1320         key[KEYMAP_ID_QUICKTUNE_NEXT] = getKeySetting("keymap_quicktune_next");
1321         key[KEYMAP_ID_QUICKTUNE_PREV] = getKeySetting("keymap_quicktune_prev");
1322         key[KEYMAP_ID_QUICKTUNE_INC]  = getKeySetting("keymap_quicktune_inc");
1323         key[KEYMAP_ID_QUICKTUNE_DEC]  = getKeySetting("keymap_quicktune_dec");
1324
1325         key[KEYMAP_ID_DEBUG_STACKS]   = getKeySetting("keymap_print_debug_stacks");
1326 }
1327
1328
1329 /****************************************************************************
1330
1331  ****************************************************************************/
1332
1333 const float object_hit_delay = 0.2;
1334
1335 struct FpsControl {
1336         u32 last_time, busy_time, sleep_time;
1337 };
1338
1339
1340 /* The reason the following structs are not anonymous structs within the
1341  * class is that they are not used by the majority of member functions and
1342  * many functions that do require objects of thse types do not modify them
1343  * (so they can be passed as a const qualified parameter)
1344  */
1345 struct CameraOrientation {
1346         f32 camera_yaw;    // "right/left"
1347         f32 camera_pitch;  // "up/down"
1348 };
1349
1350 struct GameRunData {
1351         u16 dig_index;
1352         u16 new_playeritem;
1353         PointedThing pointed_old;
1354         bool digging;
1355         bool ldown_for_dig;
1356         bool left_punch;
1357         bool update_wielded_item_trigger;
1358         bool reset_jump_timer;
1359         float nodig_delay_timer;
1360         float dig_time;
1361         float dig_time_complete;
1362         float repeat_rightclick_timer;
1363         float object_hit_delay_timer;
1364         float time_from_last_punch;
1365         ClientActiveObject *selected_object;
1366
1367         float jump_timer;
1368         float damage_flash;
1369         float update_draw_list_timer;
1370         float statustext_time;
1371
1372         f32 fog_range;
1373
1374         v3f update_draw_list_last_cam_dir;
1375
1376         u32 profiler_current_page;
1377         u32 profiler_max_page;     // Number of pages
1378
1379         float time_of_day;
1380         float time_of_day_smooth;
1381 };
1382
1383 struct Jitter {
1384         f32 max, min, avg, counter, max_sample, min_sample, max_fraction;
1385 };
1386
1387 struct RunStats {
1388         u32 drawtime;
1389         u32 beginscenetime;
1390         u32 endscenetime;
1391
1392         Jitter dtime_jitter, busy_time_jitter;
1393 };
1394
1395 /* Flags that can, or may, change during main game loop
1396  */
1397 struct VolatileRunFlags {
1398         bool invert_mouse;
1399         bool show_chat;
1400         bool show_hud;
1401         bool show_minimap;
1402         bool force_fog_off;
1403         bool show_debug;
1404         bool show_profiler_graph;
1405         bool disable_camera_update;
1406         bool first_loop_after_window_activation;
1407         bool camera_offset_changed;
1408 };
1409
1410
1411 /****************************************************************************
1412  THE GAME
1413  ****************************************************************************/
1414
1415 /* This is not intended to be a public class. If a public class becomes
1416  * desirable then it may be better to create another 'wrapper' class that
1417  * hides most of the stuff in this class (nothing in this class is required
1418  * by any other file) but exposes the public methods/data only.
1419  */
1420 class Game {
1421 public:
1422         Game();
1423         ~Game();
1424
1425         bool startup(bool *kill,
1426                         bool random_input,
1427                         InputHandler *input,
1428                         IrrlichtDevice *device,
1429                         const std::string &map_dir,
1430                         const std::string &playername,
1431                         const std::string &password,
1432                         // If address is "", local server is used and address is updated
1433                         std::string *address,
1434                         u16 port,
1435                         std::string &error_message,
1436                         bool *reconnect,
1437                         ChatBackend *chat_backend,
1438                         const SubgameSpec &gamespec,    // Used for local game
1439                         bool simple_singleplayer_mode);
1440
1441         void run();
1442         void shutdown();
1443
1444 protected:
1445
1446         void extendedResourceCleanup();
1447
1448         // Basic initialisation
1449         bool init(const std::string &map_dir, std::string *address,
1450                         u16 port,
1451                         const SubgameSpec &gamespec);
1452         bool initSound();
1453         bool createSingleplayerServer(const std::string map_dir,
1454                         const SubgameSpec &gamespec, u16 port, std::string *address);
1455
1456         // Client creation
1457         bool createClient(const std::string &playername,
1458                         const std::string &password, std::string *address, u16 port);
1459         bool initGui();
1460
1461         // Client connection
1462         bool connectToServer(const std::string &playername,
1463                         const std::string &password, std::string *address, u16 port,
1464                         bool *connect_ok, bool *aborted);
1465         bool getServerContent(bool *aborted);
1466
1467         // Main loop
1468
1469         void updateInteractTimers(GameRunData *runData, f32 dtime);
1470         bool checkConnection();
1471         bool handleCallbacks();
1472         void processQueues();
1473         void updateProfilers(const GameRunData &runData, const RunStats &stats,
1474                         const FpsControl &draw_times, f32 dtime);
1475         void addProfilerGraphs(const RunStats &stats, const FpsControl &draw_times,
1476                         f32 dtime);
1477         void updateStats(RunStats *stats, const FpsControl &draw_times, f32 dtime);
1478
1479         void processUserInput(VolatileRunFlags *flags, GameRunData *runData,
1480                         f32 dtime);
1481         void processKeyboardInput(VolatileRunFlags *flags,
1482                         float *statustext_time,
1483                         float *jump_timer,
1484                         bool *reset_jump_timer,
1485                         u32 *profiler_current_page,
1486                         u32 profiler_max_page);
1487         void processItemSelection(u16 *new_playeritem);
1488
1489         void dropSelectedItem();
1490         void openInventory();
1491         void openConsole();
1492         void toggleFreeMove(float *statustext_time);
1493         void toggleFreeMoveAlt(float *statustext_time, float *jump_timer);
1494         void toggleFast(float *statustext_time);
1495         void toggleNoClip(float *statustext_time);
1496         void toggleCinematic(float *statustext_time);
1497
1498         void toggleChat(float *statustext_time, bool *flag);
1499         void toggleHud(float *statustext_time, bool *flag);
1500         void toggleMinimap(float *statustext_time, bool *flag, bool show_hud,
1501                         bool shift_pressed);
1502         void toggleFog(float *statustext_time, bool *flag);
1503         void toggleDebug(float *statustext_time, bool *show_debug,
1504                         bool *show_profiler_graph);
1505         void toggleUpdateCamera(float *statustext_time, bool *flag);
1506         void toggleProfiler(float *statustext_time, u32 *profiler_current_page,
1507                         u32 profiler_max_page);
1508
1509         void increaseViewRange(float *statustext_time);
1510         void decreaseViewRange(float *statustext_time);
1511         void toggleFullViewRange(float *statustext_time);
1512
1513         void updateCameraDirection(CameraOrientation *cam, VolatileRunFlags *flags);
1514         void updateCameraOrientation(CameraOrientation *cam,
1515                         const VolatileRunFlags &flags);
1516         void updatePlayerControl(const CameraOrientation &cam);
1517         void step(f32 *dtime);
1518         void processClientEvents(CameraOrientation *cam, float *damage_flash);
1519         void updateCamera(VolatileRunFlags *flags, u32 busy_time, f32 dtime,
1520                         float time_from_last_punch);
1521         void updateSound(f32 dtime);
1522         void processPlayerInteraction(std::vector<aabb3f> &highlight_boxes,
1523                         GameRunData *runData, f32 dtime, bool show_hud,
1524                         bool show_debug);
1525         void handlePointingAtNode(GameRunData *runData,
1526                         const PointedThing &pointed, const ItemDefinition &playeritem_def,
1527                         const ToolCapabilities &playeritem_toolcap, f32 dtime);
1528         void handlePointingAtObject(GameRunData *runData,
1529                         const PointedThing &pointed, const ItemStack &playeritem,
1530                         const v3f &player_position, bool show_debug);
1531         void handleDigging(GameRunData *runData, const PointedThing &pointed,
1532                         const v3s16 &nodepos, const ToolCapabilities &playeritem_toolcap,
1533                         f32 dtime);
1534         void updateFrame(std::vector<aabb3f> &highlight_boxes, ProfilerGraph *graph,
1535                         RunStats *stats, GameRunData *runData,
1536                         f32 dtime, const VolatileRunFlags &flags, const CameraOrientation &cam);
1537         void updateGui(float *statustext_time, const RunStats &stats,
1538                         const GameRunData& runData, f32 dtime, const VolatileRunFlags &flags,
1539                         const CameraOrientation &cam);
1540         void updateProfilerGraphs(ProfilerGraph *graph);
1541
1542         // Misc
1543         void limitFps(FpsControl *fps_timings, f32 *dtime);
1544
1545         void showOverlayMessage(const wchar_t *msg, float dtime, int percent,
1546                         bool draw_clouds = true);
1547
1548         static void settingChangedCallback(const std::string &setting_name, void *data);
1549         void readSettings();
1550
1551 private:
1552         InputHandler *input;
1553
1554         Client *client;
1555         Server *server;
1556
1557         IWritableTextureSource *texture_src;
1558         IWritableShaderSource *shader_src;
1559
1560         // When created, these will be filled with data received from the server
1561         IWritableItemDefManager *itemdef_manager;
1562         IWritableNodeDefManager *nodedef_manager;
1563
1564         GameOnDemandSoundFetcher soundfetcher; // useful when testing
1565         ISoundManager *sound;
1566         bool sound_is_dummy;
1567         SoundMaker *soundmaker;
1568
1569         ChatBackend *chat_backend;
1570
1571         GUIFormSpecMenu *current_formspec;
1572
1573         EventManager *eventmgr;
1574         QuicktuneShortcutter *quicktune;
1575
1576         GUIChatConsole *gui_chat_console; // Free using ->Drop()
1577         MapDrawControl *draw_control;
1578         Camera *camera;
1579         Clouds *clouds;                   // Free using ->Drop()
1580         Sky *sky;                         // Free using ->Drop()
1581         Inventory *local_inventory;
1582         Hud *hud;
1583         Mapper *mapper;
1584
1585         /* 'cache'
1586            This class does take ownership/responsibily for cleaning up etc of any of
1587            these items (e.g. device)
1588         */
1589         IrrlichtDevice *device;
1590         video::IVideoDriver *driver;
1591         scene::ISceneManager *smgr;
1592         bool *kill;
1593         std::string *error_message;
1594         bool *reconnect_requested;
1595         IGameDef *gamedef;                     // Convenience (same as *client)
1596         scene::ISceneNode *skybox;
1597
1598         bool random_input;
1599         bool simple_singleplayer_mode;
1600         /* End 'cache' */
1601
1602         /* Pre-calculated values
1603          */
1604         int crack_animation_length;
1605
1606         /* GUI stuff
1607          */
1608         gui::IGUIStaticText *guitext;          // First line of debug text
1609         gui::IGUIStaticText *guitext2;         // Second line of debug text
1610         gui::IGUIStaticText *guitext_info;     // At the middle of the screen
1611         gui::IGUIStaticText *guitext_status;
1612         gui::IGUIStaticText *guitext_chat;         // Chat text
1613         gui::IGUIStaticText *guitext_profiler; // Profiler text
1614
1615         std::wstring infotext;
1616         std::wstring statustext;
1617
1618         KeyCache keycache;
1619
1620         IntervalLimiter profiler_interval;
1621
1622         /*
1623          * TODO: Local caching of settings is not optimal and should at some stage
1624          *       be updated to use a global settings object for getting thse values
1625          *       (as opposed to the this local caching). This can be addressed in
1626          *       a later release.
1627          */
1628         bool m_cache_doubletap_jump;
1629         bool m_cache_enable_node_highlighting;
1630         bool m_cache_enable_clouds;
1631         bool m_cache_enable_particles;
1632         bool m_cache_enable_fog;
1633         f32  m_cache_mouse_sensitivity;
1634         f32  m_repeat_right_click_time;
1635
1636 #ifdef __ANDROID__
1637         bool m_cache_hold_aux1;
1638 #endif
1639
1640 };
1641
1642 Game::Game() :
1643         client(NULL),
1644         server(NULL),
1645         texture_src(NULL),
1646         shader_src(NULL),
1647         itemdef_manager(NULL),
1648         nodedef_manager(NULL),
1649         sound(NULL),
1650         sound_is_dummy(false),
1651         soundmaker(NULL),
1652         chat_backend(NULL),
1653         current_formspec(NULL),
1654         eventmgr(NULL),
1655         quicktune(NULL),
1656         gui_chat_console(NULL),
1657         draw_control(NULL),
1658         camera(NULL),
1659         clouds(NULL),
1660         sky(NULL),
1661         local_inventory(NULL),
1662         hud(NULL),
1663         mapper(NULL)
1664 {
1665         g_settings->registerChangedCallback("doubletap_jump",
1666                 &settingChangedCallback, this);
1667         g_settings->registerChangedCallback("enable_node_highlighting",
1668                 &settingChangedCallback, this);
1669         g_settings->registerChangedCallback("enable_clouds",
1670                 &settingChangedCallback, this);
1671         g_settings->registerChangedCallback("enable_particles",
1672                 &settingChangedCallback, this);
1673         g_settings->registerChangedCallback("enable_fog",
1674                 &settingChangedCallback, this);
1675         g_settings->registerChangedCallback("mouse_sensitivity",
1676                 &settingChangedCallback, this);
1677         g_settings->registerChangedCallback("repeat_rightclick_time",
1678                 &settingChangedCallback, this);
1679
1680         readSettings();
1681
1682 #ifdef __ANDROID__
1683         m_cache_hold_aux1 = false;      // This is initialised properly later
1684 #endif
1685
1686 }
1687
1688
1689
1690 /****************************************************************************
1691  MinetestApp Public
1692  ****************************************************************************/
1693
1694 Game::~Game()
1695 {
1696         delete client;
1697         delete soundmaker;
1698         if (!sound_is_dummy)
1699                 delete sound;
1700
1701         delete server; // deleted first to stop all server threads
1702
1703         delete hud;
1704         delete local_inventory;
1705         delete camera;
1706         delete quicktune;
1707         delete eventmgr;
1708         delete texture_src;
1709         delete shader_src;
1710         delete nodedef_manager;
1711         delete itemdef_manager;
1712         delete draw_control;
1713
1714         extendedResourceCleanup();
1715
1716         g_settings->deregisterChangedCallback("doubletap_jump",
1717                 &settingChangedCallback, this);
1718         g_settings->deregisterChangedCallback("enable_node_highlighting",
1719                 &settingChangedCallback, this);
1720         g_settings->deregisterChangedCallback("enable_clouds",
1721                 &settingChangedCallback, this);
1722         g_settings->deregisterChangedCallback("enable_particles",
1723                 &settingChangedCallback, this);
1724         g_settings->deregisterChangedCallback("enable_fog",
1725                 &settingChangedCallback, this);
1726         g_settings->deregisterChangedCallback("mouse_sensitivity",
1727                 &settingChangedCallback, this);
1728         g_settings->deregisterChangedCallback("repeat_rightclick_time",
1729                 &settingChangedCallback, this);
1730 }
1731
1732 bool Game::startup(bool *kill,
1733                 bool random_input,
1734                 InputHandler *input,
1735                 IrrlichtDevice *device,
1736                 const std::string &map_dir,
1737                 const std::string &playername,
1738                 const std::string &password,
1739                 std::string *address,     // can change if simple_singleplayer_mode
1740                 u16 port,
1741                 std::string &error_message,
1742                 bool *reconnect,
1743                 ChatBackend *chat_backend,
1744                 const SubgameSpec &gamespec,
1745                 bool simple_singleplayer_mode)
1746 {
1747         // "cache"
1748         this->device              = device;
1749         this->kill                = kill;
1750         this->error_message       = &error_message;
1751         this->reconnect_requested = reconnect;
1752         this->random_input        = random_input;
1753         this->input               = input;
1754         this->chat_backend        = chat_backend;
1755         this->simple_singleplayer_mode = simple_singleplayer_mode;
1756
1757         driver              = device->getVideoDriver();
1758         smgr                = device->getSceneManager();
1759
1760         smgr->getParameters()->setAttribute(scene::OBJ_LOADER_IGNORE_MATERIAL_FILES, true);
1761
1762         if (!init(map_dir, address, port, gamespec))
1763                 return false;
1764
1765         if (!createClient(playername, password, address, port))
1766                 return false;
1767
1768         return true;
1769 }
1770
1771
1772 void Game::run()
1773 {
1774         ProfilerGraph graph;
1775         RunStats stats              = { 0 };
1776         CameraOrientation cam_view_target  = { 0 };
1777         CameraOrientation cam_view  = { 0 };
1778         GameRunData runData         = { 0 };
1779         FpsControl draw_times       = { 0 };
1780         VolatileRunFlags flags      = { 0 };
1781         f32 dtime; // in seconds
1782
1783         runData.time_from_last_punch  = 10.0;
1784         runData.profiler_max_page = 3;
1785         runData.update_wielded_item_trigger = true;
1786
1787         flags.show_chat = true;
1788         flags.show_hud = true;
1789         flags.show_minimap = g_settings->getBool("enable_minimap");
1790         flags.show_debug = g_settings->getBool("show_debug");
1791         flags.invert_mouse = g_settings->getBool("invert_mouse");
1792         flags.first_loop_after_window_activation = true;
1793
1794         /* Clear the profiler */
1795         Profiler::GraphValues dummyvalues;
1796         g_profiler->graphGet(dummyvalues);
1797
1798         draw_times.last_time = device->getTimer()->getTime();
1799
1800         shader_src->addGlobalConstantSetter(new GameGlobalShaderConstantSetter(
1801                         sky,
1802                         &flags.force_fog_off,
1803                         &runData.fog_range,
1804                         client));
1805
1806         std::vector<aabb3f> highlight_boxes;
1807
1808         set_light_table(g_settings->getFloat("display_gamma"));
1809
1810 #ifdef __ANDROID__
1811         m_cache_hold_aux1 = g_settings->getBool("fast_move")
1812                         && client->checkPrivilege("fast");
1813 #endif
1814
1815         while (device->run() && !(*kill || g_gamecallback->shutdown_requested)) {
1816
1817                 /* Must be called immediately after a device->run() call because it
1818                  * uses device->getTimer()->getTime()
1819                  */
1820                 limitFps(&draw_times, &dtime);
1821
1822                 updateStats(&stats, draw_times, dtime);
1823                 updateInteractTimers(&runData, dtime);
1824
1825                 if (!checkConnection())
1826                         break;
1827                 if (!handleCallbacks())
1828                         break;
1829
1830                 processQueues();
1831
1832                 infotext = L"";
1833                 hud->resizeHotbar();
1834
1835                 updateProfilers(runData, stats, draw_times, dtime);
1836                 processUserInput(&flags, &runData, dtime);
1837                 // Update camera before player movement to avoid camera lag of one frame
1838                 updateCameraDirection(&cam_view_target, &flags);
1839                 float cam_smoothing = 0;
1840                 if (g_settings->getBool("cinematic"))
1841                         cam_smoothing = 1 - g_settings->getFloat("cinematic_camera_smoothing");
1842                 else
1843                         cam_smoothing = 1 - g_settings->getFloat("camera_smoothing");
1844                 cam_smoothing = rangelim(cam_smoothing, 0.01f, 1.0f);
1845                 cam_view.camera_yaw += (cam_view_target.camera_yaw -
1846                                 cam_view.camera_yaw) * cam_smoothing;
1847                 cam_view.camera_pitch += (cam_view_target.camera_pitch -
1848                                 cam_view.camera_pitch) * cam_smoothing;
1849                 updatePlayerControl(cam_view);
1850                 step(&dtime);
1851                 processClientEvents(&cam_view_target, &runData.damage_flash);
1852                 updateCamera(&flags, draw_times.busy_time, dtime,
1853                                 runData.time_from_last_punch);
1854                 updateSound(dtime);
1855                 processPlayerInteraction(highlight_boxes, &runData, dtime,
1856                                 flags.show_hud, flags.show_debug);
1857                 updateFrame(highlight_boxes, &graph, &stats, &runData, dtime,
1858                                 flags, cam_view);
1859                 updateProfilerGraphs(&graph);
1860         }
1861 }
1862
1863
1864 void Game::shutdown()
1865 {
1866         showOverlayMessage(wgettext("Shutting down..."), 0, 0, false);
1867
1868         if (clouds)
1869                 clouds->drop();
1870
1871         if (gui_chat_console)
1872                 gui_chat_console->drop();
1873
1874         if (sky)
1875                 sky->drop();
1876
1877         /* cleanup menus */
1878         while (g_menumgr.menuCount() > 0) {
1879                 g_menumgr.m_stack.front()->setVisible(false);
1880                 g_menumgr.deletingMenu(g_menumgr.m_stack.front());
1881         }
1882
1883         if (current_formspec) {
1884                 current_formspec->drop();
1885                 current_formspec = NULL;
1886         }
1887
1888         chat_backend->addMessage(L"", L"# Disconnected.");
1889         chat_backend->addMessage(L"", L"");
1890
1891         if (client) {
1892                 client->Stop();
1893                 while (!client->isShutdown()) {
1894                         assert(texture_src != NULL);
1895                         assert(shader_src != NULL);
1896                         texture_src->processQueue();
1897                         shader_src->processQueue();
1898                         sleep_ms(100);
1899                 }
1900         }
1901 }
1902
1903
1904 /****************************************************************************/
1905 /****************************************************************************
1906  Startup
1907  ****************************************************************************/
1908 /****************************************************************************/
1909
1910 bool Game::init(
1911                 const std::string &map_dir,
1912                 std::string *address,
1913                 u16 port,
1914                 const SubgameSpec &gamespec)
1915 {
1916         showOverlayMessage(wgettext("Loading..."), 0, 0);
1917
1918         texture_src = createTextureSource(device);
1919         shader_src = createShaderSource(device);
1920
1921         itemdef_manager = createItemDefManager();
1922         nodedef_manager = createNodeDefManager();
1923
1924         eventmgr = new EventManager();
1925         quicktune = new QuicktuneShortcutter();
1926
1927         if (!(texture_src && shader_src && itemdef_manager && nodedef_manager
1928                         && eventmgr && quicktune))
1929                 return false;
1930
1931         if (!initSound())
1932                 return false;
1933
1934         // Create a server if not connecting to an existing one
1935         if (*address == "") {
1936                 if (!createSingleplayerServer(map_dir, gamespec, port, address))
1937                         return false;
1938         }
1939
1940         return true;
1941 }
1942
1943 bool Game::initSound()
1944 {
1945 #if USE_SOUND
1946         if (g_settings->getBool("enable_sound")) {
1947                 infostream << "Attempting to use OpenAL audio" << std::endl;
1948                 sound = createOpenALSoundManager(&soundfetcher);
1949                 if (!sound)
1950                         infostream << "Failed to initialize OpenAL audio" << std::endl;
1951         } else
1952                 infostream << "Sound disabled." << std::endl;
1953 #endif
1954
1955         if (!sound) {
1956                 infostream << "Using dummy audio." << std::endl;
1957                 sound = &dummySoundManager;
1958                 sound_is_dummy = true;
1959         }
1960
1961         soundmaker = new SoundMaker(sound, nodedef_manager);
1962         if (!soundmaker)
1963                 return false;
1964
1965         soundmaker->registerReceiver(eventmgr);
1966
1967         return true;
1968 }
1969
1970 bool Game::createSingleplayerServer(const std::string map_dir,
1971                 const SubgameSpec &gamespec, u16 port, std::string *address)
1972 {
1973         showOverlayMessage(wgettext("Creating server..."), 0, 5);
1974
1975         std::string bind_str = g_settings->get("bind_address");
1976         Address bind_addr(0, 0, 0, 0, port);
1977
1978         if (g_settings->getBool("ipv6_server")) {
1979                 bind_addr.setAddress((IPv6AddressBytes *) NULL);
1980         }
1981
1982         try {
1983                 bind_addr.Resolve(bind_str.c_str());
1984         } catch (ResolveError &e) {
1985                 infostream << "Resolving bind address \"" << bind_str
1986                            << "\" failed: " << e.what()
1987                            << " -- Listening on all addresses." << std::endl;
1988         }
1989
1990         if (bind_addr.isIPv6() && !g_settings->getBool("enable_ipv6")) {
1991                 *error_message = "Unable to listen on " +
1992                                 bind_addr.serializeString() +
1993                                 " because IPv6 is disabled";
1994                 errorstream << *error_message << std::endl;
1995                 return false;
1996         }
1997
1998         server = new Server(map_dir, gamespec, simple_singleplayer_mode,
1999                             bind_addr.isIPv6());
2000
2001         server->start(bind_addr);
2002
2003         return true;
2004 }
2005
2006 bool Game::createClient(const std::string &playername,
2007                 const std::string &password, std::string *address, u16 port)
2008 {
2009         showOverlayMessage(wgettext("Creating client..."), 0, 10);
2010
2011         draw_control = new MapDrawControl;
2012         if (!draw_control)
2013                 return false;
2014
2015         bool could_connect, connect_aborted;
2016
2017         if (!connectToServer(playername, password, address, port,
2018                         &could_connect, &connect_aborted))
2019                 return false;
2020
2021         if (!could_connect) {
2022                 if (error_message->empty() && !connect_aborted) {
2023                         // Should not happen if error messages are set properly
2024                         *error_message = "Connection failed for unknown reason";
2025                         errorstream << *error_message << std::endl;
2026                 }
2027                 return false;
2028         }
2029
2030         if (!getServerContent(&connect_aborted)) {
2031                 if (error_message->empty() && !connect_aborted) {
2032                         // Should not happen if error messages are set properly
2033                         *error_message = "Connection failed for unknown reason";
2034                         errorstream << *error_message << std::endl;
2035                 }
2036                 return false;
2037         }
2038
2039         // Update cached textures, meshes and materials
2040         client->afterContentReceived(device);
2041
2042         /* Camera
2043          */
2044         camera = new Camera(smgr, *draw_control, gamedef);
2045         if (!camera || !camera->successfullyCreated(*error_message))
2046                 return false;
2047
2048         /* Clouds
2049          */
2050         if (m_cache_enable_clouds) {
2051                 clouds = new Clouds(smgr->getRootSceneNode(), smgr, -1, time(0));
2052                 if (!clouds) {
2053                         *error_message = "Memory allocation error (clouds)";
2054                         errorstream << *error_message << std::endl;
2055                         return false;
2056                 }
2057         }
2058
2059         /* Skybox
2060          */
2061         sky = new Sky(smgr->getRootSceneNode(), smgr, -1, texture_src);
2062         skybox = NULL;  // This is used/set later on in the main run loop
2063
2064         local_inventory = new Inventory(itemdef_manager);
2065
2066         if (!(sky && local_inventory)) {
2067                 *error_message = "Memory allocation error (sky or local inventory)";
2068                 errorstream << *error_message << std::endl;
2069                 return false;
2070         }
2071
2072         /* Pre-calculated values
2073          */
2074         video::ITexture *t = texture_src->getTexture("crack_anylength.png");
2075         if (t) {
2076                 v2u32 size = t->getOriginalSize();
2077                 crack_animation_length = size.Y / size.X;
2078         } else {
2079                 crack_animation_length = 5;
2080         }
2081
2082         if (!initGui())
2083                 return false;
2084
2085         /* Set window caption
2086          */
2087         std::wstring str = utf8_to_wide(PROJECT_NAME_C);
2088         str += L" [";
2089         str += driver->getName();
2090         str += L"]";
2091         device->setWindowCaption(str.c_str());
2092
2093         LocalPlayer *player = client->getEnv().getLocalPlayer();
2094         player->hurt_tilt_timer = 0;
2095         player->hurt_tilt_strength = 0;
2096
2097         hud = new Hud(driver, smgr, guienv, gamedef, player, local_inventory);
2098
2099         if (!hud) {
2100                 *error_message = "Memory error: could not create HUD";
2101                 errorstream << *error_message << std::endl;
2102                 return false;
2103         }
2104
2105         mapper = client->getMapper();
2106         mapper->setMinimapMode(MINIMAP_MODE_OFF);
2107
2108         return true;
2109 }
2110
2111 bool Game::initGui()
2112 {
2113         // First line of debug text
2114         guitext = guienv->addStaticText(
2115                         utf8_to_wide(PROJECT_NAME_C).c_str(),
2116                         core::rect<s32>(0, 0, 0, 0),
2117                         false, false, guiroot);
2118
2119         // Second line of debug text
2120         guitext2 = guienv->addStaticText(
2121                         L"",
2122                         core::rect<s32>(0, 0, 0, 0),
2123                         false, false, guiroot);
2124
2125         // At the middle of the screen
2126         // Object infos are shown in this
2127         guitext_info = guienv->addStaticText(
2128                         L"",
2129                         core::rect<s32>(0, 0, 400, g_fontengine->getTextHeight() * 5 + 5) + v2s32(100, 200),
2130                         false, true, guiroot);
2131
2132         // Status text (displays info when showing and hiding GUI stuff, etc.)
2133         guitext_status = guienv->addStaticText(
2134                         L"<Status>",
2135                         core::rect<s32>(0, 0, 0, 0),
2136                         false, false, guiroot);
2137         guitext_status->setVisible(false);
2138
2139         // Chat text
2140         guitext_chat = guienv->addStaticText(
2141                         L"",
2142                         core::rect<s32>(0, 0, 0, 0),
2143                         //false, false); // Disable word wrap as of now
2144                         false, true, guiroot);
2145         // Remove stale "recent" chat messages from previous connections
2146         chat_backend->clearRecentChat();
2147
2148         // Chat backend and console
2149         gui_chat_console = new GUIChatConsole(guienv, guienv->getRootGUIElement(),
2150                         -1, chat_backend, client);
2151         if (!gui_chat_console) {
2152                 *error_message = "Could not allocate memory for chat console";
2153                 errorstream << *error_message << std::endl;
2154                 return false;
2155         }
2156
2157         // Profiler text (size is updated when text is updated)
2158         guitext_profiler = guienv->addStaticText(
2159                         L"<Profiler>",
2160                         core::rect<s32>(0, 0, 0, 0),
2161                         false, false, guiroot);
2162         guitext_profiler->setBackgroundColor(video::SColor(120, 0, 0, 0));
2163         guitext_profiler->setVisible(false);
2164         guitext_profiler->setWordWrap(true);
2165
2166 #ifdef HAVE_TOUCHSCREENGUI
2167
2168         if (g_touchscreengui)
2169                 g_touchscreengui->init(texture_src, porting::getDisplayDensity());
2170
2171 #endif
2172
2173         return true;
2174 }
2175
2176 bool Game::connectToServer(const std::string &playername,
2177                 const std::string &password, std::string *address, u16 port,
2178                 bool *connect_ok, bool *aborted)
2179 {
2180         *connect_ok = false;    // Let's not be overly optimistic
2181         *aborted = false;
2182         bool local_server_mode = false;
2183
2184         showOverlayMessage(wgettext("Resolving address..."), 0, 15);
2185
2186         Address connect_address(0, 0, 0, 0, port);
2187
2188         try {
2189                 connect_address.Resolve(address->c_str());
2190
2191                 if (connect_address.isZero()) { // i.e. INADDR_ANY, IN6ADDR_ANY
2192                         //connect_address.Resolve("localhost");
2193                         if (connect_address.isIPv6()) {
2194                                 IPv6AddressBytes addr_bytes;
2195                                 addr_bytes.bytes[15] = 1;
2196                                 connect_address.setAddress(&addr_bytes);
2197                         } else {
2198                                 connect_address.setAddress(127, 0, 0, 1);
2199                         }
2200                         local_server_mode = true;
2201                 }
2202         } catch (ResolveError &e) {
2203                 *error_message = std::string("Couldn't resolve address: ") + e.what();
2204                 errorstream << *error_message << std::endl;
2205                 return false;
2206         }
2207
2208         if (connect_address.isIPv6() && !g_settings->getBool("enable_ipv6")) {
2209                 *error_message = "Unable to connect to " +
2210                                 connect_address.serializeString() +
2211                                 " because IPv6 is disabled";
2212                 errorstream << *error_message << std::endl;
2213                 return false;
2214         }
2215
2216         client = new Client(device,
2217                         playername.c_str(), password,
2218                         *draw_control, texture_src, shader_src,
2219                         itemdef_manager, nodedef_manager, sound, eventmgr,
2220                         connect_address.isIPv6());
2221
2222         if (!client)
2223                 return false;
2224
2225         gamedef = client;       // Client acts as our GameDef
2226
2227         infostream << "Connecting to server at ";
2228         connect_address.print(&infostream);
2229         infostream << std::endl;
2230
2231         client->connect(connect_address, *address,
2232                 simple_singleplayer_mode || local_server_mode);
2233
2234         /*
2235                 Wait for server to accept connection
2236         */
2237
2238         try {
2239                 input->clear();
2240
2241                 FpsControl fps_control = { 0 };
2242                 f32 dtime;
2243                 f32 wait_time = 0; // in seconds
2244
2245                 fps_control.last_time = device->getTimer()->getTime();
2246
2247                 while (device->run()) {
2248
2249                         limitFps(&fps_control, &dtime);
2250
2251                         // Update client and server
2252                         client->step(dtime);
2253
2254                         if (server != NULL)
2255                                 server->step(dtime);
2256
2257                         // End condition
2258                         if (client->getState() == LC_Init) {
2259                                 *connect_ok = true;
2260                                 break;
2261                         }
2262
2263                         // Break conditions
2264                         if (client->accessDenied()) {
2265                                 *error_message = "Access denied. Reason: "
2266                                                 + client->accessDeniedReason();
2267                                 *reconnect_requested = client->reconnectRequested();
2268                                 errorstream << *error_message << std::endl;
2269                                 break;
2270                         }
2271
2272                         if (input->wasKeyDown(EscapeKey) || input->wasKeyDown(CancelKey)) {
2273                                 *aborted = true;
2274                                 infostream << "Connect aborted [Escape]" << std::endl;
2275                                 break;
2276                         }
2277
2278                         wait_time += dtime;
2279                         // Only time out if we aren't waiting for the server we started
2280                         if ((*address != "") && (wait_time > 10)) {
2281                                 *error_message = "Connection timed out.";
2282                                 errorstream << *error_message << std::endl;
2283                                 break;
2284                         }
2285
2286                         // Update status
2287                         showOverlayMessage(wgettext("Connecting to server..."), dtime, 20);
2288                 }
2289         } catch (con::PeerNotFoundException &e) {
2290                 // TODO: Should something be done here? At least an info/error
2291                 // message?
2292                 return false;
2293         }
2294
2295         return true;
2296 }
2297
2298 bool Game::getServerContent(bool *aborted)
2299 {
2300         input->clear();
2301
2302         FpsControl fps_control = { 0 };
2303         f32 dtime; // in seconds
2304
2305         fps_control.last_time = device->getTimer()->getTime();
2306
2307         while (device->run()) {
2308
2309                 limitFps(&fps_control, &dtime);
2310
2311                 // Update client and server
2312                 client->step(dtime);
2313
2314                 if (server != NULL)
2315                         server->step(dtime);
2316
2317                 // End condition
2318                 if (client->mediaReceived() && client->itemdefReceived() &&
2319                                 client->nodedefReceived()) {
2320                         break;
2321                 }
2322
2323                 // Error conditions
2324                 if (!checkConnection())
2325                         return false;
2326
2327                 if (client->getState() < LC_Init) {
2328                         *error_message = "Client disconnected";
2329                         errorstream << *error_message << std::endl;
2330                         return false;
2331                 }
2332
2333                 if (input->wasKeyDown(EscapeKey) || input->wasKeyDown(CancelKey)) {
2334                         *aborted = true;
2335                         infostream << "Connect aborted [Escape]" << std::endl;
2336                         return false;
2337                 }
2338
2339                 // Display status
2340                 int progress = 25;
2341
2342                 if (!client->itemdefReceived()) {
2343                         const wchar_t *text = wgettext("Item definitions...");
2344                         progress = 25;
2345                         draw_load_screen(text, device, guienv, dtime, progress);
2346                         delete[] text;
2347                 } else if (!client->nodedefReceived()) {
2348                         const wchar_t *text = wgettext("Node definitions...");
2349                         progress = 30;
2350                         draw_load_screen(text, device, guienv, dtime, progress);
2351                         delete[] text;
2352                 } else {
2353                         std::stringstream message;
2354                         message.precision(3);
2355                         message << gettext("Media...");
2356
2357                         if ((USE_CURL == 0) ||
2358                                         (!g_settings->getBool("enable_remote_media_server"))) {
2359                                 float cur = client->getCurRate();
2360                                 std::string cur_unit = gettext("KiB/s");
2361
2362                                 if (cur > 900) {
2363                                         cur /= 1024.0;
2364                                         cur_unit = gettext("MiB/s");
2365                                 }
2366
2367                                 message << " (" << cur << ' ' << cur_unit << ")";
2368                         }
2369
2370                         progress = 30 + client->mediaReceiveProgress() * 35 + 0.5;
2371                         draw_load_screen(utf8_to_wide(message.str()), device,
2372                                         guienv, dtime, progress);
2373                 }
2374         }
2375
2376         return true;
2377 }
2378
2379
2380 /****************************************************************************/
2381 /****************************************************************************
2382  Run
2383  ****************************************************************************/
2384 /****************************************************************************/
2385
2386 inline void Game::updateInteractTimers(GameRunData *runData, f32 dtime)
2387 {
2388         if (runData->nodig_delay_timer >= 0)
2389                 runData->nodig_delay_timer -= dtime;
2390
2391         if (runData->object_hit_delay_timer >= 0)
2392                 runData->object_hit_delay_timer -= dtime;
2393
2394         runData->time_from_last_punch += dtime;
2395 }
2396
2397
2398 /* returns false if game should exit, otherwise true
2399  */
2400 inline bool Game::checkConnection()
2401 {
2402         if (client->accessDenied()) {
2403                 *error_message = "Access denied. Reason: "
2404                                 + client->accessDeniedReason();
2405                 *reconnect_requested = client->reconnectRequested();
2406                 errorstream << *error_message << std::endl;
2407                 return false;
2408         }
2409
2410         return true;
2411 }
2412
2413
2414 /* returns false if game should exit, otherwise true
2415  */
2416 inline bool Game::handleCallbacks()
2417 {
2418         if (g_gamecallback->disconnect_requested) {
2419                 g_gamecallback->disconnect_requested = false;
2420                 return false;
2421         }
2422
2423         if (g_gamecallback->changepassword_requested) {
2424                 (new GUIPasswordChange(guienv, guiroot, -1,
2425                                        &g_menumgr, client))->drop();
2426                 g_gamecallback->changepassword_requested = false;
2427         }
2428
2429         if (g_gamecallback->changevolume_requested) {
2430                 (new GUIVolumeChange(guienv, guiroot, -1,
2431                                      &g_menumgr, client))->drop();
2432                 g_gamecallback->changevolume_requested = false;
2433         }
2434
2435         if (g_gamecallback->keyconfig_requested) {
2436                 (new GUIKeyChangeMenu(guienv, guiroot, -1,
2437                                       &g_menumgr))->drop();
2438                 g_gamecallback->keyconfig_requested = false;
2439         }
2440
2441         if (g_gamecallback->keyconfig_changed) {
2442                 keycache.populate(); // update the cache with new settings
2443                 g_gamecallback->keyconfig_changed = false;
2444         }
2445
2446         return true;
2447 }
2448
2449
2450 void Game::processQueues()
2451 {
2452         texture_src->processQueue();
2453         itemdef_manager->processQueue(gamedef);
2454         shader_src->processQueue();
2455 }
2456
2457
2458 void Game::updateProfilers(const GameRunData &runData, const RunStats &stats,
2459                 const FpsControl &draw_times, f32 dtime)
2460 {
2461         float profiler_print_interval =
2462                         g_settings->getFloat("profiler_print_interval");
2463         bool print_to_log = true;
2464
2465         if (profiler_print_interval == 0) {
2466                 print_to_log = false;
2467                 profiler_print_interval = 5;
2468         }
2469
2470         if (profiler_interval.step(dtime, profiler_print_interval)) {
2471                 if (print_to_log) {
2472                         infostream << "Profiler:" << std::endl;
2473                         g_profiler->print(infostream);
2474                 }
2475
2476                 update_profiler_gui(guitext_profiler, g_fontengine,
2477                                 runData.profiler_current_page, runData.profiler_max_page,
2478                                 driver->getScreenSize().Height);
2479
2480                 g_profiler->clear();
2481         }
2482
2483         addProfilerGraphs(stats, draw_times, dtime);
2484 }
2485
2486
2487 void Game::addProfilerGraphs(const RunStats &stats,
2488                 const FpsControl &draw_times, f32 dtime)
2489 {
2490         g_profiler->graphAdd("mainloop_other",
2491                         draw_times.busy_time / 1000.0f - stats.drawtime / 1000.0f);
2492
2493         if (draw_times.sleep_time != 0)
2494                 g_profiler->graphAdd("mainloop_sleep", draw_times.sleep_time / 1000.0f);
2495         g_profiler->graphAdd("mainloop_dtime", dtime);
2496
2497         g_profiler->add("Elapsed time", dtime);
2498         g_profiler->avg("FPS", 1. / dtime);
2499 }
2500
2501
2502 void Game::updateStats(RunStats *stats, const FpsControl &draw_times,
2503                 f32 dtime)
2504 {
2505
2506         f32 jitter;
2507         Jitter *jp;
2508
2509         /* Time average and jitter calculation
2510          */
2511         jp = &stats->dtime_jitter;
2512         jp->avg = jp->avg * 0.96 + dtime * 0.04;
2513
2514         jitter = dtime - jp->avg;
2515
2516         if (jitter > jp->max)
2517                 jp->max = jitter;
2518
2519         jp->counter += dtime;
2520
2521         if (jp->counter > 0.0) {
2522                 jp->counter -= 3.0;
2523                 jp->max_sample = jp->max;
2524                 jp->max_fraction = jp->max_sample / (jp->avg + 0.001);
2525                 jp->max = 0.0;
2526         }
2527
2528         /* Busytime average and jitter calculation
2529          */
2530         jp = &stats->busy_time_jitter;
2531         jp->avg = jp->avg + draw_times.busy_time * 0.02;
2532
2533         jitter = draw_times.busy_time - jp->avg;
2534
2535         if (jitter > jp->max)
2536                 jp->max = jitter;
2537         if (jitter < jp->min)
2538                 jp->min = jitter;
2539
2540         jp->counter += dtime;
2541
2542         if (jp->counter > 0.0) {
2543                 jp->counter -= 3.0;
2544                 jp->max_sample = jp->max;
2545                 jp->min_sample = jp->min;
2546                 jp->max = 0.0;
2547                 jp->min = 0.0;
2548         }
2549 }
2550
2551
2552
2553 /****************************************************************************
2554  Input handling
2555  ****************************************************************************/
2556
2557 void Game::processUserInput(VolatileRunFlags *flags,
2558                 GameRunData *runData, f32 dtime)
2559 {
2560         // Reset input if window not active or some menu is active
2561         if (device->isWindowActive() == false
2562                         || noMenuActive() == false
2563                         || guienv->hasFocus(gui_chat_console)) {
2564                 input->clear();
2565         }
2566
2567         if (!guienv->hasFocus(gui_chat_console) && gui_chat_console->isOpen()) {
2568                 gui_chat_console->closeConsoleAtOnce();
2569         }
2570
2571         // Input handler step() (used by the random input generator)
2572         input->step(dtime);
2573
2574 #ifdef HAVE_TOUCHSCREENGUI
2575
2576         if (g_touchscreengui) {
2577                 g_touchscreengui->step(dtime);
2578         }
2579
2580 #endif
2581 #ifdef __ANDROID__
2582
2583         if (current_formspec != 0)
2584                 current_formspec->getAndroidUIInput();
2585
2586 #endif
2587
2588         // Increase timer for double tap of "keymap_jump"
2589         if (m_cache_doubletap_jump && runData->jump_timer <= 0.2)
2590                 runData->jump_timer += dtime;
2591
2592         processKeyboardInput(
2593                         flags,
2594                         &runData->statustext_time,
2595                         &runData->jump_timer,
2596                         &runData->reset_jump_timer,
2597                         &runData->profiler_current_page,
2598                         runData->profiler_max_page);
2599
2600         processItemSelection(&runData->new_playeritem);
2601 }
2602
2603
2604 void Game::processKeyboardInput(VolatileRunFlags *flags,
2605                 float *statustext_time,
2606                 float *jump_timer,
2607                 bool *reset_jump_timer,
2608                 u32 *profiler_current_page,
2609                 u32 profiler_max_page)
2610 {
2611
2612         //TimeTaker tt("process kybd input", NULL, PRECISION_NANO);
2613
2614         if (input->wasKeyDown(keycache.key[KeyCache::KEYMAP_ID_DROP])) {
2615                 dropSelectedItem();
2616         } else if (input->wasKeyDown(keycache.key[KeyCache::KEYMAP_ID_INVENTORY])) {
2617                 openInventory();
2618         } else if (input->wasKeyDown(EscapeKey) || input->wasKeyDown(CancelKey)) {
2619                 show_pause_menu(&current_formspec, client, gamedef, texture_src, device,
2620                                 simple_singleplayer_mode);
2621         } else if (input->wasKeyDown(keycache.key[KeyCache::KEYMAP_ID_CHAT])) {
2622                 show_chat_menu(&current_formspec, client, gamedef, texture_src, device,
2623                                 client, "");
2624         } else if (input->wasKeyDown(keycache.key[KeyCache::KEYMAP_ID_CMD])) {
2625                 show_chat_menu(&current_formspec, client, gamedef, texture_src, device,
2626                                 client, "/");
2627         } else if (input->wasKeyDown(keycache.key[KeyCache::KEYMAP_ID_CONSOLE])) {
2628                 openConsole();
2629         } else if (input->wasKeyDown(keycache.key[KeyCache::KEYMAP_ID_FREEMOVE])) {
2630                 toggleFreeMove(statustext_time);
2631         } else if (input->wasKeyDown(keycache.key[KeyCache::KEYMAP_ID_JUMP])) {
2632                 toggleFreeMoveAlt(statustext_time, jump_timer);
2633                 *reset_jump_timer = true;
2634         } else if (input->wasKeyDown(keycache.key[KeyCache::KEYMAP_ID_FASTMOVE])) {
2635                 toggleFast(statustext_time);
2636         } else if (input->wasKeyDown(keycache.key[KeyCache::KEYMAP_ID_NOCLIP])) {
2637                 toggleNoClip(statustext_time);
2638         } else if (input->wasKeyDown(keycache.key[KeyCache::KEYMAP_ID_CINEMATIC])) {
2639                 toggleCinematic(statustext_time);
2640         } else if (input->wasKeyDown(keycache.key[KeyCache::KEYMAP_ID_SCREENSHOT])) {
2641                 client->makeScreenshot(device);
2642         } else if (input->wasKeyDown(keycache.key[KeyCache::KEYMAP_ID_TOGGLE_HUD])) {
2643                 toggleHud(statustext_time, &flags->show_hud);
2644         } else if (input->wasKeyDown(keycache.key[KeyCache::KEYMAP_ID_MINIMAP])) {
2645                 toggleMinimap(statustext_time, &flags->show_minimap, flags->show_hud,
2646                         input->isKeyDown(keycache.key[KeyCache::KEYMAP_ID_SNEAK]));
2647         } else if (input->wasKeyDown(keycache.key[KeyCache::KEYMAP_ID_TOGGLE_CHAT])) {
2648                 toggleChat(statustext_time, &flags->show_chat);
2649         } else if (input->wasKeyDown(keycache.key[KeyCache::KEYMAP_ID_TOGGLE_FORCE_FOG_OFF])) {
2650                 toggleFog(statustext_time, &flags->force_fog_off);
2651         } else if (input->wasKeyDown(keycache.key[KeyCache::KEYMAP_ID_TOGGLE_UPDATE_CAMERA])) {
2652                 toggleUpdateCamera(statustext_time, &flags->disable_camera_update);
2653         } else if (input->wasKeyDown(keycache.key[KeyCache::KEYMAP_ID_TOGGLE_DEBUG])) {
2654                 toggleDebug(statustext_time, &flags->show_debug, &flags->show_profiler_graph);
2655         } else if (input->wasKeyDown(keycache.key[KeyCache::KEYMAP_ID_TOGGLE_PROFILER])) {
2656                 toggleProfiler(statustext_time, profiler_current_page, profiler_max_page);
2657         } else if (input->wasKeyDown(keycache.key[KeyCache::KEYMAP_ID_INCREASE_VIEWING_RANGE])) {
2658                 increaseViewRange(statustext_time);
2659         } else if (input->wasKeyDown(keycache.key[KeyCache::KEYMAP_ID_DECREASE_VIEWING_RANGE])) {
2660                 decreaseViewRange(statustext_time);
2661         } else if (input->wasKeyDown(keycache.key[KeyCache::KEYMAP_ID_RANGESELECT])) {
2662                 toggleFullViewRange(statustext_time);
2663         } else if (input->wasKeyDown(keycache.key[KeyCache::KEYMAP_ID_QUICKTUNE_NEXT]))
2664                 quicktune->next();
2665         else if (input->wasKeyDown(keycache.key[KeyCache::KEYMAP_ID_QUICKTUNE_PREV]))
2666                 quicktune->prev();
2667         else if (input->wasKeyDown(keycache.key[KeyCache::KEYMAP_ID_QUICKTUNE_INC]))
2668                 quicktune->inc();
2669         else if (input->wasKeyDown(keycache.key[KeyCache::KEYMAP_ID_QUICKTUNE_DEC]))
2670                 quicktune->dec();
2671         else if (input->wasKeyDown(keycache.key[KeyCache::KEYMAP_ID_DEBUG_STACKS])) {
2672                 // Print debug stacks
2673                 dstream << "-----------------------------------------"
2674                         << std::endl;
2675                 dstream << DTIME << "Printing debug stacks:" << std::endl;
2676                 dstream << "-----------------------------------------"
2677                         << std::endl;
2678                 debug_stacks_print();
2679         }
2680
2681         if (!input->isKeyDown(getKeySetting("keymap_jump")) && *reset_jump_timer) {
2682                 *reset_jump_timer = false;
2683                 *jump_timer = 0.0;
2684         }
2685
2686         //tt.stop();
2687
2688         if (quicktune->hasMessage()) {
2689                 std::string msg = quicktune->getMessage();
2690                 statustext = utf8_to_wide(msg);
2691                 *statustext_time = 0;
2692         }
2693 }
2694
2695
2696 void Game::processItemSelection(u16 *new_playeritem)
2697 {
2698         LocalPlayer *player = client->getEnv().getLocalPlayer();
2699
2700         /* Item selection using mouse wheel
2701          */
2702         *new_playeritem = client->getPlayerItem();
2703
2704         s32 wheel = input->getMouseWheel();
2705         u16 max_item = MYMIN(PLAYER_INVENTORY_SIZE - 1,
2706                                  player->hud_hotbar_itemcount - 1);
2707
2708         if (wheel < 0)
2709                 *new_playeritem = *new_playeritem < max_item ? *new_playeritem + 1 : 0;
2710         else if (wheel > 0)
2711                 *new_playeritem = *new_playeritem > 0 ? *new_playeritem - 1 : max_item;
2712         // else wheel == 0
2713
2714
2715         /* Item selection using keyboard
2716          */
2717         for (u16 i = 0; i < 10; i++) {
2718                 static const KeyPress *item_keys[10] = {
2719                         NumberKey + 1, NumberKey + 2, NumberKey + 3, NumberKey + 4,
2720                         NumberKey + 5, NumberKey + 6, NumberKey + 7, NumberKey + 8,
2721                         NumberKey + 9, NumberKey + 0,
2722                 };
2723
2724                 if (input->wasKeyDown(*item_keys[i])) {
2725                         if (i < PLAYER_INVENTORY_SIZE && i < player->hud_hotbar_itemcount) {
2726                                 *new_playeritem = i;
2727                                 infostream << "Selected item: " << new_playeritem << std::endl;
2728                         }
2729                         break;
2730                 }
2731         }
2732 }
2733
2734
2735 void Game::dropSelectedItem()
2736 {
2737         IDropAction *a = new IDropAction();
2738         a->count = 0;
2739         a->from_inv.setCurrentPlayer();
2740         a->from_list = "main";
2741         a->from_i = client->getPlayerItem();
2742         client->inventoryAction(a);
2743 }
2744
2745
2746 void Game::openInventory()
2747 {
2748         /*
2749          * Don't permit to open inventory is CAO or player doesn't exists.
2750          * This prevent showing an empty inventory at player load
2751          */
2752
2753         LocalPlayer *player = client->getEnv().getLocalPlayer();
2754         if (player == NULL || player->getCAO() == NULL)
2755                 return;
2756
2757         infostream << "the_game: " << "Launching inventory" << std::endl;
2758
2759         PlayerInventoryFormSource *fs_src = new PlayerInventoryFormSource(client);
2760         TextDest *txt_dst = new TextDestPlayerInventory(client);
2761
2762         create_formspec_menu(&current_formspec, client, gamedef, texture_src,
2763                         device, fs_src, txt_dst, client);
2764
2765         InventoryLocation inventoryloc;
2766         inventoryloc.setCurrentPlayer();
2767         current_formspec->setFormSpec(fs_src->getForm(), inventoryloc);
2768 }
2769
2770
2771 void Game::openConsole()
2772 {
2773         if (!gui_chat_console->isOpenInhibited()) {
2774                 // Open up to over half of the screen
2775                 gui_chat_console->openConsole(0.6);
2776                 guienv->setFocus(gui_chat_console);
2777         }
2778 }
2779
2780
2781 void Game::toggleFreeMove(float *statustext_time)
2782 {
2783         static const wchar_t *msg[] = { L"free_move disabled", L"free_move enabled" };
2784
2785         bool free_move = !g_settings->getBool("free_move");
2786         g_settings->set("free_move", bool_to_cstr(free_move));
2787
2788         *statustext_time = 0;
2789         statustext = msg[free_move];
2790         if (free_move && !client->checkPrivilege("fly"))
2791                 statustext += L" (note: no 'fly' privilege)";
2792 }
2793
2794
2795 void Game::toggleFreeMoveAlt(float *statustext_time, float *jump_timer)
2796 {
2797         if (m_cache_doubletap_jump && *jump_timer < 0.2f)
2798                 toggleFreeMove(statustext_time);
2799 }
2800
2801
2802 void Game::toggleFast(float *statustext_time)
2803 {
2804         static const wchar_t *msg[] = { L"fast_move disabled", L"fast_move enabled" };
2805         bool fast_move = !g_settings->getBool("fast_move");
2806         g_settings->set("fast_move", bool_to_cstr(fast_move));
2807
2808         *statustext_time = 0;
2809         statustext = msg[fast_move];
2810
2811         bool has_fast_privs = client->checkPrivilege("fast");
2812
2813         if (fast_move && !has_fast_privs)
2814                 statustext += L" (note: no 'fast' privilege)";
2815
2816 #ifdef __ANDROID__
2817         m_cache_hold_aux1 = fast_move && has_fast_privs;
2818 #endif
2819 }
2820
2821
2822 void Game::toggleNoClip(float *statustext_time)
2823 {
2824         static const wchar_t *msg[] = { L"noclip disabled", L"noclip enabled" };
2825         bool noclip = !g_settings->getBool("noclip");
2826         g_settings->set("noclip", bool_to_cstr(noclip));
2827
2828         *statustext_time = 0;
2829         statustext = msg[noclip];
2830
2831         if (noclip && !client->checkPrivilege("noclip"))
2832                 statustext += L" (note: no 'noclip' privilege)";
2833 }
2834
2835 void Game::toggleCinematic(float *statustext_time)
2836 {
2837         static const wchar_t *msg[] = { L"cinematic disabled", L"cinematic enabled" };
2838         bool cinematic = !g_settings->getBool("cinematic");
2839         g_settings->set("cinematic", bool_to_cstr(cinematic));
2840
2841         *statustext_time = 0;
2842         statustext = msg[cinematic];
2843 }
2844
2845
2846 void Game::toggleChat(float *statustext_time, bool *flag)
2847 {
2848         static const wchar_t *msg[] = { L"Chat hidden", L"Chat shown" };
2849
2850         *flag = !*flag;
2851         *statustext_time = 0;
2852         statustext = msg[*flag];
2853 }
2854
2855
2856 void Game::toggleHud(float *statustext_time, bool *flag)
2857 {
2858         static const wchar_t *msg[] = { L"HUD hidden", L"HUD shown" };
2859
2860         *flag = !*flag;
2861         *statustext_time = 0;
2862         statustext = msg[*flag];
2863         if (g_settings->getBool("enable_node_highlighting"))
2864                 client->setHighlighted(client->getHighlighted(), *flag);
2865 }
2866
2867 void Game::toggleMinimap(float *statustext_time, bool *flag,
2868         bool show_hud, bool shift_pressed)
2869 {
2870         if (!show_hud || !g_settings->getBool("enable_minimap"))
2871                 return;
2872
2873         if (shift_pressed) {
2874                 mapper->toggleMinimapShape();
2875                 return;
2876         }
2877
2878         u32 hud_flags = client->getEnv().getLocalPlayer()->hud_flags;
2879
2880         MinimapMode mode = MINIMAP_MODE_OFF;
2881         if (hud_flags & HUD_FLAG_MINIMAP_VISIBLE) {
2882                 mode = mapper->getMinimapMode();
2883                 mode = (MinimapMode)((int)mode + 1);
2884         }
2885
2886         *flag = true;
2887         switch (mode) {
2888                 case MINIMAP_MODE_SURFACEx1:
2889                         statustext = L"Minimap in surface mode, Zoom x1";
2890                         break;
2891                 case MINIMAP_MODE_SURFACEx2:
2892                         statustext = L"Minimap in surface mode, Zoom x2";
2893                         break;
2894                 case MINIMAP_MODE_SURFACEx4:
2895                         statustext = L"Minimap in surface mode, Zoom x4";
2896                         break;
2897                 case MINIMAP_MODE_RADARx1:
2898                         statustext = L"Minimap in radar mode, Zoom x1";
2899                         break;
2900                 case MINIMAP_MODE_RADARx2:
2901                         statustext = L"Minimap in radar mode, Zoom x2";
2902                         break;
2903                 case MINIMAP_MODE_RADARx4:
2904                         statustext = L"Minimap in radar mode, Zoom x4";
2905                         break;
2906                 default:
2907                         mode = MINIMAP_MODE_OFF;
2908                         *flag = false;
2909                         statustext = (hud_flags & HUD_FLAG_MINIMAP_VISIBLE) ?
2910                                 L"Minimap hidden" : L"Minimap disabled by server";
2911         }
2912
2913         *statustext_time = 0;
2914         mapper->setMinimapMode(mode);
2915 }
2916
2917 void Game::toggleFog(float *statustext_time, bool *flag)
2918 {
2919         static const wchar_t *msg[] = { L"Fog enabled", L"Fog disabled" };
2920
2921         *flag = !*flag;
2922         *statustext_time = 0;
2923         statustext = msg[*flag];
2924 }
2925
2926
2927 void Game::toggleDebug(float *statustext_time, bool *show_debug,
2928                 bool *show_profiler_graph)
2929 {
2930         // Initial / 3x toggle: Chat only
2931         // 1x toggle: Debug text with chat
2932         // 2x toggle: Debug text with profiler graph
2933         if (!*show_debug) {
2934                 *show_debug = true;
2935                 *show_profiler_graph = false;
2936                 statustext = L"Debug info shown";
2937         } else if (*show_profiler_graph) {
2938                 *show_debug = false;
2939                 *show_profiler_graph = false;
2940                 statustext = L"Debug info and profiler graph hidden";
2941         } else {
2942                 *show_profiler_graph = true;
2943                 statustext = L"Profiler graph shown";
2944         }
2945         *statustext_time = 0;
2946 }
2947
2948
2949 void Game::toggleUpdateCamera(float *statustext_time, bool *flag)
2950 {
2951         static const wchar_t *msg[] = {
2952                 L"Camera update enabled",
2953                 L"Camera update disabled"
2954         };
2955
2956         *flag = !*flag;
2957         *statustext_time = 0;
2958         statustext = msg[*flag];
2959 }
2960
2961
2962 void Game::toggleProfiler(float *statustext_time, u32 *profiler_current_page,
2963                 u32 profiler_max_page)
2964 {
2965         *profiler_current_page = (*profiler_current_page + 1) % (profiler_max_page + 1);
2966
2967         // FIXME: This updates the profiler with incomplete values
2968         update_profiler_gui(guitext_profiler, g_fontengine, *profiler_current_page,
2969                         profiler_max_page, driver->getScreenSize().Height);
2970
2971         if (*profiler_current_page != 0) {
2972                 std::wstringstream sstr;
2973                 sstr << "Profiler shown (page " << *profiler_current_page
2974                      << " of " << profiler_max_page << ")";
2975                 statustext = sstr.str();
2976         } else {
2977                 statustext = L"Profiler hidden";
2978         }
2979         *statustext_time = 0;
2980 }
2981
2982
2983 void Game::increaseViewRange(float *statustext_time)
2984 {
2985         s16 range = g_settings->getS16("viewing_range_nodes_min");
2986         s16 range_new = range + 10;
2987         g_settings->set("viewing_range_nodes_min", itos(range_new));
2988         statustext = utf8_to_wide("Minimum viewing range changed to "
2989                         + itos(range_new));
2990         *statustext_time = 0;
2991 }
2992
2993
2994 void Game::decreaseViewRange(float *statustext_time)
2995 {
2996         s16 range = g_settings->getS16("viewing_range_nodes_min");
2997         s16 range_new = range - 10;
2998
2999         if (range_new < 0)
3000                 range_new = range;
3001
3002         g_settings->set("viewing_range_nodes_min", itos(range_new));
3003         statustext = utf8_to_wide("Minimum viewing range changed to "
3004                         + itos(range_new));
3005         *statustext_time = 0;
3006 }
3007
3008
3009 void Game::toggleFullViewRange(float *statustext_time)
3010 {
3011         static const wchar_t *msg[] = {
3012                 L"Disabled full viewing range",
3013                 L"Enabled full viewing range"
3014         };
3015
3016         draw_control->range_all = !draw_control->range_all;
3017         infostream << msg[draw_control->range_all] << std::endl;
3018         statustext = msg[draw_control->range_all];
3019         *statustext_time = 0;
3020 }
3021
3022
3023 void Game::updateCameraDirection(CameraOrientation *cam,
3024                 VolatileRunFlags *flags)
3025 {
3026         if ((device->isWindowActive() && noMenuActive()) || random_input) {
3027
3028 #ifndef __ANDROID__
3029                 if (!random_input) {
3030                         // Mac OSX gets upset if this is set every frame
3031                         if (device->getCursorControl()->isVisible())
3032                                 device->getCursorControl()->setVisible(false);
3033                 }
3034 #endif
3035
3036                 if (flags->first_loop_after_window_activation)
3037                         flags->first_loop_after_window_activation = false;
3038                 else
3039                         updateCameraOrientation(cam, *flags);
3040
3041                 input->setMousePos((driver->getScreenSize().Width / 2),
3042                                 (driver->getScreenSize().Height / 2));
3043         } else {
3044
3045 #ifndef ANDROID
3046                 // Mac OSX gets upset if this is set every frame
3047                 if (device->getCursorControl()->isVisible() == false)
3048                         device->getCursorControl()->setVisible(true);
3049 #endif
3050
3051                 if (!flags->first_loop_after_window_activation)
3052                         flags->first_loop_after_window_activation = true;
3053
3054         }
3055 }
3056
3057
3058 void Game::updateCameraOrientation(CameraOrientation *cam,
3059                 const VolatileRunFlags &flags)
3060 {
3061 #ifdef HAVE_TOUCHSCREENGUI
3062         if (g_touchscreengui) {
3063                 cam->camera_yaw   = g_touchscreengui->getYaw();
3064                 cam->camera_pitch = g_touchscreengui->getPitch();
3065         } else {
3066 #endif
3067                 s32 dx = input->getMousePos().X - (driver->getScreenSize().Width / 2);
3068                 s32 dy = input->getMousePos().Y - (driver->getScreenSize().Height / 2);
3069
3070                 if (flags.invert_mouse
3071                                 || camera->getCameraMode() == CAMERA_MODE_THIRD_FRONT) {
3072                         dy = -dy;
3073                 }
3074
3075                 cam->camera_yaw   -= dx * m_cache_mouse_sensitivity;
3076                 cam->camera_pitch += dy * m_cache_mouse_sensitivity;
3077
3078 #ifdef HAVE_TOUCHSCREENGUI
3079         }
3080 #endif
3081
3082         cam->camera_pitch = rangelim(cam->camera_pitch, -89.5, 89.5);
3083 }
3084
3085
3086 void Game::updatePlayerControl(const CameraOrientation &cam)
3087 {
3088         //TimeTaker tt("update player control", NULL, PRECISION_NANO);
3089
3090         PlayerControl control(
3091                 input->isKeyDown(keycache.key[KeyCache::KEYMAP_ID_FORWARD]),
3092                 input->isKeyDown(keycache.key[KeyCache::KEYMAP_ID_BACKWARD]),
3093                 input->isKeyDown(keycache.key[KeyCache::KEYMAP_ID_LEFT]),
3094                 input->isKeyDown(keycache.key[KeyCache::KEYMAP_ID_RIGHT]),
3095                 input->isKeyDown(keycache.key[KeyCache::KEYMAP_ID_JUMP]),
3096                 input->isKeyDown(keycache.key[KeyCache::KEYMAP_ID_SPECIAL1]),
3097                 input->isKeyDown(keycache.key[KeyCache::KEYMAP_ID_SNEAK]),
3098                 input->getLeftState(),
3099                 input->getRightState(),
3100                 cam.camera_pitch,
3101                 cam.camera_yaw
3102         );
3103
3104         u32 keypress_bits =
3105                         ( (u32)(input->isKeyDown(keycache.key[KeyCache::KEYMAP_ID_FORWARD])  & 0x1) << 0) |
3106                         ( (u32)(input->isKeyDown(keycache.key[KeyCache::KEYMAP_ID_BACKWARD]) & 0x1) << 1) |
3107                         ( (u32)(input->isKeyDown(keycache.key[KeyCache::KEYMAP_ID_LEFT])     & 0x1) << 2) |
3108                         ( (u32)(input->isKeyDown(keycache.key[KeyCache::KEYMAP_ID_RIGHT])    & 0x1) << 3) |
3109                         ( (u32)(input->isKeyDown(keycache.key[KeyCache::KEYMAP_ID_JUMP])     & 0x1) << 4) |
3110                         ( (u32)(input->isKeyDown(keycache.key[KeyCache::KEYMAP_ID_SPECIAL1]) & 0x1) << 5) |
3111                         ( (u32)(input->isKeyDown(keycache.key[KeyCache::KEYMAP_ID_SNEAK])    & 0x1) << 6) |
3112                         ( (u32)(input->getLeftState()                                        & 0x1) << 7) |
3113                         ( (u32)(input->getRightState()                                       & 0x1) << 8
3114                 );
3115
3116 #ifdef ANDROID
3117         /* For Android, simulate holding down AUX1 (fast move) if the user has
3118          * the fast_move setting toggled on. If there is an aux1 key defined for
3119          * Android then its meaning is inverted (i.e. holding aux1 means walk and
3120          * not fast)
3121          */
3122         if (m_cache_hold_aux1) {
3123                 control.aux1 = control.aux1 ^ true;
3124                 keypress_bits ^= ((u32)(1U << 5));
3125         }
3126 #endif
3127
3128         client->setPlayerControl(control);
3129         LocalPlayer *player = client->getEnv().getLocalPlayer();
3130         player->keyPressed = keypress_bits;
3131
3132         //tt.stop();
3133 }
3134
3135
3136 inline void Game::step(f32 *dtime)
3137 {
3138         bool can_be_and_is_paused =
3139                         (simple_singleplayer_mode && g_menumgr.pausesGame());
3140
3141         if (can_be_and_is_paused) {     // This is for a singleplayer server
3142                 *dtime = 0;             // No time passes
3143         } else {
3144                 if (server != NULL) {
3145                         //TimeTaker timer("server->step(dtime)");
3146                         server->step(*dtime);
3147                 }
3148
3149                 //TimeTaker timer("client.step(dtime)");
3150                 client->step(*dtime);
3151         }
3152 }
3153
3154
3155 void Game::processClientEvents(CameraOrientation *cam, float *damage_flash)
3156 {
3157         ClientEvent event = client->getClientEvent();
3158
3159         LocalPlayer *player = client->getEnv().getLocalPlayer();
3160
3161         for ( ; event.type != CE_NONE; event = client->getClientEvent()) {
3162
3163                 if (event.type == CE_PLAYER_DAMAGE &&
3164                                 client->getHP() != 0) {
3165                         //u16 damage = event.player_damage.amount;
3166                         //infostream<<"Player damage: "<<damage<<std::endl;
3167
3168                         *damage_flash += 100.0;
3169                         *damage_flash += 8.0 * event.player_damage.amount;
3170
3171                         player->hurt_tilt_timer = 1.5;
3172                         player->hurt_tilt_strength = event.player_damage.amount / 4;
3173                         player->hurt_tilt_strength = rangelim(player->hurt_tilt_strength, 1.0, 4.0);
3174
3175                         MtEvent *e = new SimpleTriggerEvent("PlayerDamage");
3176                         gamedef->event()->put(e);
3177                 } else if (event.type == CE_PLAYER_FORCE_MOVE) {
3178                         cam->camera_yaw = event.player_force_move.yaw;
3179                         cam->camera_pitch = event.player_force_move.pitch;
3180                 } else if (event.type == CE_DEATHSCREEN) {
3181                         show_deathscreen(&current_formspec, client, gamedef, texture_src,
3182                                          device, client);
3183
3184                         chat_backend->addMessage(L"", L"You died.");
3185
3186                         /* Handle visualization */
3187                         *damage_flash = 0;
3188                         player->hurt_tilt_timer = 0;
3189                         player->hurt_tilt_strength = 0;
3190
3191                 } else if (event.type == CE_SHOW_FORMSPEC) {
3192                         FormspecFormSource *fs_src =
3193                                 new FormspecFormSource(*(event.show_formspec.formspec));
3194                         TextDestPlayerInventory *txt_dst =
3195                                 new TextDestPlayerInventory(client, *(event.show_formspec.formname));
3196
3197                         create_formspec_menu(&current_formspec, client, gamedef,
3198                                              texture_src, device, fs_src, txt_dst, client);
3199
3200                         delete(event.show_formspec.formspec);
3201                         delete(event.show_formspec.formname);
3202                 } else if ((event.type == CE_SPAWN_PARTICLE) ||
3203                                 (event.type == CE_ADD_PARTICLESPAWNER) ||
3204                                 (event.type == CE_DELETE_PARTICLESPAWNER)) {
3205                         client->getParticleManager()->handleParticleEvent(&event, gamedef,
3206                                         smgr, player);
3207                 } else if (event.type == CE_HUDADD) {
3208                         u32 id = event.hudadd.id;
3209
3210                         LocalPlayer *player = client->getEnv().getLocalPlayer();
3211                         HudElement *e = player->getHud(id);
3212
3213                         if (e != NULL) {
3214                                 delete event.hudadd.pos;
3215                                 delete event.hudadd.name;
3216                                 delete event.hudadd.scale;
3217                                 delete event.hudadd.text;
3218                                 delete event.hudadd.align;
3219                                 delete event.hudadd.offset;
3220                                 delete event.hudadd.world_pos;
3221                                 delete event.hudadd.size;
3222                                 continue;
3223                         }
3224
3225                         e = new HudElement;
3226                         e->type   = (HudElementType)event.hudadd.type;
3227                         e->pos    = *event.hudadd.pos;
3228                         e->name   = *event.hudadd.name;
3229                         e->scale  = *event.hudadd.scale;
3230                         e->text   = *event.hudadd.text;
3231                         e->number = event.hudadd.number;
3232                         e->item   = event.hudadd.item;
3233                         e->dir    = event.hudadd.dir;
3234                         e->align  = *event.hudadd.align;
3235                         e->offset = *event.hudadd.offset;
3236                         e->world_pos = *event.hudadd.world_pos;
3237                         e->size = *event.hudadd.size;
3238
3239                         u32 new_id = player->addHud(e);
3240                         //if this isn't true our huds aren't consistent
3241                         sanity_check(new_id == id);
3242
3243                         delete event.hudadd.pos;
3244                         delete event.hudadd.name;
3245                         delete event.hudadd.scale;
3246                         delete event.hudadd.text;
3247                         delete event.hudadd.align;
3248                         delete event.hudadd.offset;
3249                         delete event.hudadd.world_pos;
3250                         delete event.hudadd.size;
3251                 } else if (event.type == CE_HUDRM) {
3252                         HudElement *e = player->removeHud(event.hudrm.id);
3253
3254                         if (e != NULL)
3255                                 delete(e);
3256                 } else if (event.type == CE_HUDCHANGE) {
3257                         u32 id = event.hudchange.id;
3258                         HudElement *e = player->getHud(id);
3259
3260                         if (e == NULL) {
3261                                 delete event.hudchange.v3fdata;
3262                                 delete event.hudchange.v2fdata;
3263                                 delete event.hudchange.sdata;
3264                                 delete event.hudchange.v2s32data;
3265                                 continue;
3266                         }
3267
3268                         switch (event.hudchange.stat) {
3269                         case HUD_STAT_POS:
3270                                 e->pos = *event.hudchange.v2fdata;
3271                                 break;
3272
3273                         case HUD_STAT_NAME:
3274                                 e->name = *event.hudchange.sdata;
3275                                 break;
3276
3277                         case HUD_STAT_SCALE:
3278                                 e->scale = *event.hudchange.v2fdata;
3279                                 break;
3280
3281                         case HUD_STAT_TEXT:
3282                                 e->text = *event.hudchange.sdata;
3283                                 break;
3284
3285                         case HUD_STAT_NUMBER:
3286                                 e->number = event.hudchange.data;
3287                                 break;
3288
3289                         case HUD_STAT_ITEM:
3290                                 e->item = event.hudchange.data;
3291                                 break;
3292
3293                         case HUD_STAT_DIR:
3294                                 e->dir = event.hudchange.data;
3295                                 break;
3296
3297                         case HUD_STAT_ALIGN:
3298                                 e->align = *event.hudchange.v2fdata;
3299                                 break;
3300
3301                         case HUD_STAT_OFFSET:
3302                                 e->offset = *event.hudchange.v2fdata;
3303                                 break;
3304
3305                         case HUD_STAT_WORLD_POS:
3306                                 e->world_pos = *event.hudchange.v3fdata;
3307                                 break;
3308
3309                         case HUD_STAT_SIZE:
3310                                 e->size = *event.hudchange.v2s32data;
3311                                 break;
3312                         }
3313
3314                         delete event.hudchange.v3fdata;
3315                         delete event.hudchange.v2fdata;
3316                         delete event.hudchange.sdata;
3317                         delete event.hudchange.v2s32data;
3318                 } else if (event.type == CE_SET_SKY) {
3319                         sky->setVisible(false);
3320
3321                         if (skybox) {
3322                                 skybox->remove();
3323                                 skybox = NULL;
3324                         }
3325
3326                         // Handle according to type
3327                         if (*event.set_sky.type == "regular") {
3328                                 sky->setVisible(true);
3329                         } else if (*event.set_sky.type == "skybox" &&
3330                                         event.set_sky.params->size() == 6) {
3331                                 sky->setFallbackBgColor(*event.set_sky.bgcolor);
3332                                 skybox = smgr->addSkyBoxSceneNode(
3333                                                  texture_src->getTextureForMesh((*event.set_sky.params)[0]),
3334                                                  texture_src->getTextureForMesh((*event.set_sky.params)[1]),
3335                                                  texture_src->getTextureForMesh((*event.set_sky.params)[2]),
3336                                                  texture_src->getTextureForMesh((*event.set_sky.params)[3]),
3337                                                  texture_src->getTextureForMesh((*event.set_sky.params)[4]),
3338                                                  texture_src->getTextureForMesh((*event.set_sky.params)[5]));
3339                         }
3340                         // Handle everything else as plain color
3341                         else {
3342                                 if (*event.set_sky.type != "plain")
3343                                         infostream << "Unknown sky type: "
3344                                                    << (*event.set_sky.type) << std::endl;
3345
3346                                 sky->setFallbackBgColor(*event.set_sky.bgcolor);
3347                         }
3348
3349                         delete event.set_sky.bgcolor;
3350                         delete event.set_sky.type;
3351                         delete event.set_sky.params;
3352                 } else if (event.type == CE_OVERRIDE_DAY_NIGHT_RATIO) {
3353                         bool enable = event.override_day_night_ratio.do_override;
3354                         u32 value = event.override_day_night_ratio.ratio_f * 1000;
3355                         client->getEnv().setDayNightRatioOverride(enable, value);
3356                 }
3357         }
3358 }
3359
3360
3361 void Game::updateCamera(VolatileRunFlags *flags, u32 busy_time,
3362                 f32 dtime, float time_from_last_punch)
3363 {
3364         LocalPlayer *player = client->getEnv().getLocalPlayer();
3365
3366         /*
3367                 For interaction purposes, get info about the held item
3368                 - What item is it?
3369                 - Is it a usable item?
3370                 - Can it point to liquids?
3371         */
3372         ItemStack playeritem;
3373         {
3374                 InventoryList *mlist = local_inventory->getList("main");
3375
3376                 if (mlist && client->getPlayerItem() < mlist->getSize())
3377                         playeritem = mlist->getItem(client->getPlayerItem());
3378         }
3379
3380         ToolCapabilities playeritem_toolcap =
3381                 playeritem.getToolCapabilities(itemdef_manager);
3382
3383         v3s16 old_camera_offset = camera->getOffset();
3384
3385         if (input->wasKeyDown(keycache.key[KeyCache::KEYMAP_ID_CAMERA_MODE])) {
3386                 GenericCAO *playercao = player->getCAO();
3387
3388                 // If playercao not loaded, don't change camera
3389                 if (playercao == NULL)
3390                         return;
3391
3392                 camera->toggleCameraMode();
3393
3394                 playercao->setVisible(camera->getCameraMode() > CAMERA_MODE_FIRST);
3395                 playercao->setChildrenVisible(camera->getCameraMode() > CAMERA_MODE_FIRST);
3396         }
3397
3398         float full_punch_interval = playeritem_toolcap.full_punch_interval;
3399         float tool_reload_ratio = time_from_last_punch / full_punch_interval;
3400
3401         tool_reload_ratio = MYMIN(tool_reload_ratio, 1.0);
3402         camera->update(player, dtime, busy_time / 1000.0f, tool_reload_ratio,
3403                       client->getEnv());
3404         camera->step(dtime);
3405
3406         v3f camera_position = camera->getPosition();
3407         v3f camera_direction = camera->getDirection();
3408         f32 camera_fov = camera->getFovMax();
3409         v3s16 camera_offset = camera->getOffset();
3410
3411         flags->camera_offset_changed = (camera_offset != old_camera_offset);
3412
3413         if (!flags->disable_camera_update) {
3414                 client->getEnv().getClientMap().updateCamera(camera_position,
3415                                 camera_direction, camera_fov, camera_offset);
3416
3417                 if (flags->camera_offset_changed) {
3418                         client->updateCameraOffset(camera_offset);
3419                         client->getEnv().updateCameraOffset(camera_offset);
3420
3421                         if (clouds)
3422                                 clouds->updateCameraOffset(camera_offset);
3423                 }
3424         }
3425 }
3426
3427
3428 void Game::updateSound(f32 dtime)
3429 {
3430         // Update sound listener
3431         v3s16 camera_offset = camera->getOffset();
3432         sound->updateListener(camera->getCameraNode()->getPosition() + intToFloat(camera_offset, BS),
3433                               v3f(0, 0, 0), // velocity
3434                               camera->getDirection(),
3435                               camera->getCameraNode()->getUpVector());
3436         sound->setListenerGain(g_settings->getFloat("sound_volume"));
3437
3438
3439         //      Update sound maker
3440         soundmaker->step(dtime);
3441
3442         LocalPlayer *player = client->getEnv().getLocalPlayer();
3443
3444         ClientMap &map = client->getEnv().getClientMap();
3445         MapNode n = map.getNodeNoEx(player->getStandingNodePos());
3446         soundmaker->m_player_step_sound = nodedef_manager->get(n).sound_footstep;
3447 }
3448
3449
3450 void Game::processPlayerInteraction(std::vector<aabb3f> &highlight_boxes,
3451                 GameRunData *runData, f32 dtime, bool show_hud, bool show_debug)
3452 {
3453         LocalPlayer *player = client->getEnv().getLocalPlayer();
3454
3455         ItemStack playeritem;
3456         {
3457                 InventoryList *mlist = local_inventory->getList("main");
3458
3459                 if (mlist && client->getPlayerItem() < mlist->getSize())
3460                         playeritem = mlist->getItem(client->getPlayerItem());
3461         }
3462
3463         const ItemDefinition &playeritem_def =
3464                         playeritem.getDefinition(itemdef_manager);
3465
3466         v3f player_position  = player->getPosition();
3467         v3f camera_position  = camera->getPosition();
3468         v3f camera_direction = camera->getDirection();
3469         v3s16 camera_offset  = camera->getOffset();
3470
3471
3472         /*
3473                 Calculate what block is the crosshair pointing to
3474         */
3475
3476         f32 d = playeritem_def.range; // max. distance
3477         f32 d_hand = itemdef_manager->get("").range;
3478
3479         if (d < 0 && d_hand >= 0)
3480                 d = d_hand;
3481         else if (d < 0)
3482                 d = 4.0;
3483
3484         core::line3d<f32> shootline;
3485
3486         if (camera->getCameraMode() != CAMERA_MODE_THIRD_FRONT) {
3487
3488                 shootline = core::line3d<f32>(camera_position,
3489                                                 camera_position + camera_direction * BS * (d + 1));
3490
3491         } else {
3492             // prevent player pointing anything in front-view
3493                 if (camera->getCameraMode() == CAMERA_MODE_THIRD_FRONT)
3494                         shootline = core::line3d<f32>(0, 0, 0, 0, 0, 0);
3495         }
3496
3497 #ifdef HAVE_TOUCHSCREENGUI
3498
3499         if ((g_settings->getBool("touchtarget")) && (g_touchscreengui)) {
3500                 shootline = g_touchscreengui->getShootline();
3501                 shootline.start += intToFloat(camera_offset, BS);
3502                 shootline.end += intToFloat(camera_offset, BS);
3503         }
3504
3505 #endif
3506
3507         PointedThing pointed = getPointedThing(
3508                         // input
3509                         client, player_position, camera_direction,
3510                         camera_position, shootline, d,
3511                         playeritem_def.liquids_pointable,
3512                         !runData->ldown_for_dig,
3513                         camera_offset,
3514                         // output
3515                         highlight_boxes,
3516                         runData->selected_object);
3517
3518         if (pointed != runData->pointed_old) {
3519                 infostream << "Pointing at " << pointed.dump() << std::endl;
3520
3521                 if (m_cache_enable_node_highlighting) {
3522                         if (pointed.type == POINTEDTHING_NODE) {
3523                                 client->setHighlighted(pointed.node_undersurface, show_hud);
3524                         } else {
3525                                 client->setHighlighted(pointed.node_undersurface, false);
3526                         }
3527                 }
3528         }
3529
3530         /*
3531                 Stop digging when
3532                 - releasing left mouse button
3533                 - pointing away from node
3534         */
3535         if (runData->digging) {
3536                 if (input->getLeftReleased()) {
3537                         infostream << "Left button released"
3538                                    << " (stopped digging)" << std::endl;
3539                         runData->digging = false;
3540                 } else if (pointed != runData->pointed_old) {
3541                         if (pointed.type == POINTEDTHING_NODE
3542                                         && runData->pointed_old.type == POINTEDTHING_NODE
3543                                         && pointed.node_undersurface
3544                                                         == runData->pointed_old.node_undersurface) {
3545                                 // Still pointing to the same node, but a different face.
3546                                 // Don't reset.
3547                         } else {
3548                                 infostream << "Pointing away from node"
3549                                            << " (stopped digging)" << std::endl;
3550                                 runData->digging = false;
3551                         }
3552                 }
3553
3554                 if (!runData->digging) {
3555                         client->interact(1, runData->pointed_old);
3556                         client->setCrack(-1, v3s16(0, 0, 0));
3557                         runData->dig_time = 0.0;
3558                 }
3559         }
3560
3561         if (!runData->digging && runData->ldown_for_dig && !input->getLeftState()) {
3562                 runData->ldown_for_dig = false;
3563         }
3564
3565         runData->left_punch = false;
3566
3567         soundmaker->m_player_leftpunch_sound.name = "";
3568
3569         if (input->getRightState())
3570                 runData->repeat_rightclick_timer += dtime;
3571         else
3572                 runData->repeat_rightclick_timer = 0;
3573
3574         if (playeritem_def.usable && input->getLeftState()) {
3575                 if (input->getLeftClicked())
3576                         client->interact(4, pointed);
3577         } else if (pointed.type == POINTEDTHING_NODE) {
3578                 ToolCapabilities playeritem_toolcap =
3579                                 playeritem.getToolCapabilities(itemdef_manager);
3580                 handlePointingAtNode(runData, pointed, playeritem_def,
3581                                 playeritem_toolcap, dtime);
3582         } else if (pointed.type == POINTEDTHING_OBJECT) {
3583                 handlePointingAtObject(runData, pointed, playeritem,
3584                                 player_position, show_debug);
3585         } else if (input->getLeftState()) {
3586                 // When button is held down in air, show continuous animation
3587                 runData->left_punch = true;
3588         }
3589
3590         runData->pointed_old = pointed;
3591
3592         if (runData->left_punch || input->getLeftClicked())
3593                 camera->setDigging(0); // left click animation
3594
3595         input->resetLeftClicked();
3596         input->resetRightClicked();
3597
3598         input->resetLeftReleased();
3599         input->resetRightReleased();
3600 }
3601
3602
3603 void Game::handlePointingAtNode(GameRunData *runData,
3604                 const PointedThing &pointed, const ItemDefinition &playeritem_def,
3605                 const ToolCapabilities &playeritem_toolcap, f32 dtime)
3606 {
3607         v3s16 nodepos = pointed.node_undersurface;
3608         v3s16 neighbourpos = pointed.node_abovesurface;
3609
3610         /*
3611                 Check information text of node
3612         */
3613
3614         ClientMap &map = client->getEnv().getClientMap();
3615         NodeMetadata *meta = map.getNodeMetadata(nodepos);
3616
3617         if (meta) {
3618                 infotext = utf8_to_wide(meta->getString("infotext"));
3619         } else {
3620                 MapNode n = map.getNodeNoEx(nodepos);
3621
3622                 if (nodedef_manager->get(n).tiledef[0].name == "unknown_node.png") {
3623                         infotext = L"Unknown node: ";
3624                         infotext += utf8_to_wide(nodedef_manager->get(n).name);
3625                 }
3626         }
3627
3628         if (runData->nodig_delay_timer <= 0.0 && input->getLeftState()
3629                         && client->checkPrivilege("interact")) {
3630                 handleDigging(runData, pointed, nodepos, playeritem_toolcap, dtime);
3631         }
3632
3633         if ((input->getRightClicked() ||
3634                         runData->repeat_rightclick_timer >= m_repeat_right_click_time) &&
3635                         client->checkPrivilege("interact")) {
3636                 runData->repeat_rightclick_timer = 0;
3637                 infostream << "Ground right-clicked" << std::endl;
3638
3639                 if (meta && meta->getString("formspec") != "" && !random_input
3640                                 && !input->isKeyDown(getKeySetting("keymap_sneak"))) {
3641                         infostream << "Launching custom inventory view" << std::endl;
3642
3643                         InventoryLocation inventoryloc;
3644                         inventoryloc.setNodeMeta(nodepos);
3645
3646                         NodeMetadataFormSource *fs_src = new NodeMetadataFormSource(
3647                                 &client->getEnv().getClientMap(), nodepos);
3648                         TextDest *txt_dst = new TextDestNodeMetadata(nodepos, client);
3649
3650                         create_formspec_menu(&current_formspec, client, gamedef,
3651                                              texture_src, device, fs_src, txt_dst, client);
3652
3653                         current_formspec->setFormSpec(meta->getString("formspec"), inventoryloc);
3654                 } else {
3655                         // Report right click to server
3656
3657                         camera->setDigging(1);  // right click animation (always shown for feedback)
3658
3659                         // If the wielded item has node placement prediction,
3660                         // make that happen
3661                         bool placed = nodePlacementPrediction(*client,
3662                                         playeritem_def,
3663                                         nodepos, neighbourpos);
3664
3665                         if (placed) {
3666                                 // Report to server
3667                                 client->interact(3, pointed);
3668                                 // Read the sound
3669                                 soundmaker->m_player_rightpunch_sound =
3670                                                 playeritem_def.sound_place;
3671                         } else {
3672                                 soundmaker->m_player_rightpunch_sound =
3673                                                 SimpleSoundSpec();
3674                         }
3675
3676                         if (playeritem_def.node_placement_prediction == "" ||
3677                                         nodedef_manager->get(map.getNodeNoEx(nodepos)).rightclickable)
3678                                 client->interact(3, pointed); // Report to server
3679                 }
3680         }
3681 }
3682
3683
3684 void Game::handlePointingAtObject(GameRunData *runData,
3685                 const PointedThing &pointed,
3686                 const ItemStack &playeritem,
3687                 const v3f &player_position,
3688                 bool show_debug)
3689 {
3690         infotext = utf8_to_wide(runData->selected_object->infoText());
3691
3692         if (infotext == L"" && show_debug) {
3693                 infotext = utf8_to_wide(runData->selected_object->debugInfoText());
3694         }
3695
3696         if (input->getLeftState()) {
3697                 bool do_punch = false;
3698                 bool do_punch_damage = false;
3699
3700                 if (runData->object_hit_delay_timer <= 0.0) {
3701                         do_punch = true;
3702                         do_punch_damage = true;
3703                         runData->object_hit_delay_timer = object_hit_delay;
3704                 }
3705
3706                 if (input->getLeftClicked())
3707                         do_punch = true;
3708
3709                 if (do_punch) {
3710                         infostream << "Left-clicked object" << std::endl;
3711                         runData->left_punch = true;
3712                 }
3713
3714                 if (do_punch_damage) {
3715                         // Report direct punch
3716                         v3f objpos = runData->selected_object->getPosition();
3717                         v3f dir = (objpos - player_position).normalize();
3718
3719                         bool disable_send = runData->selected_object->directReportPunch(
3720                                         dir, &playeritem, runData->time_from_last_punch);
3721                         runData->time_from_last_punch = 0;
3722
3723                         if (!disable_send)
3724                                 client->interact(0, pointed);
3725                 }
3726         } else if (input->getRightClicked()) {
3727                 infostream << "Right-clicked object" << std::endl;
3728                 client->interact(3, pointed);  // place
3729         }
3730 }
3731
3732
3733 void Game::handleDigging(GameRunData *runData,
3734                 const PointedThing &pointed, const v3s16 &nodepos,
3735                 const ToolCapabilities &playeritem_toolcap, f32 dtime)
3736 {
3737         if (!runData->digging) {
3738                 infostream << "Started digging" << std::endl;
3739                 client->interact(0, pointed);
3740                 runData->digging = true;
3741                 runData->ldown_for_dig = true;
3742         }
3743
3744         LocalPlayer *player = client->getEnv().getLocalPlayer();
3745         ClientMap &map = client->getEnv().getClientMap();
3746         MapNode n = client->getEnv().getClientMap().getNodeNoEx(nodepos);
3747
3748         // NOTE: Similar piece of code exists on the server side for
3749         // cheat detection.
3750         // Get digging parameters
3751         DigParams params = getDigParams(nodedef_manager->get(n).groups,
3752                         &playeritem_toolcap);
3753
3754         // If can't dig, try hand
3755         if (!params.diggable) {
3756                 const ItemDefinition &hand = itemdef_manager->get("");
3757                 const ToolCapabilities *tp = hand.tool_capabilities;
3758
3759                 if (tp)
3760                         params = getDigParams(nodedef_manager->get(n).groups, tp);
3761         }
3762
3763         if (params.diggable == false) {
3764                 // I guess nobody will wait for this long
3765                 runData->dig_time_complete = 10000000.0;
3766         } else {
3767                 runData->dig_time_complete = params.time;
3768
3769                 if (m_cache_enable_particles) {
3770                         const ContentFeatures &features =
3771                                         client->getNodeDefManager()->get(n);
3772                         client->getParticleManager()->addPunchingParticles(gamedef, smgr,
3773                                         player, nodepos, features.tiles);
3774                 }
3775         }
3776
3777         if (runData->dig_time_complete >= 0.001) {
3778                 runData->dig_index = (float)crack_animation_length
3779                                 * runData->dig_time
3780                                 / runData->dig_time_complete;
3781         } else {
3782                 // This is for torches
3783                 runData->dig_index = crack_animation_length;
3784         }
3785
3786         SimpleSoundSpec sound_dig = nodedef_manager->get(n).sound_dig;
3787
3788         if (sound_dig.exists() && params.diggable) {
3789                 if (sound_dig.name == "__group") {
3790                         if (params.main_group != "") {
3791                                 soundmaker->m_player_leftpunch_sound.gain = 0.5;
3792                                 soundmaker->m_player_leftpunch_sound.name =
3793                                                 std::string("default_dig_") +
3794                                                 params.main_group;
3795                         }
3796                 } else {
3797                         soundmaker->m_player_leftpunch_sound = sound_dig;
3798                 }
3799         }
3800
3801         // Don't show cracks if not diggable
3802         if (runData->dig_time_complete >= 100000.0) {
3803         } else if (runData->dig_index < crack_animation_length) {
3804                 //TimeTaker timer("client.setTempMod");
3805                 //infostream<<"dig_index="<<dig_index<<std::endl;
3806                 client->setCrack(runData->dig_index, nodepos);
3807         } else {
3808                 infostream << "Digging completed" << std::endl;
3809                 client->interact(2, pointed);
3810                 client->setCrack(-1, v3s16(0, 0, 0));
3811                 bool is_valid_position;
3812                 MapNode wasnode = map.getNodeNoEx(nodepos, &is_valid_position);
3813                 if (is_valid_position)
3814                         client->removeNode(nodepos);
3815
3816                 if (m_cache_enable_particles) {
3817                         const ContentFeatures &features =
3818                                 client->getNodeDefManager()->get(wasnode);
3819                         client->getParticleManager()->addDiggingParticles(gamedef, smgr,
3820                                         player, nodepos, features.tiles);
3821                 }
3822
3823                 runData->dig_time = 0;
3824                 runData->digging = false;
3825
3826                 runData->nodig_delay_timer =
3827                                 runData->dig_time_complete / (float)crack_animation_length;
3828
3829                 // We don't want a corresponding delay to
3830                 // very time consuming nodes
3831                 if (runData->nodig_delay_timer > 0.3)
3832                         runData->nodig_delay_timer = 0.3;
3833
3834                 // We want a slight delay to very little
3835                 // time consuming nodes
3836                 const float mindelay = 0.15;
3837
3838                 if (runData->nodig_delay_timer < mindelay)
3839                         runData->nodig_delay_timer = mindelay;
3840
3841                 // Send event to trigger sound
3842                 MtEvent *e = new NodeDugEvent(nodepos, wasnode);
3843                 gamedef->event()->put(e);
3844         }
3845
3846         if (runData->dig_time_complete < 100000.0) {
3847                 runData->dig_time += dtime;
3848         } else {
3849                 runData->dig_time = 0;
3850                 client->setCrack(-1, nodepos);
3851         }
3852
3853         camera->setDigging(0);  // left click animation
3854 }
3855
3856
3857 void Game::updateFrame(std::vector<aabb3f> &highlight_boxes,
3858                 ProfilerGraph *graph, RunStats *stats, GameRunData *runData,
3859                 f32 dtime, const VolatileRunFlags &flags, const CameraOrientation &cam)
3860 {
3861         LocalPlayer *player = client->getEnv().getLocalPlayer();
3862
3863         /*
3864                 Fog range
3865         */
3866
3867         if (draw_control->range_all) {
3868                 runData->fog_range = 100000 * BS;
3869         } else {
3870                 runData->fog_range = draw_control->wanted_range * BS
3871                                 + 0.0 * MAP_BLOCKSIZE * BS;
3872                 runData->fog_range = MYMIN(
3873                                 runData->fog_range,
3874                                 (draw_control->farthest_drawn + 20) * BS);
3875                 runData->fog_range *= 0.9;
3876         }
3877
3878         /*
3879                 Calculate general brightness
3880         */
3881         u32 daynight_ratio = client->getEnv().getDayNightRatio();
3882         float time_brightness = decode_light_f((float)daynight_ratio / 1000.0);
3883         float direct_brightness;
3884         bool sunlight_seen;
3885
3886         if (g_settings->getBool("free_move")) {
3887                 direct_brightness = time_brightness;
3888                 sunlight_seen = true;
3889         } else {
3890                 ScopeProfiler sp(g_profiler, "Detecting background light", SPT_AVG);
3891                 float old_brightness = sky->getBrightness();
3892                 direct_brightness = client->getEnv().getClientMap()
3893                                 .getBackgroundBrightness(MYMIN(runData->fog_range * 1.2, 60 * BS),
3894                                         daynight_ratio, (int)(old_brightness * 255.5), &sunlight_seen)
3895                                     / 255.0;
3896         }
3897
3898         float time_of_day = runData->time_of_day;
3899         float time_of_day_smooth = runData->time_of_day_smooth;
3900
3901         time_of_day = client->getEnv().getTimeOfDayF();
3902
3903         const float maxsm = 0.05;
3904         const float todsm = 0.05;
3905
3906         if (fabs(time_of_day - time_of_day_smooth) > maxsm &&
3907                         fabs(time_of_day - time_of_day_smooth + 1.0) > maxsm &&
3908                         fabs(time_of_day - time_of_day_smooth - 1.0) > maxsm)
3909                 time_of_day_smooth = time_of_day;
3910
3911         if (time_of_day_smooth > 0.8 && time_of_day < 0.2)
3912                 time_of_day_smooth = time_of_day_smooth * (1.0 - todsm)
3913                                 + (time_of_day + 1.0) * todsm;
3914         else
3915                 time_of_day_smooth = time_of_day_smooth * (1.0 - todsm)
3916                                 + time_of_day * todsm;
3917
3918         runData->time_of_day = time_of_day;
3919         runData->time_of_day_smooth = time_of_day_smooth;
3920
3921         sky->update(time_of_day_smooth, time_brightness, direct_brightness,
3922                         sunlight_seen, camera->getCameraMode(), player->getYaw(),
3923                         player->getPitch());
3924
3925         /*
3926                 Update clouds
3927         */
3928         if (clouds) {
3929                 v3f player_position = player->getPosition();
3930                 if (sky->getCloudsVisible()) {
3931                         clouds->setVisible(true);
3932                         clouds->step(dtime);
3933                         clouds->update(v2f(player_position.X, player_position.Z),
3934                                        sky->getCloudColor());
3935                 } else {
3936                         clouds->setVisible(false);
3937                 }
3938         }
3939
3940         /*
3941                 Update particles
3942         */
3943         client->getParticleManager()->step(dtime);
3944
3945         /*
3946                 Fog
3947         */
3948
3949         if (m_cache_enable_fog && !flags.force_fog_off) {
3950                 driver->setFog(
3951                                 sky->getBgColor(),
3952                                 video::EFT_FOG_LINEAR,
3953                                 runData->fog_range * 0.4,
3954                                 runData->fog_range * 1.0,
3955                                 0.01,
3956                                 false, // pixel fog
3957                                 false // range fog
3958                 );
3959         } else {
3960                 driver->setFog(
3961                                 sky->getBgColor(),
3962                                 video::EFT_FOG_LINEAR,
3963                                 100000 * BS,
3964                                 110000 * BS,
3965                                 0.01,
3966                                 false, // pixel fog
3967                                 false // range fog
3968                 );
3969         }
3970
3971         /*
3972                 Get chat messages from client
3973         */
3974
3975         v2u32 screensize = driver->getScreenSize();
3976
3977         updateChat(*client, dtime, flags.show_debug, screensize,
3978                         flags.show_chat, runData->profiler_current_page,
3979                         *chat_backend, guitext_chat);
3980
3981         /*
3982                 Inventory
3983         */
3984
3985         if (client->getPlayerItem() != runData->new_playeritem)
3986                 client->selectPlayerItem(runData->new_playeritem);
3987
3988         // Update local inventory if it has changed
3989         if (client->getLocalInventoryUpdated()) {
3990                 //infostream<<"Updating local inventory"<<std::endl;
3991                 client->getLocalInventory(*local_inventory);
3992                 runData->update_wielded_item_trigger = true;
3993         }
3994
3995         if (runData->update_wielded_item_trigger) {
3996                 // Update wielded tool
3997                 InventoryList *mlist = local_inventory->getList("main");
3998
3999                 if (mlist && (client->getPlayerItem() < mlist->getSize())) {
4000                         ItemStack item = mlist->getItem(client->getPlayerItem());
4001                         camera->wield(item);
4002                 }
4003                 runData->update_wielded_item_trigger = false;
4004         }
4005
4006         /*
4007                 Update block draw list every 200ms or when camera direction has
4008                 changed much
4009         */
4010         runData->update_draw_list_timer += dtime;
4011
4012         v3f camera_direction = camera->getDirection();
4013         if (runData->update_draw_list_timer >= 0.2
4014                         || runData->update_draw_list_last_cam_dir.getDistanceFrom(camera_direction) > 0.2
4015                         || flags.camera_offset_changed) {
4016                 runData->update_draw_list_timer = 0;
4017                 client->getEnv().getClientMap().updateDrawList(driver);
4018                 runData->update_draw_list_last_cam_dir = camera_direction;
4019         }
4020
4021         updateGui(&runData->statustext_time, *stats, *runData, dtime, flags, cam);
4022
4023         /*
4024            make sure menu is on top
4025            1. Delete formspec menu reference if menu was removed
4026            2. Else, make sure formspec menu is on top
4027         */
4028         if (current_formspec) {
4029                 if (current_formspec->getReferenceCount() == 1) {
4030                         current_formspec->drop();
4031                         current_formspec = NULL;
4032                 } else if (!noMenuActive()) {
4033                         guiroot->bringToFront(current_formspec);
4034                 }
4035         }
4036
4037         /*
4038                 Drawing begins
4039         */
4040
4041         video::SColor skycolor = sky->getSkyColor();
4042
4043         TimeTaker tt_draw("mainloop: draw");
4044         {
4045                 TimeTaker timer("beginScene");
4046                 driver->beginScene(true, true, skycolor);
4047                 stats->beginscenetime = timer.stop(true);
4048         }
4049
4050         draw_scene(driver, smgr, *camera, *client, player, *hud, *mapper,
4051                         guienv, highlight_boxes, screensize, skycolor, flags.show_hud,
4052                         flags.show_minimap);
4053
4054         /*
4055                 Profiler graph
4056         */
4057         if (flags.show_profiler_graph)
4058                 graph->draw(10, screensize.Y - 10, driver, g_fontengine->getFont());
4059
4060         /*
4061                 Damage flash
4062         */
4063         if (runData->damage_flash > 0.0) {
4064                 video::SColor color(std::min(runData->damage_flash, 180.0f),
4065                                 180,
4066                                 0,
4067                                 0);
4068                 driver->draw2DRectangle(color,
4069                                         core::rect<s32>(0, 0, screensize.X, screensize.Y),
4070                                         NULL);
4071
4072                 runData->damage_flash -= 100.0 * dtime;
4073         }
4074
4075         /*
4076                 Damage camera tilt
4077         */
4078         if (player->hurt_tilt_timer > 0.0) {
4079                 player->hurt_tilt_timer -= dtime * 5;
4080
4081                 if (player->hurt_tilt_timer < 0)
4082                         player->hurt_tilt_strength = 0;
4083         }
4084
4085         /*
4086                 Update minimap pos and rotation
4087         */
4088         if (flags.show_minimap && flags.show_hud) {
4089                 mapper->setPos(floatToInt(player->getPosition(), BS));
4090                 mapper->setAngle(player->getYaw());
4091         }
4092
4093         /*
4094                 End scene
4095         */
4096         {
4097                 TimeTaker timer("endScene");
4098                 driver->endScene();
4099                 stats->endscenetime = timer.stop(true);
4100         }
4101
4102         stats->drawtime = tt_draw.stop(true);
4103         g_profiler->graphAdd("mainloop_draw", stats->drawtime / 1000.0f);
4104 }
4105
4106
4107 inline static const char *yawToDirectionString(int yaw)
4108 {
4109         // NOTE: TODO: This can be done mathematically without the else/else-if
4110         // cascade.
4111
4112         const char *player_direction;
4113
4114         yaw = wrapDegrees_0_360(yaw);
4115
4116         if (yaw >= 45 && yaw < 135)
4117                 player_direction = "West [-X]";
4118         else if (yaw >= 135 && yaw < 225)
4119                 player_direction = "South [-Z]";
4120         else if (yaw >= 225 && yaw < 315)
4121                 player_direction = "East [+X]";
4122         else
4123                 player_direction = "North [+Z]";
4124
4125         return player_direction;
4126 }
4127
4128
4129 void Game::updateGui(float *statustext_time, const RunStats &stats,
4130                 const GameRunData& runData, f32 dtime, const VolatileRunFlags &flags,
4131                 const CameraOrientation &cam)
4132 {
4133         v2u32 screensize = driver->getScreenSize();
4134         LocalPlayer *player = client->getEnv().getLocalPlayer();
4135         v3f player_position = player->getPosition();
4136
4137         if (flags.show_debug) {
4138                 static float drawtime_avg = 0;
4139                 drawtime_avg = drawtime_avg * 0.95 + stats.drawtime * 0.05;
4140
4141                 u16 fps = 1.0 / stats.dtime_jitter.avg;
4142                 //s32 fps = driver->getFPS();
4143
4144                 std::ostringstream os(std::ios_base::binary);
4145                 os << std::fixed
4146                    << PROJECT_NAME_C " " << g_version_hash
4147                    << " FPS = " << fps
4148                    << " (R: range_all=" << draw_control->range_all << ")"
4149                    << std::setprecision(0)
4150                    << " drawtime = " << drawtime_avg
4151                    << std::setprecision(1)
4152                    << ", dtime_jitter = "
4153                    << (stats.dtime_jitter.max_fraction * 100.0) << " %"
4154                    << std::setprecision(1)
4155                    << ", v_range = " << draw_control->wanted_range
4156                    << std::setprecision(3)
4157                    << ", RTT = " << client->getRTT();
4158                 guitext->setText(utf8_to_wide(os.str()).c_str());
4159                 guitext->setVisible(true);
4160         } else if (flags.show_hud || flags.show_chat) {
4161                 std::ostringstream os(std::ios_base::binary);
4162                 os << PROJECT_NAME_C " " << g_version_hash;
4163                 guitext->setText(utf8_to_wide(os.str()).c_str());
4164                 guitext->setVisible(true);
4165         } else {
4166                 guitext->setVisible(false);
4167         }
4168
4169         if (guitext->isVisible()) {
4170                 core::rect<s32> rect(
4171                                 5,              5,
4172                                 screensize.X,   5 + g_fontengine->getTextHeight()
4173                 );
4174                 guitext->setRelativePosition(rect);
4175         }
4176
4177         if (flags.show_debug) {
4178                 std::ostringstream os(std::ios_base::binary);
4179                 os << std::setprecision(1) << std::fixed
4180                    << "(" << (player_position.X / BS)
4181                    << ", " << (player_position.Y / BS)
4182                    << ", " << (player_position.Z / BS)
4183                    << ") (yaw=" << (wrapDegrees_0_360(cam.camera_yaw))
4184                    << " " << yawToDirectionString(cam.camera_yaw)
4185                    << ") (seed = " << ((u64)client->getMapSeed())
4186                    << ")";
4187
4188                 if (runData.pointed_old.type == POINTEDTHING_NODE) {
4189                         ClientMap &map = client->getEnv().getClientMap();
4190                         const INodeDefManager *nodedef = client->getNodeDefManager();
4191                         MapNode n = map.getNodeNoEx(runData.pointed_old.node_undersurface);
4192                         if (n.getContent() != CONTENT_IGNORE && nodedef->get(n).name != "unknown") {
4193                                 const ContentFeatures &features = nodedef->get(n);
4194                                 os << " (pointing_at = " << nodedef->get(n).name
4195                                    << " - " << features.tiledef[0].name.c_str()
4196                                    << ")";
4197                         }
4198                 }
4199
4200                 guitext2->setText(utf8_to_wide(os.str()).c_str());
4201                 guitext2->setVisible(true);
4202
4203                 core::rect<s32> rect(
4204                                 5,             5 + g_fontengine->getTextHeight(),
4205                                 screensize.X,  5 + g_fontengine->getTextHeight() * 2
4206                 );
4207                 guitext2->setRelativePosition(rect);
4208         } else {
4209                 guitext2->setVisible(false);
4210         }
4211
4212         guitext_info->setText(infotext.c_str());
4213         guitext_info->setVisible(flags.show_hud && g_menumgr.menuCount() == 0);
4214
4215         float statustext_time_max = 1.5;
4216
4217         if (!statustext.empty()) {
4218                 *statustext_time += dtime;
4219
4220                 if (*statustext_time >= statustext_time_max) {
4221                         statustext = L"";
4222                         *statustext_time = 0;
4223                 }
4224         }
4225
4226         guitext_status->setText(statustext.c_str());
4227         guitext_status->setVisible(!statustext.empty());
4228
4229         if (!statustext.empty()) {
4230                 s32 status_width  = guitext_status->getTextWidth();
4231                 s32 status_height = guitext_status->getTextHeight();
4232                 s32 status_y = screensize.Y - 150;
4233                 s32 status_x = (screensize.X - status_width) / 2;
4234                 core::rect<s32> rect(
4235                                 status_x , status_y - status_height,
4236                                 status_x + status_width, status_y
4237                 );
4238                 guitext_status->setRelativePosition(rect);
4239
4240                 // Fade out
4241                 video::SColor initial_color(255, 0, 0, 0);
4242
4243                 if (guienv->getSkin())
4244                         initial_color = guienv->getSkin()->getColor(gui::EGDC_BUTTON_TEXT);
4245
4246                 video::SColor final_color = initial_color;
4247                 final_color.setAlpha(0);
4248                 video::SColor fade_color = initial_color.getInterpolated_quadratic(
4249                                 initial_color, final_color,
4250                                 pow(*statustext_time / statustext_time_max, 2.0f));
4251                 guitext_status->setOverrideColor(fade_color);
4252                 guitext_status->enableOverrideColor(true);
4253         }
4254 }
4255
4256
4257 /* Log times and stuff for visualization */
4258 inline void Game::updateProfilerGraphs(ProfilerGraph *graph)
4259 {
4260         Profiler::GraphValues values;
4261         g_profiler->graphGet(values);
4262         graph->put(values);
4263 }
4264
4265
4266
4267 /****************************************************************************
4268  Misc
4269  ****************************************************************************/
4270
4271 /* On some computers framerate doesn't seem to be automatically limited
4272  */
4273 inline void Game::limitFps(FpsControl *fps_timings, f32 *dtime)
4274 {
4275         // not using getRealTime is necessary for wine
4276         device->getTimer()->tick(); // Maker sure device time is up-to-date
4277         u32 time = device->getTimer()->getTime();
4278         u32 last_time = fps_timings->last_time;
4279
4280         if (time > last_time)  // Make sure time hasn't overflowed
4281                 fps_timings->busy_time = time - last_time;
4282         else
4283                 fps_timings->busy_time = 0;
4284
4285         u32 frametime_min = 1000 / (g_menumgr.pausesGame()
4286                         ? g_settings->getFloat("pause_fps_max")
4287                         : g_settings->getFloat("fps_max"));
4288
4289         if (fps_timings->busy_time < frametime_min) {
4290                 fps_timings->sleep_time = frametime_min - fps_timings->busy_time;
4291                 device->sleep(fps_timings->sleep_time);
4292         } else {
4293                 fps_timings->sleep_time = 0;
4294         }
4295
4296         /* Get the new value of the device timer. Note that device->sleep() may
4297          * not sleep for the entire requested time as sleep may be interrupted and
4298          * therefore it is arguably more accurate to get the new time from the
4299          * device rather than calculating it by adding sleep_time to time.
4300          */
4301
4302         device->getTimer()->tick(); // Update device timer
4303         time = device->getTimer()->getTime();
4304
4305         if (time > last_time)  // Make sure last_time hasn't overflowed
4306                 *dtime = (time - last_time) / 1000.0;
4307         else
4308                 *dtime = 0;
4309
4310         fps_timings->last_time = time;
4311 }
4312
4313 // Note: This will free (using delete[])! \p msg. If you want to use it later,
4314 // pass a copy of it to this function
4315 // Note: \p msg must be allocated using new (not malloc())
4316 void Game::showOverlayMessage(const wchar_t *msg, float dtime,
4317                 int percent, bool draw_clouds)
4318 {
4319         draw_load_screen(msg, device, guienv, dtime, percent, draw_clouds);
4320         delete[] msg;
4321 }
4322
4323 void Game::settingChangedCallback(const std::string &setting_name, void *data)
4324 {
4325         ((Game *)data)->readSettings();
4326 }
4327
4328 void Game::readSettings()
4329 {
4330         m_cache_doubletap_jump            = g_settings->getBool("doubletap_jump");
4331         m_cache_enable_node_highlighting  = g_settings->getBool("enable_node_highlighting");
4332         m_cache_enable_clouds             = g_settings->getBool("enable_clouds");
4333         m_cache_enable_particles          = g_settings->getBool("enable_particles");
4334         m_cache_enable_fog                = g_settings->getBool("enable_fog");
4335         m_cache_mouse_sensitivity         = g_settings->getFloat("mouse_sensitivity");
4336         m_repeat_right_click_time         = g_settings->getFloat("repeat_rightclick_time");
4337
4338         m_cache_mouse_sensitivity = rangelim(m_cache_mouse_sensitivity, 0.001, 100.0);
4339 }
4340
4341 /****************************************************************************/
4342 /****************************************************************************
4343  Shutdown / cleanup
4344  ****************************************************************************/
4345 /****************************************************************************/
4346
4347 void Game::extendedResourceCleanup()
4348 {
4349         // Extended resource accounting
4350         infostream << "Irrlicht resources after cleanup:" << std::endl;
4351         infostream << "\tRemaining meshes   : "
4352                    << device->getSceneManager()->getMeshCache()->getMeshCount() << std::endl;
4353         infostream << "\tRemaining textures : "
4354                    << driver->getTextureCount() << std::endl;
4355
4356         for (unsigned int i = 0; i < driver->getTextureCount(); i++) {
4357                 irr::video::ITexture *texture = driver->getTextureByIndex(i);
4358                 infostream << "\t\t" << i << ":" << texture->getName().getPath().c_str()
4359                            << std::endl;
4360         }
4361
4362         clearTextureNameCache();
4363         infostream << "\tRemaining materials: "
4364                << driver-> getMaterialRendererCount()
4365                        << " (note: irrlicht doesn't support removing renderers)" << std::endl;
4366 }
4367
4368
4369 /****************************************************************************/
4370 /****************************************************************************
4371  extern function for launching the game
4372  ****************************************************************************/
4373 /****************************************************************************/
4374
4375 void the_game(bool *kill,
4376                 bool random_input,
4377                 InputHandler *input,
4378                 IrrlichtDevice *device,
4379
4380                 const std::string &map_dir,
4381                 const std::string &playername,
4382                 const std::string &password,
4383                 const std::string &address,         // If empty local server is created
4384                 u16 port,
4385
4386                 std::string &error_message,
4387                 ChatBackend &chat_backend,
4388                 bool *reconnect_requested,
4389                 const SubgameSpec &gamespec,        // Used for local game
4390                 bool simple_singleplayer_mode)
4391 {
4392         Game game;
4393
4394         /* Make a copy of the server address because if a local singleplayer server
4395          * is created then this is updated and we don't want to change the value
4396          * passed to us by the calling function
4397          */
4398         std::string server_address = address;
4399
4400         try {
4401
4402                 if (game.startup(kill, random_input, input, device, map_dir,
4403                                 playername, password, &server_address, port, error_message,
4404                                 reconnect_requested, &chat_backend, gamespec,
4405                                 simple_singleplayer_mode)) {
4406                         game.run();
4407                         game.shutdown();
4408                 }
4409
4410         } catch (SerializationError &e) {
4411                 error_message = std::string("A serialization error occurred:\n")
4412                                 + e.what() + "\n\nThe server is probably "
4413                                 " running a different version of " PROJECT_NAME_C ".";
4414                 errorstream << error_message << std::endl;
4415         } catch (ServerError &e) {
4416                 error_message = e.what();
4417                 errorstream << "ServerError: " << error_message << std::endl;
4418         } catch (ModError &e) {
4419                 error_message = e.what() + strgettext("\nCheck debug.txt for details.");
4420                 errorstream << "ModError: " << error_message << std::endl;
4421         }
4422 }
4423