Machine Learning Project – Loan Approval Prediction

Project idea – The idea behind this ML project is to build a model for a Home Loan Company to validates the customer eligibility for loan.

Problem Statement or Business Problem

About Company
Wonderful Dream Housing Finance company deals in all home loans. They have presence across all urban, semi urban and rural areas. Customer first apply for home loan after that company validates the customer eligibility for loan.

Problem
Company wants to automate the loan eligibility process (real time) based on customer detail provided while filling online application form. These details are Gender, Marital Status, Education, Number of Dependents, Income, Loan Amount, Credit History and others. To automate this process, they have given a problem to identify the customers segments, those are eligible for loan amount so that they can specifically target these customers. Here they have provided a partial data set.

Attribute Information or Dataset Details:

  • Variable – Description
  • Loan_ID – Unique Loan ID
  • Gender  – Male/ Female
  • Married – Applicant married (Y/N)
  • Dependents – Number of dependents
  • Education – Applicant Education (Graduate/ Under Graduate)
  • Self_Employed – Self employed (Y/N)
  • ApplicantIncome – Applicant income
  • CoapplicantIncome – Coapplicant income
  • LoanAmount – Loan amount in thousands
  • Loan_Amount_Term – Term of loan in months
  • Credit_History – credit history meets guidelines
  • Property_Area – Urban/ Semi Urban/ Rural
  • Loan_Status – Loan approved (Y/N)

Technology Used

  1. Apache Spark
  2. Spark SQL
  3. Apache Spark MLLib
  4. Scala
  5. DataFrame-based API
  6. Databricks Notebook

Introduction

Welcome to this project on predict whether a customer is eligible for Home loan or not in Apache Spark Machine Learning using Databricks platform community edition server which allows you to execute your spark code, free of cost on their server just by registering through email id.

In this project, we explore Apache Spark and Machine Learning on the Databricks platform.

I am a firm believer that the best way to learn is by doing. That’s why I haven’t included any purely theoretical lectures in this tutorial: you will learn everything on the way and be able to put it into practice straight away. Seeing the way each feature works will help you learn Apache Spark machine learning thoroughly by heart.

We’re going to look at how to set up a Spark Cluster and get started with that. And we’ll look at how we can then use that Spark Cluster to take data coming into that Spark Cluster, a process that data using a Machine Learning model, and generate some sort of output in the form of a prediction. That’s pretty much what we’re going to learn about the predictive model.

In this project, we will be performing prediction on eligibility of Home loan.

We will learn:

  1. Preparing the Data for Processing.
  2. Basics flow of data in Apache Spark, loading data, and working with data, this course shows you how Apache Spark is perfect for a Machine Learning job.
  3. Learn the basics of Databricks notebook by enrolling in Free Community Edition Server
  4. Define the Machine Learning Pipeline
  5. Train a Machine Learning Model
  6. Testing a Machine Learning Model
  7. Evaluating a Machine Learning Model (i.e. Examine the Predicted and Actual Values)

The goal is to provide you with practical tools that will be beneficial for you in the future. While doing that, you’ll develop a model with a real use opportunity.

I am really excited you are here, I hope you are going to follow all the way to the end of the Project. It is fairly straight forward fairly easy to follow through the article we will show you step by step each line of code & we will explain what it does and why we are doing it.

Free Account creation in Databricks

Creating a Spark Cluster

Basics about Databricks notebook

Loading Data into Databricks Environment

Download Data

Load Data in Dataframe 

%scala

// File location and type

val file_location = "/FileStore/tables/train_u6lujuX_CVtuZ9i.csv"
val file_type = "csv"

// CSV options
val infer_schema = "true"
val first_row_is_header = "true"
val delimiter = ","

// The applied options are for CSV files. For other file types, these will be ignored.

val LoanDF = spark.read.format(file_type)
.option("inferSchema", infer_schema)
.option("header", first_row_is_header)
.option("sep", delimiter)
.load(file_location).na.fill(0)
.na.fill("",Array("Gender"))
.na.fill("",Array("Married"))
.na.fill("0",Array("Dependents"))
.na.fill("",Array("Self_Employed"))

display(LoanDF)

Print Schema of Dataframe

%scala

LoanDF.printSchema()

root
|-- Loan_ID: string (nullable = true)
|-- Gender: string (nullable = false)
|-- Married: string (nullable = false)
|-- Dependents: string (nullable = false)
|-- Education: string (nullable = true)
|-- Self_Employed: string (nullable = false)
|-- ApplicantIncome: integer (nullable = false)
|-- CoapplicantIncome: double (nullable = false)
|-- LoanAmount: integer (nullable = false)
|-- Loan_Amount_Term: integer (nullable = false)
|-- Credit_History: integer (nullable = false)
|-- Property_Area: string (nullable = true)
|-- Loan_Status: string (nullable = true)

Statistics of Data

%scala

display(LoanDF.describe())

Exploratory Data Analysis or EDA

Gender VS Loan Status

Married VS Loan Status

Dependents VS Loan Status

Education VS Loan Status

Self Employed VS Loan Status

Rural Property Area VS Loan Status

Credit History VS Loan Status

Loan Amount Term VS Loan Status

Collecting all String Columns into an Array

%scala

var StringfeatureCol = Array("Loan_ID", "Gender", "Married", "Dependents", "Education", "Self_Employed", "Property_Area", "Loan_Status")

StringIndexer encodes a string column of labels to a column of label indices.

Example of StringIndexer

import org.apache.spark.ml.feature.StringIndexer

val df = spark.createDataFrame( Seq((0, "a"), (1, "b"), (2, "c"), (3, "a"), (4, "a"), (5, "c")) ).toDF("id", "category")

val indexer = new StringIndexer() .setInputCol("category") .setOutputCol("categoryIndex")

val indexed = indexer.fit(df).transform(df)

display(indexed)

Define the Pipeline​

A predictive model often requires multiple stages of feature preparation.

A pipeline consists of a series of transformer and estimator stages that typically prepare a DataFrame for modeling and then train a predictive model.

In this case, you will create a pipeline with stages:

A StringIndexer estimator that converts string values to indexes for categorical features
A VectorAssembler that combines categorical features into a single vector

%scala

import org.apache.spark.ml.attribute.Attribute
import org.apache.spark.ml.feature.{IndexToString, StringIndexer}
import org.apache.spark.ml.{Pipeline, PipelineModel}

val indexers = StringfeatureCol.map { colName => new StringIndexer().setInputCol(colName).setOutputCol(colName + "_indexed") }

val pipeline = new Pipeline() .setStages(indexers)

val LoanFinalDF = pipeline.fit(LoanDF).transform(LoanDF)

Print Schema to view String Columns are converted into equivalent Numerical Columns

%scala

LoadFinalDF.printSchema()

root
|-- Loan_ID: string (nullable = true)
|-- Gender: string (nullable = false)
|-- Married: string (nullable = false)
|-- Dependents: string (nullable = false)
|-- Education: string (nullable = true)
|-- Self_Employed: string (nullable = false)
|-- ApplicantIncome: integer (nullable = false)
|-- CoapplicantIncome: double (nullable = false)
|-- LoanAmount: integer (nullable = false)
|-- Loan_Amount_Term: integer (nullable = false)
|-- Credit_History: integer (nullable = false)
|-- Property_Area: string (nullable = true)
|-- Loan_Status: string (nullable = true)
|-- Loan_ID_indexed: double (nullable = false)
|-- Gender_indexed: double (nullable = false)
|-- Married_indexed: double (nullable = false)
|-- Dependents_indexed: double (nullable = false)
|-- Education_indexed: double (nullable = false)
|-- Self_Employed_indexed: double (nullable = false)
|-- Property_Area_indexed: double (nullable = false)
|-- Loan_Status_indexed: double (nullable = false)

Split the Data

It is common practice when building machine learning models to split the source data, using some of it to train the model and reserving some to test the trained model. In this project, you will use 70% of the data for training, and reserve 30% for testing.

%scala

val splits = LoanFinalDF.randomSplit(Array(0.7, 0.3))
val train = splits(0)
val test = splits(1)
val train_rows = train.count()
val test_rows = test.count()
println("Training Rows: " + train_rows + " Testing Rows: " + test_rows)

Prepare the Training Data

To train the Classification model, you need a training data set that includes a vector of numeric features, and a label column. In this project, you will use the VectorAssembler class to transform the feature columns into a vector, and then rename the Loan Status column to the label.

VectorAssembler()

VectorAssembler(): is a transformer that combines a given list of columns into a single vector column. It is useful for combining raw features and features generated by different feature transformers into a single feature vector, in order to train ML models like logistic regression and decision trees.

VectorAssembler accepts the following input column types: all numeric types, boolean type, and vector type.

In each row, the values of the input columns will be concatenated into a vector in the specified order.

%scala

import org.apache.spark.sql.functions._
import org.apache.spark.sql.Row
import org.apache.spark.sql.types._

import org.apache.spark.ml.classification.LogisticRegression
import org.apache.spark.ml.feature.VectorAssembler

val assembler = new VectorAssembler().setInputCols(Array("Loan_ID_indexed", "Gender_indexed", "Married_indexed", "Dependents_indexed", "Education_indexed", "Self_Employed_indexed", "ApplicantIncome", "CoapplicantIncome", "LoanAmount", "Loan_Amount_Term", "Credit_History","Property_Area_indexed")).setOutputCol("features")

val training = assembler.transform(train).select($"features", $"Loan_Status_indexed".alias("label"))

training.show(false)

Train a Classification Model

Next, you need to train a Classification model using the training data. To do this, create an instance of the LogisticRegression algorithm you want to use and use its fit method to train a model based on the training DataFrame. In this project, you will use a Logistic Regression Classifier algorithm – though you can use the same technique for any of the regression algorithms supported in the spark.ml API

%scala
import org.apache.spark.ml.classification.LogisticRegression

val lr = new LogisticRegression().setLabelCol("label").setFeaturesCol("features").setMaxIter(10)
.setRegParam(0.3)

val model = lr.fit(training)
println("Model Trained!")

Prepare the Testing Data

Now that you have a trained model, you can test it using the testing data you reserved previously. First, you need to prepare the testing data in the same way as you did the training data by transforming the feature columns into a vector. This time you’ll rename the Loan_Status_indexed column to trueLabel.

%scala

val testing = assembler.transform(test).select($"features", $"Loan_Status_indexed".alias("trueLabel"))

testing.show(false)

Test the Model

Now you’re ready to use the transform method of the model to generate some predictions. You can use this approach to predict the loan status; but in this case, you are using the test data which includes a known true label value, so you can compare the loan status

%scala

val prediction = model.transform(testing)
val predicted = prediction.select("features", "prediction", "trueLabel")

predicted.show(1000)

Evaluating a Model (We got 77% Accuracy)

import org.apache.spark.ml.evaluation.BinaryClassificationEvaluator

val evaluator = new BinaryClassificationEvaluator().setLabelCol("trueLabel").setRawPredictionCol
("rawPrediction").setMetricName("areaUnderROC")

val auc = evaluator.evaluate(prediction)

println("AUC = " + (auc))

Output:

AUC = 0.7723081288125977977
By Bhavesh