0

我必须实现一个类来表示图书馆中的书籍。对于每本书,我必须指定:标题、作者、ISBN 代码、出版年份和价格。然后我需要创建一个包含图书馆中所有书籍的数组。这是我处理过的代码,这是错误:

错误 C2512:“书”:没有合适的默认构造函数可用

我做错了什么?

    Book.h
      #ifndef BOOK_H
      #define BOOK_H

#include<string>

using namespace std;

class Book
{
private:
    string title;
    string author;
    string code; 
    string edit;
    int year;
    double price;
public:
    Book();
    Book(string t, string a, string c, string e, int y, double p)
    {
        title=t;
        author=a;
        code=c;
        edit=e;
        year=y;
        price=p;
    }
    string GetTitle() const { return title;}
    string GetAuthor() const { return author;}
    string GetCode() const {return code;}
    string GetEdit() const {return code;}
    int GetYear() const {return year;}
    double GetPrice() const {return price;}
};
#endif




Library.h
 #ifndef LIBRARY_H
 #define LIBRARY_H
 #include"Book.h"
 #include<iostream>

 class Library
 {
  private:
    Book books[50];
    int index;
   public:
    Library()
    {
        index=0;
    }
    void Add(Book book)
    {
        books[index]=book;
        index++;
    }
    void PrintAll()
    {
        for (int i = 0; i < index; i++)
        {
            Book book=books[i];
            cout<<book.GetTitle()<<":"
    <<book.GetAuthor()<<":"<<book.GetYear()<<endl;
        }
    }
  };
  #endif

   main.cpp


     #include"Library.h"
int main()
{
    Library library;
    Book b1("title1","author1","code1","edit1",1900,34.5);
    library.Add(b1);
    Book b2("title2","author2","code2","edit2",1990,12);
    library.Add(b2);
    library.PrintAll();
}
4

4 回答 4

1

你的Library类有一个数组Book作为它的成员。所有成员必须在构造时初始化。由于您没有显式调用Book构造函数,因此假定默认一个(实际上对于数组,它是唯一可能被调用的)。但是没有默认构造函数存在,Book因此编译错误。

于 2012-11-07T20:00:10.980 回答
1

现在,由于您已经定义了一个带有 6 个参数的构造函数,编译器不会为您生成默认构造函数。因此,您还需要定义一个默认构造函数来支持代码行,例如void Add(Book book) {}. 也许如下:

Book() : title(""), author(""), code(""), edit(""), year(1900), price(0.0) 
{}
于 2012-11-07T20:07:48.657 回答
1

查看您的代码,您声明了一个(内联)无参数构造函数

Book();

但不要定义它,所以编译器找不到它。

试试例如

Book() {};

- 这只是创建一个无参数的构造函数,什么都不做-,这就是你的意思吗?

编辑 - 刚刚看到 wnraman 的回复。这可能更合适,因为无参数构造函数将 Book 初始化为合理的默认值

于 2012-11-07T20:16:44.087 回答
0

我假设您的代码中有其他地方像

Book book;

或定义一个书籍数组,或将其与一些书籍一起使用,例如。库中的列表类,它需要一个默认构造函数,该构造函数未在您的类中定义。要么定义这样一个默认构造函数(它不接受任何参数),要么在代码的其余部分中找到有问题的地方......

于 2012-11-07T20:00:07.513 回答