| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254 | .. _doc_navigation_using_navigationpaths:Using NavigationPaths=====================Obtaining a NavigationPath--------------------------Navigation paths can be directly queried from the NavigationServer and do not require anyadditional nodes or objects as long as the navigation map has a navigation mesh to work with.To obtain a 2D path, use ``NavigationServer2D.map_get_path(map, from, to, optimize, navigation_layers)``.To obtain a 3D path, use ``NavigationServer3D.map_get_path(map, from, to, optimize, navigation_layers)``.For more customizable navigation path queries that require additional setup see :ref:`doc_navigation_using_navigationpathqueryobjects`.One of the required parameters for the query is the RID of the navigation map.Each game world has a default navigation map automatically created.The default navigation maps can be retrieved with ``get_world_2d().get_navigation_map()`` fromany Node2D inheriting node or ``get_world_3d().get_navigation_map()`` from any Node3D inheriting node.The second and third parameters are the starting position and the target position as Vector2 for 2D or Vector3 for 3D.If the ``optimized`` parameter is ``true``, path positions will be shortened along polygoncorners with an additional funnel algorithm pass. This works well for free movementon navigation meshes with unequally sized polygons as the path will hug around cornersalong the polygon corridor found by the A* algorithm. With small cells the A* algorithmcreates a very narrow funnel corridor that can create ugly corner paths when used with grids.If the ``optimized`` parameter is ``false``, path positions will be placed at the center of each polygon edge.This works well for pure grid movement on navigation meshes with equally sized polygons as the path will go through the center of the grid cells.Outside of grids due to polygons often covering large open areas with a single, long edge this can create paths with unnecessary long detours... tabs:: .. code-tab:: gdscript 2D GDScript    extends Node2D    # Basic query for a navigation path using the default navigation map.    func get_navigation_path(p_start_position: Vector2, p_target_position: Vector2) -> PackedVector2Array:        if not is_inside_tree():            return PackedVector2Array()        var default_map_rid: RID = get_world_2d().get_navigation_map()        var path: PackedVector2Array = NavigationServer2D.map_get_path(            default_map_rid,            p_start_position,            p_target_position,            true        )        return path .. code-tab:: csharp 2D C#    using Godot;    using System;    public partial class MyNode2D : Node2D    {        // Basic query for a navigation path using the default navigation map.        private Vector2[] GetNavigationPath(Vector2 startPosition, Vector2 targetPosition)        {            if (!IsInsideTree())            {                return Array.Empty<Vector2>();            }            Rid defaultMapRid = GetWorld2D().NavigationMap;            Vector2[] path = NavigationServer2D.MapGetPath(                defaultMapRid,                startPosition,                targetPosition,                true            );            return path;        }    } .. code-tab:: gdscript 3D GDScript    extends Node3D    # Basic query for a navigation path using the default navigation map.    func get_navigation_path(p_start_position: Vector3, p_target_position: Vector3) -> PackedVector3Array:        if not is_inside_tree():            return PackedVector3Array()        var default_map_rid: RID = get_world_3d().get_navigation_map()        var path: PackedVector3Array = NavigationServer3D.map_get_path(            default_map_rid,            p_start_position,            p_target_position,            true        )        return path .. code-tab:: csharp 3D C#    using Godot;    using System;    public partial class MyNode3D : Node3D    {        // Basic query for a navigation path using the default navigation map.        private Vector3[] GetNavigationPath(Vector3 startPosition, Vector3 targetPosition)        {            if (!IsInsideTree())            {                return Array.Empty<Vector3>();            }            Rid defaultMapRid = GetWorld3D().NavigationMap;            Vector3[] path = NavigationServer3D.MapGetPath(                defaultMapRid,                startPosition,                targetPosition,                true            );            return path;        }    }A returned ``path`` by the NavigationServer will be a ``PackedVector2Array`` for 2D or a ``PackedVector3Array`` for 3D.These are just a memory-optimized ``Array`` of vector positions.All position vectors inside the array are guaranteed to be inside a NavigationPolygon or NavigationMesh.The path array, if not empty, has the navigation mesh position closest to the starting position at the first index ``path[0]`` position.The closest available navigation mesh position to the target position is the last index ``path[path.size()-1]`` position.All indexes between are the path points that an actor should follow to reach the target without leaving the navigation mesh... note::    If the target position is on a different navigation mesh that is not merged or connected    the navigation path will lead to the closest possible position on the starting position navigation mesh.The following script moves a Node3D inheriting node along a navigation path usingthe default navigation map by setting the target position with ``set_movement_target()``... tabs:: .. code-tab:: gdscript GDScript    @onready var default_3d_map_rid: RID = get_world_3d().get_navigation_map()    var movement_speed: float = 4.0    var movement_delta: float    var path_point_margin: float = 0.5    var current_path_index: int = 0    var current_path_point: Vector3    var current_path: PackedVector3Array    func set_movement_target(target_position: Vector3):        var start_position: Vector3 = global_transform.origin        current_path = NavigationServer3D.map_get_path(            default_3d_map_rid,            start_position,            target_position,            true        )        if not current_path.is_empty():            current_path_index = 0            current_path_point = current_path[0]    func _physics_process(delta):        if current_path.is_empty():            return        movement_delta = movement_speed * delta        if global_transform.origin.distance_to(current_path_point) <= path_point_margin:            current_path_index += 1            if current_path_index >= current_path.size():                current_path = []                current_path_index = 0                current_path_point = global_transform.origin                return        current_path_point = current_path[current_path_index]        var new_velocity: Vector3 = global_transform.origin.direction_to(current_path_point) * movement_delta        global_transform.origin = global_transform.origin.move_toward(global_transform.origin + new_velocity, movement_delta) .. code-tab:: csharp    using Godot;    public partial class MyNode3D : Node3D    {        private Rid _default3DMapRid;        private float _movementSpeed = 4.0f;        private float _movementDelta;        private float _pathPointMargin = 0.5f;        private int _currentPathIndex = 0;        private Vector3 _currentPathPoint;        private Vector3[] _currentPath;        public override void _Ready()        {            _default3DMapRid = GetWorld3D().NavigationMap;        }        private void SetMovementTarget(Vector3 targetPosition)        {            Vector3 startPosition = GlobalTransform.Origin;            _currentPath = NavigationServer3D.MapGetPath(_default3DMapRid, startPosition, targetPosition, true);            if (!_currentPath.IsEmpty())            {                _currentPathIndex = 0;                _currentPathPoint = _currentPath[0];            }        }        public override void _PhysicsProcess(double delta)        {            if (_currentPath.IsEmpty())            {                return;            }            _movementDelta = _movementSpeed * (float)delta;            if (GlobalTransform.Origin.DistanceTo(_currentPathPoint) <= _pathPointMargin)            {                _currentPathIndex += 1;                if (_currentPathIndex >= _currentPath.Length)                {                    _currentPath = Array.Empty<Vector3>();                    _currentPathIndex = 0;                    _currentPathPoint = GlobalTransform.Origin;                    return;                }            }            _currentPathPoint = _currentPath[_currentPathIndex];            Vector3 newVelocity = GlobalTransform.Origin.DirectionTo(_currentPathPoint) * _movementDelta;            var globalTransform = GlobalTransform;            globalTransform.Origin = globalTransform.Origin.MoveToward(globalTransform.Origin + newVelocity, _movementDelta);            GlobalTransform = globalTransform;        }    }
 |