1

我得到了下载文件的代码:

public static void download()
            throws MalformedURLException, IOException
    {
        BufferedInputStream in = null;
        FileOutputStream out = null;
        try
        {
            in = new BufferedInputStream(new URL("https://www.dropbox.com/s/1uff8eeujplz4sf/files.zip?dl=1").openStream());
            out = new FileOutputStream(System.getProperty("user.home") + "/Adasti/files.zip");
            byte data[] = new byte[1024];
            int count;

            while ((count = in.read(data, 0, 1024)) != -1)
            {
                out.write(data, 0, count);
            }
        } catch (MalformedURLException e1)
        {
            e1.printStackTrace();
        } catch (IOException e2)
        {
            e2.printStackTrace();
        } finally
        {
            if (in != null)
                in.close();
            if (out != null)
                out.close();
        }
    }

我想在下载时打印出下载的百分比。我的方法可以做到这一点,如果可以,我将如何做?

4

1 回答 1

11

您必须在开始下载之前获取文件大小。请注意,并非总是服务器可以为您提供文件大小(用于示例流式传输或某些文件服务器)。尝试这个:

/**
 * 
 * @param remotePath
 * @param localPath
 */
public static void download(String remotePath, String localPath) {
    BufferedInputStream in = null;
    FileOutputStream out = null;

    try {
        URL url = new URL(remotePath);
        URLConnection conn = url.openConnection();
        int size = conn.getContentLength();

        if (size < 0) {
            System.out.println("Could not get the file size");
        } else {
            System.out.println("File size: " + size);
        }

        in = new BufferedInputStream(url.openStream());
        out = new FileOutputStream(localPath);
        byte data[] = new byte[1024];
        int count;
        double sumCount = 0.0;

        while ((count = in.read(data, 0, 1024)) != -1) {
            out.write(data, 0, count);

            sumCount += count;
            if (size > 0) {
                System.out.println("Percentace: " + (sumCount / size * 100.0) + "%");
            }
        }

    } catch (MalformedURLException e1) {
        e1.printStackTrace();
    } catch (IOException e2) {
        e2.printStackTrace();
    } finally {
        if (in != null)
            try {
                in.close();
            } catch (IOException e3) {
                e3.printStackTrace();
            }
        if (out != null)
            try {
                out.close();
            } catch (IOException e4) {
                e4.printStackTrace();
            }
    }
}

对该方法的调用是这样的:

download("https://www.dropbox.com/s/1uff8eeujplz4sf/files.zip?dl=1", System.getProperty("user.home") + "/files.zip");
于 2013-09-27T15:49:37.743 回答