Security News
Oracle Drags Its Feet in the JavaScript Trademark Dispute
Oracle seeks to dismiss fraud claims in the JavaScript trademark dispute, delaying the case and avoiding questions about its right to the name.
@forty-boy/sql
Advanced tools
A MySQL Library for Node.js
Currently creating this as a hobby project, but we'll see where it goes.
npm install @forty-boy/sql
OR yarn add @forty-boy/sql
const Forty = require('@forty-boy/sql')
import Forty from '@forty-boy/sql'
import { Table } from '@forty-boy/sql'
.env
file at root with values for corresponding keys in .env-example
found herenpm install
OR yarn install
.env
file at root with values for corresponding keys in .env-example
npm run dev
OR yarn run dev
userTable.create(...args)
can now be written as await userTable.createAsync(...args)
Query
as an abstraction.
TableQuery
or DatabaseQuery
SqlService
is now an abstraction
TableService
or DatabaseService
userTable.find({ columns: ['id', 'createdAt'] });
For the rest of these examples we'll be using this user table
class UserSchema {
id?: number; // This is nullable for Create calls
fullName: string;
dateOfBirth: Date;
constructor(id: number, fullName: string, dateOfBirth: Date) {
this.id = id;
this.fullName = fullName;
this.dateOfBirth = dateOfBirth;
}
}
type UserDateset = Array<UserSchema>;
export class UserTable extends Table<UserSchema> {
constructor(tableName: string, users: UserDataset = []) {
super(tableName, UserSchema, users);
}
}
async createProducts(): Promise<void> {
return new Promise((resolve, reject) => {
try {
const tableService = new TableService('products');
tableService.create({
columns: [
{
name: 'id',
type: 'INT',
size: 11,
primaryKey: true,
autoIncrement: true,
nullable: false,
},
{ name: 'name', type: 'VARCHAR', size: 255, default: 'Test Product' },
{ name: 'price', type: 'INT', size: 11 },
{ name: 'createdAt', type: 'DATETIME' },
{
name: 'createdBy',
type: 'INT',
nullable: false,
foreignKey: {
referenceId: 'id',
referenceTable: 'users',
},
},
]
}).subscribe((res) => resolve());
} catch (err) {
return reject(err);
}
})
}
userTable.insert({
fullName: 'Blaze Rowland',
dateOfBirth: new Date(1997, 11, 14),
});
userTable
.find({
columns: ['id', 'fullName'],
condition: { id: 1 },
})
.subscribe((users) => console.log(users));
userTable
.findOne({
columns: ['id'],
condition: {
fullName: 'Blaze Rowland',
},
})
.subscribe((user) => console.log(user));
userTable
.findAmount({
columns: ['id'],
condition: {
fullName: 'Blaze Rowland',
},
}, 3)
.subscribe((user) => console.log(user));
userTable
.update({
values: { fullName: 'Rylee Brown' },
condition: { id: 1 },
})
.subscribe((res) => console.log(res));
userTable
.findOne({
columns: ['id'],
condition: {
id: 1,
},
})
.subscribe({
next: (user) =>
userTable
.update({
values: { fullName: 'Forrest Rowland' },
condition: { id: user.id },
})
.subscribe((res) => console.log(res)),
});
userTable
.findOne({
columns: ['id'],
condition: {
fullName: 'Forrest Rowland',
},
})
.subscribe({
next: (user) => {
productTable
.insert({
name: 'Pacifier',
price: 5,
createdAt: new Date(),
createdBy: user.id,
})
.subscribe((res) => console.log(res));
},
});
productTable.delete({ id: 1 });
productTable
.join({
joinType: 'INNER JOIN',
columnsToSelect: [
{ column: 'name' },
{ column: 'price' },
{ column: 'fullName', as: 'userName', table: userTable.tableName },
{ column: 'dateOfBirth', table: userTable.tableName },
],
columnsOn: [
{
from: { column: 'id', table: userTable.tableName },
to: { column: 'createdBy', table: productTable.tableName },
},
],
})
.subscribe((res) => console.log(res));
productTable
.join({
joinType: 'LEFT JOIN',
columnsToSelect: [
{ column: 'name' },
{ column: 'price' },
{ column: 'fullName', as: 'userName', table: userTable.tableName },
{ column: 'dateOfBirth', table: userTable.tableName },
],
columnsOn: [
{
from: { column: 'id', table: userTable.tableName },
to: { column: 'createdBy', table: productTable.tableName },
},
],
})
.subscribe((res) => console.log(res));
productTable
.join({
joinType: 'RIGHT JOIN',
columnsToSelect: [
{ column: 'name' },
{ column: 'price' },
{ column: 'fullName', as: 'userName', table: userTable.tableName },
{ column: 'dateOfBirth', table: userTable.tableName },
],
columnsOn: [
{
from: { column: 'id', table: userTable.tableName },
to: { column: 'createdBy', table: productTable.tableName },
},
],
})
.subscribe((res) => console.log(res));
productTable
.union({
columns: ['id', 'name'],
conditions: {
id: '1',
},
all: true,
union: {
table: userTable.tableName,
columns: ['id', 'fullName'],
conditions: {
id: '1',
},
},
})
.subscribe((res) => console.log(res));
Create an instance of the SQL Service
const sqlService = new SqlService('users')
Add Columns:
userTable.alter({
columnsToAdd: [
{
name: 'location',
type: 'VARCHAR',
size: 255,
}
]
}).subscribe((res) => console.log(res))
Alter Columns:
userTable.alter({
columnsToModify: [
{
name: 'firstName',
newName: 'fullName',
type: 'VARCHAR',
size: 255,
},
],
});
Remove Columns:
userTable.alter({
columnsToRemove: [
{
name: 'lastName',
},
],
});
columnsToAdd
, columnsToAlter
, and columnsToRemove
can all be added to the alterAbleQuery like so:
userTable.alter({
columnsToAdd: [
{
name: 'location',
type: 'VARCHAR',
size: 255,
},
],
columnsToModify: [
{
name: 'firstName',
newName: 'fullName',
type: 'VARCHAR',
size: 255,
},
],
columnsToRemove: [
{
name: 'lastName',
},
],
});
userTable().drop();
const fortyDatabase = new Database('forty');
fortyDatabase.create();
Option 1
fortyDatabase.databaseName = 'newDatabase';
fortyDatabase.switch();
Option 2
fortyDatabase.switch('newDatabase');
Option 1
// This will throw an error if you haven't FIRST switched databases.
fortyDatabase.delete();
Option 2
fortyDatabase.delete('newDatabase');
FAQs
A MySQL Library for Node.js
We found that @forty-boy/sql demonstrated a not healthy version release cadence and project activity because the last version was released a year ago. It has 1 open source maintainer collaborating on the project.
Did you know?
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.
Security News
Oracle seeks to dismiss fraud claims in the JavaScript trademark dispute, delaying the case and avoiding questions about its right to the name.
Security News
The Linux Foundation is warning open source developers that compliance with global sanctions is mandatory, highlighting legal risks and restrictions on contributions.
Security News
Maven Central now validates Sigstore signatures, making it easier for developers to verify the provenance of Java packages.