Exercise Book: Methods and Classes
Contents
Exercise Book: Methods and Classes#
Practice exercises on OOP and Object Composition.
The code below defines an Elevator
class.
The elevator has a current floor, it also has a top and a bottom floor that are the minimum and maximum floors it can go to.
Complete the code to make the elevator go through the floors requested.
class Elevator:
def __init__(self,bottom,top,current):
"""
Initializes the Elevator instance.
"""
self.bottom = bottom
self.top = top
self.current = current
def up(self):
"""
Makes the elevator go up one floor.
"""
if self.current <= 9:
self.current += 1
def down(self):
"""
Makes the elevator go down one floor.
"""
if self.current > -1:
self.current -= 1
def go_to(self,floor):
"""
Makes the elevator go to the specific floor
"""
if floor in range(-1,11):
self.current = floor
def __str__(self):
return "Current floor: {}".format(self.current)
elevator = Elevator(-1,10,0)
elevator.up()
elevator.current
1
elevator.down()
elevator.current
0
elevator.go_to(10)
elevator.current
10
For the up
and down
methods, did you take into account the top and bottom floors?
Keep in mind that the elevator shouldn’t go above the top floor or below the bottom floor. To check that out, try the code below and verify if it’s working as expected.
If it’s not, then go back and modify the methods so that this code behaves correctly.
# Go to the top floor. Try to go up, it should stay. Then go down.
elevator.go_to(10)
elevator.up()
elevator.down()
# Should be 9
print("Run 1")
print(elevator.current)
Run 1
9
# Go to the bottom floor. Try to go down, it should stay. Then go up.
elevator.go_to(-1)
elevator.down()
elevator.down()
elevator.up()
elevator.up()
# Should be 1
print("Run 2")
print(elevator.current)
Run 2
1
Now add the str method to your Elevator class definition above so that when printing the elevator using the print( ) method, we get the current floor together with a message.
For example, in the 5th floor it should say “Current floor: 5”
elevator.go_to(5)
print(elevator)
Current floor: 5
Assessment - Object Oriented Programming#
In this exercise, we’ll create a few classes to simulate a server that’s taking connections from the outside and then a load balancer that ensures that there are enough servers to serve those connections.
To represent the servers that are taking care of the connections, we’ll use a Server class. Each connection is represented by an id, that could, for example, be the IP address of the computer connecting to the server. For our simulation, each connection creates a random amount of load in the server, between 1 and 10.
Run the following code that defines this Server class.
#Begin Portion 1#
import random
class Server:
def __init__(self):
"""Creates a new server instance, with no active connections."""
self.connections = {}
def add_connection(self, connection_id):
"""Adds a new connection to this server."""
connection_load = random.random()*10+1
# Add the connection to the dictionary with the calculated load
self.connections[connection_id] = connection_load
def close_connection(self, connection_id):
"""Closes a connection on this server."""
# Remove the connection from the dictionary
del(self.connections[connection_id])
def load(self):
"""Calculates the current load for all connections."""
total = 0
# Add up the load for each of the connections
for load in self.connections.values():
total += load
return total
def __str__(self):
"""Returns a string with the current load of the server"""
return "{:.2f}%".format(self.load())
#End Portion 1#
Now run the following cell to create a Server instance and add a connection to it, then check the load:
server = Server()
server.add_connection("192.168.1.1")
print(server.load())
print(server)
4.3194149694044555
4.32%
The output should be 0. This is because some things are missing from the Server class. So, you’ll need to go back and fill in the blanks to make it behave properly.
Go back to the Server class definition and fill in the missing parts for the add_connection
and load
methods to make the cell above print a number different than zero. As the load is calculated randomly, this number should be different each time the code is executed.
Hint: Recall that you can iterate through the values of your connections dictionary just as you would any sequence.
Great! If your output is a random number between 1 and 10, you have successfully coded the add_connection
and load
methods of the Server class. Well done!
What about closing a connection? Right now the close_connection
method doesn’t do anything. Go back to the Server class definition and fill in the missing code for the close_connection
method to make the following code work correctly:
server.close_connection("192.168.1.1")
print(server.load())
0
You have successfully coded the close_connection
method if the cell above prints 0.
Alright, we now have a basic implementation of the server class. Let’s look at the basic LoadBalancing
class. This class will start with only one server available. When a connection gets added, it will randomly select a server to serve that connection, and then pass on the connection to the server.
The LoadBalancing
class also needs to keep track of the ongoing connections to be able to close them. This is the basic structure:
#Begin Portion 2
class LoadBalancing:
def __init__(self):
"""Initialize the load balancing system with one server"""
self.connections = {}
self.servers = [Server()]
def add_connection(self, connection_id):
"""Randomly selects a server and adds a connection to it."""
server = random.choice(self.servers)
# Add the connection to the dictionary with the selected server
# Add the connection to the server
server.add_connection(connection_id)
self.connections[connection_id] = server.load()
def close_connection(self, connection_id):
"""Closes the connection on the the server corresponding to connection_id."""
# Find out the right server
# Close the connection on the server
# Remove the connection from the load balancer
for server in self.connections.items():
if server[0] == connection_id:
del(self.connections[connection_id])
break
def avg_load(self):
"""Calculates the average load of all servers"""
# Sum the load of each server and divide by the amount of servers
total_load = 0
for load in self.connections.values():
total_load += load
return total_load / len(self.servers)
def ensure_availability(self):
"""If the average load is higher than 50, spin up a new server"""
if self.avg_load() > 50:
self.servers.append(Server())
def __str__(self):
"""Returns a string with the load for each server."""
loads = [str(server) for server in self.servers]
return "[{}]".format(",".join(loads))
#End Portion 2
As with the Server class, this class is currently incomplete. You need to fill in the gaps to make it work correctly.
For example, this snippet should create a connection in the load balancer, assign it to a running server and then the load should be more than zero:
l = LoadBalancing()
l.add_connection("fdca:83d2::f20d")
print(l.avg_load())
6.089004349434806
After running the above code, the output is 0. Fill in the missing parts for the add_connection
and avg_load
methods of the LoadBalancing
class to make this print the right load. Be sure that the load balancer now has an average load more than 0 before proceeding.
What if we add a new server?
The average load should now be half of what it was before. If it’s not, make sure you correctly fill in the missing gaps for the add_connection
and avg_load
methods so that this code works correctly.
Hint: You can iterate through the all servers in the self.servers list to get the total server load amount and then divide by the length of the self.servers list to compute the average load amount.
l.servers.append(Server())
print(l.avg_load())
3.044502174717403
Fantastic! Now what about closing the connection?
Fill in the code of the LoadBalancing class to make the load go back to zero once the connection is closed.
l.close_connection("fdca:83d2::f20d")
print(l.avg_load())
0.0
Great job! Before, we added a server manually. But we want this to happen automatically when the average load is more than 50%. To make this possible, fill in the missing code for the ensure_availability
method and call it from the add_connection
method after a connection has been added. You can test it with the following code:
for connection in range(20):
l.add_connection(connection)
l.ensure_availability()
print(l)
[46.11%,26.99%,17.84%,16.36%,8.03%,0.00%,0.00%,0.00%]
The code above adds 20 new connections and then prints the loads for each server in the load balancer. If you coded correctly, new servers should have been added automatically to ensure that the average load of all servers is not more than 50%.
Run the following code to verify that the average load of the load balancer is not more than 50%.
print(l.avg_load())
46.02677443927398