Skip to content
Project: Designing a Bank Marketing Database
  • AI Chat
  • Code
  • Report

  • Personal loans are a lucrative revenue stream for banks. The typical interest rate of a two year loan in the United Kingdom is around 10%. This might not sound like a lot, but in September 2022 alone UK consumers borrowed around £1.5 billion, which would mean approximately £300 million in interest generated by banks over two years!

    You have been asked to work with a bank to clean and store the data they collected as part of a recent marketing campaign, which aimed to get customers to take out a personal loan. They plan to conduct more marketing campaigns going forward so would like you to set up a PostgreSQL database to store this campaign's data, designing the schema in a way that would allow data from future campaigns to be easily imported.

    They have supplied you with a csv file called "bank_marketing.csv", which you will need to clean, reformat, and split, in order to save separate files based on the tables you will create. It is recommended to use pandas for these tasks.

    Lastly, you will write the SQL code that the bank can execute to create the tables and populate with the data from the csv files. As the bank are quite strict about their security, you'll save SQL files as multiline string variables that they can then use to create the database on their end.

    You have been asked to design a database that will have three tables:

    client

    columndata typedescriptionoriginal column in dataset
    idserialClient ID - primary keyclient_id
    ageintegerClient's age in yearsage
    jobtextClient's type of jobjob
    maritaltextClient's marital statusmarital
    educationtextClient's level of educationeducation
    credit_defaultbooleanWhether the client's credit is in defaultcredit_default
    housingbooleanWhether the client has an existing housing loan (mortgage)housing
    loanbooleanWhether the client has an existing personal loanloan

    campaign

    columndata typedescriptionoriginal column in dataset
    campaign_idserialCampaign ID - primary keyN/A - new column
    client_idserialClient ID - references id in the client tableclient_id
    number_contactsintegerNumber of contact attempts to the client in the current campaigncampaign
    contact_durationintegerLast contact duration in secondsduration
    pdaysintegerNumber of days since contact in previous campaign (999 = not previously contacted)pdays
    previous_campaign_contactsintegerNumber of contact attempts to the client in the previous campaignprevious
    previous_outcomebooleanOutcome of the previous campaignpoutcome
    campaign_outcomebooleanOutcome of the current campaigny
    last_contact_datedateLast date the client was contactedA combination of day, month, and the newly created year

    economics

    columndata typedescriptionoriginal column in dataset
    client_idserialClient ID - references id in the client tableclient_id
    emp_var_ratefloatEmployment variation rate (quarterly indicator)emp_var_rate
    cons_price_idxfloatConsumer price index (monthly indicator)cons_price_idx
    euribor_three_monthsfloatEuro Interbank Offered Rate (euribor) three month rate (daily indicator)euribor3m
    number_employedfloatNumber of employees (quarterly indicator)nr_employed
    import pandas as pd
    import numpy as np
    
    # Start coding here...
    # Read in bank_marketing.csv as a pandas DataFrame
    df = pd.read_csv('bank_marketing.csv')
    
    # Split the data into three DataFrames: client, campaign, economics
    client = df[["client_id", "age", "job", "marital", "education", "credit_default", "housing", "loan"]]
    campaign = df[["client_id", "campaign", "month", "day", "duration", "pdays", "previous", "poutcome", "y"]]
    economics = df[["client_id", "emp_var_rate", "cons_price_idx", "euribor3m", "nr_employed"]]
    
    # Rename the column "client_id" to "id" in client
    client.rename(columns={"client_id": "id"}, inplace=True)
    
    # Rename duration, y, and campaign columns
    campaign.rename(columns={"duration": "contact_duration", "previous": "previous_campaign_contacts", "y": "campaign_outcome", "poutcome": "previous_outcome", "campaign": "number_contacts"}, inplace=True)
    
    # Rename euribor3m and nr_employed
    economics.rename(columns={"euribor3m": "euribor_three_months", "nr_employed": "number_employed"}, inplace=True)
    
    # Clean the "education" column, changing "." to "_" and "unknown" to NumPy's null values
    client["education"] = client["education"].str.replace(".", "_")
    client["education"] = client["education"].replace("unknown", np.NaN)
    
    # Remove periods from the "job" column
    client["job"] = client["job"].str.replace(".", "")
    
    # Convert "success" and "failure" in the "previous_outcome" and "campaign_outcome" columns to binary (1 or 0)
    campaign["campaign_outcome"] = campaign["campaign_outcome"].map({"yes": 1, "no": 0})
    
    # Convert poutcome to binary values
    campaign["previous_outcome"] = campaign["previous_outcome"].replace("nonexistent", np.NaN)
    campaign["previous_outcome"] = campaign["previous_outcome"].map({"success": 1, "failure": 0})
    
    # Add a column called campaign_id in campaign, where all rows have a value of 1
    campaign["campaign_id"] = 1
    
    # # Capitalize month and day columns
    campaign["month"] = campaign["month"].str.capitalize()
    
    # Add year column
    campaign["year"] = "2022"
    
    # Convert day to string
    campaign["day"] = campaign["day"].astype(str)
    
    # Add last_contact_date column
    campaign["last_contact_date"] = campaign["year"] + "-" + campaign["month"] + "-" + campaign["day"]
    
    # Convert to datetime
    campaign["last_contact_date"] = pd.to_datetime(campaign["last_contact_date"], format="%Y-%b-%d")
    
    # Drop unneccessary columns
    campaign.drop(columns=["month", "day", "year"], inplace=True)
    
    # Save tables to individual csv files
    client.to_csv("client.csv", index=False)
    campaign.to_csv("campaign.csv", index=False)
    economics.to_csv("economics.csv", index=False)
    
    # Store and print database_design
    client_table = """CREATE TABLE client
    (
        id SERIAL PRIMARY KEY,
        age INTEGER,
        job TEXT,
        marital TEXT,
        education TEXT,
        credit_default BOOLEAN,
        housing BOOLEAN,
        loan BOOLEAN
    );
    \copy client from 'client.csv' DELIMITER ',' CSV HEADER
    """
    
    campaign_table = """CREATE TABLE campaign
    (
        campaign_id SERIAL PRIMARY KEY,
        client_id SERIAL references client (id),
        number_contacts INTEGER,
        contact_duration INTEGER,
        pdays INTEGER,
        previous_campaign_contacts INTEGER,
        previous_outcome BOOLEAN,
        campaign_outcome BOOLEAN,
        last_contact_date DATE    
    );
    \copy campaign from 'campaign.csv' DELIMITER ',' CSV HEADER
    """
    
    economics_table = """CREATE TABLE economics
    (
        client_id SERIAL references client (id),
        emp_var_rate FLOAT,
        cons_price_idx FLOAT,
        euribor_three_months FLOAT,
        number_employed FLOAT
    );
    \copy economics from 'economics.csv' DELIMITER ',' CSV HEADER"""