如何使用Servlet将文件上传到数据库?

时间:2012-10-23 06:13:04

标签: java tomcat servlets file-upload

我需要使用servlet处理文件上传,如下所示:

 package com.limrasoft.image.servlets;
    import java.io.*;
    import javax.servlet.*;
    import javax.servlet.http.*;
    import javax.servlet.annotation.*;
    import java.sql.*;

    @WebServlet(name="serv1",value="/s1")
    public class Account extends HttpServlet{
        public void doPost(HttpServletRequest req,HttpServletResponse res)throws 
        ServletException,IOException{
            try{
                Class.forName("oracle.jdbc.driver.OracleDriver");
                Connecection con=null;
                try{
                    con=DriverManager.getConnection("jdbc:oracle:thin:@localhost:1521:xe","system","sajid");
                    PrintWriter pw=res.getWriter();
                    res.setContentType("text/html");
                    String s1=req.getParameter("un");
                    string s2=req.getParameter("pwd");
                    String s3=req.getParameter("g");
                    String s4=req.getParameter("uf");
                    PreparedStatement ps=con.prepareStatement("insert into account(?,?,?,?)");
                    ps.setString(1,s1);
                    ps.setString(2,s2);
                    ps.setString(3,s3);
                    File file=new File("+s4+");
                    FileInputStream fis=new FileInputStream(fis);
                    int len=(int)file.length();
                    ps.setBinaryStream(4,fis,len);
                    int c=ps.executeUpdate();
                    if(c==0){pw.println("<h1>Registratin fail");}
                    else{pw.println("<h1>Registration fail");}
                }
                finally{if(con!=null)con.close();}
            }
            catch(ClassNotFoundException ce){pw.println("<h1>Registration Fail");}
            catch(SQLException se){pw.println("<h1>Registration Fail");}
            pw.flush();
            pw.close();
        }
    }

但它导致错误页面:

  

HTTP状态500 - Servlet3.java(系统找不到指定的文件)

这是如何引起的?如何解决?

1 个答案:

答案 0 :(得分:0)

您似乎无处从HTTP请求中提取上传的文件内容。您只收集文件名称并在相对于服务器当前工作目录的路径上围绕它构建new File()。在编写这段代码时我不确定你在想什么,但是当webbrowser在与物理上不同的机器上运行webBowser时,传递文件名永远不会起作用,因为它们不会共享相同的本地磁盘文件系统。

相反,您应该在请求中传递整个文件内容。您可以在HTML表单上使用multipart/form-data编码来实现此目的。

<form action="s1" method="post" enctype="multipart/form-data">

现在,使用@MultipartConfig注释servlet以启用multipart/form-data支持。

@WebServlet("/s1")
@MultipartConfig
public class Account extends HttpServlet {

然后,要提取上传的文件,只需使用HttpServletRequest#getPart()

Part s4 = req.getPart("uf");

文件内容为Part#getInputStream()提供的InputStream。总而言之,以下代码

String s4=req.getParameter("uf");
// ...
File file=new File("+s4+");
FileInputStream fis=new FileInputStream(fis);
int len=(int)file.length();
ps.setBinaryStream(4,fis,len);

应替换为

Part s4 = req.getPart("uf");
// ...
ps.setBinaryStream(4, s4.getInputStream());

另见: