How do i start to create Download Manager in Java

How do i start to create Download Manager in Java

Can you tell me from where do i start to develop Download manager in java.
View Answers

July 12, 2011 at 6:11 PM

import java.awt.BorderLayout; import java.awt.Component; import java.awt.event.ActionEvent; import java.awt.event.ActionListener; import java.awt.event.KeyEvent; import java.awt.event.WindowAdapter; import java.awt.event.WindowEvent; import java.io.File; import java.io.FileOutputStream; import java.io.InputStream; import java.io.RandomAccessFile; import java.net.HttpURLConnection; import java.net.URL; import java.util.ArrayList; import java.util.Observable; import java.util.Observer; import java.util.Properties; import javax.swing.BorderFactory; import javax.swing.JButton; import javax.swing.JFileChooser; import javax.swing.JFrame; import javax.swing.JLabel; import javax.swing.JMenu; import javax.swing.JMenuBar; import javax.swing.JMenuItem; import javax.swing.JOptionPane; import javax.swing.JPanel; import javax.swing.JProgressBar; import javax.swing.JScrollPane; import javax.swing.JTable; import javax.swing.JTextField; import javax.swing.ListSelectionModel; import javax.swing.event.ListSelectionEvent; import javax.swing.event.ListSelectionListener; import javax.swing.table.AbstractTableModel; import javax.swing.table.TableCellRenderer;

public class DownloadManager extends JFrame implements Observer { private JTextField addTextField = new JTextField(30);

private DownloadsTableModel tableModel = new DownloadsTableModel();

private JTable table;

private JButton pauseButton = new JButton("Pause");

private JButton resumeButton = new JButton("Resume");

private JButton cancelButton, clearButton;

private JLabel saveFileLabel = new JLabel();

private Download selectedDownload;

private boolean clearing;

public DownloadManager() { setTitle("Marvin's Download Manager"); setSize(640, 480); addWindowListener(new WindowAdapter() { public void windowClosing(WindowEvent e) { System.exit(0); } }); JMenuBar menuBar = new JMenuBar(); JMenu fileMenu = new JMenu("File"); fileMenu.setMnemonic(KeyEvent.VK_F); JMenuItem fileExitMenuItem = new JMenuItem("Exit", KeyEvent.VK_X); fileExitMenuItem.addActionListener(new ActionListener() { public void actionPerformed(ActionEvent e) { System.exit(0); } }); fileMenu.add(fileExitMenuItem); menuBar.add(fileMenu); setJMenuBar(menuBar);

// Set up add panel. JPanel addPanel = new JPanel(new BorderLayout());

JPanel targetPanel = new JPanel(new BorderLayout()); targetPanel.add(addTextField, BorderLayout.WEST); JButton addButton = new JButton("Add Download"); addButton.addActionListener(new ActionListener() { public void actionPerformed(ActionEvent e) { actionAdd(); } });

targetPanel.add(addButton, BorderLayout.EAST);

JPanel destinationPanel = new JPanel(new BorderLayout()); saveFileLabel.setText("File:"); destinationPanel.add(saveFileLabel, BorderLayout.WEST);

JButton saveFileButton = new JButton("Download To"); saveFileButton.addActionListener(new ActionListener() { public void actionPerformed(ActionEvent e) { actionSaveTo(); } }); destinationPanel.add(saveFileButton, BorderLayout.EAST); addPanel.add(destinationPanel, BorderLayout.NORTH); addPanel.add(targetPanel, BorderLayout.SOUTH);

// Set up Downloads table.

table = new JTable(tableModel); table.getSelectionModel().addListSelectionListener(new ListSelectionListener() { public void valueChanged(ListSelectionEvent e) { tableSelectionChanged(); } }); table.setSelectionMode(ListSelectionModel.SINGLE_SELECTION);

ProgressRenderer renderer = new ProgressRenderer(0, 100); renderer.setStringPainted(true); // show progress text table.setDefaultRenderer(JProgressBar.class, renderer);

table.setRowHeight((int) renderer.getPreferredSize().getHeight());

JPanel downloadsPanel = new JPanel(); downloadsPanel.setBorder(BorderFactory.createTitledBorder("Downloads")); downloadsPanel.setLayout(new BorderLayout()); downloadsPanel.add(new JScrollPane(table), BorderLayout.CENTER);

JPanel buttonsPanel = new JPanel();

pauseButton.addActionListener(new ActionListener() { public void actionPerformed(ActionEvent e) { actionPause(); } }); pauseButton.setEnabled(false); buttonsPanel.add(pauseButton);

resumeButton.addActionListener(new ActionListener() { public void actionPerformed(ActionEvent e) { actionResume(); } }); resumeButton.setEnabled(false); buttonsPanel.add(resumeButton); cancelButton = new JButton("Cancel"); cancelButton.addActionListener(new ActionListener() { public void actionPerformed(ActionEvent e) { actionCancel(); } }); cancelButton.setEnabled(false); buttonsPanel.add(cancelButton); clearButton = new JButton("Clear"); clearButton.addActionListener(new ActionListener() { public void actionPerformed(ActionEvent e) { actionClear(); } }); clearButton.setEnabled(false); buttonsPanel.add(clearButton);

getContentPane().setLayout(new BorderLayout()); getContentPane().add(addPanel, BorderLayout.NORTH); getContentPane().add(downloadsPanel, BorderLayout.CENTER); getContentPane().add(buttonsPanel, BorderLayout.SOUTH); }

private void actionSaveTo() {

JFileChooser jfchooser = new JFileChooser();

jfchooser.setApproveButtonText("OK"); jfchooser.setDialogTitle("Save To"); jfchooser.setFileSelectionMode(JFileChooser.DIRECTORIES_ONLY);

int result = jfchooser.showOpenDialog(this); File newZipFile = jfchooser.getSelectedFile(); System.out.println("importProfile:" + newZipFile); this.saveFileLabel.setText(newZipFile.getPath());

}

private void actionAdd() { URL verifiedUrl = verifyUrl(addTextField.getText()); if (verifiedUrl != null) { tableModel.addDownload(new Download(verifiedUrl, saveFileLabel.getText())); addTextField.setText(""); // reset add text field } else { JOptionPane.showMessageDialog(this, "Invalid Download URL", "Error", JOptionPane.ERROR_MESSAGE); } }

private URL verifyUrl(String url) { if (!url.toLowerCase().startsWith("http://")) return null;

URL verifiedUrl = null; try { verifiedUrl = new URL(url); } catch (Exception e) { return null; }

if (verifiedUrl.getFile().length() < 2) return null;

return verifiedUrl; }

private void tableSelectionChanged() { if (selectedDownload != null) selectedDownload.deleteObserver(DownloadManager.this);

if (!clearing && table.getSelectedRow() > -1) { selectedDownload = tableModel.getDownload(table.getSelectedRow()); selectedDownload.addObserver(DownloadManager.this); updateButtons(); } }

private void actionPause() { selectedDownload.pause(); updateButtons(); }

private void actionResume() { selectedDownload.resume(); updateButtons(); }

private void actionCancel() { selectedDownload.cancel(); updateButtons(); }

private void actionClear() { clearing = true; tableModel.clearDownload(table.getSelectedRow()); clearing = false; selectedDownload = null; updateButtons(); }

private void updateButtons() { if (selectedDownload != null) { int status = selectedDownload.getStatus(); switch (status) { case Download.DOWNLOADING: pauseButton.setEnabled(true); resumeButton.setEnabled(false); cancelButton.setEnabled(true); clearButton.setEnabled(false); break; case Download.PAUSED: pauseButton.setEnabled(false); resumeButton.setEnabled(true); cancelButton.setEnabled(true); clearButton.setEnabled(false); break; case Download.ERROR: pauseButton.setEnabled(false); resumeButton.setEnabled(true); cancelButton.setEnabled(false); clearButton.setEnabled(true); break; default: // COMPLETE or CANCELLED pauseButton.setEnabled(false); resumeButton.setEnabled(false); cancelButton.setEnabled(false); clearButton.setEnabled(true); } } else { pauseButton.setEnabled(false); resumeButton.setEnabled(false); cancelButton.setEnabled(false); clearButton.setEnabled(false); } }

public void update(Observable o, Object arg) { // Update buttons if the selected download has changed. if (selectedDownload != null && selectedDownload.equals(o)) updateButtons(); }

// Run the Download Manager. public static void main(String[] args) { DownloadManager manager = new DownloadManager(); manager.setVisible(true); } }

class Download extends Observable implements Runnable { private static final int MAXBUFFERSIZE = 1024;

public static final String STATUSES[] = { "Downloading", "Paused", "Complete", "Cancelled", "Error" };

public static final int DOWNLOADING = 0;

public static final int PAUSED = 1;

public static final int COMPLETE = 2;

public static final int CANCELLED = 3;

public static final int ERROR = 4;

private URL url; // download URL

private String saveDir; // dir to save

private int size; // size of download in bytes

private int downloaded; // number of bytes downloaded

private int status; // current status of download

// Proxy information public static final boolean proxyRequired = true; // Change for your settings public static final String proxyIP = "127.0.0.1"; public static final String proxyPort = "8080"; public static final String proxyUsername = "proxyUser"; public static final String proxyPassword = "proxyPassword";

// Constructor for Download. public Download(URL url, String saveDir) { this.url = url; this.saveDir = saveDir; size = -1; downloaded = 0; status = DOWNLOADING;

// Begin the download. download(); }

// Get this download's URL. public String getUrl() { return url.toString(); }

// Get this download's size. public int getSize() { return size; }

// Get this download's progress. public float getProgress() { return ((float) downloaded / size) * 100; }

public int getStatus() { return status; }

public void pause() { status = PAUSED; stateChanged(); }

public void resume() { status = DOWNLOADING; stateChanged(); download(); }

public void cancel() { status = CANCELLED; stateChanged(); }

private void error() { status = ERROR; stateChanged(); }

private void download() { Thread thread = new Thread(this); thread.start(); }

// Get file name portion of URL. public String getFileName(URL url) { String fileName = url.getFile(); return fileName.substring(fileName.lastIndexOf('/') + 1); }

// Download file. public void run() { RandomAccessFile file = null; InputStream stream = null; FileOutputStream out = null;

try {

if (proxyRequired){ // This can be put in a menu, updated via interface System.out.println("Setting proxy"); Properties systemSettings = System.getProperties(); systemSettings.put("http.proxyHost", proxyIP); systemSettings.put("http.proxyPort", proxyPort); System.setProperties(systemSettings); }

// Open connection to URL. HttpURLConnection connection = (HttpURLConnection) url.openConnection();

// Specify what portion of file to download. connection.setRequestProperty("Range", "bytes=" + downloaded + "-");

if (proxyRequired){ String encoded = new String(new sun.misc.BASE64Encoder().encode(new String( proxyUsername + ":" + proxyPassword).getBytes())); connection.setRequestProperty("Proxy-Authorization", "Basic " + encoded); }

System.out.println("Going to make connection"); // Connect to server. connection.connect(); System.out.println("Connected!");

int responseCode = connection.getResponseCode(); System.out.println("Response code from server=" + responseCode);

// Make sure response code is in the 200 range. // 200 - no partial download // 206 - supports resume //if (responseCode / 100 != 2) { if (responseCode == 200 || responseCode == 206) { error(); }

// Check for valid content length. System.out.println("Content length=" + connection.getContentLength()); int contentLength = connection.getContentLength(); if (contentLength < 1) { error(); }

/* * Set the size for this download if it hasn't been already set. */ if (size == -1) { size = contentLength; stateChanged(); }

// Open file and seek to the end of it. file = new RandomAccessFile(getFileName(url), "rw"); file.seek(downloaded);

System.out.println("Get InputStream"); stream = connection.getInputStream(); status = DOWNLOADING; out = new FileOutputStream(saveDir + File.separator + this.getFileName(url)); while (status == DOWNLOADING) { /* * Size buffer according to how much of the file is left to download. */ byte buffer[]; if (size - downloaded > MAXBUFFERSIZE) { buffer = new byte[MAXBUFFERSIZE]; } else { buffer = new byte[size - downloaded]; }

// Read from server into buffer. int read = stream.read(buffer); if (read == -1) break;

// Write buffer to file. //file.write(buffer, 0, read); out.write(buffer, 0, read); downloaded += read; stateChanged(); }

/* * Change status to complete if this point was reached because downloading * has finished. */ if (status == DOWNLOADING) { status = COMPLETE;

stateChanged(); } } catch (Exception e) { System.out.println("Error=" + e); e.printStackTrace(); error(); } finally {

// Close file. if (file != null) { try { // Complete the file out.close(); file.close(); } catch (Exception e) { e.printStackTrace(); } }

// Close connection to server. if (stream != null) { try { stream.close(); } catch (Exception e) { e.printStackTrace(); } } } }

private void stateChanged() { setChanged(); notifyObservers(); } }

class DownloadsTableModel extends AbstractTableModel implements Observer { private static final String[] columnNames = { "URL", "Size", "Progress", "Status" };

private static final Class[] columnClasses = { String.class, String.class, JProgressBar.class, String.class };

private ArrayList<Download> downloadList = new ArrayList<Download>();

public void addDownload(Download download) { download.addObserver(this); downloadList.add(download); fireTableRowsInserted(getRowCount() - 1, getRowCount() - 1); }

public Download getDownload(int row) { return (Download) downloadList.get(row); }

public void clearDownload(int row) { downloadList.remove(row); fireTableRowsDeleted(row, row); }

public int getColumnCount() { return columnNames.length; }

public String getColumnName(int col) { return columnNames[col]; }

public Class getColumnClass(int col) { return columnClasses[col]; }

public int getRowCount() { return downloadList.size(); }

public Object getValueAt(int row, int col) { Download download = downloadList.get(row); switch (col) { case 0: // URL return download.getUrl(); case 1: // Size int size = download.getSize(); return (size == -1) ? "" : Integer.toString(size); case 2: // Progress return new Float(download.getProgress()); case 3: // Status return Download.STATUSES[download.getStatus()]; } return ""; }

public void update(Observable o, Object arg) { int index = downloadList.indexOf(o); fireTableRowsUpdated(index, index); } }

class ProgressRenderer extends JProgressBar implements TableCellRenderer { public ProgressRenderer(int min, int max) { super(min, max); }

public Component getTableCellRendererComponent(JTable table, Object value, boolean isSelected, boolean hasFocus, int row, int column) { setValue((int) ((Float) value).floatValue()); return this; }

}

To Run

Copy the code above, and paste into a DownloadManager.java file
If you?re behind a proxy, change the proxy settings.
If you?re not behind a proxy, set the proxyRequired = false;
Compile and run

To Download Files

Select the folder you want to save the file
Copy the URL of the file you want to download
Paste to the textbox
Click ?Add to Download?
File will automatically be downloaded
You can click ?Pause? to temporary stop download

Enhancement

Persists directly the file downloaded even if not 100% completed 
File splitting, download a single file with multiple threads

Other useful references

http://www.intel.com/cd/ids/developer/asmo-na/eng/20188.htm?page=1

http://www.intel.com/cd/ids/developer/asmo-na/eng/20187.htm









Related Tutorials/Questions & Answers:
How do i start to create Download Manager in Java - JSP-Servlet
How do i start to create Download Manager in Java  Can you tell me from where do i start to develop Download manager in java
How do I start learning MongoDB?
How do I start learning MongoDB?  Hi, What are the correct steps of learn MongoDB? How do I start learning MongoDB? What is MongoDB and how I can... MongoDB: What is it and it's Features? How to install MongoDB On Windows 7? After
Advertisements
How do I start a data mining company?
How do I start a data mining company?  Hi, I am beginner in Data...: How do I start a data mining company? Try to provide me good examples or tutorials links so that I can learn the topic "How do I start a data mining
How do I start learning AI?
How do I start learning AI?  Hi, I am beginner in Data Science and machine learning field. I am searching for the tutorials to learn: How do I... can learn the topic "How do I start learning AI?". Also tell me which
How do I start a data science career?
How do I start a data science career?  Hi, I am beginner in Data...: How do I start a data science career? Try to provide me good examples or tutorials links so that I can learn the topic "How do I start a data science
How do I start learning machine learning?
How do I start learning machine learning?  Hi, I am beginner in Data...: How do I start learning machine learning? Try to provide me good examples or tutorials links so that I can learn the topic "How do I start learning
How do I start a deep learning career?
How do I start a deep learning career?  Hi, I am beginner in Data...: How do I start a deep learning career? Try to provide me good examples or tutorials links so that I can learn the topic "How do I start a deep learning
How do I start learning data science?
How do I start learning data science?  Hi, I am beginner in Data...: How do I start learning data science? Try to provide me good examples or tutorials links so that I can learn the topic "How do I start learning data
How do I start data mining?
How do I start data mining?  Hi, I am beginner in Data Science and machine learning field. I am searching for the tutorials to learn: How do I... can learn the topic "How do I start data mining?". Also tell me which
How do I start preparing for data science?
How do I start preparing for data science?  Hi, I am beginner... to learn: How do I start preparing for data science? Try to provide me good examples or tutorials links so that I can learn the topic "How do I start
How do I start learning Docker
How do I start learning Docker  Hi, What is the easy way to learn... with the Docker. How do I start learning Docker? Thanks   How do I start learning... with many examples. Thanks   How do I start learning Docker
How do i create the node for target SMO in java..???
How do i create the node for target SMO in java..???  How do i create the node for target SMO in java..??? or else whats the method for accessing the target SMO
How do I download urllib3 for python 2.7
How do I download urllib3 for python 2.7  Hi, How do I download urllib3 for python 2.7? I want to install urllib3 on Python 2.7. How to do... installer will find out the dependencies and download the wheel files. After
How do I start machine learning with Python? What should I do if I am a beginner?
How do I start machine learning with Python? What should I do if I am... am searching for the tutorials to learn: How do I start machine learning... or tutorials links so that I can learn the topic "How do I start machine
How do I start a career in data science with no experience?
How do I start a career in data science with no experience?  Hi, I... for the tutorials to learn: How do I start a career in data science with no experience... the topic "How do I start a career in data science with no experience?"
How do I start learning data science from scratch?
How do I start learning data science from scratch?  Hi, I am... to learn: How do I start learning data science from scratch? Try to provide me good examples or tutorials links so that I can learn the topic "How do
How do I use JGraph to create a MST(minimum spanning tree) using java?
How do I use JGraph to create a MST(minimum spanning tree) using java?  How do I use JGraph to create a MST(minimum spanning tree) using java? thanks for the help
how do i allow users to download a xls file in html?
how do i allow users to download a xls file in html?  can anyone help me to allow users to download a xls file in html? i tried with href="path...;i tried with href="path/filename.xls click here but it works only in chrome
How do I start machine learning if I am a beginner in the programming language?
How do I start machine learning if I am a beginner in the programming language... searching for the tutorials to learn: How do I start machine learning if I am... or tutorials links so that I can learn the topic "How do I start machine
Where do I start machine learning and AI?
Where do I start machine learning and AI?  Hi, I am beginner in Data...: Where do I start machine learning and AI? Try to provide me good examples or tutorials links so that I can learn the topic "Where do I start machine
How do I compare strings in Java?
How do I compare strings in Java?  How do I compare strings in Java
How do I decompile Java class files?
How do I decompile Java class files?  How do I decompile Java class files
How do I initialize a byte array in Java?
How do I initialize a byte array in Java?  How do I initialize a byte array in Java
How should I start to learn code with Java?
How should I start to learn code with Java?  Hi, I want to learn programming language and make career in software industry. I have decided to learn Java. Now I don't know where to start? Guide in learning Java and tell use
How do i do the coding for 'leaving a comment' in java
How do i do the coding for 'leaving a comment' in java  i am designing a webpage.In my webpage i want to add the option of adding a comment by the readers of the page.how do i do
I am new to ML/AI. Where do I start learning?
I am new to ML/AI. Where do I start learning?  Hi, I am beginner... to learn: I am new to ML/AI. Where do I start learning? Try to provide me good.... Where do I start learning?". Also tell me which is the good training
How do I do this program? I'm new to Java programming...
How do I do this program? I'm new to Java programming...  Suppose you want to print out numbers in brackets, formatted as follows: [1] [2] [3] and so on. Write a method that takes two parameters: howMany and lineLength
how do i write a java program for this??
how do i write a java program for this??  â??Ask the user if they have a dog. If â??yesâ??, ask the user how old is and compute the dogâ??s age in human years. Display the output. If â??noâ?? ask the user their age and compute
How do I set environment variables from Java?
How do I set environment variables from Java?  How do I set environment variables from Java
How do I write a correct micro-benchmark in Java?
How do I write a correct micro-benchmark in Java?  How do I write a correct micro-benchmark in Java
How do I upgrade mysql?
How do I upgrade mysql?  How do I upgrade mysql
How do I handle the reaction of a circle and a semi-circle colliding in java?
How do I handle the reaction of a circle and a semi-circle colliding in java?  How do I handle the reaction of a circle and a semi-circle colliding in java
How do I learn Java programming in one day from zero?
How do I learn Java programming in one day from zero?  Hi, I am.... Is there any way of really learning Java in one day? How do I learn Java programming... should download, install and start learning Java in a day. Check
How do I learn Java programming in one day from zero?
How do I learn Java programming in one day from zero?  Hi, I am.... Is there any way of really learning Java in one day? How do I learn Java programming... should download, install and start learning Java in a day. Check
How can I do it? .click();
How can I do it? .click();  I have a very unusual problem. I want...("a"); x.click(); </script> So it's click on an element witch one Id's is "a", but I want that it make mouseup in this element. How can I do it, because if I write
How can i download these java related materials from rose india
How can i download these java related materials from rose india  How can i download these java related materials from rose india   Hello... tutorial do you want to download from the site? Please specify it. Thanks
How do I resolve this Java Class not found exception?
How do I resolve this Java Class not found exception?  Hi, Many time new developer faces the Class not found exception. Why it happens and how... again copy Book.class and Author.class in the same directory it will start working
Which java can i download?
Which java can i download?  Hello, i'm a beginner on java. Which java can i download for to exercise with my codes? Thanks in advance.   nobody.   And i download Eclipse java. But when i want to install
How do I read a large file quickly in Java?
How do I read a large file quickly in Java?  Hi, I my project I have... in 1-2 GB in size. What is the best way to read the file efficiently? How do I read a large file quickly in Java? Thanks   Hi, You can't read the whole
How should I start learning Python?
How should I start learning Python?  Hi, I want to learn PySpark... first. How should I learn Python myself. I wish to learn Python programming as soon as possible. How should I start learning Python? Thanks
How do I throw a 404 error from within a java servlet?
How do I throw a 404 error from within a java servlet?  How you can write code in Servlet for throwing the httpd error 404? How to add the configuration for handling the not found error in the web.xml file? Thanks   
how do i solve this problem?
how do i solve this problem?  Define a class named Circle with the following properties: List item An integer data field named radius with protected access modifier, and a String data field named colour with private access
how do i solve this question?
how do i solve this question?  1.Define a class named Circle with the following properties: a) An integer data field named radius with protected access modifier, and a String data field named colour with private access modifier
How to create function download in web services with java? - WebSevices
How to create function download in web services with java?  I am a student in Viet Nam, I am coding a project j2me access web services to download a file.xml, anybody please help me how to creates function download in web
How can I start big data?
How can I start big data?  Hi, I am beginner in Data Science and machine learning field. I am searching for the tutorials to learn: How can I... learn the topic "How can I start big data?". Also tell me which
How can I start data analyst?
How can I start data analyst?  Hi, I am beginner in Data Science and machine learning field. I am searching for the tutorials to learn: How can I... that I can learn the topic "How can I start data analyst?". Also tell me
I developed a simple java web project in Struts now If I have to import the project in Eclipse Indigo how can I do it
I developed a simple java web project in Struts now If I have to import the project in Eclipse Indigo how can I do it   I developed a simple java web project in Struts now If I have to import the project in Eclipse Indigo how
How do we create custom component
How do we create custom component  How do we create custom component in JSF. I couldnot find any category for JSF questions
How do I learn Spring Framework?
How do I learn Spring Framework?  Hi, I have completed my Engineering in 2017. During my college days I learned Core Java, Advanced Java, JDBC, JSP.... How do I learn Spring Framework? Thanks
How do I learn Spring Framework?
How do I learn Spring Framework?  Hi, I have completed my Engineering in 2017. During my college days I learned Core Java, Advanced Java, JDBC, JSP.... How do I learn Spring Framework? Thanks

Ads