import java.util.Arrays;
import java.util.Scanner;
/**
* HJ103 Redraiment的走法 - 中等
*/
public class Main {
public static void main(String[] args) {
Scanner sc = new Scanner(System.in);
while (sc.hasNext()) {
int[] arr = new int[sc.nextInt()];
for (int i = 0; i < arr.length; i++) {
arr[i] = sc.nextInt();
}
int maxLength = lengthOfLIS(arr);
System.out.println(maxLength);
}
sc.close();
}
private static int lengthOfLIS(int[] nums) {
int[] dp = new int[nums.length];
Arrays.fill(dp, 1);
for (int i = 0; i < dp.length; i++) {
for (int j = 0; j < i; j++) {
if (nums[i] > nums[j]) {
dp[i] = Math.max(dp[i], dp[j] + 1);
}
}
}
int res = 0;
for (int value : dp) {
res = Math.max(res, value);
}
return res;
}
}