0

我有一个 GitLab API (v4),我需要调用它来获取一个项目子目录(在 v.14.4 中显然是新的,它似乎还没有包含 python-gitlab 库),在 curl 中可以使用以下命令完成:

curl --header "PRIVATE-TOKEN: A_Token001" http://192.168.156.55/api/v4/projects/10/repository/archive?path=ProjectSubDirectory --output ~./temp/ProjectSubDirectory.tar.gz

问题在最后一部分,--output ~./GitLab/some_project_files/ProjectSubDirectory.tar.gz

我尝试了不同的方法(.content、.text),但都失败了,如:

...
response = requests.get(url=url, headers=headers, params=params).content
# and save the respon content with with open(...)

但在所有情况下,它都保存了无效的 tar.gz 文件或其他问题。

我什至尝试过https://curlconverter.com/,但它生成的代码也不能正常工作,它似乎完全忽略了--output参数,没有显示有关文件本身的任何内容:

headers = {'PRIVATE-TOKEN': 'A_Token001',}
params = (('path', 'ProjectSubDirectory'),)
response = requests.get('http://192.168.156.55/api/v4/projects/10/repository/archive', headers=headers, params=params)

现在,我刚刚创建了一个脚本并用子进程调用它,但我不太喜欢这种方法,因为 Python 有库,作为请求,我想应该有一些方法来做同样的事情......

4

1 回答 1

0

2个关键点。

  1. 允许重定向
  2. 用于raise_for_status()在写入文件之前确保请求成功。这将有助于发现其他潜在问题,例如身份验证失败。

之后写入response.content以二进制模式打开的文件以进行写入 ( 'wb')

import requests
url = "https://..."
headers = {} # ...
paramus = {} # ...
output_path = 'path/to/local/file.tar.gz'
response = requests.get(url, headers=headers, params=params, allow_redirects=True)
response.raise_for_status() # make sure the request is successful
with open(output_path, 'wb') as f:
    f.write(response.content)
于 2021-12-18T20:44:20.197 回答