Skip to content

Latest commit

 

History

History
1257 lines (1011 loc) · 28.7 KB

query-helpers.md

File metadata and controls

1257 lines (1011 loc) · 28.7 KB

Query Helpers

All Query Types are composed of Query Helpers. Each query helper denoted in {...} maps to a helper function. The following is a list of query helpers available in MoSQL out of the box.

Helper: 'action'

Defines the action to take in an alter-table statement. The action helper was sufficiently complex to warrant its own helper system.

Example:

{
  type: 'alter-table'
, table: 'users'
, action: {
    renameColumn: {
      from: 'id'
    , to:   'uid'
    }
  }
}
alter table "users" rename column "id" to "uid"

If you need to perform multiple actions, use an array of actions:

{
  type: 'alter-table'
, table: 'users'
, action: [
    { dropConstraint: { name: 'users_pkey' } }
  , { addConstraint: { name: 'users_pkey', primaryKey: [ 'id', 'name' ] } }
  , { addConstraint: { name: 'users_stuff_key', unique: 'name' } }
  , { alterColumn: { name: 'createdAt', default: 'now()' } }
  ]
}
alter table "users"
  drop constraint "users_pkey",
  add constraint "users_pkey" primary key ("id", "name"),
  add constraint "users_stuff_key" unique ("name"),
  alter column "createdAt" set default now()

Playground

Helper: 'alias'

Alias a table. Used wherever the table query helper is used.

Example:

{
  type: 'select'
, table: 'users'
, alias: 'u'
}
select "u".* from from "users" "u"

Playground

Helper: 'orReplace'

Specifies whether or not to replace the view or function.

Result: or replace

{ orReplace: true|false }

Helper: 'temporary'

Specifies whether or not a function or view is temporary.

Result: temporary

{ temporary: true|false }

Helper: 'cascade'

Specifies cascading behavior on drop-table. If true, the string cascade will be returned, otherwise nothing is.

Result: cascade

// drop table "users" cascade
{
  type: 'drop-table'
, table: 'users'
, cascade: true
}

Playground

Helper: 'Columns'

Specifies columns to select usually in the format of "table_name"."column_name" as "column_alias".

// select "users"."id", "users"."name"
{
  type: 'select'
, table: 'users'
, columns: ['id', 'name']
}

If you do not provide a value, for the columns helper, it will automatically select * on the primary table specified in the table helper.

Here's a mix-up of various kinds of things that can go in the columns helper:

{
  type: "select"
, table: "users"
, columns: [
    'first_name'
  , { name: 'id', alias: 'user_id' }
  , { name: 'test', table: 'things' }
  , { // Sub-query in column selection
      type: 'select'
    , table: 'consumers'
    , columns: ['id']
    , as: 'u'
    }
  , { // Function in column selection
      type: 'array_agg'
    , expression: {
        type: 'select'
      , table: 'books'
      , columns: ['id']
      }
    }
  ]
}

Playground

Because column selection may have many different variations in form, it is recommended to just stick with the one format that can handle all use-cases:

{
  type: 'select'
, table: 'users'
, columns: [
    // specifying table is not necessary here since it will use users by default
    { name: 'id', alias: 'user_id', table: 'users' }
    /* ... */
  ]
}

Helper: 'Conflict'

The optional ON CONFLICT clause specifies an alternative action to raising a unique violation or exclusion constraint violation error.

See the Postgres Insert Documentation for more information.

Example

{
  type: 'insert'
, table: 'users'
, values: {
    name: 'Bob'
  , email: 'bob@bob.com'
  }
, conflict: {
    target: {
      // When the email column raises a unique exception
      columns: ['email']
    }
  , action: {
      // Go ahead and update the name to the name we tried to use
      update: { name: '$excluded.name$' }
      // Optionally, supply a condition for which resolve the conflict in this way
    , where: { id: { $lt: 100 } }
    }
  }
}

Result

insert into "users" ("name", "email") values ($1, $2)
on conflict ("email") do update
  set "name" = "excluded"."name"
  where "users"."id" < $3

Complete list of properties:

{
  conflict: {
    // Target describes
    target: 'for custom targets, you can enter arbitrary strings'
  , target: {
      // The column that will raise the failure
      columns: ['failing_column_name']
      // Index expressions, see Postgres docs
    , expression: 'index_expression'
    , collation: ''
    , opclass: '' || ['', ...]
      // Standard conditional for index expressions
    , where: {...}
      // Additionally, you can specify the exact failing constraint
    , constraint: 'users_id_pkey'
    }
    // Action represents the action to be taken in the event of a conflict
  , action: 'for custom actions, you can enter arbitrary strings'
    // If you want "do nothing" on conflict, just use the string
  , action: 'nothing'
  , action: {
      // A set of key->val pairs to update
      // Works just like standard updates in mosql
      update: {}
      // Conditions on which to update
    , where: {}
    }
  }
}

Helper: 'definition'

Used for the create-table query type to define the schema for a table. Definition has helpers of its own that this query helper references. You can find them in the Column Definitions Document

{
  type: 'create-table'
, table: 'jobs'
, definition: {
    id: {
      type: 'serial'
    , primaryKey: true
    }

  , gid: {
      type: 'int'
    , references: {
        table: 'groups'
      , column: 'id'
      , onDelete: 'cascade'
      }
    }

  , name: {
      type: 'text'
    }

  , createdAt: {
      type: 'timestamp'
    , default: 'now()'
    }
  }
}

Playground

Helper: 'distinct'

Specifies whether or not to select distinct on a query. This query helper has two possible value types: Boolean, Array. If it's a boolean, then it will simply return the 'distinct' keyword in the correct spot as shown in the example below:

// select distinct "users".* from "users"
{
  type: 'select'
, table: 'users'
, distinct: true
}

An array allows you to specify which columns to select distinct on:

// select distinct on ("id", "name") "users".* from "users"
{
  type: 'select'
, table: 'users'
, distinct: ['id', 'name']
}

Playground

Helper: 'expression'

Expression is perhaps the most useful query-helper. If the input is a string, then expression simply returns the string. If the input is an array, then it will expect that each element in the array is a string and join that string on , . The more common use-case is using expression for sub-queries. If you pass in an object, expression will return the result of sending that object through the MoSQL query builder, just as if you were to call the sql function in the Root namespace

Insert values returned by a sub-query

// insert into "users" ("name", "email") (
//   select "other_users"."name", "other_users"."email"
//   from "other_users"
//   where "other_users"."id" = $1
// )
{
  type: 'insert'
, table: 'users'
, columns: [ 'name', 'email' ]
, expression: {
    type: 'select'
  , table: 'other_users'
  , columns: [ 'name', 'email' ]
  , where: { id: 7 }
  }
}

In certain situations, you may want to surround your expression in parenthesis. Use sub-expressions to pass in options to your original expression:

{
  expression: {
    parenthesis: true
  , expression: 'avg( something - another_thing )'
  }
}

Expressions can also be parameterized within the grander query:

// => select $1, $2 from "tbl" where "tbl"."col" = $3
{
  type: 'select'
, table: 'tbl'
, columns: [
    { expression: { expression: '$1, $2', values: [ 3, 4 ] } }
  ]
, where: { col: 'bob' }
}

Playground

See the columns helper examples for more uses of expression.

Helper: 'for'

Used in select queries to specify locking clauses.

The for helper accepts an object containing

  • type: "update" | "share" | "no key update" | "key share"
  • table: string or array of table names
  • noWait: boolean for NOWAIT flag
{
  type: 'update'
, table: 'jobs'
, updates: {
    status: 'working'
  }
, where: {
    id: {
      $in: {
        type: 'select'
      , table: 'jobs'
      , where: { status: 'pending' }
      , limit: 5
      , for: {
          type: 'update'
        }
      }
    }
  }
}

Helper: 'from'

Used in the update query helper to specify a list of table expressions, allowing columns from other tables to appear in the WHERE condition and the update expressions. Pass a string, an array of strings, or a MoSQL query object.

{
  type: 'update'
, table: 'employees'
, updates: {
    sales_count: { $inc: 1 }
  }
, from: 'accounts'
, from: ['accounts', 'users']
, from: {
    type: 'select'
  , alias: 'limited_accounts'
  , table: 'accounts'
  , where: { id: { $gt: 100 } }
  , limit: 5
  }
, where: {
    'accounts.name': 'Acme Corporation'
  , id: '$accounts.sales_person$'
  }
}

Playground

Helper: 'function'

Simply returns the name of the passed function.

// row_to_json(row(1,'foo'))
{
  type: 'function'
, function: 'row_to_json'
, expression: {
    type: 'function'
  , function: 'row'
  , expression: [1, "'foo'"]
  }
}

Playground

Helper: 'groupBy'

Adds a group by clause. GROUP BY will condense into a single row all selected rows that share the same values for the grouped expressions. Pass a string or an array of strings representing columns.

{
  type: 'select'
, table: 'users'
, groupBy: ['id', 'name']
}

Playground

Note: This uses the columns, so feel free to use any functionality defined there.

Helper: 'having'

Adds a having conditional expression. This follows the same semantics as any other conditional express. If the HAVING clause is present, it eliminates groups that do not satisfy the given condition.

{
  type: 'select'
, table: 'users'
, groupBy: ['id', 'name']
, having: { $custom: ['lower(name) > $1', 'bob'] }
}

Helper: 'ifExists'

Adds IF EXISTS condition to drop-table and alter-table query types.

{
  type: 'alter-table'
, ifExists: true
, table: 'users'
, action: {
    renameTable: 'consumers'
  }
}

Playground

Helper: 'ifNotExists'

Add IF NOT EXISTS condition to create-table query type.

{
  type: 'create-table'
, table: 'users'
, ifNotExists: true
, definition: {
    id:   { type: 'serial', primaryKey: true }
  , name: { type: 'text' }
  }
}

Playground

Helper: 'inherits'

Add inheritance to create-table query type.

{
  type: 'create-table'
, table: 'child'
, inherits: ['parent']
}

Playground

Helper: 'join'

[Deprecated] Perform join

Helper: 'innerJoin'

[Deprecated] Perform innerJoin

Helper: 'leftJoin'

[Deprecated] Perform leftJoin

Helper: 'leftOuterJoin'

[Deprecated] Perform leftOuterJoin

Helper: 'fullOuterJoin'

[Deprecated] Perform fullOuterJoin

Helper: 'crossOuterJoin'

[Deprecated] Perform crossOuterJoin

Helper: 'joins'

Add one or more joins of any type to the query. May pass in an array of objects or an object. If you join ordering is required, then you need to use the array syntax.

Array Syntax:

{
  type: 'select'
, table: 'users'
, joins: [
    {
      type: 'left'
    , target: "books"
    , on: {
        userId: '$users.id$'
      }
    }
  ]
}

For a more advanced example, see the Playground.

Object Syntax:

Object syntax will automatically alias tables for you and can be a little more terse:

// select "users".* from "users"
// left join "books" "books" on "books"."userId" = "users"."id"
{
  type: 'select'
, table: 'users'
, joins: {
    // No table or alias specified, but will use books by default
    books: { type: 'left', on: { userId: '$users.id$' } }
  }
}

Optional way to specify schema and database:

As with all object selection in MoSQL, the library consumer can simply pass a string of the following format:

{database}.{schema}.{table}.{column}::{type}{JSON/HStore Operators}

However, parsing that can be a pain. The join helper offers a more semantic approach to building the target object:

// left join "my_database"."my_schema"."books" on "books"."userId" = "users"."id"
{
  type: 'left'
, target: 'books'
, schema: 'my_schema'
, database: 'my_database'
, on: { userId: '$users.id$' }
}

Sub-queries in joins:

Like in a lot of places, joins have a property that will accept sub-queries. The target directive can either specify a string table name or it can be a sub-query like in the Playground example:

{
  type: 'select'
, table: 'users'
, columns: [
    '*'
    // Aggregate each ubooks json row into a json array
  , {
      type: 'to_json'
    , as: 'books'
    , expression: 'ubooks.book'
    }
  ]

  // Where the joining magic happens!
, joins: [
    // Join on the junction table to get all users books ids
    {
      type: 'left'
    , target: "usersBooks"
    , on: { userId: '$users.id$' }
    }

    // Join on the users books ids with the books table
    // Do a sub-select to export the row as JSON
  , {
      type: 'left'
    , alias: 'ubooks'
      // Sub-query in join
    , target: {
        type: 'select'
      , table: 'books'
      , alias: 'b'
      , columns: [ { type: 'row_to_json', expression: 'b', as: 'book' } ]
      }
    , on: { id: '$usersBooks.bookId$' }
    }
  ]
}

Helper: 'limit'

Add a limit to your select query.

// select "users".* from "users" limit 10
{
  type: 'select'
, table: 'users'
, limit: 10
}

Helper: 'offset'

Add an offset to your select query

// select "users".* from "users" limit 10 offset 10
{
  type: 'select'
, table: 'users'
, limit: 10
, offset: 10
}

Helper: 'only'

Used in the alter-table query type to remove a check constraint from one table only. If a truthy value, returns the string only.

{
  type: 'alter-table'
, table: 'users'
, only: true
, action: {
    renameConstraint: {
      from: 'something'
    , to:   'other_thing'
    }
  }
}

Helper: 'order'

Add an ORDER BY clause. There are many different acceptable inputs here best described by an example:

// select "users".* from "users" order by "order"."id" desc, "order"."name" asc
{
  type:     'select'
, table:    'users'

  // Object syntax is the preferable way since it can automatically
  // quote your columns and add in the default table
, order:    { id: 'desc', name: 'asc' }
, order:    ['id desc', 'name asc']
, order:    'id desc'
}

Helper: 'over'

Add an OVER clause. Can take either a string or an object with partition and order.

// select depname, empno, salary, avg(salary) over (partition by "empsalary"."depname" order by salary asc) from empsalary;
{
  type: 'select'
, table: 'empsalary'
, columns: ['depname', 'empno', 'salary', {type: function, function: 'avg', expression: 'salary'}]
, over: {
    partition: 'depname'
  , order: {salary: 'asc'}
  }
}

Helper: 'partition'

Add an PARTITION BY clause. Can take either a string or an array of strings. For use with over.

// select depname, empno, salary, avg(salary) over (partition by "empsalary"."depname") from empsalary;
// select depname, empno, salary, avg(salary) over (partition by "empsalary"."depname", "empsalary"."empno") from empsalary;
{
  type: 'select'
, table: 'empsalary'
, columns: ['depname', 'empno', 'salary', {type: function, function: 'avg', expression: 'salary'}]
, over: {
    partition: 'depname'  // string syntax
    partition: ['depname', 'empno'] // array syntax
  , order: {salary: 'asc'}
  }
}

Helper: 'queries'

Specifies a list of queries to joined together specified by query.joiner. Defaults to a single space. If the query type is union, intersect, or except, the joiner will be the corresponding combination operation.

Example:

{
  type: 'union'
, all: true
, queries: [
    { type: 'select', table: 'users' }
  , { type: 'select', table: 'other_users' }
  ]
};

Result:

select "users".* from "users" union all select "other_users".* from "other_users"

Helper: 'returning'

Specifies what to return an insert or update query type. Valid input is the same as the columns helper:

{
  type: 'insert'
, table: 'users'
, values: {
    name: 'Bob'
  , email: 'bob@bob.com'
  }
, returning: [
    'id'
  , { expression: 'anything goes', alias: 'nose' }
  ]
}
insert into "users" ("name", "email") values ('Bob', 'bob@bob.com')
returning "users"."id", anything goes as "nose";

Helper: 'table'

Specify which table to use in most all query types. May be a string, an array of strings, a MoSQL query object.

{
  type: 'select'
//, table: 'users'
//, table: ['users', 'consumers']
, table: {
    type: 'select'
  , table: 'users'
  , alias: 'u'
  }
}

Playground

Helper: 'updates'

Specifies the updates for an update statement.

{
  type: 'update'
, table: 'employees'
, updates: {
    sales_count: { $inc: 1 }
  }
, from: 'accounts'
, where: {
    'accounts.name': 'Acme Corporation'
  , id: '$accounts.sales_person$'
  }
}

Playground

Note: The updates helper was sufficiently complex to warrant its own helper system.

Helper: 'values'

Specifies values for an insert or update statement. If used in an update statement, will work as an alias for the updates helper. May pass in an object whose keys are the column names and values are the values, or an array of objects for batch inserts.

Each value may be a MoSQL query object for sub-queries.

{
  type: 'insert'
, table: 'users'
, values: {
    name: 'Bob'
  , email: {
      type: 'select'
    , table: 'other_users'
    , columns: [ 'email' ]
    , where: { id: 7 }
    }
  }
}

Batch Inserts:

// insert into "users" ("name", "email", "code") values
// ($1, $2, null), ($3, null, null), ($4, null, $5)
{
  type: 'insert'
, table: 'users'
, values: [
    { name: 'Bob', email: 'bob@bob.com' }
  , { name: 'Tom' }
  , { name: 'Pam', code: 'aas123' }
  ]
}

Helper: 'view'

Used in the create-view query type. Simply returns the string passed in to name the view:

// create view "jobs_gt_10" as
//  select "jobs".* from "jobs"
//  where "jobs"."id" > $1
{
  type: 'create-view'
, view: 'jobs_gt_10'
, expression: {
    type: 'select'
  , table: 'jobs'
  , where: { id: { $gt: 10 } }
  }
}

Helper: 'where'

Used to build conditional clauses in the select, update, and delete query types. The conditional builder has its own helper system.

The where helper is probably the most complex helper in all of MoSQL. Its helpers can have the option of cascading, which means its actions propagate through object levels. You'll find that mostly any combination of helpers-to-values will work because of this.

// select "users".* from "users"
// where "users"."id" = $1 or "users"."name" = $2
{
  type: 'select'
, table: 'users'
, where: { $or: { id: 5, name: 'Bob' } }
}

// select "users".* from "users"
// where "users"."id" = $1 or "users"."name" = $2
{
  type: 'select'
, table: 'users'
, where: { $or: [ { id: 5 }, { name: 'Bob' }] }
}

// select "users".* from "users"
// where "users"."id" = $1 or "users"."id" = $2
{
  type: 'select'
, table: 'users'
, where: { id: { $or: [5, 7] } }
}

Notice how the placement of the conditional helper $or can change. You can pretty much put it anywhere that "looks right" and it will work.

Conditional statements are arbitrarily embeddable.

// select "users".*
// from "users"
// where "users"."id" > 7
//   or "users"."id" < 10
{
  type: 'select'
, table: 'users'
, where: {
    id: { $gt: { $or: [7, { id: { $lt: 10 } }] } }
  }
}

// Or a much nicer way of representing that
{
  type: 'select'
, table: 'users'
, where: {
    id: { $or: { $gt: 7, $lt: 10 } }
  }
}

If $or is not specified at some level, then $and will be used by default. The $or and $and helpers do not cascade. Or rather, their effects are only one object deep:

// select "users".*
// from "users"
// where ("users"."id" = 7
//        and "users"."id" = 8)
//   or ("users"."name" > 'Bob'
//       and "users"."name" < 'Helen')
{
  type: 'select'
, table: 'users'
, where: {
    $or: {
      id: [ 7, 8 ]
    , name: { $gt: 'Bob', $lt: 'Helen' }
    }
  }
}

Notice how id and name are grouped and the groups are joined by an OR clause, but the inside of the groups are joined by AND. This is because $or and $and do not cascade. However, operation like $lte and $gt do cascade:

// select "users".*
// from "users"
// where ("users"."name" > $1
//        or "users"."id" > $2)
//   and ("users"."name" <= $3
//        or "users"."id" <= $4)
{
  type: 'select'
, table: 'users'
, where: {
    $gt:  { $or: { name: 'Bob', id: 10 } }
  , $lte: { $or: { name: 'Sam', id: 100 } }
  }
}

This covers the bulk of the where helper. Just try out anything with the where helper, it will probably figure out what you meant. For a list of all conditional helpers, take a look at the conditional helper docs

Helper: 'window'

Add a window clause:

WINDOW window_name AS ( window_definition ) [, ...]

Example:

{
  type: 'select'
, table: 'foo'
, window: {
    name: 'f'
  , as: {
      partition: 'b'
    , order: { id: 'desc' }
    }
  }
}

Result:

select * from "foo"
window "f" as (
  partition by "b" order by "foo"."id" desc
)

The as object accepts the following query helpers as keys:

From an existing window:

{
  type: 'select'
, table: 'foo'
, window: {
    name: 'f'
  , as: { existing: 'b' }
  }
}

Result:

select * from "foo"
window "f" as ("b")

Helper: 'with'

Add WITH sub-queries before any query type. Valid input is either an array of MoSQL query objects or an object whose keys represent the alias of the WITH sub-query, and the value is a MoSQL query object. If ordering matters for WITH queries, then you should use the array syntax.

{
  type:     'select'
, table:    'users'
, with: {
    otherUsers: {
      type: 'select'
    , table: 'users'
    , where: { columnA: 'other' }
    }
  }
, where: {
    id: {
      $nin: {
        type: 'select'
      , table: 'otherUsers'
      , columns: ['id']
      }
    }
  }
}
with "otherUsers" as (
  select "users".* from "users"
  where "users"."columnA" = $1
)
select "users".* from "users" where "users"."id" not in (
  select "otherUsers"."id" from "otherUsers"
)

Playground

Array Syntax:

{
  type:     'select'
, table:    'users'
, with: [
    {
      type: 'select'
    , table: 'users'
    , name: 'otherUsers'
    , where: { columnA: 'other' }
    }
  , {
      type: 'select'
    , table: 'users'
    , name: 'otherUsers2'
    , where: { columnA: 'other2' }
    }
  , {
      type: 'select'
    , table: 'users'
    , name: 'otherUsers3'
    , where: { columnA: 'other3' }
    }
  ]
, where: {
    id: {
      $nin: {
        type: 'select'
      , table: 'otherUsers'
      , columns: ['id']
      }
    }
  }
}
with "otherUsers" as (
  select "users".* from "users"
  where "users"."columnA" = $1
),
"otherUsers2" as (
  select "users".* from "users"
  where "users"."columnA" = $2
),
"otherUsers3" as (
  select "users".* from "users"
  where "users"."columnA" = $3
)
select "users".* from "users"
where "users"."id" not in (
  select "otherUsers"."id" from "otherUsers"
)

Registering your own helpers

When a MoSQL query object is parsed, it first looks at the type field on the object. It finds the matching query type:

mosql.registerQueryType(
  'select-one-user'
, 'select {columns} from users {joins} {where} limit 1'
);

It then goes through the rest of the properties in the object and sees if the key is declared as a query helper in the query type definition. If it is, and the helper is currently registered in MoSQL, then it will replace the {helper_name} with the result of the query helper function called 'helper_name'. Probably best to just show an example.

mosql.registerQueryType(
  'select-one-user'
, 'select {customColumns} from users {joins} {where} limit 1'
);

// Want to do some custom column behavior
mosql.registerQueryHelper( 'customColumns', function( cols, values, query ){
  var i = cols.indexOf('names');

  // Do some funky JSON formatting
  if ( id > -1 ){
    cols[ i ] = {
      column: "'{\"firstName\":' || users.first_name || ',\"lastName\":' || users.last_name || '}'"
    , as: 'names'
    };
  }

  return mosql.queryHelpers.get('columns').fn( cols, values, query );
});

// select "id", ('{\"firstName\":' || users.first_name || ',\"lastName\":' || users.last_name || '}') as names from users limit 1
mosql.query({
  type: 'select-one-user'
, customColumns: [ 'id', 'names' ]
});

That's sort of just extending the columns helper. How about I just make a simple implemetation of an existing helper:

mosql.registerQueryType(
  'select-one-user'
, 'select {columns} from users {joins} {where} {offset} limit 1'
);

mosql.registerQueryHelper( 'offset', function( offset, values, query ){
  return 'offset $' + values.push( offset );
});

Notice the $. That's used to parameterize your queries. It's up to the helpers to do that. You could have just as easily concatenated the offset value to the string, but you wouldn't get paramaterization. Also, the values array is the second parameter. Just push your value to that array and concatenate the result.

mosql.registerQueryHelper( name, [options], callback )

Alias for mosql.queryHelpers.add

var mosql = require('mongo-sql');

mosql.registerQueryHelper( 'offset', function( offset, values, query ){
  return 'offset $' + values.push( offset );
});

mosql.queryHelpers.add( name, [options], callback )

Registers a new query helper.

Callbacks arguments are: callback( value, values, query )

Arguments:

  • Value - The value from the passed in MoSQL query object for this particular helper.
  • Values - The values array. All values no escaped by surrounding '$' signs are pushed to the values array for parameterized queries.
  • Query - This is the whole MoSQL query object passed in by the user.
var mosql = require('mongo-sql');

// Updates query helper for query-type: 'update'
mosql.registerQueryHelper( 'updates', function($updates, values, query){
  var output = "set ";

  var result = Object.keys( $updates ).map( function( key ){
    if (updateHelpers.has(key))
      return updateHelpers.get(key).fn($updates[key], values, query.__defaultTable);
    if ($updates[key] === null)
      return utils.quoteObject(key) + ' = null';
    return utils.quoteObject(key) + ' = $' + values.push($updates[key]);
  });

  return result.length > 0 ? ('set ' + result.join(', ')) : '';
});

mosql.queryHelpers.has( name )

Returns a boolean denoting whether or not a query helper exists.

mosql.queryHelpers.get( name )

Returns the query helper interface: { fn, options }.