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 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 ensure it conforms to the specific structure and data types that they specify so that they can then use the cleaned data you provide to set up a PostgreSQL database, which will store this campaign's data and 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 the data, saving three final csv files. Specifically, the three files should have the names and contents as outlined below:
client.csv
client.csv| column | data type | description | cleaning requirements | 
|---|---|---|---|
| client_id | integer | Client ID | N/A | 
| age | integer | Client's age in years | N/A | 
| job | object | Client's type of job | Change "."to"_" | 
| marital | object | Client's marital status | N/A | 
| education | object | Client's level of education | Change "."to"_"and"unknown"tonp.NaN | 
| credit_default | bool | Whether the client's credit is in default | Convert to booleandata type:1if"yes", otherwise0 | 
| mortgage | bool | Whether the client has an existing mortgage (housing loan) | Convert to boolean data type: 1if"yes", otherwise0 | 
campaign.csv
campaign.csv| column | data type | description | cleaning requirements | 
|---|---|---|---|
| client_id | integer | Client ID | N/A | 
| number_contacts | integer | Number of contact attempts to the client in the current campaign | N/A | 
| contact_duration | integer | Last contact duration in seconds | N/A | 
| previous_campaign_contacts | integer | Number of contact attempts to the client in the previous campaign | N/A | 
| previous_outcome | bool | Outcome of the previous campaign | Convert to boolean data type: 1if"success", otherwise0. | 
| campaign_outcome | bool | Outcome of the current campaign | Convert to boolean data type: 1if"yes", otherwise0. | 
| last_contact_date | datetime | Last date the client was contacted | Create from a combination of day,month, and a newly createdyearcolumn (which should have a value of2022);Format = "YYYY-MM-DD" | 
economics.csv
economics.csv| column | data type | description | cleaning requirements | 
|---|---|---|---|
| client_id | integer | Client ID | N/A | 
| cons_price_idx | float | Consumer price index (monthly indicator) | N/A | 
| euribor_three_months | float | Euro Interbank Offered Rate (euribor) three-month rate (daily indicator) | N/A | 
import pandas as pd
import numpy as np
# Start coding here...df = pd.read_csv("bank_marketing.csv")
for col in ["credit_default", "mortgage", "previous_outcome", "campaign_outcome"]:
    print(col)
    print("--------------")
    print(df[col].value_counts())line = "__________________________________________________________________________________________________"
df = pd.DataFrame(df)
print(df.head())
print(line)
print(df.info())
print(line)
print(df.describe())
print(df.job.value_counts())
Create client Data Frame
client_content = ['client_id', 'age', 'job', 'marital','education', 'credit_default','mortgage']
df_client = df[client_content]
print(df_client.head())
print(line)
print(df_client.info())def changeStringinRow(dataFrame,column,before,after):
    dataFrame[column] = dataFrame[column].astype('string')
    dataFrame[column] = dataFrame[column].str.replace(before,after)
    dataFrame[column] = dataFrame[column].astype('O')
    return dataFrame
def changeSringValue(dataFrame,column,before,after):
    dataFrame[column] = dataFrame[column].astype('string')
    dataFrame[column] = dataFrame[column].replace(before, after)
    dataFrame[column] = dataFrame[column].astype('O')
    return dataFrame
def changeStringVarToBool(dataFrame,column,trueVar,falseVar,otherVar):
    dataFrame[column] = dataFrame[column].replace({trueVar: True, falseVar: False, otherVar: False})
    dataFrame[column] = dataFrame[column].astype(bool)
    return dataFrame
# '.' to '-'
changeStringinRow(df_client,'education','.','-')
changeStringinRow(df_client, 'job','.','-')
# 'unknown' to NaN
changeSringValue(df_client,'education', 'unknown', np.NaN)
# for boolean value
changeStringVarToBool(df_client,'credit_default','yes','no','unknown')
changeStringVarToBool(df_client,'mortgage','yes','no','unknown')print(df_client.info())1 hidden cell
Create Campaign DataFrame
1 hidden cell
print(df.info())campaign_content = ['client_id', 'number_contacts', 'contact_duration', 'previous_campaign_contacts', 'previous_outcome', 'campaign_outcome', 'day', 'month']
df_campaign = df[campaign_content]
df_campaign.head()
# Create year column with value 2022
df_campaign['year'] = 2022
# Correcting the variable name from 'date' to 'last_contact_date' and ensuring day and month are converted to string for concatenation
df_campaign['last_contact_date'] = df_campaign['year'].astype(str) + "-" + df_campaign['month'].astype(str) + "-" + df_campaign['day'].astype(str)
df_campaign['last_contact_date'] = pd.to_datetime(df_campaign['last_contact_date'])
# drop data date
df_campaign.drop(['day','month', 'year'],axis=1, inplace=True)