优化#include <iostream> #include <string.h> #include <vector> #include <ctime> using namespace std; class Bank{ private: string account; string create_time; double balance; vector< pair<time_t, double> > history; public : Bank(string accountNumber,double balabce){ accountNumber= accountNumber; balance = balance; create_time = time(NULL); } void deposit(double amount){ balance +=amount; time_t deposit_time =time(NULL); history.push_back("在" + ctime(&deposit_time)+"存入"+to_string(amount)+"元"); } bool Withdraw(double amount){ if(amount>balance){ return false; } balance -=amount; time_t Withdraw_time =time(NULL); history.push_back("在"+ctime(&Withdraw_time)+"取出"+to_string(amount)); return true; } double GetBalance()const{ return balance; } time_t GetCreateTime()const{ return create_time; } vector< pair<time_t, double> >GetHistory()const{ return history; } int main(){ Bank account("12345",100.0); account.deposit(50.0); account.Withdraw(125.0); account } };
时间: 2024-01-14 17:01:56 浏览: 66
这段代码存在一些问题,我会逐一指出并给出优化建议:
1. `class Bank` 的 `public:` 标签下缺少一个成员函数的声明,需要添加一个 `void printHistory();` 的声明。
2. 在 `Bank` 类的构造函数中,参数名与成员变量名相同,应该使用成员变量名进行初始化,即 `account = accountNumber;` 和 `balance = balabce;`。
3. 在 `deposit` 函数中,`history.push_back()` 函数的参数类型应该是 `pair<time_t, double>`,而不是一个字符串。可以使用 `make_pair()` 函数创建一个 `pair` 对象,并将其添加到 `history` 中。同时,使用 `to_string` 函数将 `amount` 转换成字符串类型。
4. 在 `Withdraw` 函数中,如果取款金额大于账户余额,则返回 `false` 表示取款失败。否则,执行取款操作,并将取款记录添加到 `history` 中。可以使用 `emplace_back()` 函数将记录添加到 `history` 中。
5. 在 `GetCreateTime` 函数中,应该返回 `create_time` 的值,而不是它的类型 `time_t`。
6. 在 `main` 函数中,没有调用 `printHistory` 函数来输出历史记录。
下面是修改后的代码:
```
#include <iostream>
#include <string>
#include <vector>
#include <ctime>
using namespace std;
class Bank {
private:
string account;
time_t create_time;
double balance;
vector<pair<time_t, double>> history;
public:
Bank(string accountNumber, double balance) {
account = accountNumber;
create_time = time(NULL);
this->balance = balance;
}
void deposit(double amount) {
balance += amount;
time_t deposit_time = time(NULL);
history.emplace_back(make_pair(deposit_time, amount));
}
bool Withdraw(double amount) {
if (amount > balance) {
return false;
}
balance -= amount;
time_t withdraw_time = time(NULL);
history.emplace_back(make_pair(withdraw_time, -amount));
return true;
}
double GetBalance() const {
return balance;
}
time_t GetCreateTime() const {
return create_time;
}
vector<pair<time_t, double>> GetHistory() const {
return history;
}
void printHistory() {
for (auto& record : history) {
string type = (record.second > 0) ? "存入" : "取出";
cout << "在" << ctime(&record.first) << type << abs(record.second) << "元" << endl;
}
}
};
int main() {
Bank account("12345", 100.0);
account.deposit(50.0);
account.Withdraw(125.0);
account.printHistory();
return 0;
}
```
阅读全文