Reputation: 273
I have a .json file stored in a S3 Bucket, now i Want to download the json File with nodejs. I wrote following Code:
const bucket = "s3bucketname";
const AWS = require('aws-sdk');
const S3= new AWS.S3();
exports.handler = async (event, context, callback) => {
var transcript = await download();
console.log(transcript);
}
async function download(){
try {
// Converted it to async/await syntax just to simplify.
const data = await S3.getObject(
{ Bucket: bucket,
Key: "Test.json",
//ResponseContentType: 'application/json'
}).promise();
console.log(data);
return {
statusCode: 200,
body: JSON.stringify(data)
}
}
catch (err) {
return {
statusCode: err.statusCode || 400,
body: err.message || JSON.stringify(err.message)
}
}
}
My Response is like this: AcceptRanges: 'bytes', LastModified: 2020-02-07T08:04:25.000Z, ContentLength: 12723, ETag: '"ea7de645f93c45b3jkj4e7ffjdsf"', ContentType: 'application/octet-stream', Metadata: {}, Body: Buffer 7b 0d ...
In the body i get a Buffer from my JSON, if I convert it via tools like: https://onlineutf8tools.com/convert-bytes-to-utf8
I get my JSON string like i want it. How can i do that in Javascript/nodejs ? I don't need the Buffer, I need the JSON in String. I tried different ways, but it didnt work yet.
Upvotes: 22
Views: 28111
Reputation: 469
I don't have the reputation to add comment for @Ashish Modi's answer.
The data.Body.toString('utf-8') will convert it to plain string not to json object.
If you want to have the json object you can convert the string to json object by
JSON.parse(obj.Body.toString('utf-8'))
Upvotes: 40
Reputation: 7770
You need to do data.Body.toString('utf-8')
to get the proper json (string version) from buffer.
Upvotes: 20