在已经连接数据库的idea中使用简单详细的java代码和Switch语句实现图书系统借阅部分的功能
时间: 2024-04-13 11:29:03 浏览: 111
好的,下面是一个简单的示例代码,展示了如何在已经连接数据库的 IntelliJ IDEA 中使用 Java 代码和 switch 语句实现图书系统的借阅功能:
```java
import java.sql.*;
import java.util.Scanner;
public class BookBorrowing {
public static void main(String[] args) {
try {
// 连接数据库
Connection connection = DriverManager.getConnection("jdbc:mysql://localhost:3306/library", "username", "password");
Scanner scanner = new Scanner(System.in);
System.out.println("请输入您要进行的操作:");
System.out.println("1. 借阅图书");
System.out.println("2. 归还图书");
int choice = scanner.nextInt();
switch (choice) {
case 1:
borrowBook(connection);
break;
case 2:
returnBook(connection);
break;
default:
System.out.println("无效的操作!");
}
// 关闭连接
connection.close();
} catch (SQLException e) {
e.printStackTrace();
}
}
public static void borrowBook(Connection connection) {
try {
Scanner scanner = new Scanner(System.in);
System.out.print("请输入要借阅的图书编号:");
int bookId = scanner.nextInt();
// 检查图书是否可借
PreparedStatement checkStatement = connection.prepareStatement("SELECT * FROM books WHERE id = ? AND available = true");
checkStatement.setInt(1, bookId);
ResultSet checkResult = checkStatement.executeQuery();
if (checkResult.next()) {
// 更新图书状态为已借出
PreparedStatement borrowStatement = connection.prepareStatement("UPDATE books SET available = false WHERE id = ?");
borrowStatement.setInt(1, bookId);
int rowsAffected = borrowStatement.executeUpdate();
if (rowsAffected > 0) {
System.out.println("借阅成功!");
} else {
System.out.println("借阅失败!");
}
} else {
System.out.println("该图书不可借!");
}
} catch (SQLException e) {
e.printStackTrace();
}
}
public static void returnBook(Connection connection) {
try {
Scanner scanner = new Scanner(System.in);
System.out.print("请输入要归还的图书编号:");
int bookId = scanner.nextInt();
// 检查图书是否已借出
PreparedStatement checkStatement = connection.prepareStatement("SELECT * FROM books WHERE id = ? AND available = false");
checkStatement.setInt(1, bookId);
ResultSet checkResult = checkStatement.executeQuery();
if (checkResult.next()) {
// 更新图书状态为可借
PreparedStatement returnStatement = connection.prepareStatement("UPDATE books SET available = true WHERE id = ?");
returnStatement.setInt(1, bookId);
int rowsAffected = returnStatement.executeUpdate();
if (rowsAffected > 0) {
System.out.println("归还成功!");
} else {
System.out.println("归还失败!");
}
} else {
System.out.println("该图书已归还或不存在!");
}
} catch (SQLException e) {
e.printStackTrace();
}
}
}
```
请注意,上述代码假设已经连接到名为 "library" 的数据库,并且需要将 "username" 和 "password" 替换为实际的数据库用户名和密码。此外,代码中的 SQL 语句和表结构也需要根据实际情况进行调整。
在 borrowBook 和 returnBook 方法中,使用了预编译的 SQL 语句来执行数据库操作。首先,通过执行查询语句来检查图书的可借状态,然后根据结果更新图书的状态。
这只是一个简单示例,实际的图书系统可能包含更多的功能和复杂的业务逻辑。你可以根据需要进行修改和完善。
阅读全文