Computer Science, asked by ganeshcm304, 4 months ago

write a python program to print the largest of n numbers​

Answers

Answered by harshithapalat11
4

Answer:

Python program to find largest of n numbers using max

Take input number for the length of the list using python input() function.

Initialize an empty list lst = [].

Read each number in your python program using a for loop.

In the for loop append each number to the list.

Use built-in python function max() to find the largest element in a list.

End of the program print the largest number from list.

1

2

3

4

5

6

7

8

9

lst = []

 

num = int(input('How many numbers: '))

 

for n in range(num):

   numbers = int(input('Enter number '))

   lst.append(numbers)

     

print("Maximum element in the list is :", max(lst))

Output

1

2

3

4

5

6

7

How many numbers:  5

Enter number  4

Enter number  6

Enter number  8

Enter number  9

Enter number  10

Maximum element in the list is : 10

Python program to find largest of n numbers without using built-in function

Take input number for the length of the list using python input() function.

Initialize an empty list lst = [].

Read each number in your python program using a for loop.

In the for loop append each number to the list.

Define a custom function, which is an accepted number list and used to find the largest number from list.

Call this custom function and store the function result.

End of the program print the largest number from list.

1

2

3

4

5

6

7

8

9

10

11

12

13

14

15

16

17

def find_max( list ):

   max = list[ 0 ]

   for a in list:

       if a > max:

           max = a

   return max

 

 

num = int(input('How many numbers: '))

 

lst = []

 

for n in range(num):

   numbers = int(input('Enter number '))

   lst.append(numbers)

     

print("Maximum element in the list is :", find_max(lst))

Output

1

2

3

4

5

How many numbers:  3

Enter number  1

Enter number  5

Enter number  7

Maximum element in the list is : 7

Filed Under: Python

Similar questions