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