存储过程基础:http://sishuok.com/forum/blogPost/list/488.html
存储过程预处理语句:http://blog.itpub.net/29773961/viewspace-1852824/
1.定义存储过程
class="java" name="code">DELIMITER $$
CREATE PROCEDURE TruncateTable (IN tableName VARCHAR(60))
COMMENT 'truncate the table with the tableName'
BEGIN
SET @tSql = CONCAT('TRUNCATE TABLE ',tableName);
PREPARE stmt FROM @tSql;
EXECUTE stmt;
DEALLOCATE PREPARE stmt;
END $$
DELIMITER ;
由于存储过程不可以使用表明或列名做参数,所以要进行字符串拼接,通过预处理语句来执行
下面为jdbc调用存储过程:
import java.sql.CallableStatement;
import java.sql.Connection;
import java.sql.DriverManager;
import java.sql.PreparedStatement;
import java.sql.ResultSet;
import java.sql.Statement;
import java.sql.Timestamp;
import java.util.Date;
public class testCallable {
public static void main(String[] args) {
testMysqlConnection();
}
public static void testMysqlConnection() {
Connection con = null;// 创建一个数据库连接
PreparedStatement pre = null;// 创建预编译语句对象,一般都是用这个而不用Statement
ResultSet result = null;// 创建一个结果集对象
try {
String url = "jdbc:mysql://localhost:3306/test?useUnicode=true&characterEncoding=utf8&characterSetResults=utf8";
String user = "root";// 用户名,系统默认的账户名
String password = "123456";// 你安装时选设置的密码
con = DriverManager.getConnection(url, user, password);// 获取连接
CallableStatement callStmt = con.prepareCall("{call truncateTable (?)}");
// 参数index从1开始,依次 1,2,3...
callStmt.setString(1, "user");
callStmt.execute();
System.out.println("------- Test End.");
if (!con.isClosed()) {
System.out.println("============连接成功!");
}
} catch (Exception e) {
System.out.println("=============连接失败:" + e.getMessage());
e.printStackTrace();
} finally {
try {
// 逐一将上面的几个对象关闭,因为不关闭的话会影响性能、并且占用资源
// 注意关闭的顺序,最后使用的最先关闭
if (result != null)
result.close();
if (pre != null)
pre.close();
if (con != null)
con.close();
System.out.println("数据库连接已关闭!");
} catch (Exception e) {
e.printStackTrace();
}
}
}
}