npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2026 – Pkg Stats / Ryan Hefner

@vaultsens/sdk

v0.1.11

Published

VaultSens SDK for API key uploads and file management

Downloads

570

Readme

@vaultsens/sdk

JavaScript/TypeScript SDK for VaultSens. Supports API key + secret auth, file uploads, folder management, and image transforms.

Install

npm install @vaultsens/sdk

Quick start

import { VaultSensClient, fileFromBuffer } from '@vaultsens/sdk';

const client = new VaultSensClient({
  baseUrl: 'https://api.vaultsens.com',
  apiKey: 'your-api-key',
  apiSecret: 'your-api-secret',
});

// Upload a file (browser)
const file = new File([blobData], 'photo.png', { type: 'image/png' });
const result = await client.uploadFile(file, { name: 'hero', compression: 'low' });
console.log(result.data._id, result.data.url);

// Upload from a Buffer (Node.js)
import { readFile } from 'node:fs/promises';
const buffer = await readFile('./photo.png');
const blob = fileFromBuffer(buffer, 'photo.png', 'image/png');
const result = await client.uploadFile(blob, { filename: 'photo.png' });

Auth

Credentials are sent as request headers:

x-api-key:    <apiKey>
x-api-secret: <apiSecret>

API reference

new VaultSensClient(options)

| Option | Type | Default | Description | |---|---|---|---| | baseUrl | string | — | Your VaultSens API base URL | | apiKey | string? | — | API key | | apiSecret | string? | — | API secret | | timeoutMs | number? | 30000 | Request timeout in ms | | fetchImpl | FetchLike? | globalThis.fetch | Custom fetch implementation | | retry.retries | number | 2 | Number of retry attempts | | retry.retryDelayMs | number? | 400 | Delay between retries in ms | | retry.retryOn | number[]? | [429,500,502,503,504] | Status codes to retry on |


Files

uploadFile(file, options?)

Upload a single file.

const result = await client.uploadFile(blob, {
  name: 'my-image',        // optional display name stored with the file
  filename: 'photo.png',   // filename sent to the server (used for MIME detection)
  compression: 'medium',   // compression level applied server-side
  folderId: 'folder-id',   // place the file inside this folder
});
// result.data._id  — file ID
// result.data.url  — public URL

Upload options

| Option | Type | Description | |---|---|---| | name | string? | Display name stored with the file | | filename | string? | Filename hint sent to the server (used for MIME type detection) | | compression | CompressionLevel? | Server-side compression: 'none' | 'low' | 'medium' | 'high'. Must be allowed by your plan | | folderId | string? | ID of the folder to place the file in. Omit for root |

uploadFiles(files, options?)

Upload multiple files in one request. Accepts the same options as uploadFile.

const result = await client.uploadFiles(
  [
    { file: blob1, filename: 'a.png' },
    { file: blob2, filename: 'b.jpg' },
  ],
  { compression: 'low', folderId: 'folder-id' }
);

listFiles(folderId?)

List all files. Pass folderId to filter by folder, or "root" for files not in any folder.

const all    = await client.listFiles();
const inDir  = await client.listFiles('folder-id');
const atRoot = await client.listFiles('root');

getFileMetadata(fileId)

const meta = await client.getFileMetadata('file-id');

updateFile(fileId, file, options?)

Replace a file's content. Accepts name, filename, and compression — same as uploadFile but folderId is not supported (the file stays in its current folder).

await client.updateFile('file-id', newBlob, { compression: 'high' });

deleteFile(fileId)

await client.deleteFile('file-id');

buildFileUrl(fileId, options?)

Build a URL for dynamic image transforms (served by the API). No network request is made.

const url = client.buildFileUrl('file-id', {
  width: 800,
  height: 600,
  format: 'webp',
  quality: 80,
});

Transform options

| Option | Type | Description | |---|---|---| | width | number? | Output width in pixels | | height | number? | Output height in pixels (fit: inside, aspect ratio preserved) | | format | string? | Output format e.g. 'webp', 'jpeg', 'png' | | quality | number \| string? | Compression quality 1–100 |


Folders

listFolders()

const { data: folders } = await client.listFolders();

createFolder(name, parentId?)

const { data: folder } = await client.createFolder('Marketing');
// nested folder:
await client.createFolder('2024', folder._id);

renameFolder(folderId, name)

await client.renameFolder('folder-id', 'New Name');

deleteFolder(folderId)

Deletes the folder and moves all its files back to root.

await client.deleteFolder('folder-id');

Metrics

const { data } = await client.getMetrics();
// data.totalFiles, data.totalStorageBytes, data.storageUsedPercent, ...

Utilities

fileFromBuffer(buffer, filename, type?)

Convert a Buffer or ArrayBuffer to a Blob for upload in Node.js environments.

import { fileFromBuffer } from '@vaultsens/sdk';

const blob = fileFromBuffer(buffer, 'photo.png', 'image/png');
await client.uploadFile(blob, { filename: 'photo.png' });

setAuth(apiKey, apiSecret)

setTimeout(timeoutMs)

setRetry(options)


Error handling

All API errors throw a VaultSensError with a code, status, and message.

import { VaultSensError, VaultSensErrorCode } from '@vaultsens/sdk';

try {
  await client.uploadFile(blob);
} catch (err) {
  if (err instanceof VaultSensError) {
    switch (err.code) {
      case VaultSensErrorCode.FILE_TOO_LARGE:
        console.error('File exceeds your plan limit');
        break;
      case VaultSensErrorCode.STORAGE_LIMIT:
        console.error('Storage quota exceeded');
        break;
      case VaultSensErrorCode.MIME_TYPE_NOT_ALLOWED:
        console.error('File type not allowed on your plan');
        break;
      case VaultSensErrorCode.COMPRESSION_NOT_ALLOWED:
        console.error('Compression level not permitted on your plan');
        break;
      case VaultSensErrorCode.FILE_COUNT_LIMIT:
        console.error('File count limit reached');
        break;
      case VaultSensErrorCode.FOLDER_COUNT_LIMIT:
        console.error('Folder count limit reached');
        break;
      case VaultSensErrorCode.SUBSCRIPTION_INACTIVE:
        console.error('Subscription is not active');
        break;
    }
  }
}

Error codes

| Code | Status | Description | |---|---|---| | FILE_TOO_LARGE | 413 | File exceeds plan's maxFileSizeBytes | | STORAGE_LIMIT | 413 | Total storage quota exceeded | | FILE_COUNT_LIMIT | 403 | Plan's maxFilesCount reached | | MIME_TYPE_NOT_ALLOWED | 415 | File type blocked by plan | | COMPRESSION_NOT_ALLOWED | 403 | Compression level not permitted by plan | | SUBSCRIPTION_INACTIVE | 402 | User subscription is not active | | FOLDER_COUNT_LIMIT | 403 | Plan's maxFoldersCount reached | | EMAIL_ALREADY_REGISTERED | 400 | Duplicate email on register | | EMAIL_NOT_VERIFIED | 403 | Login attempted before verifying email | | INVALID_CREDENTIALS | 400 | Wrong email or password | | INVALID_OTP | 400 | Bad or expired verification code | | UNAUTHORIZED | 401 | Missing or invalid credentials | | NOT_FOUND | 404 | Resource not found | | TIMEOUT | 408 | Request timed out | | UNKNOWN | — | Any other error |


License

MIT