backk
TypeScript icon, indicating that this package has built-in type declarations

1.0.0-beta.13 • Public • Published

version Downloads MIT License

Backk

Backends for Kubernetes

A Node.js framework for creating security-first cloud-native microservices for Kubernetes in Typescript

A task-oriented replacement for REST, GraphQL and RPC

👷 🏗️ Backk is currently in beta phase

Table of Contents

Features

  • Create synchronous and asynchronous microservices using
  • Write your microservices using Typescript and plain functions that are called by remote clients
    • No need for learning any technology like REST, GraphQL or gRPC
    • Can be used both for resource and RPC style microservices
    • Optionally GraphQL syntax can be used to specify what fields are included in query responses
    • Backk does not really care if your microservice is really a microservice or more like a mini-service, macro-service or monolith.
  • Supports subscription endpoints using Server Sent Events (SSE) in HTTP/1.1 and HTTP/2
  • Supports different databases
  • ORM (Object-relational mapper)
    • Entities
    • Comprehensive set of validations for all data types (number, string, Date, Arrays)
    • Drastically simplifies the definition of DTOs or totally removes the need for DTOs
  • Automatic database schema generation
  • Recommended source code directory structure for creating uniform microservices
  • Comprehensive set of NPM scripts from building and testing to Docker/Minikube/Helm management
  • Easy access of remote Backk microservices
  • Executing multiple service functions with one request
  • Security
    • Builds distro-less non-root Docker images for the microservice
    • OAuth 2.0 Authorization support
    • Captcha verification support
    • Automatic password hashing using Argon2 algorithm
    • Automatic PII encryption/decryption
    • Mandatory validation using decorators is required for entity properties
      • e.g. string fields must have a maximum length validation and numbers must have minimum and maximum value validation
  • Supports a response cache using Redis
  • Distributed transactions with persistent sagas (This feature is coming soon)
  • Automatic microservice documentation generation
  • Automatic microservice metadata/specification generation
    • OpenAPI v3
    • Backk custom format that contains additional info compared to OpenAPI v3 spec
  • Metadata endpoints can be called to retrieve microservice metadata for dynamic clients
  • Automatic microservice integration test generation for Postman and Newman
  • Automatic client code generation for Kubernetes cluster internal and web frontend clients
  • Built-in Observability
    • Distributed tracing using OpenTelemetry API (Jaeger)
    • Log file format conforming to Open Telemetry specification
    • Metrics collection using OpenTelemetry API (Prometheus)
  • Startup functions which are executed once on microservice startup
  • Scheduled functions
    • Scheduled as per client request
    • Cron jobs
  • Built-in Kubernetes Liveness, Readiness and Startup probes support
  • Ready-made Dockerfiles
  • Ready-made Docker Compose file setting up an integration testing environment
  • Ready-made Helm templates for Kubernetes deployment
  • Ready-made CI pipelines (currently only Github workflow)

Architecture

Backk microservices are cloud-native microservices running in a Kubernetes cluster. Microservices can run in one or more namespaces. One Backk microservice consists of service(s) which consist of service function(s). These services and their functions comprise the API of your microservice.

Backk Architecture

For example, if your have Backk microservice has service emailNotificationService and it has function sendEmail, that service function can be accessed with HTTP URL path emailNotificationService.sendEmail. If your Backk microservice is named notification-service and is installed in default Kubernetes namespace, you can access your service function over HTTP like this: https://<kube-cluster-edge-fqdn>/notification-service.default/emailNotificationService.sendEmail

How Backk Works?

Backk microservices are written using Node.js and Typescript. A Backk microservice consists of one or more services classes with their dedicated purpose. Each service class can contain one or more service functions (class methods) that implement the service functionality. Each service function can have zero or exactly one parameter of JavaScript Class type. Service function returns a value, which can be null, a JavaScript value that can be converted to JSON or error.

Synchronously, Backk microservice can be accessed via HTTP. By default, each service function in the Backk microservice is accessible via HTTP POST method. But it is possible to configure to access service functions via HTTP GET method.

Asynchronously, Backk microservices can be accessed via Kafka and/or Redis. In case of Kafka, Backk microservice reads messages from a topic named after the microservice and message key tells the service function to execute and message value is the argument for the service function. In case of Redis, Backk microservice uses a list named after the microservice and pops service function calls from the list.

It is possible to simultaneously access the Backk microservice both synchronously and asynchronously using any combinations of all the three communication methods: HTTP, Kafka and Redis

Let's have a short example to showcase accessing Backk microservice over HTTP.

Our microservice consist of one service SalesItemService that is for creating sales items and getting the created sales items, and it is using a MySQL database as a persistent data store.

Let's create the SalesItemService service interface in src/services/salesitem directory:

SalesItemService.ts

import { DefaultPostQueryOperationsImpl, Many, One, PromiseErrorOr, Service } from 'backk';
import SalesItem from './types/entities/SalesItem';

export interface SalesItemService extends Service {
  createSalesItem(salesItem: SalesItem): PromiseErrorOr<One<SalesItem>>;
  getSalesItems(postQueryOperations: DefaultPostQueryOperationsImpl): PromiseErrorOr<Many<SalesItem>>;
}

Let's create the SalesItem entity class in src/services/salesitem/types/entities directory:

SalesItem.ts

import { _Id, Entity, IsAscii, IsFloat, Length, MinMax, ReadWrite } from 'backk';

@Entity()
export default class SalesItem extends _Id {
  @IsAscii()
  @Length(1, 128)
  @ReadWrite()
  name!: string;
  
  @IsFloat()
  @MinMax(0, Number.MAX_VALUE)
  @ReadWrite()
  price!: number;
}

Let's create the service implementation class in src/services/salesitem directory:

SalesItemServiceImpl.ts

import { DataStore, DefaultPostQueryOperationsImpl, CrudEntityService, Many, One, PromiseErrorOr } from 'backk';
import { SalesItemService } from './SalesItemService';
import SalesItem from './types/entities/SalesItem';

export default class SalesItemServiceImpl extends CrudEntityService implements SalesItemService {
  constructor(dataStore: DataStore) {
    super({}, dataStore);
  }
  
  createSalesItem(salesItem: SalesItem): PromiseErrorOr<One<SalesItem>> {
    return this.dataStore.createEntity(SalesItem, salesItem);
  }
  
  getSalesItems(postQueryOperations: DefaultPostQueryOperationsImpl): PromiseErrorOr<Many<SalesItem>> {
    return this.dataStore.getAllEntities(SalesItem, postQueryOperations, false);
  }
}

Let's create the microservice implementation class in src directory and instantiate our sales item service:

microservice.ts

import { Microservice, MySqlDataStore } from 'backk';
import SalesItemServiceImpl from './services/salesitem/SalesItemServiceImpl'

const dataStore = new MySqlDataStore();

export default class MicroserviceImpl extends Microservice {
  private readonly salesItemService = new SalesItemServiceImpl(dataStore);
  // If you had other services in you microservice, you would instantiate them here

  constructor() {
    super(dataStore);
  }
}

const microservice = new MicroserviceImpl();
export default microservice;

Now we can create a new sales item with an HTTP POST request:

POST /salesItemService.createSalesItem
Content-Type: application/json

{
  "name": "Sales item 1",
  "price": 49.95
}

And we get a response containing the created sales item with _id assigned:

HTTP/1.1 200 OK
Content-Type: application/json

{
  "metadata": {}
  "data": {
    "_id": "1",
    "name": "Sales item 1",
    "price": 49.95
  }
}

Let's create another sales item:

POST /salesItemService.createSalesItem
Content-Type: application/json

{
  "name": "Sales item 2",
  "price": 89.95
}

And then we can get the created entities with an HTTP POST request to salesItemService.getSalesItems:

POST /salesItemService.getSalesItems
Content-Type: application/json

{
  "includeResponseFields": ["_id", "name"],
  "sortBys": [{ "fieldName": "_id", "sortDirection": "DESC" }],
  "paginations": [{ "pageNumber": 1, "pageSize": 2 }]
}

And the response will be:

HTTP/1.1 200 OK
Content-Type: application/json

{
  metadata: {}
  data: [
    {
      "_id": "2",
      "name": "Sales item 2"
    },
    {
      "_id": "1",
      "name": "Sales item 1"
    }
  ]
}

You can also use GraphQL style syntax in includeResponseFields:

const includeResponseFields = JSON.stringify([`
{
  _id
  name  
}
`]);
POST /salesItemService.getSalesItems
Content-Type: application/json

{
  "includeResponseFields": <value-from-above-includeResponseFields-variable>,
}

You can also achieve the same as above using excludeResponseFields:

const excludeResponseFields = JSON.stringify([`
{
  price  
}
`]);
POST /salesItemService.getSalesItems
Content-Type: application/json

{
  "excludeResponseFields": <value-from-above-excludeResponseFields-variable>,
}

You can also use just JSON instead of GraphQL query. This is an easier solution when you have the list of wanted fields stored in Javascript object, then you can just use that object directly:

const includeResponseFields = JSON.stringify([
{
  _id: true,
  name: true  
}
]);
POST /salesItemService.getSalesItems
Content-Type: application/json

{
  "includeResponseFields": <value-from-above-includeResponseFields-variable>,
}

Example Backk Microservice

If you want to dive right into the deep end, check out the backk example microservice called Vitja.

Vitja is an example Backk microservice. It offers a full-featured digital second hand marketplace for users to sell their second hand items. Users can add their own sales items and browse others' sales items. Users can follow other users, like their sales items and follow sales items for price changes. Users can add/remove sales item to/from shopping cart and place orders. Vitja will also track the order delivery and possible order return process.

Feedback

Report Bug

If you find a bug, please create a new bug report about that

Report Security Vulnerability

If you find a security vulnerability, please create a new bug report about that

Request New Feature

If you want to request a new feature or enhancement, please create a new feature request about that

Request Documentation Improvement

If you want to request an improvement to documentation, please create a new documentation improvement request about that

Ask Question

If you want to ask a question

Contributing

If you are first time contributing to any open source project, you can check these tutorials:

You can contribute to Backk open-source project in following ways:

You can request to assign a certain issue to yourself by creating an issue assignment request

Sponsor

License

MIT License

Versions

Current Tags

Version History

Package Sidebar

Install

npm i backk

Weekly Downloads

12

Version

1.0.0-beta.13

License

MIT

Unpacked Size

3.56 MB

Total Files

1463

Last publish

Collaborators

  • pksilen