1. 货物的总价可能是数量(int 类型)乘以单价,也可能是重量(float 或
double 类型)乘以单价,定义一个函数模板 totalPrice,两个形式参数,
第一个形式参数是虚拟类型表示数量或者重量,第二个参数是 double
类型(单价),函数体是计算总价作为返回值(double 类型)。
2. 声明一个 Student 类模板,私有类模板成员分别是 name(string 类型)
和 score(虚拟类型,因为可能是 int,float 或 char 类型(五分制)等)。
构造函数具有两个参数,分别是 newName 和 newScore,构造函数体
内将两个形式参数的值赋值给 name 和 score 私有成员。公有成员是
getName 和 getScore,分别是读取学生的姓名和成绩,在类模板内部
定义即可。
以上函数模板和类模板可以写在同一个文件中,main 函数中调用函数模板
计算数量和单价构成的总价,以及一个重量和单价构成的总价。定义一个
Student 对象 stu1,构造函数的形式参数分别是 string 和 int 类型,用
cout 输出 name 和 scroe(调用公有成员函数);再定义一个 Student 对
象 stu2,构造函数的形式参数分别是 string 和 char 类型。然后再用 cout
输出其 name 和 scroe(调用公有成员函数)。
#include <iostream>
using namespace std;
template <class type>
float totalPrice(type count,double price)
{
return count*price;
}
template <class T>
class Student
{
public:
Student(string newname,T newscore)
{
name=newname;
score=newscore;
}
string getName()
{
return name;
}
T getScore()
{
return score;
}
private:
string name;
T score;
};
int main()
{
cout<<"数量*单价: "<<totalPrice<int>(10,5.2)<<endl;
cout<<"重量*单价: "<<totalPrice<float>(10.5,5.2)<<endl;
Student<int> stu1("李明",90);
cout<<"姓名: "<<stu1.getName()<<endl;
cout<<"成绩: "<<stu1.getScore()<<endl;
Student<char> stu2("李华",'A');
cout<<"姓名: "<<stu2.getName()<<endl;
cout<<"成绩: "<<stu2.getScore()<<endl;
return 0;
}