-
Notifications
You must be signed in to change notification settings - Fork 17
/
Copy pathBankAccountExample.java
67 lines (57 loc) · 1.76 KB
/
BankAccountExample.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
import java.util.concurrent.locks.ReentrantLock;
public class BankAccountExample {
public static void main(String[] args) {
BankAccount account = new BankAccount();
Thread thread1 = new Thread(new AccountHolder("Alice", account, 1000));
Thread thread2 = new Thread(new AccountHolder("Bob", account, 150));
thread1.start();
thread2.start();
}
}
class BankAccount {
private double balance;
private final ReentrantLock lock = new ReentrantLock();
public void deposit(double amount) {
lock.lock();
try {
balance += amount;
System.out.println("Deposited: " + amount);
} finally {
lock.unlock();
}
}
public void withdraw(double amount) {
lock.lock();
try {
if (balance >= amount) {
balance -= amount;
System.out.println("Withdrawn: " + amount);
} else {
System.out.println("Insufficient funds for withdrawal.");
}
} finally {
lock.unlock();
}
}
public double getBalance() {
return balance;
}
}
class AccountHolder implements Runnable {
private String name;
private BankAccount account;
private double transactionAmount;
public AccountHolder(String name, BankAccount account, double transactionAmount) {
this.name = name;
this.account = account;
this.transactionAmount = transactionAmount;
}
@Override
public void run() {
for (int i = 0; i < 5; i++) {
account.deposit(transactionAmount);
account.withdraw(transactionAmount);
System.out.println(name + " - Current Balance: " + account.getBalance());
}
}
}