If you have any query feel free to chat us!
Happy Coding! Happy Learning!
Problem: Write an object-oriented program that models a basic bank account. The program should include a class called BankAccount
with appropriate member variables and member functions to perform operations such as deposit, withdraw, and check balance. Implement a test program to create bank accounts, perform operations, and display account details.
cppCopy code
#include <iostream>
#include <string>
class BankAccount {
private:
std::string accountNumber;
std::string accountHolderName;
double balance;
public:
BankAccount(const std::string& accNum, const std::string& holderName, double initialBalance)
: accountNumber(accNum), accountHolderName(holderName), balance(initialBalance) {}
void deposit(double amount) {
balance += amount;
std::cout << "Deposit successful.\n";
}
void withdraw(double amount) {
if (balance >= amount) {
balance -= amount;
std::cout << "Withdrawal successful.\n";
} else {
std::cout << "Insufficient balance. Withdrawal failed.\n";
}
}
void checkBalance() const {
std::cout << "Account Number: " << accountNumber << std::endl;
std::cout << "Account Holder Name: " << accountHolderName << std::endl;
std::cout << "Account Balance: " << balance << std::endl;
}
};
int main() {
BankAccount account1("123456", "John Doe", 1000.0);
BankAccount account2("789012", "Jane Smith", 500.0);
account1.deposit(500.0);
account1.checkBalance();
account2.withdraw(200.0);
account2.checkBalance();
return 0;
}
In this example, we define a BankAccount
class that models a bank account. The class has private member variables accountNumber
, accountHolderName
, and balance
, which represent the account details.
The class includes member functions such as deposit
, withdraw
, and checkBalance
to perform operations on the account. The deposit
function adds the specified amount to the account balance, the withdraw
function deducts the specified amount from the balance if sufficient funds are available, and the checkBalance
function displays the account details.
In the main
function, we create two instances of BankAccount
, account1
and account2
, with different initial balances. We then call the member functions on these objects to perform operations such as depositing, withdrawing, and checking the balance.
By running the program, you can see the output that displays the results of the account operations.
Start the conversation!
Be the first to share your thoughts
Quick answers to common questions about our courses, quizzes, and learning platform