data:image/s3,"s3://crabby-images/2523c/2523ce4b8b64bade795ffc89574cfc29f35428d3" alt="Deno 2.2 Improves Dependency Management and Expands Node.js Compatibility"
Security News
Deno 2.2 Improves Dependency Management and Expands Node.js Compatibility
Deno 2.2 enhances Node.js compatibility, improves dependency management, adds OpenTelemetry support, and expands linting and task automation for developers.
@extend-chrome/storage
Advanced tools
This is a wrapper for the Chrome Extension Storage API that adds promises and functional set transactions similar to the React `this.setState` API. Functional set transactions make it easy to use the Chrome Storage API to share and manage state between di
Manage Chrome Extension storage easily with @extend-chrome/storage
.
This is a wrapper for the Chrome Extension Storage API that adds great TypeScript support using virtual storage buckets with a modern Promise-based API.
You will need to use a bundler like Rollup, Parcel, or Webpack to include this library in your Chrome extension.
See rollup-plugin-chrome-extension
for
an easy way to use Rollup to build your Chrome extension!
npm i @extend-chrome/storage
Add the storage
permission to your manifest.json
file.
// manifest.json
{
"permissions": ["storage"]
}
Take your Chrome extension to another level! 🚀
import { storage } from '@extend-chrome/storage'
// Set storage using an object
storage.set({ friends: ['Jack'] })
// Set storage using a function
storage.set(({ friends }) => {
// friends is ['Jack']
return { friends: [...friends, 'Amy'] }
})
// Get storage value using a key
storage.get('friends').then(({ friends }) => {
// friends is ['Jack', 'Amy']
})
// Get storage values using an object
storage
.get({ friends: [], enemies: [] })
.then(({ friends, enemies }) => {
// friends is ['Jack', 'Amy']
// enemies is the [] from the getter object
})
This library allows you to create a storage area and define the type of data that area will manage.
import { getBucket } from '@extend-chrome/storage'
interface Store {
a: string
b: number
}
const store = getBucket<Store>('store')
store.set({ a: 'abc', b })
store.set(({ b = 0 }) => ({ b: b + 500 }))
store.set({ c: true }) // ts error
store.set(({ a }) => ({ d: 'invalid' })) // ts error
The Chrome Storage API is asynchronous. This means synchronous
calls to get
and set
will not reflect pending changes. This
makes calls to set
that depend on values held in storage
difficult.
While the Chrome Storage API is async, it uses callbacks. This brings a whole world of difficulty into the developer experience that have been solved with Promises.
@extend-chrome/storage
solves both of these problems. Every method
returns a Promise and both get
and set
can take a function
that provides current storage values, similar to React's
this.setState
.
The set
method can be called with a function (setter) as well
as the normal types (a string, array of strings, or an object).
This setter will receive the entire contents of that storage area
as an argument. It must return an object which will be passed to
the native storage area set
method.
Synchronous calls to set
will be composed into one call to the
native set
. The setters will be applied in order, but each call
will resolve with the final value passed to the storage area.
bucket.set({ a: 123 })
bucket.set({ b: 456 })
bucket
.set(({ a, b }) => {
// a === 123
// b === 456
return { c: 789 }
})
.then(({ a, b, c }) => {
// New values in bucket
// a === 123
// b === 456
// c === 789
})
An individual call to set
will reject if the setter function
throws an error or returns an invalid type, but will not affect
other set operations.
Bucket
A synthetic storage area. It has the same methods as the native
Chrome API StorageArea, but get
and set
can take a function as an
argument. A Bucket
can use
either local or sync storage.
Multiple synchronous calls to set are composed into one call to
the native Chrome API
StorageArea.set
.
Default storage areas are included, so you can just import
storage
if you're don't care about types and only need one
storage area.
import { storage } from '@extend-chrome/storage'
storage.local.set({ a: 'abc' })
storage.sync.set({ b: 123 })
Create a bucket or two using getBucket
:
import { getBucket } from '@extend-chrome/storage'
// Buckets are isomorphic, so export and
// use them throughout your extension
export const bucket1 = getBucket('bucket1')
export const bucket2 = getBucket('bucket2')
Each bucket is separate, so values don't overlap.
bucket1.set({ a: 123 })
bucket2.set({ a: 'abc' })
bucket1.get() // { a: 123 }
bucket2.get() // { a: 'abc' }
Buckets really shine if you're using TypeScript, because you can define the types your bucket will contain. Click here for more details.
bucket.get
Takes an optional getter. Resolves to an object with the requested storage area values.
function get(getter?: string | object | Function) => Promise<{ [key: string]: any }>
[getter]
Type: null
, string
, string array
, or function
Default: null
Usage is the same as for the native Chrome API, except for the function
getter.
null
to get the entire bucket contents.string
as a storage area key to get an object with only
that key/value pair.object
with property names for the storage keys you
want.
function
to map the contents of storage to any value.
get
after set
will resolve to the new set values.bucket.get('a') // resolves to object as key/value pair
bucket.get({ a: 123 }) // same, but 123 is default value
bucket.get(({ a }) => a) // resolves to value of "a"
bucket.getKeys
Takes an optional getter. Resolves to an array of strings that represents the keys of the values in the storage area bucket.
function getKeys() => Promise<string[]>
bucket.set({ a: 123 })
bucket.getKeys() // Resolves to ['a']
bucket.set
Set a value or values in storage. Takes a setter object
or
function
. Resolves to the new bucket values.
function set(setter: object | Function) => Promise<{ [key: string]: any }>
setter
Type: object
or Function
object
with key/value pairs to set those values to
storage.Function
that returns an object with key/value pairs.
Promise
that resolves to the new storage values.get
after set
will resolve with the new values.// Values in bucket: { a: 'abc' }
// First call to set
bucket.set({ b: 123 })
// Second synchronous call to set
bucket
.set(({ a, b, c }) => {
// Values composed from storage
// and previous call to set:
// a === 'abc'
// b === 123
// c === undefined
return { c: true }
})
.then(({ a, b, c }) => {
// New values in storage
// a === 'abc'
// b === 123
// c === true
})
bucket.set({ a: 123 })
bucket
.set(({ a }) => ({ b: true }))
.then(({ a, b }) => {
// Values were set
// a === 123
// b === true
})
bucket.remove
Remove a value or values from storage. Resolves when the operation is complete.
bucket.remove('a')
bucket.remove(['a', 'b'])
bucket.clear
Empties only this bucket. Resolves when the operation is complete. Other buckets are untouched.
bucket.clear()
bucket.changeStream
An RxJs Observable that emits a
StorageChange
object when the Chrome Storage API onChanged
event fires.
bucket.changeStream
.pipe(filter(({ a }) => !!a))
.subscribe(({ a }) => {
console.log('old value', a.oldValue)
console.log('new value', a.newValue)
})
bucket.valueStream
An Observable that emits all the values in storage immediately,
and when onChanged
fires.
bucket.valueStream.subscribe((values) => {
console.log('Everything in this bucket', values)
})
getBucket
Create a bucket (a synthetic storage area). Takes
a string bucketName
and an optional string areaName
. Returns
a Bucket
synthetic storage area. Export this
bucket and use it throughout your Chrome extension. It will work
everywhere, including privileged pages and content scripts.
getBucket
is a TypeScript Generic. Pass it an interface to
define the types to expect in your storage area.
function getBucket(bucketName: string, areaName?: 'local' | 'sync') => Bucket
bucketName
Type: string
A unique id for this bucket.
[areaName]
Type: "local"
or "sync"
Default: "local"
Choose which native Chrome API storage area
to use.
import { getBucket } from '@extend-chrome/storage'
// JavaScript
export const localBucket = getBucket('bucket1')
export const syncBucket = getBucket('bucket2', 'sync')
// TypeScript
export const localBucket = getBucket<{ a: string }>('bucket1')
export const syncBucket = getBucket<{ b: number }>(
'bucket2',
'sync',
)
FAQs
This is a wrapper for the Chrome Extension Storage API that adds promises and functional set transactions similar to the React `this.setState` API. Functional set transactions make it easy to use the Chrome Storage API to share and manage state between di
The npm package @extend-chrome/storage receives a total of 493 weekly downloads. As such, @extend-chrome/storage popularity was classified as not popular.
We found that @extend-chrome/storage demonstrated a not healthy version release cadence and project activity because the last version was released a year ago. It has 1 open source maintainer collaborating on the project.
Did you know?
Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.
Security News
Deno 2.2 enhances Node.js compatibility, improves dependency management, adds OpenTelemetry support, and expands linting and task automation for developers.
Security News
React's CRA deprecation announcement sparked community criticism over framework recommendations, leading to quick updates acknowledging build tools like Vite as valid alternatives.
Security News
Ransomware payment rates hit an all-time low in 2024 as law enforcement crackdowns, stronger defenses, and shifting policies make attacks riskier and less profitable.