I am trying to send a yaml file as a base64 string so that this code works:
JavaScript
x
11
11
1
const response = await octokit.request('GET /repos/{owner}/{repo}/git/blobs/{file_sha}', {
2
owner: 'DevEx',
3
repo: 'hpdev-content',
4
file_sha: fileSha,
5
headers: {
6
authorization: `Bearer ${githubConfig?.token}`,
7
},
8
});
9
10
const decoded = Buffer.from(response.data.content, 'base64').toString('utf8');
11
In the above code response.data.content
should have the data.
I have this route:
JavaScript
1
11
11
1
router.get('/repos/:owner/:repo/git/blobs/:file_sha', (req, res) => {
2
// TODO: do we need to do anything with the path params?
3
// eslint-disable-next-line @typescript-eslint/no-unused-vars
4
const { owner, repo, file_sha } = req.params;
5
6
const contents = writeUsersReport();
7
const encoded = Buffer.from(contents, 'binary').toString('base64');
8
9
res.send(encoded);
10
});
11
The code is working fine except that the client code expects the base64 string in a property called content
in the following code:
JavaScript
1
2
1
const decoded = Buffer.from(response.data.content, 'base64').toString('utf8');
2
But the string is in response.data
.
How can I set the content
property instead?
Advertisement
Answer
How about sending a json response containing an object with a content
property from your server side instead of the encoded string directly?
JavaScript
1
4
1
// ...
2
const encoded = Buffer.from(contents, 'binary').toString('base64');
3
res.json({content:encoded});
4