Coding Ninjas Logo

Home > Data Structures and Algorithms Questions > Find the count of distinct element in given array.

Find the count of distinct elementn in the given array in O(n) time .

Example:

Input : {1, -1, 6, 9, 6, 8, 8,6}
Output : 6

Answer:

We can use HashSet in Java to find the count of distinct element.

          import java.util.*;
          class Codechef {
              public static void main(String args[]){
                    
                    // Scanner for input
                    Scanner sc = new Scanner(System.in);
                    int n = sc.nextInt();

                    // array of size n
                    int arr[] = new int[n];

                    for(int i = 0 ; i < n ; i++){
                        arr[i] = sc.nextInt();
                    }

                    HashSet set = new HashSet <>();

                    // for each loop
                    for(int x : arr){
                        set.add(x);
                    }

                    // count of distinct elements in array
                    System.out.println(set.size());
              }
          }
        

Similar Questions