javascript-Github.js getSha出现403错误,文件大小超过〜1MB
作者:互联网
当我尝试使用Github.js从大于1MB的文件中获取sha(以及随后的getBlob)时,出现403错误.文件大小有限制吗?代码如下:
var gh = new GitHub({
username: username,
password: password
});
// get the repo from github
var repo = gh.getRepo('some-username','name-of-repo');
// get promise
repo.getSha('some-branch', 'some-file.json').then(function(result){
// pass the sha onto getBlob
return repo.getBlob(result.data.sha);
}).then(function(result){
do_something_with_blob(result.data);
});
GitHub API表示它支持最大100MB的Blob,而我在Github.js docs中找不到关于文件大小限制的任何信息.此外,这些文件来自私有的Github存储库.
解决方法:
它抛出403 Forbidden错误,因为它使用Github GET contents API,该结果为文件未超出1Mo的结果.例如,以下将抛出403:
https://api.github.com/repos/bertrandmartel/w230st-osx/contents/CLOVER/tools/Shell64.efi?ref=master
使用GET树API使用this method,您无需下载整个文件即可获取sha文件,然后使用repo.getBlob(对于文件而言,Repo.getBlob使用Get blob API不会超过100Mo).
以下示例将使用GET树api获取指定文件(对于1Mo除外的文件)的父文件夹的树,按名称过滤特定文件,然后请求blob数据:
const accessToken = 'YOUR_ACCESS_TOKEN';
const gh = new GitHub({
token: accessToken
});
const username = 'bertrandmartel';
const repoName = 'w230st-osx';
const branchName = 'master';
const filePath = 'CLOVER/tools/Shell64.efi'
var fileName = filePath.split(/(\\|\/)/g).pop();
var fileParent = filePath.substr(0, filePath.lastIndexOf("/"));
var repo = gh.getRepo(username, repoName);
fetch('https://api.github.com/repos/' +
username + '/' +
repoName + '/git/trees/' +
encodeURI(branchName + ':' + fileParent), {
headers: {
"Authorization": "token " + accessToken
}
}).then(function(response) {
return response.json();
}).then(function(content) {
var file = content.tree.filter(entry => entry.path === fileName);
if (file.length > 0) {
console.log("get blob for sha " + file[0].sha);
//now get the blob
repo.getBlob(file[0].sha).then(function(response) {
console.log("response size : " + response.data.length);
});
} else {
console.log("file " + fileName + " not found");
}
});
标签:github,http-status-code-403,github-api,javascript 来源: https://codeday.me/bug/20191110/2014228.html