Given the array nums, for each nums[i] find out how many numbers in the array are smaller than it. That is, for each nums[i] you have to count the number of valid j's such that j != i and nums[j] < nums[i].

Return the answer in an array.

Input: nums = [8,1,2,2,3]
Output: [4,0,1,1,3]
Explanation:
For nums[0]=8 there exist four smaller numbers than it (1, 2, 2 and 3).
For nums[1]=1 does not exist any smaller number than it.
For nums[2]=2 there exist one smaller number than it (1).
For nums[3]=2 there exist one smaller number than it (1).
For nums[4]=3 there exist three smaller numbers than it (1, 2 and 2).

https://s3-us-west-2.amazonaws.com/secure.notion-static.com/cb656caf-3e74-47d7-96ea-51a5a9a55b80/Untitled.png

"""
1365. How Many Numbers Are Smaller Than the Current Number

Given the array nums,
for each nums[i] find out how many numbers in the array are smaller than it.
That is, for each nums[i] you have to count the number of valid j's such that j != i and nums[j] < nums[i].

Return the answer in an array.

Input: nums = [8,1,2,2,3]
Output: [4,0,1,1,3]
Explanation: 
For nums[0]=8 there exist four smaller numbers than it (1, 2, 2 and 3). 
For nums[1]=1 does not exist any smaller number than it.
For nums[2]=2 there exist one smaller number than it (1). 
For nums[3]=2 there exist one smaller number than it (1). 
For nums[4]=3 there exist three smaller numbers than it (1, 2 and 2).
"""

nums = [8,1,2,2,3]
smaller = []

i = 0
while i < len(nums):  # big
    j = 0
    count = 0

    while j < len(nums):  # small
        if i != j and nums[i] > nums[j]:
            count += 1

        j += 1

    smaller.append(count)
    
    i += 1

print(smaller)

https://s3-us-west-2.amazonaws.com/secure.notion-static.com/73a1c9f2-37d2-4302-9a72-59e666da4ad4/Screen_Shot_2021-03-30_at_3.16.07_PM.png