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

sql-next

v1.2.1

Published

An api wrapper around node-mysql

Downloads

23

Readme

Travis NPM NPM Discord Github

SQL-next is a wrapper around node-mysql, which provides MongoDB like queries and promise-based api.

Features

  • JSON queries
  • Protection from sql-injection
  • Selectors (not yet done)
  • Promise based api

Checkout roadmap to see what's coming.

Installing

$ npm install sql-next

Quick start

An example of finding an item:

import { Client, IConfig } from 'sql-next';

const config: IConfig = {
  host: 'example.com',
  user: 'username',
  password: '123',
  port: 8080,
};

interface Item {
  _id: number;
  header: string;
  body: string;
}

async function init() {
  const client = new Client();

  await client.connect(config);

  console.log('Connected!');

  const db = client.db('name');
  const table = db.table<Item>('tests');

  const item = await table.findOne({ _id: 2 });

  console.log(item);
}

init();

Output:

{
  _id: 2,
  header: 'Hello world!',
  body: 'Lorem ipsum...',
}

API

Class Client:

Class Database:

Class Table:

Interfaces:

Other

Class Client

Methods

  • Client.connect(config: string | IConfig) Connects to mysql server.

    import { Client } from 'sql-next';
    
    const client = new Client();
    
    try {
      await client.connect({
        host: 'example.com',
        user: 'username',
        password: '123',
        port: 8080,
      });
    
      console.log('Connected!');
    } catch (error) {
      console.log('Failed to connect!', error);
    }

  • Client.close() Closes connection.

    await client.close();
    
    console.log('Closed!');

  • Client.db(name: string): Database Returns a new database instance that shares the same connection with Client.

    const client = new Client();
    const db = client.db('users');

  • Client.switchUser(config: ConnectionOptions) Reconnects with new user credentials.

    const client = new Client();
    
    client.switchUser({
      user: 'seconduser',
      password: 'password',
    });

  • Client.query<T>(sql: string): Promise<T> Performs a raw query globally.

    const client = new Client();
    const news = await client.query('SELECT * from `test`.`news`');

Class Database

Methods

  • Database.tables(): Promise<string[]> Returns a list of tables in a database.

    import { Client } from 'sql-next';
    
    const client = new Client();
    const db = client.db('test');
    const tables = await db.tables();
    
    console.log(tables); // ['users', 'news', ...]

  • Database.table<T>(name: string): Table<T> Returns a new table instance that shares the same connection with Client.

    import { Client } from 'sql-next';
    
    const client = new Client();
    const db = client.db('test');
    const table = db.table('news');
    
    const news = await table.find();
    
    console.log(news); // [{_id: 1, title: 'lorem ipsum'}, ...]

Properties

  • Database.name

Class Table<T>

Methods

  • Table.find(filter?: IQueryFilter<T>, options?: IQueryOptions): Promise<T[]> Fetches multiple items from a table. You can also set an offset or a limit, by setting options. See todo for advanced filtering.

    const table = db.table('news');
    
    const news = await table.find({ _authorId: 2 }, { offset: 2, limit: 10 });

  • Table.findOne(filter?: IQueryFilter<T>): Promise<T[]> Returns a single item from a table. See todo for advanced filtering.

    const table = db.table('news');
    
    const item = await table.findOne({ _id: 11 });

  • Table.count(filter?: IQueryFilter<T>): Promise<number> Counts items in a table.

    const table = db.table('news');
    
    const count = await table.count();
    
    console.log(count); // 141

  • Table.insert(items: T[]): Promise<T[]> Inserts multiple items to a table and returns each of them with replaced _id property.

    const table = db.table('news');
    
    const [first, second] = await table.insert([
      { title: 'Hello world!' },
      { title: 'Lorem ipsum' },
    ]);
    
    console.log(first._id, second._id); // 1, 2

  • Table.insertOne(items: T): Promise<T> Inserts a single item with replaced _id property, coresponding to added record.

    const table = db.table('news');
    
    const data = await table.insertOne({ title: 'Cooking tips' });
    
    console.log(data); // { _id: 3, title: 'Cooking tips' }

  • Table.update(filter: IQueryFilter<T>, update: IUpdateItem<T>): Promise<T> Updates every items matching filter and replaces their fields with update.

    table.update({ _id: 1 }, { content: 'Hello world!' });

Properties

  • Table.name

Interface IConfig

interface IConfig {
  user?: string;
  password?: string;
  port?: number;
  ssl?: ISSLConfig;
  charset?: string;
  insecureAuth?: boolean;
  socketPath?: string;
  debug?: boolean | string[];
  bigNumberStrings?: boolean;
  connectTimeout?: number;
  dateStrings?: boolean | ('TIMESTAMP' | 'DATETIME' | 'DATE')[];
  host?: string;
  localAddress?: string;
  supportBigNumbers?: boolean;
  timeout?: number;
  timezone?: number;
  trace?: boolean;
}

Interface ISSLConfig

import { SecureContextOptions } from 'tls';

export type ISSLConfig =
  | string
  | (SecureContextOptions & {
      rejectUnauthorized?: boolean;
    });

Interface IQueryFilter

export type IQueryFilter<T> = {
  [P in keyof T]?: Partial<T[P]> | RegExp;
} &
  IQuerySelector<T>;

It means that for a type you pass, it will make every key optional and property as original or a regex expression. Also it will include selectors like $or.

Interface IQuerySelector

export interface IQuerySelector<T> {
  $or?: IQueryFilter<T>[];

Interface IQueryOptions

export interface IQueryOptions {
  limit?: number;
  offset?: number;

Other

Advanced filtering

Let's say we want to find a group of items with _authorId field equals to 2.

We can do it like this:

const table = db.table('news');

table.find({ _authorId: 2 });

And what if we want _categoryId to be 1.

table.find({
  _authorId: 2,
  _categoryId: 1,
});

You can see, that combining properties together works as AND selector.

There are other selectors as well.

$or

This will search for the items with _authorId = 2 and _categoryId = 1 or 2.

table.find({
  _authorId: 2,
  $or: [{ _categoryId: 1 }, { _categoryId: 2 }],
});