Simulation and Modeling (CSCI 3010U)
Faculty of Science, Ontario Tech University
http://vclab.science.ontariotechu.ca
Check course Canvas for Due Date
The goal of this lab is to setup a discrete event system simulation of a carwash. We will use this model to decide how many wash stations we need to ensure that our customers remain satisfied. We have spent the last month examining other car washes within the 25 mile radius and have come to the following conclusions.
Observed times between the arrival of two successive cars (in minutes): 3, 4, 5, 3, 3, 4, 9, 10
Time a vehicle spends at a wash station (in minutes): 5, 5, 5, 6, 6, 5, 5, 5, 5
Time a vehicle spends at a dry station (in minutes): 1.5, 1.5, 1.7, 1.5, 1.5, 1.5, 1.7, 1.5, 1.4
Set up a discrete event simulation that allows us to change the number of wash stations and dry stations and study the effect of these changes on the total time a car has to spend at the car wash. Our assumption is that customers will become irate if they have to spend too long at the car wash. The key challenge is that we don’t have unlimited resources, so we want to install just the right number of wash and dry stations to keep our customers satisfied. We have been told that wait times at competing car washes is roughly 15 to 20 minutes. If we can beat these numbers that will be awesome.
You will need to find a way to generate random values for a) observed times between the arrival of vehicles, b) time a vehicle spends at a wash stations and c) time a vehicle spends at a dry station. You can choose to use raw data provided above to generate the random numbers. Or you can choose to set up an empirical distribution and use it to generate the desired random numbers. Alternately you choose to fit a theoretical distribution to the data and use it to generate the random numbers in question.
The following Python code fits a Gaussian (Normal) distribution to observed data.
from scipy.stats import norm
import numpy as np
import matplotlib.pyplot as plt
# Generating samples
= norm.rvs(loc=0,scale=1,size=150)
samp
# Fitting a Gaussian distribution
= norm.fit(samp)
param # mean = param[0]
# var = param[1]
= np.linspace(-5,5,100)
x = norm.pdf(x,loc=param[0],scale=param[1])
pdf_fitted = norm.pdf(x)
pdf
plt.figure()'Normal distribution')
plt.title('r-',x,pdf,'b-')
plt.plot(x,pdf_fitted,=1,alpha=.3)
plt.hist(samp,normed plt.show()
The following Python code sets a up simply
carwash with
only carwash stations using Simpy package, which allows us to set up
discrete event simulations in Python. This example is taken from https://simpy.readthedocs.io/en/latest/.
import random
import simpy
import numpy as np
= 42
RANDOM_SEED = 3 # Number of machines in the carwash
NUM_MACHINES = 10 # Minutes it takes to clean a car
WASHTIME = 3 # Create a car every ~7 minutes
T_INTER = 200 # Simulation time in minutes
SIM_TIME
= {}
stats 'cars'] = []
stats['waittimes'] = []
stats['totaltimes'] = []
stats[
class Carwash(object):
"""A carwash has a limited number of machines (``NUM_MACHINES``) to
clean cars in parallel.
Cars have to request one of the machines. When they got one, they
can start the washing processes and wait for it to finish (which
takes ``washtime`` minutes).
"""
def __init__(self, env, num_machines, washtime):
self.env = env
self.machine = simpy.Resource(env, num_machines)
self.washtime = washtime
def wash(self, car):
"""The washing processes. It takes a ``car`` processes and tries
to clean it."""
yield self.env.timeout(random.randint(WASHTIME - 2, WASHTIME + 2))
print("Carwash removed %d%% of %s's dirt." %
50, 99), car))
(random.randint(
def car(env, name, cw, stats):
"""The car process (each car has a ``name``) arrives at the carwash
(``cw``) and requests a cleaning machine.
It then starts the washing process, waits for it to finish and
leaves to never come back ...
"""
'cars'].append(name)
stats[
print('%s arrives at the carwash at %.2f.' % (name, env.now))
= env.now
arrival_time with cw.machine.request() as request:
yield request
print('%s enters the carwash at %.2f.' % (name, env.now))
= env.now
enter_time yield env.process(cw.wash(name))
print('%s leaves the carwash at %.2f.' % (name, env.now))
= env.now
leave_time
'waittimes'].append(enter_time - arrival_time)
stats['totaltimes'].append(leave_time - arrival_time)
stats[
def setup(env, num_machines, washtime, t_inter, stats):
"""Create a carwash, a number of initial cars and keep creating cars
approx. every ``t_inter`` minutes."""
# Create the carwash
= Carwash(env, num_machines, washtime)
carwash
# Create 4 initial cars
for i in range(4):
'Car %d' % i, carwash, stats))
env.process(car(env,
# Create more cars while the simulation is running
while True:
yield env.timeout(random.randint(t_inter - 2, t_inter + 2))
+= 1
i 'Car %d' % i, carwash, stats))
env.process(car(env,
# Setup and start the simulation
print('Carwash')
# This helps reproducing the results
random.seed(RANDOM_SEED)
# Create an environment and start the setup process
= simpy.Environment()
env
env.process(setup(env, NUM_MACHINES, WASHTIME, T_INTER, stats))
# Execute!
=SIM_TIME)
env.run(until
print ('stats')
print (stats)
import matplotlib.pyplot as plt
plt.figure()'totaltimes'], color='crimson', edgecolor='black', linewidth=1.2)
plt.hist(stats['Time (in minutes)')
plt.xlabel('Total time spent in the carwash')
plt.title('Number of cars')
plt.ylabel( plt.show()
This code only includes wash stations. You will need to modify it appropriately to also support dry stations. You’ll also need to change it to use the random numbers correctly (i.e., use random numbers derived from the observed data).
It is possible to install Simpy on Anaconda distributions using
conda install -c asmeurer simpy
command from the
terminal.
Via Canvas.