I am trying to print out all the prime factors of a number. My code is as follows:
public static boolean isPrime(long n){
    long i = n;
    while (i > 0){
        if (n % i == 0 && !(i == 1 || i == n)){
            return false;
        }
        i--;
    }
    return true;
}
public static void primeFactors(long n){
    long i = n;
    while (i > 0){
        if (isPrime(i)){
            System.out.println(i);
        }
        i--;
    }
}
This code works for small numbers: 5, 5000,e.g. When I input 600851475143 to the method, my program runs and nothing is output. Why is this happening?
 
                        
Your primality test function is horrible.
Quick win: count forwards not backwards. Currently you'll count through at lease half your number until you find a factor! That probably accounts for the delay you are observing.
Bit better: count odd numbers up to the square root.
Perhaps better still: count prime numbers up to the square root. precompute those using a sieve depending on the requirements.