C++之个人银行账户管理程序

一个活期储蓄账户包括:

信息: 账号(id)、金额(balance)、年利率(rate)等
操作: 显示账户信息(show)、存款(deposit)、取款(withdraw)、结算利息(settle)等


实现该类的难点在于利息的变化,由于账户的余额是不断变化的,因此:

  • 余额 x 年利率 = 年利?(NO)
  • 一年当中的余额累积起来/一年的总天数=日均余额
    日均余额 x 年利率 = 年利 (YES)

例子: 年利率是1.5%,对下面程序中的账户,第5天存入5000,第45天存入5500,第90天结算。 那么利息是:((45-5)5000+(90-45)(5000+5500))/365 *1.5% =27.64
看了这个例子带入程序中的表达式,就能理解 accumulate的计算式accumulation + balance * (date - lastDate);
因为存了多少取了多少直接加减就是了,所以重点就是在利息的计算。

#include
#include
using namespace std;

class SavingAccount
{
private:
	int id;                 //账户名
	double balance;         //余额
	double rate;            //年利率
	int lastDate;                            //上次算过利息的最后一天
	double accumulation;
	void record(int date, double amount);    //指定天数的总金额
	double accumulate(int date) const        //accumulation是用来算利息的
	{
		return accumulation + balance * (date - lastDate);           
	}
public :
	SavingAccount(int date, int id, double rate);
	int getId()
	{
		return id;
	}
	double getBalance()
	{
		return balance;
	}
	double getRate()
	{
		return rate;
	}
	void deposit(int date, double amount);
	void withdraw(int date, double amount);
	void settle(int date);
	void show();
};

SavingAccount::SavingAccount(int date, int id, double rate)                //构造函数初始化账户
	:id(id), balance(0), rate(rate), lastDate(date), accumulation(0)
{
	cout << date << "\t #" << id << "\t"<<"is created" << endl;

}

void SavingAccount::record(int date, double amount)   //amount最终实际上是主函数传进来的。record函数起一个变更当前存款的作用
{
	accumulation = accumulate(date);
	lastDate = date;
	amount = floor(amount * 100 + 0.5) / 100;         //四舍五入
	balance += amount;
	cout << date << "\t #" << id << "\t" << amount << "\t" << balance << endl;
}

void SavingAccount::deposit(int date, double amount)
{
	record(date, amount);
}

void SavingAccount::withdraw(int date, double amount)
{
	if (amount > getBalance())
		cout << "Error:not enough money" << endl;
	else
		record(date, -amount);
}

void SavingAccount::settle(int date)
{
	double interest = accumulate(date)*rate / 365;        //按日来结算
	if (interest != 0)
		record(date, interest);
	accumulation = 0;
}

void SavingAccount::show()
{
	cout << "#" << id << "\tBalance:" << balance<<endl;
}

int main()
{
	SavingAccount zhanghu0(1, 100000, 0.015);             //创建两个账户,年利率百分之1.5
	SavingAccount zhanghu1(1, 111111, 0.015); 
	
	zhanghu0.deposit(5, 5000);                      //第五天存进5000
	zhanghu1.deposit(25, 10000);
	zhanghu0.deposit(45, 5500);
	zhanghu1.withdraw(60, 4000);                     //第60天取出4000
	zhanghu0.settle(90);                  //第90天结算
	zhanghu1.settle(90);
	zhanghu0.show();
	zhanghu1.show();

    return 0;
}

结果为:
C++之个人银行账户管理程序_第1张图片

你可能感兴趣的:(C++,C++)