python支持断点续传的多线程下载示例


Posted in Python onJanuary 16, 2014
#! /usr/bin/env python
#coding=utf-8
from __future__ import unicode_literals
from multiprocessing.dummy import Pool as ThreadPool
import threading
import os
import sys
import cPickle
from collections import namedtuple
import urllib2
from urlparse import urlsplit
import time

# global lock
lock = threading.Lock()

# default parameters
defaults = dict(thread_count=10,
    buffer_size=10*1024,
    block_size=1000*1024)

def progress(percent, width=50):
    print "%s %d%%\r" % (('%%-%ds' % width) % (width * percent / 100 * '='), percent),
    if percent >= 100:
        print
        sys.stdout.flush()

def write_data(filepath, data):
    with open(filepath, 'wb') as output:
        cPickle.dump(data, output)

def read_data(filepath):
    with open(filepath, 'rb') as output:
        return cPickle.load(output)

FileInfo = namedtuple('FileInfo', 'url name size lastmodified')

def get_file_info(url):
    class HeadRequest(urllib2.Request):
        def get_method(self):
            return "HEAD"
    res = urllib2.urlopen(HeadRequest(url))
    res.read()
    headers = dict(res.headers)
    size = int(headers.get('content-length', 0))
    lastmodified = headers.get('last-modified', '')
    name = None
    if headers.has_key('content-disposition'):
        name = headers['content-disposition'].split('filename=')[1]
        if name[0] == '"' or name[0] == "'":
            name = name[1:-1]
    else:
        name = os.path.basename(urlsplit(url)[2])
    return FileInfo(url, name, size, lastmodified)

def download(url, output,
        thread_count = defaults['thread_count'],
        buffer_size = defaults['buffer_size'],
        block_size = defaults['block_size']):
    # get latest file info
    file_info = get_file_info(url)
    # init path
    if output is None:
        output = file_info.name
    workpath = '%s.ing' % output
    infopath = '%s.inf' % output
    # split file to blocks. every block is a array [start, offset, end],
    # then each greenlet download filepart according to a block, and
    # update the block' offset.
    blocks = []
    if os.path.exists(infopath):
        # load blocks
        _x, blocks = read_data(infopath)
        if (_x.url != url or
                _x.name != file_info.name or
                _x.lastmodified != file_info.lastmodified):
            blocks = []
    if len(blocks) == 0:
        # set blocks
        if block_size > file_info.size:
            blocks = [[0, 0, file_info.size]]
        else:
            block_count, remain = divmod(file_info.size, block_size)
            blocks = [[i*block_size, i*block_size, (i+1)*block_size-1] for i in range(block_count)]
            blocks[-1][-1] += remain
        # create new blank workpath
        with open(workpath, 'wb') as fobj:
            fobj.write('')
    print 'Downloading %s' % url
    # start monitor
    threading.Thread(target=_monitor, args=(infopath, file_info, blocks)).start()
    # start downloading
    with open(workpath, 'rb+') as fobj:
        args = [(url, blocks[i], fobj, buffer_size) for i in range(len(blocks)) if blocks[i][1] < blocks[i][2]]
        if thread_count > len(args):
            thread_count = len(args)
        pool = ThreadPool(thread_count)
        pool.map(_worker, args)
        pool.close()
        pool.join()

    # rename workpath to output
    if os.path.exists(output):
        os.remove(output)
    os.rename(workpath, output)
    # delete infopath
    if os.path.exists(infopath):
        os.remove(infopath)
    assert all([block[1]>=block[2] for block in blocks]) is True

def _worker((url, block, fobj, buffer_size)):
    req = urllib2.Request(url)
    req.headers['Range'] = 'bytes=%s-%s' % (block[1], block[2])
    res = urllib2.urlopen(req)
    while 1:
        chunk = res.read(buffer_size)
        if not chunk:
            break
        with lock:
            fobj.seek(block[1])
            fobj.write(chunk)
            block[1] += len(chunk)

def _monitor(infopath, file_info, blocks):
    while 1:
        with lock:
            percent = sum([block[1] - block[0] for block in blocks]) * 100 / file_info.size
            progress(percent)
            if percent >= 100:
                break
            write_data(infopath, (file_info, blocks))
        time.sleep(2)

if __name__ == '__main__':
    import argparse
    parser = argparse.ArgumentParser(description='Download file by multi-threads.')
    parser.add_argument('url', type=str, help='url of the download file')
    parser.add_argument('-o', type=str, default=None, dest="output", help='output file')
    parser.add_argument('-t', type=int, default=defaults['thread_count'], dest="thread_count", help='thread counts to downloading')
    parser.add_argument('-b', type=int, default=defaults['buffer_size'], dest="buffer_size", help='buffer size')
    parser.add_argument('-s', type=int, default=defaults['block_size'], dest="block_size", help='block size')
    argv = sys.argv[1:]
    if len(argv) == 0:
        argv = ['https://eyes.nasa.gov/eyesproduct/EYES/os/win']
    args = parser.parse_args(argv)
    start_time = time.time()
    download(args.url, args.output, args.thread_count, args.buffer_size, args.block_size)
    print 'times: %ds' % int(time.time()-start_time)
Python 相关文章推荐
浅谈python 线程池threadpool之实现
Nov 17 Python
Django Web开发中django-debug-toolbar的配置以及使用
May 06 Python
python3实现钉钉消息推送的方法示例
Mar 14 Python
Python基于OpenCV实现人脸检测并保存
Jul 23 Python
Python一行代码解决矩阵旋转的问题
Nov 30 Python
Python使用pdb调试代码的技巧
May 03 Python
使用Keras构造简单的CNN网络实例
Jun 29 Python
python Matplotlib数据可视化(2):详解三大容器对象与常用设置
Sep 30 Python
Numpy数组的广播机制的实现
Nov 03 Python
appium+python自动化配置(adk、jdk、node.js)
Nov 17 Python
Python常遇到的错误和异常
Nov 02 Python
Python sklearn分类决策树方法详解
Sep 23 Python
python获得图片base64编码示例
Jan 16 #Python
python练习程序批量修改文件名
Jan 16 #Python
python使用urllib模块开发的多线程豆瓣小站mp3下载器
Jan 16 #Python
python使用urllib模块和pyquery实现阿里巴巴排名查询
Jan 16 #Python
python3.3教程之模拟百度登陆代码分享
Jan 16 #Python
python解析发往本机的数据包示例 (解析数据包)
Jan 16 #Python
python多线程扫描端口示例
Jan 16 #Python
You might like
深入PHP内存相关的功能特性详解
2013/06/08 PHP
PHP中使用json数据格式定义字面量对象的方法
2014/08/20 PHP
PHP动态生成指定大小随机图片的方法
2016/03/25 PHP
php rmdir使用递归函数删除非空目录实例详解
2016/10/20 PHP
PHP使用GD库输出汉字的方法【测试可用】
2016/11/10 PHP
php中类和对象:静态属性、静态方法
2017/04/09 PHP
js弹出层之1:JQuery.Boxy (二)
2011/10/06 Javascript
JavaScript高级程序设计(第3版)学习笔记9 js函数(下)
2012/10/11 Javascript
解析John Resig Simple JavaScript Inheritance代码
2012/12/03 Javascript
javascript实现点击商品列表checkbox实时统计金额的方法
2015/05/15 Javascript
js时钟翻牌效果实现代码分享
2020/07/31 Javascript
利用jquery制作滚动到指定位置触发动画
2016/03/26 Javascript
JavaScript高仿支付宝倒计时页面及代码实现
2016/10/21 Javascript
Node.js中流(stream)的使用方法示例
2017/07/16 Javascript
vue 项目常用加载器及配置详解
2018/01/22 Javascript
vue中使用ueditor富文本编辑器
2018/02/08 Javascript
AjaxUpLoad.js实现文件上传功能
2018/03/02 Javascript
js验证身份证号码记录的方法
2019/04/26 Javascript
vue+ts下对axios的封装实现
2020/02/18 Javascript
[42:32]DOTA2上海特级锦标赛B组资格赛#2 Fnatic VS Spirit第二局
2016/02/27 DOTA
Python中特殊函数集锦
2015/07/27 Python
Python扩展内置类型详解
2018/03/26 Python
python实现微信小程序自动回复
2018/09/10 Python
python使用for...else跳出双层嵌套循环的方法实例
2020/05/17 Python
Python Tkinter图形工具使用方法及实例解析
2020/06/15 Python
Java如何基于wsimport调用wcf接口
2020/06/17 Python
为2021年的第一场雪锦上添花:用matplotlib绘制雪花和雪景
2021/01/05 Python
美国体育用品在线:Modell’s Sporting Goods
2018/06/07 全球购物
数控专业个人求职信范例
2013/11/29 职场文书
教育课题研究自我鉴定范文
2013/12/28 职场文书
泸县召开党的群众路线教育实践活动总结大会新闻稿
2014/10/21 职场文书
毕业实习计划书
2015/01/16 职场文书
计生个人工作总结
2015/02/28 职场文书
交通事故调解协议书
2015/05/20 职场文书
婚育证明格式
2015/06/17 职场文书
诗词赏析-(浣溪沙)
2019/08/13 职场文书