Java DatabaseMetaData getTables() 方法及示例
此方法检索指定数据库/目录中可用表的描述。它接受 4 个参数:
catalog − 一个字符串参数,表示存在表(包含您需要检索其描述的列)的目录(通常为数据库)的名称(或名称模式)。传递 "" 以获取没有目录的表的列的描述,如果不想使用目录并因此缩小搜索范围,则传递 null。
schemaPattern − 一个字符串参数,表示表模式的名称(或名称模式),如果表没有模式,则传递 "",如果不想使用模式,则传递 null。
tableNamePattern − 一个字符串参数,表示表的名称(或名称模式)。
types − 一个字符串参数,表示列的名称(或名称模式)。
此方法返回一个 ResultSet 对象,该对象描述指定目录中的表。此对象包含以下详细信息的值(作为列名):
列名 | 数据类型 | 描述 |
---|---|---|
TABLE_CAT | 字符串 | 表的目录。 |
TABLE_SCHEM | 字符串 | 模式的目录。 |
TABLE_NAME | 字符串 | 表的名称。 |
TABLE_TYPE | 字符串 | 表的类型。(表、视图、系统表、全局表、别名、同义词等…) |
REMARKS | 字符串 | 关于列的注释。 |
TYPE_SCHEM | 字符串 | 表的模式。 |
TYPE_NAME | 字符串 | 类型的名称。 |
SELF_REFERENCING_COL_NAME | 字符串 | 表的指定列的名称。 |
REF_GENERATION | 字符串 | SYSTEM 或 USER 或 DERIVED。 |
要获取数据库中所需表的描述:
确保您的数据库正在运行。
使用 DriverManager 类的 registerDriver() 方法注册驱动程序。传递与底层数据库对应的驱动程序类的对象。
使用 DriverManager 类的 getConnection() 方法获取连接对象。将数据库的 URL、用户名和数据库用户的密码作为字符串变量传递。
使用 Connection 接口的 getMetaData() 方法获取关于当前连接的 DatabaseMetaData 对象。
最后,通过调用 DatabaseMetaData 接口的 getTables() 方法,获取包含表描述的 ResultSet 对象。
示例
让我们创建一个名为 sample_database 的数据库,并使用 CREATE 语句在其中创建一个名为 sample_table 的表,如下所示:
CREATE DATABASE example_database;
CREATE TABLE example_database.sample_table(Name VARCHAR(255), age INT, Location VARCHAR(255));
现在,我们将使用 INSERT 语句在 sample_table 表中插入 2 条记录:
insert INTO example_database.sample_table values('Kasyap', 29, 'Vishakhapatnam'); INSERT INTO example_database.sample_table values('Krishna', 30, 'Hyderabad');
以下 JDBC 程序建立与 MySQL 数据库的连接,并检索上面创建的名为 sample_table 的表的描述。
import java.sql.Connection; import java.sql.DatabaseMetaData; import java.sql.DriverManager; import java.sql.ResultSet; import java.sql.SQLException; public class DatabaseMetaData_getTables { public static void main(String args[]) throws SQLException { //Registering the Driver DriverManager.registerDriver(new com.mysql.jdbc.Driver()); //Getting the connection String url = "jdbc:mysql://127.0.0.1/example_database"; Connection con = DriverManager.getConnection(url, "root", "password"); System.out.println("Connection established......"); //Retrieving the meta data object DatabaseMetaData metaData = con.getMetaData(); //Retrieving the columns in the database ResultSet tables = metaData.getTables(null, null, "sample_table", null); //Printing the column name and size while (tables.next()) { System.out.println("Table name: "+tables.getString("Table_NAME")); System.out.println("Table type: "+tables.getString("TABLE_TYPE")); System.out.println("Table schema: "+tables.getString("TABLE_SCHEM")); System.out.println("Table catalog: "+tables.getString("TABLE_CAT")); System.out.println(" "); } } }
输出
Connection established...... Table name: sample_table Table type: TABLE Table schema: null Table catalog: example_database