None
Pharmacokinetics is a branch of pharmacology that studies the fate of chemical species in living organisms. The diverse range of applications includes the administration of drugs and anesthesia in humans. This notebook introduces a one compartment model for pharmacokinetics, and shows how it can be used to determine strategies for the intravenous administration of an antibiotic.
The notebook demonstrates the simulation and analysis of systems modeled by a single first-order linear differential equation.
Let's consider the administration of an antibiotic to a patient. Concentration $C$ refers to the concentration of the antibiotic in blood plasma with units [mg/liter].
Minimum Inhibitory Concentration (MIC) The minimum concentration of the antibiotic that prevents growth of a particular bacterium.
Minimum Bactricidal Concentration (MBC) The lowest concentration of the antibiotic that kills a particular bacterium.
Extended exposure to an antibiotic at levels below MBC leads to antibiotic resistance.
A simple pharmacokinetic model has the same form as a model for the dilution of a chemical species in a constant volume stirred-tank mixer. For a stirred-tank reactor with constant volume $V$, volumetric outlet flowrate $Q$, and inlet mass flow $u(t)$,
$$V \frac{dC}{dt} = u(t) - Q C(t)$$where $C$ is concentration in units of mass per unit volume. In this pharacokinetics application, $V$ refers to blood plasma volume, and $Q$ to the clearance rate.
The minimum inhibitory concentration (MIC) of a particular organism to a particular antibiotic is 5 mg/liter, the minimum bactricidal concentration (MBC) is 8 mg/liter. Assume the plasma volume $V$ is 4 liters with a clearance rate $Q$ of 0.5 liters/hour.
An initial intravenous antibiotic dose of 64 mg results in an initial plasma concentration $C_{initial}$ of 64mg/4 liters = 16 mg/liter. How long will the concentration stay above MBC? Above MIC?
For this first simulation we compute the response of the one compartment model due starting with an initial condition $C_{initial}$, and assuming input $u(t) = 0$.
Generally the first steps in any Jupyter notebook are to
numpy
library for basic mathematical functions.matplotlib.pyplot
library for plotting.In addition, for this application we also import odeint
function for solving differential equations from the scipy.integrate
library.
%matplotlib inline
import numpy as np
import matplotlib.pyplot as plt
from scipy.integrate import odeint
V = 4 # liters
Q = 0.5 # liters/hour
MIC = 5 # mg/liter
MBC = 8 # mg/liter
Cinitial = 16 # mg/liter
where $u(t) = 0$.
def u(t):
return 0
def deriv(C,t):
return u(t)/V - (Q/V)*C
t = np.linspace(0,24,1000)
C = odeint(deriv, Cinitial, t)
def plotConcentration(t,C):
plt.plot(t,C)
plt.xlim(0,max(t))
plt.plot(plt.xlim(),[MIC,MIC],'g--',plt.xlim(),[MBC,MBC],'r--')
plt.legend(['Antibiotic Concentration','MIC','MBC'])
plt.xlabel('Time [hrs]')
plt.ylabel('Concentration [mg/liter]')
plt.title('One Compartment Model with Known Initial Condition');
plotConcentration(t,C)
plt.savefig('./figures/Pharmaockinetics1.png')
Let's compare our results to a typical experimental result.
We see that that the assumption of a fixed initial condition is questionable. Can we fix this?
For the next simulation we will assume the dosing takes place over a short period of time $\delta t$. To obtain a total dose $U_{dose}$ in a time period $\delta t$, the mass flow rate rate must be
$$u(t) = \begin{cases} U/ \delta t \qquad \mbox{for } 0 \leq t \leq \delta t \\ 0 \qquad \mbox{for } t \geq \delta t \end{cases} $$Before doing a simulation, we will write a Python function for $u(t)$.
# parameter values
dt = 1.5 # length hours
Udose = 64 # mg
# function defintion
def u(t):
if t <= dt:
return Udose/dt
else:
return 0
This code cell demonstrates the use of a list comprehension to apply a function to each value in a list.
# visualization
t = np.linspace(0,24,1000) # create a list of time steps
y = [u(tau) for tau in t] # list comprehension
plt.plot(t,y)
plt.xlabel('Time [hrs]')
plt.ylabel('Administration Rate [mg/hr]')
plt.title('Dosing function u(t) for of total dose {0} mg'.format(Udose))
Text(0.5,1,'Dosing function u(t) for of total dose 64 mg')
Simulation
Cinitial = 0
t = np.linspace(0,24,1000)
C = odeint(deriv, Cinitial, t)
plotConcentration(t,C)
plt.savefig('./figures/Pharmaockinetics2.png')
Let's compare our results to a typical experimental result.
While it isn't perfect, this is a closer facsimile of actual physiological response.
The minimum inhibitory concentration (MIC) of a particular organism to a particular antibiotic is 5 mg/liter, the minimum bactricidal concentration (MBC) is 8 mg/liter. Assume the plasma volume $V$ is 4 liters with a clearance rate $Q$ of 0.5 liters/hour.
Design an antibiotic therapy to keep the plasma concentration above the MIC level for a period of 96 hours.
Finally, we'll consider the case of repetitive dosing where a new dose is administered every $t_{dose}$ hours. The trick to this calculation is the Python %
operator which returns the remainder following division. This is a very useful tool for creating complex repetitive functions.
# parameter values
td = 2 # length of administration for a single dose
tdose = 8 # time between doses
Udose = 42 # mg
# function defintion
def u(t):
if t % tdose <= dt:
return Udose/td
else:
return 0
# visualization
t = np.linspace(0,96,1000) # create a list of time steps
y = [u(t) for t in t] # list comprehension
plt.plot(t,y)
plt.xlabel('Time [hrs]')
plt.ylabel('Administration Rate [mg/hr]')
plt.grid()
The dosing function $u(t)$ is now applied to the simulation of drug concentration in the blood plasma. A fourth argument is added to odeint(deriv, Cinitial, t, tcrit=t)
indicating that special care must be used for every time step. This is needed in order to get a high fidelity simulation that accounts for the rapidly varying values of $u(t)$.
Cinitial = 0
t = np.linspace(0,96,1000)
C = odeint(deriv, Cinitial, t, tcrit=t)
plotConcentration(t,C)
The purpose of the dosing regime is to maintain the plasma concentration above the MIC level for at least 96 hours. Assuming that each dose is 64 mg, modify the simulation and find a value of $t_{dose}$ that results satisfies the MIC objective for a 96 hour period. Show a plot concentration versus time, and include Python code to compute the total amount of antibiotic administered for the whole treatment.
Consider a continous antibiotic injection at a constant rate designed to maintain the plasma concentration at minimum bactricidal level. Your solution should proceed in three steps: