当前位置:首页 > 行业动态 > 正文

java调用sql脚本

在Java中调用SQL脚本,可以使用JDBC( Java Database Connectivity)连接数据库,然后执行SQL语句。

在Java中调用SQL脚本,通常需要以下几个步骤:

java调用sql脚本  第1张

1、加载数据库驱动

2、建立数据库连接

3、创建Statement对象

4、执行SQL脚本

5、处理结果集(如果有)

6、关闭资源

下面是一个详细的示例:

import java.sql.Connection;
import java.sql.DriverManager;
import java.sql.ResultSet;
import java.sql.SQLException;
import java.sql.Statement;
public class JavaCallSql {
    public static void main(String[] args) {
        // 1. 加载数据库驱动
        try {
            Class.forName("com.mysql.jdbc.Driver");
        } catch (ClassNotFoundException e) {
            e.printStackTrace();
        }
        // 2. 建立数据库连接
        String url = "jdbc:mysql://localhost:3306/test";
        String username = "root";
        String password = "123456";
        Connection connection = null;
        try {
            connection = DriverManager.getConnection(url, username, password);
        } catch (SQLException e) {
            e.printStackTrace();
        }
        // 3. 创建Statement对象
        Statement statement = null;
        try {
            statement = connection.createStatement();
        } catch (SQLException e) {
            e.printStackTrace();
        }
        // 4. 执行SQL脚本
        String sql = "SELECT * FROM users";
        ResultSet resultSet = null;
        try {
            resultSet = statement.executeQuery(sql);
        } catch (SQLException e) {
            e.printStackTrace();
        }
        // 5. 处理结果集
        try {
            while (resultSet.next()) {
                int id = resultSet.getInt("id");
                String name = resultSet.getString("name");
                System.out.println("id: " + id + ", name: " + name);
            }
        } catch (SQLException e) {
            e.printStackTrace();
        } finally {
            // 6. 关闭资源
            try {
                if (resultSet != null) {
                    resultSet.close();
                }
                if (statement != null) {
                    statement.close();
                }
                if (connection != null) {
                    connection.close();
                }
            } catch (SQLException e) {
                e.printStackTrace();
            }
        }
    }
}

这个示例中,我们首先加载了MySQL的JDBC驱动,然后使用DriverManager.getConnection()方法建立了与数据库的连接,接着,我们创建了一个Statement对象,并使用它执行了一个查询语句,我们遍历了结果集并输出了每一行的数据,在完成所有操作后,我们关闭了所有打开的资源。

0