class Product { string name; //产品名称 int price; //产品单价 int quantity; //剩余产品数量 public: Product(string n,int p int q); Product operator = (const Product &p); friend bool operator >(const Product &p1, const Product &p2); friend ostream& operator<<(ostream &out, Product &t ); }; 类Product说明如上所示,完成四个函数的定义,并在main函数中进行测试
时间: 2024-02-14 07:15:21 浏览: 116
以下是类Product的四个函数的定义:
```
class Product {
string name; // 产品名称
int price; // 产品单价
int quantity; // 剩余产品数量
public:
Product(string n, int p, int q) : name(n), price(p), quantity(q) {}
// 构造函数,初始化名称,单价和数量
Product operator=(const Product &p) {
name = p.name;
price = p.price;
quantity = p.quantity;
return *this;
}
// 赋值运算符重载,将一个Product对象的值赋给另一个Product对象
friend bool operator>(const Product &p1, const Product &p2) {
return p1.price > p2.price;
}
// 大于运算符重载,比较两个Product对象的单价大小
friend ostream& operator<<(ostream &out, Product &t) {
out << t.name << " 单价:" << t.price << " 剩余数量:" << t.quantity;
return out;
}
// 输出流运算符重载,将Product对象的信息输出到流中
};
```
在main函数中进行测试:
```
int main() {
Product p1("商品1", 10, 100);
Product p2("商品2", 20, 200);
Product p3("商品3", 30, 300);
cout << "p1: " << p1 << endl;
cout << "p2: " << p2 << endl;
cout << "p3: " << p3 << endl;
p1 = p2;
cout << "执行 p1 = p2 后:" << endl;
cout << "p1: " << p1 << endl;
cout << "p2: " << p2 << endl;
if (p2 > p3) {
cout << "p2 单价高于 p3" << endl;
} else {
cout << "p2 单价不高于 p3" << endl;
}
return 0;
}
```
输出结果如下:
```
p1: 商品1 单价:10 剩余数量:100
p2: 商品2 单价:20 剩余数量:200
p3: 商品3 单价:30 剩余数量:300
执行 p1 = p2 后:
p1: 商品2 单价:20 剩余数量:200
p2: 商品2 单价:20 剩余数量:200
p2 单价不高于 p3
```
阅读全文