Access Modifiers in Python : Public, Private and Protected
A Class in Python has three types of access modifiers:
⮚ Public Access Modifier: Theoretically, public methods and fields can be accessed directly by any class.
⮚ Protected Access Modifier: Theoretically, protected methods and fields can be accessed within the same class it is
  declared and its subclass.
⮚ Private Access Modifier: Theoretically, private methods and fields can be only accessed within the same class it is
  declared.
  Python uses the ‘_’ symbol to determine the access control for a specific data member or a member function of a
  class. Access specifiers in Python have an important role to play in securing data from unauthorized access and in
  preventing it from being exploited.
   Example of Access Modifiers in Python
class MyClass:
    def __init__(self):
        self.public_var = "I am public"
        self._protected_var = "I am protected"
        self.__private_var = "I am private"
    def get_private_var(self):
        return self.__private_var
# Create an instance of MyClass
obj = MyClass()
# Accessing public member
print(obj.public_var) # Output: I am public
# Accessing protected member
print(obj._protected_var)
# Accessing private member directly (won't work,
raises tributeError)
# print(obj.__private_var) # This will cause an
error
# Correct way to access private member
print(obj.get_private_var()) # Output: I am private
# Access private member with name mangling
print(obj._MyClass__private_var) # Output: I am
private
Public Access Modifier: The members of a class that are declared public are easily accessible from any part of the
program. All data members and member functions of a class are public by default.
  # program to illustrate public access modifier in a class
  class person:
      # constructor
      def __init__(self, name, age):
          # public data members
          self.Name = name
          self.Age = age
      # public member function
      def displayAge(self):
          # accessing public data member
          print("Age: ", self.Age)
  # creating object of the class
  obj = person(“Rohit", 32)
  # accessing public data member
  print("Name:", obj.Name)
  # calling public member function of the class
  obj.displayAge()
                                                Private Access Modifier:
 The members of a class that are declared private are accessible within the class only, private access modifier is the most
 secure access modifier. Data members of a class are declared private by adding a double underscore ‘__’ symbol before
 the data member of that class.
# class definition
class student:                                                        # creating object
    # private members                                                 obj = student("Subrata", 1706256)
    __name = None
    __roll = None                                                     # Throws error
    # constructor                                                     # obj.__name
    def __init__(self, name, roll):                                   # obj.__roll
        self.__name = name                                            # obj.__displayDetails()
        self.__roll = roll                                            #obj._student__displayDetails()
    # private member function
    def __displayDetails(self):                                       print("")
        # accessing private data members
        print("Name:", self.__name)                                   # calling public member function of
        print("Roll:", self.__roll)                                   the class
    # public member function                                          obj.accessPrivateFunction()
    def accessPrivateFunction(self):
        # accessing private member function
        self.__displayDetails()
                                               Accessor and Mutator methods
Accessor Method: This method is used to access the state of the object i.e, the data hidden in the object can be accessed
from this method. However, this method cannot change the state of the object, it can only access the data hidden. We can
name these methods with the word get.
Mutator Method: This method is used to mutate/modify the state of an object i.e, it alters the hidden value of the data
variable. It can set the value of a variable instantly to a new value. This method is also called as update method. Moreover,
we can name these methods with the word set.
# Accessor and Mutator methods
class Car:
  # Defining method init method with a
parameter
                                                                     # Creating an object
  def __init__(self, carname):
                                                                     myCar = Car('Ford')
    self.__make = carname
                                                                     print (myCar.get())
                                                                     myCar.set('Porche')
   # Defining Mutator Method
   def set(self, carname):
                                                                     # Prints the modified value
     self.__make = carname
                                                                     print (myCar.get())
   # Defining Accessor Method
   def get(self):
     return self.__make
                                                 Inheritance
One of the core concepts in object-oriented programming (OOP) languages is inheritance. It is a mechanism that allows you
to create a hierarchy of classes that share a set of properties and methods by deriving a class from another class.
Inheritance is the capability of one class to derive or inherit the properties from another class.
Python Inheritance Syntax :
Class BaseClass:
  {Body}
Class DerivedClass(BaseClass):       A child class is a class that drives the properties from its parent class. Here Emp is
  {Body}                             another class that is going to inherit the properties of the Person class(base class)
Creating a Parent Class
                                                                class Emp(Person):
# A Python program to demonstrate inheritance                     def Print(self):
class Person:
  # Constructor
                                                                    print("Emp class called")
  def __init__(self, name, id):
    self.name = name                                            Emp_details = Emp(“Sumit", 103)
    self.id = id                                                # calling parent class function
  # To check if this person is an employee                      Emp_details.Display()
  def Display(self):                                            # Calling child class function
    print(self.name, self.id)                                   Emp_details.Print()
# Driver code
emp = Person("Satyam", 102) # An Object of Person
emp.Display()
                   A Python program to demonstrate Inheritance
                                      Inherited or Subclass (Note Person in bracket)
class Person:                        class Employee(Person):
    # Constructor
    def __init__(self, name):             # Here we return true
        self.name = name                  def isEmployee(self):
    # To get name                             return True
    def getName(self):
        return self.name             # Driver code
    # To check if this person is     emp = Person(“Sunil") # An Object of Person
an employee                          print(emp.getName(), emp.isEmployee())
    def isEmployee(self):
        return False                 emp = Employee("Geek2") # An Object of Employee
                                     print(emp.getName(), emp.isEmployee())
Protected Access Modifier:
The members of a class that are declared protected are only accessible within the class where it is declared and its
subclass. To implement protected field or method, the developer follows a specific convention mostly by adding prefix to
the variable or function name. Popularly, a single underscore “_” is used to describe a protected data member or method
of the class.
# program to illustrate protected access modifier in a class
# super class
class Student:
    _name = None      # protected data members
    _roll = None                                           stu = Student("Surojit", 1234567)
                                                           # protected members and methods can be still accessed
    def __init__(self, name, roll):#constructor            print(stu._name)
        self._name = name
                                                           stu._displayRoll()
        self._roll = roll
                                                           # creating objects of the derived class
    # protected member function                            obj = Geek("Ranojit", 1706256)
    def _displayRoll(self):                                # calling public member functions of the class
       print("Roll:",self._roll)                           obj.displayDetails()
   # derived class
   class Geek(Student):
       # constructor
       def __init__(self, name, roll):
           Student.__init__(self, name, roll)
       # public member function
       def displayDetails(self):
           print("Name:", self._name)
           self._displayRoll()
    Program to demonstrate error if we forget to invoke __init__() of the parent
    class A:
        def __init__(self, n='Rahul'):
             self.name = n                                    Output:
                                                              Traceback (most recent call last):
    class B(A):                                                File "/home/de4570cca20263ac2c4149f435dba22c.py", line 12, in
        def __init__(self, roll):                               print (object.name)
            self.roll = roll                                  AttributeError: 'B' object has no attribute 'name'
    object = B(23)
    print(object.name)
The super() Function
The super() function is a built-in function that returns the objects that represent the parent class. It allows to access the parent class’s
methods and attributes in the child class.
class A:
    def __init__(self, n='Rahul'):
         self.name = n
class B(A):
    def __init__(self, roll):
         self.roll = roll
         super().__init__()
object = B(23)
print(object.name)
Adding Properties to child class
  # parent class
  class Person():
    def __init__(self, name, age):
      self.name = name                              #object Creation
      self.age = age                                obj = Student("Mayank", 23, "16-03-2000")
                                                    obj.display()
     def display(self):                             obj.displayInfo()
       print(self.name, self.age)
# child class
class Student(Person):
  def __init__(self, name, age, dob):
    self.sName = name
    self.sAge = age
    self.dob = dob
      # inheriting the properties of parent class
     super().__init__("Rahul", age)
   def displayInfo(self):
     print(self.sName, self.sAge, self.dob)