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 🙏

© 2024 – Pkg Stats / Ryan Hefner

hyperiondb

v2.0.2

Published

A minimalist Rust-based sharded database client for Node.js.

Readme

HyperionDB

npm version license downloads HyperionDB Logo A minimalist Rust-based sharded database client for Node.js. HyperionDB offers high-performance data storage and retrieval with sharding support, making it suitable for scalable applications.

🚀 Features

  • High Performance: Built with Rust for speed and efficiency.
  • Sharding Support: Distribute data across multiple shards for scalability.
  • Easy Integration: Simple API for Node.js applications.
  • Custom Indexing: Define indexed fields for faster queries.
  • Cross-Platform: Works on Windows, macOS, and Linux.

📦 Installation

Install HyperionDB via npm:

npm install hyperiondb

🛠️ Setup and Usage

1. Import HyperionDBClient

const HyperionDBClient = require('hyperiondb/hyperiondb-client');

2. Configuration

Create a configuration object specifying the number of shards, data directory, indexed fields, server address, and primary key field.

const config = {
  numShards: 8,
  dataDir: './hyperiondb_data',
  indexedFields: [
    ["name", "String"],
    ["price", "Numeric"],
    ["city", "String"],
    // Add other indexed fields as needed
  ],
  address: '127.0.0.1:8080'
};
const primaryKey = 'id';` 

3. Initialize the Client

Instantiate the HyperionDBClient with the configuration and primary key.

const client = new HyperionDBClient(config, primaryKey);` 

4. Initialize the Database and Start the Server

(async () => {
  try {
    // Initialize the database
    await client.initialize();
    console.log('Database initialized.');

    // Start the server
    await client.startServer();
    console.log('Server started.');
  } catch (error) {
    console.error('Initialization error:', error);
  }
})();

🔄 CRUD Operations

Write a Record (Insert or Update)

The writeRecord method allows you to insert or update records based on the specified primary key. If a record with the same key exists, it merges the new data with the existing one; otherwise, it creates a new entry.

const record = {
  id: 'prod1748',
  name: 'Sample Product',
  price: 355.00,
  // other fields...
};

(async () => {
  const response = await client.writeRecord(record);
  console.log('Write response:', response); // Output: 'OK'
})();

Retrieve a Record

(async () => {
  const record = await client.get('prod1748');
  console.log('Retrieved record:', record);
})();

Delete a Record

(async () => {
  const success = await client.delete('id = "prod1748"');
  console.log('Delete successful:', success); // Output: true
})();

🔍 Querying the Database

(async () => {
  const results = await client.query('price > 300 AND city = "New York"');
  console.log('Query results:', results);
})();

📄 API Reference

Constructor

new HyperionDBClient(config, primaryKey)

  • config: An object containing configuration settings.
    • numShards: Number of shards.
    • dataDir: Directory where shards are stored.
    • indexedFields: Array of indexed fields, each as [fieldName, indexType].
    • address: Address and port of the HyperionDB server (e.g., '127.0.0.1:8080').
  • primaryKey: The primary key field for records (e.g., 'id').

Methods

initialize()

Initializes the database with the provided configuration.

startServer()

Starts the HyperionDB server on the specified address and port.

writeRecord(record)

Inserts or updates a record in the database. If the record exists (based on the primary key), updates the record by merging the new fields. If it doesn't exist, inserts the new record.

  • record: The record object to insert or update.

get(id)

Retrieves a record by its ID.

  • id: The ID of the record to retrieve.

delete(condition)

Deletes records matching the specified condition.

  • condition: A string representing the deletion condition (e.g., 'price < 100').

list()

Lists all records in the database.

query(queryStr)

Queries the database with complex conditions.

  • queryStr: The query string (e.g., 'name CONTAINS "John" AND age > 30').

📝 Examples

Example: Insert and Query

(async () => {
  // Insert multiple records
  await client.writeRecord({ id: '1', name: 'Alice', age: 30 });
  await client.writeRecord({ id: '2', name: 'Bob', age: 25 });
  await client.writeRecord({ id: '3', name: 'Charlie', age: 35 });

  // Query records where age is greater than 28
  const results = await client.query('age > 28');
  console.log('Query results:', results);
  // Output: [{ id: '1', name: 'Alice', age: 30 }, { id: '3', name: 'Charlie', age: 35 }]
})();

⚙️ Configuration Options

  • Sharding: Adjust numShards based on your performance and scaling needs.
  • Indexed Fields: Index fields that are frequently used in queries to improve performance.
  • Data Directory: Ensure the dataDir has sufficient permissions and storage space.

📌 Notes

  • Server Readiness: After starting the server, ensure it's ready before performing operations.
  • Error Handling: Wrap your operations in try...catch blocks to handle exceptions.
  • Data Types: Ensure data types of fields match those specified in indexedFields.

🛠️ Development

Building from Source

Clone the repository:

git clone https://github.com/yourusername/hyperiondb.git

Install dependencies:

cd hyperiondb
npm install

Build the module:

npm run build

🖥️ Compatibility

  • Node.js: Requires Node.js version >= 10.
  • Platforms: Windows, macOS, Linux (including ARM architectures).

📄 License

This project is licensed under the MIT License - see the LICENSE file for details.


🙏 Acknowledgements

  • Built with ❤️ using Rust and Node.js.
  • Thanks to the open-source community for their contributions.

📫 Contact

For questions or support, please open an issue on GitHub or contact me at [email protected]


🌟 Contributions

Contributions are welcome! Please read the contributing guidelines before submitting a pull request.


🛡️ Security

If you discover any security-related issues, please email [email protected] instead of using the issue tracker.


🗺️ Roadmap

  • Implement authentication and authorization.
  • Add support for more data types.
  • Improve documentation and examples.
  • Integrate with popular frameworks.

💡 Tips

  • Performance: For better performance, adjust the number of shards based on your system's capabilities.
  • Data Backup: Regularly backup your dataDir to prevent data loss.
  • Logging: Implement logging mechanisms for debugging and monitoring.

❓ FAQ

Q: Can I use HyperionDB in a production environment?

A: While HyperionDB is designed for high performance, please thoroughly test it in your environment before deploying to production.

Q: Does HyperionDB support transactions?

A: Currently, HyperionDB does not support transactions, but this feature is planned for future releases.


Happy coding!