C++ 程序设计 Final 题目总结
类型强转运算符的重载
程序填空:使以下程序能够顺利运行
#include<iostream>
using namespace std;
class Number {
public:
int num;
Number(int n=0): num(n) {}
Number operator*(const Number& x) const {
return Number(num * x.num);
}
operator int () const {
return num;
} // int() 类型强转运算符的重载
};
int main() {
Number n1(10), n2(20);
Number n3;n3 = n1*n2;
cout << int(n3) << endl;
return 0;
}
注意和类型转换构造函数相区别:构造函数仅在生成对象时调用
类型转换函数的一般形式为:
operator 类型名() {
...// 实现转换的语句
}
在进行类型转换函数的定义以后,就可以通过 类型 (对象名)
将某对象强制转换为另一类型
注意在函数名前面不能指定函数类型且函数没有参数。其返回值的类型是由函数名中指定的类型名来确定的。类型转换函数只能作为成员函数,因为转换的主体是本类的对象。
函数对象
程序填空:使以下程序能够顺利运行
#include <iostream>
#include <vector>
#include <algorithm>
using namespace std;
struct CMy_add {
int& r;
CMy_add(int& sum) : r(sum) {}
void operator()(int x) {
if (1 & x) r += 1;
if ((1 << 1) & x) r += (1 << 1);
if ((1 << 2) & x) r += (1 << 2);
}
};
int main(int argc, char* argv[]) {
int v, my_sum=0;
vector<int> vec;
cin>>v;
while ( v ) {
vec.push_back(v);
cin>>v;
}
for_each(vec.begin(), vec.end(), CMy_add(my_sum));
cout<<my_sum<<endl;
return 0;
}
向函数中传入其他函数只有三种传参方法:传入函数指针,传入函数名(常量函数指针),与函数对象
注意到这里程序中函数名后还有(my_sum)
,说明传入的应该是一个函数对象,而 my_sum
则是用于该函数对象的构造函数
继承
编写一个继承于 string
的 MyString
类使以下程序能够运行
#include <cstring>
#include <cstdlib>
#include <string>
#include <iostream>
using namespace std;
// 在此处补充你的代码
class MyString : public string {
public:
MyString() : string() {}
MyString(const char* s) : string(s) {}
MyString(const string &s) : string(s) {}
string operator ()(int x, int y) { return this->substr(x, y); }
};
int CompareString( const void * e1, const void * e2)
{
MyString * s1 = (MyString * ) e1;
MyString * s2 = (MyString * ) e2;
if( * s1 < *s2 )
return -1;
else if( *s1 == *s2)
return 0;
else if( *s1 > *s2 )
return 1;
}
int main()
{
MyString s1("abcd-"),s2,s3("efgh-"),s4(s1);
MyString SArray[4] = {"big","me","about","take"};
cout << "1. " << s1 << s2 << s3<< s4<< endl;
s4 = s3;
s3 = s1 + s3;
cout << "2. " << s1 << endl;
cout << "3. " << s2 << endl;
cout << "4. " << s3 << endl;
cout << "5. " << s4 << endl;
cout << "6. " << s1[2] << endl;
s2 = s1;
s1 = "ijkl-";
s1[2] = 'A' ;
cout << "7. " << s2 << endl;
cout << "8. " << s1 << endl;
s1 += "mnop";
cout << "9. " << s1 << endl;
s4 = "qrst-" + s2;
cout << "10. " << s4 << endl;
s1 = s2 + s4 + " uvw " + "xyz";
cout << "11. " << s1 << endl;
qsort(SArray,4,sizeof(MyString),CompareString);
for( int i = 0;i < 4;i ++ )
cout << SArray[i] << endl;
//s1的从下标0开始长度为4的子串
cout << s1(0,4) << endl;
//s1的从下标5开始长度为10的子串
cout << s1(5,10) << endl;
return 0;
}
观察程序,发现若把所有 MyString 替换成 String,只有最后的两个语句会报错
因此在 MyString 中我们只需要实现这个功能即可
同时,还要实现派生类的构造函数(因为构造函数不能被继承)
观察 main 函数,我们需要实现空构造函数 (s2
), 以char*
字符串类型转换构造函数(s1, s3
),以及复制构造函数(s4
)
然而这还不够,我们还需要一个 string
类型转换构造函数,这是因为派生类对象可以赋值给基类对象,而反之不允许
这就导致了在执行例如 +
操作时,两个被加对象使 MyString
类型,可以成功的赋值给 string
类中重载的 +
号参数
而重载的 +
运算符函数的 string
类型返回值却不能赋给 MyString
类对象。
正因如此,我们还需要 string
类型转换构造函数。它可以将新生成的MyString
临时对象被 +
返回的 string
对象赋值并赋给对应的 MyString
变量。
而有了这个函数之后,在此程序中甚至可以省略复制构造函数(s1
此时被作为string
对象初始化 s4
)