Computer Fundamentals and Programming 2
Week 8
Lesson Title                       Principles of Object-Oriented Programming
Learning Outcome(s)                Understand the 4 pillars of OOP
Time Frame                         1.30 hours
                         Learning Resources and Tools (Materials)
                         1. PC/Laptop
                         2. Internet
                         3. Office Application (Word) / PDF Reader
                         4. Paper/Pencil or Pen
                         5. VS Code, PyCharm, CodeChum
          Procedures
  1.   Read the lab manual thoroughly! Begin by carefully reading the lab manual provided by
       your instructor. Pay close attention to the instructions, requirements, and any specific
       guidelines provided.
  2.   Answer the assessment on the following pages.
  3.   Submit answers only by labeling each task name properly, in a. PDF format with the following
       convention/specifications:
               a. FILENAME: <SURNAME>_<WEEK# > such that BASTE_Week8
               b. Provide the following in this document (if applicable):
                       i. Source Codes (with your names in the comment)
                      ii. Sample Input/Output (with your names in the output)
               c. Font Size                  : 12
               d. Line Spacing               : 1.5
               e. Margins                    : 1.5 (Left), 1 for all the rest.
  4.   The deadline for submission is 1 week after the discussion—a deduction of 10 points per day
       after the due.
  5.   Please follow the above instructions and format specifications to avoid non-completion,
       deduction, NO grade, and NFI (Not following instructions). To wit,
                      Item# / Constraints                           Deductions
          Item 3                                                     10 points
          Item 3.a                                                   10 points
          Item 3.b.i                                                 10 points
          Item 3.b.ii                                                10 points
          1 day late (1 minute=1 day late)                         10 points/day
          Work similarity index/copied work                          80 points
       NOTE to Programmers: For strict compliance, late submissions shall be penalized by 10 points
       (deduction) per day to instill the discipline of timely assessment. One minute is equivalent to
       a day late. Weekends and Holidays are included or counted. However, all submissions made
       during or after each Module Summative assessment shall NOT be accepted and considered 0
       marks. Further, I will recognize warrant extensions of deadlines for those with severe medical
       or personal circumstances. Request for such extensions must be made in writing with
       necessary proof/evidence signed by your parents/guardian.
CPE002L | MARTZEL P. BASTE                                                                        1
                                                         Computer Fundamentals and Programming 2
                                         User-Defined Classes
Objectives:
1. To know the concepts about classes and objects
2. To create a program by creating user-defined classes and objects
Materials:
   1. PC or Laptop
   2. Python Package Development Kit
   3. Pycharm or any IDE
Background:
A Class is a "blueprint" for creating objects. It contains members which are called data members. It
is either class variable or instance variable. To create a class, use the keyword class:
Output:
Line 7 creates an object of Pet. p is therefore an object of Pet class.
__init__() Function
__init__() is a special function in every Python class and all classes have this. Once the class is being
instantiated, it is always executed. Use this function to assign values to object properties, or other
operations that are necessary to do when the object is being created.
Write this in your IDE.
Note: The __init__() function is called automatically every time the class is being used to create a new
object. Line 4
 CPE002L | MARTZEL P. BASTE                                                                          2
                                                        Computer Fundamentals and Programming 2
Object Methods
Objects can also contain methods. Methods in objects are functions that belong to the object. Modify
your program above as shown below:
Output:
Note: The self parameter (Line 4,7,11) is a reference to the current instance of the class, and is used
to access variables that belong to the class. It does not have to be named self, you can call it whatever
you like, but it has to be the first parameter of any function in the class:
Recall that __init__() function is declared at Line 4, thus, whenever an object is created (Line 16) it
will always print the ‘An object is created’.
Anything that is inside of a class whether it is variable or a method are called data member. Observe
in Line 2 you have declared a result variable. It is called a class variable and it can be used anywhere
in your class. While inside of a method at Line 11, you have declaration subtract. This time is called
instance variable. It can only be used inside of that method.
In the program as shown below, observe in the Line 15, the operator is used instead of self. This is
to recall that you can use any name rather than self.
 CPE002L | MARTZEL P. BASTE                                                                          3
                                                      Computer Fundamentals and Programming 2
Output:
Look at the Line 15 through Line 19, you use different names other than self. From Line 15 you use
operator name and use it to reference prod instance variable. This time this variable can be called in
any method in the class. Look at Line 19 although you use different name which is ope, you are still
able to access prod instance variable. It is because of operator and ope are same object that reference
by the Class itself.
 CPE002L | MARTZEL P. BASTE                                                                        4
                                                      Computer Fundamentals and Programming 2
Modify Object Properties
You can modify properties on objects like this (Line 30)
Delete Object Properties. You can delete properties on objects by using the del keyword (Line 30)
 CPE002L | MARTZEL P. BASTE                                                                         5
                                                    Computer Fundamentals and Programming 2
Delete Objects. You can delete objects by using the del keyword (Line 32)
However, when you run your program it will cause an error because of Line 32 since object property
and the object are deleted.
Instructions:
  1. (Task 1 - 50). Continue the program with additional methods to get the division, remainder,
     power of a number, binaryToDecimal as data members of your class. Describe them as
     shown below:
       def divide(operation, num1, num2):
         #Your codes right here
       def remainder(self, num1, num2):
         # Your codes right here
       def power(self, base, exponent):
         # Your codes right here.
         # Do not use base**exponent
       def decimalToBinary(self, value):
         # Your codes right here.
         # Do not use built-in function or method
         # Decimal value 8 is converted as 0101
      Source Codes / Input and Output
 CPE002L | MARTZEL P. BASTE                                                                   6
                                                                       Computer Fundamentals and Programming 2
Principles of OOP
Python has been an object-oriented language since it existed. Because of this, creating and using
classes and objects are downright easy. This chapter helps you become an expert in using Python's
object-oriented programming support. Python is an object oriented programming language. Almost
everything in Python is an object, with its properties and methods.
                                                        Overview of OOP Terminology
             1.   Class − A user-defined prototype for an object that defines a set of attributes that characterize any
                  object of the class. The attributes are data members (class variables and instance variables) and
                  methods, accessed via dot notation.
             2.   Class variable − A variable that is shared by all instances of a class. Class variables are defined
                  within a class but outside any of the class's methods. Class variables are not used as frequently as
                  instance variables are.
             3.   Data member − A class variable or instance variable that holds data associated with a class and its
                  objects.
             4.   Function overloading − The assignment of more than one behavior to a particular function. The
                  operation performed varies by the types of objects or arguments involved.
             5.   Instance variable − A variable that is defined inside a method and belongs only to the current
                  instance of a class.
             6.   Inheritance − The transfer of the characteristics of a class to other classes that are derived from it.
             7.   Instance − An individual object of a certain class. An object obj that belongs to a class Circle, for
                  example, is an instance of the class Circle.
             8.   Instantiation − The creation of an instance of a class.
             9.   Method − A special kind of function that is defined in a class definition.
             10. Object − A unique instance of a data structure that's defined by its class. An object comprises both
                  data members (class variables and instance variables) and methods.
             11. Operator overloading − The assignment of more than one function to a particular operator.
       https://www.tutorialspoint.com/python/python_classes_objects.htm
Encapsulation
In an object-oriented python program, you can restrict access to methods and variables. This can
prevent the data from being modified by accident and is known as encapsulation. Let’s start with an
example.
In Python:
   •   Instance methods: require the self-argument.
   •   Class methods: take the class as a first argument.
   •   Static methods: do not require either the instance (self) or the class (cls) argument.
   One of the most important concepts in OOP is the distinction between classes and objects, which
   are defined as follows:
       •     Class — A blueprint created by a programmer for an object. This defines a set of attributes
             that will characterize any object that is instantiated from this class.
       •     Object — An instance of a class. This is the realized version of the class, where the class is
             manifested in the program.
 CPE002L | MARTZEL P. BASTE                                                                                                 7
                                                     Computer Fundamentals and Programming 2
 Classes
 Classes are like a blueprint or a prototype that you can define to use to create objects. We define
 classes by using the class keyword, similar to how we define functions by using the def keyword.
 Let’s define a class called Pet that has functions associated with it, setters, getters and behaviors:
CPE002L | MARTZEL P. BASTE                                                                         8
                                                        Computer Fundamentals and Programming 2
    Because these functions are indented under the class Pet, they are called methods. Methods are a
    special kind of function that are defined within a class.
    The argument to these functions is the word self, which is a reference to objects that are made
    based on this class. To reference instances (or objects) of the class, self will always be the first
    parameter, but it need not be the only one. Defining this class did not create any Pet objects, only
    the pattern for a Pet object that we can define later. That is, if you run the program above at this
    stage nothing will be returned.
    The above class that defined all attributes into protected and or private is called Encapsulation.
    Encapsulation is mechanism in which a class defined private member with its associated public
    methods available for use by any class which will instantiate it.
    Create another python file and type the code as shown below. Name it MainClass
      (Task 2 - 50).
      Output:
      Observation
        Creating the Pet class above provided us with a blueprint for an object.
Objects
An object is an instance of a class. We can take the Pet class defined above, and use it to create an
object or instance of it.
We’ll make a Pet object called p (Line 5). Here, we initialized the object p as an instance of the class
by setting it equal to P().
Now, let’s use the four methods with the Pet object p (Line 6 through 10)
 CPE002L | MARTZEL P. BASTE                                                                             9
                                                        Computer Fundamentals and Programming 2
The Pet object p is using the four methods setPet(), pet, getPet() and getPetInfo(). We called these
using the dot operator (.), which is used to reference an attribute of the object. In this case, the
attribute is a method and it’s called with parentheses, like how you would also call with a function.
Because the keyword self was a parameter of the methods as defined in the P class, the p object gets
passed to the methods. The self parameter ensures that the methods have a way of referring to object
attributes.
When we call the methods, however, nothing is passed inside the parentheses, the object p is being
automatically passed with the dot operator.
 (Task 3 - 50).
 Output:
 Observation
Inheritance
Another very important concepts in OOP is called inheritance. It allows a class to inherit public
properties or behavior of an existing classes.
Example:
Go back to your class Pet and then type the code as shown below after Pet class’ methods. After Line 49 :
 CPE002L | MARTZEL P. BASTE                                                                          10
                                                       Computer Fundamentals and Programming 2
From the classes above; Dog and Cat observe that it implements the concept of Inheritance since in
inherits the class Pet. This creates relationships where Dog and Cat are children of parent Pet.
Therefore, any class member which are present from class Pet are also being accessed by class Dog
and Cat. This ability of a class to use methods of the parent is a powerful concept called code
reusability. Other term for parent class is super class or based class. While subclass or derived for
children.
Further, observe above at Lines 54 and 79, the keyword super means the child class calls the
constructor of the parent class, Pet. This means that anything that are written inside of a parent’s
constructor will be read first. The same that goes at Lines 71, 74 and 96. This is concept is called
method overriding. Ability of a child class to call existing parents methods and let it do the processes
or manipulations. Observe also at Lines 61, 64, 67 that it appears again at Lines 86, 89, and 92. This
concept is what we called method overloading. A concept which allows the class to have same
method name but behaves differently. As to how dogs and cats behave in terms of walking and eating
but are both generally the same term. This concept if present in your classes is what we called
Polymorphism which means poly as many and morphy as forms. An ability of a class to have many
forms.
Go back to your MainClass, and modify your code as shown below:
 CPE002L | MARTZEL P. BASTE                                                                         11
                                                           Computer Fundamentals and Programming 2
 (Task 4 - 50).
 Output:
 Observation
A UML class diagram is a visual representation that shows the structure and relationships of classes
in a system or software application, including their attributes and methods. It helps depict the
blueprint of the software's object-oriented design.
UML (Class) Implementation of WaterTank (ADT) based on the above UML class diagram.
            WaterTank                                                  Definition
 - brand: String                        - brand of the tank such as Best Tank, Ocean, Plasto, etc.
 - color: String                        - the color of the tank, such as Red, Blue, Gray, etc.
 - capacity: float                      - maximum capacity of the water tank that it can hold.
 - level: float                         - the current amount of water in the tank.
 + WaterTank()                          - initializes level to 0.00 and capacity to 10000.00 gallons/liters.
 + WaterTank(float capacity)            - initializes level to 0.00 and capacity thru user’s input
 + setCapacity(float capacity) : void   - a standard setter that sets the capacity of the tank the other way.
 + getCapacity() : int                  - a standard setter that returns the capacity of the tank
 + setColor(String color) : void        - a standard setter that sets the color of the tank
 + getColor() : String                  - a standard setter that returns the color of the tank
 + setBrand(String color) : void        - a standard setter that sets the brand of the tank
 + getBrand() : String                  - a standard setter that returns the brand of the tank
 + isFull() : boolean                   - Checks if the tank is full, comparing the current level with the capacity
 + isEmpty() : boolean                  - Checks if the tank is empty, comparing the current level with zero
 + addWater(float amount)               - Adds water to the tank, increasing the current level
 + removeWater(float amount)            - Removes water from the tank, decreasing the current level.
 + currentWater() : int                 - Display the current level of water in the tank.
 + drain() : void or int                - Empties the tank by setting the level to 0. (may return the wasted water)
In this simplified UML class diagram:
   •    Attributes are listed with their data types (First row).
   •    Methods are listed with their names, parameters, and return types (Second row).
   •    Public methods are denoted with a "+" symbol, indicating that they are accessible from outside
        the class.
   •    Private attributes are assumed for brand, color, capacity, and level and is denoted with “-“
        symbol which means that it cannot be accessed outside of the class.
 CPE002L | MARTZEL P. BASTE                                                                                 12
                                           Computer Fundamentals and Programming 2
Python Implementation
 class WaterTank:
     def __init__(self):
         self.brand = "Best Tank"
         self.color = "Gray"
         self.capacity = 10000.00
         self.level = 0.00
     def setCapacity(self, capacity):
         if capacity > 0:
             self.capacity = capacity
     def getCapacity(self):
         return self.capacity
     def setColor(self, color):
         self.color = color
     def getColor(self):
         return self.color
     def setBrand(self, brand):
         self.brand = brand
     def getBrand(self):
         return self.brand
     def isFull(self):
         return self.level == self.capacity
     def isEmpty(self):
         return self.level == 0
     def addWater(self, amount):
         if amount > 0:
             self.level = min(self.level + amount, self.capacity)
     def removeWater(self, amount):
         if amount > 0:
             self.level = max(self.level - amount, 0)
     def currentWater(self):
         return self.level
     def drain(self):
         wasted_water = self.level
         self.level = 0.00
         return wasted_water
 # Example usage:
 tank = WaterTank()
 print(f"Brand\t\t: {tank.getBrand()}")
 print(f"Color\t\t: {tank.getColor()}")
 print(f"isEmpty\t\t: {tank.isEmpty()}")
 print(f"isFull\t\t: {tank.isFull()}")
 print(f"Capacity\t: {tank.getCapacity()} gallons")
 print(f"Water Level\t: {tank.currentWater()} gallons")
 tank.setCapacity(15000.00)
 tank.setColor("Blue")
 tank.setBrand("Ocean")
 print(f"isEmpty\t\t: {tank.isEmpty()}")
 CPE002L | MARTZEL P. BASTE                                              13
                                        Computer Fundamentals and Programming 2
print(f"isFull\t\t: {tank.isFull()}")
print(f"Capacity\t: {tank.getCapacity()} gallons")
print(f"Water Level\t: {tank.currentWater()} gallons")
tank.addWater(5000.00)
print(f"isEmpty\t\t: {tank.isEmpty()}")
print(f"isFull\t\t: {tank.isFull()}")
print(f"Capacity\t: {tank.getCapacity()} gallons")
print(f"Water Level\t: {tank.currentWater()} gallons")
tank.removeWater(2000.00)
print(f"isEmpty\t\t: {tank.isEmpty()}")
print(f"isFull\t\t: {tank.isFull()}")
print(f"Capacity\t: {tank.getCapacity()} gallons")
print(f"Water Level\t: {tank.currentWater()} gallons")
wasted_water = tank.drain()
print(f"isEmpty\t\t: {tank.isEmpty()}")
print(f"isFull\t\t: {tank.isFull()}")
print(f"Capacity\t: {tank.getCapacity()} gallons")
print(f"Water Level\t: {tank.currentWater()} gallons")
(Task 5 - 50).
Output
Write your Observations
CPE002L | MARTZEL P. BASTE                                            14