Knight’s Shortest Path on Chessboard

EDIT: See simon’s answer, where he fixed the formula presented here.

Actually there is an O(1) formula

This is an image that I’ve made to visualize it ( Squares a knight can reach on Nth move are painted with same color ).
Knight's Move

Can you notice the pattern here?

Although we can see the pattern, it is really hard to find the function f( x , y ) that returns the number of moves required to go from square ( 0 , 0 ) to square ( x , y )

But here is the formula that works when 0 <= y <= x

int f( int x , int y )
{
    int delta = x - y;

    if( y > delta )
        return 2 * ( ( y - delta ) / 3 ) + delta;
    else
        return delta - 2 * ( ( delta - y ) / 4 );
}

Note: This question was asked on SACO 2007 Day 1
And solutions are here

Leave a Comment