一、多线程下载
多线程下载就是抢占服务器资源
原理:服务器CPU 分配给每条线程的时间片相同,服务器带宽平均分配给每条线程,所以客户端开启的线程越多,就能抢占到更多的服务器资源。
1、设置开启线程数,发送http请求到下载地址,获取下载文件的总长度
然后创建一个长度一致的临时文件,避免下载到一半存储空间不够了,并计算每个线程下载多少数据
2、计算每个线程下载数据的开始和结束位置
再次发送请求,用 Range 头请求开始位置和结束位置的数据
3、将下载到的数据,存放至临时文件中
4、带断点续传的多线程下载
定义一个int变量,记录每条线程下载的数据总长度,然后加上该线程的下载开始位置,得到的结果就是下次下载时,该线程的开始位置,把得到的结果存入缓存文件,当文件下载完成,删除临时进度文件。
public class MultiDownload { static int ThreadCount = ; static int finishedThread = ; //确定下载地址 static String filename = "EditPlus.exe"; static String path = "http://...:/"+filename; public static void main(String[] args) { //、发送get请求,去获得下载文件的长度 try { URL url = new URL(path); HttpURLConnection cOnn= (HttpURLConnection) url.openConnection(); conn.setRequestMethod("GET"); conn.setConnectTimeout(); conn.setReadTimeout(); if (conn.getResponseCode()==) { //如果请求成功,拿到所请求资源文件的长度 int length = conn.getContentLength(); //、生成一个与原文件同样的大小的临时文件,以免下载一半存储空间不够了 File file = new File(filename);//演示,所以将保存的文件目录放在工程的同目录 //使用RandomAccessFile 生成临时文件,可以用指针定位文件的任意位置, //而且能够实时写到硬件底层设备,略过缓存,这对下载文件是突然断电等意外是有好处的 RandomAccessFile raf = new RandomAccessFile(file, "rwd");//rwd, 实时写到底层设备 //设置临时文件的大小 raf.setLength(length); raf.close(); //、计算出每个线程应该下载多少个字节 int size = length/ThreadCount;//如果有余数,负责最后一部分的线程负责下砸 //开启多线程 for (int threadId = ; threadId
二、Android手机版带断点续传的多线程下载
Android手机版的带断点续传的多线程下载逻辑与PC版的几乎一样,只不过在Android手机中耗时操作不能放在主线程,网络下载属于耗时操作,所以多线程下载要在Android中开启一个子线程执行。并使用消息队列机制刷新文本进度条。
public class MainActivity extends Activity { static int ThreadCount = ; static int FinishedThread = ; int currentProgess; static String Filename = "QQPlayer.exe"; static String Path = "http://...:/"+Filename; static MainActivity ma; static ProgressBar pb; static TextView tv; static Handler handler = new Handler(){ public void handleMessage(android.os.Message msg){ tv.setText((long)pb.getProgress()* /pb.getMax() +"%"); }; }; protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.activity_main); ma = this; pb = (ProgressBar) findViewById(R.id.pb); tv = (TextView) findViewById(R.id.tv); } public void download(View v){ Thread t = new Thread(){ public void run() { //发送http请求获取文件的长度,创建临时文件 try { URL url= new URL(Path); HttpURLConnection cOnn= (HttpURLConnection) url.openConnection(); conn.setRequestMethod("GET"); conn.setConnectTimeout(); conn.setReadTimeout(); if (conn.getResponseCode()==) { int length = conn.getContentLength(); //设置进度条的最大值就是原文件的总长度 pb.setMax(length); //生成一个与原文件相同大小的临时文件 File file = new File(Environment.getExternalStorageDirectory(),Filename); RandomAccessFile raf = new RandomAccessFile(file, "rwd"); raf.setLength(length); raf.close(); //计算每个线程需要下载的数据大小 int size = length/ThreadCount; //开启多线程 for (int threadId = ; threadId
以上内容是小编跟大家分享的PC版与Android手机版带断点续传的多线程下载,希望大家喜欢。