toc: true comments: false layout: post title: Developing Procedures Team Teach type: hacks courses: { compsci: {week: 10} } —

What is a procedure?

A procedure is a named group of programming instructions

2 Main Types of Procedures:

  • Procedure that returns a value of data
  • Procedure that executes a block of statements

Learning Objective:

Be able to look at code and determine the purpose, and be able to write a procedure to manage complexity of program. understand the following terms and what they look like as well as how to use them in code

  • Procedure Parameters: variables that are defined within the procedure’s parentheses and serve as placeholders for values that can be passed to the procedure when it is called, allowing the procedure to operate on different data or values each time it is executed.
  • Procedure Algorithms: a step-by-step set of instructions that defines a specific task or operation to be performed within a computer program
  • Procedure Return Values: data or results that a procedure can send back to the part of the program that called it, allowing the procedure to provide information or perform a specific task and then share the outcome with the rest of the program.

Name, Parameters, Algorithm, Return Values, and Calling a Procedure

## Example of Procedure that Updates A Quiz Grade
def updatequiz(currentgrade, quizgrade):
    if quizgrade > currentgrade:
        currentgrade = quizgrade
    return currentgrade

currentgrade = 75
quizgrade = 88
currentgrade = updatequiz(currentgrade, quizgrade)
print(currentgrade)
88

Popcorn Hack #1:

Identify the name of the procedure below, tell us the purpose and parameters of the procedure and identify the algorithm return value:

  • Name: updateweather
  • Parameters: currentweather, weather
  • Algorithm (paste lines): if currentweather> weather: weather = currentweather print(“today is warmer than yesterday”) else: print(“today is colder than yesterday”) return currentgrade

  • Return Value: currentgrade
  • Calling Procedure Line: currentgrade = updateweather(currentweather, weather)
def updateweather(currentweather, weather):
    if currentweather> weather:
        weather = currentweather
        print("today is warmer than yesterday")
    else:
        print("today is colder than yesterday")
    return currentgrade

currentweather = 71
weather = 66
currentgrade = updateweather(currentweather, weather)
print("the temperature right now is", currentweather, "degrees")
today is warmer than yesterday
the temperature right now is 71 degrees

Costructing Classes for Names & Data with Procedures

# Class Construction
class Short:
    name = ""
    height = 0

class Tall:
    name = ""
    height = 0

# Procedure to Classify as Short or Tall
def classify_person(name, height):
    if height < 70:
        short_person = Short()
        short_person.name = name
        return short_person
    else:
        tall_person = Tall()
        tall_person.name = name
        return tall_person

Class Definitions: The code defines two classes, “Short” and “Tall,” each having two attributes: name and height. These attributes can be used to store the name and height of individuals.

Classification Procedure: The classify_person function takes two parameters: name and height. Depending on the provided height, it creates an instance of either the “Short” or “Tall” class. It sets the name attribute for the person and returns the corresponding instance.

Popcorn Hack #2:

Use the example above to use a procedure to create two classes of your choosing. Create at least 2 objects and class them with your procedure

# Popcorn Hack 2

class smart:
    name = "Tanvi"
    grade = 95

class foolish:
    name = "David"
    grade = 65

def classify_person(name, grade):
    if grade < 90:
        foolish_person = foolish()
        foolish_person.name = name
        return foolish
    else:
        smart_person = smart()
        smart_person.name = name
        return smart 

Calling Methods of an Object w/ Procedures

# Creating Classes
class Short:
    name = ""
    height = 0

class Tall:
    name = ""
    height = 0

#Procedure to classify as short or tall
def classify_height(name, height):
    if height < 70:
        short_person = Short()
        short_person.name = name
        return short_person
    else:
        tall_person = Tall()
        tall_person.name = name
        return tall_person

# Create objects and classify them as short or tall
person1 = classify_height("Nihar", 70)
person2 = classify_height("Will", 76)
person3 = classify_height("Jayden", 75)
person4 = classify_height("Howie", 70)

# Display results for all four objects
for person in [person1, person2, person3, person4]:
    print(f"{person.name} is {'Short' if person is Short else 'Tall'}.")


Nihar is Tall.
Will is Tall.
Jayden is Tall.
Howie is Tall.

HW Hacks!!

  1. Create a procedure that replaces a value with a new one (ex. update height)
  2. Create a procedure that constructs classes of your choosing and create at least 4 objects to be sorted into your classes. Call your procedure to display your objects.
# HW Hack 1
def update_height(person_info, new_height):
    if 'height' in person_info:
        person_info['height'] = new_height
        print(f"Height updated to {new_height} in.")
    else:
        print("Person's height not found in the provided information.")

person_info = {
    'name': 'Tanvi',
    'age': 16,
    'height': 59
}

new_height = 62
update_height(person_info, new_height)
print(person_info) 
Height updated to 62 in.
{'name': 'Tanvi', 'age': 16, 'height': 62}
# HW Hack 2

class Circle:
    def __init__(self, radius):
        self.radius = radius

    def area(self):
        return 3.14159 * self.radius**2

    def __str__(self):
        return f"Circle with radius {self.radius}"

class Square:
    def __init__(self, side_length):
        self.side_length = side_length

    def area(self):
        return self.side_length**2

    def __str__(self):
        return f"Square with side length {self.side_length}"

class Triangle:
    def __init__(self, base, height):
        self.base = base
        self.height = height

    def area(self):
        return 0.5 * self.base * self.height

    def __str__(self):
        return f"Triangle with base {self.base} and height {self.height}"

circle1 = Circle(5)
square1 = Square(4)
triangle1 = Triangle(3, 6)
circle2 = Circle(3)
square2 = Square(7)

shapes = [circle1, square1, triangle1, circle2, square2]

for shape in shapes:
    print(shape)
    print(f"Area: {shape.area()}")
    print()

sorted_shapes = sorted(shapes, key=lambda x: x.area())

print("Shapes sorted by area (ascending):")
for shape in sorted_shapes:
    print(shape)
    print(f"Area: {shape.area()}")
    print()
Circle with radius 5
Area: 78.53975

Square with side length 4
Area: 16

Triangle with base 3 and height 6
Area: 9.0

Circle with radius 3
Area: 28.27431

Square with side length 7
Area: 49

Shapes sorted by area (ascending):
Triangle with base 3 and height 6
Area: 9.0

Square with side length 4
Area: 16

Circle with radius 3
Area: 28.27431

Square with side length 7
Area: 49

Circle with radius 5
Area: 78.53975