PYTHON ONLY!! When analyzing data sets, such as data for human heights or for human weights, a common step is to adjust the data. This can be done by normalizing to values between 0 and 1, or throwing away outliers.

Write a program that first gets a list of integers from input. The input begins with an integer indicating the number of integers that follow. Then, adjust each integer in the list by subtracting the smallest value from all the integers.

Ex: If the input is

5
30
50
10
70
65
Then the output is:

20
40
0
60
55
The 5 indicates that there are five integers in the list, namely 30, 50, 10, 70, and 65. The smallest value in the list is 10, so the program subtracts 10 from all integers in the list.

Respuesta :

Answer:

# create list  

my_list = []  

#get input

min_val=0;

total_input = int(input("Enter total number of elements : "))  

for i in range(0, total_input):  

       

   input_val = int(input())  

   if i==0:

       min_val=input_val

   if input_val < min_val:

       min_val=input_val

   my_list.append(input_val)

     

print(my_list)  

print(min_val)  

for i in range(0, total_input):  

  my_list[i]=my_list[i]-min_val

print(my_list)  

     

Explanation:

Create an empty list.

Using input method take input from user for total number of values in list. Use a loop to take values from user  and store them in a list.Loop starts from 0 and terminate when index is equal to number of element. while taking input set minimum to first input taken from user. To do this use if statement on index of loop

if Index of loop is 0 set input from user to minimum.

Now or each input received from user check if it's less than minimum.If input value is less than minimum set current input value to minimum.

After list is populated with data we have minimum value in list.

Once again use a loop to iterate through list and perform following steps.

  1. read value at current index
  2. Subtract minimum value from current index value.
  3. Save new value to current index in list