AWS S3 object listing

Javascriptnode.jsAmazon Web-ServicesAmazon S3

Javascript Problem Overview


I am using aws-sdk using node.js. I want to list images in specified folder e.g.This is the directory that i want to fetch

I want to list all files and folder in this location but not folder (images) content. There is list Object function in aws-sdk but it is listing all the nested files also.

Here is the code :

var AWS = require('aws-sdk');
AWS.config.update({accessKeyId: 'mykey', secretAccessKey: 'mysecret', region: 'myregion'});
var s3 = new AWS.S3();

var params = { 
  Bucket: 'mystore.in',
  Delimiter: '',
  Prefix: 's/5469b2f5b4292d22522e84e0/ms.files' 
}

s3.listObjects(params, function (err, data) {
  if(err)throw err;
  console.log(data);
});

Javascript Solutions


Solution 1 - Javascript

It's working fine now using this code :

var AWS = require('aws-sdk');
AWS.config.update({accessKeyId: 'mykey', secretAccessKey: 'mysecret', region: 'myregion'});
var s3 = new AWS.S3();

var params = { 
 Bucket: 'mystore.in',
 Delimiter: '/',
 Prefix: 's/5469b2f5b4292d22522e84e0/ms.files/'
}

s3.listObjects(params, function (err, data) {
 if(err)throw err;
 console.log(data);
});

Solution 2 - Javascript

Folders are illusory, but S3 does provide a mechanism to emulate their existence.

If you set Delimiter to / then each tier of responses will also return a CommonPrefixes array of the next tier of "folders," which you'll append to the prefix from this request, to retrieve the next tier.

If your Prefix is a "folder," append a trailing slash. Otherwise, you'll make an unnecessary request, because the first request will return one common prefix. E.g., folder "foo" will return one common prefix "foo/".

Solution 3 - Javascript

I put up a little module which lists contents of a "folder" you give it:

s3ls({bucket: 'my-bucket-name'}).ls('/', console.log);

will print something like this:

{ files: [ 'funny-cat-gifs-001.gif' ],
  folders: [ 'folder/', 'folder2/' ] }

And that

s3ls({bucket: 'my-bucket-name'}).ls('/folder', console.log);

will print

{ files: [ 'folder/cv.docx' ],
  folders: [ 'folder/sub-folder/' ] }

UPD: The latest version supports async/await Promise interface:

const { files, folders } = await lister.ls("/my-folder/subfolder/");

And here is the s3ls.js:

var _ = require('lodash');
var S3 = require('aws-sdk').S3;

module.exports = function (options) {
  var bucket = options.bucket;
  var s3 = new S3({apiVersion: '2006-03-01'});

  return {
    ls: function ls(path, callback) {
      var prefix = _.trimStart(_.trimEnd(path, '/') + '/', '/');    
      var result = { files: [], folders: [] };

      function s3ListCallback(error, data) {
        if (error) return callback(error);

        result.files = result.files.concat(_.map(data.Contents, 'Key'));
        result.folders = result.folders.concat(_.map(data.CommonPrefixes, 'Prefix'));

        if (data.IsTruncated) {
          s3.listObjectsV2({
            Bucket: bucket,
            MaxKeys: 2147483647, // Maximum allowed by S3 API
            Delimiter: '/',
            Prefix: prefix,
            ContinuationToken: data.NextContinuationToken
          }, s3ListCallback)
        } else {
          callback(null, result);
        }
      }

      s3.listObjectsV2({
        Bucket: bucket,
        MaxKeys: 2147483647, // Maximum allowed by S3 API
        Delimiter: '/',
        Prefix: prefix,
        StartAfter: prefix // removes the folder name from the file listing
      }, s3ListCallback)
    }
  };
};

Solution 4 - Javascript

You can use the Prefix in s3 API params. I am adding an example that i used in a project:

listBucketContent: ({ Bucket, Folder }) => new Promise((resolve, reject) => {
	const params = { Bucket, Prefix: `${Folder}/` };
	s3.listObjects(params, (err, objects) => {
		if (err) {
			reject(ERROR({ message: 'Error finding the bucket content', error: err }));
		} else {
			resolve(SUCCESS_DATA(objects));
		}
	});
})

Here Bucket is the name of the bucket that contains a folder and Folder is the name of the folder that you want to list files in.

Solution 5 - Javascript

Alternatively you can use minio-js client library, its open source & compatible with AWS S3 api.

You can simply use list-objects.js example, additional documentation are available at https://docs.minio.io/docs/javascript-client-api-reference.

var Minio = require('minio')

var s3Client = new Minio({
  endPoint: 's3.amazonaws.com',
  accessKey: 'YOUR-ACCESSKEYID',
  secretKey: 'YOUR-SECRETACCESSKEY'
})
// List all object paths in bucket my-bucketname.
var objectsStream = s3Client.listObjects('my-bucketname', '', true)
objectsStream.on('data', function(obj) {
  console.log(obj)
})
objectsStream.on('error', function(e) {
  console.log(e)
})

Hope it helps.

Disclaimer: I work for Minio

Solution 6 - Javascript

As mentioned in the comments, S3 doesn't "know" about folders, only keys. You can imitate a folder structure with / in the keys. See here for more information - http://docs.aws.amazon.com/AmazonS3/latest/UG/FolderOperations.html

That said, you can modify your code to something like this:

s3.listObjects(params, function (err, data) {
  if(err) throw 
  
  //data.contents is an array of objects according to the s3 docs
  //iterate over it and see if the key contains a / - if not, it's a file (not a folder)
  var itemsThatAreNotFolders = data.contents.map(function(content){
  	if(content.key.indexOf('/')<0) //if / is not in the key
  		return content;
  });

  console.log(itemsThatAreNotFolders);
});

This will check each key to see if it contains a /

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
QuestionRohitView Question on Stackoverflow
Solution 1 - JavascriptRohitView Answer on Stackoverflow
Solution 2 - JavascriptMichael - sqlbotView Answer on Stackoverflow
Solution 3 - JavascriptVasyl BoroviakView Answer on Stackoverflow
Solution 4 - JavascriptGaurav SharmaView Answer on Stackoverflow
Solution 5 - Javascriptkoolhead17View Answer on Stackoverflow
Solution 6 - JavascriptAlexView Answer on Stackoverflow