如何使用 JDBC API 从数据库中删除表?
A. SQL 的 DROP TABLE 语句用于删除表定义以及该表的所有数据、索引、触发器、约束和权限规范。
语法
DROP TABLE table_name;
要使用 JDBC API 从数据库中删除表,您需要:
注册驱动程序:使用 **DriverManager** 类的 **registerDriver()** 方法注册驱动程序类。将驱动程序类名作为参数传递给它。
建立连接:使用 **DriverManager** 类的 **getConnection()** 方法连接到数据库。将 URL(字符串)、用户名(字符串)、密码(字符串)作为参数传递给它。
创建 Statement 对象:使用 **Connection** 接口的 **createStatement()** 方法创建一个 Statement 对象。
执行查询:使用 Statement 接口的 execute() 方法执行查询。
示例
在 MySQL 中,show tables 命令会显示当前数据库中的表列表。首先,使用此命令验证名为 mydatabase 的数据库中的表列表,如下所示:
mysql> show tables; +----------------------+ | Tables_in_mydatabase | +----------------------+ | customers | +----------------------+ 1 row in set (0.02 sec)
以下 JDBC 程序与 MySQL 建立连接,并从名为 **mydatabase** 的数据库中删除名为 customers 的表。
import java.sql.Connection; import java.sql.DriverManager; import java.sql.SQLException; import java.sql.Statement; public class DropTableExample { public static void main(String args[]) throws SQLException { //Registering the Driver DriverManager.registerDriver(new com.mysql.jdbc.Driver()); //Getting the connection String mysqlUrl = "jdbc:mysql://127.0.0.1/ExampleDatabase"; Connection con = DriverManager.getConnection(mysqlUrl, "root", "password"); System.out.println("Connection established......"); //Creating the Statement Statement stmt = con.createStatement(); //Query to drop a table String query = "Drop table Customers"; //Executing the query stmt.execute(query); } }
输出
Connection established...... Table Dropped......
广告