CALCULATION ENGINES BEYOND EXCEL: PART 2
In Part 1 we built a crude one month illustration for our example product. Next we will focus on expanding out to a full year and then to policy maturity. We will revisit our product design and update our existing script.
By the end of this part, your code should look like this.
OUR SCRIPT SO FAR
If you are following along closely, you should have a local project structure that looks like the following, you may have additional items like __pycache__/ within the directory. For simplicity I will not list the contents of the virtual environment.
illustrator/
venv/
.gitignore
hello.py
README.md
simple.py
If you are using Git and an online repository solution like GitHub your online repository will not include the venv directory there nor other items captured within the .gitignore file.
Our main script is contained within simple.py. The design assumes a $100,000 face amount policy with a $120 annual policy fee, $12 per thousand of face amount annual expense charge, $3 per thousand of NAAR COI charge, and 1% interest rate. For simplicity sake we assume a level death benefit option and ignore corridor factors. Our script prints the end of month account value to the terminal when run.
if __name__ == '__main__':
face_amount = 100000
interest_rate = 0.01
premium = 2000
premium_load = premium * 0.06
expense_charge = (120 + 12 * face_amount / 1000) / 12
value_for_naar = premium - premium_load - expense_charge
naar = face_amount / (1 + interest_rate)**(1/12) - value_for_naar
coi = (naar / 1000) * 3.00 / 12
value_for_interest = value_for_naar - coi
interest = value_for_interest * ((1 + interest_rate)**(1/12)-1)
end_value = value_for_interest + interest
print(end_value)
A good start, but clearly very limited.
EXPANDING TO ONE YEAR
If we want to expand this functionality from one month to one year we need to make only a few adjustments We could copy and paste our rollforward code several times to get one year, but we would be introducing lots of code duplication which is typically not good. Instead, we introducing a loop to execute our rollforward functionality would be more efficient so long as we make two other minor adjustments.
First, our value_for_naar variable does not consider any beginning of month value so we could add a line before premium to set this value to the prior month end value. Second, we need to initialize the month end value. After making these adjustments we can add a loop giving us the following:
if __name__ == '__main__':
face_amount = 100000
interest_rate = 0.01
end_value = 0
for i in range(12):
start_value = end_value
premium = 2000
premium_load = premium * 0.06
expense_charge = (120 + 12 * face_amount / 1000) / 12
value_for_naar = start_value + premium - premium_load - expense_charge
naar = face_amount / (1 + interest_rate)**(1/12) - value_for_naar
coi = (naar / 1000) * 3.00 / 12
value_for_interest = value_for_naar - coi
interest = value_for_interest * ((1 + interest_rate)**(1/12)-1)
end_value = value_for_interest + interest
print(end_value)
If you rerun your script from the command line you should now get the following result:
(venv) PS C:\...\illustrator> python simple.py
21087.87342868253
This is both good and bad. This is good because our code is producing the mechanically correct result, however this is bad for two reasons:
Our code is paying premium every month instead of the first month of the year like we want, and
Our code only works for level charges which is not particularly realistic for a UL policy
To fix the first issue we need to adjust the calculation of premium to be zero if the month in policy year is not 1 and we can do this nicely in the same line given the straightforward logic and use of Python’s ternary operator:
...
premium = 2000 if (i % 12 == 0) else 0
...
For simple if [x] then [y] else [z] type logic Python allows us to do this in a compact way using the syntax [y] if [x] else [z]. You can chain these together but I recommend not abusing that capability as it can make the code harder to maintain. Thankfully we do not have to worry about that just yet.
If you have more complicated logic to consider you may end up using the more typical Python syntax for if/then/else statements which looks something like this:
if [condition]:
[code]
else:
[code]
If you want to dig in more to control flow statements and syntax I highly recommend going to the Python docs.
With our script modified you should get an updated result reflecting a single premium in the first month:
(venv) PS C:\...\illustrator> python simple.py
273.4152379947665
To address the second issue, we should consider introducing functions to help with scalability.
EXPANDING PAST A SINGLE YEAR
Before we refactor our code to use functions, let’s revisit/update our product’s rates for completeness and settle on more policy characteristics:
Premium load: 6% all years
Per policy fee: $120 annually all years, charged monthly
Per unit load: (Issue Age / 10) per $1,000 for 10 years then zero (e.g., 35-year-old has $3.5 per $1,000)
COI rates: 2015 VBT RR100 S&U ALB gender and smoker distinct
Surrender charge: None
Credited interest rate: 3.0% (annual) all years, compounded monthly
NAAR discount rate: 1.0% all years
Maturity age: 121
Classes: non-smoker and smoker
For our sample policy we will assume a 35 year-old male non-smoker with a face amount of $100,000. The COI table can be found on the SOA website here. We will assume an annual premium of $1,255.03 which should keep the policy in force until maturity.
With that set we can start to build easy to maintain functions with very distinct purposes. We will build these in a separate file functions.py. Given some of our product rates vary by policy year it will be important for us to calculate or track the current policy year. We can do this based on the policy month which we can obtain from the variable i as it iterates.
Add the following code to functions.py:
from math import ceil
def calculate_policy_year(policy_month: int) -> int:
return ceil(policy_month/12)
def calculate_start_value(prior_end_value: float) -> float:
return prior_end_value
We are going to add more, but before we do I want to explain a few items here. First, we import the ceil function from the math module in Python. We do not consider this an external dependency because the module ships with Python. We are using it to simplify our calculation of the policy year, and if you did not already guess, the ceil function will round up to the nearest integer for us automatically when we use it in our function calculate_policy_year.
You may have also noticed we are using type hints in the function declaration for both the parameters and the output. This is not necessary and does not impose any restrictions in Python, but it is good practice to indicate what type of information the functions are expecting as input and what they will output.
The next function we will add will be to calculate the premium and we will include a sample docstring with this one. If you are not familiar with docstrings you can read about them here and here.
from math import ceil
...
def calculate_premium(policy_month: int, premium:float) -> float:
"""
Calculates the premium to be paid for given month in policy year
Parameters
----------
policy_month: int
An integer value greater than or equal to 1 corresponding to the applicable policy month
premium: float
The annualized illustrated premium
Returns
-------
float
premium if month in policy year is 1 else 0
"""
return premium if (policy_month % 12 == 1) else 0
We’ll leave it up to you to fill in docstrings for other functions as you see fit throughout this series. Here is the rest of the code to add to functions.py.
from math import ceil
...
def calculate_premium_load(premium: float, rate: float) -> float:
return premium * rate
def calculate_per_policy_fee(annual_rate: float) -> float:
return annual_rate / 12
def calculate_per_unit_load(annual_rate: float, face_amount: float) -> float:
return (annual_rate * face_amount / 1000) / 12
def calculate_value_for_naar(start_value: float, premium: float, premium_load: float, expense_charges: float) -> float:
return start_value + premium - premium_load - expense_charges
def calculate_naar(face_amount: float, discount_rate: float, value_for_naar: float) -> float:
return max(0, face_amount * discount_rate - max(0, value_for_naar))
def calculate_coi(naar: float, annual_rate: float) -> float:
return (naar / 1000) * annual_rate / 12
def calculate_value_for_interest(value_for_naar: float, coi: float) -> float:
return value_for_naar - coi
def calculate_interest(value_for_interest: float, annual_rate: float) -> float:
return max(0, value_for_interest) * ((1 + annual_rate)**(1/12)- 1)
def calculate_end_value(value_for_interest: float, interest: float) -> float:
return value_for_interest + interest
Now that we have our functions we can go back to simple.py and update our logic to utilize them. The updates we will need to make include:
Importing the new functions for use
Parameterizing our sample policy, including setting rates and the issue age
Replacing our rollforward logic with our new functions
Once done, the modified simple.py should look something like this now:
from functions import *
if __name__ == '__main__':
issue_age = 35
maturity_age = 121
projection_years = maturity_age - issue_age
face_amount = 100000
interest_rate = 0.03
premium_load_rate = 0.06
annual_policy_fee = 120
annual_unit_load = [3.5 if year < 10 else 0 for year in range(projection_years)]
annual_coi_rate = [0.15, 0.18, 0.29, 0.34, 0.4, 0.45, 0.51, 0.62, 0.7, 0.76,
0.83, 0.92, 1.04, 1.17, 1.31, 1.47, 1.63, 1.8, 2.02, 2.3,
2.64, 2.99, 3.32, 3.62, 3.92, 4.28, 4.74, 5.27, 5.88, 6.54,
7.25, 8.02, 8.86, 9.79, 10.88, 12.16, 13.69, 15.48, 17.55, 19.89,
22.48, 25.32, 28.46, 31.99, 36.04, 40.76, 46.15, 52.27, 59.31, 67.48,
76.96, 87.87, 100.29, 114.02, 128.76, 144.17, 159.79, 175.3, 190.25, 203.94,
218.45, 235.54, 253.92, 273.64, 294.31, 315.52, 336.99, 358.54, 379.81, 400.44,
420.09, 438.4, 455.01, 469.56, 481.7, 491.07, 497.31, 500, 500, 500,
500, 500, 500, 500, 500, 500]
naar_discount_rate = 1.01**(-1/12)
annual_premium = 1255.03
end_value = 0
policy_year = 0
for i in range(12*projection_years):
policy_year = calculate_policy_year(i+1)
start_value = calculate_start_value(end_value)
premium = calculate_premium(i+1, annual_premium)
premium_load = calculate_premium_load(premium, premium_load_rate)
expense_charge = calculate_per_policy_fee(annual_policy_fee) + calculate_per_unit_load(annual_unit_load[policy_year-1], face_amount)
value_for_naar = calculate_value_for_naar(start_value, premium, premium_load, expense_charge)
naar = calculate_naar(face_amount, naar_discount_rate, value_for_naar)
coi = calculate_coi(naar, annual_coi_rate[policy_year-1])
value_for_interest = calculate_value_for_interest(value_for_naar, coi)
interest = calculate_interest(value_for_interest, interest_rate)
end_value = calculate_end_value(value_for_interest, interest)
print(end_value)
If you are not familiar with Python lists then a few things might be confusing about the above. For annual_unit_load we are using a list comprehension technique to generate a list where the first 10 elements are 120 and the rest are zero. You can access the nth element of a Python list x this way: x[n-1]. That is why we subtract 1 from policy year when accessing the elements for the expense charge and COI calculations.
Running our script should yield the following
(venv) PS C:\...\illustrator> python simple.py
132184.0426761172
There is an extra benefit of moving the majority of our business logic to separate functions — automated testing. We can write repeatable tests for our functions to regression test our codebase as we make changes and ensure there are no unintended consequences. We’ll cover this in the next part.
Before we wrap this chapter we are going to revisit the README.md file we created in the introductory chapter. You may be wondering what the point of the file is and why we created it. It is a Markdown file that we will use for broader documentation and if you are using an online Git repository it will show there as well. Add the following to the file:
# Illustrator
## Purpose
Universal life illustration engine for new business.
## Usage
Run simple.py in the terminal / Powershell
```
...> python simple.py
132184.0426761172
```
Previewing this file in a Markdown viewer (VS Code has one!) should show the following
Don’t forget to save your files, commit to your Git repo, and push to your online repository! In Part 3 we will take a short detour into tests.
If you are having difficulty with the code please refer to the v0.2 tagged version of this repository.
Have questions or feedback? Reach out to let us know!