如何将Part转换为Blob,以便我可以将它存储在MySQL中?
如何将Part转换为Blob,以便我可以将它存储在MySQL中? 这是一个图像。 谢谢
我的表格
<h:form id="form" enctype="multipart/form-data">
<h:messages/>
<h:panelGrid columns="2">
<h:outputText value="File:"/>
<h:inputFile id="file" value="#{uploadPage.uploadedFile}"/>
</h:panelGrid>
<br/><br/>
<h:commandButton value="Upload File" action="#{uploadPage.uploadFile}"/>
</h:form>
我的豆
@Named
@ViewScoped
public class UploadPage {
private Part uploadedFile;
public void uploadFile(){
}
}
Java中的SQL数据库BLOB类型表示为byte[]
。 这是JPA进一步注释为@Lob
。 所以,你的模型基本上需要像这样:
@Entity
public class SomeEntity {
@Lob
private byte[] image;
// ...
}
至于处理Part
,你基本上需要将它的InputStream
读入一个byte[]
。 Apache Commons IO IOUtils
在这里很有帮助:
InputStream input = uploadedFile.getInputStream();
byte[] image = IOUtils.toByteArray(input); // Apache commons IO.
someEntity.setImage(image);
// ...
或者,如果您更喜欢标准的Java API,它只是稍微冗长一点:
InputStream input = uploadedFile.getInputStream();
ByteArrayOutputStream output = new ByteArrayOutputStream();
byte[] buffer = new byte[10240];
for (int length = 0; (length = input.read(buffer)) > 0;) output.write(buffer, 0, length);
someEntity.setImage(output.toByteArray());
// ...
链接地址: http://www.djcxy.com/p/46215.html
上一篇: How to convert Part to Blob, so I can store it in MySQL?