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

nestjs-pageable

v0.0.8

Published

NestJS Pageable

Downloads

527

Readme

NestJS Pageable

Introduction

La bibliothèque NestJS Pageable est conçue pour faciliter l'implémentation de la pagination dans les projets NestJS, inspirée de l'interface Pageable de Spring. Elle prend en charge TypeORM et Mongoose, et fournit une approche simple et flexible pour la gestion de la pagination.

Link to the repository: NestJS Pageable`

Fonctionnalités

  • Support pour TypeORM et Mongoose.
  • Structure de réponse standardisée (Page).
  • Décorateur @Pageable() pour extraire les paramètres de pagination depuis les requêtes HTTP.
  • Design Pattern Façade pour simplifier l'usage.
  • Configuration minimale et personnalisable.

Installation

Installation via npm

Pour installer la bibliothèque, ajoute-la comme dépendance dans ton projet :

npm install nestjs-pageable

Dépendances

Si tu utilises TypeORM ou Mongoose, assure-toi qu'ils sont installés dans ton projet

npm install @nestjs/typeorm typeorm
npm install @nestjs/mongoose mongoose

Structure des Dossiers

La bibliothèque suit cette structure de fichiers :

src/
├── decorators/                 # Décorateurs
│   └── pageable.decorator.ts
├── dto/                        # Objets de transfert de données
│   ├── page.dto.ts
│   ├── pageable.dto.ts
├── interfaces/                 # Interfaces pour les stratégies
│   └── pagination.interface.ts
├── strategies/                 # Stratégies de pagination
│   ├── typeorm.strategy.ts
│   ├── mongoose.strategy.ts
├── services/                   # Service principal (façade)
│   └── pagination.facade.ts
├── pagination.module.ts        # Module principal

Mise en œuvre

1. Ajout du Module

Ajoute le module de pagination dans ton module principal ou dans n'importe quel module de ton application :

import { Module } from '@nestjs/common';
import { PaginationModule } from 'nestjs-pageable';

@Module({
  imports: [
    PaginationModule,
    // Autres modules
  ],
})
export class AppModule {}

2. Utilisation avec TypeORM

a. Service

Dans ton service, utilise le PaginationFacade pour la pagination :

import { Injectable } from '@nestjs/common';
import { Repository } from 'typeorm';
import { InjectRepository } from '@nestjs/typeorm';
import { User } from './entities/user.entity';
import { PaginationFacade } from 'nestjs-pageable';
import { Page } from 'nestjs-pageable/dto/page.dto';
import { PageableDto } from 'nestjs-pageable/dto/pageable.dto';

@Injectable()
export class UserService {
  constructor(
    @InjectRepository(User)
    private readonly userRepository: Repository<User>,
    private readonly paginationFacade: PaginationFacade,
  ) {}

  async getUsers(pageable: PageableDto): Promise<Page<User>> {
    return this.paginationFacade.paginate<User>(this.userRepository, pageable);
  }
}
b. Contrôleur

Dans ton contrôleur, utilise le décorateur @Pageable() :

import { Controller, Get } from '@nestjs/common';
import { UserService } from './user.service';
import { Page } from 'nestjs-pageable/dto/page.dto';
import { User } from './entities/user.entity';
import { Pageable } from 'nestjs-pageable/decorators/pageable.decorator';
import { PageableDto } from 'nestjs-pageable/dto/pageable.dto';

@Controller('users')
export class UserController {
  constructor(private readonly userService: UserService) {}

  @Get()
  async findAll(@Pageable() pageable: PageableDto): Promise<Page<User>> {
    return this.userService.getUsers(pageable);
  }
}

3. Utilisation avec Mongoose

a. Service

Dans le cas de Mongoose, utilise un modèle Mongoose au lieu d'un repository TypeORM :

import { Injectable } from '@nestjs/common';
import { InjectModel } from '@nestjs/mongoose';
import { Model } from 'mongoose';
import { User } from './schemas/user.schema'; // Exemple de schéma
import { PaginationFacade } from 'nestjs-pageable';
import { Page } from 'nestjs-pageable/dto/page.dto';
import { PageableDto } from 'nestjs-pageable/dto/pageable.dto';

@Injectable()
export class UserService {
  constructor(
    @InjectModel(User.name) private readonly userModel: Model<User>,
    private readonly paginationFacade: PaginationFacade,
  ) {}

  async getUsers(pageable: PageableDto): Promise<Page<User>> {
    return this.paginationFacade.paginate<User>(this.userModel, pageable, {
      filter: {}, // Ajoute des filtres si nécessaire
    });
  }
}
b. Contrôleur

Le contrôleur avec Mongoose est identique à celui de TypeORM :

@Controller('users')
export class UserController {
  constructor(private readonly userService: UserService) {}

  @Get()
  async findAll(@Pageable() pageable: PageableDto): Promise<Page<User>> {
    return this.userService.getUsers(pageable);
  }
}

Requête et Résultat

Requête GET

Voici un exemple de requête HTTP avec les paramètres de pagination :

{
"data": [
  { "id": 1, "name": "Alice" },
  { "id": 2, "name": "Bob" }
],
"totalElements": 50,
"currentPage": 1,
"size": 10,
"totalPages": 5
}

Personnalisation

Filtrage Avancé

TypeORM

Tu peux ajouter des filtres personnalisés ou des requêtes supplémentaires en utilisant la méthode paginate :

this.paginationFacade.paginate<User>(this.userRepository, pageable, {
  alias: 'user',
  customQuery: (qb) => qb.where('user.isActive = :isActive', { isActive: true }),
});

Mongoose

Pour Mongoose, tu peux ajouter des filtres personnalisés ou des requêtes supplémentaires en utilisant la méthode paginate :

this.paginationFacade.paginate<User>(this.userModel, pageable, {
  filter: { isActive: true },
  projection: { name: 1, email: 1 },
});

Tests Unitaires

Pour tester ton contrôleur et service, tu peux simuler les appels à la pagination.

Mock PaginationFacade

const mockPaginationFacade = {
  paginate: jest.fn().mockResolvedValue(new Page([], 0, 1, 10)),
};

Exemple de Test

describe('UserController', () => {
  let controller: UserController;
  let service: UserService;

  beforeEach(async () => {
    const module = await Test.createTestingModule({
      controllers: [UserController],
      providers: [
        UserService,
        { provide: PaginationFacade, useValue: mockPaginationFacade },
      ],
    }).compile();

    controller = module.get<UserController>(UserController);
    service = module.get<UserService>(UserService);
  });

  it('should return paginated users', async () => {
    const result = await controller.findAll({ page: 1, size: 10 });
    expect(result).toEqual(new Page([], 0, 1, 10));
    expect(mockPaginationFacade.paginate).toHaveBeenCalled();
  });
});

Conclusion

Ta bibliothèque NestJS Pageable permet d'ajouter facilement la pagination à ton projet NestJS. Elle est conçue pour fonctionner à la fois avec TypeORM et Mongoose, et son design est basé sur le pattern Façade pour rendre l'utilisation simple et efficace.

Auteur

L'auteur de ce guide est THIARE, un développeur passionné de NestJS

Licence

Ce projet est sous GPL-3.0 license


---

Ce fichier `README.md` contient toute la documentation nécessaire pour comprendre, installer, et utiliser la bibliothèque **NestJS Pageable** dans un projet.