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 🙏

© 2025 – Pkg Stats / Ryan Hefner

apex.ts

v4.0.2

Published

## Framework web ligero con la potencia de TypeScript

Downloads

520

Readme

ApexTS

Framework web ligero con la potencia de TypeScript

Apex.ts es un framework web ligero, escrito en Node.js y TypeScript, diseñado para simplificar la creación de aplicaciones RESTful con un manejo eficiente de rutas y middlewares.

Tabla de Contenidos

  • Características
  • Instalación
  • Ejemplo de Uso
  • Estructura de Carpetas
  • API
    • Router
    • MiddlewareManager
    • RequestHandlerService
  • Configuración
  • Pruebas
  • Contribuciones
  • Licencia

Características

  • Enrutamiento Dinámico: Permite crear rutas dinámicamente y manejar parámetros de ruta.
  • Middlewares Flexibles: Maneja middlewares de forma eficiente para añadir funciones como validación, logging y más.
  • Soporte para JSON y Respuestas Personalizadas: Incluye métodos extendidos de respuesta como res.json para facilitar la creación de API REST.
  • Modular y Extensible: Construido para facilitar el uso de dependencias y ser extendido con nuevos módulos.

Instalación

npm install apex.ts

Ejemplo de Uso

Crear un Servidor Básico

 ApexFactory,
 authMiddleware,
 errorHandlerMiddleware,
 loggerMiddleware,
} from "apex.ts";

import { customersModule } from "./customers/customers-module";
import { productsModule } from "./products/products-module";
import { homeModule } from "./home/home-module";
import { Customer } from './customers/customer';

const bootstrap = async () => {
 const apexFactory = new ApexFactory();

 const app: ApexCore = await apexFactory.initializeApplication(
  {
   synchronize: false,
   entities: [Customer],
   migrations: [],
   subscribers: [],
  }
 );
 const { NODE_ENV, PORT } = app.EnvConfig;

 app.useMiddleware(authMiddleware);
 app.useMiddleware(loggerMiddleware);
 app.useMiddleware(errorHandlerMiddleware);

 app.useModule(homeModule);
 app.useModule(productsModule);
 app.useModule(customersModule);

 app.options("*", (req: HttpRequest, res: HttpResponse) => {
  res.setHeader("Access-Control-Allow-Origin", "*");
  res.setHeader(
  "Access-Control-Allow-Methods",
   "GET, POST, PUT, DELETE, PATCH, OPTIONS");
  res.setHeader("Access-Control-Allow-Headers", "Content-Type, Authorization");
  res.status(204);
  res.end();
 });

 app.listen(PORT, NODE_ENV);
};

bootstrap();

Estructura de Carpetas

/framework
|-- /__tests__  # Tests del framework
|-- /examples  # Ejemplos de uso del framework
|-- /lib
|   |-- /application  # Módulo de la aplicación
|   |   |-- framework.interface.ts  # Interfaz de IFramework
|   |   |-- framework.ts  # Clase principal del framework
|   |-- /config  # Módulo de configuración
|   |   |-- environment-config.ts   # Configuración del ambiente
|   |   |-- framework-config.ts     # Configuración y arranque del servidor
|   |-- /errors  # Módulo de errores
|   |   |-- /middlewares
|   |   |   |-- middleware-error.interface.ts  # Interfaz del error de los middlewares
|   |-- /http # Módulo de HTTP
|   |   |-- /request
|   |   |   |-- request-handler.interface.ts  # Interfaz de RequestHandler
|   |   |   |-- request-handler.ts  # Clase RequestHandler
|   |   |-- http-methods.ts  # Librería de métodos HTTP
|   |   |-- http-not-found-exception.ts  # Excepcion para ruta inexistente
|   |-- /interfaces  # Módulo de interfaces generales
|   |   |-- request.interface.ts
|   |   |-- response.interface.ts
|   |-- /middlewares # Módulo de middlewares
|   |   |-- /parsing
|   |   |   |-- json-response-middleware.ts
|   |   |-- middleware-manager.interface.ts
|   |   |-- middleware-manager.ts
|   |   |-- middleware.types.ts
|   |-- /parser  # Módulo de parseo
|   |   |-- parse-params.interface.ts
|   |   |-- parser-service.interface.ts
|   |   |-- parse-service.ts
|   |-- /router  # Módulo de rutas
|   |   |-- route-procesor-service.interface.ts
|   |   |-- route-procesor-service.ts
|   |   |-- router.interface.ts
|   |   |-- router.ts
|   |   |-- router.types.ts
|   |-- /types  # Módulo de tipos
|   |-- index.ts  # Indice de exportación para framework y la configuración del ambiente
|-- .env  # Configuración del ambiente
|-- .env.example  # Configuración del ambiente de ejemplo
|-- tsconfig.json  # Configuración de TypeScript
|-- nodemon.json  # Configuración de Nodemon
|-- package.json  # Configuración de NodeJS
|-- README.md  # Documentación del proyecto

API

Router

Permite definir y manejar rutas de diferentes métodos HTTP.

Métodos Router

  • get(path: string, handler: Handler): Define una ruta GET.
  • post(path: string, handler: Handler): Define una ruta POST.
  • put(path: string, handler: Handler): Define una ruta PUT.
  • delete(path: string, handler: Handler): Define una ruta DELETE.

MiddlewareManager

Clase que administra middlewares y asegura su ejecución en el orden registrado.

Métodos MiddlewareManager

  • use(middleware: Middleware): Registra un middleware que será ejecutado para cada solicitud.
  • executeMiddlewares(req: Request, res: Response, next: () => void): Ejecuta todos los middlewares en orden.

RequestHandlerService

Gestiona la solicitud y procesa la ruta.

Métodos RequestHandlerService

  • handleRequest(req: Request, res: Response): Ejecuta los middlewares y resuelve la ruta correspondiente a la solicitud.

Configuración

tsconfig.json

Para soportar varias carpetas raíz y el uso de TypeScript, configura tu tsconfig.json de la siguiente manera:

{
  "compilerOptions": {
    "outDir": "./dist",
    "target": "ES6",
    "module": "commonjs",
    "experimentalDecorators": true,
    "emitDecoratorMetadata": true,
    "esModuleInterop": true,
    "forceConsistentCasingInFileNames": true,
    "typeRoots": ["./global.d.ts", "lib/Types/Utils.d.ts", "./node_modules/@types"],
    "paths": {
      "@src/*": ["./lib/*"],
      "@tests/*": ["./tests/*"]
    }
  },
  "include": ["lib/**/*", "examples/**/*", "tests/**/*"]
}

Configuración del Servidor

Al iniciar una instancia de MyFramework, puedes pasar opciones adicionales para configurar el entorno y los módulos de respuesta personalizados.

Pruebas

Para ejecutar los tests, instala Jest:

npm install --save-dev jest

Luego, puedes ejecutar las pruebas con:

npm run test

Licencia

Este proyecto está bajo la Licencia MIT.