for loop in python

 loops are used to iterate (repeat) a block of code using iterables. 


What are the iterables in Python?

An iterable is any Python object that is capable of returning its members one at a time.
In other words, an element that has multiple values can be a iterable.

for example:
1. list
2. set
3. tuple
4. dict
5. string
6. range function: returns a sequence of numbers


what are the types of loops in Python?

there are two types of loops:
1. for loop
2. while loop

for loop

for loop is used to repeat a block of code over an iterable ( like list, tuple, range, etc.)


syntax:
for random_var_name in iterable:
        #code to repeat


note: to use for loop, you must have multiple values. A single value can't be iterated.

note: range function returns a sequence of numbers.
example:

    range(start):
    example:    
    range(4):returns numbers from 0 to 3

    range(start,end):
    example:
    range(1,4):returns numbers from 1 to 3
    
    range(start,end,gap):
    example:
    range(1,7,2):returns numbers from 1,3,5





example:

for n in range(1,5):
        print("main chala  ",  n  ,  "times ")



QUESTION


Q1. PRINT FROM 1 TO 10.

for a in range(1,10+1):
    print(a)


Q2. PRINT FROM 10 TO 1.

for b in range(10,0,-1):
    print(b)

Q3. PRINT FROM 1 TO 10 WITH A GAP OF 2.

for i in range(1,10+1,2):
    print(i)

Q4. PRINT ONLY EVEN NUMBERS FROM 1 TO 20.

for s in range(1,20+1):
    if s%2==0:
        print(s)
    
Q5. PRINT ONLY ODD NUMBERS FROM 1 TO 20.

for s in range(1,20+1):
    if s%2!=0:
        print(s)
    
Q6. CHECK WHETHER THE NUMBER IS PALINDROME OR NOT.

note: palindrome is a number that is equal to its reverse number. 

for example:
                     the reverse of 123 is 321,
                                                                   so 123 is not a plaindrome
                     
                     the reverse of 121 is 121,
                                                                    so 121 is a plaindrome
                        

    
num=int(input("enter any 3-digit number"))#taking user input
rev=0
lastdigit=0
backup=num

#range will equal to the number of digits in a number

for a in range(3): 
    lastdigit=num%10
    num=num//10
    rev=rev*10+lastdigit

#for loop repeats the process to create the reverse of a 3-digit number.


if backup==rev:
    print("number is palindrome")
else:
    print("number is not palindrome")


Q6. CHECK WHETHER THE NUMBER IS ARMSTONG OR NOT.


    
num=int(input("enter any 3-digit number"))#taking user input
s=0
lastdigit=0
backup=num

#range will equal to the number of digits in a number

for a in range(3):
    lastdigit=num%10
    num=num//10
    s=s+lastdigit**3


#for loop repeats the process to create the sum of cube of all 3-digit number.

if backup==s:
    print("number is armstong")
else:
    print("number is not armstong")




0 Comments