[node.js] 노드 fs를 사용하여 aws s3 버킷에서 파일 읽기

다음을 사용하여 aws s3 버킷에있는 파일을 읽으려고합니다.

fs.readFile(file, function (err, contents) {
  var myLines = contents.Body.toString().split('\n')
})

노드 aws-sdk를 사용하여 파일을 다운로드하고 업로드 할 수 있었지만 단순히 파일을 읽고 내용을 구문 분석하는 방법에 대해 헷갈립니다.

다음은 s3에서 파일을 읽는 방법의 예입니다.

var s3 = new AWS.S3();
var params = {Bucket: 'myBucket', Key: 'myKey.csv'}
var s3file = s3.getObject(params)



답변

몇 가지 옵션이 있습니다. 두 번째 인수로 콜백을 포함 할 수 있으며, 이는 오류 메시지 및 객체와 함께 호출됩니다. 이 예제 는 AWS 설명서에서 직접 가져온 것입니다.

s3.getObject(params, function(err, data) {
  if (err) console.log(err, err.stack); // an error occurred
  else     console.log(data);           // successful response
});

또는 출력을 스트림으로 변환 할 수 있습니다. AWS 설명서 에도 예제 가 있습니다.

var s3 = new AWS.S3({apiVersion: '2006-03-01'});
var params = {Bucket: 'myBucket', Key: 'myImageFile.jpg'};
var file = require('fs').createWriteStream('/path/to/file.jpg');
s3.getObject(params).createReadStream().pipe(file);


답변

이렇게하면됩니다.

new AWS.S3().getObject({ Bucket: this.awsBucketName, Key: keyName }, function(err, data)
{
    if (!err)
        console.log(data.Body.toString());
});


답변

S3 텍스트 파일을 한 줄씩 처리하려는 것 같습니다. 다음은 표준 readline 모듈과 AWS의 createReadStream ()을 사용하는 Node 버전입니다.

const readline = require('readline');

const rl = readline.createInterface({
    input: s3.getObject(params).createReadStream()
});

rl.on('line', function(line) {
    console.log(line);
})
.on('close', function() {
});


답변

다음은 s3에서 json 데이터를 검색하고 구문 분석하는 데 사용한 예입니다.

    var params = {Bucket: BUCKET_NAME, Key: KEY_NAME};
    new AWS.S3().getObject(params, function(err, json_data)
    {
      if (!err) {
        var json = JSON.parse(new Buffer(json_data.Body).toString("utf8"));

       // PROCESS JSON DATA
           ......
     }
   });


답변

아직 이유를 알 수 없었지만 createReadStream/ pipe접근 방식이 작동하지 않았습니다. 큰 CSV 파일 (300MB +)을 다운로드하려고했는데 중복 된 줄이 생겼습니다. 무작위 문제인 것 같았습니다. 최종 파일 크기는 다운로드를 시도 할 때마다 다릅니다.

AWS JS SDK 예제를 기반으로 다른 방법을 사용했습니다 .

var s3 = new AWS.S3();
var params = {Bucket: 'myBucket', Key: 'myImageFile.jpg'};
var file = require('fs').createWriteStream('/path/to/file.jpg');

s3.getObject(params).
    on('httpData', function(chunk) { file.write(chunk); }).
    on('httpDone', function() { file.end(); }).
    send();

이렇게하면 마치 매력처럼 작동했습니다.


답변

나는 선호한다 Buffer.from(data.Body).toString('utf8'). 인코딩 매개 변수를 지원합니다. 다른 AWS 서비스 (예 : Kinesis Streams)에서 누군가 'utf8'인코딩을 'base64'.

new AWS.S3().getObject(
  { Bucket: this.awsBucketName, Key: keyName },
  function(err, data) {
    if (!err) {
      const body = Buffer.from(data.Body).toString('utf8');
      console.log(body);
    }
  }
);


답변

메모리를 절약하고 각 행을 json 객체로 얻으 fast-csv려면 다음과 같이 readstream을 만들고 각 행을 json 객체로 읽을 수 있습니다.

const csv = require('fast-csv');
const AWS = require('aws-sdk');

const credentials = new AWS.Credentials("ACCESSKEY", "SECRETEKEY", "SESSIONTOKEN");
AWS.config.update({
    credentials: credentials, // credentials required for local execution
    region: 'your_region'
});
const dynamoS3Bucket = new AWS.S3();
const stream = dynamoS3Bucket.getObject({ Bucket: 'your_bucket', Key: 'example.csv' }).createReadStream();

var parser = csv.fromStream(stream, { headers: true }).on("data", function (data) {
    parser.pause();  //can pause reading using this at a particular row
    parser.resume(); // to continue reading
    console.log(data);
}).on("end", function () {
    console.log('process finished');
});