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 🙏

© 2025 – Pkg Stats / Ryan Hefner

@sergdudko/objectstream

v4.0.22

Published

Creates a stream to convert json from string or convert json to string.

Readme

@sergdudko/objectstream

A powerful and efficient Node.js library for streaming JSON processing. Transform JSON strings to objects and objects to JSON strings with support for custom separators, multiple encodings, and high-performance streaming operations.

npm npm NpmLicense GitHub last commit GitHub release

✨ Features

  • Dual Package: Full ES Modules (ESM) and CommonJS (CJS) support
  • TypeScript: Complete type definitions included
  • High Performance: Based on native Node.js stream methods
  • Multiple Encodings: Support for utf8, base64, latin1, binary, and hex
  • Custom Separators: Configure start, middle, and end separators
  • Memory Efficient: Streaming approach for large JSON datasets
  • Zero Dependencies: No external dependencies

📦 Installation

npm install @sergdudko/objectstream

🚀 Quick Start

ESM (ES Modules)

import { Parser, Stringifer } from '@sergdudko/objectstream';

// String to Object conversion
const parser = new Parser();
parser.on('data', (obj) => {
  console.log('Parsed object:', obj);
});
parser.write('{"name":"John","age":30}');
parser.end();

// Object to String conversion
const stringifer = new Stringifer();
stringifer.on('data', (jsonString) => {
  console.log('JSON string:', jsonString.toString());
});
stringifer.write({ name: 'John', age: 30 });
stringifer.end();

CommonJS

const { Parser, Stringifer } = require('@sergdudko/objectstream');

// Or using default export
const objectstream = require('@sergdudko/objectstream');
const { Parser, Stringifer } = objectstream.default;

TypeScript

import { Parser, Stringifer } from '@sergdudko/objectstream';

interface User {
  name: string;
  age: number;
}

const parser = new Parser();
parser.on('data', (user: User) => {
  console.log(`User: ${user.name}, Age: ${user.age}`);
});

📚 API Reference

Parser Class

Transform stream that converts JSON strings to JavaScript objects.

Constructor

new Parser(start?: string, middle?: string, end?: string)

Parameters

  • start (optional): First separator character (default: none)
  • middle (optional): Middle separator character (default: none)
  • end (optional): End separator character (default: none)

Methods

  • setEncoding(encoding): Set input encoding (utf8, utf-8, base64, latin1, binary, hex)

Events

  • data: Emitted when an object is parsed
  • error: Emitted when parsing fails
  • end: Emitted when stream ends
  • finish: Emitted when stream finishes

Stringifer Class

Transform stream that converts JavaScript objects to JSON strings.

Constructor

new Stringifer(start?: string, middle?: string, end?: string)

Parameters

  • start (optional): First separator character (default: none)
  • middle (optional): Middle separator character (default: none)
  • end (optional): End separator character (default: none)

Methods

  • setEncoding(encoding): Set output encoding (utf8, utf-8, base64, latin1, binary, hex)

Events

  • data: Emitted when JSON string is generated
  • error: Emitted when stringification fails
  • end: Emitted when stream ends
  • finish: Emitted when stream finishes

💡 Usage Examples

Basic JSON Processing

import { Parser, Stringifer } from '@sergdudko/objectstream';

const parser = new Parser();
const stringifer = new Stringifer();

// Parse JSON string
parser.on('data', (obj) => {
  console.log('Parsed:', obj);
});

parser.write('{"message":"Hello World"}');
parser.end();

// Stringify object
stringifer.on('data', (data) => {
  console.log('Stringified:', data.toString());
});

stringifer.write({ message: 'Hello World' });
stringifer.end();

Custom Separators for JSON Arrays

import { Parser, Stringifer } from '@sergdudko/objectstream';

// Process JSON array with custom separators
const parser = new Parser('[', ',', ']');
const stringifer = new Stringifer('[', ',', ']');

stringifer.on('data', (data) => {
  console.log('JSON Array chunk:', data.toString());
});

// Write multiple objects
stringifer.write({ id: 1, name: 'Alice' });
stringifer.write({ id: 2, name: 'Bob' });
stringifer.write({ id: 3, name: 'Charlie' });
stringifer.end(); // Output: [{"id":1,"name":"Alice"},{"id":2,"name":"Bob"},{"id":3,"name":"Charlie"}]

Different Encodings

import { Parser, Stringifer } from '@sergdudko/objectstream';

// Base64 encoding
const stringifer = new Stringifer();
stringifer.setEncoding('base64');

stringifer.on('data', (data) => {
  console.log('Base64 JSON:', data); // Base64 encoded JSON string
});

stringifer.write({ encoded: true });
stringifer.end();

// Parse Base64 encoded JSON
const parser = new Parser();
parser.setEncoding('base64');

parser.on('data', (obj) => {
  console.log('Decoded object:', obj);
});

// Write base64 encoded JSON
parser.write(Buffer.from('{"decoded":true}').toString('base64'));
parser.end();

Stream Piping

import { Parser, Stringifer } from '@sergdudko/objectstream';
import { Transform } from 'stream';

// Create a processing pipeline
const parser = new Parser();
const processor = new Transform({
  objectMode: true,
  transform(obj, encoding, callback) {
    // Process each object
    obj.processed = true;
    obj.timestamp = Date.now();
    callback(null, obj);
  }
});
const stringifer = new Stringifer();

// Pipe the streams together
parser
  .pipe(processor)
  .pipe(stringifer)
  .on('data', (data) => {
    console.log('Processed JSON:', data.toString());
  });

// Input data
parser.write('{"name":"test"}');
parser.end();

Error Handling

import { Parser, Stringifer } from '@sergdudko/objectstream';

const parser = new Parser();

parser.on('data', (obj) => {
  console.log('Valid object:', obj);
});

parser.on('error', (errors) => {
  console.error('Parsing errors:', errors);
});

// Valid JSON
parser.write('{"valid":true}');

// Invalid JSON
parser.write('{"invalid":}');

parser.end();

🎯 Supported Encodings

| Encoding | Input | Output | Description | |----------|-------|--------|-------------| | utf8 (default) | ✅ | ✅ | Standard UTF-8 text | | utf-8 | ✅ | ✅ | Alias for utf8 | | base64 | ✅ | ✅ | Base64 encoded data | | latin1 | ✅ | ✅ | Latin-1 encoding | | binary | ✅ | ✅ | Binary data encoding | | hex | ✅ | ✅ | Hexadecimal encoding |

⚡ Performance

ObjectStream is optimized for high-performance streaming operations:

  • Memory Efficient: Processes data in chunks, suitable for large JSON files
  • Zero-Copy Operations: Minimizes memory copying where possible
  • Stream-Based: Non-blocking operations using Node.js streams
  • Optimized Parsing: Efficient JSON parsing with error recovery

🧪 Testing

The library includes comprehensive TypeScript tests:

npm test

Test coverage includes:

  • ✅ Parser functionality with various data types
  • ✅ Stringifer functionality with validation
  • ✅ Custom separators and encodings
  • ✅ Stream piping and event handling
  • ✅ Error handling and edge cases
  • ✅ Performance benchmarks
  • ✅ ESM/CJS compatibility

🏗️ Development

# Install dependencies
npm install

# Run tests
npm test

# Build dual package (ESM + CJS)
npm run build

# Lint code
npm run lint

📄 Package Structure

dist/
├── esm/          # ES Modules build
├── cjs/          # CommonJS build
└── types/        # Shared TypeScript definitions

🤝 Contributing

  1. Fork the repository
  2. Create your feature branch (git checkout -b feature/amazing-feature)
  3. Commit your changes (git commit -m 'Add some amazing feature')
  4. Push to the branch (git push origin feature/amazing-feature)
  5. Open a Pull Request

🎯 Version History

  • v3.x: TypeScript rewrite, dual package support, modern Node.js features
  • v2.x: Enhanced performance and encoding support
  • v1.x: Initial release with basic streaming functionality

📄 License

MIT License - see LICENSE file for details.

🆘 Support

💝 Support This Project

If ObjectStream helps you build amazing applications, consider supporting its development:

Your support helps maintain and improve Redux Cluster for the entire community!


Made with ❤️ by Siarhei Dudko