
Security News
Axios Supply Chain Attack Reaches OpenAI macOS Signing Pipeline, Forces Certificate Rotation
OpenAI rotated macOS signing certificates after a malicious Axios package reached its CI pipeline in a broader software supply chain attack.
json-storage-formatter
Advanced tools
const userProfile = {
id: 42,
createdAt: new Date('2024-10-01T10:30:00Z'),
preferences: new Map([
['theme', 'dark'],
['languages', new Set(['en', 'es'])],
]),
};
console.log(JSON.stringify(userProfile, null, 2));
Console Output:
{
"id": 42,
"createdAt": "2024-10-01T10:30:00.000Z",
"preferences": {}
}
JSON.stringify loses all type information for Dates, Maps, Sets, RegExps, and more. Your data is flattened, and restoring it is impossible.
import { formatToStore, formatFromStore } from 'json-storage-formatter';
// Imagine you want to save this to localStorage, a URL, or a DB:
const userProfile = {
id: 42,
createdAt: new Date('2024-10-01T10:30:00Z'),
preferences: new Map([
['theme', 'dark'],
['languages', new Set(['en', 'es'])],
]),
};
// Serialize for storage (preserves all types!)
const stored = formatToStore(userProfile);
localStorage.setItem('profile', stored);
// ...later, or in another environment:
const loaded = localStorage.getItem('profile');
const restored = formatFromStore<typeof userProfile>(loaded);
// restored.createdAt is a Date
// restored.preferences is a Map with a Set inside
// Works for any structure: deeply nested, with Dates, Sets, Maps, RegExps, Errors, undefined, NaN, etc.
const complex = {
date: new Date('2024-10-01T10:30:00Z'),
set: new Set(['a', 'b']),
map: new Map([
['x', 1],
['y', 2],
]),
regex: /abc/i,
error: new Error('fail'),
undef: undefined,
nan: NaN,
inf: Infinity,
};
const stored = formatToStore(complex);
const restored = formatFromStore<typeof complex>(stored);
// All types are preserved!
Store and restore Maps, Sets, Dates, RegExps, Errors, and more — not just plain objects.
import { formatToStore, formatFromStore } from 'json-storage-formatter';
const original = new Map([
['created', new Date('2024-10-01T10:30:00Z')],
['tags', new Set(['a', 'b'])],
]);
const json = formatToStore(original); // string for storage
const restored = formatFromStore<Map<string, unknown>>(json);
Just call formatToStore before saving, and formatFromStore when loading. No config, no setup, no custom revivers.
localStorage.setItem('profile', formatToStore(profile));
const profile = formatFromStore(localStorage.getItem('profile'));
formatToStore adds a tiny type marker to every special value:
{
"$t": "map",
"$v": [["key", { "$t": "date", "$v": "2024-10-01T10:30:00.000Z" }]]
}
When you call formatFromStore, it reads those markers and reconstructs the original types — even deeply nested.
import { useState } from 'react';
import { formatToStore, formatFromStore } from 'json-storage-formatter';
type WidgetConfig = { location: string; units: string };
type DashboardConfig = {
theme: 'light' | 'dark' | 'system';
widgets: Map<string, WidgetConfig>;
hiddenWidgets: Set<string>;
lastCustomizedAt: Date;
};
function useDashboardConfig() {
const [config, setConfig] = useState<DashboardConfig>(() => {
const json = localStorage.getItem('dashboard-config');
return json ? formatFromStore<DashboardConfig>(json) : getDefaultDashboardConfig();
});
const saveConfig = (newConfig: DashboardConfig) => {
localStorage.setItem('dashboard-config', formatToStore(newConfig));
setConfig(newConfig);
};
return { config, saveConfig };
}
// Usage
const example: DashboardConfig = {
theme: 'dark',
widgets: new Map([
['weather', { location: 'New York', units: 'metric' }],
['stocks', { location: 'NASDAQ', units: 'USD' }],
]),
hiddenWidgets: new Set(['news']),
lastCustomizedAt: new Date(),
};
import { useState } from 'react';
import { formatToStore, formatFromStore } from 'json-storage-formatter';
type DashboardQuery = {
dateRange: { from: Date; to: Date };
selectedCategories: Set<string>;
additionalSettings: Map<string, unknown>;
};
function useUrlQuery() {
const [query, setQuery] = useState<DashboardQuery>(() => {
const params = new URLSearchParams(window.location.search);
const storedQuery = params.get('query');
return storedQuery ? formatFromStore<DashboardQuery>(atob(storedQuery)) : getDefaultDashboardQuery();
});
const updateQuery = (newQuery: DashboardQuery) => {
const encoded = btoa(formatToStore(newQuery));
window.history.replaceState(null, '', `${window.location.pathname}?query=${encoded}`);
setQuery(newQuery);
};
return { query, updateQuery };
}
// Save and load any structure in Redis, PostgreSQL, or files
const { formatToStore, formatFromStore } = require('json-storage-formatter');
const session = {
userId: 123,
expires: new Date(),
permissions: new Set(['read', 'write']),
};
// Store in Redis
redis.set('session:123', formatToStore(session));
// Later...
const raw = await redis.get('session:123');
const restored = formatFromStore(raw);
// restored.expires is a Date, restored.permissions is a Set
| Type | Supported? | Restored As |
|---|---|---|
| Date | ✅ | Date |
| Set | ✅ | Set |
| Map | ✅ | Map |
| RegExp | ✅ | RegExp |
| Error | ✅ | Error |
| undefined | ✅ | undefined |
| NaN/Infinity | ✅ | number |
| Function | ❌ | (not supported) |
| Function | Description | Example |
|---|---|---|
| isNil | Checks if value is null or undefined | isNil(null); // true |
| isNumber | Checks if value is a number | isNumber(42); // true |
| isBoolean | Checks if value is a boolean | isBoolean(false); // true |
| isString | Checks if value is a string | isString('hi'); // true |
| isDate | Checks if value is a Date | isDate(new Date()); // true |
| Behavior | JSON.stringify | json-storage-formatter |
|---|---|---|
| Date | Becomes string | ✅ Restored as Date |
| Set | Lost completely | ✅ Restored as Set |
| Map | Lost completely | ✅ Restored as Map |
| Undefined | Omitted | ✅ Restored as undefined |
| Regexp | Lost completely | ✅ Restored as RegExp |
| Error | Lost completely | ✅ Restored as Error |
npm install json-storage-formatter
yarn add json-storage-formatter
Converts any value into a JSON-safe string with type metadata.
Restores the serialized string back to its original types.
FAQs
Package for json stringify objects without losing data types
The npm package json-storage-formatter receives a total of 160 weekly downloads. As such, json-storage-formatter popularity was classified as not popular.
We found that json-storage-formatter demonstrated a healthy version release cadence and project activity because the last version was released less than 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
OpenAI rotated macOS signing certificates after a malicious Axios package reached its CI pipeline in a broader software supply chain attack.

Security News
Open source is under attack because of how much value it creates. It has been the foundation of every major software innovation for the last three decades. This is not the time to walk away from it.

Security News
Socket CEO Feross Aboukhadijeh breaks down how North Korea hijacked Axios and what it means for the future of software supply chain security.