Socket
Book a DemoInstallSign in
Socket

@caitken-com/simple-sql-builder

Package Overview
Dependencies
Maintainers
1
Versions
3
Alerts
File Explorer

Advanced tools

Socket logo

Install Socket

Detect and block malicious and high-risk dependencies

Install

@caitken-com/simple-sql-builder

Simple Query Builder

1.1.0
latest
Source
npmnpm
Version published
Maintainers
1
Created
Source

Simple SQL Builder

Generates query strings ready for execution, with built-in parameter escaping & quoting, and helpful clause builder.

Public methods

  • select
  • insert
  • delete
  • update
  • joins
  • order
  • group
  • where
  • having
  • limit
  • params
  • fromJson
  • build

select

Takes an {object} with the following keys:

paramtypecomment
table{string/object}'table_name' / {'table_name': 'alias'} ^
columns{string[]}List of columns to fetch
query{object}[optional] Pre-built inner query. ^table isn't required with this option. {'alias': 'pre-built query'}

Returns self, chainable.

// Simple query example
let query = new SimpleSqlBuilder()
.select({
    'table': {'users': 'user'},
    'columns': [
        'user.first_name',
        'user.last_name',
        'YEAR(user.date_added) AS alumni'
    ]
})
.build();

/** Output:
SELECT `user`.`first_name`, `user`.`last_name`, YEAR(`user`.`date_added`) AS `alumni`
FROM `users` AS `user`
*/
---


// Inner query example
let inner = new SimpleSqlBuilder()
.select({
    'table': {'orders': 't'},
    'columns': [
        'MAX(t.date_added) AS date_added',
    ]
})
.where([
    ['t.type', '=', '?'],
])
.group([
    't.type',
])
.params([
    'Fish',
])
.build();

// Main/outer query
let query = new SimpleSqlBuilder()
.select({
    'query': {'joiner': inner},
    'columns': [
        'order.*',
    ]
})
.joins([
    {
        'type': 'inner',
        'table': { 'orders': 'order' },
        'using': [
            'date_added'
        ]
    }
])
.where([
    ['order.type', '=', '?'],
])
.group([
    'order.type'
])
.params([
    'Fish'
])
.build();

/* Output:
SELECT `order`.*
FROM (
    SELECT MAX(`t`.`date_added`) AS `date_added`
    FROM `orders` AS `t`
    WHERE `t`.`type` = 'Fish'
    GROUP BY `t`.`type`
) AS `joiner`
INNER JOIN `orders` AS `order` USING (`date_added`)
WHERE `order`.`type` = 'Fish'
GROUP BY `order`.`type`
*/

insert

Takes an {object} with the following keys:

paramtypecomment
table{string}'table_name'
columns{object}{column: value} pairs
duplicates{string}[optional] Update clause on duplicate. Caution: string not escaped

Returns self, chainable.

let query = new SimpleSqlBuilder()
.insert({
    'table': 'users',
    'columns': {
        'first_name', '?',
        'last_name', '?',
        'age': '?'
    },
    'duplicates': 'age = age + 1'
})
.params([
    'John',
    'Doe',
    30
]);

delete

Takes an {object} with the following keys:

paramtypecomment
table{string/object}'table_name' / {'table_name': 'alias'}

Returns self, chainable.

let query = new SimpleSqlBuilder()
.delete({
    'table': {'users': 'user'}
})
.where([
    ['user.id','=','?'],
])
.params([
    47,
]);

update

Takes an {object} with the following keys:

paramtypecomment
table{string/object}'table_name' / {'table_name': 'alias'}
columns{object}{column: value} pairs

Returns self, chainable.

let query = new SimpleSqlBuilder()
.update({
    'table': {'users': 'user'},
    'columns': {
        'age': '?'
    }
})
.where([
    ['user.id','=','?'],
])
.params([
    47,
    30,
]);

joins

Takes an {object[]} with the following keys:

paramtypecomment
type{string}inner / outer / left / right / cross
table{string/object}'table_name' / {'table_name': 'alias'}
conditions{array}@see where for more information ^
using{string[]}[Optional] List of columns from inner query. ^conditions not required with this option.

Returns self, chainable.

let query = new SimpleSqlBuilder()
.select({
    'table': {'users': 'user'},
    'columns': ['user.*']
})
.joins([
    {
        'type': 'left',
        'table': {'orders': 'order'},
        'conditions': [
            ['order.user_id', '=', 'user.id']
        ]
    },
    // Repeat for each join...
]);

order

Takes an {array} of strings or objects:

typecomment
{string[] / object[]}'alias.column' / {'alias.column': 'asc' / 'desc'}

Returns self, chainable.

let query = new SimpleSqlBuilder()
.order([
    'user.id',
    {'user.first_name': 'desc'},
]);

group

Takes an {array} of strings:

typecomment
{string[]}'alias.column'

Returns self, chainable.

let query = new SimpleSqlBuilder()
.group([
    'user.age',
    'user.last_name',
]);

where

Takes an {array} of any of the following conditions:

typecomment
{array}[column, operator, value] See below for all operators.
{object}{or / and: []} Closure with keyword of or or and to combine array of conditions.
{string}Allows for advanced SQL functions. Caution: string not escaped.

Returns self, chainable.

let query = new SimpleSqlBuilder()
.where([
    ['user.active', '=', true],
    {
        'or': [
            ['user.first_name', '=', '?'],
            ['user.last_name', '=', '?'],
        ]
    },
])
.params([
    'John',
    'Doe'
]);

// Output: WHERE `user`.`active` = 1 AND (`user`.`first_name` = 'John' OR `user`.`last_name` = 'Doe')

Operators:

  • = Equals. ['user.age', '=', '?'].
  • <= Less than or equals. ['user.age', '<=', '?'].
  • >= More than or equals. ['user.age', '>=', '?'].
  • < Less than. ['user.age', '<', '?'].
  • > More than. ['user.age', '>', '?'].
  • != Not equal. ['user.age', '!=', '?'].
  • <> Not equal. ['user.age', '<>', '?'].
  • is Typically used with value of null. ['user.age', 'is', null].
  • is not Typically used with value of null. ['user.age', 'is not', null].
  • between Value must be an array of ["start", "end"] values. ['user.age', 'between', ['?','?']].
  • in Value must be an {array} ['user.age', 'in', ['?','?','?']].
  • not in Value must be an {array} ['user.age', 'not in', ['?','?','?']].
  • contains Performs a LIKE condition in which column value contains given value value. ['user.age', 'contains', '?'].
  • begins Performs a LIKE condition in which the column value starts with given value. ['user.age', 'beings', '?'].
  • ends Performs a LIKE conditions in which the column value ends with given value. ['user.age', 'ends', '?'].

having

Takes an {array} of conditions. @see where for more information.

Returns self, chainable.

limit

Takes either a {number} / {array}: 10 / [offset, limit]

Returns self, chainable.

// Limit
let query = new SimpleSqlBuilder()
.limit(10);

---

// Offset, limit
let query = new SimpleSqlBuilder()
.limit([100, 15]);

params

Takes either {array} of values, or {object} of key:value pairs.

Returns self, chainable.

// Numeric array of params
let query = new SimpleSqlBuilder()
.where([
    ['user.first_name', '=', '?'],
    ['user.age', '=', '?'],
    ['user.nickname', '=', '?'],
])
.params([
    'John',
    30,
    'John',
]);

---

// Placeholder key-value params
let query = new SimpleSqlBuilder()
.where([
    ['user.first_name', '=', '?:name'],
    ['user.age', '=', '?:age'],
    ['user.nickname', '=', '?:name'],
])
.params({
    'name': 'John',
    'age': 30
});

fromJson

Static method takes {JSON} with any of the above public methods as keys and returns the output of the build method.

Returns {string} The completed SQL statement.

let query = SimpleSqlBuilder.fromJson({
    'select': {
        'table': {'users': 'user'},
        'columns': ['user.*']
    },
    'where': [
        ['user.first_name', '=', '?'],
    ],
    'params': [
        'John'
    ],
    'limit': 10
});

console.log(query);

// Output: SELECT `user`.* FROM `users` AS `user` WHERE `user`.`first_name` = 'John' LIMIT 10

build

Returns {string} The completed SQL statement.

let query = new SimpleSqlBuilder()
.select({
    'table': {'users': 'user'},
    'columns': ['user.*']
})
.where([
    ['user.first_name', '=', '?'],
])
.limit(10)
.params([
    'John',
])
.build();

console.log(query);

// Output: SELECT `user`.* FROM `users` AS `user` WHERE `user`.`first_name` = 'John' LIMIT 10

Keywords

sql

FAQs

Package last updated on 12 Oct 2023

Did you know?

Socket

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.

Install

Related posts

SocketSocket SOC 2 Logo

Product

About

Packages

Stay in touch

Get open source security insights delivered straight into your inbox.

  • Terms
  • Privacy
  • Security

Made with ⚡️ by Socket Inc

U.S. Patent No. 12,346,443 & 12,314,394. Other pending.