Objective

In this unit, we will explore the concepts of encapsulation and polymorphism, two fundamental principles in Object-Oriented Programming (OOP). Encapsulation involves bundling data and methods within a single unit and controlling access to that data. Polymorphism allows objects of different classes to be treated as objects of a common superclass. By the end of this unit, you will understand how to apply encapsulation and polymorphism in Python.

Encapsulation

Encapsulation is a key concept in OOP that refers to the bundling of data with the methods that operate on that data. It restricts direct access to some of an object's components, preventing unintended interference and misuse of the data. Encapsulation helps in maintaining the integrity of the object and allows changes to be made to the internal implementation without affecting the parts of the code that use the object.

class BankAccount:
    def __init__(self, balance):
        self.__balance = balance  # Private attribute

    def deposit(self, amount):
        self.__balance += amount

    def get_balance(self):  # Public method to access private attribute
        return self.__balance

Abstraction

Abstraction is closely related to encapsulation. It involves hiding the complex reality while exposing only the essential parts. Abstraction helps in reducing complexity by hiding unnecessary details and showing only the necessary functionality. It allows the programmer to focus on what an object does instead of how it does it.

In Python, encapsulation and abstraction are achieved through the use of private and protected access modifiers.

In the example above, the user doesn't need to know how the balance is stored; they can simply use the deposit method and get_balance method.

Polymorphism

Polymorphism is a principle in OOP that allows objects of different classes to be treated as objects of a common superclass. It enables a single interface to represent different data types. Polymorphism promotes code reusability and flexibility, and it can be used to implement elegant software design.

Here's an example:

class Animal:
    def speak(self):
        pass

class Dog(Animal):
    def speak(self):
        return "Woof!"

class Cat(Animal):
    def speak(self):
        return "Meow!"

animals = [Dog(), Cat()]

for animal in animals:
    print(animal.speak())  # Outputs "Woof!" then "Meow!"

Protected Attributes and Methods

In Python, a single underscore (e.g., _age) denotes a protected attribute or method. It's a convention that tells the programmer that the attribute or method is intended for internal use, but it's not enforced by the language.

class Person:
    def __init__(self):
        self._age = 18

Private Attributes and Methods

A double underscore (e.g., __age) denotes a private attribute or method. This will cause the attribute name to be "mangled" by the interpreter, making it harder to access from outside the class. Private attributes and methods are used to prevent external manipulation and ensure that the internal state of the object is controlled entirely by the class itself.

class Person:
    def __init__(self):
        self.__age = 18

Project: Refactor the Shape Class to Use Private Variables and Accessor Methods

In this project, you'll refactor the Shape classes from previous units to use private variables and accessor methods.

import turtle

# Define a base Shape class
class Shape:
    # The constructor takes three arguments
    def __init__(self, turtle, sides, length):
        self.__t = turtle         # turtle instance
        self.__sides = sides
        self.__length = length
        
    def draw(self):
        for _ in range(self.__sides):
            self.__t.forward(self.__length)
            self.__t.right(360 / self.__sides)
    
    def get_sides(self):
        return self.__sides
    
    def get_length(self):
        return self.__length

# Define a Square class that extends Shape
class Square(Shape):
    # The constructor takes two arguments
    def __init__(self, turtle, length):
        super().__init__(turtle, 4, length)

# Define a Triangle class that extends Shape        
class Triangle(Shape):
    # The constructor takes two arguments
    def __init__(self, turtle, length):
        super().__init__(turtle, 3, length)

# Define a function that a list of shapes next to each other       
def draw_shapes(t, shapes):
    for shape in shapes:
        shape.draw()
        t.penup()
        t.forward(shape.get_length() * 2)  # Move to the next position
        t.pendown()

# Create a new turtle screen and set its background color
screen = turtle.Screen()
screen.setup(width=800, height=600)
screen.bgcolor("white")

# Initialize a turtle object
t = turtle.Turtle()

# Create Shape objects
shapes = [Square(t, 50), Triangle(t, 50), Square(t, 100)]

# Draw the shapes
draw_shapes(t, shapes)

# Hide the turtle and wait until the window is closed
t.hideturtle()
turtle.done()

In this project, we've created a base Shape class that encapsulates the sides and length of a geometric shape. We've also created specific subclasses for squares and triangles.

The draw_shapes function demonstrates polymorphism by accepting a list of shapes and drawing them using their common interface. This allows us to add more shape classes in the future without changing the draw_shapes function.

By using encapsulation and polymorphism, we've created a flexible and robust drawing program that can easily be extended with new shapes and functionality.

In the next unit, we'll explore the concept of recursion and how it can be used to create complex patterns with the Turtle library.