How to find the leader numbers in an array in the forward direction

This is the second solution to find the leader numbers in an array in the forward direction. An element is leader if it is greater than all the elements to its right side. And the rightmost element is always a leader

public class LeadNumbersInArrayFromFrontSide {

	public static void main(String args[]) {

		int[] arrNums = { 10, 2, 41, 13, 8, 36, 7, 15, 21 };

		System.out.println("All the leader Numbers");
		// Processing the numbers in the forward direction
		for (int i = 0; i < arrNums.length; i++) {
			int j;
			/*
			 * For each number from the frontside of the array checking whether it's right
			 * side number is less
			 */
			for (j = i + 1; j < arrNums.length; j++) {
				if (arrNums[i] < arrNums[j])
					break;
			}

			if (j == arrNums.length)
				System.out.print(arrNums[i] + " ");
		}

	}
}
OUTPUT:
All the leader Numbers
41 36 21