当前位置:   article > 正文

c++ 运算符重载_set重载运算符

set重载运算符

设计和实现整型集合类(Set),成员函数要求如下:

1.添加构造函数完成初始化

2.能添加一个元素,元素不重复

3.能删除一个元素

4.输出所有元素

5.求两个集合对象的交集

6.求两个集合对象的并集

7.求两个集合对象的差集

现在,我们改造Set类,重载+(并集)、(-)差集、*(交集)、<<(输出)、>>(输入)和函数调用操作符(添加一个元素)

相关理论知识

  • 用成员函数重载运算符需要的参数的个数总比它的操作数的数少一个,用友元函数重载运算符需要的参数个数与操作数的个数一样多;

  • 插入和提取运算符只能重载为友元函数,函数调用运算符只能重载为成员函数;

改造后的代码如下:

  1. #include <iostream>
  2. using namespace std;
  3. class Set{
  4. public:
  5. Set(){num=0;}
  6. int find(int x);
  7. void print();
  8. int operator () (int x); //调用操作符添加 ()
  9. friend Set operator + (Set t1,Set t2); //并集 +
  10. friend Set operator - (Set t1,Set t2); //差集 -
  11. friend Set operator * (Set t1,Set t2); //交集 *
  12. friend istream& operator >>(istream& in,Set& t); //输入 >>
  13. friend ostream& operator >>(ostream& out,Set& t); //输出 <<
  14. protected:
  15. int a[100];
  16. int num;
  17. };
  18. int Set::find(int x){
  19. for(int i=0;i<num;i++)
  20. if(a[i]==x)
  21. return i;
  22. return -1;
  23. }
  24. void Set::print(){
  25. for(int i=0;i<num;i++)
  26. cout<<a[i]<<" ";
  27. }
  28. int Set::operator () (int x){ //添加
  29. if(find(x)==-1){
  30. a[num]=x;
  31. num++;
  32. }
  33. }
  34. Set operator + (Set t1,Set t2){ //并集
  35. for(int i=0;i<t2.num;i++)
  36. t1(t2.a[i]);
  37. return t1;
  38. }
  39. Set operator * (Set t1,Set t2){ //交集
  40. Set temp;
  41. for(int i=0;i<t1.num;i++){
  42. for(int j=0;j<t2.num;j++){
  43. if(t1.a[i]==t2.a[j])
  44. temp(t1.a[i]);
  45. }
  46. }
  47. return temp;
  48. }
  49. Set operator - (Set t1,Set t2){ //差集
  50. Set count;
  51. int i,j,flag;
  52. for(i=0;i<t2.num;i++)
  53. t1(t2.a[i]);
  54. for(i=0;i<t1.num;i++){
  55. flag=0;
  56. for(j=0;j<t2.num;j++){
  57. if(t1.a[i]==t2.a[j])
  58. flag=1;
  59. }
  60. if(flag==0)
  61. count(t1.a[i]);
  62. }
  63. return count;
  64. }
  65. istream& operator >>(istream& in,Set& t){
  66. int i,n,m;
  67. cout<<"集合元素个数为:";
  68. cin>>n;
  69. cout<<"输入元素为:";
  70. for(i=0;i<n;i++){
  71. cin>>m;
  72. t(m);
  73. }
  74. return in;
  75. }
  76. ostream& operator <<(ostream& out,Set& t){ //输出
  77. t.print() ;
  78. return out;
  79. }
  80. int main()
  81. {
  82. Set s1,s2,s3;
  83. cin>>s1>>s2;
  84. cout<<"集合s1:"<<s1<<endl;
  85. cout<<"集合s2:"<<s2<<endl;
  86. cout<<"交集:"<<endl;
  87. s3=s1*s2;
  88. cout<<"s3:"<<s3<<endl;
  89. cout<<"并集:"<<endl;
  90. s3=s1+s2;
  91. cout<<"s3:"<<s3<<endl;
  92. cout<<"差集:"<<endl;
  93. s3=s1-s2;
  94. cout<<"s3:"<<s3<<endl;
  95. return 0;
  96. }
本文内容由网友自发贡献,转载请注明出处:https://www.wpsshop.cn/w/2023面试高手/article/detail/382987
推荐阅读
相关标签
  

闽ICP备14008679号