2.8.0 • Published 8 months ago

node-abstract-repository v2.8.0

Weekly downloads
-
License
MIT
Repository
github
Last release
8 months ago

Code size Min code size CI NPM Downloads stat PRs Welcome

This is a lightweight and type-safe library that implements an abstract and polymorphic repository for Node.js, currently focused on MongoDB. It has been designed to help developers focus on defining any custom repository in a fast, easy, and structured manner, releasing them from having to write basic CRUD operations, while decoupling domain from persistence logic.

Main Contents

Installation

You can install node-abstract-repositorywith npm:

npm install node-abstract-repository

Or yarn:

yarn add node-abstract-repository

Usage

Creating your repository with custom database operations is very straight forward. Say you want to create a custom repository to handle database operations over instances of a Book and any of its subtypes (e.g., PaperBook and AudioBook). Here's the implementation of a custom repository that deals with persistable instances of Book:

export class MongooseBookRepository
  extends MongooseRepository<Book> {
  constructor() {
    super({
      Default: {type: Book, schema: BookSchema},
      PaperBook: {type: PaperBook, schema: PaperBookSchema},
      AudioBook: {type: AudioBook, schema: AudioBookSchema},
    });
  }

  async findByIsbn<T extends Book>(isbn: string): Promise<Optional<T>> {
    if (!isbn)
      throw new IllegalArgumentException('The given ISBN must be valid');
    return this.entityModel
      .findOne({isbn: isbn})
      .exec()
      .then((book) => Optional.ofNullable(this.instantiateFrom(book) as unknown as T));
  }
}

That's it! MongooseBookRepository is a custom repository that inherits a series of CRUD operations and adds its own e.g., findByIsbn. It extends MongooseRepository, a generic template that specifies several basic CRUD operations e.g., findById, findAll, save, and deleteById. Besides, you can use the protected entityModel defined at MongooseRepository to execute any Mongoose operation you wish, as it happens at the definition of findByIsbn.

Here is an example on how to create and use an instance of the custom MongooseBookRepository:

const bookRepository = new MongooseBookRepository();
const books: Book[] = bookRepository.findAll();

No more leaking of the persistence logic into your domain/application logic!

Polymorphic Domain Model Specification

MongooseBookRepository handles database operations over a polymorphic domain model that defines Book as supertype and PaperBook and AudioBook as subtypes. Code complexity to support polymorphic domain models is hidden at MongooseRepository; all that is required is that MongooseRepository receives a map describing the domain model. Each map entry key relates to a domain object type, and the related entry value is a reference to the constructor and the database schema of such domain object. The Default key is mandatory and relates to the supertype, while the rest of the keys relate to the subtypes. Beware that subtype keys are named after the type name. If it so happens that you do not have any subtype in your domain model, no problem! Just specify the domain object that your custom repository is to handle as the sole map key-value, and you are done.

Regarding schemas: I believe that writing your own database schemas is a good practice, as opposed of using decorators at your domain model. This is mainly to avoid marrying the underlying infrastructure, thus enabling you to easily get rid of this repository logic if something better comes in. It also allows you to have more control on the persistence properties of your domain objects. After all, database definition is a thing that Mongoose is really rock-solid about.

Examples

You may find an example of how to instantiate and use a repository that performs CRUD operations over instances of Book and its aforementioned subtypes under book.repository.test.ts. This is a complete set of unit test cases used to validate this project.

Moreover, if you are interested in knowing how to inject and use a custom repository in a NestJS application, visit nestjs-mongoose-book-manager. But before jumping to that link, I would recommend that you read the following section.

Write Your Own Repository Interfaces

If you are to inject your newly created repository into an application that uses a Node.js-based framework (e.g., NestJS or Express) then you may want to do some extra effort and follow the Dependency Inversion principle and depend on abstractions, not implementations. To do so, you simply need to add one extra artefact to your code:

export interface BookRepository extends Repository<Book> {
  findByIsbn: <T extends Book>(isbn: string) => Promise<Optional<T>>;
}

This interface allows you to create instances of BookRepository, and seamlessly switch between implementations for your repository (e.g., Mongoose-based or MongoDB Node Driver -based, Postgres, MySQL, etc.) Then, make your custom repository implement BookRepository as follows:

export class MongooseBookRepository
  extends MongooseRepository<Book>
  implements BookRepository {

  // The rest of the code remains the same as before
}

If you are not willing to add any new operation at your custom repository, then you could make your repository implementation class implement Repository<T>, where T is your domain model supertype. Here is an alternative for the custom book repository example:

export class MongooseBookRepository
  extends MongooseRepository<Book>
  implements Repository<Book> {

  // Simply add a constructor setting your domain model map as before 
}

Some Important Implementation Details

The Entity Interface

Here is a possible definition for the aforementioned polymorphic book domain model:

export class Book implements Entity {
  readonly id?: string;
  readonly title: string;
  readonly description: string;
  readonly isbn: string;

  constructor(book: {
    id?: string;
    title: string;
    description: string;
    isbn: string;
  }) {
    this.id = book.id;
    this.title = book.title;
    this.description = book.description;
    this.isbn = book.isbn;
  }
}

export class PaperBook extends Book {
  readonly edition: number;

  constructor(paperBook: {
    id?: string;
    title: string;
    description: string;
    isbn: string;
    edition: number;
  }) {
    super(paperBook);
    this.edition = paperBook.edition;
  }
}

export class AudioBook extends Book {
  readonly hostingPlatforms: string[];

  constructor(audioBook: {
    id?: string;
    title: string;
    description: string;
    isbn: string;
    hostingPlatforms: string[];
  }) {
    super(audioBook);
    this.hostingPlatforms = audioBook.hostingPlatforms;
  }
}

The one thing that may catch your attention is the interface Entity that Book implements. Inspired in the Entity concept from Domain-Driven Design, Entity models any persistable domain object type. The interface defines an optional id field that all persistable domain object types must define. The optional nature of the field is due to the fact that its value is internally set by Mongoose. Thus, its value can safely be undefined until the pertaining domain object instance is inserted (i.e., stored for the first time) in the database.

The fact that Entity is an interface instead of an abstract class is not a coincidence; JavaScript is a single inheritance-based programming language, and I strongly believe that you are entitled to design the domain model at your will, with no dependencies to other libraries. But all that being said, you may decide not to use it at all, and that would be just fine. All you need to do is ensure that your domain objects specify an optional id field.

Basic CRUD Operations

To explain these, let's have a look to Repository, the generic interface that MongooseRepository implements. Keep in mind that the current semantics for these operations are those provided at MongooseRepository. If you want any of these operations to behave differently then you must override it at your custom repository implementation.

export interface Repository<T extends Entity> {
  findById: <S extends T>(id: string) => Promise<Optional<S>>;
  findAll: <S extends T>(filters?: any, sortBy?: any) => Promise<S[]>;
  save: <S extends T>(entity: S | ({ id: string } & Partial<S>)) => Promise<S>;
  deleteById: (id: string) => Promise<boolean>;
}
  • findById returns an Optional value of the searched entity.
  • findAll returns an array including all the persisted entities, or an empty array otherwise. Although not mandatory, it accepts both filtering and sorting parameters.
  • save persists a given entity by either inserting or updating it and returns the persisted entity. It the entity does not specify an id, this function inserts the entity. Otherwise, this function expects the entity to exist in the collection; if it does, the function updates it. Otherwise, throws an exception. This is because trying to persist a new entity that includes a developer specified id represents a system invariant violation; only Mongoose is able to produce MongoDB identifiers to prevent id collisions and undesired entity updates.
  • deleteById deletes an entity matching the given id if it exists. When it does, the function returns true. Otherwise, it returns false.

A final note on the definition of Repository: T refers to a domain object type that implements Entity (e.g., Book), and S refers to a subtype of such a domain object type (e.g., PaperBook or AudioBook). This way, you can be sure that the resulting values of the CRUD operations are of the type you expect.

Utilities to Define Your Custom Schemas

This project includes a couple of utilities to ease the specification of custom domain object-related Mongoose schemas. The extendSchema function enables you to create schemas for subtype domain objects that inherit from the supertype domain object schema. This is specially convenient when defining schemas for polymorphic data structures. The following example depicts the definition of BookSchema, PaperBookSchema, and AudioBookSchema:

export const BookSchema = extendSchema(
  BaseSchema,
  {
    title: {type: String, required: true},
    description: {type: String, required: false},
    isbn: {type: String, required: true, unique: true},
  },
  {timestamps: true},
);

export const PaperBookSchema = extendSchema(BookSchema, {
  edition: {type: Number, required: true, min: 1},
});

export const AudioBookSchema = extendSchema(BookSchema, {
  hostingPlatforms: {type: [{type: String}], required: true},
});

Make sure that the schema for your supertype domain object extends from BaseSchema. It is required by MongooseRepository to properly deserialise your domain objects.

Comparison to other Alternatives

First and foremost, this approach is simpler and more lightweight than other existing database integration alternatives (e.g., TypeORM or Typegoose). Additionally, TypeORM has mainly been developed for relational databases and presents several limitations compared to Mongoose. Typegoose, on another hand, is yet another Mongoose wrapper that provides TypeScript typing to Mongoose schemas and models, but it implements the Data Mapper pattern instead of the Repository pattern. Moreover, this approach is also type-safe. Although it could be interesting to base the abstract repository on Typegoose in the future, it would add a new abstraction layer, thus complicating the current solution both in logic and size. Considering that Mongoose is currently the most mature MongoDB handling utility, it might be a better idea to leveraging the abstract repository with other Mongoose features ( e.g., implementing various types of relationships between documents belonging to different collections).

Add Support for other Database Technologies

Extending the repository to provide an implementation for MongoDB Node Driver or even for another database technology such as MySQL or PostgreSQL is easy. All you need to do is first create an abstract template for the required database technology, make it implement the Repository interface, and then add all the logic required for each of its methods.

Project Validation

The application runs an in-memory instance of MongoDB. Its implementation is provided by the mongodb-memory-server NPM dependency.

# run integration tests
$ yarn install & yarn test

# run integration tests with coverage
$ yarn install & yarn test:cov

Contributors

Thanks to Alexander Peiker, Sergi Torres, and Aral Roca for all the insightful conversations on this topic.

Stay in touch

Author - Josu Martinez

Twitter

License

This project is MIT licensed.

2.7.0

8 months ago

2.8.0

8 months ago

2.6.0

8 months ago

1.1.0

12 months ago

1.0.0

12 months ago

2.3.0

10 months ago

2.2.0

10 months ago

2.1.1

10 months ago

2.5.0

9 months ago

0.1.2

12 months ago

2.4.0

9 months ago

0.1.3

12 months ago

2.1.0

11 months ago

2.0.0

12 months ago

0.1.1

1 year ago

0.1.0

1 year ago