Final answer:
The solution includes a C++ implementation of a Book class with a constructor and getters, and a Library class with a constructor, a Book object, and a method to print book details. The Book and Library classes use member-list initializers. A driver program tests the Library class.
Step-by-step explanation:
Book and Library Classes in C++
To address the task of creating a Book class with members title, name, and pages, you need to provide a constructor along with getter functions. The Library class will encapsulate a Book object as a private attribute and will include subject and shelf number as additional attributes along with a member function printBookDetails() to display the book's details and location in the library.
The Book class can be defined as follows:
class Book {
private:
std::string title;
std::string author;
int pages;
public:
Book(std::string bookTitle, std::string bookAuthor, int bookPages) : title(bookTitle), author(bookAuthor), pages(bookPages) {}
std::string getTitle() const { return title; }
std::string getAuthor() const { return author; }
int getPages() const { return pages; }
};
The Library class could be implemented like this:
class Library {
private:
Book book;
std::string subject;
int shelfNumber;
public:
Library(std::string libSubject, int libShelfNumber, Book libBook) : subject(libSubject), shelfNumber(libShelfNumber), book(libBook) {}
void printBookDetails() const {
std::cout << "Book Details:\\";
std::cout << "Title: " << book.getTitle() << "\\";
std::cout << "Author: " << book.getAuthor() << "\\";
std::cout << "Pages: " << book.getPages() << "\\";
std::cout << "Subject: " << subject << "\\";
std::cout << "Shelf Number: " << shelfNumber << "\\";
}
};
Finally, a driver program to test the Library class could look like this:
int main() {
Book myBook("The Great Gatsby", "F. Scott Fitzgerald", 180);
Library myLibrary("Classic Literature", 42, myBook);
myLibrary.printBookDetails();
return 0;
}