|  | 
 
| 
代码很长其实很简单  请耐心  这是c++ primer plus  347  348页的东西stock00.h  /*头文件*/
x
马上注册,结交更多好友,享用更多功能^_^您需要 登录 才可以下载或查看,没有账号?立即注册  #ifndef STOCK00_H_
 #define STOCK00_H_
 #include<string>
 
 class Stock
 {
 private:
 std::string company;
 long shares;
 double share_val;
 double total_val;
 void set_tot() { total_val = shares * share_val;}
 public:
 void acquire(const std::string & co, long n, double pr);
 void buy(long num, double price);
 void sell(long num, double price);
 void update(double price);
 void show();
 };
 #endif
 
 stock00.cpp /*源码文件*/
 #include<iostream>
 #include"stock00.h"
 
 void Stock::acquire(const std::string & co, long n, double pr)
 {
 company = co;
 if(n < 0)
 {
 std::cout << "Number of shares can't be negative; "
 << company << " shares set to 0.\n";
 shares = 0;
 }
 else
 {
 shares = n;
 }
 share_val = pr;
 set_tot();
 }
 void Stock::buy(long num, double price)
 {
 if(num < 0)
 {
 std::cout << "Number of shares purchased can't be negative. "
 << "Transaction is aborted.\n";
 }
 else
 {
 shares += num;
 share_val = price;
 set_tot();
 }
 }
 void Stock::sell(long num, double price)
 {
 using std::cout;
 if(num < 0)
 {
 cout << "Number of share sold cant be negative. "
 << "Transaction is aborted.\n";
 }
 else if(num > shares)
 {
 cout << "You can't sell more than you have! "
 << "Transaction is aborted.\n";
 }
 else
 {
 shares -= num;
 share_val = price;
 set_tot();
 }
 }
 
 void Stock::update(double price)
 {
 share_val = price;
 set_tot();
 }
 
 void Stock::show()
 {
 std::cout << "Company: " << company
 << " Shares: " << shares << '\n'
 << " Share Price: $" << share_val
 << " Total Worth: $" << total_val << '\n';
 
 }
 
 这个set_tot()应该是内联函数吧因为它在声明中定义了
 那几干函数都用了set_tot()
 这个set_tot的代码都被写入那几个函数了吗
 可是书上说没有写入啊而是函数调用
 
 | 
 |