6-1 派生类的定义和使用
代码清单:
…………………………..
………………………….
#include <iostream>
#include <string>
using namespace std;
/* 请在这里填写答案 */
class Animal
{
public:
void speak()
{
cout << "animal language!" << endl;
}
};
class Cat :public Animal
{
private:
string m_strName;
public:
Cat(string str)
{
m_strName = str;
}
void print_name()
{
cout << "cat name: " << m_strName << endl;
}
};
int main()
{
Cat cat("Persian"); //定义派生类对象
cat.print_name(); //派生类对象使用本类成员函数
cat.speak(); //派生类对象使用基类成员函数
return 0;
}
运行结果截图
题目2
(给出题目描述)
6-2 学生派生类
代码清单:
…………………………..
………………………….
#include <iostream>
#include<string>
using namespace std;
class Student
{
public:
Student(int n, string nam, char s)
{
num = n;
name = nam;
sex = s;
}
~Student() { }
protected:
int num;
string name;
char sex;
};
/* 请在这里添加派生类定义 */
class Student1 :public Student
{
public:
int age;
string address;
Student1(int num, string name, char sex, int age, string address) :Student(num, name, sex)
{
this->age = age;
this->address = address;
}
void show()
{
cout << "num: " << num << endl;
cout << "name: " << name << endl;
cout << "sex: " << sex << endl;
cout << "age: " << this->age << endl;
cout << "address: " << this->address << endl;
cout << endl;
}
};
int main()
{
Student1 stud1(10010, "Wang-li", 'f', 19, "115 Beijing Road,Shanghai");
Student1 stud2(10011, "Zhang-fun", 'm', 21, "213 Shanghai Road,Beijing");
stud1.show();
stud2.show();
return 0;
}
运行结果截图
题目3
6-3 狗的继承
代码清单:
/* 请在这里填写答案 */
#include<iostream>
#include<string>
using namespace std;
class Animal
{
public:
int m_age;
Animal(int age)
{
m_age = age;
}
int getAge()
{
return m_age;
}
};
class Dog :public Animal
{
public:
string m_clack;
Dog(int Age, string clack) :Animal(Age)
{
m_clack = clack;
}
void showInfor()
{
cout << "age:" << m_age << endl;
cout << "color:" << m_clack << endl;
}
};
int main() {
Animal ani(5);
cout << "age of ani:" << ani.getAge() << endl;
Dog dog(5, "black");
cout << "infor of dog:" << endl;
dog.showInfor();
}
运行结果截图
题目4
7-1 定义基类Point和派生类Circle,求圆的周长.
代码清单:
#include <iostream>
#include<iomanip>
using namespace std;
//请编写你的代码
class Point
{
private:
float m_x;
float m_y;
public:
Point(float x, float y)
{
m_x = x;
m_y = y;
cout<<"Point constructor called"<<endl;
}
~Point()
{
cout<<"Point destructor called"<<endl;
}
};
class Circle :public Point
{
private:
float m_r;
public:
Circle(float x, float y, float r) :Point(x, y)
{
m_r = r;
cout<<"Circle constructor called"<<endl;
}
~Circle()
{
cout<<"Circle destructor called"<<endl;
}
float getCircumference()
{
return 2 * 3.14 * m_r;
}
};
int main()
{
float x, y, r;
cin >> x >> y >> r;
Circle c(x, y, r);
cout << fixed << setprecision(2) << c.getCircumference() << endl;
return 0;
}
运行结果截图