 
  Data Structure Data Structure
 Networking Networking
 RDBMS RDBMS
 Operating System Operating System
 Java Java
 MS Excel MS Excel
 iOS iOS
 HTML HTML
 CSS CSS
 Android Android
 Python Python
 C Programming C Programming
 C++ C++
 C# C#
 MongoDB MongoDB
 MySQL MySQL
 Javascript Javascript
 PHP PHP
- Selected Reading
- UPSC IAS Exams Notes
- Developer's Best Practices
- Questions and Answers
- Effective Resume Writing
- HR Interview Questions
- Computer Glossary
- Who is Who
Program to find max chunks to make array sorted in Python
Suppose we have an array nums, we have to split the array into some number of partitions, and individually sort each of them. Now after concatenating them we will get one sorted array. We have to find the maximum number of partitions we could have made?
So, if the input is like [3,2,4,5,5], then the output will be 4, as we can make partitions like [3,2], [4], [5], [5] .
To solve this, we will follow these steps −
- real:= sort the list nums 
- p1 := 0,p2 := 1, c := 0 
-  Do the following infinitely, do - flag:= True 
- tmp:= sort the sublist of nums[from index p1 to p2-1] 
-  for j in range 0 to size of tmp, do -  if tmp[j] is not same as real[p1+j], then - flag:= False 
- p2 := p2 + 1 
- come out from loop 
 
-  if flag is true, then - p1 := p2 
- p2:= p2+1 
- c := c + 1 
 
-  if p1 is same as size of nums or p2 > size of nums, then - return c 
 
 
-  
 
Example
Let us see the following implementation to get better understanding
def solve(nums): real=sorted(nums) p1,p2,c=0,1,0 while True: flag=True tmp=sorted(nums[p1:p2]) for j in range(len(tmp)): if tmp[j]!=real[p1+j]: flag=False p2+=1 break if flag: p1,p2=p2,p2+1 c+=1 if p1==len(nums) or p2>len(nums): return c nums = [3,2,4,5,5] print(solve(nums))
Input
{3,2,4,5,5}  Output
4
