用c++设计一个Bank类,实现银行某账户的资金往来账目管理。程序要求: 1)创建账户:包括账号、创建日期、余额 (创建账户时存入的钱数)。 2)存钱:执行存钱操作,并记录存钱日期和存钱数目。 3)取钱:执行取钱操作,并记录取钱日期和取钱数目。
时间: 2024-02-12 16:09:57 浏览: 188
好的,我会尽力回答你的问题。以下是一个简单的 C++ Bank 类的实现,实现了银行账户的资金往来账目管理:
```c++
#include <iostream>
#include <string>
#include <vector>
#include <ctime>
using namespace std;
class Bank {
private:
string account; // 账号
string create_date; // 创建日期
double balance; // 余额
vector< pair<time_t, double> > history; // 存储历史交易记录
public:
Bank(string account, string create_date, double balance) : account(account), create_date(create_date), balance(balance) {}
// 存钱
void deposit(double amount) {
balance += amount;
history.push_back(make_pair(time(NULL), amount));
cout << "Deposit success, current balance: " << balance << endl;
}
// 取钱
bool withdraw(double amount) {
if (balance < amount) {
cout << "Withdraw failed, not enough balance!" << endl;
return false;
}
balance -= amount;
history.push_back(make_pair(time(NULL), -amount));
cout << "Withdraw success, current balance: " << balance << endl;
return true;
}
// 打印历史交易记录
void print_history() {
cout << "Transaction history of account " << account << ":" << endl;
for (auto trans : history) {
tm* tm_time = localtime(&trans.first);
cout << asctime(tm_time) << " ";
if (trans.second > 0) {
cout << "Deposit: " << trans.second;
} else {
cout << "Withdraw: " << -trans.second;
}
cout << endl;
}
}
};
int main() {
Bank account("123456789", "2022-11-11", 5000);
account.deposit(1000);
account.withdraw(2000);
account.withdraw(7000);
account.print_history();
return 0;
}
```
在这个 Bank 类中,我们定义了四个私有成员变量:账号、创建日期、余额以及历史交易记录,其中历史交易记录用了一个 vector 来存储,每条记录包括交易时间和交易金额。
类中有三个公有成员函数,分别为存钱、取钱和打印历史交易记录。存钱和取钱的实现比较简单,只需要修改余额和添加一条历史交易记录即可。在取钱时,需要先判断余额是否足够。打印历史交易记录则遍历历史记录 vector,并根据交易金额的正负来判断是存款还是取款。
在 main 函数中,我们创建了一个账户,并进行了存钱、取钱和打印历史交易记录的操作,最后输出如下:
```
Deposit success, current balance: 6000
Withdraw success, current balance: 4000
Withdraw failed, not enough balance!
Transaction history of account 123456789:
Tue Nov 15 22:42:38 2022 Deposit: 1000
Tue Nov 15 22:42:38 2022 Withdraw: 2000
```
希望能对你有所帮助!
阅读全文