-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathBankAccount.java
91 lines (76 loc) · 1.89 KB
/
BankAccount.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
package test;
public class BankAccount
{
// Starting balance
private float balance = 0.0f;
// Username and password
private char[] username = null;
private char[] password = null;
public BankAccount(float balance, char[] user, char[] pass)
{
this.balance = balance;
this.username = user;
this.password = pass;
}
/*
* In order to pass the BankAccount constructor we must make get methods for each
* parameter that we plan to inherit to JUnitTest
*/
public float getBalance()
{
return balance;
}
public char[] getUser(){
return username;
}
public char[] getPass(){
return password;
}
/*
* verify user login
*/
public boolean verify(char[] user, char[] pass)
{
boolean valid = false;
if (username == user && password == pass)
valid = true;
return valid;
}
/*
* Add amount to the balance
* Needed to change void to float so I will be able to return a value added to the balance
* Needed to add balance to the parameter so we can have the existing balance
*/
public float addToBalance(float deposit, float balance)
{
balance = balance + deposit;
//Needed a return statement so I can return new value for balance
return balance;
}
/*
* Withdraw money
* Changed to a more practical method name
* Needed to add balance to the parameter so we can have the existing balance
*/
public float takeFromBalance(float cash, float balance)
{
//Need statements to ensure withdraw isn't more than balance
if(balance > cash){
balance = balance - cash;
}
else if (balance <= cash ){
balance = 0;
}
//Must return the new balance not the amount of the withdrawal
return balance;
}
/*
* Merge two accounts.
*/
public BankAccount mergeAccounts(BankAccount account){
if(account ==null)
throw new NullPointerException();
return new BankAccount(this.balance+account.getBalance(),
this.username,this.password);
}
}