jcc-express-starter v1.2.8
jcc-express-starter
A Laravel-inspired MVC framework for Express.js
Warning
Note: This package is not recommended for use in production environments. It's intended for learning purposes only. Use in production at your own risk.
jcc-express-mvc Framework Documentation
Table of Contents
- Introduction
- Core Features
- Installation
- Quick Start Guide
- ArtisanNode CLI
- Project Structure
- Routing
- Controllers
- Middelwares
- ORM (jcc-eloquent)
- Validation
- Form Requests
- Service Container & Dependency Injection
- Frontend
- Service Providers
- Helpers -String utility
- TinkerNode
jcc-express-starter
Introduction
jcc-express-mvc is a lightweight Node.js package that simplifies the development of Express.js applications using a structure inspired by Laravel's file organization. It encourages the use of the Model-View-Controller (MVC) architectural pattern, providing a clean and organized approach to building and scaling your Express.js projects.
Core Features
Express.js Framework (jcc-express-starter)
- Sets up an Express.js web application with MVC architecture
- Opinionated project structure for organized code
- Built-in validation methods
- Two routes file for easy route management
- Comes with jsBlade similar to Laravel blade for view rendering, but you can use any templating engine of choice
- Includes configuration with MySQL
- Includes configuration with dotenv
ORM (jcc-eloquent)
- Query Builder with methods for complex SQL operations
- Model system with fillable, guarded, and casts properties
- Relationships, including polymorphic relations (morphMany)
- Event hooks (e.g., creating, booted) for action triggers
- Schema Builder for migrations, inspired by Laravel's schema API
Installation
Prerequisites
Node.js and npm installed
ts-node globally installed
Make sure you have Node.js and npm (Node Package Manager) installed and install ts-node globally on your machine.
To create a new Express.js project using jcc-express-starter
, simply run the following command in your terminal:
npx jcc-express-starter my-express-app
Quick Start Guide
This will create a new directory named my-express-app and set up the Express.js application inside it.
1. Navigate to the newly created directory:
cd my-express-app
2. Configure Environment
Edit the .env file to configure your database and other environment-specific settings. Example .env:
APP_SESSION_SECTRET=app-session-1203-4-556-22
PORT=5500
DB_CONNECTION=mysql
DB_HOST=127.0.0.1
DB_PORT=3306
DB_DATABASE=my_database
DB_USERNAME=root
DB_PASSWORD=password
3. Start the application:
# start vite
npm run watch
# start development server
npm run dev
ArtisanNode CLI
Generate Controllers, Models, Migrations, and Seeders:
ts-node artisanNode make:controller UsersController # Controller
ts-node artisanNode make:model User # Model
ts-node artisanNode make:request UserRequest # Request
ts-node artisanNode make:model User -mcr # Model, Controller, Migration
ts-node artisanNode make:model User -mcsr # Model, Controller, Migration, Seeder
Run Database Migrations:
ts-node artisanNode migrate
ts-node artisanNode migrate:rollback # Undo the last migration
ts-node artisanNode migrate:rollback --steps=3 # Undo multiple migrations
ts-node artisanNode migrate:fresh # Reset migrations and re-run
ts-node artisanNode migrate:reset # Reset migrations
ts-node artisanNode db:seed # Run seeders
ts-node artisanNode db:seed --class=UserSeeder # Check for UserSeeder in the seeders and run the seeder
Project Structure
project-root/
|--app
| |--Config/
| | | --app.ts
| | |--egine.ts
| |--Http
| | |--Controllers/
| | | |--UsersController.ts
| | |--Middlewares/
| | |--Request/
| | | |--UserRequest.ts
| | |--kernel.ts
| |--Models/
| | |--User.ts
| |--Providers
| | |--AppServiceProvider.ts
| | |--RouteServiceProvider.ts
|--bootstrap
| |-app.ts
|--database
| |--migrations
| | |--create_users_table.ts
| |--seeders
| | |--UserSeeder.ts
|--public/
| |--css/
| | |--app.css
| |--js/
| | |--app.js
|--resources/
| |--views/
| | |--partials/
| | | |--header.blade.html
| | |--layout/layout.blade.html
| | |--index.blade.html
| |--css/
| | |--app.css
| |--js/
| | |--app.js
|--routes/
| |--web.ts
| |--api.ts
app/Config/
: Configuration files for the applicationapp/Http/Controllers/
: Controllers handling the application logicapp/Models/
: Models for database interactionsapp/Providers
: Service providers for the applicationpublic/
: Static assets like CSS and JavaScript filesroutes/
: Two routes file (web.js | api.js) where routes are registeredresources/views/
: jsBlade templates for rendering viewsserver.ts
: Main application fileapp/Htpp/kernel.ts
: Global middlewares
Routing
Basic routing is meant to route your request to an appropriate controller. The routes of the application can be defined in route/web.js or route/api.js file. Here is the general route syntax for each of the possible request. You can define the URLs of your application with the help of routes. These routes can contain variable data, connect to controllers or can be wrapped into middlewares.
import { Route } from "jcc-express-mvc/Route";
import { auth } from "jcc-express-mvc";
import { UsersController } from "@Controllers/UsersController";
Route.get("/", (req, res, next) => {
return res.json({ message: "Hello, World" });
});
Or
Route.get("/", [UsersController, "index"]);
Route.middleware(auth).get("/profile", (req, res, next) => {
return res.json({ message: "I'm Authenticated" });
});
Route Group
Route groups in this framework allow for the organization and sharing of route attributes, such as middleware, across multiple routes without the need to specify them individually for each route.
Route.prefix("/users").group((Route) => {
Route.get("/", UsersController.index);
Route.get("/create", UsersController.create);
Route.post("/", UsersController.store);
Route.get("/:id", UsersController.show);
Route.patch("/:id", UsersController.edit);
Route.delete("/:id", UsersController.destroy);
});
Route Prefix
The prefix method adds a string to the beginning of each route name in the group. The method is used to prefix each route name in the group with "users", making it easier to identify and manage routes related to user functionality.
Route.prefix("/users").group((Route) => {
Route.get("/", "index");
Route.get("/create", "create");
Route.post("/", "store");
Route.get("/{id}", "show");
Route.patch("/{id}", "edit");
Route.delete("/{id}", "destroy");
});
Route Controller
If all routes in a group use the same controller, you can use the controller method to set that controller for the whole group. Then, when creating routes, you just need to specify the method they call on that controller.
Route.controller(UsersController).group((Route) => {
Route.get("/", "index");
Route.get("/create", "create");
Route.post("/", "store");
Route.get("/{id}", "show");
Route.patch("/{id}", "edit");
Route.delete("/{id}", "destroy");
});
Routes Parameter
In the jcc-express-mvc
framework, routes often contain parameters that are dynamic values parsed from the URL path. These parameters are defined using placeholders in the route path and are accessible within route handlers via the req.params
object.
Routes parameters can be defined in route paths using placeholders indicated by : or {} followed by the parameter name.
import { Route } from "jcc-express-mvc/Route";
Route.get("/:id", (req, res) => {
console.log(req.params.id);
});
or
import { Route } from "jcc-express-mvc/Route";
Route.get("/{id}", (req, res) => {
console.log(req.params.id);
});
Controllers
The controller UsersController contains methods to handle various user-related actions.
Methods
- create(req, res, next): Renders the view for creating a new user.
- index(req, res, next): Retrieves all users from the database and renders the user index view.
- store(req, res, next): Placeholder method for storing user data.
- show(req, res, next): Renders the view for displaying a specific user.
- edit(req, res, next): Placeholder method for updating user data.
- destroy(req, res, next): Placeholder method for deleting a user. These methods encapsulate the logic for handling different user-related operations within the application.
import { bcrypt, Auth } from "jcc-express-mvc";
import { Request, Response, Next } from "jcc-express-mvc/core/http";
import { User } from "@/Model/User";
export class UsersController {
//
async index(req: Request, res: Response, next: Next) {
return res.json({
message: await User.all(),
});
}
//
async store(req: Request, res: Response, next: Next) {
await req.validate({
name: ["required"],
email: ["required", "unique:users"],
password: ["required", "min:6"],
});
const save = await User.create({
name: req.body.name,
email: req.body.email,
password: await bcrypt(req.body.password),
primary_phone: "7501035",
});
return save
? Auth.attempt(req, res, next)
: res.json({ message: "Invalid credentials" });
}
//
async show(req: Request, res: Response, next: Next) {
return res.json({
message: await User.find(req.params.id),
});
}
}
Middlewares
The Kernel
class in app/Http/kernel.ts
is responsible for managing middleware in your framework. It consists of two main properties:
middleware
: An array of globally registered middleware that runs on every request.middlewareAliases
: An object that allows middleware to be referenced by a string alias when defining route-specific middleware.
Global Middleware
The protected middleware
array contains middleware that will run on every request. Example middleware include:
// app/Http/kernel.ts
export class Kernel {
protected middleware = [
morgan("dev"),
cookieParser(),
cors(),
session({
secret: "ggggggg",
resave: false,
saveUninitialized: false,
cookie: { maxAge: 60000 },
}),
flash(),
fileUpload(),
];
}
Middleware Aliases
Middleware can be referenced by a string alias instead of passing the function directly. This makes route definitions cleaner and easier to read.
Example:
export class Kernel {
protected middleware = [
morgan("dev"),
cookieParser(),
cors(),
session({
secret: "ggggggg",
resave: false,
saveUninitialized: false,
cookie: { maxAge: 60000 },
}),
flash(),
fileUpload(),
];
static middlewareAliases = {
auth:auth,
guest:guest,
};
}
Creating Custom Middleware
Middleware can be created inside the app/Http/Middlewares
directory. Each middleware should be exported so it can be used in routes,registered as an alias or as a global middleware.
// app/Http/Middlewares/AuthMiddleware.ts
export function AuthMiddleware(req, res, next) {
if (!req.user) {
return res.status(401).json({ message: "Unauthorized" });
}
next();
}
You can then import and use this middleware in your Kernel class or directly in routes:
// in routes
import { AuthMiddleware } from "@Middleware/AuthMiddleware";
Route.middleware(AuthMiddleware).get("/home", (req, res, next) => {
return res.inertia("Home");
});
or
import { AuthMiddleware } from "../Http/Middlewares/AuthMiddleware";
export class Kernel {
static middlewareAliases = {
authMiddleware: AuthMiddleware,
};
}
//then use it
Route.middleware(["authMiddleware"]).get("/home", (req, res, next) => {
return res.inertia("Home");
});
Using an Inline Middleware Function
Middleware can also be defined inline as a function:
Route.middleware(function (req, res, next) {
console.log("Custom middleware executed");
next();
}).get("/", (req, res) => {
return res.json({ hello: "Hello" });
});
Summary
Global middleware: Defined in Kernel.middleware and runs on all requests.
Middleware aliases: Allow shorthand referencing of middleware functions in routes.
Custom middleware: Can be created in app/Http/Middlewares and exported for use.
Route-specific middleware: Can be applied as a string (single middleware), an array (multiple middleware), or an inline function.Summary
ORM (jcc-eloquent)
jcc-eloquent
is an ORM for Node.js designed to provide Eloquent-style features and database interaction. It simplifies complex queries and supports models, relationships, mass assignment, and events
Key Features
- Model relationships: hasOne, hasMany, morphMany, etc.
- Eloquent-like mass assignment with fillable and guarded properties
- Attribute casting with casts and hidden properties for sensitive fields
- Event hooks for lifecycle methods (booted, creating, etc.)
- QueryBuilder with chainable methods like select, where, orderBy, and pagination
Basic Usage
Define models with properties like fillable, guarded, hidden, casts, and event hooks.
import { Model } from "jcc-eloquent";
class User extends Model {
// Attributes hidden from JSON serialization
protected static hidden: string[] = ["password"];
// Attributes allowed for mass assignment
protected static fillable: string[] = ["name"];
// Attributes excluded from mass assignment
protected static guarded: string[] = ["role_id"];
// Enables soft delete functionality
protected static softDelete: boolean = true;
// Cast attributes with custom transformations
protected static casts = {
created_at: 'date', // 2024-05-23
created_at:'time',// 12:58
created_at:'datetime'// 2024-05-23 12:58
updated_at:'now'// 2 hours ago
updated_at:'date:d-m-y' // 23-05-2024
updated_at:'date:d/m/y' // 23/05/2024
getEmail: this.getEmail
setEmail: this.setEmail
id:'integer' // return the id as an integer 1;
price:'string' // return the price as an string "20000"
draft:'array' // Will parse or stringyfy the data
};
// Attribute getter - retrieves email in lowercase
protected static getEmail(value)
{
return value.toUppercase()
}
// Attribute setter - sets email in uppercase
protected static setEmail(value)
{
return value.toLowercase()
}
}
Available Relationships
class Post extends Model {
author() {
return this.belongsTo("User", "author");
}
comments() {
return this.hasMany("Comment", "id");
}
likes() {
return this.morphyMany("likes");
}
//Implement custom events to hook into model actions.
static booted(): void {
this.creating((data) => {
// Custom logic before creating a post (e.g., setting defaults)
});
this.created((data) => {
// Custom logic after creating a post (e.g., setting defaults)
});
this.updating((data) => {
// Custom logic before updating a post (e.g., setting defaults)
});
this.updated((data) => {
// Custom logic after updating a post (e.g., setting defaults)
});
this.deleting((data) => {
// Custom logic before deleting a post (e.g., setting defaults)
});
}
}
Querying the Database
import { bcrypt, Auth } from "jcc-express-mvc";
import { Request, Response, Next } from "jcc-express-mvc/core/http";
import { Post } from "@/Model/Post";
import { Blueprint } from "jcc-eloquent/QueryBuilder";
export class PostsController {
//
async index(req: Request, res: Response, next: Next) {
return res.json({
message: await Post.with("author",{comments(query:QueryBuilder)=>query.where('status','active').with('user')
}).paginate(req, 100),
});
}
//
async store(req: Request, res: Response, next: Next) {
const attributes = await req.validate({
name: ["required"],
email: ["required", "unique:post"],
password: ["required", "min:6"],
});
const save = await Post.create({ attributes });
return save
? Auth.attempt(req, res, next)
: res.json({ message: "Invalid credentials" });
}
//
async show(req: Request, res: Response, next: Next) {
return res.json({
message: await Post.find(req.params.id),
});
}
}
Model.all()
Retrieves all records from the database table associated with the current model.
const users = await User.all();
console.log(users);
Model.find(id)
Retrieves a single record from the database table associated with the current model by its ID.
const user = await User.find(1);
console.log(user);
Model.create(data)
Creates one or more records in the database table associated with the current model.
const user = await User.create({
name: "John Doe",
email: "john.doe@example.com",
age: 30,
});
console.log(user);
const users = await User.create([
{ name: "Jane Doe", email: "jane.doe@example.com", age: 28 },
{ name: "John Smith", email: "john.smith@example.com", age: 35 },
]);
console.log(users);
save()
Saves the current instance to the database. If the instance has an id, it performs an update; otherwise, it performs an insert.
const user = new User();
user.name = "Abdou";
await user.save();
Relationship Definitions
hasOne(modelName, foreignKey = null, localKey = "id")
Defines a one-to-one relationship between the current model and another model.hasMany(model, foreignKey = null, localKey = "id")
Defines a one-to-many relationship between the current model and another model.belongsTo(modelName, foreignKey = null, localKey = "id")
Defines a belongs-to relationship between the current model and another model.
Using Relationships
import { QueryBuilder } from "jcc-eloquent/QueryBuilder";
const user = await User.with("posts").get();
const post = await Post.with({ author(query:QueryBuilder) => query.where('status', 'active') } , 'comments').get();
Query Builder Methods
The following methods are available in the query builder:
select(...columns)
distinct()
from(tableName)
where(column, operator, value)
whereLike(column, searchValue)
orWhere(column, operator, value)
orderBy(column, direction)
limit(value)
take(value)
offset(count)
groupBy(...columns)
having(column, operator, value)
join(table, firstColumn, operator, secondColumn)
innerJoin(table, firstColumn, operator, secondColumn)
leftJoin(table, firstColumn, operator, secondColumn)
rightJoin(table, firstColumn, operator, secondColumn)
insert(data)
get()
update(data)
delete(id)
latest(column)
oldest(column)
with(...relations)
each(callback)
map(callback)
value(field)
exists()
doesntExist()
count()
max(column)
min(column)
sum(column)
avg(column)
paginate(request, perPage)
resetQuery()
onlyTrashed()
withTrashed()
restore()
Query Instance Methods
Once you've retrieved a model instance from the database, you can interact with it using the following methods:
1. save()
Description: Saves the current instance to the database. If it's a new instance, it will perform an INSERT
; if it's an existing instance, it will perform an UPDATE
.
Returns: Promise<any>
Example:
const user = await User.find(1);
user.name = "Updated Name";
await user.save(); // Updates the existing record
2. saveQuietly()
Description: Similar to save()
, but suppresses any events that would normally be triggered during the save operation.
Returns: Promise<any>
Example:
import { Model } from "jcc-eloquent";
class Post extends Model {
protected static booted() {
this.created(async (data) => {
data.slug = "slug";
await data.saveQuietly(); // Saves without triggering any events
});
}
}
3. load(...relations: Array<any>)
Description: Eager loads relationships on the model instance.
Returns: Promise<any>
Example:
const user = await User.find(1);
await user.load("posts", "comments"); // Loads posts and comments for the user
4. update()
Description: Updates the current instance in the database with the new attribute values.
Returns: Promise<any>
Example:
const user = await User.find(1);
user.email = "new.email@example.com";
await user.update(); // Updates the email field in the database
5. delete()
Description: Deletes the current instance from the database.
Returns: Promise<boolean>
Example:
const post = await Post.find(1);
await post.delete(); // Deletes the post from the database
Query Instance Methods Overview
The following methods are part of the Query Instance used for interacting with the database:
//Query Instance Methods
save() ;
saveQuietly();
load(...relations: Array<any>): ; // Eager loads relationships
update(); // Updates the current instance in the database
delete(); // Deletes the current instance from the database
- Methods:
save()
: Persists the current instance to the database.saveQuietly()
: Saves the instance without firing any events (e.g., hooks).load()
: Loads specified relationships for the instance, eager loading them for optimization.update()
: Updates the current instance with new data.delete()
: Deletes the instance from the database, returning a boolean indicating success.
Schema Builder
Define database schemas with Blueprint
for migrations.
import { Schema } from "jcc-eloquent";
Schema.create("users", (table) => {
table.id();
table.string("name");
table.unsignedBigInteger("role_id");
table.foreign("role_id").references("id").on("roles");
table.timestamps();
});
Validation
The jcc-express-mvc framework comes with built-in validation rules that enable you to ensure the validity of data submitted by users before further processing. These validation rules can be applied either in web routes or API routes using the provided methods.
Web Validation
In web routes, you can use the req.validate()
method to validate incoming data. Here's an example of how to use it:
import { Request, Response, Next } from "jcc-express-mvc/core/http";
class UsersController {
/**
*
*
* @return Express request response next
*/
async store(req: Request, res: Response, next: Next) {
const validateData = await req.validate({
name: ["required"],
email: ["email", "unique:user"],
password: ["min:6"],
});
res.json({ validateData });
}
}
name
: Specifies the name of the field to be validated.required
: Ensures that the field is present and not empty.email
: Validates that the field is a valid email address.unique:user
: Checks uniqueness of the field value against a database table (e.g., checking if an email is already registered).
Api Validation
For API routes, the req.apiValidate()
method is used to perform validation. Here's an example:
async store(req:Request, res:Response, next:Next) {
const validateData = await req.apiValidate({
name: ["required"],
email: ["email", "unique:user"],
password: ["min:6"],
});
res.json({ validateData });
}
validation rules
required
min
:valuemax
:valueemail
unique
:table columnsame
:field namealpha
alphaNum
bool
float
int
decimal
jwt
json
postal
slug
url
creditCard
mongoId
phone
,nullable
next
Form Request
Custom requests (or Form Requests) are useful in situations when one wants to authorize & validate a request before hitting the controller method.
ts-node artisanNode make:request UserRequest
example
import { FormRequest } from "jcc-express-mvc/core/FormRequest";
import { Request } from "jcc-express-mvc/core/http";
export class UserRequest extends FormRequest {
constructor(req: Request) {
super(req);
}
async rules() {
await this.apiValidate({
//
});
}
async save() {
await this.rules();
}
}
In jcc-express-mvc, the errors
variable in the view file holds all the validation errors. To access errors for a specific field, use errors.field. Whereas the old
variable holds all the input values.
<form
action="/auth/register"
class="w-11/12 sm:w-[450px] py-2 px-6 bg-white"
method="post"
>
<h2 class="text-center font-extrabold text-xl my-2 py-2">Register</h2>
<div class="flex-col mt-1 flex">
<label for="email" class="text-gray-800">Name</label>
<input
type="name"
placeholder="name"
class="outline-none border border-gray-400 mt-1 px-3 py-2"
id="name"
name="name"
value="{{old.name}}"
/>
<small
class="@if(errors.name) text-red-500 text-xs mx-2 @else hidden @endif
>{{errors.name}}</small
>
</div>
<div class="flex-col mt-1 flex">
<label for="email" class="text-gray-800">Email</label>
<input
type="email"
placeholder="email"
class="outline-none border border-gray-400 mt-1 px-3 py-2"
id="email"
name="email"
value="{{old.email}}"
/>
<small
class="@if(errors.email) text-red-500 text-xs mx-2 @else hidden @endif"
>{{errors.email}}</small
>
</div>
<div class="flex-col mt-4 flex">
<label for="password" class="text-gray-800">Password</label>
<input
type="password"
placeholder="password"
class="outline-none border border-gray-400 mt-1 px-3 py-2"
id="password"
name="password"
value=""
/>
<small
class="@if(errors.password) text-red-500 text-xs mx-2 @else hidden @endif"
>{{errors.password}}</small
>
</div>
<div class="py-2 mt-3">
<button type="submit" class="bg-orange-500 p-2 w-full text-white">
login
</button>
</div>
<div class="mb-2 py-3">
<p class="text-sm">
Already have an account?
<a href="/login" class="text-orange-500 underline">login</a>
</p>
</div>
</form>
Service Container & Dependency Injection
jcc-express-starter
includes a Laravel-inspired service container and dependency injection system that uses reflection to automatically resolve dependencies.
Defining Services
javascript
Defining Services
export class Calculator {
add(a: number, b: number) {
return a + b;
}
subtract(a: number, b: number) {
return a - b;
}
}
Automatic Dependency Injection
The framework uses reflection to automatically inject dependencies into your classes. Simply define constructor parameters with the correct types:
import { Inject } from "jcc-express-mvc/lib/Dependancy";
import { Calculator } from "@/Services/Calculator";
import { UserService } from "@/Services/UserService";
@Inject()
export class UserController {
// Dependencies are automatically injected
constructor(
private calculator: Calculator,
private userService: UserService
) {
}
}
Registering Services Manually
import { Container } from "jcc-express-mvc/Container";
import { ServiceProvider } from "jcc-express-mvc/lib/Services/ServiceProvider";
import { Calculator } from "../Services/Calculator";
import { UserService } from "../Services/UserService";
export class AppServiceProvider extends ServiceProvider {
constructor(app: Container) {
super(app);
}
public register(): void {
// Register a singleton service
this.app.singleton<Calculator>('Calculator', new Calculator());
// Register a transient service
}
}
Frontend
jcc-express-mvc provides robust frontend support through its jsBlade templating engine and optional Inertia.js integration, allowing you to build dynamic, reactive user interfaces.
jsBlade Templating
jcc-express-starter allows you to use any templating engine of your choice for rendering views. The package comes pre-configured with jsBlade, which is similar to Laravel's Blade templating engine. However, you can easily switch to another templating engine by configuring it in the app/Config/engine.ts file.
Configuring Templating Engine
To configure a different templating engine, follow these steps:
Navigate to the app/Config directory in your project.
Open the engine.ts file.
Mention .env File Configuration: Explain how users can enable the chosen templating engine by setting the TEMPLATE_ENGINE variable to true in the .env file.
Import the desired templating engine module. For example, if you want to use EJS, you can add the following line:
const ejs = require("ejs");
module.exports = (app) => {
app.set("view engine", "ejs");
return;
};
Basic Usage
<!-- resources/views/welcome.blade.html -->
<html>
<head>
<title>Welcome to jcc-express-mvc</title>
</head>
<body>
<h1>Hello, {{ name }}</h1>
@if(items)
<ul>
@foreach(items as item)
<li>{{ item.name }}</li>
@endforeach
</ul>
@else
<p>No items found</p>
@endif
</body>
</html>
Render Views from Controllers
import { Request, Response, Next } from "jcc-express-mvc/core/http";
export class HomeController {
async index(req: Request, res: Response, next: Next) {
return res.render("welcome", {
name: "User",
items: [{ name: "Item 1" }, { name: "Item 2" }, { name: "Item 3" }],
});
}
}
Template Inheritance
jsBlade supports template inheritance, allowing you to define a base layout and extend it in child views:
Directives
jsBlade provides several directives that you can use in your views:
@if(condition)
<!-- Content to render if condition is true -->
@else
<!-- Content to render if condition is false -->
@endif
<!---->
@ternary(condition ?
<!--content-->
:<!--content-->) @foreach(array as item)
<!-- Content to render for each item in the array -->
@endforeach
<!-- layout.app.blade.html -->
@section('content')
<!-- Content to render in the section -->
@endsection
<!-- index.blade.html -->
@extends('layout')
<!-- -->
@section('content')
<!-- Content specific to the index view -->
@endsection
<!-- -->
@auth
<!-- Content to render for authenticated users -->
@endauth
<!-- -->
@guest
<!-- Content to render for guests (unauthenticated users) -->
@endguest
<!-- resources/views/layouts/app.blade.html -->
<!DOCTYPE html>
<html>
<head>
<title>@section('title')My App@endsection</title>
<link rel="stylesheet" href="/css/app.css" />
</head>
<body>
<header>@include('partials.nav')</header>
<main>
@section('content')
<!-- Default content -->
@endsection
</main>
<footer>@include('partials.footer')</footer>
<script src="/js/app.js"></script>
</body>
</html>
<!-- resources/views/dashboard.blade.html -->
@extends('layouts.main') @section('title','Dashboard') @section('content')
<div class="dashboard">
<h1>Dashboard</h1>
<p>Welcome to your dashboard!</p>
</div>
@endsection
Form Handling
<form action="/users" method="POST">
<div class="form-group">
<label for="name">Name</label>
<input type="text" id="name" name="name" value="{{ old.name }}" />
@if(errors.name)
<small class="text-danger">{{ errors.name }}</small>
@endif
</div>
<button type="submit">Submit</button>
</form>
Inertia.js Integration
jcc-express-mvc supports Inertia.js, enabling you to build single-page applications without the complexity of a full SPA framework.
Setup Inertia.js
- Install required packages:
# vue
npm install @inertiajs/inertia @inertiajs/inertia-vue3 vue@next
# react
npm install @inertiajs/react
- Add an Inertia middleware:
import { inertia } from "jcc-express-mvc/inertia";
export class Kernel {
// app/Http/kernel.ts
protected middleware = [
inertia({ rootView: `welcome` }),
];
}
- Add plugin to vite:
import { defineConfig } from "vite";
import laravel from "laravel-vite-plugin";
import react from "@vitejs/plugin-react";
export default defineConfig({
plugins: [
laravel({
input: ["resources/css/text.css", "resources/js/app.js"],
refresh: true,
}),
// can be if vue()
react(),
],
});
- Initialize the Inertia app
react
// resources/js/app.js
import { createInertiaApp } from "@inertiajs/react";
import { createRoot } from "react-dom/client";
createInertiaApp({
resolve: (name) => {
const pages = import.meta.glob("./Pages/**/*.jsx", { eager: true });
return pages[`./Pages/${name}.jsx`];
},
setup({ el, App, props }) {
createRoot(el).render(<App {...props} />);
},
});
vue
// resources/js/app.js
import { createApp, h } from "vue";
import { createInertiaApp } from "@inertiajs/vue3";
createInertiaApp({
resolve: (name) => {
const pages = import.meta.glob("./Pages/**/*.vue", { eager: true });
return pages[`./Pages/${name}.vue`];
},
setup({ el, App, props, plugin }) {
createApp({ render: () => h(App, props) })
.use(plugin)
.mount(el);
},
});
- Create a base template for Inertia:
<!-- resources/views/welcome.blade.html -->
<!DOCTYPE html>
<html>
<head>
<meta charset="utf-8" />
<meta name="viewport" content="width=device-width, initial-scale=1" />
<!-- For react only -->
@viteReactRefresh
<!-- -->
@vite(["/resources/css/text.css", "/resources/js/app.js"])
</head>
<body>
@inertia
</body>
</html>
Using Inertia in Controllers
import { Request, Response, Next } from "jcc-express-mvc/core/http";
export class UserController {
async index(req: Request, res: Response, next: Next) {
const users = await User.all();
return res.inertia("Users/Index", {
users,
});
}
}
Service providers
Service providers are the central place for binding services, configuring dependencies, and bootstrapping essential components in your framework. They allow you to define how different parts of your application are registered and initialized.
RouteServiceProvider
The RouteServiceProvider
is responsible for loading routes from your application's route files. It serves as the central place to register all your application's routes.
Understanding the Route Service Provider
import { loadRoute } from "jcc-express-mvc";
import { ServiceProvider } from "jcc-express-mvc/core/ServiceProvider";
export class RouteServiceProvider extends ServiceProvider {
//
static HOME: string = "/home";
//
constructor(app: any) {
super(app);
}
public register(): void {
//
}
public boot(): void {
loadRoute("api");
loadRoute("web");
}
}
The RouteServiceProvider
is located in the app/Providers directory along with other service providers like AppServiceProvider
. It contains:
HOME
– constant: Defines the default route for redirects after authentication.booth
method: Loads route files using the loadRoute() function.
Adding Custom Route Files
You can create additional route files for different sections of your application:
- Create a new route file in the routes directory:
// routes/admin.ts
import { Route } from "jcc-express-mvc/Route";
Route.basePath("/admin").group((Route) => {
Route.get("/", "index");
Route.get("/users", "users");
Route.get("/settings", "settings");
});
2.Update the RouteServiceProvider to load the new route file:
public boot(): void {
loadRoute("api");
loadRoute("web");
loadRoute("admin"); // Load the admin routes
}
Route Organization
Organizing routes into separate files helps maintain a clean and structured codebase:
web.ts
: Routes for web pages and user-facing featuresapi.ts
: Routes for API endpointsadmin.ts
:Routes for administration interface
Route Loading Order
The order in which routes are loaded can be important. Routes are loaded in the sequence they appear in the boot()
method. If you have overlapping routes, the last loaded route will take precedence.
// routes/admin.ts
import { Route } from "jcc-express-mvc/Route";
Route.basePath("/admin").group((Route) => {
Route.get("/", "index");
Route.get("/users", "users");
Route.get("/settings", "settings");
});
Example: Complete Route Structure
// routes/web.ts
import { Route } from "jcc-express-mvc/Route";
import { HomeController } from "@Controllers/HomeController";
Route.get("/", [HomeController, "index"]);
Route.get("/about", [HomeController, "about"]);
Route.get("/contact", [HomeController, "contact"]);
// routes/api.ts
import { Route } from "jcc-express-mvc/Route";
import { ApiController } from "@Controllers/ApiController";
Route.prefix("/api/v1").group((Route) => {
Route.get("/users", [ApiController, "getUsers"]);
Route.post("/users", [ApiController, "createUser"]);
});
// routes/admin.ts
import { Route } from "jcc-express-mvc/Route";
import { AdminController } from "@Controllers/AdminController";
Route.basePath("/admin").group((Route) => {
Route.get("/", [AdminController, "dashboard"]);
Route.get("/users", [AdminController, "users"]);
});
// RouteServiceProvider.ts
public boot(): void {
loadRoute("web");
loadRoute("api");
loadRoute("admin");
}
AppServiceProviders
Responsible for registering global services and bindings needed across the application
// app/Providers/AppServiceProviders.ts
import { Container } from "jcc-express-mvc/core/Container";
import { ServiceProvider } from "jcc-express-mvc/core/ServiceProvider";
import {Calculator} from "../Services/CalculatorService.ts"
import {UserService} from "../Services/UserService.ts"
export class AppServiceProvider extends ServiceProvider {
constructor(app: Container) {
super(app);
}
public register(): void {
this.app.singleton<Calculator>('Calculator', new Calculator());
this.app.bind<UserService>('UserService', new Calculator());
}
public boot(): void {}
}
13. Helpers
jcc-express-starter provides a set of helper functions to simplify common tasks in your Express.js applications:
bcrypt: A async function for password hashing using bcrypt.
import { bcrypt } from "jcc-express-mvc"; const hashPass = await bcrypt("123456"); // Example usage
verifyHash: A async function for verifying hashed passwords.
import { verifyHash } from "jcc-express-mvc"; const isMatch = await verifyHash("password", hashedPassword); // Example usage
authenticated: A function for implementing Passport authentication.
import { auth } from "jcc-express-mvc"; import { Route } from "jcc-express-mvc/Route"; Route.middleware(auth).get("/profile", (req, res) => { //Access auth user's profile });
apiAuthenticated: A function for API JWT authentication. You can i get the user id with req.id
import { ApiRoute, apiAuth } from "jcc-express-mvc";
// Example usage
ApiRoute.middleware(apiAuth).post("/api/data", (req, res) => {
// Access authenticated user's data
//req.id
});
Str Utility
The Str
utility in JCC provides various string manipulation methods inspired by Laravel’s Str helper. It simplifies common string operations, making your code cleaner and more readable.
Got it! You want to add a "Str Utility" section to your JCC framework documentation. Here’s how you can structure it:
Str Utility
The Str
utility in JCC provides various string manipulation methods inspired by Laravel’s Str
helper. It simplifies common string operations, making your code cleaner and more readable.
Usage
Import and use Str
in your project:
import { Str } from "jcc-express-mvc/core/Str";
// Example usage
console.log(Str.upper("hello")); // "HELLO"
console.log(Str.camel("hello_world")); // "helloWorld"
Available Methods
1. Str.upper(string)
Converts a string to uppercase.
Str.upper("hello"); // "HELLO"
2. Str.lower(string)
Converts a string to lowercase.
Str.lower("HELLO"); // "hello"
3. Str.camel(string)
Converts a string to camelCase.
Str.camel("hello_world"); // "helloWorld"
4. Str.snake(string)
Converts a string to snake_case.
Str.snake("helloWorld"); // "hello_world"
5. Str.kebab(string)
Converts a string to kebab-case.
Str.kebab("helloWorld"); // "hello-world"
6. Str.title(string)
Converts a string to title case.
Str.title("hello world"); // "Hello World"
7. Str.random(length = 16)
Generates a random alphanumeric string of the specified length.
Str.random(10); // "aB3dE6xYz1"
8. Str.slug(string)
Creates a URL-friendly slug from a string.
Str.slug("Hello World!"); // "hello-world"
jcc-express-starter supports the jsBlade templating engine, which provides directives similar to Laravel Blade. jsBlade allows you to write expressive and clean templates for rendering views in your Express.js applications.
Usage
- Create your view files with the .blade.html extension (or the extension specified in your template engine configuration).
- Use jsBlade directives in your view files to write dynamic and reusable templates.
TinkerNode
TinkerNode provides an interactive command-line interface for executing JavaScript code and Mongoose queries directly in the terminal, allowing for quick testing and debugging of MongoDB interactions.
Features
Interactive Console: TinkerNode provides an interactive console environment, similar to the Laravel Tinker, where you can execute JavaScript code and jcc-eloquent queries.
Jcc eloquent Integration: TinkerNode seamlessly integrates with jcc-eloquent. enabling you to work with mysql databases using jcc-eloquent syntax.
te-node artisanNode db-tinker
>User.all()
[
{
name:"John Doe",
email:"john@gmail.com"
}
]
4 months ago
4 months ago
8 months ago
8 months ago
11 months ago
1 year ago
1 year ago
1 year ago
1 year ago
1 year ago
1 year ago
1 year ago
1 year ago
1 year ago
1 year ago
1 year ago
1 year ago
1 year ago
1 year ago
1 year ago
1 year ago
2 years ago
2 years ago
2 years ago