🌍 💾 Universal Storage Layer
undefinedWhy ❓undefined
Typically, we choose one or more data storages based on our use-cases like a filesystem, a database like Redis, Mongo, or LocalStorage for browsers but it will soon start to be lots of trouble for supporting and combining more than one or switching between them. For javascript library authors, this usually means they have to decide how many platforms they support and implement storage for each.
💡 Unstorage solution is a unified and powerful Key-Value (KV) interface that allows combining drivers that are either built-in or can be implemented via a super simple interface and adding conventional features like mounting, watching, and working with metadata.
Comparing to similar solutions like localforage, unstorage core is almost 6x smaller (28.9 kB vs 4.7 kB), using modern ESM/Typescript/Async syntax and many more features to be used universally.
undefined📚 Table of Contentsundefined
storage.hasItem(key)storage.getItem(key)storage.setItem(key, value)storage.removeItem(key, removeMeta = true)storage.getMeta(key, nativeOnly?)storage.setMeta(key)storage.removeMeta(key)storage.getKeys(base?)storage.clear(base?)storage.dispose()storage.mount(mountpoint, driver)storage.unmount(mountpoint, dispose = true)storage.watch(callback)Install unstorage npm package:
yarn add unstorage
# or
npm i unstorage
import { createStorage } from 'unstorage'
const storage = createStorage(/* opts */)
await storage.getItem('foo:bar') // or storage.getItem('/foo/bar')
undefinedOptions:undefined
driver: Default driver (using memory if not provided)storage.hasItem(key)Checks if storage contains a key. Resolves to either true or false.
await storage.hasItem('foo:bar')
storage.getItem(key)Gets the value of a key in storage. Resolves to either string or null.
await storage.getItem('foo:bar')
storage.setItem(key, value)Add/Update a value to the storage.
If the value is not a string, it will be stringified.
If value is undefined, it is same as calling removeItem(key).
await storage.setItem('foo:bar', 'baz')
storage.removeItem(key, removeMeta = true)Remove a value (and it’s meta) from storage.
await storage.removeItem('foo:bar')
storage.getMeta(key, nativeOnly?)Get metadata object for a specific key.
This data is fetched from two sources:
storage.setMeta (overrides driver native meta)await storage.getMeta('foo:bar') // For fs driver returns an object like { mtime, atime, size }
storage.setMeta(key)Set custom meta for a specific key by adding a $ suffix.
await storage.setMeta('foo:bar', { flag: 1 })
// Same as storage.setItem('foo:bar$', { flag: 1 })
storage.removeMeta(key)Remove meta for a specific key by adding a $ suffix.
await storage.removeMeta('foo:bar',)
// Same as storage.removeMeta('foo:bar$')
storage.getKeys(base?)Get all keys. Returns an array of strings.
Meta keys (ending with $) will be filtered.
If a base is provided, only keys starting with the base will be returned also only mounts starting with base will be queried. Keys still have a full path.
await storage.getKeys()
storage.clear(base?)Removes all stored key/values. If a base is provided, only mounts matching base will be cleared.
await storage.clear()
storage.dispose()Disposes all mounted storages to ensure there are no open-handles left. Call it before exiting process.
undefinedNote: Dispose also clears in-memory data.
await storage.dispose()
storage.mount(mountpoint, driver)By default, everything is stored in memory. We can mount additional storage space in a Unix-like fashion.
When operating with a key that starts with mountpoint, instead of default storage, mounted driver will be called.
import { createStorage } from 'unstorage'
import fsDriver from 'unstorage/drivers/fs'
// Create a storage container with default memory storage
const storage = createStorage({})
storage.mount('/output', fsDriver({ base: './output' }))
// Writes to ./output/test file
await storage.setItem('/output/test', 'works')
// Adds value to in-memory storage
await storage.setItem('/foo', 'bar')
storage.unmount(mountpoint, dispose = true)Unregisters a mountpoint. Has no effect if mountpoint is not found or is root.
await storage.unmount('/output')
storage.watch(callback)Starts watching on all mountpoints. If driver does not supports watching, only emits even when storage.* methods are called.
await storage.watch((event, key) => { })
snapshot(storage, base?)Snapshot from all keys in specified base into a plain javascript object (string: string). Base is removed from keys.
import { snapshot } from 'unstorage'
const data = await snapshot(storage, '/etc')
restoreSnapshot(storage, data, base?)Restore snapshot created by snapshot().
await restoreSnapshot(storage, { 'foo:bar': 'baz' }, '/etc2')
prefixStorage(storage, data, base?)Create a namespaced instance of main storage.
All operations are virtually prefixed. Useful to create shorcuts and limit access.
import { createStorage, prefixStorage } from 'unstorage'
const storage = createStorage()
const assetsStorage = prefixStorage(storage, 'assets')
// Same as storage.setItem('assets:x', 'hello!')
await assetsStorage.setItem('x', 'hello!')
We can easily expose unstorage instance to an http server to allow remote connections.
Request url is mapped to key and method/body mapped to function. See below for supported http methods.
undefined🛡️ Security Note: Server is unprotected by default. You need to add your own authentication/security middleware like basic authentication.
Also consider that even with authentication, unstorage should not be exposed to untrusted users since it has no protection for abuse (DDOS, Filesystem escalation, etc)
undefinedProgrammatic usage:undefined
import { listen } from 'listhen'
import { createStorage } from 'unstorage'
import { createStorageServer } from 'unstorage/server'
const storage = createStorage()
const storageServer = createStorageServer(storage)
// Alternatively we can use `storage.handle` as a middleware
await listen(storage.handle)
undefinedUsing CLI:undefined
npx unstorage .
undefinedSupported HTTP Methods:undefined
GET: Maps to storage.getItem. Returns list of keys on path if value not found.HEAD: Maps to storage.hasItem. Returns 404 if not found.PUT: Maps to storage.setItem. Value is read from body and returns OK if operation succeeded.DELETE: Maps to storage.removeItem. Returns OK if operation succeeded.fs (node)Maps data to the real filesystem using directory structure for nested keys. Supports watching using chokidar.
This driver implements meta for each key including mtime (last modified time), atime (last access time), and size (file size) using fs.stat.
import { createStorage } from 'unstorage'
import fsDriver from 'unstorage/drivers/fs'
const storage = createStorage({
driver: fsDriver({ base: './tmp' })
})
undefinedOptions:undefined
base: Base directory to isolate operations on this directoryignore: Ignore patterns for watch watchOptions: Additional chokidar options.localStorage (browser)Store data in localStorage.
import { createStorage } from 'unstorage'
import localStorageDriver from 'unstorage/drivers/localstorage'
const storage = createStorage({
driver: localStorageDriver({ base: 'app:' })
})
undefinedOptions:undefined
base: Add ${base}: to all keys to avoid collisionlocalStorage: Optionally provide localStorage objectwindow: Optionally provide window objectmemory (universal)Keeps data in memory using Set.
By default it is mounted to top level so it is unlikely you need to mount it again.
import { createStorage } from 'unstorage'
import memoryDriver from 'unstorage/drivers/memory'
const storage = createStorage({
driver: memoryDriver()
})
overlay (universal)This is a special driver that creates a multi-layer overlay driver.
All write operations happen on the top level layer while values are read from all layers.
When removing a key, a special value __OVERLAY_REMOVED__ will be set on the top level layer internally.
In the example below, we create an in-memory overlay on top of fs. No changes will be actually written to the disk.
import { createStorage } from 'unstorage'
import overlay from 'unstorage/drivers/overlay'
import memory from 'unstorage/drivers/memory'
import fs from 'unstorage/drivers/fs'
const storage = createStorage({
driver: overlay({
layers: [
memory(),
fs({ base: './data' })
]
})
})
http (universal)Use a remote HTTP/HTTPS endpoint as data storage. Supports built-in http server methods.
This driver implements meta for each key including mtime (last modified time) and status from HTTP headers by making a HEAD request.
import { createStorage } from 'unstorage'
import httpDriver from 'unstorage/drivers/http'
const storage = createStorage({
driver: httpDriver({ base: 'http://cdn.com' })
})
undefinedOptions:undefined
base: Base URL for urlsundefinedSupported HTTP Methods:undefined
getItem: Maps to http GET. Returns deserialized value if response is okhasItem: Maps to http HEAD. Returns true if response is ok (200)setItem: Maps to http PUT. Sends serialized value using bodyremoveItem: Maps to DELETEclear: Not supportedredisStore data in a redis storage using ioredis.
import { createStorage } from 'unstorage'
import redisDriver from 'unstorage/drivers/redis'
const storage = createStorage({
driver: redisDriver({
base: 'storage:'
})
})
undefinedOptions:undefined
base: Prefix all keys with baseurl: (optional) connection stringSee ioredis for all available options.
lazyConnect option is enabled by default so that connection happens on first redis operation.
cloudflare-kv-httpStore data in Cloudflare KV using the Cloudflare API v4.
You need to create a KV namespace. See KV Bindings for more information.
undefinedNote: This driver uses native fetch and works universally! For using directly in a cloudflare worker environemnt, please use cloudflare-kv-binding driver for best performance!
import { createStorage } from 'unstorage'
import cloudflareKVHTTPDriver from 'unstorage/drivers/cloudflare-kv-http'
// Using `apiToken`
const storage = createStorage({
driver: cloudflareKVHTTPDriver({
accountId: 'my-account-id',
namespaceId: 'my-kv-namespace-id',
apiToken: 'supersecret-api-token',
}),
})
// Using `email` and `apiKey`
const storage = createStorage({
driver: cloudflareKVHTTPDriver({
accountId: 'my-account-id',
namespaceId: 'my-kv-namespace-id',
email: 'me@example.com',
apiKey: 'my-api-key',
}),
})
// Using `userServiceKey`
const storage = createStorage({
driver: cloudflareKVHTTPDriver({
accountId: 'my-account-id',
namespaceId: 'my-kv-namespace-id',
userServiceKey: 'v1.0-my-service-key',
}),
})
undefinedOptions:undefined
accountId: Cloudflare account ID.namespaceId: The ID of the KV namespace to target. Note: be sure to use the namespace’s ID, and not the name or binding used in a worker environment.apiToken: API Token generated from the User Profile ‘API Tokens’ page.email: Email address associated with your account. May be used along with apiKey to authenticate in place of apiToken.apiKey: API key generated on the “My Account” page of the Cloudflare console. May be used along with email to authenticate in place of apiToken.userServiceKey: A special Cloudflare API key good for a restricted set of endpoints. Always begins with “v1.0-”, may vary in length. May be used to authenticate in place of apiToken or apiKey and email.apiURL: Custom API URL. Default is https://api.cloudflare.com.undefinedSupported methods:undefined
getItem: Maps to Read key-value pair GET accounts/:account_identifier/storage/kv/namespaces/:namespace_identifier/values/:key_namehasItem: Maps to Read key-value pair GET accounts/:account_identifier/storage/kv/namespaces/:namespace_identifier/values/:key_name. Returns true if <parsed response body>.success is true.setItem: Maps to Write key-value pair PUT accounts/:account_identifier/storage/kv/namespaces/:namespace_identifier/values/:key_nameremoveItem: Maps to Delete key-value pair DELETE accounts/:account_identifier/storage/kv/namespaces/:namespace_identifier/values/:key_namegetKeys: Maps to List a Namespace’s Keys GET accounts/:account_identifier/storage/kv/namespaces/:namespace_identifier/keysclear: Maps to Delete key-value pair DELETE accounts/:account_identifier/storage/kv/namespaces/:namespace_identifier/bulkcloudflare-kv-bindingStore data in Cloudflare KV and access from worker bindings.
undefinedNote: This driver only works in a cloudflare worker environment! Use cloudflare-kv-http for other environments.
You need to create and assign a KV. See KV Bindings for more information.
import { createStorage } from 'unstorage'
import cloudflareKVBindingDriver from 'unstorage/drivers/cloudflare-kv-binding'
// Using binding name to be picked from globalThis
const storage = createStorage({
driver: cloudflareKVBindingDriver({ binding: 'STORAGE' })
})
// Directly setting binding
const storage = createStorage({
driver: cloudflareKVBindingDriver({ binding: globalThis.STORAGE })
})
// Using from Durable Objects and Workers using Modules Syntax
const storage = createStorage({
driver: cloudflareKVBindingDriver({ binding: this.env.STORAGE })
})
// Using outside of Cloudflare Workers (like Node.js)
// Use cloudflare-kv-http!
undefinedOptions:undefined
binding: KV binding or name of namespace. Default is STORAGE.githubMap files from a remote github repository. (readonly)
This driver fetches all possible keys once and keep it in cache for 10 minutes. Because of github rate limit, it is highly recommanded to provide a token. It only applies to fetching keys.
import { createStorage } from 'unstorage'
import githubDriver from 'unstorage/drivers/github'
const storage = createStorage({
driver: githubDriver({
repo: 'nuxt/framework',
branch: 'main',
dir: '/docs/content'
})
})
undefinedOptions:undefined
repo: Github repository. Format is username/repo or org/repo. (Required!)token: Github API token. (Recommended!)branch: Target branch. Default is maindir: Use a directory as driver root.ttl: Filenames cache revalidate time. Default is 600 seconds (10 minutes)apiURL: Github API domain. Default is https://api.github.comcdnURL: Github RAW CDN Url. Default is https://raw.githubusercontent.comIt is possible to extend unstorage by creating custom drives.
foo:bar conventiondisposegetItem can be a serializable object or stringwatch method, disables default handler for mountpoint. You are responsible to emit event on getItem, setItem and removeItem.See src/drivers to inspire how to implement them. Methods can
undefinedExample:undefined
import { createStorage, defineDriver } from 'unstorage'
const myStorageDriver = defineDriver((_opts) => {
return {
async hasItem (key) {},
async getItem (key) {},
async setItem(key, value) {},
async removeItem (key) {},
async getKeys() {},
async clear() {},
async dispose() {},
// async watch(callback) {}
}
})
const storage = createStorage({
driver: myStorageDriver()
})
yarn installyarn dev to start jest watcher verifying changesyarn test before pushing to ensure all tests and lint checks passingWe use cookies
We use cookies to analyze traffic and improve your experience. You can accept or reject analytics cookies.