从URL下载文件并将其保存在Python文件夹中

时间:2019-07-09 10:54:49

标签: python python-requests

我有很多文件类型为.docx.pdf的URL,我想运行一个Python脚本,该脚本从URL下载它们并将其保存在文件夹中。这是我对单个文件所做的操作,我将它们添加到for循环中:

response = requests.get('http://wbesite.com/Motivation-Letter.docx')
with open("my_file.docx", 'wb') as f:
    f.write(response.content)

但是保存的my_file.docx只有266个字节,并且已损坏,但URL正常。

更新:

添加了此代码,它可以工作,但我想将其保存在新文件夹中。

import os
import shutil
import requests

def download_file(url, folder_name):
    local_filename = url.split('/')[-1]
    path = os.path.join("/{}/{}".format(folder_name, local_filename))
    with requests.get(url, stream=True) as r:
        with open(path, 'wb') as f:
            shutil.copyfileobj(r.raw, f)

    return local_filename

2 个答案:

答案 0 :(得分:1)

尝试:

let selectedLangTab: number = 1;

userInput.translations[selectedLangTab as Language].title

答案 1 :(得分:1)

尝试使用stream选项:

import os
import requests


def download(url: str, dest_folder: str):
    if not os.path.exists(dest_folder):
        os.makedirs(dest_folder)  # create folder if it does not exist

    filename = url.split('/')[-1].replace(" ", "_")  # be careful with file names
    file_path = os.path.join(dest_folder, filename)

    r = requests.get(url, stream=True)
    if r.ok:
        print("saving to", os.path.abspath(file_path))
        with open(file_path, 'wb') as f:
            for chunk in r.iter_content(chunk_size=1024 * 8):
                if chunk:
                    f.write(chunk)
                    f.flush()
                    os.fsync(f.fileno())
    else:  # HTTP status code 4XX/5XX
        print("Download failed: status code {}\n{}".format(r.status_code, r.text))


download("http://website.com/Motivation-Letter.docx", dest_folder="mydir")

请注意,上面示例中的mydir当前工作目录中的文件夹名称。如果mydir不存在,脚本将在当前工作目录中创建该脚本并将其保存在其中。您的用户必须具有在当前工作目录中创建目录和文件的权限。

您可以在dest_folder中传递绝对文件路径,但请先检查权限。

P.S .:避免在一个帖子中问多个问题