我将图像插入Mysql数据库,图像将被存储。
File file = new File("G:/photos/New Folder (2)/www.geocities.com_cliknenjoy_lakshmimittal.jpg");
byte[] bFile = new byte[(int) file.length()];
try {
FileInputStream fileInputStream = new FileInputStream(file);
fileInputStream.read(bFile);
fileInputStream.close();
} catch (Exception e) {
e.printStackTrace();
}
inpatient.setImagefile(bFile);
我在mysql中使用blob数据类型。
private byte[] imagefile;
public byte[] getImagefile() {
return imagefile;
}
public void setImagefile(byte[] imagefile) {
this.imagefile = imagefile;
}
现在我无法从mysqldatabase打开图像文件,我怎么能打开这个?
答案 0 :(得分:0)
如果您使用JPA注释,则可以将您的媒体资源注释为@Lob
@Lob
private byte[] imagefile;
也许还可以使用@Basic(fetch=FetchType.LAZY)
来避免数据开销。
斯特凡诺
- 编辑
一旦将图像二进制内容保存为byte [],就可以通过两种方式显示图像:编写新的servlet或新的控制器。第一种方法增加了不必要的复杂性,因此我通常使用第二种方法。
首先,您必须选择控制器响应的路径;假设"/dbresources/images/{id}"
控制器将类似于
@Controller
@RequestMapping(value = "/dbresources/images")
public class PictureImageController {
@Autowired
private PictureService pictureService; // a service to retrieve pictures fomr DB
// getters and setters
@RequestMapping(value = "/{id}")
public void writePicture(@PathVariable("id") String id, HttpServletRequest request, HttpServletResponse response) throws IOException {
try{
Picture img = pictureService.findById(id);
response.setContent(picture.getImagefile());
response.setContentLength(picture.getImagefile().length);
//additionally, you should add the mime-type and the last
//change date (to allow the browsers to use the cache) if these info are available
response.getOutputStream().write(picture.getImagefile());
response.setStatus(HttpServletResponse.SC_OK);
}
catch(Exception e){
response.setStatus(HttpServletResponse.SC_NOT_FOUND); // 404. Add specific catch for specific errors
}
}
然后在你的jsp(x)中你需要写
<img src="/dbresources/images/[the id of the image to show]" />
控制器将拦截此请求,并将处理它在输出流中写入图像的二进制内容。
希望这很清楚。并且不要相信代码的正确性,因为我是在动态编写的。
斯特凡诺