-
Notifications
You must be signed in to change notification settings - Fork 98
/
Copy pathMax_Chunks_To_Make_Sorted.java
68 lines (50 loc) · 1.76 KB
/
Max_Chunks_To_Make_Sorted.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
//769. Max Chunks To Make Sorted
//You are given an integer array arr of length n that represents a permutation of the integers in the range [0, n - 1].
//We split arr into some number of chunks (i.e., partitions), and individually sort each chunk. After concatenating them, the result should equal the sorted array.
//Return the largest number of chunks we can make to sort the array.
//Example 1:
//Input: arr = [4,3,2,1,0]
//Output: 1
//Explanation:
//Splitting into two or more chunks will not return the required result.
//For example, splitting into [4, 3], [2, 1, 0] will result in [3, 4, 0, 1, 2], which isn't sorted.
//Example 2:
//Input: arr = [1,0,2,3,4]
//Output: 4
//Explanation:
//We can split into two chunks, such as [1, 0], [2, 3, 4].
//However, splitting into [1, 0], [2], [3], [4] is the highest number of chunks possible.
//Constraints:
//n == arr.length
//1 <= n <= 10
//0 <= arr[i] < n
//All the elements of arr are unique.
import java.util.Scanner;
public class Max_Chunks_To_Make_Sorted {
public static void main(String[] args) {
Scanner sc = new Scanner(System.in);
System.out.println("Enter Number of element : ");
int n = sc.nextInt();
int arr[] = new int[n];
System.out.println("Enter " + n + " values :");
for (int i = 0; i < n; i++) {
arr[i] = sc.nextInt();
}
int ans = maxChunksToSorted(arr);
System.out.println("Maximun chunk to sorts are : " + ans);
}
private static int maxChunksToSorted(int[] arr) {
int max = 0;
int count = 0;
//compair the array index and its value.
//reach the maximum of the arry element
for (int i = 0; i < arr.length; i++) {
max = Math.max(arr[i], max);
//if the index and max count are same so there is one chunk so increment in count
if (i == max) {
count++;
}
}
return count;
}
}