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