图书管理系统在C、C++、Java学习中我们都会进行练习来串联我们学习的一些知识以及使用场景,这里跟着我我带大家敲Java版本!
结果展示:
这是我们最终实现的图书管理系统,下面我们慢慢来
编辑
思路:
Java是面向对象的语言特点是:封装、继承、多态。我们在实现每一个功能的时候需要注意这些才能体现出Java语言的风格。
我们先把需要的操作先罗列出来然后再一点点实现这个图书管理系统,一个图书管理一定要有书的属性、书架、需要的一些操作、用户界面以及串联其他们的操作
我给大家列出来了:
编辑
我们把这三个大方向做包,分别在三个包下做这些内容
编辑
我们先了解下toString方法:
这里的book是一个类的对象
如果我们用System.out.println(book)会得到什么呢?会不会想的是对应的地址哈希地址但是为什么呢?其实每一个类都会有对应的toString方法在Object这个父类当中如果传入的是空内容返回的是null否则返回
Main$Student@1b6d3586一类的东西,如果我们重写这个方法就可以直System.out.println(book)来得出书籍的所有属性!
编辑
1.1 Book (book包)
在这个类里我们参加实例成员书名,作者,价格,类型,借阅情况。(这里的成员我们用private修饰体现封装)然后留出对应的访问方法来访问这些内容
成员
private String name; private String author; private int price; private boolean isBorrowed; private String type;
对应的访问方法
并且在构造方法中就加入这些属性来构架出这个书。
重写toString方法访书籍的属性
这样我们写完Book这个类
public class Book { private String name; private String author; private int price; private boolean isBorrowed; private String type; @Override public String toString() { return "Book{" + "name='" + name + ''' + ", author='" + author + ''' + ", price=" + price + ", isBorrowed=" + ((isBorrowed==true)?"已被借阅":"未被借阅" )+ ", type='" + type + ''' + '}'; } public Book(String name, String author, int price, String type) { this.name = name; this.author = author; this.price = price; this.type = type; } public String getName() { return name; } public void setName(String name) { this.name = name; } public String getAuthor() { return author; } public void setAuthor(String author) { this.author = author; } public int getPrice() { return price; } public void setPrice(int price) { this.price = price; } public boolean isBorrowed() { return isBorrowed; } public void setBorrowed(boolean borrowed) { isBorrowed = borrowed; } public String getType() { return type; } public void setType(String type) { this.type = type; } }
1.2 BookList(book包)
暑假中我们放一个Book类型的数组存放书籍,用usedSize来记录书籍的本数也都是用private修表现封装,留出对应的访问方法。这里我们先初始化三本书
books[0]=new Book("西游记", "吴承恩", 111, "名著"); books[1]=new Book("三国演义", "罗贯中", 222, "名著"); books[2]=new Book("红楼梦", "曹雪芹", 333, "名著");
这样我们的BookList类也写完了,这里还是很容易实现的
public class BookList { Book books[]=new Book[10]; private int usedSize; public BookList() { books[0]=new Book("西游记", "吴承恩", 111, "名著"); books[1]=new Book("三国演义", "罗贯中", 222, "名著"); books[2]=new Book("红楼梦", "曹雪芹", 333, "名著"); usedSize=3; } public Book getBooks(int pos) { return books[pos]; } public int getUsedSize() { return usedSize; } public void setUsedSize(int usedSize) { this.usedSize = usedSize; } public void setBooks(int pos,Book book) { this.books[pos] = book; } }