TL;DR I generate a big amount of fake data for Spring PetClinic with Faker that I store directly in a MySQL database via Pandas / SQLAlchemy.

Introduction

In preparation for a talk about performance optimization, I needed some monstrous amounts of fake data for a system under test. I choose the Spring Pet Clinic project as my “patient” because there are some typical problems that this application does wrong. But this application comes with round about 100 database entries. This isn’t enough at all.

So in this notebook, I’ll show you how to

  • examine the existing database tables
  • generate some fake data
  • initializing a database schema
  • dumping all data into the database

And of course: How to do that very efficiently with the Python Data Analysis Library aka Pandas and some other little helpers.

We will also be playing a little around to get an impression where to get some other fake data, too!

Hint: This notebook is also available on GitHub.

Context

The Spring PetClinic software project is a showcase example for the Spring framework. It comes with a nice little Web UI and a backend written in Java. The documentation says

The application requirement is for an information system that is accessible through a web browser. The users of the application are employees of the clinic who in the course of their work need to view and manage information regarding the veterinarians, the clients, and their pets.

The application stores some data into a database:

There are some issues with the application while accessing the data, but I won’t get into this in this notebook. Instead, I will focus on the data generation for all these tables. My approach here is straightforward: I adopt the existing tables with their data types and constraints, delete existing data and inserts some new data into the existing tables. Hereby I respect the generation of unique primary keys and foreign keys by the means of Pandas’ abilities. We also have to keep the right insertion order in mind. There are some tables that depend on already existing data from other tables. But I will get into details later.

Configuration

At the beginning, one can define the amount of data that should be created and be stored in the database. We don’t need it yet, but I find it always nice to have the parameters that can be change at the beginning of a notebook. The configuration is then printed out. Let’s produce some production data!

In [1]:
AMOUNT_VETS = 1000
AMOUNT_SPECIALTIES = 2 * AMOUNT_VETS
AMOUNT_OWNERS = 10 * AMOUNT_VETS
AMOUNT_PETS = 2 * AMOUNT_OWNERS
AMOUNT_PET_TYPES = int(AMOUNT_PETS / 10)
AMOUNT_VISITS = 2 * AMOUNT_PETS

print("""
Generating fake data for
- %d vets, 
- each having ~%d specialties, 
- each for serving ~%d owners,
- each caring for ~%d pets,
- of max. ~%d types/races and 
- each taking them to ~%d visits.
""" % (AMOUNT_VETS, AMOUNT_SPECIALTIES, AMOUNT_OWNERS, AMOUNT_PETS, AMOUNT_PET_TYPES, AMOUNT_VISITS))
Generating fake data for
- 1000 vets, 
- each having ~2000 specialties, 
- each for serving ~10000 owners,
- each caring for ~20000 pets,
- of max. ~2000 types/races and 
- each taking them to ~40000 visits.

Examine the database schema

Connect to the database

This step usually occurs at the end of a script, but in this notebook, I want to show you how the tables are made up. So simply create a database connection with SQLAlchemy and the underlying MySQL Python Connector:

In [2]:
from sqlalchemy import create_engine
engine = create_engine('mysql+mysqlconnector://root:admin@localhost:3306/petclinic', echo=False)
engine.driver
Out[2]:
'mysqlconnector'

Inspect the schema

SQLAlchemy brings a great tool for inspecting the database: The Inspector.

In [3]:
from sqlalchemy.engine import reflection
insp = reflection.Inspector.from_engine(engine)
insp.default_schema_name
Out[3]:
'petclinic'

The Inspector allows us to iterator over various data of the schema:

In [4]:
relevant_methods = [x for x in dir(insp) if x.startswith("get")]
relevant_methods
Out[4]:
['get_columns',
 'get_foreign_keys',
 'get_indexes',
 'get_pk_constraint',
 'get_primary_keys',
 'get_schema_names',
 'get_sorted_table_and_fkc_names',
 'get_table_names',
 'get_table_options',
 'get_temp_table_names',
 'get_temp_view_names',
 'get_unique_constraints',
 'get_view_definition',
 'get_view_names']

So for example you, can easily lists all tables:

In [5]:
insp.get_table_names()
Out[5]:
['owners',
 'pets',
 'specialties',
 'types',
 'vet_specialties',
 'vets',
 'vets_specialties',
 'visits']

With the Inspector from SQLAlchemy, we can easily list the needed data types for the table:

In [6]:
import pandas as pd
pd.DataFrame(insp.get_columns('owners'))
Out[6]:
autoincrement default name nullable type
0 True None id False INTEGER(4) UNSIGNED
1 NaN None first_name True VARCHAR(30)
2 NaN None last_name True VARCHAR(30)
3 NaN None address True VARCHAR(255)
4 NaN None city True VARCHAR(80)
5 NaN None telephone True VARCHAR(20)

Data generation

Fake data in general

We could just fill up the data randomly, but I want to show you, how to get some real looking data. For this, nice little helpers are out there for implementing that. In this notebook, I use the fake data provider Faker (https://github.com/joke2k/faker). It comes with nice helper methods for generating data:

In [7]:
from faker import Factory
fake = Factory.create()
fake.name()
Out[7]:
'Nancy Garcia'
In [8]:
fake.street_address()
Out[8]:
'28699 Gilmore Bridge Suite 610'
In [9]:
fake.phone_number()
Out[9]:
'(562)399-3432x5090'

But there is one drawback: Faker doesn’t seem to be appropriate for generating massive amount of test data. For example, on my machine (Lenovo X220 i5) it takes almost 5 seconds to generate 100k phone numbers.

In [10]:
%%time
[fake.phone_number() for _ in range (1,100000)]
_
Wall time: 5.39 s

While this is no problem for our little scenario, there could be room for performance improvement (and I’ve already programmed a prototype, stay tuned!).

But let’s get back to our original task: Generating fake data for Spring PetClinic!

Fake “Owners”

So, for the table for all the pet’s owners, we need a DataFrame that looks like this one:

In [11]:
# just some unreadable code to make a point
pd.DataFrame(columns=pd.DataFrame(insp.get_columns('owners'))[['name']].T.reset_index().iloc[0][1::]).set_index('id')
Out[11]:
first_name last_name address city telephone
id

In other words: We need a set of Series objects that we fill up with data that makes sense for each column. OK, let’s rebuild it step by step (or better to say: column by column). To keep it simple, we ignore the database specific data types in this example.

The first trick is to fill the index (the later “id” column aka primary key) with the amount of data that is requested. We set the amount already at the beginning of the notebook and simply use it here. We use the built-in range method for generating a continuous stream of numbers from 1 to the requested number of owners +1. We need to shift the lower and upper bound because the primary keys for our database starts at 1.

In [12]:
owners = pd.DataFrame(index=range(1,AMOUNT_OWNERS+1))
owners.head()
Out[12]:
1
2
3
4
5

Next, we set the name of the index column to id. This is just a minor correction to store the data more easily in the database later on.

In [13]:
owners.index.name='id'
owners.head()
Out[13]:
id
1
2
3
4
5

Alright, let’s generate some first names with Faker. We sample via the map function of the index (which is not very performant, but will do for now).

In [14]:
owners['first_name'] = owners.index.map(lambda x : fake.first_name())
owners.head()
Out[14]:
first_name
id
1 Eric
2 Cathy
3 Barbara
4 Kevin
5 James

We repeat that for all the other columns with the appropriate data.

In [15]:
owners['last_name'] = owners.index.map(lambda x : fake.last_name())
owners['address'] = owners.index.map(lambda x : fake.street_address())
owners['city'] = owners.index.map(lambda x : fake.city())
owners['telephone'] = owners.index.map(lambda x : fake.phone_number())
owners.head()
Out[15]:
first_name last_name address city telephone
id
1 Eric Mann 28236 Danielle Track East Nicholaston (882)917-5347×3716
2 Cathy Mullen 87654 Lewis Spurs Jasonshire 1-189-763-2384×16254
3 Barbara Miller 63860 Reed Cliff East Kristin 1-065-041-3835
4 Kevin Conley 909 Christian Manors Jasonville 726-589-8897×948
5 James Payne 74424 Oscar Court Colintown 055-423-8490×95700

The generation of this table was very easy. Let’s see what’s next!

Fake “Types” (of a pet)

Each owner has a pet of a specific type.

In [16]:
pd.DataFrame(insp.get_columns('types'))
Out[16]:
autoincrement default name nullable type
0 True None id False INTEGER(4) UNSIGNED
1 NaN None name True VARCHAR(80)

So we need a DataFrame like this:

In [17]:
# just some unreadable code to make a point
pd.DataFrame(columns=pd.DataFrame(insp.get_columns('types'))[['name']].T.reset_index().iloc[0][1::]).set_index('id')
Out[17]:
name
id

We need some animal names for generating the pet’s type table. Unfortunately, Faker doesn’t provide such data. Luckily, after one Google search, someone placed a list of animals on the World Wide Web. We just read that data with Pandas as an index.

Note: We could have written our own specific provider for fake data, but that too much for this notebook.

Side note: I took not the raw data GitHub provides and saved it locally with a reference to the original origin (as you normally should do), but instead took the HTML pages just because I can 🙂

In [18]:
# loads all HTML tables from the site, but take only the first found and the second column
animal_names = pd.read_html("https://github.com/hzlzh/Domain-Name-List/blob/master/Animal-words.txt")[0][[1]]
# set the ony column as index 
animal_names = animal_names.set_index(1)
# remove the index name
animal_names.index.name = None
animal_names.head()
Out[18]:
Aardvark
Albatross
Alligator
Alpaca
Ant

Now, we are getting to a key trick in generating data very efficiently: Vector operations. We have a DataFrame only consisting of an index column. Mathematically speaking, it’s a one-dimensional vector. Pandas (respectively the underlying Numpy library) is very efficient in working with these kinds of data.

There exist multiple operations that support working on vectors. What we need is to get a random amount of entries from a given data set, which is called “sampling”. Pandas DataFrame provides such a sampling function to achieve that. We use sampling to draw some entries from the animals’ data set, e. g. three different kinds:

In [19]:
animal_names.sample(3)
Out[19]:
Whale
Rail
Shrimp

OK, lets’ get back to the types table. We generate the index first. Here we have to be careful: It could be that one requests more pet types as there are in the animal_names dataset, but we don’t want to allow duplicates. So we limit the index with a min-function if the requested number of animals exceeds the number of animals avaliable.

In [20]:
types = pd.DataFrame(index=range(1, min(AMOUNT_PET_TYPES, len(animal_names))+1))
types.index.name='id'
types.head()
Out[20]:
id
1
2
3
4
5

Now we draw the animals from animal_names. We sample the number of requested pet types at once from the animal_namesindex.

In [21]:
types['name'] = animal_names.sample(len(types)).index
types.head()
Out[21]:
name
id
1 Snail
2 Gaur
3 Mule
4 Meerkat
5 Dogfish

And that’s all fake data for the pet types.

Fake “Pets”

Let’s get back to some more easy data: The Pets.

In [22]:
pd.DataFrame(insp.get_columns('pets'))
Out[22]:
autoincrement default name nullable type
0 True None id False INTEGER(4) UNSIGNED
1 NaN None name True VARCHAR(30)
2 NaN None birth_date True DATE
3 False None type_id False INTEGER(4) UNSIGNED
4 False None owner_id False INTEGER(4) UNSIGNED

We need some fake data and some ids to already existing entries from the two tables owners and types.

Let’s see if we can get some nice data looking like that Dataframe here:

In [23]:
# just some unreadable code to make a point
pd.DataFrame(columns=pd.DataFrame(insp.get_columns('pets'))[['name']].T.reset_index().iloc[0][1::]).set_index('id')
Out[23]:
name birth_date type_id owner_id
id
In [24]:
pets = pd.DataFrame(index=range(1,AMOUNT_PETS+1))
pets.index.name='id'
pets['name'] = pets.index.map(lambda x : fake.first_name())
pets['birth_date'] = pets.index.map(lambda x : fake.date())
pets.head()
Out[24]:
name birth_date
id
1 Shawn 2004-08-28
2 Michele 1975-02-18
3 Stephen 2009-04-29
4 Justin 1973-04-08
5 Joel 2014-01-25

For the ids to the owners and types table, we use the sampling function that I’ve introduced above to draw some ids. The important different is, that we set an additional argument replace=True, which is necessary when more samples should be drawn than data entries are available in the dataset. Or in plain English: If duplicates should be allowed. This makes perfect sense: One owner can own more than one pet of different kinds/types.

In [25]:
pets['type_id'] = types.sample(len(pets), replace=True).index
pets['owner_id'] = owners.sample(len(pets), replace=True).index
pets.head()
Out[25]:
name birth_date type_id owner_id
id
1 Shawn 2004-08-28 72 3737
2 Michele 1975-02-18 8 720
3 Stephen 2009-04-29 187 7814
4 Justin 1973-04-08 55 6659
5 Joel 2014-01-25 19 7915

Fake “Visits”

The next few tables are straightforward.

In [26]:
pd.DataFrame(insp.get_columns('visits'))
Out[26]:
autoincrement default name nullable type
0 True None id False INTEGER(4) UNSIGNED
1 False None pet_id False INTEGER(4) UNSIGNED
2 NaN None visit_date True DATE
3 NaN None description True VARCHAR(255)
In [27]:
visits = pd.DataFrame(index=range(1,AMOUNT_VISITS+1))
visits.index.name='id'
visits['pet_id'] = pets.sample(len(visits), replace=True).index
visits['visit_date'] = visits.index.map(lambda x :  fake.date())
# just add some random texts
visits['description'] = visits.index.map(lambda x :  fake.text())
visits.head()
Out[27]:
pet_id visit_date description
id
1 16596 1997-05-04 Aut ipsa illo maiores necessitatibus velit. Do…
2 14427 2014-10-16 Mollitia praesentium quasi libero accusantium …
3 12582 2002-12-06 Qui nobis sit consequatur voluptate et nulla. …
4 3135 1972-01-07 Consectetur debitis in alias quis magnam elige…
5 1328 1988-07-28 Doloribus facere perferendis illum necessitati…

Fake “Vets”

In [28]:
pd.DataFrame(insp.get_columns('vets'))
Out[28]:
autoincrement default name nullable type
0 True None id False INTEGER(4) UNSIGNED
1 NaN None first_name True VARCHAR(30)
2 NaN None last_name True VARCHAR(30)
In [29]:
vets = pd.DataFrame(index=range(1,AMOUNT_VETS+1))
vets.index.name='id'
vets['first_name'] = vets.index.map(lambda x : fake.first_name())
vets['last_name'] = vets.index.map(lambda x : fake.last_name())
vets.head()
Out[29]:
first_name last_name
id
1 Tiffany Townsend
2 Karen Lewis
3 Richard Roberts
4 Daniel Nunez
5 Benjamin Castillo

Fake “Specialties”

In [30]:
pd.DataFrame(insp.get_columns('specialties'))
Out[30]:
autoincrement default name nullable type
0 True None id False INTEGER(4) UNSIGNED
1 NaN None name True VARCHAR(80)
In [31]:
specialties = pd.DataFrame(index=range(1,AMOUNT_SPECIALTIES+1))
specialties.index.name='id'
specialties['name'] = specialties.index.map(lambda x : fake.word().title())
specialties.head()
Out[31]:
name
id
1 Harum
2 Fuga
3 Perspiciatis
4 Laudantium
5 Aspernatur

Fake “Vet_Specialties”

OK, this table is special and worth a few words.

In [32]:
pd.DataFrame(insp.get_columns('vet_specialties'))
Out[32]:
autoincrement default name nullable type
0 False None vet_id False INTEGER(4) UNSIGNED
1 False None specialty_id False INTEGER(4) UNSIGNED

It’s a many to many join table between the vets table and the specialties table. So we need a table that has the connections to the ids of both tables with the appropriate length “n x m”. But there is a catch that we have to address later, this is why I use a temporary (“tmp”) DataFrame:

In [33]:
vet_specialties_tmp = pd.DataFrame(
    index=specialties.sample(
        len(vets)*len(specialties),
        replace=True).index)

vet_specialties_tmp.index.name = "specialty_id"
vet_specialties_tmp.head()
Out[33]:
specialty_id
1792
111
1440
845
1608

For all specialties, we assign vets.

In [34]:
vet_specialties_tmp['vet_id'] = vets.sample(len(vet_specialties_tmp), replace=True).index
vet_specialties_tmp.head()
Out[34]:
vet_id
specialty_id
1792 7
111 427
1440 517
845 589
1608 350

We set the ids of the vets as the index, too.

In [35]:
vet_specialties_tmp = vet_specialties_tmp.set_index([vet_specialties_tmp.index, 'vet_id'])
vet_specialties_tmp.head()
Out[35]:
specialty_id vet_id
1792 7
111 427
1440 517
845 589
1608 350

Now we have to make sure, that we don’t have duplicates in the dataset. We take only the unique index entries and create the actual vet_specialties DataFrame with the right index names.

In [36]:
vet_specialties = pd.DataFrame(index=pd.MultiIndex.from_tuples(vet_specialties_tmp.index.unique()))
vet_specialties.index.names =["specialty_id" , "vet_id"]
vet_specialties.head()
Out[36]:
specialty_id vet_id
1792 7
111 427
1440 517
845 589
1608 350

And we’re almost done! So far it seems like a brainless activity in most cases…maybe we can automate that in the future 😉

Store the data

Now we store the generated data in the database.

Remove old data

Before we insert the data, we clean up the existing database by dropping all the tables with all the existing data. We have to do that in the right order to avoid violating any constraints.

In [37]:
drop_order = [
    "vet_specialties",
    "specialties",
    "vets",
    "visits",
    "pets",
    "owners",
    "types"    
    ]

with engine.connect() as con:
    for table in drop_order:
        con.execute("DROP TABLE IF EXISTS " + table + ";")

Prepare the database schema

We execute the init script that comes with the Spring PetClinic project to get a shiny new database. For this, we read the original file via Pandas read_csv method and make sure, that we break the statements as needed.

In [38]:
init_db = pd.read_csv("data/spring-petclinic/initDB.sql", lineterminator=";", sep="\u0012", header=None, names=['sql'])
init_db['sql'] = init_db['sql'].apply(lambda x : x.replace("\r", "").replace("\n", ""))
init_db.head()
Out[38]:
sql
0 CREATE DATABASE IF NOT EXISTS petclinic
1 ALTER DATABASE petclinic DEFAULT CHARACTER SE…
2 GRANT ALL PRIVILEGES ON petclinic.* TO pc@loca…
3 USE petclinic
4 CREATE TABLE IF NOT EXISTS vets ( id INT(4) U…

Then we execute all statements line by line via SQLAlchemy.

In [39]:
with engine.connect() as con:
    init_db['sql'].apply(lambda statement : con.execute(statement))

Store the new data

Last but not least, here comes the easy part: Storing the data. We’ve modeled the DataFrames after the existing tables, so we don’t face any problems. The short helper function store avoids heavy code duplication. In here, we use the if_exists="append"-Parameter to reuse the existing database schema (with all the original data types, constraints and indexes). To send data on chunks to the database, we add chunksize=100.

In [40]:
def store(dataframe, table_name):
    dataframe.to_sql(table_name, con=engine, if_exists="append", chunksize=100)

store(owners,'owners')
store(types, 'types')
store(pets, 'pets')

store(visits, 'visits')

store(vets, 'vets')
store(specialties, 'specialties')
store(vet_specialties, 'vet_specialties')

Summary

OK, I hope I could help you to understand how you can easily generate nice fake data with Pandas and Faker. I tried to explain the common tasks like generating data and connecting tables via foreign keys.

Please let me know if you think that there is anything awkward (or good) with my pragmatic approach.

print
Generate fake data for Spring PetClinic with Pandas and Faker
Tagged on:                     

Leave a Reply

Your email address will not be published. Required fields are marked *

I accept that my given data and my IP address is sent to a server in the USA only for the purpose of spam prevention through the Akismet program.More information on Akismet and GDPR.