| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194 | .. _doc_scene_tree:Using SceneTree===============Introduction------------In previous tutorials, everything revolved around the concept ofnodes. Scenes are collections of nodes. They become active oncethey enter the *scene tree*.MainLoop--------The way Godot works internally is as follows. There is the:ref:`OS <class_OS>` class,which is the only instance that runs at the beginning. Afterwards, alldrivers, servers, scripting languages, scene system, etc are loaded.When initialization is complete, :ref:`OS <class_OS>` needs to besupplied a :ref:`MainLoop <class_MainLoop>`to run. Up to this point, all this is internals working (you can checkmain/main.cpp file in the source code if you are ever interested tosee how this works internally).The user program, or game, starts in the MainLoop. This class has a fewmethods, for initialization, idle (frame-synchronized callback), fixed(physics-synchronized callback), and input. Again, this is lowlevel and when making games in Godot, writing your own MainLoop seldom makes sense.SceneTree---------One of the ways to explain how Godot works is that it's a high-levelgame engine over a low-level middleware.The scene system is the game engine, while the :ref:`OS <class_OS>`and servers are the low-level API.The scene system provides its own main loop to OS,:ref:`SceneTree <class_SceneTree>`.This is automatically instanced and set when running a scene, no needto do any extra work.It's important to know that this class exists because it has a fewimportant uses:-  It contains the root :ref:`Viewport <class_Viewport>`, to which a   scene is added as a child when it's first opened to become   part of the *Scene Tree* (more on that next).-  It contains information about the groups and has the means to call all   nodes in a group or get a list of them.-  It contains some global state functionality, such as setting pause   mode or quitting the process.When a node is part of the Scene Tree, the:ref:`SceneTree <class_SceneTree>`singleton can be obtained by calling:ref:`Node.get_tree() <class_Node_method_get_tree>`.Root viewport-------------The root :ref:`Viewport <class_Viewport>`is always at the top of the scene. From a node, it can be obtained intwo different ways:.. tabs:: .. code-tab:: gdscript GDScript        get_tree().root # Access via scene main loop.        get_node("/root") # Access via absolute path. .. code-tab:: csharp        GetTree().Root // Access via scene main loop.        GetNode("/root"); // Access via absolute path.This node contains the main viewport. Anything that is a child of a:ref:`Viewport <class_Viewport>`is drawn inside of it by default, so it makes sense that the top of allnodes is always a node of this type otherwise nothing would be seen.While other viewports can be created in the scene (for split-screeneffects and such), this one is the only one that is never created by theuser. It's created automatically inside SceneTree.Scene tree----------When a node is connected, directly or indirectly, to the rootviewport, it becomes part of the *scene tree*.This means that as explained in previous tutorials, it will get the``_enter_tree()`` and ``_ready()`` callbacks (as well as ``_exit_tree()``)... image:: img/activescene.webpWhen nodes enter the *Scene Tree*, they become active. They get accessto everything they need to process, get input, display 2D and 3D visuals,receive and send notifications, play sounds, etc. When they are removed from the*scene tree*, they lose these abilities.Tree order----------Most node operations in Godot, such as drawing 2D, processing, or gettingnotifications are done in *tree order*, or top to bottom as seen in theeditor (also known as pre-order traversal):.. image:: img/toptobottom.webpFor example, the top node in a scene has its ``_process()`` functioncalled first, then the node below it has its ``_process()`` function called,then the node below that and so on.An important exception is the ``_ready()`` function: each parent node has its``_ready()`` function called only after all its child nodes have their``_ready()`` functions called, so that the parent knows its children arecompletely ready to be accessed. This is also known as post-order traversal.In the above image, ``NameLabel`` would be notified first (but only after itschildren, if it had any!), followed by ``Name``, etc., and ``Panel`` would benotified last.The order of operations can also be overridden using the ``process_priority``node property. Nodes with a lower number are called first. For example, nodeswith the priorities "0, 1, 2, 3" would be called in that order from left to right."Becoming active" by entering the *Scene Tree*----------------------------------------------#. A scene is loaded from disk or created by scripting.#. The root node of that scene (only one root, remember?) is added as   either a child of the "root" Viewport (from SceneTree), or to any   of its descendants.#. Every node of the newly added scene will receive the "enter_tree"   notification ( ``_enter_tree()`` callback in GDScript) in   top-to-bottom order (pre-order traversal).#. Every node will receive the "ready" notification ( ``_ready()``   callback in GDScript) for convenience, once all its children have   received the "ready" notification (post-order traversal).#. When a scene (or part of it) is removed, they receive the "exit   scene" notification ( ``_exit_tree()`` callback in GDScript) in   bottom-to-top order (the exact reverse of top-to-bottom order).Changing current scene----------------------After a scene is loaded, you may want to change this scene foranother one. One way to do this is to use the:ref:`SceneTree.change_scene_to_file() <class_SceneTree_method_change_scene_to_file>`function:.. tabs:: .. code-tab:: gdscript GDScript    func _my_level_was_completed():        get_tree().change_scene_to_file("res://levels/level2.tscn") .. code-tab:: csharp    public void _MyLevelWasCompleted()    {        GetTree().ChangeSceneToFile("res://levels/level2.tscn");    }Rather than using file paths, one can also use ready-made:ref:`PackedScene <class_PackedScene>` resources using the equivalentfunction:ref:`SceneTree.change_scene_to_packed(PackedScene scene) <class_SceneTree_method_change_scene_to_packed>`:.. tabs:: .. code-tab:: gdscript GDScript    var next_scene = preload("res://levels/level2.tscn")    func _my_level_was_completed():        get_tree().change_scene_to_packed(next_scene) .. code-tab:: csharp    public void _MyLevelWasCompleted()    {        var nextScene = (PackedScene)ResourceLoader.Load("res://levels/level2.tscn");        GetTree().ChangeSceneToPacked(nextScene);    }These are quick and useful ways to switch scenes but have the drawbackthat the game will stall until the new scene is loaded and running. Atsome point in the development of your game, it may be preferable to create proper loadingscreens with progress bar, animated indicators or threaded (background)loading. This must be done manually using :ref:`doc_singletons_autoload`and :ref:`doc_background_loading`.
 |