如何在Java中将blob格式的图像保存到MySQL

时间:2016-12-28 20:11:48

标签: java mysql jdbc fileinputstream

出于任务的目的,我必须将图像作为blob格式存储到MySQL中(尽管将图像路径存储在数据库中并将图像保存在localcopy中的文件夹中会更好,更理想)。

到目前为止,我已经研究过,无法找到任何可以帮助我的答案,这是我到目前为止所做的事情

点击按钮很快就会被触发:

empdao.insertImage(fis);

图像填充在另一个偶数监听器上:

static FileInputStream fis = null;
static String path = null;
path = filechooser.getSelectedFile().getAbsolutePath();
File image = new File(path);
fis = new FileInputStream (image);

以下代码负责将其添加到数据库中。

public void insertImage(FileInputStream fis) throws SQLException {



Connection c = getConnection();     

    String query = "INSERT INTO Picture (picture) VALUES (?)";

    System.out.println(query);

    PreparedStatement pstmt = c.prepareStatement(query);

    pstmt.setBinaryStream(1, fis);

    pstmt.executeUpdate();

    c.close();
}

然而问题是我需要它将它转换为blob并且我不知道如何,有人可以帮助我或指导我如何将所选图像作为blob字段存储到MySQL中。

目前,当它将其添加到数据库中时,我会在图片列下输入java.io文件。

2 个答案:

答案 0 :(得分:3)

假设您在MySQL中有my_picuresid INT PRIMARY KEYname VARCHAR(255),的表photo BLOB

然后,您可以使用以下Java代码将新图片插入BLOB

public class InsertPictureAsBlob {
    public static void main(String[] args) throws Exception, IOException, SQLException {
        Class.forName("com.mysql.jdbc.Driver");
        Connection conn = DriverManager
             .getConnection("jdbc:mysql://localhost/databaseName", "username", "password");
        String INSERT_PICTURE = "INSERT INTO my_picures(id, name, photo) VALUES (?, ?, ?)";

        conn.setAutoCommit(false);
        File file = new File("myPhoto.png");
        try (FileInputStream fis = new FileInputStream(file);
                    PreparedStatement ps = conn.prepareStatement(INSERT_PICTURE)) {
            ps.setString(1, "001");
            ps.setString(2, "name");
            ps.setBinaryStream(3, fis, (int) file.length());
            ps.executeUpdate();
            conn.commit();
        }
    }
}

答案 1 :(得分:2)

1)首先,您要确保在MySQL模式中创建了一个已定义BLOB列类型的表(BLOB,MEDIUMBLOB,LONGBLOB)。查看MySQL中可用的BLOB列类型并选择适当的大小。

2)您将要使用Statement切换到PreparedStatement。

String query = "INSERT INTO Pictures (Picture) VALUES (?)";
PreparedStatement pstmt = conn.prepareStatement(query);

3)您当前正在将FileInputStream传递给您的方法,因此您只需要在PreparedStatement上使用setBinaryStream方法。

pstmt.setBinaryStream(1, fis);

4)然后在PreparedStatement上执行executeUpdate()。

pstmt.executeUpdate();

利用原始代码中的异常处理并执行适当的对象清理(数据库连接,预处理语句),类似于原始代码中的内容。