if StatementThe if statement implements a simple conditional structure.
Syntax
if boolean_expression :
   statement(s)
Example
discount = 0
amount = 1200
# Check the amount value
if amount > 1000 :
   discount = amount * 0.1
print('Payable amount = ', amount - discount)
if else StatementThe if else statement implements a compound conditional structure.
Syntax
if boolean_expression :
   statement(s)
else :
   statement(s)
Example
amount = 1200
if amount > 1000 :
  discount = amount * 0.2
else :
  discount = amount * 0.1
print('Payable amount = ', amount - discount)
if elif else StatmentThe if elif else statement implements a nested conditional structure.
Synatx
if expression1 :
   statement(s)
elif expression2 :
   statement(s)
elif expression3 :
   statement(s)
else :
   statement(s)
Implementation with if else
if expression1 :
  statement(s)
else :
  if expression2 :
    statement(s)
  else :
    if expression3 :
      statement(s)
    else :
      statement(s)
Example
amount = 2500
if amount > 10000 :
   discount = amount * 20 / 100
elif amount > 5000 :
   discount = amount * 10 / 100
elif amount > 1000 :
   discount = amount * 5 / 100
else :
   discount = 0
print ('Payable amount = ', amount - discount)
match-case StatementThe match-case statement implements a multiple conditional structure.
The basic use of the match-case statement is to compare a variable to several values.
Syntax
match variable_name :
   case value_1 :
      statement_1
   case value_2 :
      statement_2
   ...
   case value_n :
      statement_n
   case _ :
      statement_
Example: the following program displays the name of the day of the week corresponding to a given integer.
n = 5
match n :
   case 1: print('Monday')
   case 2: print('Tuesday')
   case 3: print('Wednesday')
   case 4: print('Thursday')
   case 5: print('Friday')
   case 6: print('Saturday')
   case 7: print('Sunday')
   case _: print('Invalid day number')