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

mysql-promise-extension

v1.0.1

Published

An ES6 Promise based extension for the MySQL module with helper functions for a more simple usage, mainly with transactions.

Downloads

163

Readme

MySQL Promise Extension

This module decorates the objects: connection and pool, from the mysql module, with more functionality and support to ES6 promises. It was written with the goal to define queries and transactions with less effort.


Installation

It's available through the NPM package:

npm install --save mysql (peer dependency)
npm install --save mysql-promise-extension

Usage

This module exports two factory functions. One for connections: createConnection(options), and another for the pool: pool(options). The options are the same as the options from the mysql module.

connection

The connection object returned by the factory function createConnection(options) is the same as the connection object from the mysql module, but with the extended functionality provided by this module. So, you have access to all original properties and functions from the mysql module in the case you need it.

The principal extended functions are:

  • execute(query)
  • executeTransaction(queryFunctions)

These functions: execute and executeTransaction, provide a simple way to perform queries in the database with less verbose code like: establish and terminate connections or handle the transactions commit/rollback.

The query object is the same as the used in the mysql module.

Also, provides the promisified version of the core functions:

  • connectP(): Wrap function for connection.connect()
  • endP(): Wrap function for connection.end()
  • queryP(query): Wrap function for connection.query(query)
  • beginTransactionP(): Wrap function for connection.beginTransaction()
  • commitTransactionP(): Wrap function for connection.commit()
  • rollbackP(): Wrap function for connection.rollback()

Examples with async/await

First of all, lets see how the execute and executeTransaction are used:

const createConnection = require('mysql-promise-extension').createConnection
const options = { ... }

const getHobbiesAndUsers = (async () => {
	const queryHobbies = 'select name from HOBBY'
	const queryUsers = 'select name from USER'
	const [hobbies, users] = await createConnection(options).execute([queryHobbies, queryUsers])
	return { hobbies, users }
})

const getHobbiesFromUser = (async () => {
	const queryHobbies = {
		sql: 'select hobby_name as name from USER_HOBBY where user_id=?',
		values: [1]
	}
	const hobbies = await createConnection(options).execute(queryHobbies)
	return hobbies
})

const createUserAndHobby = (async () => {
	const queryCreateUser = () => ({
		sql: 'insert into USER (name) values(?);',
		values: ['bob']
	})

	const queryCreateAssociationWithHobby = previousQueryResult => ({
		sql: 'insert into USER_HOBBY (user_id, hobby_name) values(?,?);',
		values: [previousQueryResult.insertId, 'soccer']
	})

	const result = await createConnection(options).executeTransaction([queryCreateUser, queryCreateAssociationWithHobby])
	return result.affectedRows
})

With the execute function, we only need to define the queries to pass as a argument and can be more than one.

The executeTransaction function is slightly different. As we can see, it receives an array of functions. Those functions can receive one argument, which is the result of the previous query. It's useful for cases where we need the result of the previous query. The functions return a query object identical to the object used in the execute function. The executeTransaction uses the waterfall implementation approach to preserve the sequential order. If any error is thrown during the transaction, then rollback will be done automatically.

Now, lets see with the promisified functions:

const createConnection = require('mysql-promise-extension').createConnection
const options = { ... }

const getHobbiesAndUsers = (async () => {
	const connection = createConnection(options)
	try {
		await connection.connectP()
		const [hobbies, users] = await Promise.all([connection.queryP('select name from HOBBY'), connection.queryP('select name from USER')])
		return { hobbies, users }
	}
	finally {
		await connection.endP()
	}

	return null
})
		
const getHobbiesFromUser = (async () => {
	const connection = createConnection(options)
	try {
		await connection.connectP()
		const hobbies = await connection.queryP('select hobby_name as name from USER_HOBBY where user_id=1')
		return hobbies
	}
	finally {
		await connection.endP()
	}

	return null
})

const createUserAndHobby = (async () => {
	const connection = createConnection(options)
	await connection.connectP()
	try {
		await connection.beginTransactionP()
		
		const createUser = await connection.queryP({
			sql: 'insert into USER (name) values(?);',
			values: ['bob']
		})

		const createHobby = await connection.queryP({
			sql: 'insert into USER_HOBBY (user_id, hobby_name) values(?,?);',
			values: [createUser.insertId, 'soccer']
		})
	
		await connection.commitTransactionP()

		return createHoby.affectedRows
	}
	catch(err) {
		await connection.rollbackP()
	}
	finally {
		await connection.endP()
	}

	return 0
})

pool

If you want to use a pool of connections, you can get it through the factory function pool(options). The factory function returns an object identical to the MySql module's pool object, but, like the connection, is extended with more functionality.

The extended functions are:

  • getConnectionP(): Wrap function for pool.getConnection()
  • queryP(query): Wrap function for pool.query(query)
  • execute(query)
  • executeTransaction(queryFunctions)

Where the functions with suffix "P" are the promisified functions, and the last two functions: execute and executeTransaction, provide the same functionality as the functions, with same names, from the connection object.

Examples

With the execute and executeTransaction functions (the same use as in the connection):

const options = { ... }
const pool = require('mysql-promise-extension').pool(options)

const getHobbiesAndUsers = (async () => {
	const queryHobbies = 'select name from HOBBY'
	const queryUsers = 'select name from USER'
	const [hobbies, users] = await pool.execute([queryHobbies, queryUsers])
	return { hobbies, users }
})

const getHobbiesFromUser = (async () => {
	const queryHobbies = {
		sql: 'select hobby_name as name from USER_HOBBY where user_id=?',
		values: [1]
	}

	const hobbies = await pool.execute(queryHobbies)
	return hobbies
})

const createUserAndHobby = (async () => {
	const queryCreateUser = () => ({
		sql: 'insert into USER (name) values(?);',
		values: ['bob']
	})

	const queryCreateAssociationWithHobby = previousQueryResult => ({
		sql: 'insert into USER_HOBBY (user_id, hobby_name) values(?,?);',
		values: [previousQueryResult.insertId, 'soccer']
	})

	const result = await pool.executeTransaction([queryCreateUser, queryCreateAssociationWithHobby])
	return result.affectedRows
})

With the promisified functions:

const options = { ... }
const pool = require('mysql-promise-extension').pool(options)

const getHobbiesAndUsers = (async () => {
	const [hobbies, users] = await pool.queryP('select name from HOBBY; select name from USER;')
	return { hobbies, users }
})

const getHobbiesFromUser = (async () => {
	// Use the connection directly from the pool
	const connection = await pool.getConnectionP()
	try {
  	const hobbies = await connection.queryP('select hobby_name as name from USER_HOBBY where user_id=1')
		return hobbies
	}
	finally {
		// Don't forget to release it
		connection.release()
	}

	return null
})

const createUserAndHobby = (async () => {
	const connection = await pool.getConnectionP()
	try {
		await connection.beginTransactionP()
		
		const createUser = await connection.queryP({
			sql: 'insert into USER (name) values(?);',
			values: ['bob']
		})

		const createHobby = await connection.queryP({
			sql: 'insert into USER_HOBBY (user_id, hobby_name) values(?,?);',
			values: [createUser.insertId, 'soccer']
		})

		await connection.commitTransactionP()

		return createHobby.affectedRows
	}
	catch(err) {
		await connection.rollbackP()
	}
	finally {
		connection.release()
	}

	return 0
})

Bugs/Requests

GitHub issues

Todo List:

  • Create the proper documentation.
  • Able to extend the PoolCluster functionality.