1.2.4 • Published 7 months ago

@sleekify/sleekify v1.2.4

Weekly downloads
-
License
Apache License 2....
Repository
github
Last release
7 months ago

Sleekify

This project's goal is to simplify the development of REST web services in NodeJS by bringing the best of the Java API for RESTful Web Services (JAX-RS) to TypeScript. This is possible since TypeScript decorators may be used in a manner similar to Java annotations. This project allows you to apply decorators to your resource classes to identify your REST resources and associate them with OpenAPI definitions. This allows you to maintain your API documentation alongside your code using typed definitions. If you ever had to maintain a large OpenAPI specification by hand, this should grab your attention. Your API documentation will both match the OpenAPI specification's schema and be generated from your code.

Versions

SleekifyNode.jsOpenAPI Specification
1.0.0+203.1.1

Getting Started

Follow the instructions provided by each integration:

API Reference

Introduction

src/v1/users.ts

@Path('/v1/users')
@Schema({
  $ref: '#/components/schemas/user'
})
export class UsersIdResource {
  @GET()
  async getMany () {
    // TODO: your read user code here
  }

  @POST()
  async createOne () {
    // TODO: your create user code here
  }
}

This simplified example shows how the decorators are intended to be used. Each class represents a REST resource which is identified by a path. The resource class's methods provide the operations or actions you may execute on the resource. It's not required, but it is generally a good practice to have the class file path match the resource's relative path.

Decorator Inheritance

The example above was simple, but when you start fully documenting your API, the OpenAPI definitions can become overwhelming. Decorator inheritance allows you to split the OpenAPI definitions across a resource class hierarchy.

src/v1/AbstractSingleResource.ts

@Components({
  parameters: {
    id: {
      description: 'The identifier of the resource',
      name: 'id',
      in: 'path',
      required: true,
      schema: {
        $ref: '#/components/schemas/id'
      }
    }
  },
  schemas: {
    id: {
      description: 'The id path parameter schema',
      type: ['integer']
    }
  }
})
export abstract class AbstractSingleResource {
  @GET({
    responses: {
      400: {
        $ref: '#/components/responses/400'
      },
      401: {
        $ref: '#/components/responses/401'
      },
      403: {
        $ref: '#/components/responses/403'
      },
      404: {
        $ref: '#/components/responses/404'
      },
      500: {
        $ref: '#/components/responses/500'
      }
    }
  })
  async getOne () {
    // TODO: your generic read code here
  }
}

Your base classes can provide all of the common documentation, while your subclasses may be more specialized for each individual resource. This pattern works because REST APIs usually follow a consistent interface. The values you provide for the decorators are additive allowing you to add or replace properties in the OpenAPI definitions. If you ever need to remove a property from an OpenAPI definition, you must define a new base class without that property.

src/v1/users.ts

@Components({
  schemas: {
    user: {
      type: ['object'],
      properties: {
        id: {
          type: ['number']
        },
        name: {
          type: ['string']
        }
      }
    }
  }
})
@Path({
  path: '/v1/users/{id}',
  parameters: [
    {
      $ref: '#/components/parameters/id'
    }
  ]
})
@Schema({
  $ref: '#/components/schemas/user'
})
export class UsersIdResource extends AbstractSingleResource {
  @GET({
    description: 'Retrieve a single user by ID'
  })
  async getOne () {
    return await super.getOne();
  }
}

In the example above, UserIdResource will inherit the @GET responses from AbstractSingleResource and add its own description for the GET operation.

Class Decorators

DecoratorOpenAPI SchemaDescription
@ComponentsComponents ObjectThis allows you to define re-usable components which may be referenced via Reference Object links like "#/components/parameters/id". The components only need to be defined once and may be used by other resource classes.
@ConsumesN/AThis decorator may be included on a resource class to select media types when using @Schema to set the request body schema. The default media type is application/json so this is only required for other media types.
@PathPath Item ObjectThis decorator allows you to provide the string relative path or a path item object with an additional path property for the relative path.
@ProducesN/AThis decorator may be included on a resource class to select media types when using @Schema to set the successful response body schema. The default media type is application/json so this is only required for other media types.
@SchemaSchema ObjectThis decorator allows you to provide the resource's schema for request body and successful response bodies. The request body schema is set automatically for POST, PUT, and PATCH if your operation object's request body is not set. The response body schema is set for 200 or 201 response objects which don't have content set. If there no 200-level response objects a 200 response object will be added for you. This is intended for common use cases only.

Method Decorators

DecoratorOpenAPI SchemaDescription
@ConsumesN/ASee the class decorator description. If this is placed on the method it takes precedence over the class decorator.
@DELETEOperation ObjectThis decorator may be placed on a resource class method to associate that method with the HTTP DELETE method.
@GETOperation ObjectThis decorator may be placed on a resource class method to associate that method with the HTTP GET method.
@HEADOperation ObjectThis decorator may be placed on a resource class method to associate that method with the HTTP HEAD method.
@OPTIONSOperation ObjectThis decorator may be placed on a resource class method to associate that method with the HTTP OPTIONS method.
@PATCHOperation ObjectThis decorator may be placed on a resource class method to associate that method with the HTTP PATCH method.
@POSTOperation ObjectThis decorator may be placed on a resource class method to associate that method with the HTTP POST method.
@ProducesN/ASee the class decorator description. If this is placed on the method it takes precedence over the class decorator.
@PUTOperation ObjectThis decorator may be placed on a resource class method to associate that method with the HTTP PUT method.
@SchemaSchema ObjectSee the class decorator description. If this is placed on the method it takes precedence over the class decorator.
@TRACEOperation ObjectThis decorator may be placed on a resource class method to associate that method with the HTTP TRACE method.

OpenAPI Types

This project also provides you with types for all of the OpenAPI schema objects. All of the types follow a consistent naming pattern which matches the schema names in OpenAPI Specification v3.1.1. For example, if you need the type for the Operation Object schema, then you would import OperationObject.

import { type OperationObject } from '@sleekify/sleekify';

The Annotation Utility

This utility allows you to search for classes which have an Sleekify decorator or inspect individual classes and class methods for decorators.

MethodDescription
Annotation.exists(target, propertyKey, decorator)Indicates whether the annotation exists on the class or property.
Annotation.get(target, propertyKey, decorator)Gets the annotation's value.
Annotation.getClassesAnnotatedWith(relativePath, decorator)Finds classes annotated with the decoration by searching files recursively under the provided relative path. The classes must be exported as a named exports since default exports aren't supported.

Web Application Errors

These web application errors are provided since throwing errors is the best approach for generating error responses. This prevents HTTP concerns from leaking into other application layers and allows you to take advantage of error chaining via the error cause property. You may define your own error handler to serialize errors into error responses which keeps error formatting in a single code location.

Client Errors

ErrorHTTP Status CodeDescription
BadRequestError400A general error for invalid client requests
UnauthorizedError401Indicates the client hasn't been authenticated
PaymentRequiredError402
ForbiddenError403Indicates that an authenticated client is not authorized
NotFoundError404The resource was not found
MethodNotAllowedError405The resource does not support the given HTTP method
NotAcceptableError406The resource doesn't produce the requested media type
ProxyAuthenticationRequiredError407
RequestTimeoutError408The server timed out during the request
ConflictError409Indicates that the server detected an edit conflict
GoneError410Used to indicate a previously supported resource is no longer available
LengthRequiredError411
PreconditionFailedError412Indicates an If-Match conflict for servers which support ETag headers
PayloadTooLargeError413
URITooLongError414
UnsupportedMediaTypeError415The resource doesn't consume the requested media type
RangeNotSatisfiableError416
ExpectationFailedError417
IAmATeapotError418
MisdirectedRequestError421
UnprocessableContentError422Indicates a validation error where the request had the correct syntax, but invalid semantics
LockedError423
FailedDependencyError424
TooEarlyError425
UpgradeRequiredError426
PreconditionRequiredError428
RequestHeaderFieldsTooLargeError431
UnavailableForLegalReasonsError451

Server Errors

ErrorHTTP Status CodeDescription
InternalServerError500A general server error
NotImplementedError501The resource operation isn't implemented yet
BadGatewayError502
ServiceUnavailableError503The server is in a temporary state where it can't handle requests
GatewayTimeoutError504
HTTPVersionNotSupportedError505
VariantAlsoNegotiatesError506
InsufficientStorageError507
LoopDetectedError508
NotExtendedError510
NetworkAuthenticationRequiredError511
1.2.4

7 months ago

1.2.3

7 months ago

1.2.2

8 months ago

1.2.1

8 months ago

1.2.0

8 months ago

1.1.0

8 months ago

1.0.5

9 months ago

1.0.4

9 months ago

1.0.3

9 months ago

1.0.2

9 months ago

1.0.1

9 months ago

1.0.0

9 months ago