how to upload, download file from tomcat server with username,password in swing

后端 未结 1 701
情书的邮戳
情书的邮戳 2021-01-29 00:22

I want to make a program in swing which connect to tomcat server running locally. with username,password authentication, then user able to upload file in server directory. ie.ht

相关标签:
1条回答
  • 2021-01-29 00:56

    Here is one possibility: Download:

        URL url = new URL("http://localhost:8080/uploadfiles");
        HttpURLConnection con = (HttpURLConnection)url.openConnection();
        try {
            con.addRequestProperty("Authorization",
                    "Basic " + encode64(username + ":" + password));
            InputStream in = con.getInputStream();
            try {
                OutputStream out = new FileOutputStream(outFile);
                try {
                    byte buf[] = new byte[4096];
                    for (int n = in.read(buf); n > 0; n = in.read(buf)) {
                        out.write(buf, 0, n);
                    }
                } finally {
                    out.close();
                }
            } finally {
                in.close();
            }
        } finally {
            con.disconnect();
        }
    

    Upload:

        URL url = new URL("http://localhost:8080/uploadfiles");
        HttpURLConnection con = (HttpURLConnection)uploadUrl.openConnection();
        try {
            con.setDoOutput(true);
            con.setRequestMethod("POST");
            con.addRequestProperty("Authorization",
                    "Basic " + encode64(username + ":" + password));
            OutputStream out = con.getOutputStream();
            try {
                InputStream in = new FileInputStream(inFile);
                try {
                    byte buffer[] = new byte[4096];
                    for (int n = in.read(buffer); n > 0; n = in.read(buffer)) {
                        out.write(buffer, 0, n);
                    }
                } finally {
                    in.close();
                }
            } finally {
                out.close();
            }
            int code = con.getResponseCode();
            if (code != HttpURLConnection.HTTP_OK) {
                String msg = con.getResponseMessage();
                throw new IOException("HTTP Error " + code + ": " + msg);
            }
        } finally {
            con.disconnect();
        }
    

    Now, on the server side, you will need to distinguish between GET and POST requests and handle them accordingly. You will need a library to handle uploads, such as apache FileUpload

    Oh, and on the client side, you will need a library that does Base64 encoding such as apache commons codec

    0 讨论(0)
提交回复
热议问题