| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961962963964965966967968969970971972973974975976977978979980981982983984985986987988989990991992993994995996997998999100010011002100310041005100610071008100910101011101210131014101510161017101810191020102110221023102410251026102710281029103010311032103310341035103610371038103910401041104210431044104510461047104810491050105110521053105410551056105710581059106010611062106310641065106610671068106910701071107210731074107510761077107810791080108110821083 | .. _doc_gdscript_styleguide:GDScript style guide====================This style guide lists conventions to write elegant GDScript. The goal is toencourage writing clean, readable code and promote consistency across projects,discussions, and tutorials. Hopefully, this will also support the development ofauto-formatting tools.Since GDScript is close to Python, this guide is inspired by Python's`PEP 8 <https://www.python.org/dev/peps/pep-0008/>`__ programmingstyle guide.Style guides aren't meant as hard rulebooks. At times, you may not be able toapply some of the guidelines below. When that happens, use your best judgment,and ask fellow developers for insights.In general, keeping your code consistent in your projects and within your team ismore important than following this guide to a tee... note::    Godot's built-in script editor uses a lot of these conventions    by default. Let it help you.Here is a complete class example based on these guidelines:::    class_name StateMachine    extends Node    ## Hierarchical State machine for the player.    ##    ## Initializes states and delegates engine callbacks ([method Node._physics_process],    ## [method Node._unhandled_input]) to the state.    signal state_changed(previous, new)    @export var initial_state: Node    var is_active = true:        set = set_is_active    @onready var _state = initial_state:        set = set_state    @onready var _state_name = _state.name    func _init():        add_to_group("state_machine")    func _enter_tree():        print("this happens before the ready method!")    func _ready():        state_changed.connect(_on_state_changed)        _state.enter()    func _unhandled_input(event):        _state.unhandled_input(event)    func _physics_process(delta):        _state.physics_process(delta)    func transition_to(target_state_path, msg={}):        if not has_node(target_state_path):            return        var target_state = get_node(target_state_path)        assert(target_state.is_composite == false)        _state.exit()        self._state = target_state        _state.enter(msg)        Events.player_state_changed.emit(_state.name)    func set_is_active(value):        is_active = value        set_physics_process(value)        set_process_unhandled_input(value)        set_block_signals(not value)    func set_state(value):        _state = value        _state_name = _state.name    func _on_state_changed(previous, new):        print("state changed")        state_changed.emit()    class State:        var foo = 0        func _init():            print("Hello!").. _formatting:Formatting----------Encoding and special characters~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~* Use line feed (**LF**) characters to break lines, not CRLF or CR. *(editor default)** Use one line feed character at the end of each file. *(editor default)** Use **UTF-8** encoding without a `byte order mark <https://en.wikipedia.org/wiki/Byte_order_mark>`_. *(editor default)** Use **Tabs** instead of spaces for indentation. *(editor default)*Indentation~~~~~~~~~~~Each indent level should be one greater than the block containing it.**Good**:.. rst-class:: code-example-good::    for i in range(10):        print("hello")**Bad**:.. rst-class:: code-example-bad::    for i in range(10):      print("hello")    for i in range(10):            print("hello")Use 2 indent levels to distinguish continuation lines fromregular code blocks.**Good**:.. rst-class:: code-example-good::    effect.interpolate_property(sprite, "transform/scale",            sprite.get_scale(), Vector2(2.0, 2.0), 0.3,            Tween.TRANS_QUAD, Tween.EASE_OUT)**Bad**:.. rst-class:: code-example-bad::    effect.interpolate_property(sprite, "transform/scale",        sprite.get_scale(), Vector2(2.0, 2.0), 0.3,        Tween.TRANS_QUAD, Tween.EASE_OUT)Exceptions to this rule are arrays, dictionaries, and enums. Use a singleindentation level to distinguish continuation lines:**Good**:.. rst-class:: code-example-good::    var party = [        "Godot",        "Godette",        "Steve",    ]    var character_dict = {        "Name": "Bob",        "Age": 27,        "Job": "Mechanic",    }    enum Tile {        BRICK,        FLOOR,        SPIKE,        TELEPORT,    }**Bad**:.. rst-class:: code-example-bad::    var party = [            "Godot",            "Godette",            "Steve",    ]    var character_dict = {            "Name": "Bob",            "Age": 27,            "Job": "Mechanic",    }    enum Tile {            BRICK,            FLOOR,            SPIKE,            TELEPORT,    }Trailing comma~~~~~~~~~~~~~~Use a trailing comma on the last line in arrays, dictionaries, and enums. Thisresults in easier refactoring and better diffs in version control as the lastline doesn't need to be modified when adding new elements.**Good**:.. rst-class:: code-example-good::    var array = [        1,        2,        3,    ]**Bad**:.. rst-class:: code-example-bad::    var array = [        1,        2,        3    ]Trailing commas are unnecessary in single-line lists, so don't add them in this case.**Good**:.. rst-class:: code-example-good::    var array = [1, 2, 3]**Bad**:.. rst-class:: code-example-bad::    var array = [1, 2, 3,]Blank lines~~~~~~~~~~~Surround functions and class definitions with two blank lines:::    func heal(amount):        health += amount        health = min(health, max_health)        health_changed.emit(health)    func take_damage(amount, effect=null):        health -= amount        health = max(0, health)        health_changed.emit(health)Use one blank line inside functions to separate logical sections... note::    We use a single line between classes and function definitions in the class reference and    in short code snippets in this documentation.Line length~~~~~~~~~~~Keep individual lines of code under 100 characters.If you can, try to keep lines under 80 characters. This helps to read the codeon small displays and with two scripts opened side-by-side in an external texteditor. For example, when looking at a differential revision.One statement per line~~~~~~~~~~~~~~~~~~~~~~Avoid combining multiple statements on a single line, including conditionalstatements, to adhere to the GDScript style guidelines for readability.**Good**:.. rst-class:: code-example-good::    if position.x > width:        position.x = 0    if flag:        print("flagged")**Bad**:.. rst-class:: code-example-bad::    if position.x > width: position.x = 0    if flag: print("flagged")The only exception to that rule is the ternary operator:::    next_state = "idle" if is_on_floor() else "fall"Format multiline statements for readability~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~When you have particularly long ``if`` statements or nested ternary expressions,wrapping them over multiple lines improves readability. Since continuation linesare still part of the same expression, 2 indent levels should be used instead of one.GDScript allows wrapping statements using multiple lines using parentheses orbackslashes. Parentheses are favored in this style guide since they make foreasier refactoring. With backslashes, you have to ensure that the last linenever contains a backslash at the end. With parentheses, you don't have toworry about the last line having a backslash at the end.When wrapping a conditional expression over multiple lines, the ``and``/``or``keywords should be placed at the beginning of the line continuation, not at theend of the previous line.**Good**:.. rst-class:: code-example-good::    var angle_degrees = 135    var quadrant = (            "northeast" if angle_degrees <= 90            else "southeast" if angle_degrees <= 180            else "southwest" if angle_degrees <= 270            else "northwest"    )    var position = Vector2(250, 350)    if (            position.x > 200 and position.x < 400            and position.y > 300 and position.y < 400    ):        pass**Bad**:.. rst-class:: code-example-bad::    var angle_degrees = 135    var quadrant = "northeast" if angle_degrees <= 90 else "southeast" if angle_degrees <= 180 else "southwest" if angle_degrees <= 270 else "northwest"    var position = Vector2(250, 350)    if position.x > 200 and position.x < 400 and position.y > 300 and position.y < 400:        passAvoid unnecessary parentheses~~~~~~~~~~~~~~~~~~~~~~~~~~~~~Avoid parentheses in expressions and conditional statements. Unlessnecessary for order of operations or wrapping over multiple lines,they only reduce readability.**Good**:.. rst-class:: code-example-good::    if is_colliding():        queue_free()**Bad**:.. rst-class:: code-example-bad::    if (is_colliding()):        queue_free().. _boolean_operators:Boolean operators~~~~~~~~~~~~~~~~~Prefer the plain English versions of boolean operators, as they are the most accessible:- Use ``and`` instead of ``&&``.- Use ``or`` instead of ``||``.- Use ``not`` instead of ``!``.You may also use parentheses around boolean operators to clear any ambiguity.This can make long expressions easier to read.**Good**:.. rst-class:: code-example-good::    if (foo and bar) or not baz:        print("condition is true")**Bad**:.. rst-class:: code-example-bad::    if foo && bar || !baz:        print("condition is true")Comment spacing~~~~~~~~~~~~~~~Regular comments (``#``) and documentation comments (``##``) should start with aspace, but not code that you comment out. Additionally, code region comments(``#region``/``#endregion``) must follow that precise syntax, so they should notstart with a space.Using a space for regular and documentation comments helps differentiate textcomments from disabled code.**Good**:.. rst-class:: code-example-good::    # This is a comment.    #print("This is disabled code")**Bad**:.. rst-class:: code-example-bad::    #This is a comment.    # print("This is disabled code").. note::    In the script editor, to toggle commenting of the selected code, press    :kbd:`Ctrl + K`. This feature adds/removes a single ``#`` sign before any    code on the selected lines.Prefer writing comments on their own line as opposed to inline comments(comments written on the same line as code). Inline comments are best used forshort comments, typically a few words at most:**Good**:.. rst-class:: code-example-good::    # This is a long comment that would make the line below too long if written inline.    print("Example") # Short comment.**Bad**:.. rst-class:: code-example-bad::    print("Example") # This is a long comment that would make this line too long if written inline.Whitespace~~~~~~~~~~Always use one space around operators and after commas. Also, avoid extra spacesin dictionary references and function calls. One exception to this is forsingle-line dictionary declarations, where a space should be added after theopening brace and before the closing brace. This makes the dictionary easier tovisually distinguish from an array, as the ``[]`` characters look close to``{}`` with most fonts.**Good**:.. rst-class:: code-example-good::    position.x = 5    position.y = target_position.y + 10    dict["key"] = 5    my_array = [4, 5, 6]    my_dictionary = { key = "value" }    print("foo")**Bad**:.. rst-class:: code-example-bad::    position.x=5    position.y = mpos.y+10    dict ["key"] = 5    myarray = [4,5,6]    my_dictionary = {key = "value"}    print ("foo")Don't use spaces to align expressions vertically:::    x        = 100    y        = 100    velocity = 500Quotes~~~~~~Use double quotes unless single quotes make it possible to escape fewercharacters in a given string. See the examples below:::    # Normal string.    print("hello world")    # Use double quotes as usual to avoid escapes.    print("hello 'world'")    # Use single quotes as an exception to the rule to avoid escapes.    print('hello "world"')    # Both quote styles would require 2 escapes; prefer double quotes if it's a tie.    print("'hello' \"world\"")Numbers~~~~~~~Don't omit the leading or trailing zero in floating-point numbers. Otherwise,this makes them less readable and harder to distinguish from integers at aglance.**Good**:.. rst-class:: code-example-good::    var float_number = 0.234    var other_float_number = 13.0**Bad**:.. rst-class:: code-example-bad::    var float_number = .234    var other_float_number = 13.Use lowercase for letters in hexadecimal numbers, as their lower height makesthe number easier to read.**Good**:.. rst-class:: code-example-good::    var hex_number = 0xfb8c0b**Bad**:.. rst-class:: code-example-bad::    var hex_number = 0xFB8C0BTake advantage of GDScript's underscores in literals to make large numbers morereadable.**Good**:.. rst-class:: code-example-good::    var large_number = 1_234_567_890    var large_hex_number = 0xffff_f8f8_0000    var large_bin_number = 0b1101_0010_1010    # Numbers lower than 1000000 generally don't need separators.    var small_number = 12345**Bad**:.. rst-class:: code-example-bad::    var large_number = 1234567890    var large_hex_number = 0xfffff8f80000    var large_bin_number = 0b110100101010    # Numbers lower than 1000000 generally don't need separators.    var small_number = 12_345.. _naming_conventions:Naming conventions------------------These naming conventions follow the Godot Engine style. Breaking these will makeyour code clash with the built-in naming conventions, leading to inconsistentcode. As a summary table:+---------------+----------------+----------------------------------------------------+| Type          | Convention     | Example                                            |+===============+================+====================================================+| File names    | snake_case     | ``yaml_parser.gd``                                 |+---------------+----------------+----------------------------------------------------+| Class names   | PascalCase     | ``class_name YAMLParser``                          |+---------------+----------------+----------------------------------------------------+| Node names    | PascalCase     | ``Camera3D``, ``Player``                           |+---------------+----------------+----------------------------------------------------+| Functions     | snake_case     | ``func load_level():``                             |+---------------+----------------+----------------------------------------------------+| Variables     | snake_case     | ``var particle_effect``                            |+---------------+----------------+----------------------------------------------------+| Signals       | snake_case     | ``signal door_opened``                             |+---------------+----------------+----------------------------------------------------+| Constants     | CONSTANT_CASE  | ``const MAX_SPEED = 200``                          |+---------------+----------------+----------------------------------------------------+| Enum names    | PascalCase     | ``enum Element``                                   |+---------------+----------------+----------------------------------------------------+| Enum members  | CONSTANT_CASE  | ``{EARTH, WATER, AIR, FIRE}``                      |+---------------+----------------+----------------------------------------------------+File names~~~~~~~~~~Use snake_case for file names. For named classes, convert the PascalCase classname to snake_case:::    # This file should be saved as `weapon.gd`.    class_name Weapon    extends Node::    # This file should be saved as `yaml_parser.gd`.    class_name YAMLParser    extends ObjectThis is consistent with how C++ files are named in Godot's source code. Thisalso avoids case sensitivity issues that can crop up when exporting a projectfrom Windows to other platforms.Classes and nodes~~~~~~~~~~~~~~~~~Use PascalCase for class and node names:::    extends CharacterBody3DAlso use PascalCase when loading a class into a constant or a variable:::    const Weapon = preload("res://weapon.gd")Functions and variables~~~~~~~~~~~~~~~~~~~~~~~Use snake\_case to name functions and variables:::    var particle_effect    func load_level():Prepend a single underscore (\_) to virtual methods functions the user mustoverride, private functions, and private variables:::    var _counter = 0    func _recalculate_path():Signals~~~~~~~Use the past tense to name signals:::    signal door_opened    signal score_changedConstants and enums~~~~~~~~~~~~~~~~~~~Write constants with CONSTANT\_CASE, that is to say in all caps with anunderscore (\_) to separate words:::    const MAX_SPEED = 200Use PascalCase for enum *names* and keep them singular, as they represent a type. Use CONSTANT\_CASE for their members, as theyare constants:::    enum Element {        EARTH,        WATER,        AIR,        FIRE,    }Write enums with each item on its own line. This allows adding documentation comments above each itemmore easily, and also makes for cleaner diffs in version control when items are added or removed.**Good**:.. rst-class:: code-example-good::    enum Element {        EARTH,        WATER,        AIR,        FIRE,    }**Bad**:.. rst-class:: code-example-bad::    enum Element { EARTH, WATER, AIR, FIRE }Code order----------This section focuses on code order. For formatting, see:ref:`formatting`. For naming conventions, see :ref:`naming_conventions`.We suggest to organize GDScript code this way:::    01. @tool, @icon, @static_unload    02. class_name    03. extends    04. ## doc comment    05. signals    06. enums    07. constants    08. static variables    09. @export variables    10. remaining regular variables    11. @onready variables    12. _static_init()    13. remaining static methods    14. overridden built-in virtual methods:        1. _init()        2. _enter_tree()        3. _ready()        4. _process()        5. _physics_process()        6. remaining virtual methods    15. overridden custom methods    16. remaining methods    17. subclassesAnd put the class methods and variables in the following order depending on their access modifiers:::    1. public    2. privateWe optimized the order to make it easy to read the code from top to bottom, tohelp developers reading the code for the first time understand how it works, andto avoid errors linked to the order of variable declarations.This code order follows four rules of thumb:1. Properties and signals come first, followed by methods.2. Public comes before private.3. Virtual callbacks come before the class's interface.4. The object's construction and initialization functions, ``_init`` and   ``_ready``, come before functions that modify the object at runtime.Class declaration~~~~~~~~~~~~~~~~~If the code is meant to run in the editor, place the ``@tool`` annotation on thefirst line of the script.Follow with the optional ``@icon`` then the ``class_name`` if necessary. You can turn aGDScript file into a global type in your project using ``class_name``. For moreinformation, see :ref:`doc_gdscript_basics_class_name`. If the class is meantto be an :ref:`abstract class <doc_gdscript_basics_abstract_class>`,add ``@abstract`` *before* the ``class_name`` keyword.Then, add the ``extends`` keyword if the class extends a built-in type.Following that, you should have the class's optional:ref:`documentation comments <doc_gdscript_documentation_comments>`.You can use that to explain the role of your class to your teammates, how it works,and how other developers should use it, for example.::    @abstract    class_name MyNode    extends Node    ## A brief description of the class's role and functionality.    ##    ## The description of the script, what it can do,    ## and any further detail.For inner classes, use single-line declarations:::    ## A brief description of the class's role and functionality.    ##    ## The description of the script, what it can do,    ## and any further detail.    @abstract class MyNode extends Node:        passSignals and properties~~~~~~~~~~~~~~~~~~~~~~Write signal declarations, followed by properties, that is to say, membervariables, after the docstring.Enums should come after signals, as you can use them as export hints for otherproperties.Then, write constants, exported variables, public, private, and onreadyvariables, in that order.::    signal player_spawned(position)    enum Job {        KNIGHT,        WIZARD,        ROGUE,        HEALER,        SHAMAN,    }    const MAX_LIVES = 3    @export var job: Job = Job.KNIGHT    @export var max_health = 50    @export var attack = 5    var health = max_health:        set(new_health):            health = new_health    var _speed = 300.0    @onready var sword = get_node("Sword")    @onready var gun = get_node("Gun").. note::    GDScript evaluates ``@onready`` variables right before the ``_ready``    callback. You can use that to cache node dependencies, that is to say, to get    child nodes in the scene that your class relies on. This is what the example    above shows.Member variables~~~~~~~~~~~~~~~~Don't declare member variables if they are only used locally in a method, as itmakes the code more difficult to follow. Instead, declare them as localvariables in the method's body.Local variables~~~~~~~~~~~~~~~Declare local variables as close as possible to their first use. This makes iteasier to follow the code, without having to scroll too much to find where thevariable was declared.Methods and static functions~~~~~~~~~~~~~~~~~~~~~~~~~~~~After the class's properties come the methods.Start with the ``_init()`` callback method, that the engine will call uponcreating the object in memory. Follow with the ``_ready()`` callback, that Godotcalls when it adds a node to the scene tree.These functions should come first because they show how the object isinitialized.Other built-in virtual callbacks, like ``_unhandled_input()`` and``_physics_process``, should come next. These control the object's main loop andinteractions with the game engine.The rest of the class's interface, public and private methods, come after that,in that order.::    func _init():        add_to_group("state_machine")    func _ready():        state_changed.connect(_on_state_changed)        _state.enter()    func _unhandled_input(event):        _state.unhandled_input(event)    func transition_to(target_state_path, msg={}):        if not has_node(target_state_path):            return        var target_state = get_node(target_state_path)        assert(target_state.is_composite == false)        _state.exit()        self._state = target_state        _state.enter(msg)        Events.player_state_changed.emit(_state.name)    func _on_state_changed(previous, new):        print("state changed")        state_changed.emit()Static typing-------------GDScript supports :ref:`optional static typing<doc_gdscript_static_typing>`.Declared types~~~~~~~~~~~~~~To declare a variable's type, use ``<variable>: <type>``:::    var health: int = 0To declare the return type of a function, use ``-> <type>``:::    func heal(amount: int) -> void:Inferred types~~~~~~~~~~~~~~In most cases, you can let the compiler infer the type using ``:=``.Prefer ``:=`` when the type is written on the same line as the assignment,otherwise prefer writing the type explicitly.**Good**:.. rst-class:: code-example-good::    # The type can be int or float, and thus should be stated explicitly.    var health: int = 0    # The type is clearly inferred as Vector3.    var direction := Vector3(1, 2, 3)Include the type hint when the type is ambiguous, andomit the type hint when it's redundant.**Bad**:.. rst-class:: code-example-bad::    # Typed as int, but it could be that float was intended.    var health := 0    # The type hint has redundant information.    var direction: Vector3 = Vector3(1, 2, 3)    # What type is this? It's not immediately clear to the reader, so it's bad.    var value := complex_function()In some cases, the type must be stated explicitly, otherwise the behaviorwill not be as expected because the compiler will only be able to usethe function's return type. For example, ``get_node()`` cannot infer a typeunless the scene or file of the node is loaded in memory. In this case, youshould set the type explicitly.**Good**:.. rst-class:: code-example-good::    @onready var health_bar: ProgressBar = get_node("UI/LifeBar")**Bad**:.. rst-class:: code-example-bad::    # The compiler can't infer the exact type and will use Node    # instead of ProgressBar.    @onready var health_bar := get_node("UI/LifeBar")Alternatively, you can use the ``as`` keyword to cast the return type, andthat type will be used to infer the type of the var... rst-class:: code-example-good::    @onready var health_bar := get_node("UI/LifeBar") as ProgressBar    # health_bar will be typed as ProgressBar.. note::    This option is considered more :ref:`type-safe<doc_gdscript_static_typing_safe_lines>` than type hints,    but also less null-safe as it silently casts the variable to ``null`` in case of a type mismatch at runtime,    without an error/warning.
 |