Reference_Notebook_Milestone_1_Classification+FINAL
.html
keyboard_arrow_up
School
Rutgers University *
*We aren’t endorsed by this school
Course
700
Subject
Economics
Date
Apr 30, 2024
Type
html
Pages
37
Uploaded by DeanQuetzalPerson1017
Milestone 1
¶
Problem Definition
¶
The context:
Why is this problem important to solve?
The objectives:
What is the intended goal?
The key questions:
What are the key questions that need to be answered?
The problem formulation:
What is it that we are trying to solve using data science?
Data Description:
¶
The Home Equity dataset (HMEQ) contains baseline and loan performance information for 5,960 recent home equity loans. The target (BAD) is a binary variable that indicates
whether an applicant has ultimately defaulted or has been severely delinquent. This adverse outcome occurred in 1,189 cases (20 percent). 12 input variables were registered for each applicant.
•
BAD:
1 = Client defaulted on loan, 0 = loan repaid
•
LOAN:
Amount of loan approved.
•
MORTDUE:
Amount due on the existing mortgage.
•
VALUE:
Current value of the property.
•
REASON:
Reason for the loan request. (HomeImp = home improvement, DebtCon= debt consolidation which means taking out a new loan to pay off other
liabilities and consumer debts)
•
JOB:
The type of job that loan applicant has such as manager, self, etc.
•
YOJ:
Years at present job.
•
DEROG:
Number of major derogatory reports (which indicates a serious delinquency or late payments).
•
DELINQ:
Number of delinquent credit lines (a line of credit becomes delinquent when a borrower does not make the minimum required payments 30 to 60 days past the day on which the payments were due).
•
CLAGE:
Age of the oldest credit line in months.
•
NINQ:
Number of recent credit inquiries.
•
CLNO:
Number of existing credit lines.
•
DEBTINC:
Debt-to-income ratio (all your monthly debt payments divided by your
gross monthly income. This number is one way lenders measure your ability to manage the monthly payments to repay the money you plan to borrow.
Important Notes
¶
•
This notebook can be considered a guide to refer to while solving the problem. The evaluation will be as per the Rubric shared for each Milestone. Unlike previous courses, it does not follow the pattern of the graded questions in different sections. This notebook would give you a direction on what steps need to be taken in order to get a viable solution to the problem. Please note that this is just one way of doing this. There can be other 'creative' ways to solve the problem and we urge you to feel free and explore them as an 'optional' exercise.
•
In the notebook, there are markdowns cells called - Observations and Insights. It is a good practice to provide observations and extract insights from the outputs.
•
The naming convention for different variables can vary. Please consider the code
provided in this notebook as a sample code.
•
All the outputs in the notebook are just for reference and can be different if you follow a different approach.
•
There are sections called Think About It
in the notebook that will help you get a
better understanding of the reasoning behind a particular technique/step. Interested learners can take alternative approaches if they want to explore different techniques.
Import the necessary libraries
¶
In [109]:
import numpy as np
import pandas as pd
import matplotlib.pyplot as plt
import seaborn as sns
sns.set_theme()
from sklearn.model_selection import train_test_split
from sklearn.linear_model import LogisticRegression
from sklearn import metrics
from sklearn.metrics import confusion_matrix, classification_report,accuracy_score,precision_score,recall_score,f1_score
from sklearn import tree
from sklearn.tree import DecisionTreeClassifier
from sklearn.ensemble import BaggingClassifier
from sklearn.ensemble import RandomForestClassifier
import scipy.stats as stats
from sklearn.model_selection import GridSearchCV
import warnings
warnings.filterwarnings('ignore')
Read the dataset
¶
In [5]:
hm=pd.read_csv("hmeq.csv")
In [6]:
# Copying data to another variable to avoid any changes to original data
data=hm.copy()
Print the first and last 5 rows of the dataset
¶
In [7]:
# Display first five rows
# Remove ___________ and complete the code
hm.head()
Out[7]:
BAD LOAN MORTDUE
VALUE
REASON
JOB
YOJ DEROG DELINQ
CLAGE
N
0
1
1100
25860.0
39025.0
HomeImp Other 10.5 0.0
0.0
94.366667
1.
1
1
1300
70053.0
68400.0
HomeImp Other 7.0
0.0
2.0
121.833333 0.
2
1
1500
13500.0
16700.0
HomeImp Other 4.0
0.0
0.0
149.466667 1.
3
1
1500
NaN
NaN
NaN
NaN
NaN NaN
NaN
NaN
N
BAD LOAN MORTDUE
VALUE
REASON
JOB
YOJ DEROG DELINQ
CLAGE
N
4
0
1700
97800.0
112000.0 HomeImp Office 3.0
0.0
0.0
93.333333
0.
In [8]:
# Display last 5 rows
# Remove ___________ and complete the code
hm.tail()
Out[8]:
BAD LOAN MORTDUE VALUE REASON
JOB
YOJ DEROG DELINQ
CLAGE
5955
0
88900 57264.0
90185.0 DebtCon
Other 16.0 0.0
0.0
221.808718
5956
0
89000 54576.0
92937.0 DebtCon
Other 16.0 0.0
0.0
208.692070
5957
0
89200 54045.0
92924.0 DebtCon
Other 15.0 0.0
0.0
212.279697
5958
0
89800 50370.0
91861.0 DebtCon
Other 14.0 0.0
0.0
213.892709
5959
0
89900 48811.0
88934.0 DebtCon
Other 15.0 0.0
0.0
219.601002
Understand the shape of the dataset
¶
In [9]:
# Check the shape of the data
# Remove ___________ and complete the code
print(hm.shape)
(5960, 13)
Insights dataset has 5901 rows and 13 columns
Check the data types of the columns
¶
In [10]:
# Check info of the data
# Remove ___________ and complete the code
hm.info()
<class 'pandas.core.frame.DataFrame'>
RangeIndex: 5960 entries, 0 to 5959
Data columns (total 13 columns):
# Column Non-Null Count Dtype --- ------ -------------- ----- 0 BAD 5960 non-null int64 1 LOAN 5960 non-null int64 2 MORTDUE 5442 non-null float64
3 VALUE 5848 non-null float64
4 REASON 5708 non-null object 5 JOB 5681 non-null object 6 YOJ 5445 non-null float64
7 DEROG 5252 non-null float64
8 DELINQ 5380 non-null float64
9 CLAGE 5652 non-null float64
10 NINQ 5450 non-null float64
11 CLNO 5738 non-null float64
12 DEBTINC 4693 non-null float64
dtypes: float64(9), int64(2), object(2)
memory usage: 605.4+ KB
Insights __
bad and loan are int, value and reason are obj while rest are float
Check for missing values
¶
In [11]:
# Analyse missing values - Hint: use isnull() function
# Remove ___________ and complete the code
#percent_missing = hm.isnull().sum() * 100 / len(hm)
print(hm.isnull().sum())
BAD 0
LOAN 0
MORTDUE 518
VALUE 112
REASON 252
JOB 279
YOJ 515
DEROG 708
DELINQ 580
CLAGE 308
NINQ 510
CLNO 222
DEBTINC 1267
dtype: int64
In [12]:
#Check the percentage of missing values in the each column.
# Hint: divide the result from the previous code by the number of rows in the dataset
# Remove ___________ and complete the code
percent_missing = hm.isnull().sum() * 100 / len(hm)
missing_value_hm = pd.DataFrame({'column_name': hm.columns,
'percent_missing': percent_missing})
print(missing_value_hm)
column_name percent_missing
BAD BAD 0.000000
LOAN LOAN 0.000000
MORTDUE MORTDUE 8.691275
VALUE VALUE 1.879195
REASON REASON 4.228188
JOB JOB 4.681208
YOJ YOJ 8.640940
DEROG DEROG 11.879195
DELINQ DELINQ 9.731544
CLAGE CLAGE 5.167785
NINQ NINQ 8.557047
CLNO CLNO 3.724832
DEBTINC DEBTINC 21.258389
Insights __
reason and job are sigificant information, DEBTINC, DEROG have the most null values., debtinc passing over the thereshold
Think about it:
¶
•
We found the total number of missing values and the percentage of missing values, which is better to consider? •
What can be the limit for % missing values in a column in order to avoid it and what are the challenges associated with filling them and avoiding them? We can convert the object type columns to categories
converting "objects" to "category" reduces the data space required to store the dataframe
Convert the data types
¶
In [13]:
cols = data.select_dtypes(['object']).columns.tolist()
#adding target variable to this list as this is an classification problem and the target variable is categorical
cols.append('BAD')
In [14]:
cols
Out[14]:
['REASON', 'JOB', 'BAD']
In [15]:
# Changing the data type of object type column to category. hint use astype() function
# remove ___________ and complete the code
hm= hm.astype({"BAD":'category', "REASON":'category',"JOB":'category'})
In [16]:
# Checking the info again and the datatype of different variable
# remove ___________ and complete the code
print (hm.dtypes)
BAD category
LOAN int64
MORTDUE float64
VALUE float64
REASON category
JOB category
YOJ float64
DEROG float64
DELINQ float64
CLAGE float64
NINQ float64
CLNO float64
DEBTINC float64
dtype: object
Analyze Summary Statistics of the dataset
¶
In [17]:
# Analyze the summary statistics for numerical variables
# Remove ___________ and complete the code
hm.describe().T
Out[17]:
count
mean
std
min
25%
50%
LOAN
5960.0 18607.969799
11207.480417 1100.000000 11100.000000 16300.0000
MORTDUE
5442.0 73760.817200
44457.609458 2063.000000 46276.000000 65019.0000
VALUE
5848.0 101776.048741 57385.775334 8000.000000 66075.500000 89235.5000
YOJ
5445.0 8.922268
7.573982
0.000000
3.000000
7.000000
DEROG
5252.0 0.254570
0.846047
0.000000
0.000000
0.000000
DELINQ
5380.0 0.449442
1.127266
0.000000
0.000000
0.000000
CLAGE
5652.0 179.766275
85.810092
0.000000
115.116702
173.466667
NINQ
5450.0 1.186055
1.728675
0.000000
0.000000
1.000000
CLNO
5738.0 21.296096
10.138933
0.000000
15.000000
20.000000
DEBTINC
4693.0 33.779915
8.601746
0.524499
29.140031
34.818262
Insights __
mean looks reasonable for most categories, with the lean of a loan being $18000 on average. value has a higher standard deviation, there much be a greater range in the value of their houses. the data looka to be maybe skewed to the right or normal, because the mean is higher than the median for almost all catetories but DEBTINC. There seem to be dome outliers in morgage due and value and debtinc ans well as perhaps in loan.
In [18]:
# Check summary for categorical data - Hint: inside describe function you can use the argument include=['category']
# Remove ___________ and complete the code
hm.describe(include=['category']).T
Out[18]:
count unique
top
freq
BAD
5960
2
0
4771
REASON
5708
2
DebtCon 3928
JOB
5681
6
Other
2388
Insights _
there seem to be more 0s for bad, and the most popular reason is DEbtcon,
Your preview ends here
Eager to read complete document? Join bartleby learn and gain access to the full version
- Access to all documents
- Unlimited textbook solutions
- 24/7 expert homework help
Related Questions
Your new client, Kerri, age 35, came into your office today. She provided you with the following information for the year: • Income - $100,000 • Taxes - $18,000 • Rent - $14,000 • Living Expenses - $40,000 • Credit Card Debt - $12,000 • Savings - $5,000 • Student Loan Payments - $5,000 • Car Payment - $6,000 After receiving this information you created a pie chart to visually depict where her income was spent. Utilizing targeted benchmarks which of the following statements are you most likely to make during you next meeting?
A. “You are spending too much on housing.”
B. “Your current living expenses are within the normal range.”
C. “Your mortgage and debt payments are within the normal range.”
D. “Your savings is low but still appropriate for your age.”
arrow_forward
(E4) Hello! Please help me answer this one. Please refer to the given picture/s below for the questions. Please read the instructions and directions very carefully. Double and triple check your answers, previous tutors got it wrong.
NOTE: Type only your answers. Please do not handwritten your answers. Make sure your formulas, solutions and answers' format are all correct.
PROBLEM:
Depreciation Methods
4. An industrial plant bought a generator set from P90,000.00, other expenses including installation amounted to P10,000.00. The generator set is to have a life of 17 years with a salvage value at the end of life of P5,000.00. Determine the depreciation charge during the 13th year and the book value at the of 13 years.
Use: (a)SLM (b)SFM@12% (c) SYDM (d)DBM and (e)DDBM
arrow_forward
Use discriminant analysis to classify the accompanying new records using only Credit Score and Years of Credit History as input variables.
Click here to view the credit approval data. Click here to view the new records.
Complete the following table.
(Round to four decimal places as needed.)
Homeowner Credit Score Years of Credit History Revolving Balance Revolving Utilization Discriminant Score Decision
Y
548
5
N
662
4
Y
724
12
N
14
N
Y
704
592
684
New Records
9
15
$21,000
$4,000
$8,500
$16,300
$2,500
$16,700
N
Y
N
N
Y
548
662
724
704
592
684
5
4
15%
90%
25%
70%
90%
18%
Homeowner Credit Score Years of Credit History Revolving Balance Revolving Utilization Decision t
Y
12
14
9
15
Print
$21,000
$4,000
$8,500
$16,300
$2,500
$16,700
000000
Done
PEPPE
Y
15%
90%
25%
70%
90%
18%
Y
arrow_forward
"The banking industry has changed dramatically over the years. While customers regularly walked into a branch to withdraw money, transfer funds, or seek information about products about 50 years ago, today, a majority of customers prefer to conduct basic financial transactions online, leading to the popularity of digital banking.”
Question:
How COVID-19 Pandemic will give impacts on digital banking in financial markets and institutions:
Elaborate 3 opportunities and 2 challenges
arrow_forward
Note:-
Do not provide handwritten solution. Maintain accuracy and quality in your answer. Take care of plagiarism.
Answer completely.
You will get up vote for sure.
arrow_forward
3Q1: Use the following to complete graph.
arrow_forward
Economics
The information asymmetry stems from the fact that the SALES REPRESENTATIVE/BUYER has more information about the efficacy of the accounting system than does the SALES REPRESENTATIVE/BUYER . At this price, the customer Will/Will Not purchase the accounting system, since the expected value of the accounting system is Less/Greater than the price.
Note:-
Do not provide handwritten solution. Maintain accuracy and quality in your answer. Take care of plagiarism.
Do not provide Excel Screet shot rather use tool table
Answer completely.
arrow_forward
evolution of savings accounts, loans and online banking post COVID-19
arrow_forward
The effects of climate related risks on insurance companies.
- Identify the climate related risks which may affect insurance companies in St. Kitts and Nevis and the region on a whole.
- State the mitigating measures registered insurance companies should have in place to minimize the impact of identified risks.
- Include the steps the regulatory authority should take to ensure that this is monitored effectively.
arrow_forward
Resources
To determine your best study plan for MLA parenthetical citation, take this pre-
check before reviewing the study overview pages.
Question 2
20 pts
elp
WL
In MLA format, how should the parenthetical citation for a
book with two authors appear?
O (Bleu and Li 256)
O (Bleu, Li p. 256)
O (Bleu and Li, 256)
O (Joseph Bleu and Howard Li 256)
#
f3
M
LL
$
I
0
◄ Previous
%
LO
5
Search
16
10
+
hp
C
fg
144
Next▸
a
25
f10
12
6
&
7
*
8
9
0
arrow_forward
The first table displays Congressional Budget Office forecasts made in
January 2015 of future federal budget deficits. Compare these forecasts
with actual deficits for those same years (see the second table), and then
answer the questions.
Year: 2015 2016 2017 2018 2019 2020
Deficit
forecast
(in
billions
of
dollars)
-468-467-489-540-652-739
Fiscal Budget
Year Balance =
2015 -439
2016 -585
-86
-76
-53
11
53
2020 -1,074 87
2017-665
2018 -779
Cyclical
Component
2019-984
+
Structural
Component
-353
-509
-612
|-790
-1,037
-1,161
arrow_forward
Question: Which of the following is an example of a regressive tax? a) Value-added tax (VAT) b) Progressive income tax c) Corporate income tax d) Property tax
Note:-
Do not provide handwritten solution. Maintain accuracy and quality in your answer. Take care of plagiarism.
Answer completely.
You will get up vote for sure.
arrow_forward
4a) What is a SARS report and when is it used?4b) What are the roles of banks in AML prevention?
arrow_forward
Answer question B
Note:-
Do not provide handwritten solution. Maintain accuracy and quality in your answer. Take care of plagiarism.
Answer completely.
You will get up vote for sure.
arrow_forward
DQ1: Electric Vehicles and Battery Supply Chain
As the automotive industry shifts toward electric vehicles (EVs), there is growing attention on the supply chain for batteries, a crucial component. Explore the relationship between supply and demand in the context of electric vehicles:
How has the growing demand for electric vehicles impacted the demand for battery components? How have companies like Tesla and other automakers responded to this increased demand?
Discuss the concept of supply constraints in the battery industry. How do factors like access to raw materials, technological advancements, and production capacity influence the supply of batteries for electric vehicles?
DQ2:
Think about a product or service that has undergone a dramatic increase in popularity in recent years, such as electric vehicles (EVs) or streaming services. Discuss how changes in consumer preferences and technological advancements have influenced the demand for this product or service. How have…
arrow_forward
Question 4Select the information you need from the following figures and calculate the nationalincome for the year shown:Government Spending R18 000Depreciation R6 000Investment spending R35 000Net foreign spending R12 000Indirect taxes R14 500Net factor payments (R4 000)Consumer spending R30 000Subsidies R4 000
arrow_forward
Macroeconomics
arrow_forward
A certain beverage company provides a complete line of beer, wine, and soft drink products for distribution through retail outlets in central Iowa. Unit price data for 2011 and 2014 and quantities sold in cases for 2011 follow. Use 2011 as the base period.
Unit Price ($)
Item
2011 Quantity(cases)
2011
2014
Beer
35,000
17.50
20.15
Wine
5,000
100.00
117.00
Soft drink
70,000
8.00
8.80
Compute the price relatives for this company's products. (Round your answers to two decimal places.)
Item
Price Relative
Beer
Wine
117.00
Soft drink
110.00
Use a weighted average of price relatives to show that this method provides the same index as the weighted aggregate method. (Round your answers to the nearest integer.)
weighted average of price relatives index: ____ weighted aggregate price index :______
arrow_forward
2. There are known the following data for a company:
Indicators (lei)
Turnover revenue
70500
83000
Average number of employee
750
880
Output
81300
90200
Analysis of the Turnover revenues.
arrow_forward
Part 1: Analytical Thinking - Analysis of Digital Data Instructions: Below is a hypothetical dataset on the performance of two digital projects, "Project A" and "Project B," at Latinex over the last five years. Analyze the data and provide conclusions and recommendations based on your analysis. Year 2023 2022 2021 2020 2019 Proyect A (Active Proyect B (Active users) users) 8,000 10,000 6,500 9,000 8,000 7,000 6,000 5,000 4,200 3,500 Which of the two projects has experienced greater growth in terms of active users? Are there any clear trends in the data that may be relevant for the development of future digital projects? 0 / 250
arrow_forward
Note:-
Do not provide handwritten solution. Maintain accuracy and quality in your answer. Take care of plagiarism.
Answer completely.
You will get up vote for sure.
arrow_forward
Jadual 1 menurnfukkan beberapa data harga dan kuantiti untuk sebuah ekonomi zederhana
jang menghasilkan darang dan perkhidmatan derikut.)
Table 1: Price and quantity for three types of product
[Jadual I: Harga dan kuantiti sontuk tiga jenis produk)
Product
[Produk)
Year 2019
[Tahun 20191
Price
(RM)
[Harga
(RM)
1.25
Year 2017
Year 2018
[Tahun 20181
Price
(RM) Kuanti) (RM) Kuanttij
[Harga
(RAM))
1
[Tahun 2017)
Quantity
Quantity
Kuantitij
Price
Quantity
[Harga
(RM))
A
180
200
200
B
90
75
90
100
100
120
0.6
675
0.5
600
0.5
630
(1)
Compute the values of nominal GDP in 2017, 2018 and 2019.
[Kirakan nilai-nilai KDNK nominal pada 2017, 2016 dan 2019)
(6 Marks/ Markah)
Compute the values of real GDP and GDP deflator in 2018 and 2019
(using 2017 as the base year).
[Kirakan nilai-nilat KDNK zebenar dan KDNK pendeflari pada 2018 dan 2019
(menggunakan tahun azas 2017))
(5 Marks/ Markak)
(iii) Compute the percentage change in the real GDP in 2018 and 2019
from the preceding year.
(Kinatan nerat…
arrow_forward
Company Blackmores
Analyse and discuss the key legal and regulatory, financial, operational and taxation issues relevant to
the company's international operations in the identified country. (China)
Please in detail, thank you so much I hope you have a great day
arrow_forward
what is the relationship between an elementary level DFD and a structure diagram? which must be prepared first?
arrow_forward
Note:-
Do not provide handwritten solution. Maintain accuracy and quality in your answer. Take care of plagiarism.
Answer completely.
You will get up vote for sure.
arrow_forward
Technical Reporting 10th edition – Chapter 16
Define a proposal, or in other words, what is it for?
What is the difference between internal and external proposals?
What is the difference between solicited and unsolicited proposals?
What is the difference between a research proposal and a goods and services proposal?
What kind of writing is a proposal? __________________________________________
How does a writer understand the reader’s needs in an internal and an external proposal?
How does a writer demonstrate professionalism?
The resources for a proposal fall into what three categories?
What are the six main structures or parts of a proposal? What does each part do?
a.
b.
c.
d.
e.
f.
10. What must the writer have at the end of a proposal just like a research paper?
arrow_forward
(Types of Legislation) describe the four different categories of legislation based on the distribution of costs andbenefits and provide examples of each.
arrow_forward
Note:-
Do not provide handwritten solution. Maintain accuracy and quality in your answer. Take care of plagiarism.
Answer completely.
You will get up vote for sure.
arrow_forward
Research a past recession in the US economy. Analyze why the recession occurred, the societal and economic impact of the recession, and what policies were implemented due to the recession.
Note:
- Word count requirement is between 200 and 500 words
arrow_forward
Complete the figure below with the appropriate terms. You do not need to edit the image,
simply submit your answers in list format from 1-15 with the appropriate term.
BUSINESS
SECTOR
11.
5.
(10.
(12.
FINANCIAL
INTERMEDIARIES
8
13.
(14.)
9.
4.
$
15.
arrow_forward
Macroeconomics assignments
arrow_forward
SEE MORE QUESTIONS
Recommended textbooks for you
Principles of Economics (12th Edition)
Economics
ISBN:9780134078779
Author:Karl E. Case, Ray C. Fair, Sharon E. Oster
Publisher:PEARSON
Engineering Economy (17th Edition)
Economics
ISBN:9780134870069
Author:William G. Sullivan, Elin M. Wicks, C. Patrick Koelling
Publisher:PEARSON
Principles of Economics (MindTap Course List)
Economics
ISBN:9781305585126
Author:N. Gregory Mankiw
Publisher:Cengage Learning
Managerial Economics: A Problem Solving Approach
Economics
ISBN:9781337106665
Author:Luke M. Froeb, Brian T. McCann, Michael R. Ward, Mike Shor
Publisher:Cengage Learning
Managerial Economics & Business Strategy (Mcgraw-...
Economics
ISBN:9781259290619
Author:Michael Baye, Jeff Prince
Publisher:McGraw-Hill Education
Related Questions
- Your new client, Kerri, age 35, came into your office today. She provided you with the following information for the year: • Income - $100,000 • Taxes - $18,000 • Rent - $14,000 • Living Expenses - $40,000 • Credit Card Debt - $12,000 • Savings - $5,000 • Student Loan Payments - $5,000 • Car Payment - $6,000 After receiving this information you created a pie chart to visually depict where her income was spent. Utilizing targeted benchmarks which of the following statements are you most likely to make during you next meeting? A. “You are spending too much on housing.” B. “Your current living expenses are within the normal range.” C. “Your mortgage and debt payments are within the normal range.” D. “Your savings is low but still appropriate for your age.”arrow_forward(E4) Hello! Please help me answer this one. Please refer to the given picture/s below for the questions. Please read the instructions and directions very carefully. Double and triple check your answers, previous tutors got it wrong. NOTE: Type only your answers. Please do not handwritten your answers. Make sure your formulas, solutions and answers' format are all correct. PROBLEM: Depreciation Methods 4. An industrial plant bought a generator set from P90,000.00, other expenses including installation amounted to P10,000.00. The generator set is to have a life of 17 years with a salvage value at the end of life of P5,000.00. Determine the depreciation charge during the 13th year and the book value at the of 13 years. Use: (a)SLM (b)SFM@12% (c) SYDM (d)DBM and (e)DDBMarrow_forwardUse discriminant analysis to classify the accompanying new records using only Credit Score and Years of Credit History as input variables. Click here to view the credit approval data. Click here to view the new records. Complete the following table. (Round to four decimal places as needed.) Homeowner Credit Score Years of Credit History Revolving Balance Revolving Utilization Discriminant Score Decision Y 548 5 N 662 4 Y 724 12 N 14 N Y 704 592 684 New Records 9 15 $21,000 $4,000 $8,500 $16,300 $2,500 $16,700 N Y N N Y 548 662 724 704 592 684 5 4 15% 90% 25% 70% 90% 18% Homeowner Credit Score Years of Credit History Revolving Balance Revolving Utilization Decision t Y 12 14 9 15 Print $21,000 $4,000 $8,500 $16,300 $2,500 $16,700 000000 Done PEPPE Y 15% 90% 25% 70% 90% 18% Yarrow_forward
- "The banking industry has changed dramatically over the years. While customers regularly walked into a branch to withdraw money, transfer funds, or seek information about products about 50 years ago, today, a majority of customers prefer to conduct basic financial transactions online, leading to the popularity of digital banking.” Question: How COVID-19 Pandemic will give impacts on digital banking in financial markets and institutions: Elaborate 3 opportunities and 2 challengesarrow_forwardNote:- Do not provide handwritten solution. Maintain accuracy and quality in your answer. Take care of plagiarism. Answer completely. You will get up vote for sure.arrow_forward3Q1: Use the following to complete graph.arrow_forward
- Economics The information asymmetry stems from the fact that the SALES REPRESENTATIVE/BUYER has more information about the efficacy of the accounting system than does the SALES REPRESENTATIVE/BUYER . At this price, the customer Will/Will Not purchase the accounting system, since the expected value of the accounting system is Less/Greater than the price. Note:- Do not provide handwritten solution. Maintain accuracy and quality in your answer. Take care of plagiarism. Do not provide Excel Screet shot rather use tool table Answer completely.arrow_forwardevolution of savings accounts, loans and online banking post COVID-19arrow_forwardThe effects of climate related risks on insurance companies. - Identify the climate related risks which may affect insurance companies in St. Kitts and Nevis and the region on a whole. - State the mitigating measures registered insurance companies should have in place to minimize the impact of identified risks. - Include the steps the regulatory authority should take to ensure that this is monitored effectively.arrow_forward
- Resources To determine your best study plan for MLA parenthetical citation, take this pre- check before reviewing the study overview pages. Question 2 20 pts elp WL In MLA format, how should the parenthetical citation for a book with two authors appear? O (Bleu and Li 256) O (Bleu, Li p. 256) O (Bleu and Li, 256) O (Joseph Bleu and Howard Li 256) # f3 M LL $ I 0 ◄ Previous % LO 5 Search 16 10 + hp C fg 144 Next▸ a 25 f10 12 6 & 7 * 8 9 0arrow_forwardThe first table displays Congressional Budget Office forecasts made in January 2015 of future federal budget deficits. Compare these forecasts with actual deficits for those same years (see the second table), and then answer the questions. Year: 2015 2016 2017 2018 2019 2020 Deficit forecast (in billions of dollars) -468-467-489-540-652-739 Fiscal Budget Year Balance = 2015 -439 2016 -585 -86 -76 -53 11 53 2020 -1,074 87 2017-665 2018 -779 Cyclical Component 2019-984 + Structural Component -353 -509 -612 |-790 -1,037 -1,161arrow_forwardQuestion: Which of the following is an example of a regressive tax? a) Value-added tax (VAT) b) Progressive income tax c) Corporate income tax d) Property tax Note:- Do not provide handwritten solution. Maintain accuracy and quality in your answer. Take care of plagiarism. Answer completely. You will get up vote for sure.arrow_forward
arrow_back_ios
SEE MORE QUESTIONS
arrow_forward_ios
Recommended textbooks for you
- Principles of Economics (12th Edition)EconomicsISBN:9780134078779Author:Karl E. Case, Ray C. Fair, Sharon E. OsterPublisher:PEARSONEngineering Economy (17th Edition)EconomicsISBN:9780134870069Author:William G. Sullivan, Elin M. Wicks, C. Patrick KoellingPublisher:PEARSON
- Principles of Economics (MindTap Course List)EconomicsISBN:9781305585126Author:N. Gregory MankiwPublisher:Cengage LearningManagerial Economics: A Problem Solving ApproachEconomicsISBN:9781337106665Author:Luke M. Froeb, Brian T. McCann, Michael R. Ward, Mike ShorPublisher:Cengage LearningManagerial Economics & Business Strategy (Mcgraw-...EconomicsISBN:9781259290619Author:Michael Baye, Jeff PrincePublisher:McGraw-Hill Education
Principles of Economics (12th Edition)
Economics
ISBN:9780134078779
Author:Karl E. Case, Ray C. Fair, Sharon E. Oster
Publisher:PEARSON
Engineering Economy (17th Edition)
Economics
ISBN:9780134870069
Author:William G. Sullivan, Elin M. Wicks, C. Patrick Koelling
Publisher:PEARSON
Principles of Economics (MindTap Course List)
Economics
ISBN:9781305585126
Author:N. Gregory Mankiw
Publisher:Cengage Learning
Managerial Economics: A Problem Solving Approach
Economics
ISBN:9781337106665
Author:Luke M. Froeb, Brian T. McCann, Michael R. Ward, Mike Shor
Publisher:Cengage Learning
Managerial Economics & Business Strategy (Mcgraw-...
Economics
ISBN:9781259290619
Author:Michael Baye, Jeff Prince
Publisher:McGraw-Hill Education