用c++语言编写一个完整代码首先,创建一个基类 Book,包含书的基本信息,如书名、作者、出版社等。这个类可以包含构造函数、析构函数、复制构造函数等成员函数。为了实现多态输出,可以在这个类中编写一个虚函数 print(),用于输出图书的信息。 然后,可以创建一个派生类 EBook,继承自 Book 类,并增加一些新的成员变量,如电子书的文件格式等。这个类中也可以包含构造函数、析构函数等成员函数。 在主函数中,可以创建一个指向 Book 类的指针数组,然后动态地创建 Book 类的对象和 EBook 类的对象,将这些对象存储到指针数组中。然后,可以通过循环来调用每个对象的 print() 函数,实现多态输出。
时间: 2023-02-09 15:36:10 浏览: 118
如何使用C++语言编程
3星 · 编辑精心推荐
这是用 C++ 编写的代码:
```
#include <iostream>
#include <string>
class Book {
public:
// 构造函数
Book(std::string name, std::string author, std::string publisher)
: name_(name), author_(author), publisher_(publisher) {}
// 析构函数
virtual ~Book() {}
// 复制构造函数
Book(const Book& other)
: name_(other.name_), author_(other.author_), publisher_(other.publisher_) {}
// 虚函数,用于输出图书信息
virtual void print() const {
std::cout << "书名:" << name_ << std::endl;
std::cout << "作者:" << author_ << std::endl;
std::cout << "出版社:" << publisher_ << std::endl;
}
private:
std::string name_;
std::string author_;
std::string publisher_;
};
class EBook : public Book {
public:
EBook(std::string name, std::string author, std::string publisher, std::string format)
: Book(name, author, publisher), format_(format) {}
// 虚函数,用于输出电子书信息
void print() const override {
Book::print();
std::cout << "文件格式:" << format_ << std::endl;
}
private:
std::string format_;
};
int main() {
Book* books[2];
books[0] = new Book("C++ Primer", "Stanley B. Lippman", "Addison-Wesley");
books[1] = new EBook("Effecient C++", "Scott Meyers", "Addison-Wesley", "PDF");
for (int i = 0; i < 2; i++) {
books[i]->print();
}
delete books[0];
delete books[1];
return 0;
}
```
在这段代码中,我们先创建了一个名为 `Book` 的基类,并且为这个类定义了构造函数、析构函数、复制构造函数以及虚函数 `print()`。然后,我们创建了一个名为 `EBook` 的派生类,它继承自 `Book` 类
阅读全文