This is one of the most popular algorithms used in games when giving NPC's the ability to find their own way to a destination. With A* you can cleverly navigated around non-walkable tiles and find the shortest path, even when it's not a straight line!
I've implemented this into a hex-grid game where waves of enemies spawn every turn and creep closer to your base. One issue I did find was that having dozens of units all running the A* algorithm at the same time to find their way caused my fans to go into overdrive. A very easy fix for this required staggering the logic runtime for each unit by a few hundred milliseconds (A very common trick, also used in Assassins Creed for crowd reactions)
Put very simply, it checks the distance from each neighbouring tile to the target destination tile (known as the G cost). It also checks this current tile against the starting tile (H cost), then adds both distances together (F cost). Once it's done that for all neighbouring tiles, it will check which has the lowest value since that will give us the lowest number of moves to get to our destination.
Let's imagine we're at tile 1 and want to get to 9, we would first check all the neighbouring tiles of 1 (2, 4 & 5).
var current = nodesToSearch[0];
foreach (var node in nodesToSearch)
{
if (node.F < current.F || node.F == current.F && node.H < current.H)
current = node;
}
visitedNodes.Add(current);
nodesToSearch.Remove(current);
if (current == target)
{
visitedNodes.RemoveAt(0);
return visitedNodes;
}
To explain; "nodesToSearch" will contain the neighbours of either the starting tile or the previously selected lowest F cost. We then decide the new current tile by doing our F cost checks and adding it to our visitedNodes list/array. We can remove it from the nodesToSearch since we won't need to go on the same tile twice. Finally, if the current tile is the target tile, we can safely assume we've reached our destination, remove the starting node since we're already on it, and return the path for our NPC to follow.
This is a great algorithm to learn and use if your trying to build NPC AI as it's one of the most cost effective. Other algorithms like "Breadth First Search" will work too, however it's not as optimized as A* since it will check every neighbouring tile out from it's position until it finds the target. Thus I find "BFS" better to use for calculating possible movement tiles when your unit only has a small movement range, and A* better for finding a path from one side of the map to the other.