kp-mysql-models
The kp-mysql-models
is a mysql query builder light weight library that simplifies interactions with MySQL databases and it's promise-based Node.js ORM tool. It streamlines tasks such as creating, inserting, updating, and deleting records, and handles complex operations like joins, pagination, and conditionals. Its intuitive and efficient approach can greatly expedite development, saving both time and effort.
Installation And Import it into your project
npm i kp-mysql-models
const { BaseModels } = require("kp-mysql-models");
OR
npm i @krishnapawar/kp-mysql-models
const { BaseModels } = require("@krishnapawar/kp-mysql-models");
Features
- Intuitive CRUD operations: Create, Read, Update, and Delete.
- Advanced relationship handling:
hasOne
, belongsTo
, hasMany
. - Built-in soft delete functionality.
- Dynamic pagination and filtering.
- Simplified advanced joins.
- Comprehensive helper methods for efficiency.
Setting Up
MySQL Connection
Ensure you have a MySQL connection set up using the mysql
library:
const mysql = require("mysql");
const pool = mysql.createPool({
connectionLimit: 10,
host: "localhost",
user: "root",
password: "",
database: "test",
});
Basic Model Setup
Create a model for the users
table:
const { BaseModels } = require("@krishnapawar/kp-mysql-models");
const User = new BaseModels({
_table: "users",
_connection: pool,
});
Defining Models
Create model classes by extending BaseModels
for better organization and customization:
Example Steps 1
1 Define the User Class: Extend BaseModels to create a model for the users table.
2 Initialize Connection: Use the super() method to pass the database connection (e.g., pool) to the BaseModels class.
3 Export the Model: Export User to make it accessible across the project.
const { BaseModels } = require("@krishnapawar/kp-mysql-models");
const { pool } = require("./db");
class User extends BaseModels {
constructor() {
super(pool);
}
}
module.exports = User;
Example Steps 2
const { BaseModels } = require("@krishnapawar/kp-mysql-models");
class User extends BaseModels {
constructor() {
super(pool);
this._table = "users";
}
}
module.exports = User;
Example Steps 3
We can customize other model settings such as soft delete, hidden fields, and fields to show. Here's how you can implement this:
const { BaseModels } = require("@krishnapawar/kp-mysql-models");
const { pool } = require("./db");
class User extends BaseModels {
constructor() {
super();
this._table = "users";
this._connection = pool;
this._softDelete = false;
this._hidden = ['password'];
this._show = ['id', 'name', 'email'];
}
}
module.exports = User;
Note:-
This code snippet ensures that the table name (users), the database connection (pool) and other settings are explicitly set within the User class constructor
if they are not automatically handled.
Usage Examples
Fetching Data
const firstUser = await User.first();
const users = await User.get();
const filteredUsers = await User.where({ role: "admin" }).get();
CRUD Operations
await User.create({ name: "John Doe", email: "john@example.com" });
await User.where({ id: 1 }).update({ name: "John Smith" });
await User.where({ id: 1 }).delete();
const page = await User.pagination({ currentPage: 2, perPage: 10 }).get();
Soft Deletes
await User.where({ id: 1 }).trashed();
await User.where({ id: 1 }).restore();
const deletedUsers = await User.onlyTrashed().get();
const activedUsers = await User.withoutTrashed().get();
let data = await user.trashedAll();
let data = await user.restoreAll();
let data = await user.clearTrash();
Let's see more method's Example
let data = await User.truncate();
let data = await user.deleleAll();
let data = await user.destroy({
where: {
id: 585,
}
});
let data = await User.findOne(13);
The updateOrCreate method updates data if the record exists, or inserts new data if it doesn’t. Specify the fields to update or insert in elements, and conditions in where.
const dataj = await User.updateOrCreate({
elements: {
first_name: "ram",
last_name: "ji",
},
where: {
id: 1223,
}
});
The save method can both insert and update records. If a where condition is provided, it updates matching records; otherwise, it creates a new entry.
const dataj = await User.save({
elements: {
first_name: "ram",
last_name: "ji",
},
});
findOneById()=> Data get by Id you can also use other condition by using obj like {name:"test", date:"12/10/2023"} or simply id
let data = await User.findOneById(13);
Example find() Method
let data = await User.find({
id:12,
name:"test",
date:"12/10/2023"
});
Relationships
Database Relations Using with() Method or with key
The with() method in kp mysql model allows you to establish and query relational data within your models, supporting relationships like hasOne
, belongsTo
, hasMany
, and connect
. This method lets you fetch related data alongside the main record in a structured way, and you can even build multi-level relationships for nested data retrieval.
Note:-
belongsTo
and hasOne
give single response with single object data and other hand hasMany
and connect
, give array object response with multiple object data `.
The best way you can do same like create ralation in model and than call for example
class User extends BaseModel {
constructor() {
super(pool);
}
business(){
return this.hasOne('businesses',{'user_id':'id'});
}
orders(){
return this.hasMany('orders',{'business_id':'business_id'},async()=>{
return {
where:{
order_status:"pending"
}
}
});
}
order_items(){
return this.hasMany('order_items',{'order_id':'order_id'},{
where:{
status:"pending"
}
});
}
menu_item(){
return this.belongsTo('menu_items',{'menu_item_id':'menu_item_id'});
}
init(){
return[
this.orders(),
this.business(),
this.menu_item(),
this.order_items()
]
}
}
export default new User;
Calling in controller
Example 1: Retrieve Related Data
let data = await User.where('id',1).with('business').get();
=>[
{
"id": 1,
"name": "krish",
"email": "krish@test.com",
"password": "1weqweq",
"role": "staff",
"phone": null,
"created_at": "2024-12-20T19:36:05.000Z",
"updated_at": "2024-12-20T19:36:05.000Z",
"business": {
"business_id": 1,
"user_id": 1,
"name": "The Gourmet Kitchen",
"address": "123 Flavor Street, Food City",
"phone": "123-456-7890",
"email": "contact@gourmetkitchen.com",
"created_at": "2024-11-01T16:58:28.000Z",
"updated_at": "2024-12-20T19:37:03.000Z"
}
}
]
Example 2: Retrieve Related Data
let data = await User.where('id',1).with('business',{where:{"business_id": 2}}).get();
=>[
{
"id": 1,
"name": "krish",
"email": "krish@test.com",
"password": "1weqweq",
"role": "staff",
"phone": null,
"created_at": "2024-12-20T19:36:05.000Z",
"updated_at": "2024-12-20T19:36:05.000Z",
"business": {}
}
]
Multi-Level Relationship Example
Retrieve data from multiple nested tables
let data = await User.where('id',1).with({
'business':(q)=>q.setWith({
"orders":(q)=>q.setWith({
'order_items':(q)=>q.setWith('menu_item')
})
})
}).get();
let data = await User.where('id',1).with({
'business':(q)=>q.setWith({
"orders":(q)=>q.setWith({
'order_items':(q)=>q.setWith('menu_item')
},{
where:{
"order_id": 1
}
})
})
}).get();
let data = await User.where('id',1).with({
'business':(q)=>q.setWith({
"orders":(q)=>q.setWith({
'order_items':(q)=>q.setWith('menu_item')
},{
where:{
"order_id": 1
}
})
})
}).with('menu_item',{where:{id:1}}).get();
Note:- the key same as relation method name that we write in model
Same thing we do and achieve by using config object
const data = await user.first({
select: [
"id",
"first_name",
"last_name"
],
with: {
doctor: {
table: "appointments",
limit: 2,
select: ["id", "user_id"],
hasMany: {
user_id: "id",
},
}
},
where: {
id: 585,
},
});
Let's See More Examples using with hasOne
, belognsTo
, hasMany
, connect
in (with:{}).
const data = await user.get({
select: ["id", "created_by_id", "first_name", "last_name"],
with: {
doctor: {
table: "appointments",
limit: 2,
select: ["id", "user_id"],
connect: {
user_id: "id",
},
},
clinic: {
table: "appointments",
limit: 2,
where:{
role_id="5"
},
select: ["id", "user_id"],
hasMany: {
doctor_id: "id",
},
},
},
where: {
created_by_id: "1",
},
});
Advanced Joins with dbJoin() Method and dbWith() Method
The dbJoin() method in kp mysql model enables complex joins for enhanced querying. With options like join, innerJoin, leftJoin, and rightJoin, as well as pagination and sorting, it simplifies fetching related data across tables.
let data = await user
.select("users.id as uId,appointments.id,users.first_name,lab.first_name as lab_name")
.join('appointments',"users.id", "appointments.patient_id")
.innerJoin("users lab","lab.id", "appointments.user_id")
.leftJoin("users lab1","lab1.id", "appointments.user_id")
.rightJoin("users lab2","lab2.id", "appointments.user_id")
.where({
"users.id": 1122,
})
.when(true,(q)=>{
return q.where("appointments.id",1489);
})
.pagination({currentPage:1,perPage:20})
.latest("appointments.id")
.dbJoin();
const data = await user.dbJoin({
table: "users",
limit: 10,
select: [
"users.id as uId",
"appointments.id",
"users.first_name",
"lab.first_name as lab_name",
],
latest: "appointments.id",
join: [
{
type: "hasOne",
table: "appointments",
on: {
"users.id": "appointments.patient_id",
},
},
{
type: "belongsTo",
table: "users lab",
on: {
"lab.id": "appointments.user_id",
},
},
],
where: {
"users.id": 1122,
},
pagination: page,
});
you can also use for this method to join mutlipal table
const data = await user.dbWith({
table: "users",
limit: 10,
select: [
"users.id as uId",
"appointments.id",
"users.first_name",
"lab.first_name as lab_name",
],
latest: "appointments.id",
with: {
hasOne: [
{
table: "appointments",
on: {
"users.id": "appointments.patient_id",
},
},
{
table: "users clinic",
on: {
"clinic.id": "appointments.clinic_id",
},
},
],
belongsTo: [
{
table: "users lab",
on: {
"lab.id": "appointments.user_id",
},
},
],
},
where: {
"users.id": 1122,
},
pagination: page,
});
Note:- we can use left join
, right join
, join
and inner join
instant of hasOne
, belognsTo
, hasMany
, connect
in dbJoin()
,dbWith()
and also with with
.
Helper methods
import all Helper method Example
const {
setDBConnection,
get,
first,
save,
create,
update,
dbJoin,
dbWith,
} = require("kp-mysql-models");
first you have to setup mysql connection for using helper. we can setup by using setBDConnection() method to connect database or we can directly pass mysql pool or db connection object or params in help method look both example in below.
var mysql = require("mysql");
var pool = mysql.createPool({
connectionLimit: 10,
host: "localhost",
user: "root",
password: "",
database: "test",
});
Example 1 for using setDBConnection method
setDBConnection(pool);
const data = await get({
table: "users",
whereNotIn: {
id: [1, 1221],
}
});
OR
You can also pass the connection object to each method directly
Example 2 for directly pass db connection
const data = await get({
table: "users",
whereNotIn: {
id: [1, 1221],
}
},pool);
Available important Helper methods can we use as well
- setBDConnection,
- get,
- first,
- dbQuery,
- trunCate,
- deleleAll,
- destroy,
- create,
- update,
- save,
- dbJoin,
- dbWith,
- BaseModels
- collect
Let's see more Exmaples
create method using for create data
const data = await create({
table: "users",
elements: {
first_name: "ram",
last_name: "ji",
}
});
update method using for updating data
const dataj = await update({
table: "users",
elements: {
first_name: "ram",
last_name: "ji",
},
where: {
id: 1223,
}
});
save method using for create or updating data
const dataj = await save({
table: "users",
elements: {
first_name: "ram",
last_name: "ji",
},
});
Key Methods
Basic Query Methods
get()
: Fetch multiple records.first()
: Fetch the first record.find()
: Retrieve records by conditions.findOne()
: Retrieve single records by conditions.findOneByEmail()
: Fetch a record by its Email.findOneById()
: Fetch a record by its ID.where()
: Apply conditions to filter results.whereOr()
: Apply OR conditions.whereIn()
: Filter records where a column value matches an array.whereNotIn()
: Exclude records where a column value matches an array.whereNull()
: Filter records where a column value is NULL
.whereNotNull()
: Filter records where a column value is not NULL
.whereRaw()
: Apply raw SQL conditions.onlyTrashed()
: Fetch only soft-deleted records.exists()
: Check if a record exists based on conditions.pagination()
: Implement dynamic pagination.join()
: Add basic join clauses.leftJoin()
: Add left join clauses.rightJoin()
: Add right join clauses.innerJoin()
: Add inner join clauses.
CRUD and Other Methods
create()
: Insert new records into the database.update()
: Update existing records.delete()
: Delete records based on conditions.truncate()
: Remove all records from a table.updateOrCreate()
: Update records if they exist or insert them if they don’t.save()
: Create or update records based on conditions.destroy()
: Delete records (supports soft delete).restore()
: Restore soft-deleted records.trashed()
: Soft delete a record.trashedAll()
: Soft delete all records.restoreAll()
: Restore all soft-deleted records.clearTrash()
: delete permanent trashed records.
Relationship Methods
hasOne()
: Define a one-to-one relationship.hasMany()
: Define a one-to-many relationship.belongsTo()
: Define an inverse one-to-one or many-to-one relationship.connect()
: Define a custom connection between tables.
Configuration Keywords
Keyword | Description |
---|
table | Specifies the database table |
select | Columns to retrieve |
where | Apply conditions |
join | Define table relationships |
onlyTrashed | Fetch only soft-deleted records |
pagination | Define pagination settings |
hasOne | Define a one-to-one relationship |
hasMany | Define a one-to-many relationship |
groupBy | Groups records based on specified columns |
raw | Add raw SQL expressions |
Let's More Query Methods in details
-
table(x)
- Specifies the table to query.
- Example:
query.table('users')
-
select(x)
- Defines columns to select.
- Example:
query.select(['id', 'name'])
-
latest(x)
- Sorts records in descending order by a specified column.
- Example:
query.latest('created_at')
-
limit(x)
- Limits the number of records returned.
- Example:
query.limit(10)
-
groupBy(x)
- Groups records by specified columns.
- Example:
query.groupBy('status')
-
raw(x)
- Adds a raw SQL snippet.
- Example:
query.raw('COUNT(*)')
-
having(x)
- Adds a
HAVING
clause. - Example:
query.having('COUNT(id) > 10')
-
onlyTrashed()
- Adds a condition to return only "trashed" (deleted) records.
- Example:
query.onlyTrashed()
Conditional Querying Methods
-
when(c, cb)
- Executes a callback function if a condition is met.
- Example:
query.when(userIsAdmin, q => q.where('role', 'admin'))
-
where(c, v=false)
- Adds a
WHERE
clause with specified conditions. - Example:
query.where('status', 'active')
-
whereOr(c, v=false)
- Adds an
OR WHERE
clause. - Example:
query.whereOr('role', 'user')
-
whereIn(column, values)
- Filters records where the column’s value is in a specified array.
- Example:
query.whereIn('id', [1, 2, 3])
-
whereNotIn(column, values)
- Filters records where the column’s value is not in a specified array.
- Example:
query.whereNotIn('status', ['inactive', 'deleted'])
-
whereNull(column)
- Filters records where the column’s value is
NULL
. - Example:
query.whereNull('deleted_at')
-
whereNotNull(column)
- Filters records where the column’s value is not
NULL
. - Example:
query.whereNotNull('created_at')
-
whereRaw(c)
- Adds a raw
WHERE
clause. - Example:
query.whereRaw('age > 18')
Relationship and Pagination Methods
-
with(c)
- Defines relationships to load with the main query (similar to Eloquent's
with
). - Example:
query.with({ posts: { ... } })
-
pagination(x)
- Configures pagination by setting a
currentPage
and perPage
limit. - Example:
query.pagination({ currentPage: 1, perPage: 20 })
Join Methods
-
rightJoin(x, y, z, cb=false)
- Adds a
RIGHT JOIN
clause. - Example:
query.rightJoin('comments', 'users.id', 'comments.user_id')
-
innerJoin(x, y, z, cb=false)
- Adds an
INNER JOIN
clause. - Example:
query.innerJoin('posts', 'users.id', 'posts.user_id')
-
join(x, y, z, cb=false)
- Adds a
JOIN
clause. - Example:
query.join('orders', 'users.id', 'orders.user_id')
-
leftJoin(x, y, z, cb=false)
- Adds a
LEFT JOIN
clause. - Example:
query.leftJoin('profile', 'users.id', 'profile.user_id')
Finalizing the Query
buildQuery(d=false)
- Finalizes the query structure.
- Returns the full query object (
x
) if d
is true
, or the QueryBuilder
instance itself for chaining.
Some Important config Key Words that can help in that methods,
-
table:
- Represents the fundamental structure for storing data in a relational database.
-
select:
- Used to retrieve specific columns from a table, allowing developers to fetch only the necessary data.
-
elements:
- Denotes individual pieces of data within a table, referring to the distinct values or attributes stored.
-
latest:
- Facilitates the retrieval of the most recent records from a table based on a specified criterion, often a timestamp.
-
limit:
- Restricts the number of records returned in a query, helping manage the quantity of data retrieved.
-
pagination:
- A technique for breaking down large result sets into smaller, manageable chunks, commonly used for displaying data in paginated user interfaces .
-
with:
- Used in ORM frameworks to specify related data that should be retrieved along with the main query, optimizing data retrieval for relationships.
-
connect:
- Establishes connections between tables in an ORM framework, enabling the definition of relationships between entities.
-
hasOne:
- Indicates a one-to-one relationship between tables, specifying that one record in the first table is associated with exactly one record in the second table.
-
belongsTo:
- Denotes the inverse of a "hasOne" relationship, specifying the table that another table is associated with in a one-to-one relationship.
-
hasMany:
- Specifies a one-to-many relationship between tables, where one record in the first table can be associated with multiple records in the second table.
-
join:
- Combines data from multiple tables based on specified conditions, allowing for the retrieval of interconnected information.
-
dbWith:
- Similar to "with," used in ORM frameworks to specify additional data to be retrieved along with the main query, aiding in optimizing data fetching.
-
where:
- Filters data based on specified conditions, allowing developers to narrow down the result set to records that meet certain criteria.
-
whereOr, whereIn, whereNotIn, whereIs, whereIsNull, whereIsNotNull, whereRaw:
- Different variations of the "where" clause, providing flexibility in constructing precise queries with various conditions.
-
on, onOr, onIn, onNotIn, onIs, onRaw:
- Used in join operations to define conditions under which tables are linked, refining the result set based on specific criteria.
-
onlyTrashed:
- Used in the context of soft deletes, indicating that only records marked as deleted should be included in the query results.
-
groupBy:
- Groups query results based on specified columns, allowing for data aggregation using aggregate functions like COUNT or SUM.
- raw:
- Enables the inclusion of raw SQL expressions in a query, providing flexibility for complex queries and custom database operations. Exercise caution to prevent SQL injection vulnerabilities.
- having:
- Specifies conditions on aggregated data, similar to the WHERE clause but used for aggregate functions. For example, filtering groups created by GROUP BY.
Here are the descriptions for the provided where
and on
operations with examples
Where Operations:
-
where:-
- Filters records where the 'id' is equal to 1223.
where: {
id: 1223,
}
-
whereOr:-
- Filters records where the 'id' is equal to 1223 using the logical OR operator, allowing for multiple conditions.
whereOr: {
id: 1223,
}
-
whereIn:-
- Filters records where the 'id' is either 1 or 1221, allowing for multiple values using the IN clause.
whereIn: {
id: [1, 1221],
}
-
whereNotIn:-
- Filters records where the 'id' is not in the list [1, 1221], excluding records with specified values.
whereNotIn: {
id: [1, 1221],
}
-
whereIs:-
- Filters records where the 'last_name' is explicitly set to NULL.
whereIs: {
last_name: "NULL",
}
-
whereIsNot:-
- Filters records where the 'last_name' is not set to NULL.
whereIsNot: {
last_name: "NULL",
}
-
whereRaw:-
- Allows the use of raw SQL conditions, in this case filtering records where 'name' is 'mohan' and 'age' is 30.
whereRaw:"name='mohan' and age=30 "
On Operations:
-
on:-
- Specifies a condition for joining tables based on the 'id' being equal to 1223.
on: {
id: 1223,
}
-
onOr:-
- Specifies a condition for joining tables based on the 'id' being equal to 1223 using the logical OR operator.
onOr: {
id: 1223,
}
-
onIn:-
- Specifies a condition for joining tables based on the 'id' being either 1 or 1221, using the IN clause.
onIn: {
id: [1, 1221],
}
-
onNotIn:-
- Specifies a condition for joining tables based on the 'id' not being in the list [1, 1221], excluding certain values.
onNotIn: {
id: [1, 1221],
}
-
onIs:-
- Specifies a condition for joining tables based on the 'last_name' being explicitly set to NULL.
onIs: {
last_name: "NULL",
}
-
onIsNot:-
- Specifies a condition for joining tables based on the 'last_name' not being set to NULL.
onIsNot: {
last_name: "NULL",
}
-
onRaw:-
- Allows the use of raw SQL conditions for joining tables, in this case specifying conditions where 'name' is 'mohan' and 'age' is 30.
onRaw:"name='mohan' and age=30 "
collect Method
const users = [
{ id: 1, name: 'John Doe', age: 30, contact: { address: 'test', phone: 90876543 } },
{ id: 2, name: 'Jane Doe', age: 25, contact: { address: 'test1', phone: 908765431 } },
{ id: 3, name: 'Mary Jane', age: 35, contact: { address: 'test2', phone: 908765432 } },
{ id: 4, name: 'Peter Parker', age: 28 },
{ id: 5, name: 'Bruce Wayne', age: 32 },
];
const collection = collect(users);
console.log(collection.where('name', '=', 'John Doe').where('age', '<', 40).first());
console.log(collection.whereOr(['name', '=', 'John Doe'], ['age', '<', 30]).toArray());
console.log(collection.whereIn('name', ['John Doe', 'Jane Doe']).toArray());
console.log(collection.whereNotIn('name', ['John Doe', 'Jane Doe']).toArray());
console.log(collection.whereNull('nickname').toArray());
console.log(collection.whereNotNull('name').toArray());
console.log(collection.pluck('contact').toArray());
console.log(collection.pluckDeep('contact.phone').toArray());
console.log(collection.where('contact.phone', '>', 908765430).toArray());
console.log(collection.whereOr(['contact.phone', '=', 90876543], ['contact.address', '=', 'test1']).toArray());
console.log(collection.whereIn('contact.address', ['test', 'test1']).toArray());
console.log(collection.whereNotIn('contact.address', ['test', 'test1']).toArray());
console.log(collection.whereNull('contact.phone').toArray());
console.log(collection.whereNotNull('contact.phone').toArray());
console.log(collection.pluck('contact.phone').toArray());
console.log(collection.where('name', '=', 'John Doe').where('age', '<', 40).first());
const firstUser = collection.first();
const lastUser = collection.last();
const containsJohnDoe = collection.contains(users[0]);
const uniqueAges = collection.pluck('age').unique();
const count = collection.count();
const isEmpty = collection.isEmpty();
const array = collection.toArray();
const chunked = collection.chunk(2);
const orderedByAgeAsc = collection.orderBy('age');
const orderedByAgeDesc = collection.orderBy('age', 'desc');
const totalAge = collection.sum('age');
const averageAge = collection.avg('age');
const groupedByAge = collection.groupBy('age');
const sortedByName = collection.sortBy('name')
const phone = collection.values('contact.phone')
const keys = collection.keys().toArray()
const withoutAge = collect(users).except(['age']).toArray();
const onlyName = collect(users).only(['name']).toArray();
const keyedById = collect(users).keyBy('id').toArray();
const tapped = collect(users).tap(collection => console.log(collection.count())).toArray();
*Let's see more examples
const items = [1, [2, 3], [[4, 5]], [[[6]]]];
const collection = collect(items);
const flattened = collection.flatten().toArray();
const flat1 = collection.flat();
const flat2 = collection.flat(2);
const flatInfinity = collection.flat(Infinity);
const intersected = collect([1, 2, 3]).intersect([2, 3, 4]).toArray();
const diff = collect([1, 2, 3]).diff([2, 3, 4]).toArray();
const items = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10];
const collection = collect(items);
const paginated = collection.paginate(3, 2);
console.log(paginated);
const pageData = paginated.data.toArray();
const numbers = [1, 2, 3, 4, 5, 6];
const collection = collect(numbers);
collection.each(item => console.log(item));
const firstThree = collection.take(3).toArray();
const lastTwo = collection.takeLast(2).toArray();
const sliced = collection.slice(2, 4).toArray();
const reversed = collection.reverse().toArray();
const spliced = collection.splice(2, 2, 'a', 'b').toArray();
License
MIT
Connect with Me
![Twitter](https://img.shields.io/badge/Twitter-%231DA1F2.svg?&style=flat-square&logo=Twitter&logoColor=white)