Hello! I am trying to make a small gaming 2D project where a character is mouse controlled. It is a flat top-down 2D scene with a character in it.

What I basically need is a character that walks to a point where I clicked but stops at a collision. For collision I use standard TileMapLayer, character is CharacterBody2D. And for movement I tried move_and_slide(), but it works strange... Character's speed of movement depends on the length of initial velocity Vector2 and slows down as the character draws close to the point. I'd like to change that and make it move even. So I tried writing my own movement function... It moves the character exactly how I want, but does not process collision. And I've got no idea how to address it on my own. Looks like like CharacterBody2D is just not meant for this top-down view, rather for platformers.

Another trouble is that move_and_slide() is black box to me. No idea what it does exactly... I mean, Godot docs say only that it moves and slides, but never mentions all this about slowing down. Seems, there are forces in it other than velocity and collision.

So... Any advice on how to solve this? Where should I look to handle collision in my own movement function? I can read documentation, I just do not know what I look for... Or maybe I could do something about move_and_slide() to make it behave my way? Maybe keeping Velocity constant by recalculating it on every phys-frame will help?

    xyz Thank you very much! This helped. I think I am doing it not exactly right, because I call move_and_collide() through _process via my own movement function (not _physics_process), still it does what I want! The character moves to my point and stops there or at a wall.

    Here's how I do it, just in case:

    extends CharacterBody2D
    
    @export var maxspeed = 10.0
    
    var currentMovementVector: Vector2
    var characterCollider: KinematicCollision2D
    
    enum characterStates {IDLE, MOVE}
    var state: characterStates = characterStates.IDLE
    
    func _process(delta: float) -> void:
    	if state == characterStates.MOVE:
    		position += move(currentMovementVector)
    	pass
    
    
    func setMoveState(movementVector: Vector2):
    	var localstate = state
    	localstate = characterStates.IDLE
    	if movementVector:
    		currentMovementVector = movementVector
    		localstate = characterStates.MOVE
    	state = localstate
    
    
    func move(movementVector: Vector2):
    	
    	var increment = movementVector.normalized() * maxspeed
    	if increment.abs() > movementVector.abs():
    		increment = movementVector
    	movementVector -= increment
    	characterCollider = move_and_collide(increment, true)
    	if characterCollider:
    		var collisionIncrement = characterCollider.get_travel()
    		if increment.abs() > collisionIncrement.abs():
    			increment = collisionIncrement
    	setMoveState(movementVector)
    	return increment