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

zac-api

v1.2.5

Published

minha base de api

Downloads

29

Readme

Zac API

Zac API é uma biblioteca TypeScript que facilita a criação de rotas com validação automática de query, body e params utilizando Zod. Ela também oferece suporte para upload de arquivos com limites e tipos definidos.

Índice

Instalação

npm install zac-api

Inicialização Rápida com npx

Você pode criar rapidamente uma estrutura de projeto utilizando o comando:

npx zac-api

Isso vai guiar você na configuração inicial de um projeto usando zac-api, permitindo que escolha:

  • O diretório onde o projeto será criado

  • Módulos adicionais como:

    • format-params
    • auth
    • multer
  • O ORM (ex.: Prisma) e o banco de dados (ex.: MySQL, PostgreSQL, etc.)

Uso Básico

Estrutura do Projeto

Uma estrutura típica de projeto utilizando zac-api poderia ser assim:

Ao iniciar a aplicação, todas todos os arquivos dentro da pasta routes são carregadas automaticamente.

my-api/
├── src/
│   ├── index.ts
│   └── routes/
│       ├── exampleRoute.ts
│       └── anotherRoute.ts
├── package.json
├── tsconfig.json
└── ...

Iniciando a API

import { appCore } from 'zac-api';

new appCore({ port: 3000, cors: {} }).init();

Aqui:

  • port: Define a porta em que a API será executada (neste caso, porta 3000).

  • cors: Permite configurar as políticas de CORS da API (dá biblioteca cors).

Criando rotas

Cada rota pode ser definida dentro da pasta routes e será automaticamente carregada pelo appCore. Um exemplo de rota em src/routes/exampleRoute.ts seria:

import { Route, apiErrors } from 'zac-api';
import z from 'zod';

new Route({
  method: 'post',
  path: '/exemple',
  files: { folder: 'test', type: 'image/', max: 2 },
  params: {
    body: z.object({
      name: z.string(),
      isTrue: z.coerce.boolean().default(true),
      idade: z.coerce.number().max(5, apiErrors.LONG_NUMBER_ERROR),
      email: z.string().email('não é um email.'),
      list: z.array(z.string().max(5)).or(
        //or in muilti-form = (files exist)
        z
          .string()
          .max(5)
          .transform((field) => [field])
      ),
    }),
  },

  execute(req, res) {
    const files = req.saveFiles();

    if (files.success) {
      console.log(files.ids);
    }

    res.status(200).json({ body: req.body });
  },
});

Usando Middlewares

Exemplo de Middleware de Autenticação

Neste exemplo, criamos um middleware de autenticação que verifica se o usuário tem a função de "admin" antes de permitir que a rota prossiga:

import { IRouter } from 'zac-api';

import { NextFunction, Request, Response } from 'express'; // in zac-api

interface IAuthReq extends personalRequest {
  isAuth?: boolean;
}

function authMiddleware(role: string) {
  return (routeConfig: IRouter) => {
    return (req: Request, res: Response, next: NextFunction) => {
      if (role != 'admin') return res.status(401).json({ message: 'role is not admin' });

      next();
    };
  };
}

new Route({
  method: 'post',
  path: '/exemple',
  middlewares: [authMiddleware('admin')],
  params: {
    body: z.object({
      name: z.string(),
    }),
  },

  execute(req: IAuthReq, res) {
    const files = req.saveFiles();

    if (files.success) {
      console.log(files.ids);
    }

    res.status(200).json({ body: req.body });
  },
});