Setup eslint and enforce rules
continuous-integration/drone/push Build is passing Details

orm-types
Garrett Mills 3 years ago
parent 82e7a1f299
commit 1d5056b753
Signed by: garrettmills
GPG Key ID: D2BF5FBA8298F246

@ -0,0 +1,3 @@
node_modules
lib
dist

@ -0,0 +1,113 @@
{
"env": {
"browser": true,
"es2021": true
},
"extends": [
"eslint:recommended",
"plugin:@typescript-eslint/eslint-recommended",
"plugin:@typescript-eslint/recommended"
],
"parser": "@typescript-eslint/parser",
"parserOptions": {
"ecmaVersion": 12,
"sourceType": "module"
},
"plugins": [
"@typescript-eslint"
],
"rules": {
"indent": [
"error",
4
],
"linebreak-style": [
"error",
"unix"
],
"quotes": [
"error",
"single",
{
"allowTemplateLiterals": true
}
],
"semi": [
"error",
"never"
],
"no-console": "error",
"curly": "error",
"eqeqeq": "error",
"guard-for-in": "error",
"no-alert": "error",
"no-caller": "error",
"no-constructor-return": "error",
"no-eval": "error",
"no-implicit-coercion": "error",
"no-implied-eval": "error",
"no-invalid-this": "error",
"no-return-await": "error",
"no-throw-literal": "error",
"no-useless-call": "error",
"radix": "error",
"yoda": "error",
"@typescript-eslint/no-shadow": "error",
"brace-style": "error",
"camelcase": "error",
"comma-dangle": [
"error",
"always-multiline"
],
"comma-spacing": [
"error",
{
"before": false,
"after": true
}
],
"comma-style": [
"error",
"last"
],
"computed-property-spacing": [
"error",
"never"
],
"eol-last": "error",
"func-call-spacing": [
"error",
"never"
],
"keyword-spacing": [
"error",
{
"before": true,
"after": true
}
],
"lines-between-class-members": "error",
"max-params": [
"error",
4
],
"new-parens": [
"error",
"always"
],
"newline-per-chained-call": "error",
"no-trailing-spaces": "error",
"no-underscore-dangle": "error",
"no-unneeded-ternary": "error",
"no-whitespace-before-property": "error",
"object-property-newline": "error",
"prefer-exponentiation-operator": "error",
"prefer-object-spread": "error",
"spaced-comment": [
"error",
"always"
],
"prefer-const": "error",
"@typescript-eslint/no-explicit-any": "off"
}
}

1338
package-lock.json generated

File diff suppressed because it is too large Load Diff

@ -38,10 +38,13 @@
}, },
"scripts": { "scripts": {
"test": "echo \"Error: no test specified\" && exit 1", "test": "echo \"Error: no test specified\" && exit 1",
"prebuild": "pnpm run lint",
"build": "tsc", "build": "tsc",
"app": "tsc && node lib/index.js", "app": "tsc && node lib/index.js",
"prepare": "pnpm run build", "prepare": "pnpm run build",
"docs:build": "typedoc --options typedoc.json" "docs:build": "typedoc --options typedoc.json",
"lint": "eslint . --ext .ts",
"lint:fix": "eslint --fix . --ext .ts"
}, },
"files": [ "files": [
"lib/**/*" "lib/**/*"
@ -53,5 +56,10 @@
"url": "https://code.garrettmills.dev/extollo/lib" "url": "https://code.garrettmills.dev/extollo/lib"
}, },
"author": "garrettmills <shout@garrettmills.dev>", "author": "garrettmills <shout@garrettmills.dev>",
"license": "MIT" "license": "MIT",
"devDependencies": {
"@typescript-eslint/eslint-plugin": "^4.26.0",
"@typescript-eslint/parser": "^4.26.0",
"eslint": "^7.27.0"
}
} }

File diff suppressed because it is too large Load Diff

@ -1,10 +1,10 @@
import {Injectable, Inject} from "../di" import {Injectable, Inject} from '../di'
import {infer, ErrorWithContext} from "../util" import {infer, ErrorWithContext} from '../util'
import {CLIOption} from "./directive/options/CLIOption" import {CLIOption} from './directive/options/CLIOption'
import {PositionalOption} from "./directive/options/PositionalOption"; import {PositionalOption} from './directive/options/PositionalOption'
import {FlagOption} from "./directive/options/FlagOption"; import {FlagOption} from './directive/options/FlagOption'
import {AppClass} from "../lifecycle/AppClass"; import {AppClass} from '../lifecycle/AppClass'
import {Logging} from "../service/Logging"; import {Logging} from '../service/Logging'
/** /**
* Type alias for a definition of a command-line option. * Type alias for a definition of a command-line option.
@ -35,7 +35,7 @@ export abstract class Directive extends AppClass {
protected readonly logging!: Logging protected readonly logging!: Logging
/** Parsed option values. */ /** Parsed option values. */
private _optionValues: any private optionValues: any
/** /**
* Get the keyword or array of keywords that will specify this directive. * Get the keyword or array of keywords that will specify this directive.
@ -84,8 +84,8 @@ export abstract class Directive extends AppClass {
* @param optionValues * @param optionValues
* @private * @private
*/ */
private _setOptionValues(optionValues: any) { private setOptionValues(optionValues: any) {
this._optionValues = optionValues; this.optionValues = optionValues
} }
/** /**
@ -93,9 +93,9 @@ export abstract class Directive extends AppClass {
* @param name * @param name
* @param defaultValue * @param defaultValue
*/ */
public option(name: string, defaultValue?: any) { public option(name: string, defaultValue?: unknown): any {
if ( name in this._optionValues ) { if ( name in this.optionValues ) {
return this._optionValues[name] return this.optionValues[name]
} }
return defaultValue return defaultValue
@ -110,20 +110,28 @@ export abstract class Directive extends AppClass {
* *
* @param argv * @param argv
*/ */
async invoke(argv: string[]) { async invoke(argv: string[]): Promise<void> {
const options = this.getResolvedOptions() const options = this.getResolvedOptions()
if ( this.didRequestUsage(argv) ) { if ( this.didRequestUsage(argv) ) {
// @ts-ignore const positionalArguments: PositionalOption<any>[] = []
const positionalArguments: PositionalOption<any>[] = options.filter(opt => opt instanceof PositionalOption) options.forEach(opt => {
if ( opt instanceof PositionalOption ) {
positionalArguments.push(opt)
}
})
// @ts-ignore const flagArguments: FlagOption<any>[] = []
const flagArguments: FlagOption<any>[] = options.filter(opt => opt instanceof FlagOption) options.forEach(opt => {
if ( opt instanceof FlagOption ) {
flagArguments.push(opt)
}
})
const positionalDisplay: string = positionalArguments.map(x => `<${x.getArgumentName()}>`).join(' ') const positionalDisplay: string = positionalArguments.map(x => `<${x.getArgumentName()}>`).join(' ')
const flagDisplay: string = flagArguments.length ? ' [...flags]' : '' const flagDisplay: string = flagArguments.length ? ' [...flags]' : ''
console.log([ this.nativeOutput([
'', '',
`DIRECTIVE: ${this.getMainKeyword()} - ${this.getDescription()}`, `DIRECTIVE: ${this.getMainKeyword()} - ${this.getDescription()}`,
'', '',
@ -131,7 +139,7 @@ export abstract class Directive extends AppClass {
].join('\n')) ].join('\n'))
if ( positionalArguments.length ) { if ( positionalArguments.length ) {
console.log([ this.nativeOutput([
'', '',
`POSITIONAL ARGUMENTS:`, `POSITIONAL ARGUMENTS:`,
...(positionalArguments.map(arg => { ...(positionalArguments.map(arg => {
@ -141,7 +149,7 @@ export abstract class Directive extends AppClass {
} }
if ( flagArguments.length ) { if ( flagArguments.length ) {
console.log([ this.nativeOutput([
'', '',
`FLAGS:`, `FLAGS:`,
...(flagArguments.map(arg => { ...(flagArguments.map(arg => {
@ -152,34 +160,34 @@ export abstract class Directive extends AppClass {
const help = this.getHelpText() const help = this.getHelpText()
if ( help ) { if ( help ) {
console.log('\n' + help) this.nativeOutput('\n' + help)
} }
console.log('\n') this.nativeOutput('\n')
} else { } else {
try { try {
const optionValues = this.parseOptions(options, argv) const optionValues = this.parseOptions(options, argv)
this._setOptionValues(optionValues) this.setOptionValues(optionValues)
await this.handle(argv) await this.handle(argv)
} catch (e) { } catch (e) {
console.error(e.message) this.nativeOutput(e.message)
if ( e instanceof OptionValidationError ) { if ( e instanceof OptionValidationError ) {
// expecting, value, requirements // expecting, value, requirements
if ( e.context.expecting ) { if ( e.context.expecting ) {
console.error(` - Expecting: ${e.context.expecting}`) this.nativeOutput(` - Expecting: ${e.context.expecting}`)
} }
if ( e.context.requirements && Array.isArray(e.context.requirements) ) { if ( e.context.requirements && Array.isArray(e.context.requirements) ) {
for ( const req of e.context.requirements ) { for ( const req of e.context.requirements ) {
console.error(` - ${req}`) this.nativeOutput(` - ${req}`)
} }
} }
if ( e.context.value ) { if ( e.context.value ) {
console.error(` - ${e.context.value}`) this.nativeOutput(` - ${e.context.value}`)
} }
} }
console.error('\nUse --help for more info.') this.nativeOutput('\nUse --help for more info.')
} }
} }
} }
@ -217,9 +225,11 @@ export abstract class Directive extends AppClass {
* Returns true if the given keyword should invoke this directive. * Returns true if the given keyword should invoke this directive.
* @param name * @param name
*/ */
public matchesKeyword(name: string) { public matchesKeyword(name: string): boolean {
let kws = this.getKeywords() let kws = this.getKeywords()
if ( !Array.isArray(kws) ) kws = [kws] if ( !Array.isArray(kws) ) {
kws = [kws]
}
return kws.includes(name) return kws.includes(name)
} }
@ -227,7 +237,7 @@ export abstract class Directive extends AppClass {
* Print the given output to the log as success text. * Print the given output to the log as success text.
* @param output * @param output
*/ */
success(output: any) { success(output: unknown): void {
this.logging.success(output, true) this.logging.success(output, true)
} }
@ -235,7 +245,7 @@ export abstract class Directive extends AppClass {
* Print the given output to the log as error text. * Print the given output to the log as error text.
* @param output * @param output
*/ */
error(output: any) { error(output: unknown): void {
this.logging.error(output, true) this.logging.error(output, true)
} }
@ -243,7 +253,7 @@ export abstract class Directive extends AppClass {
* Print the given output to the log as warning text. * Print the given output to the log as warning text.
* @param output * @param output
*/ */
warn(output: any) { warn(output: unknown): void {
this.logging.warn(output, true) this.logging.warn(output, true)
} }
@ -251,7 +261,7 @@ export abstract class Directive extends AppClass {
* Print the given output to the log as info text. * Print the given output to the log as info text.
* @param output * @param output
*/ */
info(output: any) { info(output: unknown): void {
this.logging.info(output, true) this.logging.info(output, true)
} }
@ -259,7 +269,7 @@ export abstract class Directive extends AppClass {
* Print the given output to the log as debugging text. * Print the given output to the log as debugging text.
* @param output * @param output
*/ */
debug(output: any) { debug(output: unknown): void {
this.logging.debug(output, true) this.logging.debug(output, true)
} }
@ -267,7 +277,7 @@ export abstract class Directive extends AppClass {
* Print the given output to the log as verbose text. * Print the given output to the log as verbose text.
* @param output * @param output
*/ */
verbose(output: any) { verbose(output: unknown): void {
this.logging.verbose(output, true) this.logging.verbose(output, true)
} }
@ -275,7 +285,7 @@ export abstract class Directive extends AppClass {
* Get the flag option that signals help. Usually, this is named 'help' * Get the flag option that signals help. Usually, this is named 'help'
* and supports the flags '--help' and '-?'. * and supports the flags '--help' and '-?'.
*/ */
getHelpOption() { getHelpOption(): FlagOption<any> {
return new FlagOption('--help', '-?', 'usage information about this directive') return new FlagOption('--help', '-?', 'usage information about this directive')
} }
@ -283,12 +293,21 @@ export abstract class Directive extends AppClass {
* Process the raw CLI arguments using an array of option class instances to build * Process the raw CLI arguments using an array of option class instances to build
* a mapping of option names to provided values. * a mapping of option names to provided values.
*/ */
parseOptions(options: CLIOption<any>[], args: string[]) { parseOptions(options: CLIOption<any>[], args: string[]): {[key: string]: any} {
// @ts-ignore let positionalArguments: PositionalOption<any>[] = []
let positionalArguments: PositionalOption<any>[] = options.filter(cls => cls instanceof PositionalOption) options.forEach(opt => {
if ( opt instanceof PositionalOption ) {
positionalArguments.push(opt)
}
})
const flagArguments: FlagOption<any>[] = []
options.forEach(opt => {
if ( opt instanceof FlagOption ) {
flagArguments.push(opt)
}
})
// @ts-ignore
const flagArguments: FlagOption<any>[] = options.filter(cls => cls instanceof FlagOption)
const optionValue: any = {} const optionValue: any = {}
flagArguments.push(this.getHelpOption()) flagArguments.push(this.getHelpOption())
@ -325,7 +344,7 @@ export abstract class Directive extends AppClass {
const flagArgument = flagArguments.filter(x => x.shortFlag === value) const flagArgument = flagArguments.filter(x => x.shortFlag === value)
if ( flagArgument.length < 1 ) { if ( flagArgument.length < 1 ) {
throw new OptionValidationError(`Unknown flag argument: ${value}`, { throw new OptionValidationError(`Unknown flag argument: ${value}`, {
value value,
}) })
} else { } else {
if ( flagArgument[0].argumentDescription ) { if ( flagArgument[0].argumentDescription ) {
@ -350,7 +369,7 @@ export abstract class Directive extends AppClass {
} else { } else {
if ( positionalArguments.length < 1 ) { if ( positionalArguments.length < 1 ) {
throw new OptionValidationError(`Unknown positional argument: ${value}`, { throw new OptionValidationError(`Unknown positional argument: ${value}`, {
value value,
}) })
} else { } else {
const inferredValue = infer(value) const inferredValue = infer(value)
@ -368,13 +387,13 @@ export abstract class Directive extends AppClass {
if ( expectingFlagArgument ) { if ( expectingFlagArgument ) {
throw new OptionValidationError(`Missing argument for flag: ${positionalFlagName}`, { throw new OptionValidationError(`Missing argument for flag: ${positionalFlagName}`, {
expecting: positionalFlagName expecting: positionalFlagName,
}) })
} }
if ( positionalArguments.length > 0 ) { if ( positionalArguments.length > 0 ) {
throw new OptionValidationError(`Missing required argument: ${positionalArguments[0].getArgumentName()}`, { throw new OptionValidationError(`Missing required argument: ${positionalArguments[0].getArgumentName()}`, {
expecting: positionalArguments[0].getArgumentName() expecting: positionalArguments[0].getArgumentName(),
}) })
} }
@ -430,14 +449,18 @@ export abstract class Directive extends AppClass {
* Determines if, at any point in the arguments, the help option's short or long flag appears. * Determines if, at any point in the arguments, the help option's short or long flag appears.
* @returns {boolean} - true if the help flag appeared * @returns {boolean} - true if the help flag appeared
*/ */
didRequestUsage(argv: string[]) { didRequestUsage(argv: string[]): boolean {
const help_option = this.getHelpOption() const helpOption = this.getHelpOption()
for ( const arg of argv ) { for ( const arg of argv ) {
if ( arg.trim() === help_option.longFlag || arg.trim() === help_option.shortFlag ) { if ( arg.trim() === helpOption.longFlag || arg.trim() === helpOption.shortFlag ) {
return true return true
} }
} }
return false return false
} }
protected nativeOutput(...outputs: any[]): void {
console.log(...outputs) // eslint-disable-line no-console
}
} }

@ -1,8 +1,8 @@
import {Directive} from "../Directive" import {Directive} from '../Directive'
import {CommandLineApplication} from "../service" import {CommandLineApplication} from '../service'
import {Injectable} from "../../di" import {Injectable} from '../../di'
import {ErrorWithContext} from "../../util" import {ErrorWithContext} from '../../util'
import {Unit} from "../../lifecycle/Unit"; import {Unit} from '../../lifecycle/Unit'
/** /**
* A directive that starts the framework's final target normally. * A directive that starts the framework's final target normally.

@ -1,7 +1,7 @@
import {Directive} from "../Directive" import {Directive} from '../Directive'
import * as colors from "colors/safe" import * as colors from 'colors/safe'
import * as repl from 'repl' import * as repl from 'repl'
import {DependencyKey} from "../../di"; import {DependencyKey} from '../../di'
/** /**
* Launch an interactive REPL shell from within the application. * Launch an interactive REPL shell from within the application.
@ -9,7 +9,7 @@ import {DependencyKey} from "../../di";
*/ */
export class ShellDirective extends Directive { export class ShellDirective extends Directive {
protected options: any = { protected options: any = {
welcome: `powered by Extollo, © ${(new Date).getFullYear()} Garrett Mills\nAccess your application using the "app" global.`, welcome: `powered by Extollo, © ${(new Date()).getFullYear()} Garrett Mills\nAccess your application using the "app" global.`,
prompt: `${colors.blue('(')}extollo${colors.blue(') ➤ ')}`, prompt: `${colors.blue('(')}extollo${colors.blue(') ➤ ')}`,
} }
@ -38,7 +38,7 @@ export class ShellDirective extends Directive {
} }
await new Promise<void>(res => { await new Promise<void>(res => {
console.log(this.options.welcome) this.nativeOutput(this.options.welcome)
this.repl = repl.start(this.options.prompt) this.repl = repl.start(this.options.prompt)
Object.assign(this.repl.context, state) Object.assign(this.repl.context, state)
this.repl.on('exit', () => res()) this.repl.on('exit', () => res())

@ -1,8 +1,8 @@
import {Directive, OptionDefinition} from "../Directive" import {Directive, OptionDefinition} from '../Directive'
import {PositionalOption} from "./options/PositionalOption" import {PositionalOption} from './options/PositionalOption'
import {CommandLine} from "../service" import {CommandLine} from '../service'
import {Inject, Injectable} from "../../di"; import {Inject, Injectable} from '../../di'
import {ErrorWithContext} from "../../util"; import {ErrorWithContext} from '../../util'
/** /**
* Create a new file based on a template registered with the CommandLine service. * Create a new file based on a template registered with the CommandLine service.
@ -46,11 +46,11 @@ export class TemplateDirective extends Directive {
'', '',
...(registeredTemplates.map(template => { ...(registeredTemplates.map(template => {
return ` - ${template.name}: ${template.description}` return ` - ${template.name}: ${template.description}`
}).all()) }).all()),
].join('\n') ].join('\n')
} }
async handle(argv: string[]) { async handle(): Promise<void> {
const templateName: string = this.option('template_name') const templateName: string = this.option('template_name')
const destinationName: string = this.option('file_name') const destinationName: string = this.option('file_name')

@ -1,7 +1,7 @@
import {Directive} from "../Directive" import {Directive} from '../Directive'
import {Injectable, Inject} from "../../di" import {Injectable, Inject} from '../../di'
import {padRight} from "../../util" import {padRight} from '../../util'
import {CommandLine} from "../service" import {CommandLine} from '../service'
/** /**
* Directive that prints the help message and usage information about * Directive that prints the help message and usage information about
@ -20,7 +20,7 @@ export class UsageDirective extends Directive {
return 'print information about available commands' return 'print information about available commands'
} }
public handle(argv: string[]): void | Promise<void> { public handle(): void | Promise<void> {
const directiveStrings = this.cli.getDirectives() const directiveStrings = this.cli.getDirectives()
.map(cls => this.make<Directive>(cls)) .map(cls => this.make<Directive>(cls))
.map<[string, string]>(dir => { .map<[string, string]>(dir => {
@ -30,15 +30,15 @@ export class UsageDirective extends Directive {
const maxLen = directiveStrings.max<number>(x => x[0].length) const maxLen = directiveStrings.max<number>(x => x[0].length)
const printStrings = directiveStrings.map(grp => { const printStrings = directiveStrings.map(grp => {
return [padRight(grp[0], maxLen + 1), grp[1]] return [padRight(grp[0], maxLen + 1), grp[1]]
}) })
.map(grp => { .map(grp => {
return ` ${grp[0]}: ${grp[1]}` return ` ${grp[0]}: ${grp[1]}`
}) })
.toArray() .toArray()
console.log(this.cli.getASCIILogo()) this.nativeOutput(this.cli.getASCIILogo())
console.log([ this.nativeOutput([
'', '',
'Welcome to Extollo! Specify a command to get started.', 'Welcome to Extollo! Specify a command to get started.',
'', '',
@ -48,7 +48,7 @@ export class UsageDirective extends Directive {
'', '',
'For usage information about a particular command, pass the --help flag.', 'For usage information about a particular command, pass the --help flag.',
'-------------------------------------------', '-------------------------------------------',
`powered by Extollo, © ${(new Date).getFullYear()} Garrett Mills`, `powered by Extollo, © ${(new Date()).getFullYear()} Garrett Mills`,
].join('\n')) ].join('\n'))
} }
} }

@ -9,200 +9,207 @@ export abstract class CLIOption<T> {
* @type {boolean} * @type {boolean}
* @private * @private
*/ */
protected _useWhitelist: boolean = false protected useWhitelist = false
/** /**
* Do we use the blacklist? * Do we use the blacklist?
* @type {boolean} * @type {boolean}
* @private * @private
*/ */
protected _useBlacklist: boolean = false protected useBlacklist = false
/** /**
* Do we use the less-than comparison? * Do we use the less-than comparison?
* @type {boolean} * @type {boolean}
* @private * @private
*/ */
protected _useLessThan: boolean = false protected useLessThan = false
/** /**
* Do we use the greater-than comparison? * Do we use the greater-than comparison?
* @type {boolean} * @type {boolean}
* @private * @private
*/ */
protected _useGreaterThan: boolean = false protected useGreaterThan = false
/** /**
* Do we use the equality operator? * Do we use the equality operator?
* @type {boolean} * @type {boolean}
* @private * @private
*/ */
protected _useEquality: boolean = false protected useEquality = false
/** /**
* Is this option optional? * Is this option optional?
* @type {boolean} * @type {boolean}
* @private * @private
*/ */
protected _optional: boolean = false protected isOptional = false
/** /**
* Whitelisted values. * Whitelisted values.
* @type {Array<*>} * @type {Array<*>}
* @private * @private
*/ */
protected _whitelist: T[] = [] protected whitelistItems: T[] = []
/** /**
* Blacklisted values. * Blacklisted values.
* @type {Array<*>} * @type {Array<*>}
* @private * @private
*/ */
protected _blacklist: T[] = [] protected blacklistItems: T[] = []
/** /**
* Value to be compared in less than. * Value to be compared in less than.
* @type {*} * @type {*}
* @private * @private
*/ */
protected _lessThanValue?: T protected lessThanValue?: T
/** /**
* If true, the less than will be less than or equal to. * If true, the less than will be less than or equal to.
* @type {boolean} * @type {boolean}
* @private * @private
*/ */
protected _lessThanBit: boolean = false protected lessThanBit = false
/** /**
* Value to be compared in greater than. * Value to be compared in greater than.
* @type {*} * @type {*}
* @private * @private
*/ */
protected _greaterThanValue?: T protected greaterThanValue?: T
/** /**
* If true, the greater than will be greater than or equal to. * If true, the greater than will be greater than or equal to.
* @type {boolean} * @type {boolean}
* @private * @private
*/ */
protected _greateerThanBit: boolean = false protected greaterThanBit = false
/** /**
* The value to be used to check equality. * The value to be used to check equality.
* @type {*} * @type {*}
* @private * @private
*/ */
protected _equalityValue?: T protected equalityValue?: T
/** /**
* Whitelist the specified item or items and enable the whitelist. * Whitelist the specified item or items and enable the whitelist.
* @param {...*} items - the items to whitelist * @param {...*} items - the items to whitelist
*/ */
whitelist(...items: T[]) { whitelist(...items: T[]): this {
this._useWhitelist = true this.useWhitelist = true
items.forEach(item => this._whitelist.push(item)) items.forEach(item => this.whitelistItems.push(item))
return this
} }
/** /**
* Blacklist the specified item or items and enable the blacklist. * Blacklist the specified item or items and enable the blacklist.
* @param {...*} items - the items to blacklist * @param {...*} items - the items to blacklist
*/ */
blacklist(...items: T[]) { blacklist(...items: T[]): this {
this._useBlacklist = true this.useBlacklist = true
items.forEach(item => this._blacklist.push(item)) items.forEach(item => this.blacklistItems.push(item))
return this
} }
/** /**
* Specifies the value to be used in less-than comparison and enables less-than comparison. * Specifies the value to be used in less-than comparison and enables less-than comparison.
* @param {*} value * @param {*} value
*/ */
lessThan(value: T) { lessThan(value: T): this {
this._useLessThan = true this.useLessThan = true
this._lessThanValue = value this.lessThanValue = value
return this
} }
/** /**
* Specifies the value to be used in less-than or equal-to comparison and enables that comparison. * Specifies the value to be used in less-than or equal-to comparison and enables that comparison.
* @param {*} value * @param {*} value
*/ */
lessThanOrEqualTo(value: T) { lessThanOrEqualTo(value: T): this {
this._lessThanBit = true this.lessThanBit = true
this.lessThan(value) this.lessThan(value)
return this
} }
/** /**
* Specifies the value to be used in greater-than comparison and enables that comparison. * Specifies the value to be used in greater-than comparison and enables that comparison.
* @param {*} value * @param {*} value
*/ */
greaterThan(value: T) { greaterThan(value: T): this {
this._useGreaterThan = true this.useGreaterThan = true
this._greaterThanValue = value this.greaterThanValue = value
return this
} }
/** /**
* Specifies the value to be used in greater-than or equal-to comparison and enables that comparison. * Specifies the value to be used in greater-than or equal-to comparison and enables that comparison.
* @param {*} value * @param {*} value
*/ */
greaterThanOrEqualTo(value: T) { greaterThanOrEqualTo(value: T): this {
this._greateerThanBit = true this.greaterThanBit = true
this.greaterThan(value) this.greaterThan(value)
return this
} }
/** /**
* Specifies the value to be used in equality comparison and enables that comparison. * Specifies the value to be used in equality comparison and enables that comparison.
* @param {*} value * @param {*} value
*/ */
equals(value: T) { equals(value: T): this {
this._useEquality = true this.useEquality = true
this._equalityValue = value this.equalityValue = value
return this
} }
/** /**
* Checks if the specified value passes the configured comparisons. * Checks if the specified value passes the configured comparisons.
* @param {*} value * @param value
* @returns {boolean} * @returns {boolean}
*/ */
validate(value: any) { validate(value: T): boolean {
let is_valid = true let isValid = true
if ( this._useEquality ) { if ( this.useEquality ) {
is_valid = is_valid && (this._equalityValue === value) isValid = isValid && (this.equalityValue === value)
} }
if ( this._useLessThan && typeof this._lessThanValue !== 'undefined' ) { if ( this.useLessThan && typeof this.lessThanValue !== 'undefined' ) {
if ( this._lessThanBit ) { if ( this.lessThanBit ) {
is_valid = is_valid && (value <= this._lessThanValue) isValid = isValid && (value <= this.lessThanValue)
} else { } else {
is_valid = is_valid && (value < this._lessThanValue) isValid = isValid && (value < this.lessThanValue)
} }
} }
if ( this._useGreaterThan && typeof this._greaterThanValue !== 'undefined' ) { if ( this.useGreaterThan && typeof this.greaterThanValue !== 'undefined' ) {
if ( this._greateerThanBit ) { if ( this.greaterThanBit ) {
is_valid = is_valid && (value >= this._greaterThanValue) isValid = isValid && (value >= this.greaterThanValue)
} else { } else {
is_valid = is_valid && (value > this._greaterThanValue) isValid = isValid && (value > this.greaterThanValue)
} }
} }
if ( this._useWhitelist ) { if ( this.useWhitelist ) {
is_valid = is_valid && this._whitelist.some(x => { isValid = isValid && this.whitelistItems.some(x => {
return x === value return x === value
}) })
} }
if ( this._useBlacklist ) { if ( this.useBlacklist ) {
is_valid = is_valid && !(this._blacklist.some(x => x === value)) isValid = isValid && !(this.blacklistItems.some(x => x === value))
} }
return is_valid return isValid
} }
/** /**
* Sets the Option as optional. * Sets the Option as optional.
*/ */
optional() { optional(): this {
this._optional = true this.isOptional = true
return this return this
} }
@ -216,27 +223,27 @@ export abstract class CLIOption<T> {
* Get an array of strings denoting the human-readable requirements for this option to be valid. * Get an array of strings denoting the human-readable requirements for this option to be valid.
* @returns {Array<string>} * @returns {Array<string>}
*/ */
getRequirementDisplays() { getRequirementDisplays(): string[] {
const clauses = [] const clauses = []
if ( this._useBlacklist ) { if ( this.useBlacklist ) {
clauses.push(`must not be one of: ${this._blacklist.map(x => String(x)).join(', ')}`) clauses.push(`must not be one of: ${this.blacklistItems.map(x => String(x)).join(', ')}`)
} }
if ( this._useWhitelist ) { if ( this.useWhitelist ) {
clauses.push(`must be one of: ${this._whitelist.map(x => String(x)).join(', ')}`) clauses.push(`must be one of: ${this.whitelistItems.map(x => String(x)).join(', ')}`)
} }
if ( this._useGreaterThan ) { if ( this.useGreaterThan ) {
clauses.push(`must be greater than${this._greateerThanBit ? ' or equal to' : ''}: ${String(this._greaterThanValue)}`) clauses.push(`must be greater than${this.greaterThanBit ? ' or equal to' : ''}: ${String(this.greaterThanValue)}`)
} }
if ( this._useLessThan ) { if ( this.useLessThan ) {
clauses.push(`must be less than${this._lessThanBit ? ' or equal to' : ''}: ${String(this._lessThanValue)}`) clauses.push(`must be less than${this.lessThanBit ? ' or equal to' : ''}: ${String(this.lessThanValue)}`)
} }
if ( this._useEquality ) { if ( this.useEquality ) {
clauses.push(`must be equal to: ${String(this._equalityValue)}`) clauses.push(`must be equal to: ${String(this.equalityValue)}`)
} }
return clauses return clauses

@ -1,4 +1,4 @@
import {CLIOption} from "./CLIOption" import {CLIOption} from './CLIOption'
/** /**
* Non-positional, flag-based CLI option. * Non-positional, flag-based CLI option.
@ -24,8 +24,10 @@ export class FlagOption<T> extends CLIOption<T> {
* Description of the argument required by this flag. * Description of the argument required by this flag.
* If this is set, the flag will expect a positional argument to follow as a param. * If this is set, the flag will expect a positional argument to follow as a param.
*/ */
public readonly argumentDescription?: string public readonly argumentDescription?: string,
) { super() } ) {
super()
}
/** /**
* Get the referential name for this option. * Get the referential name for this option.
@ -33,7 +35,7 @@ export class FlagOption<T> extends CLIOption<T> {
* be found, the short flag (without the '-') is used. * be found, the short flag (without the '-') is used.
* @returns {string} * @returns {string}
*/ */
getArgumentName() { getArgumentName(): string {
if ( this.longFlag ) { if ( this.longFlag ) {
return this.longFlag.replace('--', '') return this.longFlag.replace('--', '')
} else if ( this.shortFlag ) { } else if ( this.shortFlag ) {

@ -1,4 +1,4 @@
import {CLIOption} from "./CLIOption" import {CLIOption} from './CLIOption'
/** /**
* A positional CLI option. Defined without a flag. * A positional CLI option. Defined without a flag.
@ -19,14 +19,16 @@ export class PositionalOption<T> extends CLIOption<T> {
/** /**
* A usage message describing this parameter. * A usage message describing this parameter.
*/ */
public readonly message: string = '' public readonly message: string = '',
) { super() } ) {
super()
}
/** /**
* Gets the name of the option. * Gets the name of the option.
* @returns {string} * @returns {string}
*/ */
getArgumentName () { getArgumentName(): string {
return this.name return this.name
} }
} }

@ -1,16 +1,16 @@
import {Singleton, Instantiable, Inject} from "../../di" import {Singleton, Instantiable, Inject} from '../../di'
import {Collection} from "../../util" import {Collection} from '../../util'
import {CommandLineApplication} from "./CommandLineApplication" import {CommandLineApplication} from './CommandLineApplication'
import {Directive} from "../Directive" import {Directive} from '../Directive'
import {Template} from "../Template" import {Template} from '../Template'
import {directive_template} from "../templates/directive" import {templateDirective} from '../templates/directive'
import {unit_template} from "../templates/unit"; import {templateUnit} from '../templates/unit'
import {controller_template} from "../templates/controller"; import {templateController} from '../templates/controller'
import {middleware_template} from "../templates/middleware"; import {templateMiddleware} from '../templates/middleware'
import {routes_template} from "../templates/routes"; import {templateRoutes} from '../templates/routes'
import {config_template} from "../templates/config"; import {templateConfig} from '../templates/config'
import {Unit} from "../../lifecycle/Unit"; import {Unit} from '../../lifecycle/Unit'
import {Logging} from "../../service/Logging"; import {Logging} from '../../service/Logging'
/** /**
* Service for managing directives, templates, and other resources related * Service for managing directives, templates, and other resources related
@ -27,28 +27,30 @@ export class CommandLine extends Unit {
/** Templates registered with the CLI command. These can be created with the TemplateDirective. */ /** Templates registered with the CLI command. These can be created with the TemplateDirective. */
protected templates: Collection<Template> = new Collection<Template>() protected templates: Collection<Template> = new Collection<Template>()
constructor() { super() } constructor() {
super()
}
async up() { async up(): Promise<void> {
this.registerTemplate(directive_template) this.registerTemplate(templateDirective)
this.registerTemplate(unit_template) this.registerTemplate(templateUnit)
this.registerTemplate(controller_template) this.registerTemplate(templateController)
this.registerTemplate(middleware_template) this.registerTemplate(templateMiddleware)
this.registerTemplate(routes_template) this.registerTemplate(templateRoutes)
this.registerTemplate(config_template) this.registerTemplate(templateConfig)
} }
/** /**
* Returns true if the application was started from the command line. * Returns true if the application was started from the command line.
*/ */
public isCLI() { public isCLI(): boolean {
return this.app().hasUnit(CommandLineApplication) return this.app().hasUnit(CommandLineApplication)
} }
/** /**
* Returns a string containing the Extollo ASCII logo. * Returns a string containing the Extollo ASCII logo.
*/ */
public getASCIILogo() { public getASCIILogo(): string {
return ` _ return ` _
/ /\\ ______ _ _ _ / /\\ ______ _ _ _
/ / \\ | ____| | | | | | / / \\ | ____| | | | | |
@ -64,24 +66,26 @@ export class CommandLine extends Unit {
* the directive available for use on the CLI. * the directive available for use on the CLI.
* @param directiveClass * @param directiveClass
*/ */
public registerDirective(directiveClass: Instantiable<Directive>) { public registerDirective(directiveClass: Instantiable<Directive>): this {
if ( !this.directives.includes(directiveClass) ) { if ( !this.directives.includes(directiveClass) ) {
this.directives.push(directiveClass) this.directives.push(directiveClass)
} }
return this
} }
/** /**
* Returns true if the given directive is registered with this service. * Returns true if the given directive is registered with this service.
* @param directiveClass * @param directiveClass
*/ */
public hasDirective(directiveClass: Instantiable<Directive>) { public hasDirective(directiveClass: Instantiable<Directive>): boolean {
return this.directives.includes(directiveClass) return this.directives.includes(directiveClass)
} }
/** /**
* Get a collection of all registered directives. * Get a collection of all registered directives.
*/ */
public getDirectives() { public getDirectives(): Collection<Instantiable<Directive>> {
return this.directives.clone() return this.directives.clone()
} }
@ -90,21 +94,23 @@ export class CommandLine extends Unit {
* available for use with the TemplateDirective service. * available for use with the TemplateDirective service.
* @param template * @param template
*/ */
public registerTemplate(template: Template) { public registerTemplate(template: Template): this {
if ( !this.templates.firstWhere('name', '=', template.name) ) { if ( !this.templates.firstWhere('name', '=', template.name) ) {
this.templates.push(template) this.templates.push(template)
} else { } else {
this.logging.warn(`Duplicate template will not be registered: ${template.name}`) this.logging.warn(`Duplicate template will not be registered: ${template.name}`)
this.logging.debug(`Duplicate template registered at: ${(new Error()).stack}`) this.logging.debug(`Duplicate template registered at: ${(new Error()).stack}`)
} }
return this
} }
/** /**
* Returns true if a template with the given name exists. * Returns true if a template with the given name exists.
* @param name * @param name
*/ */
public hasTemplate(name: string) { public hasTemplate(name: string): boolean {
return !!this.templates.firstWhere('name', '=', name) return Boolean(this.templates.firstWhere('name', '=', name))
} }
/** /**
@ -118,7 +124,7 @@ export class CommandLine extends Unit {
/** /**
* Get a collection of all registered templates. * Get a collection of all registered templates.
*/ */
public getTemplates() { public getTemplates(): Collection<Template> {
return this.templates.clone() return this.templates.clone()
} }
} }

@ -1,12 +1,12 @@
import {Unit} from "../../lifecycle/Unit" import {Unit} from '../../lifecycle/Unit'
import {Logging} from "../../service/Logging"; import {Logging} from '../../service/Logging'
import {Singleton, Inject} from "../../di/decorator/injection" import {Singleton, Inject} from '../../di/decorator/injection'
import {CommandLine} from "./CommandLine" import {CommandLine} from './CommandLine'
import {UsageDirective} from "../directive/UsageDirective"; import {UsageDirective} from '../directive/UsageDirective'
import {Directive} from "../Directive"; import {Directive} from '../Directive'
import {ShellDirective} from "../directive/ShellDirective"; import {ShellDirective} from '../directive/ShellDirective'
import {TemplateDirective} from "../directive/TemplateDirective"; import {TemplateDirective} from '../directive/TemplateDirective'
import {RunDirective} from "../directive/RunDirective"; import {RunDirective} from '../directive/RunDirective'
/** /**
* Unit that takes the place of the final unit in the application that handles * Unit that takes the place of the final unit in the application that handles
@ -18,12 +18,12 @@ export class CommandLineApplication extends Unit {
private static replacement?: typeof Unit private static replacement?: typeof Unit
/** Set the replaced unit. */ /** Set the replaced unit. */
public static setReplacement(unitClass?: typeof Unit) { public static setReplacement(unitClass?: typeof Unit): void {
this.replacement = unitClass this.replacement = unitClass
} }
/** Get the replaced unit. */ /** Get the replaced unit. */
public static getReplacement() { public static getReplacement(): typeof Unit | undefined {
return this.replacement return this.replacement
} }
@ -33,9 +33,11 @@ export class CommandLineApplication extends Unit {
@Inject() @Inject()
protected readonly logging!: Logging protected readonly logging!: Logging
constructor() { super() } constructor() {
super()
}
public async up() { public async up(): Promise<void> {
this.cli.registerDirective(UsageDirective) this.cli.registerDirective(UsageDirective)
this.cli.registerDirective(ShellDirective) this.cli.registerDirective(ShellDirective)
this.cli.registerDirective(TemplateDirective) this.cli.registerDirective(TemplateDirective)
@ -50,7 +52,7 @@ export class CommandLineApplication extends Unit {
await match.invoke(argv.slice(1)) await match.invoke(argv.slice(1))
} else { } else {
const usage = this.make<UsageDirective>(UsageDirective) const usage = this.make<UsageDirective>(UsageDirective)
await usage.handle(process.argv) await usage.handle()
} }
} }
} }

@ -1,22 +1,21 @@
import {Template} from "../Template" import {Template} from '../Template'
import {UniversalPath} from "../../util"
/** /**
* A template that generates a new configuration file in the app/configs directory. * A template that generates a new configuration file in the app/configs directory.
*/ */
const config_template: Template = { const templateConfig: Template = {
name: 'config', name: 'config',
fileSuffix: '.config.ts', fileSuffix: '.config.ts',
description: 'Create a new config file.', description: 'Create a new config file.',
baseAppPath: ['configs'], baseAppPath: ['configs'],
render(name: string, fullCanonicalName: string, targetFilePath: UniversalPath) { render() {
return `import { env } from '@extollo/lib' return `import { env } from '@extollo/lib'
export default { export default {
key: env('VALUE_ENV_VAR', 'default value'), key: env('VALUE_ENV_VAR', 'default value'),
} }
` `
} },
} }
export { config_template } export { templateConfig }

@ -1,17 +1,15 @@
import {Template} from "../Template" import {Template} from '../Template'
import {UniversalPath} from "../../util"
/** /**
* Template that generates a new controller in the app/http/controllers directory. * Template that generates a new controller in the app/http/controllers directory.
*/ */
const controller_template: Template = { const templateController: Template = {
name: 'controller', name: 'controller',
fileSuffix: '.controller.ts', fileSuffix: '.controller.ts',
description: 'Create a controller class that can be used to handle requests.', description: 'Create a controller class that can be used to handle requests.',
baseAppPath: ['http', 'controllers'], baseAppPath: ['http', 'controllers'],
render(name: string, fullCanonicalName: string, targetFilePath: UniversalPath) { render(name: string) {
return `import {Controller, view} from "@extollo/lib" return `import {Controller, view, Inject, Injectable} from '@extollo/lib'
import {Inject, Injectable} from "@extollo/di"
/** /**
* ${name} Controller * ${name} Controller
@ -25,7 +23,7 @@ export class ${name} extends Controller {
} }
} }
` `
} },
} }
export { controller_template } export { templateController }

@ -1,17 +1,15 @@
import {Template} from "../Template" import {Template} from '../Template'
import {UniversalPath} from "../../util"
/** /**
* Template that generates a new Directive class in the app/directives directory. * Template that generates a new Directive class in the app/directives directory.
*/ */
const directive_template: Template = { const templateDirective: Template = {
name: 'directive', name: 'directive',
fileSuffix: '.directive.ts', fileSuffix: '.directive.ts',
description: 'Create a new Directive class which adds functionality to the ./ex command.', description: 'Create a new Directive class which adds functionality to the ./ex command.',
baseAppPath: ['directives'], baseAppPath: ['directives'],
render(name: string, fullCanonicalName: string, targetFilePath: UniversalPath) { render(name: string) {
return `import {Directive, OptionDefinition} from "@extollo/cli" return `import {Directive, OptionDefinition, Injectable} from '@extollo/lib'
import {Injectable} from "@extollo/di"
/** /**
* ${name} Directive * ${name} Directive
@ -37,7 +35,7 @@ export class ${name}Directive extends Directive {
} }
} }
` `
} },
} }
export { directive_template } export { templateDirective }

@ -1,17 +1,15 @@
import {Template} from "../Template" import {Template} from '../Template'
import {UniversalPath} from "../../util"
/** /**
* Template that generates a new middleware class in app/http/middlewares. * Template that generates a new middleware class in app/http/middlewares.
*/ */
const middleware_template: Template = { const templateMiddleware: Template = {
name: 'middleware', name: 'middleware',
fileSuffix: '.middleware.ts', fileSuffix: '.middleware.ts',
description: 'Create a middleware class that can be applied to routes.', description: 'Create a middleware class that can be applied to routes.',
baseAppPath: ['http', 'middlewares'], baseAppPath: ['http', 'middlewares'],
render(name: string, fullCanonicalName: string, targetFilePath: UniversalPath) { render(name: string) {
return `import {Middleware} from "@extollo/lib" return `import {Middleware, Injectable} from '@extollo/lib'
import {Injectable} from "@extollo/di"
/** /**
* ${name} Middleware * ${name} Middleware
@ -25,7 +23,7 @@ export class ${name} extends Middleware {
} }
} }
` `
} },
} }
export { middleware_template } export { templateMiddleware }

@ -1,16 +1,15 @@
import {Template} from "../Template" import {Template} from '../Template'
import {UniversalPath} from "../../util"
/** /**
* Template that generates a new route definition file in app/http/routes. * Template that generates a new route definition file in app/http/routes.
*/ */
const routes_template: Template = { const templateRoutes: Template = {
name: 'routes', name: 'routes',
fileSuffix: '.routes.ts', fileSuffix: '.routes.ts',
description: 'Create a file for route definitions.', description: 'Create a file for route definitions.',
baseAppPath: ['http', 'routes'], baseAppPath: ['http', 'routes'],
render(name: string, fullCanonicalName: string, targetFilePath: UniversalPath) { render(name: string) {
return `import {Route} from "@extollo/lib" return `import {Route} from '@extollo/lib'
/* /*
* ${name} Routes * ${name} Routes
@ -20,7 +19,7 @@ const routes_template: Template = {
` `
} },
} }
export { routes_template } export { templateRoutes }

@ -1,17 +1,15 @@
import {Template} from "../Template" import {Template} from '../Template'
import {UniversalPath} from "../../util"
/** /**
* Template that generates a new application unit class in app/units. * Template that generates a new application unit class in app/units.
*/ */
const unit_template: Template = { const templateUnit: Template = {
name: 'unit', name: 'unit',
fileSuffix: '.ts', fileSuffix: '.ts',
description: 'Create a service unit that will start and stop with your application.', description: 'Create a service unit that will start and stop with your application.',
baseAppPath: ['units'], baseAppPath: ['units'],
render(name: string, fullCanonicalName: string, targetFilePath: UniversalPath) { render(name: string) {
return `import {Singleton, Inject} from "@extollo/di" return `import {Singleton, Inject, Unit, Logging} from '@extollo/lib'
import {Unit, Logging} from "@extollo/lib"
/** /**
* ${name} Unit * ${name} Unit
@ -32,7 +30,7 @@ export class ${name} extends Unit {
} }
} }
` `
} },
} }
export { unit_template } export { templateUnit }

@ -1,14 +1,14 @@
import {DependencyKey, InstanceRef, Instantiable, isInstantiable, StaticClass} from "./types"; import {DependencyKey, InstanceRef, Instantiable, isInstantiable} from './types'
import {AbstractFactory} from "./factory/AbstractFactory"; import {AbstractFactory} from './factory/AbstractFactory'
import {collect, Collection, globalRegistry, logIfDebugging} from "../util"; import {collect, Collection, globalRegistry, logIfDebugging} from '../util'
import {Factory} from "./factory/Factory"; import {Factory} from './factory/Factory'
import {DuplicateFactoryKeyError} from "./error/DuplicateFactoryKeyError"; import {DuplicateFactoryKeyError} from './error/DuplicateFactoryKeyError'
import {ClosureFactory} from "./factory/ClosureFactory"; import {ClosureFactory} from './factory/ClosureFactory'
import NamedFactory from "./factory/NamedFactory"; import NamedFactory from './factory/NamedFactory'
import SingletonFactory from "./factory/SingletonFactory"; import SingletonFactory from './factory/SingletonFactory'
import {InvalidDependencyKeyError} from "./error/InvalidDependencyKeyError"; import {InvalidDependencyKeyError} from './error/InvalidDependencyKeyError'
export type MaybeFactory = AbstractFactory | undefined export type MaybeFactory<T> = AbstractFactory<T> | undefined
export type MaybeDependency = any | undefined export type MaybeDependency = any | undefined
export type ResolvedDependency = { paramIndex: number, key: DependencyKey, resolved: any } export type ResolvedDependency = { paramIndex: number, key: DependencyKey, resolved: any }
@ -34,7 +34,7 @@ export class Container {
* Collection of factories registered with this container. * Collection of factories registered with this container.
* @type Collection<AbstractFactory> * @type Collection<AbstractFactory>
*/ */
protected factories: Collection<AbstractFactory> = new Collection<AbstractFactory>() protected factories: Collection<AbstractFactory<unknown>> = new Collection<AbstractFactory<unknown>>()
/** /**
* Collection of singleton instances produced by this container. * Collection of singleton instances produced by this container.
@ -51,12 +51,14 @@ export class Container {
* Register a basic instantiable class as a standard Factory with this container. * Register a basic instantiable class as a standard Factory with this container.
* @param {Instantiable} dependency * @param {Instantiable} dependency
*/ */
register(dependency: Instantiable<any>) { register(dependency: Instantiable<any>): this {
if ( this.resolve(dependency) ) if ( this.resolve(dependency) ) {
throw new DuplicateFactoryKeyError(dependency) throw new DuplicateFactoryKeyError(dependency)
}
const factory = new Factory(dependency) const factory = new Factory(dependency)
this.factories.push(factory) this.factories.push(factory)
return this
} }
/** /**
@ -64,12 +66,14 @@ export class Container {
* @param {string} name - unique name to identify the factory in the container * @param {string} name - unique name to identify the factory in the container
* @param {function} producer - factory to produce a value * @param {function} producer - factory to produce a value
*/ */
registerProducer(name: string | StaticClass<any, any>, producer: () => any) { registerProducer(name: DependencyKey, producer: () => any): this {
if ( this.resolve(name) ) if ( this.resolve(name) ) {
throw new DuplicateFactoryKeyError(name) throw new DuplicateFactoryKeyError(name)
}
const factory = new ClosureFactory(name, producer) const factory = new ClosureFactory(name, producer)
this.factories.push(factory) this.factories.push(factory)
return this
} }
/** /**
@ -78,12 +82,14 @@ export class Container {
* @param {string} name - unique name to identify the factory in the container * @param {string} name - unique name to identify the factory in the container
* @param {Instantiable} dependency * @param {Instantiable} dependency
*/ */
registerNamed(name: string, dependency: Instantiable<any>) { registerNamed(name: string, dependency: Instantiable<any>): this {
if ( this.resolve(name) ) if ( this.resolve(name) ) {
throw new DuplicateFactoryKeyError(name) throw new DuplicateFactoryKeyError(name)
}
const factory = new NamedFactory(name, dependency) const factory = new NamedFactory(name, dependency)
this.factories.push(factory) this.factories.push(factory)
return this
} }
/** /**
@ -92,11 +98,13 @@ export class Container {
* @param {string} key - unique name to identify the singleton in the container * @param {string} key - unique name to identify the singleton in the container
* @param value * @param value
*/ */
registerSingleton(key: string, value: any) { registerSingleton<T>(key: DependencyKey, value: T): this {
if ( this.resolve(key) ) if ( this.resolve(key) ) {
throw new DuplicateFactoryKeyError(key) throw new DuplicateFactoryKeyError(key)
}
this.factories.push(new SingletonFactory(value, key)) this.factories.push(new SingletonFactory(key, value))
return this
} }
/** /**
@ -105,24 +113,30 @@ export class Container {
* @param staticClass * @param staticClass
* @param instance * @param instance
*/ */
registerSingletonInstance<T>(staticClass: Instantiable<T>, instance: T) { registerSingletonInstance<T>(staticClass: Instantiable<T>, instance: T): this {
if ( this.resolve(staticClass) ) if ( this.resolve(staticClass) ) {
throw new DuplicateFactoryKeyError(staticClass) throw new DuplicateFactoryKeyError(staticClass)
}
this.register(staticClass) this.register(staticClass)
this.instances.push({ this.instances.push({
key: staticClass, key: staticClass,
value: instance, value: instance,
}) })
return this
} }
/** /**
* Register a given factory with the container. * Register a given factory with the container.
* @param {AbstractFactory} factory * @param {AbstractFactory} factory
*/ */
registerFactory(factory: AbstractFactory) { registerFactory(factory: AbstractFactory<unknown>): this {
if ( !this.factories.includes(factory) ) if ( !this.factories.includes(factory) ) {
this.factories.push(factory) this.factories.push(factory)
}
return this
} }
/** /**
@ -138,7 +152,7 @@ export class Container {
* @param {DependencyKey} key * @param {DependencyKey} key
*/ */
hasKey(key: DependencyKey): boolean { hasKey(key: DependencyKey): boolean {
return !!this.resolve(key) return Boolean(this.resolve(key))
} }
/** /**
@ -147,17 +161,22 @@ export class Container {
*/ */
getExistingInstance(key: DependencyKey): MaybeDependency { getExistingInstance(key: DependencyKey): MaybeDependency {
const instances = this.instances.where('key', '=', key) const instances = this.instances.where('key', '=', key)
if ( instances.isNotEmpty() ) return instances.first() if ( instances.isNotEmpty() ) {
return instances.first()
}
} }
/** /**
* Find the factory for the given key, if one is registered with this container. * Find the factory for the given key, if one is registered with this container.
* @param {DependencyKey} key * @param {DependencyKey} key
*/ */
resolve(key: DependencyKey): MaybeFactory { resolve(key: DependencyKey): MaybeFactory<unknown> {
const factory = this.factories.firstWhere(item => item.match(key)) const factory = this.factories.firstWhere(item => item.match(key))
if ( factory ) return factory if ( factory ) {
else logIfDebugging('extollo.di.injector', 'unable to resolve factory', factory, this.factories) return factory
} else {
logIfDebugging('extollo.di.injector', 'unable to resolve factory', factory, this.factories)
}
} }
/** /**
@ -172,22 +191,25 @@ export class Container {
// If we've already instantiated this, just return that // If we've already instantiated this, just return that
const instance = this.getExistingInstance(key) const instance = this.getExistingInstance(key)
logIfDebugging('extollo.di.injector', 'resolveAndCreate existing instance?', instance) logIfDebugging('extollo.di.injector', 'resolveAndCreate existing instance?', instance)
if ( typeof instance !== 'undefined' ) return instance.value if ( typeof instance !== 'undefined' ) {
return instance.value
}
// Otherwise, attempt to create it // Otherwise, attempt to create it
const factory = this.resolve(key) const factory = this.resolve(key)
logIfDebugging('extollo.di.injector', 'resolveAndCreate factory', factory) logIfDebugging('extollo.di.injector', 'resolveAndCreate factory', factory)
if ( !factory ) if ( !factory ) {
throw new InvalidDependencyKeyError(key) throw new InvalidDependencyKeyError(key)
}
// Produce and store a new instance // Produce and store a new instance
const new_instance = this.produceFactory(factory, parameters) const newInstance = this.produceFactory(factory, parameters)
this.instances.push({ this.instances.push({
key, key,
value: new_instance, value: newInstance,
}) })
return new_instance return newInstance
} }
/** /**
@ -196,7 +218,7 @@ export class Container {
* @param {AbstractFactory} factory * @param {AbstractFactory} factory
* @param {array} parameters * @param {array} parameters
*/ */
protected produceFactory(factory: AbstractFactory, parameters: any[]) { protected produceFactory<T>(factory: AbstractFactory<T>, parameters: any[]): T {
// Create the dependencies for the factory // Create the dependencies for the factory
const keys = factory.getDependencyKeys().filter(req => this.hasKey(req.key)) const keys = factory.getDependencyKeys().filter(req => this.hasKey(req.key))
const dependencies = keys.map<ResolvedDependency>(req => { const dependencies = keys.map<ResolvedDependency>(req => {
@ -210,20 +232,23 @@ export class Container {
// Build the arguments for the factory, using dependencies in the // Build the arguments for the factory, using dependencies in the
// correct paramIndex positions, or parameters of we don't have // correct paramIndex positions, or parameters of we don't have
// the dependency. // the dependency.
const construction_args = [] const constructorArguments = []
let params = collect(parameters).reverse() const params = collect(parameters).reverse()
for ( let i = 0; i <= dependencies.max('paramIndex'); i++ ) { for ( let i = 0; i <= dependencies.max('paramIndex'); i++ ) {
const dep = dependencies.firstWhere('paramIndex', '=', i) const dep = dependencies.firstWhere('paramIndex', '=', i)
if ( dep ) construction_args.push(dep.resolved) if ( dep ) {
else construction_args.push(params.pop()) constructorArguments.push(dep.resolved)
} else {
constructorArguments.push(params.pop())
}
} }
// Produce a new instance // Produce a new instance
const inst = factory.produce(construction_args, params.reverse().all()) const inst = factory.produce(constructorArguments, params.reverse().all())
factory.getInjectedProperties().each(dependency => { factory.getInjectedProperties().each(dependency => {
if ( dependency.key && inst ) { if ( dependency.key && inst ) {
inst[dependency.property] = this.resolveAndCreate(dependency.key) (inst as any)[dependency.property] = this.resolveAndCreate(dependency.key)
} }
}) })
@ -240,12 +265,13 @@ export class Container {
* @param {...any} parameters * @param {...any} parameters
*/ */
make<T>(target: DependencyKey, ...parameters: any[]): T { make<T>(target: DependencyKey, ...parameters: any[]): T {
if ( this.hasKey(target) ) if ( this.hasKey(target) ) {
return this.resolveAndCreate(target, ...parameters) return this.resolveAndCreate(target, ...parameters)
else if ( typeof target !== 'string' && isInstantiable(target) ) } else if ( typeof target !== 'string' && isInstantiable(target) ) {
return this.produceFactory(new Factory(target), parameters) return this.produceFactory(new Factory(target), parameters)
else } else {
throw new TypeError(`Invalid or unknown make target: ${target}`) throw new TypeError(`Invalid or unknown make target: ${target}`)
}
} }
/** /**
@ -255,8 +281,9 @@ export class Container {
getDependencies(target: DependencyKey): Collection<DependencyKey> { getDependencies(target: DependencyKey): Collection<DependencyKey> {
const factory = this.resolve(target) const factory = this.resolve(target)
if ( !factory ) if ( !factory ) {
throw new InvalidDependencyKeyError(target) throw new InvalidDependencyKeyError(target)
}
return factory.getDependencyKeys().pluck('key') return factory.getDependencyKeys().pluck('key')
} }
@ -265,8 +292,9 @@ export class Container {
* Given a different container, copy the factories and instances from this container over to it. * Given a different container, copy the factories and instances from this container over to it.
* @param container * @param container
*/ */
cloneTo(container: Container) { cloneTo(container: Container): this {
container.factories = this.factories.clone() container.factories = this.factories.clone()
container.instances = this.instances.clone() container.instances = this.instances.clone()
return this
} }
} }

@ -1,5 +1,5 @@
import {Container, MaybeDependency, MaybeFactory} from "./Container" import {Container, MaybeDependency, MaybeFactory} from './Container'
import {DependencyKey} from "./types" import {DependencyKey} from './types'
/** /**
* A container that uses some parent container as a base, but * A container that uses some parent container as a base, but
@ -26,8 +26,8 @@ export class ScopedContainer extends Container {
* Create a new scoped container based on a parent container instance. * Create a new scoped container based on a parent container instance.
* @param container * @param container
*/ */
public static fromParent(container: Container) { public static fromParent(container: Container): ScopedContainer {
return new ScopedContainer(container); return new ScopedContainer(container)
} }
constructor( constructor(
@ -47,15 +47,19 @@ export class ScopedContainer extends Container {
getExistingInstance(key: DependencyKey): MaybeDependency { getExistingInstance(key: DependencyKey): MaybeDependency {
const inst = super.getExistingInstance(key) const inst = super.getExistingInstance(key)
if ( inst ) return inst; if ( inst ) {
return inst
}
return this.parentContainer.getExistingInstance(key); return this.parentContainer.getExistingInstance(key)
} }
resolve(key: DependencyKey): MaybeFactory { resolve(key: DependencyKey): MaybeFactory<any> {
const factory = super.resolve(key); const factory = super.resolve(key)
if ( factory ) return factory; if ( factory ) {
return factory
}
return this.parentContainer?.resolve(key); return this.parentContainer?.resolve(key)
} }
} }

@ -1,5 +1,5 @@
import 'reflect-metadata' import 'reflect-metadata'
import {collect, Collection} from "../../util"; import {collect, Collection} from '../../util'
import { import {
DependencyKey, DependencyKey,
DependencyRequirement, DependencyRequirement,
@ -9,16 +9,16 @@ import {
InjectionType, InjectionType,
DEPENDENCY_KEYS_SERVICE_TYPE_KEY, DEPENDENCY_KEYS_SERVICE_TYPE_KEY,
PropertyDependency, PropertyDependency,
} from "../types"; } from '../types'
import {Container} from "../Container"; import {Container} from '../Container'
/** /**
* Get a collection of dependency requirements for the given target object. * Get a collection of dependency requirements for the given target object.
* @param {Object} target * @param {Object} target
* @return Collection<DependencyRequirement> * @return Collection<DependencyRequirement>
*/ */
function initDependencyMetadata(target: Object): Collection<DependencyRequirement> { function initDependencyMetadata(target: unknown): Collection<DependencyRequirement> {
const paramTypes = Reflect.getMetadata('design:paramtypes', target) const paramTypes = Reflect.getMetadata('design:paramtypes', target as any)
return collect<DependencyKey>(paramTypes).map<DependencyRequirement>((type, idx) => { return collect<DependencyKey>(paramTypes).map<DependencyRequirement>((type, idx) => {
return { return {
paramIndex: idx, paramIndex: idx,
@ -37,32 +37,32 @@ export const Injectable = (): ClassDecorator => {
return (target) => { return (target) => {
const meta = initDependencyMetadata(target) const meta = initDependencyMetadata(target)
const existing = Reflect.getMetadata(DEPENDENCY_KEYS_METADATA_KEY, target) const existing = Reflect.getMetadata(DEPENDENCY_KEYS_METADATA_KEY, target)
const new_meta = new Collection<DependencyRequirement>() const newMetadata = new Collection<DependencyRequirement>()
if ( existing ) { if ( existing ) {
const max_new = meta.max('paramIndex') const maxNew = meta.max('paramIndex')
const max_existing = existing.max('paramIndex') const maxExisting = existing.max('paramIndex')
for ( let i = 0; i <= Math.max(max_new, max_existing); i++ ) { for ( let i = 0; i <= Math.max(maxNew, maxExisting); i++ ) {
const existing_dr = existing.firstWhere('paramIndex', '=', i) const existingDR = existing.firstWhere('paramIndex', '=', i)
const new_dr = meta.firstWhere('paramIndex', '=', i) const newDR = meta.firstWhere('paramIndex', '=', i)
if ( existing_dr && !new_dr ) { if ( existingDR && !newDR ) {
new_meta.push(existing_dr) newMetadata.push(existingDR)
} else if ( new_dr && !existing_dr ) { } else if ( newDR && !existingDR ) {
new_meta.push(new_dr) newMetadata.push(newDR)
} else if ( new_dr && existing_dr ) { } else if ( newDR && existingDR ) {
if ( existing_dr.overridden ) { if ( existingDR.overridden ) {
new_meta.push(existing_dr) newMetadata.push(existingDR)
} else { } else {
new_meta.push(new_dr) newMetadata.push(newDR)
} }
} }
} }
} else { } else {
new_meta.concat(meta) newMetadata.concat(meta)
} }
Reflect.defineMetadata(DEPENDENCY_KEYS_METADATA_KEY, new_meta, target) Reflect.defineMetadata(DEPENDENCY_KEYS_METADATA_KEY, newMetadata, target)
} }
} }
@ -82,14 +82,17 @@ export const Inject = (key?: DependencyKey): PropertyDecorator => {
} }
const type = Reflect.getMetadata('design:type', target, property) const type = Reflect.getMetadata('design:type', target, property)
if ( !key && type ) key = type if ( !key && type ) {
key = type
}
if ( key ) { if ( key ) {
const existing = propertyMetadata.firstWhere('property', '=', property) const existing = propertyMetadata.firstWhere('property', '=', property)
if ( existing ) { if ( existing ) {
existing.key = key existing.key = key
} else { } else {
propertyMetadata.push({ property, key }) propertyMetadata.push({ property,
key })
} }
} }
@ -118,7 +121,7 @@ export const InjectParam = (key: DependencyKey): ParameterDecorator => {
meta.push({ meta.push({
paramIndex, paramIndex,
key, key,
overridden: true overridden: true,
}) })
} }
@ -135,7 +138,7 @@ export const Singleton = (name?: string): ClassDecorator => {
if ( isInstantiable(target) ) { if ( isInstantiable(target) ) {
const injectionType: InjectionType = { const injectionType: InjectionType = {
type: name ? 'named' : 'singleton', type: name ? 'named' : 'singleton',
...(name ? { name } : {}) ...(name ? { name } : {}),
} }
Reflect.defineMetadata(DEPENDENCY_KEYS_SERVICE_TYPE_KEY, injectionType, target) Reflect.defineMetadata(DEPENDENCY_KEYS_SERVICE_TYPE_KEY, injectionType, target)

@ -1,4 +1,4 @@
import {DependencyKey} from "../types"; import {DependencyKey} from '../types'
/** /**
* Error thrown when a factory is registered with a duplicate dependency key. * Error thrown when a factory is registered with a duplicate dependency key.

@ -1,4 +1,4 @@
import {DependencyKey} from "../types"; import {DependencyKey} from '../types'
/** /**
* Error thrown when a dependency key that has not been registered is passed to a resolver. * Error thrown when a dependency key that has not been registered is passed to a resolver.

@ -1,11 +1,11 @@
import {DependencyRequirement, PropertyDependency} from "../types"; import {DependencyKey, DependencyRequirement, PropertyDependency} from '../types'
import { Collection } from "../../util"; import { Collection } from '../../util'
/** /**
* Abstract base class for dependency container factories. * Abstract base class for dependency container factories.
* @abstract * @abstract
*/ */
export abstract class AbstractFactory { export abstract class AbstractFactory<T> {
protected constructor( protected constructor(
/** /**
* Token that was registered for this factory. In most cases, this is the static * Token that was registered for this factory. In most cases, this is the static
@ -13,7 +13,7 @@ export abstract class AbstractFactory {
* @var * @var
* @protected * @protected
*/ */
protected token: any protected token: DependencyKey,
) {} ) {}
/** /**
@ -21,14 +21,14 @@ export abstract class AbstractFactory {
* @param {Array} dependencies - the resolved dependencies, in order * @param {Array} dependencies - the resolved dependencies, in order
* @param {Array} parameters - the bound constructor parameters, in order * @param {Array} parameters - the bound constructor parameters, in order
*/ */
abstract produce(dependencies: any[], parameters: any[]): any abstract produce(dependencies: any[], parameters: any[]): T
/** /**
* Should return true if the given identifier matches the token for this factory. * Should return true if the given identifier matches the token for this factory.
* @param something * @param something
* @return boolean * @return boolean
*/ */
abstract match(something: any): boolean abstract match(something: unknown): boolean
/** /**
* Get the dependency requirements required by this factory's token. * Get the dependency requirements required by this factory's token.

@ -1,6 +1,6 @@
import {AbstractFactory} from "./AbstractFactory"; import {AbstractFactory} from './AbstractFactory'
import {DependencyRequirement, PropertyDependency, StaticClass} from "../types"; import {DependencyKey, DependencyRequirement, PropertyDependency} from '../types'
import {Collection} from "../../util"; import {Collection} from '../../util'
/** /**
* A factory whose token is produced by calling a function. * A factory whose token is produced by calling a function.
@ -17,19 +17,19 @@ import {Collection} from "../../util";
* fact.produce([], []) // => 4 * fact.produce([], []) // => 4
* ``` * ```
*/ */
export class ClosureFactory extends AbstractFactory { export class ClosureFactory<T> extends AbstractFactory<T> {
constructor( constructor(
protected readonly name: string | StaticClass<any, any>, protected readonly name: DependencyKey,
protected readonly token: () => any, protected readonly token: () => T,
) { ) {
super(token) super(token)
} }
produce(dependencies: any[], parameters: any[]): any { produce(): any {
return this.token() return this.token()
} }
match(something: any) { match(something: unknown): boolean {
return something === this.name return something === this.name
} }

@ -1,12 +1,12 @@
import {AbstractFactory} from "./AbstractFactory"; import {AbstractFactory} from './AbstractFactory'
import { import {
DEPENDENCY_KEYS_METADATA_KEY, DEPENDENCY_KEYS_METADATA_KEY,
DEPENDENCY_KEYS_PROPERTY_METADATA_KEY, DEPENDENCY_KEYS_PROPERTY_METADATA_KEY,
DependencyRequirement, DependencyRequirement,
Instantiable, Instantiable,
PropertyDependency PropertyDependency,
} from "../types"; } from '../types'
import {Collection} from "../../util"; import {Collection} from '../../util'
import 'reflect-metadata' import 'reflect-metadata'
/** /**
@ -29,9 +29,9 @@ import 'reflect-metadata'
* fact.produce([myServiceInstance], []) // => A { myService: myServiceInstance } * fact.produce([myServiceInstance], []) // => A { myService: myServiceInstance }
* ``` * ```
*/ */
export class Factory extends AbstractFactory { export class Factory<T> extends AbstractFactory<T> {
constructor( constructor(
protected readonly token: Instantiable<any> protected readonly token: Instantiable<T>,
) { ) {
super(token) super(token)
} }
@ -40,13 +40,15 @@ export class Factory extends AbstractFactory {
return new this.token(...dependencies, ...parameters) return new this.token(...dependencies, ...parameters)
} }
match(something: any) { match(something: unknown): boolean {
return something === this.token // || (something?.name && something.name === this.token.name) return something === this.token // || (something?.name && something.name === this.token.name)
} }
getDependencyKeys(): Collection<DependencyRequirement> { getDependencyKeys(): Collection<DependencyRequirement> {
const meta = Reflect.getMetadata(DEPENDENCY_KEYS_METADATA_KEY, this.token) const meta = Reflect.getMetadata(DEPENDENCY_KEYS_METADATA_KEY, this.token)
if ( meta ) return meta if ( meta ) {
return meta
}
return new Collection<DependencyRequirement>() return new Collection<DependencyRequirement>()
} }
@ -56,7 +58,9 @@ export class Factory extends AbstractFactory {
do { do {
const loadedMeta = Reflect.getMetadata(DEPENDENCY_KEYS_PROPERTY_METADATA_KEY, currentToken) const loadedMeta = Reflect.getMetadata(DEPENDENCY_KEYS_PROPERTY_METADATA_KEY, currentToken)
if ( loadedMeta ) meta.concat(loadedMeta) if ( loadedMeta ) {
meta.concat(loadedMeta)
}
currentToken = Object.getPrototypeOf(currentToken) currentToken = Object.getPrototypeOf(currentToken)
} while (Object.getPrototypeOf(currentToken) !== Function.prototype && Object.getPrototypeOf(currentToken) !== Object.prototype) } while (Object.getPrototypeOf(currentToken) !== Function.prototype && Object.getPrototypeOf(currentToken) !== Object.prototype)

@ -1,12 +1,12 @@
import {Factory} from "./Factory"; import {Factory} from './Factory'
import {Instantiable} from "../types"; import {Instantiable} from '../types'
/** /**
* Container factory that produces an instance of the token, however the token * Container factory that produces an instance of the token, however the token
* is identified by a string name rather than a class reference. * is identified by a string name rather than a class reference.
* @extends Factory * @extends Factory
*/ */
export default class NamedFactory extends Factory { export default class NamedFactory<T> extends Factory<T> {
constructor( constructor(
/** /**
* The name identifying this factory in the container. * The name identifying this factory in the container.
@ -18,12 +18,12 @@ export default class NamedFactory extends Factory {
* The token to be instantiated. * The token to be instantiated.
* @type {Instantiable} * @type {Instantiable}
*/ */
protected token: Instantiable<any>, protected token: Instantiable<T>,
) { ) {
super(token) super(token)
} }
match(something: any) { match(something: unknown): boolean {
return something === this.name return something === this.name
} }
} }

@ -1,6 +1,6 @@
import { Factory } from './Factory' import { Factory } from './Factory'
import { Collection } from '../../util' import { Collection } from '../../util'
import {DependencyRequirement, PropertyDependency} from "../types"; import {DependencyKey, DependencyRequirement, PropertyDependency} from '../types'
/** /**
* Container factory which returns its token as its value, without attempting * Container factory which returns its token as its value, without attempting
@ -19,29 +19,23 @@ import {DependencyRequirement, PropertyDependency} from "../types";
* *
* @extends Factory * @extends Factory
*/ */
export default class SingletonFactory extends Factory { export default class SingletonFactory<T> extends Factory<T> {
constructor( constructor(
/** /**
* Instantiated value of this factory. * Token identifying this singleton.
* @type FunctionConstructor
*/ */
protected token: FunctionConstructor, protected token: DependencyKey,
/** /**
* String name of this singleton identifying it in the container. * The value of this singleton.
* @type string
*/ */
protected key: string, protected value: T,
) { ) {
super(token) super(token)
} }
produce(dependencies: any[], parameters: any[]) { produce(): T {
return this.token return this.value
}
match(something: any) {
return something === this.key
} }
getDependencyKeys(): Collection<DependencyRequirement> { getDependencyKeys(): Collection<DependencyRequirement> {

@ -1,6 +1,6 @@
export const DEPENDENCY_KEYS_METADATA_KEY = 'extollo:di:dependencies:ctor'; export const DEPENDENCY_KEYS_METADATA_KEY = 'extollo:di:dependencies:ctor'
export const DEPENDENCY_KEYS_PROPERTY_METADATA_KEY = 'extollo:di:dependencies:properties'; export const DEPENDENCY_KEYS_PROPERTY_METADATA_KEY = 'extollo:di:dependencies:properties'
export const DEPENDENCY_KEYS_SERVICE_TYPE_KEY = 'extollo:di:service_type'; export const DEPENDENCY_KEYS_SERVICE_TYPE_KEY = 'extollo:di:service_type'
/** /**
* Interface that designates a particular value as able to be constructed. * Interface that designates a particular value as able to be constructed.
@ -13,20 +13,26 @@ export interface Instantiable<T> {
* Returns true if the given value is instantiable. * Returns true if the given value is instantiable.
* @param what * @param what
*/ */
export function isInstantiable<T>(what: any): what is Instantiable<T> { export function isInstantiable<T>(what: unknown): what is Instantiable<T> {
return (typeof what === 'object' || typeof what === 'function') && 'constructor' in what && typeof what.constructor === 'function' return (
Boolean(what)
&& (typeof what === 'object' || typeof what === 'function')
&& (what !== null)
&& 'constructor' in what
&& typeof what.constructor === 'function'
)
} }
/** /**
* Type that identifies a value as a static class, even if it is not instantiable. * Type that identifies a value as a static class, even if it is not instantiable.
*/ */
export type StaticClass<T, T2> = Function & {prototype: T} & T2 export type StaticClass<T, T2> = Function & {prototype: T} & T2 // eslint-disable-line @typescript-eslint/ban-types
/** /**
* Returns true if the parameter is a static class. * Returns true if the parameter is a static class.
* @param something * @param something
*/ */
export function isStaticClass<T, T2>(something: any): something is StaticClass<T, T2> { export function isStaticClass<T, T2>(something: unknown): something is StaticClass<T, T2> {
return typeof something === 'function' && typeof something.prototype !== 'undefined' return typeof something === 'function' && typeof something.prototype !== 'undefined'
} }

@ -1,9 +1,9 @@
import {Container, Injectable, InjectParam} from '../di' import {Container, Injectable, InjectParam} from '../di'
import {Request} from "../http/lifecycle/Request"; import {Request} from '../http/lifecycle/Request'
import {Valid, ValidationRules} from './rules/types' import {Valid, ValidationRules} from './rules/types'
import {Validator} from './Validator' import {Validator} from './Validator'
import {AppClass} from "../lifecycle/AppClass"; import {AppClass} from '../lifecycle/AppClass'
import {DataContainer} from "../http/lifecycle/Request"; import {DataContainer} from '../http/lifecycle/Request'
/** /**
* Base class for defining reusable validators for request routes. * Base class for defining reusable validators for request routes.
@ -30,10 +30,12 @@ export abstract class FormRequest<T> extends AppClass {
constructor( constructor(
@InjectParam(Request) @InjectParam(Request)
protected readonly data: DataContainer protected readonly data: DataContainer,
) { super() } ) {
super()
}
protected container() { protected container(): Container {
return (this.data as unknown) as Container return (this.data as unknown) as Container
} }

@ -1,5 +1,5 @@
import {Valid, ValidationResult, ValidationRules, ValidatorFunction, ValidatorFunctionParams} from "./rules/types"; import {Valid, ValidationResult, ValidationRules, ValidatorFunction, ValidatorFunctionParams} from './rules/types'
import {Messages, ErrorWithContext, dataWalkUnsafe, dataSetUnsafe} from "../util"; import {Messages, ErrorWithContext, dataWalkUnsafe, dataSetUnsafe} from '../util'
/** /**
* An error thrown thrown when an object fails its validation. * An error thrown thrown when an object fails its validation.
@ -7,15 +7,16 @@ import {Messages, ErrorWithContext, dataWalkUnsafe, dataSetUnsafe} from "../util
export class ValidationError<T> extends ErrorWithContext { export class ValidationError<T> extends ErrorWithContext {
constructor( constructor(
/** The original input data. */ /** The original input data. */
public readonly data: any, public readonly data: unknown,
/** The validator instance used. */ /** The validator instance used. */
public readonly validator: Validator<T>, public readonly validator: Validator<T>,
/** Validation error messages, by field. */ /** Validation error messages, by field. */
public readonly errors: Messages public readonly errors: Messages,
) { ) {
super('One or more fields were invalid.', { data, messages: errors.all() }); super('One or more fields were invalid.', { data,
messages: errors.all() })
} }
} }
@ -25,7 +26,7 @@ export class ValidationError<T> extends ErrorWithContext {
export class Validator<T> { export class Validator<T> {
constructor( constructor(
/** The rules used to validate input objects. */ /** The rules used to validate input objects. */
protected readonly rules: ValidationRules protected readonly rules: ValidationRules,
) {} ) {}
/** /**
@ -47,7 +48,7 @@ export class Validator<T> {
* Returns true if the given data is valid and type aliases it as Valid<T>. * Returns true if the given data is valid and type aliases it as Valid<T>.
* @param data * @param data
*/ */
public async isValid(data: any): Promise<boolean> { public async isValid(data: unknown): Promise<boolean> {
return !(await this.validateAndGetErrors(data)).any() return !(await this.validateAndGetErrors(data)).any()
} }
@ -56,18 +57,20 @@ export class Validator<T> {
* @param data * @param data
* @protected * @protected
*/ */
protected async validateAndGetErrors(data: any): Promise<Messages> { protected async validateAndGetErrors(data: unknown): Promise<Messages> {
const messages = new Messages() const messages = new Messages()
const params: ValidatorFunctionParams = { data } const params: ValidatorFunctionParams = { data }
for ( const key in this.rules ) { for ( const key in this.rules ) {
if ( !this.rules.hasOwnProperty(key) ) continue; if ( !Object.prototype.hasOwnProperty.call(this.rules, key) ) {
continue
}
// This walks over all of the values in the data structure using the nested // This walks over all of the values in the data structure using the nested
// key notation. It's not type-safe, but neither is the original input object // key notation. It's not type-safe, but neither is the original input object
// yet, so it's useful here. // yet, so it's useful here.
for ( const walkEntry of dataWalkUnsafe<any>(data, key) ) { for ( const walkEntry of dataWalkUnsafe<any>(data as any, key) ) {
let [entry, dataKey] = walkEntry let [entry, dataKey] = walkEntry // eslint-disable-line prefer-const
const rules = (Array.isArray(this.rules[key]) ? this.rules[key] : [this.rules[key]]) as ValidatorFunction[] const rules = (Array.isArray(this.rules[key]) ? this.rules[key] : [this.rules[key]]) as ValidatorFunction[]
for ( const rule of rules ) { for ( const rule of rules ) {
@ -83,13 +86,15 @@ export class Validator<T> {
} }
for ( const error of errors ) { for ( const error of errors ) {
if ( !messages.has(dataKey, error) ) messages.put(dataKey, error) if ( !messages.has(dataKey, error) ) {
messages.put(dataKey, error)
}
} }
} }
if ( result.valid && result.castValue ) { if ( result.valid && result.castValue ) {
entry = result.castValue entry = result.castValue
data = dataSetUnsafe(dataKey, entry, data) data = dataSetUnsafe(dataKey, entry, data as any)
} }
if ( result.stopValidation ) { if ( result.stopValidation ) {

@ -1,8 +1,8 @@
import {Instantiable} from '../di' import {Instantiable} from '../di'
import {FormRequest} from './FormRequest' import {FormRequest} from './FormRequest'
import {ValidationError} from './Validator' import {ValidationError} from './Validator'
import {ResponseObject, RouteHandler} from "../http/routing/Route"; import {ResponseObject, RouteHandler} from '../http/routing/Route'
import {Request} from "../http/lifecycle/Request"; import {Request} from '../http/lifecycle/Request'
/** /**
* Builds a middleware function that validates a request's input against * Builds a middleware function that validates a request's input against

@ -1,130 +1,150 @@
import {ValidationResult, ValidatorFunction} from "./types"; import {ValidationResult, ValidatorFunction} from './types'
export namespace Arr { /** Requires the input value to be an array. */
/** Requires the input value to be an array. */ function is(fieldName: string, inputValue: unknown): ValidationResult {
export function is(fieldName: string, inputValue: any): ValidationResult { if ( Array.isArray(inputValue) ) {
if ( Array.isArray(inputValue) ) { return { valid: true }
}
return {
valid: false,
message: 'must be an array',
}
}
/** Requires the values in the input value array to be distinct. */
function distinct(fieldName: string, inputValue: unknown): ValidationResult {
const arr = is(fieldName, inputValue)
if ( !arr.valid ) {
return arr
}
if ( Array.isArray(inputValue) && (new Set(inputValue)).size === inputValue.length ) {
return { valid: true }
}
return {
valid: false,
message: 'must not contain duplicate values',
}
}
/**
* Builds a validator function that requires the input array to contain the given value.
* @param value
*/
function includes(value: unknown): ValidatorFunction {
return (fieldName: string, inputValue: unknown): ValidationResult => {
const arr = is(fieldName, inputValue)
if ( !arr.valid ) {
return arr
}
if ( Array.isArray(inputValue) && inputValue.includes(value) ) {
return { valid: true } return { valid: true }
} }
return { return {
valid: false, valid: false,
message: 'must be an array' message: `must include ${value}`,
} }
} }
}
/** Requires the values in the input value array to be distinct. */ /**
export function distinct(fieldName: string, inputValue: any): ValidationResult { * Builds a validator function that requires the input array NOT to contain the given value.
* @param value
*/
function excludes(value: unknown): ValidatorFunction {
return (fieldName: string, inputValue: unknown): ValidationResult => {
const arr = is(fieldName, inputValue) const arr = is(fieldName, inputValue)
if ( !arr.valid ) return arr if ( !arr.valid ) {
return arr
}
if ( (new Set(inputValue)).size === inputValue.length ) { if ( Array.isArray(inputValue) && !inputValue.includes(value) ) {
return { valid: true } return { valid: true }
} }
return { return {
valid: false, valid: false,
message: 'must not contain duplicate values' message: `must not include ${value}`,
} }
} }
}
/** /**
* Builds a validator function that requires the input array to contain the given value. * Builds a validator function that requires the input array to have exactly `len` many entries.
* @param value * @param len
*/ */
export function includes(value: any): ValidatorFunction { function length(len: number): ValidatorFunction {
return function includes(fieldName: string, inputValue: any): ValidationResult { return (fieldName: string, inputValue: unknown): ValidationResult => {
const arr = is(fieldName, inputValue) const arr = is(fieldName, inputValue)
if ( !arr.valid ) return arr if ( !arr.valid ) {
return arr
if ( inputValue.includes(value) ) {
return { valid: true }
}
return {
valid: false,
message: `must include ${value}`
}
} }
}
/** if ( Array.isArray(inputValue) && inputValue.length === len ) {
* Builds a validator function that requires the input array NOT to contain the given value. return { valid: true }
* @param value
*/
export function excludes(value: any): ValidatorFunction {
return function excludes(fieldName: string, inputValue: any): ValidationResult {
const arr = is(fieldName, inputValue)
if ( !arr.valid ) return arr
if ( !inputValue.includes(value) ) {
return { valid: true }
}
return {
valid: false,
message: `must not include ${value}`
}
} }
}
/** return {
* Builds a validator function that requires the input array to have exactly `len` many entries. valid: false,
* @param len message: `must be exactly of length ${len}`,
*/
export function length(len: number): ValidatorFunction {
return function length(fieldName: string, inputValue: any): ValidationResult {
const arr = is(fieldName, inputValue)
if ( !arr.valid ) return arr
if ( inputValue.length === len ) {
return { valid: true }
}
return {
valid: false,
message: `must be exactly of length ${len}`
}
} }
} }
}
/**
* Builds a validator function that requires the input array to have at least `len` many entries.
* @param len
*/
function lengthMin(len: number): ValidatorFunction {
return (fieldName: string, inputValue: unknown): ValidationResult => {
const arr = is(fieldName, inputValue)
if ( !arr.valid ) {
return arr
}
/** if ( Array.isArray(inputValue) && inputValue.length >= len ) {
* Builds a validator function that requires the input array to have at least `len` many entries. return { valid: true }
* @param len }
*/
export function lengthMin(len: number): ValidatorFunction { return {
return function lengthMin(fieldName: string, inputValue: any): ValidationResult { valid: false,
const arr = is(fieldName, inputValue) message: `must be at least length ${len}`,
if ( !arr.valid ) return arr
if ( inputValue.length >= len ) {
return { valid: true }
}
return {
valid: false,
message: `must be at least length ${len}`
}
} }
} }
}
/**
* Builds a validator function that requires the input array to have at most `len` many entries.
* @param len
*/
function lengthMax(len: number): ValidatorFunction {
return (fieldName: string, inputValue: unknown): ValidationResult => {
const arr = is(fieldName, inputValue)
if ( !arr.valid ) {
return arr
}
/** if ( Array.isArray(inputValue) && inputValue.length <= len ) {
* Builds a validator function that requires the input array to have at most `len` many entries. return { valid: true }
* @param len }
*/
export function lengthMax(len: number): ValidatorFunction { return {
return function lengthMax(fieldName: string, inputValue: any): ValidationResult { valid: false,
const arr = is(fieldName, inputValue) message: `must be at most length ${len}`,
if ( !arr.valid ) return arr
if ( inputValue.length <= len ) {
return { valid: true }
}
return {
valid: false,
message: `must be at most length ${len}`
}
} }
} }
} }
export const Arr = {
is,
distinct,
includes,
excludes,
length,
lengthMin,
lengthMax,
}

@ -1,70 +1,80 @@
import {infer as inferUtil} from '../../util' import {infer as inferUtil} from '../../util'
import {ValidationResult} from "./types"; import {ValidationResult} from './types'
export namespace Cast { /** Attempt to infer the native type of a string value. */
/** Attempt to infer the native type of a string value. */ function infer(fieldName: string, inputValue: unknown): ValidationResult {
export function infer(fieldName: string, inputValue: any): ValidationResult { return {
return { valid: true,
valid: true, castValue: typeof inputValue === 'string' ? inferUtil(inputValue) : inputValue,
castValue: typeof inputValue === 'string' ? inferUtil(inputValue) : inputValue,
}
} }
}
/** /**
* Casts the input value to a boolean. * Casts the input value to a boolean.
* Note that this assumes the value may be boolish. The strings "true", "True", * Note that this assumes the value may be boolish. The strings "true", "True",
* "TRUE", and "1" evaluate to `true`, while "false", "False", "FALSE", and "0" * "TRUE", and "1" evaluate to `true`, while "false", "False", "FALSE", and "0"
* evaluate to `false`. * evaluate to `false`.
* @param fieldName * @param fieldName
* @param inputValue * @param inputValue
*/ */
export function boolean(fieldName: string, inputValue: any): ValidationResult { function boolean(fieldName: string, inputValue: unknown): ValidationResult {
let castValue = !!inputValue let castValue = Boolean(inputValue)
if ( ['true', 'True', 'TRUE', '1'].includes(inputValue) ) castValue = true if ( ['true', 'True', 'TRUE', '1'].includes(String(inputValue)) ) {
if ( ['false', 'False', 'FALSE', '0'].includes(inputValue) ) castValue = false castValue = true
}
if ( ['false', 'False', 'FALSE', '0'].includes(String(inputValue)) ) {
castValue = false
}
return { return {
valid: true, valid: true,
castValue, castValue,
}
} }
}
/** Casts the input value to a string. */ /** Casts the input value to a string. */
export function string(fieldName: string, inputValue: any): ValidationResult { function string(fieldName: string, inputValue: unknown): ValidationResult {
return {
valid: true,
castValue: String(inputValue),
}
}
/** Casts the input value to a number, if it is numerical. Fails otherwise. */
function numeric(fieldName: string, inputValue: unknown): ValidationResult {
if ( !isNaN(parseFloat(String(inputValue))) ) {
return { return {
valid: true, valid: true,
castValue: String(inputValue), castValue: parseFloat(String(inputValue)),
} }
} }
/** Casts the input value to a number, if it is numerical. Fails otherwise. */ return {
export function numeric(fieldName: string, inputValue: any): ValidationResult { valid: false,
if ( !isNaN(parseFloat(inputValue)) ) { message: 'must be numeric',
return { }
valid: true, }
castValue: parseFloat(inputValue)
}
}
/** Casts the input value to an integer. Fails otherwise. */
function integer(fieldName: string, inputValue: unknown): ValidationResult {
if ( !isNaN(parseInt(String(inputValue), 10)) ) {
return { return {
valid: false, valid: true,
message: 'must be numeric', castValue: parseInt(String(inputValue), 10),
} }
} }
/** Casts the input value to an integer. Fails otherwise. */ return {
export function integer(fieldName: string, inputValue: any): ValidationResult { valid: false,
if ( !isNaN(parseInt(inputValue)) ) { message: 'must be an integer',
return {
valid: true,
castValue: parseInt(inputValue)
}
}
return {
valid: false,
message: 'must be an integer',
}
} }
} }
export const Cast = {
infer,
boolean,
string,
numeric,
integer,
}

@ -1,197 +1,210 @@
import {ValidationResult, ValidatorFunction} from "./types"; import {ValidationResult, ValidatorFunction} from './types'
export namespace Num { /**
/** * Builds a validator function that requires the input value to be greater than some value.
* Builds a validator function that requires the input value to be greater than some value. * @param value
* @param value */
*/ function greaterThan(value: number): ValidatorFunction {
export function greaterThan(value: number): ValidatorFunction { return (fieldName: string, inputValue: unknown): ValidationResult => {
return function greaterThan(fieldName: string, inputValue: any): ValidationResult { if ( Number(inputValue) > value ) {
if ( inputValue > value ) { return { valid: true }
return { valid: true }
}
return {
valid: false,
message: `must be greater than ${value}`
}
} }
}
/** return {
* Builds a validator function that requires the input value to be at least some value. valid: false,
* @param value message: `must be greater than ${value}`,
*/
export function atLeast(value: number): ValidatorFunction {
return function atLeast(fieldName: string, inputValue: any): ValidationResult {
if ( inputValue >= value ) {
return { valid: true }
}
return {
valid: false,
message: `must be at least ${value}`
}
} }
} }
}
/** /**
* Builds a validator function that requires the input value to be less than some value. * Builds a validator function that requires the input value to be at least some value.
* @param value * @param value
*/ */
export function lessThan(value: number): ValidatorFunction { function atLeast(value: number): ValidatorFunction {
return function lessThan(fieldName: string, inputValue: any): ValidationResult { return (fieldName: string, inputValue: unknown): ValidationResult => {
if ( inputValue < value ) { if ( Number(inputValue) >= value ) {
return { valid: true } return { valid: true }
}
return {
valid: false,
message: `must be less than ${value}`
}
} }
}
/** return {
* Builds a validator function that requires the input value to be at most some value. valid: false,
* @param value message: `must be at least ${value}`,
*/
export function atMost(value: number): ValidatorFunction {
return function atMost(fieldName: string, inputValue: any): ValidationResult {
if ( inputValue <= value ) {
return { valid: true }
}
return {
valid: false,
message: `must be at most ${value}`
}
} }
} }
}
/** /**
* Builds a validator function that requires the input value to have exactly `num` many digits. * Builds a validator function that requires the input value to be less than some value.
* @param num * @param value
*/ */
export function digits(num: number): ValidatorFunction { function lessThan(value: number): ValidatorFunction {
return function digits(fieldName: string, inputValue: any): ValidationResult { return (fieldName: string, inputValue: unknown): ValidationResult => {
if ( String(inputValue).replace('.', '').length === num ) { if ( Number(inputValue) < value ) {
return { valid: true } return { valid: true }
} }
return { return {
valid: false, valid: false,
message: `must have exactly ${num} digits` message: `must be less than ${value}`,
}
} }
} }
}
/**
* Builds a validator function that requires the input value to be at most some value.
* @param value
*/
function atMost(value: number): ValidatorFunction {
return (fieldName: string, inputValue: unknown): ValidationResult => {
if ( Number(inputValue) <= value ) {
return { valid: true }
}
/** return {
* Builds a validator function that requires the input value to have at least `num` many digits. valid: false,
* @param num message: `must be at most ${value}`,
*/
export function digitsMin(num: number): ValidatorFunction {
return function digitsMin(fieldName: string, inputValue: any): ValidationResult {
if ( String(inputValue).replace('.', '').length >= num ) {
return { valid: true }
}
return {
valid: false,
message: `must have at least ${num} digits`
}
} }
} }
}
/** /**
* Builds a validator function that requires the input value to have at most `num` many digits. * Builds a validator function that requires the input value to have exactly `num` many digits.
* @param num * @param num
*/ */
export function digitsMax(num: number): ValidatorFunction { function digits(num: number): ValidatorFunction {
return function digitsMax(fieldName: string, inputValue: any): ValidationResult { return (fieldName: string, inputValue: unknown): ValidationResult => {
if ( String(inputValue).replace('.', '').length <= num ) { if ( String(inputValue).replace('.', '').length === num ) {
return { valid: true } return { valid: true }
} }
return { return {
valid: false, valid: false,
message: `must have at most ${num} digits` message: `must have exactly ${num} digits`,
}
} }
} }
}
/** /**
* Builds a validator function that requires the input value to end with the given number sequence. * Builds a validator function that requires the input value to have at least `num` many digits.
* @param num * @param num
*/ */
export function ends(num: number): ValidatorFunction { function digitsMin(num: number): ValidatorFunction {
return function ends(fieldName: string, inputValue: any): ValidationResult { return (fieldName: string, inputValue: unknown): ValidationResult => {
if ( String(inputValue).endsWith(String(num)) ) { if ( String(inputValue).replace('.', '').length >= num ) {
return { valid: true } return { valid: true }
} }
return { return {
valid: false, valid: false,
message: `must end with "${num}"` message: `must have at least ${num} digits`,
}
} }
} }
}
/** /**
* Builds a validator function that requires the input value to begin with the given number sequence. * Builds a validator function that requires the input value to have at most `num` many digits.
* @param num * @param num
*/ */
export function begins(num: number): ValidatorFunction { function digitsMax(num: number): ValidatorFunction {
return function begins(fieldName: string, inputValue: any): ValidationResult { return (fieldName: string, inputValue: unknown): ValidationResult => {
if ( String(inputValue).startsWith(String(num)) ) { if ( String(inputValue).replace('.', '').length <= num ) {
return { valid: true } return { valid: true }
} }
return { return {
valid: false, valid: false,
message: `must begin with "${num}"` message: `must have at most ${num} digits`,
}
} }
} }
}
/** /**
* Builds a validator function that requires the input value to be a multiple of the given number. * Builds a validator function that requires the input value to end with the given number sequence.
* @param num * @param num
*/ */
export function multipleOf(num: number): ValidatorFunction { function ends(num: number): ValidatorFunction {
return function multipleOf(fieldName: string, inputValue: any): ValidationResult { return (fieldName: string, inputValue: unknown): ValidationResult => {
if ( inputValue % num === 0 ) { if ( String(inputValue).endsWith(String(num)) ) {
return { valid: true } return { valid: true }
} }
return { return {
valid: false, valid: false,
message: `must be a multiple of ${num}` message: `must end with "${num}"`,
}
} }
} }
}
/** Requires the input value to be even. */ /**
export function even(fieldName: string, inputValue: any): ValidationResult { * Builds a validator function that requires the input value to begin with the given number sequence.
if ( inputValue % 2 === 0 ) { * @param num
*/
function begins(num: number): ValidatorFunction {
return (fieldName: string, inputValue: unknown): ValidationResult => {
if ( String(inputValue).startsWith(String(num)) ) {
return { valid: true } return { valid: true }
} }
return { return {
valid: false, valid: false,
message: 'must be even', message: `must begin with "${num}"`,
} }
} }
}
/** Requires the input value to be odd. */ /**
export function odd(fieldName: string, inputValue: any): ValidationResult { * Builds a validator function that requires the input value to be a multiple of the given number.
if ( inputValue % 2 === 0 ) { * @param num
*/
function multipleOf(num: number): ValidatorFunction {
return (fieldName: string, inputValue: unknown): ValidationResult => {
if ( parseFloat(String(inputValue)) % num === 0 ) {
return { valid: true } return { valid: true }
} }
return { return {
valid: false, valid: false,
message: 'must be odd', message: `must be a multiple of ${num}`,
} }
} }
} }
/** Requires the input value to be even. */
function even(fieldName: string, inputValue: unknown): ValidationResult {
if ( parseFloat(String(inputValue)) % 2 === 0 ) {
return { valid: true }
}
return {
valid: false,
message: 'must be even',
}
}
/** Requires the input value to be odd. */
function odd(fieldName: string, inputValue: unknown): ValidationResult {
if ( parseFloat(String(inputValue)) % 2 === 0 ) {
return { valid: true }
}
return {
valid: false,
message: 'must be odd',
}
}
export const Num = {
greaterThan,
atLeast,
lessThan,
atMost,
digits,
digitsMin,
digitsMax,
ends,
begins,
multipleOf,
even,
odd,
}

@ -1,175 +1,191 @@
import {ValidationResult, ValidatorFunction} from "./types"; import {ValidationResult, ValidatorFunction} from './types'
import {UniversalPath} from '../../util' import {UniversalPath} from '../../util'
export namespace Is { /** Requires the given input value to be some form of affirmative boolean. */
/** Requires the given input value to be some form of affirmative boolean. */ function accepted(fieldName: string, inputValue: unknown): ValidationResult {
export function accepted(fieldName: string, inputValue: any): ValidationResult { if ( ['yes', 'Yes', 'YES', 1, true, 'true', 'True', 'TRUE'].includes(String(inputValue)) ) {
if ( ['yes', 'Yes', 'YES', 1, true, 'true', 'True', 'TRUE'].includes(inputValue) ) { return { valid: true }
return { valid: true }
}
return {
valid: false,
message: 'must be accepted'
}
} }
/** Requires the given input value to be some form of boolean. */ return {
export function boolean(fieldName: string, inputValue: any): ValidationResult { valid: false,
const boolish = ['true', 'True', 'TRUE', '1', 'false', 'False', 'FALSE', '0', true, false, 1, 0] message: 'must be accepted',
if ( boolish.includes(inputValue) ) {
return { valid: true }
}
return {
valid: false,
message: 'must be true or false'
}
} }
}
/** Requires the input value to be of type string. */ /** Requires the given input value to be some form of boolean. */
export function string(fieldName: string, inputValue: any): ValidationResult { function boolean(fieldName: string, inputValue: unknown): ValidationResult {
if ( typeof inputValue === 'string' ) { const boolish = ['true', 'True', 'TRUE', '1', 'false', 'False', 'FALSE', '0', true, false, 1, 0]
return { valid: true } if ( boolish.includes(String(inputValue)) ) {
} return { valid: true }
return {
valid: false,
message: 'must be a string'
}
} }
/** Requires the given input value to be present and non-nullish. */ return {
export function required(fieldName: string, inputValue: any): ValidationResult { valid: false,
if ( typeof inputValue !== 'undefined' && inputValue !== null && inputValue !== '' ) { message: 'must be true or false',
return { valid: true }
}
return {
valid: false,
message: 'is required',
stopValidation: true,
}
} }
}
/** Alias of required(). */ /** Requires the input value to be of type string. */
export function present(fieldName: string, inputValue: any): ValidationResult { function string(fieldName: string, inputValue: unknown): ValidationResult {
return required(fieldName, inputValue) if ( typeof inputValue === 'string' ) {
return { valid: true }
} }
/** Alias of required(). */ return {
export function filled(fieldName: string, inputValue: any): ValidationResult { valid: false,
return required(fieldName, inputValue) message: 'must be a string',
} }
}
/** Requires the given input value to be absent or nullish. */ /** Requires the given input value to be present and non-nullish. */
export function prohibited(fieldName: string, inputValue: any): ValidationResult { function required(fieldName: string, inputValue: unknown): ValidationResult {
if ( typeof inputValue === 'undefined' || inputValue === null || inputValue === '' ) { if ( typeof inputValue !== 'undefined' && inputValue !== null && inputValue !== '' ) {
return { valid: true } return { valid: true }
}
return {
valid: false,
message: 'is not allowed',
stopValidation: true,
}
} }
/** Alias of prohibited(). */ return {
export function absent(fieldName: string, inputValue: any): ValidationResult { valid: false,
return prohibited(fieldName, inputValue) message: 'is required',
stopValidation: true,
} }
}
/** Alias of prohibited(). */ /** Alias of required(). */
export function empty(fieldName: string, inputValue: any): ValidationResult { function present(fieldName: string, inputValue: unknown): ValidationResult {
return prohibited(fieldName, inputValue) return required(fieldName, inputValue)
} }
/** /** Alias of required(). */
* Builds a validator function that requires the given input to be found in an array of values. function filled(fieldName: string, inputValue: unknown): ValidationResult {
* @param values return required(fieldName, inputValue)
*/ }
export function foundIn(values: any[]): ValidatorFunction {
return function foundIn(fieldName: string, inputValue: any): ValidationResult {
if ( values.includes(inputValue) ) {
return { valid: true }
}
return { /** Requires the given input value to be absent or nullish. */
valid: false, function prohibited(fieldName: string, inputValue: unknown): ValidationResult {
message: `must be one of: ${values.join(', ')}` if ( typeof inputValue === 'undefined' || inputValue === null || inputValue === '' ) {
} return { valid: true }
}
} }
/** return {
* Builds a validator function that requires the given input NOT to be found in an array of values. valid: false,
* @param values message: 'is not allowed',
*/ stopValidation: true,
export function notFoundIn(values: any[]): ValidatorFunction {
return function foundIn(fieldName: string, inputValue: any): ValidationResult {
if ( values.includes(inputValue) ) {
return { valid: true }
}
return {
valid: false,
message: `must be one of: ${values.join(', ')}`
}
}
} }
}
/** Alias of prohibited(). */
function absent(fieldName: string, inputValue: unknown): ValidationResult {
return prohibited(fieldName, inputValue)
}
/** Requires the input value to be number-like. */ /** Alias of prohibited(). */
export function numeric(fieldName: string, inputValue: any): ValidationResult { function empty(fieldName: string, inputValue: unknown): ValidationResult {
if ( !isNaN(parseFloat(inputValue)) ) { return prohibited(fieldName, inputValue)
}
/**
* Builds a validator function that requires the given input to be found in an array of values.
* @param values
*/
function foundIn(values: any[]): ValidatorFunction {
return (fieldName: string, inputValue: unknown): ValidationResult => {
if ( values.includes(inputValue) ) {
return { valid: true } return { valid: true }
} }
return { return {
valid: false, valid: false,
message: 'must be numeric', message: `must be one of: ${values.join(', ')}`,
} }
} }
}
/** Requires the given input value to be integer-like. */ /**
export function integer(fieldName: string, inputValue: any): ValidationResult { * Builds a validator function that requires the given input NOT to be found in an array of values.
if ( !isNaN(parseInt(inputValue)) && parseInt(inputValue) === parseFloat(inputValue) ) { * @param values
*/
function notFoundIn(values: any[]): ValidatorFunction {
return (fieldName: string, inputValue: unknown): ValidationResult => {
if ( values.includes(inputValue) ) {
return { valid: true } return { valid: true }
} }
return { return {
valid: false, valid: false,
message: 'must be an integer', message: `must be one of: ${values.join(', ')}`,
} }
} }
}
/** Requires the given input value to be a UniversalPath. */ /** Requires the input value to be number-like. */
export function file(fieldName: string, inputValue: any): ValidationResult { function numeric(fieldName: string, inputValue: unknown): ValidationResult {
if ( inputValue instanceof UniversalPath ) { if ( !isNaN(parseFloat(String(inputValue))) ) {
return { valid: true } return { valid: true }
} }
return { return {
valid: false, valid: false,
message: 'must be a file' message: 'must be numeric',
}
} }
}
/** /** Requires the given input value to be integer-like. */
* A special validator function that marks a field as optional. function integer(fieldName: string, inputValue: unknown): ValidationResult {
* If the value of the field is nullish, no further validation rules will be applied. if ( !isNaN(parseInt(String(inputValue), 10)) && parseInt(String(inputValue), 10) === parseFloat(String(inputValue)) ) {
* If it is non-nullish, validation will continue. return { valid: true }
* @param fieldName }
* @param inputValue
*/
export function optional(fieldName: string, inputValue: any): ValidationResult {
if ( inputValue ?? true ) {
return {
valid: true,
stopValidation: true,
}
}
return {
valid: false,
message: 'must be an integer',
}
}
/** Requires the given input value to be a UniversalPath. */
function file(fieldName: string, inputValue: unknown): ValidationResult {
if ( inputValue instanceof UniversalPath ) {
return { valid: true } return { valid: true }
} }
return {
valid: false,
message: 'must be a file',
}
}
/**
* A special validator function that marks a field as optional.
* If the value of the field is nullish, no further validation rules will be applied.
* If it is non-nullish, validation will continue.
* @param fieldName
* @param inputValue
*/
function optional(fieldName: string, inputValue: unknown): ValidationResult {
if ( inputValue ?? true ) {
return {
valid: true,
stopValidation: true,
}
}
return { valid: true }
}
export const Is = {
accepted,
boolean,
string,
required,
present,
filled,
prohibited,
absent,
empty,
foundIn,
notFoundIn,
numeric,
integer,
file,
optional,
} }

@ -1,224 +1,245 @@
import {ValidationResult, ValidatorFunction} from "./types"; import {ValidationResult, ValidatorFunction} from './types'
import {isJSON} from '../../util' import {isJSON} from '../../util'
/** /**
* String-related validation rules. * String-related validation rules.
*/ */
export namespace Str { const regexes: {[key: string]: RegExp} = {
const regexes: {[key: string]: RegExp} = { 'string.is.alpha': /[a-zA-Z]*/,
'string.is.alpha': /[a-zA-Z]*/, 'string.is.alpha_num': /[a-zA-Z0-9]*/,
'string.is.alpha_num': /[a-zA-Z0-9]*/, 'string.is.alpha_dash': /[a-zA-Z-]*/,
'string.is.alpha_dash': /[a-zA-Z\-]*/, 'string.is.alpha_score': /[a-zA-Z_]*/,
'string.is.alpha_score': /[a-zA-Z_]*/, 'string.is.alpha_num_dash_score': /[a-zA-Z\-_0-9]*/,
'string.is.alpha_num_dash_score': /[a-zA-Z\-_0-9]*/, 'string.is.email': /(?:[a-z0-9!#$%&'*+/=?^_`{|}~-]+(?:\.[a-z0-9!#$%&'*+/=?^_`{|}~-]+)*|"(?:[\x01-\x08\x0b\x0c\x0e-\x1f\x21\x23-\x5b\x5d-\x7f]|\\[\x01-\x09\x0b\x0c\x0e-\x7f])*")@(?:(?:[a-z0-9](?:[a-z0-9-]*[a-z0-9])?\.)+[a-z0-9](?:[a-z0-9-]*[a-z0-9])?|\[(?:(?:(2(5[0-5]|[0-4][0-9])|1[0-9][0-9]|[1-9]?[0-9]))\.){3}(?:(2(5[0-5]|[0-4][0-9])|1[0-9][0-9]|[1-9]?[0-9])|[a-z0-9-]*[a-z0-9]:(?:[\x01-\x08\x0b\x0c\x0e-\x1f\x21-\x5a\x53-\x7f]|\\[\x01-\x09\x0b\x0c\x0e-\x7f])+)])/, // eslint-disable-line no-control-regex
'string.is.email': /(?:[a-z0-9!#$%&'*+/=?^_`{|}~-]+(?:\.[a-z0-9!#$%&'*+/=?^_`{|}~-]+)*|"(?:[\x01-\x08\x0b\x0c\x0e-\x1f\x21\x23-\x5b\x5d-\x7f]|\\[\x01-\x09\x0b\x0c\x0e-\x7f])*")@(?:(?:[a-z0-9](?:[a-z0-9-]*[a-z0-9])?\.)+[a-z0-9](?:[a-z0-9-]*[a-z0-9])?|\[(?:(?:(2(5[0-5]|[0-4][0-9])|1[0-9][0-9]|[1-9]?[0-9]))\.){3}(?:(2(5[0-5]|[0-4][0-9])|1[0-9][0-9]|[1-9]?[0-9])|[a-z0-9-]*[a-z0-9]:(?:[\x01-\x08\x0b\x0c\x0e-\x1f\x21-\x5a\x53-\x7f]|\\[\x01-\x09\x0b\x0c\x0e-\x7f])+)])/, 'string.is.ip': /((^\s*((([0-9]|[1-9][0-9]|1[0-9]{2}|2[0-4][0-9]|25[0-5])\.){3}([0-9]|[1-9][0-9]|1[0-9]{2}|2[0-4][0-9]|25[0-5]))\s*$)|(^\s*((([0-9A-Fa-f]{1,4}:){7}([0-9A-Fa-f]{1,4}|:))|(([0-9A-Fa-f]{1,4}:){6}(:[0-9A-Fa-f]{1,4}|((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3})|:))|(([0-9A-Fa-f]{1,4}:){5}(((:[0-9A-Fa-f]{1,4}){1,2})|:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3})|:))|(([0-9A-Fa-f]{1,4}:){4}(((:[0-9A-Fa-f]{1,4}){1,3})|((:[0-9A-Fa-f]{1,4})?:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){3}(((:[0-9A-Fa-f]{1,4}){1,4})|((:[0-9A-Fa-f]{1,4}){0,2}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){2}(((:[0-9A-Fa-f]{1,4}){1,5})|((:[0-9A-Fa-f]{1,4}){0,3}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){1}(((:[0-9A-Fa-f]{1,4}){1,6})|((:[0-9A-Fa-f]{1,4}){0,4}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(:(((:[0-9A-Fa-f]{1,4}){1,7})|((:[0-9A-Fa-f]{1,4}){0,5}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:)))(%.+)?\s*$))/,
'string.is.ip': /((^\s*((([0-9]|[1-9][0-9]|1[0-9]{2}|2[0-4][0-9]|25[0-5])\.){3}([0-9]|[1-9][0-9]|1[0-9]{2}|2[0-4][0-9]|25[0-5]))\s*$)|(^\s*((([0-9A-Fa-f]{1,4}:){7}([0-9A-Fa-f]{1,4}|:))|(([0-9A-Fa-f]{1,4}:){6}(:[0-9A-Fa-f]{1,4}|((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3})|:))|(([0-9A-Fa-f]{1,4}:){5}(((:[0-9A-Fa-f]{1,4}){1,2})|:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3})|:))|(([0-9A-Fa-f]{1,4}:){4}(((:[0-9A-Fa-f]{1,4}){1,3})|((:[0-9A-Fa-f]{1,4})?:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){3}(((:[0-9A-Fa-f]{1,4}){1,4})|((:[0-9A-Fa-f]{1,4}){0,2}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){2}(((:[0-9A-Fa-f]{1,4}){1,5})|((:[0-9A-Fa-f]{1,4}){0,3}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){1}(((:[0-9A-Fa-f]{1,4}){1,6})|((:[0-9A-Fa-f]{1,4}){0,4}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(:(((:[0-9A-Fa-f]{1,4}){1,7})|((:[0-9A-Fa-f]{1,4}){0,5}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:)))(%.+)?\s*$))/, 'string.is.ip.v4': /(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)(\.(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)){3}/,
'string.is.ip.v4': /(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)(\.(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)){3}/, 'string.is.ip.v6': /(([0-9a-fA-F]{1,4}:){7}[0-9a-fA-F]{1,4}|([0-9a-fA-F]{1,4}:){1,7}:|([0-9a-fA-F]{1,4}:){1,6}:[0-9a-fA-F]{1,4}|([0-9a-fA-F]{1,4}:){1,5}(:[0-9a-fA-F]{1,4}){1,2}|([0-9a-fA-F]{1,4}:){1,4}(:[0-9a-fA-F]{1,4}){1,3}|([0-9a-fA-F]{1,4}:){1,3}(:[0-9a-fA-F]{1,4}){1,4}|([0-9a-fA-F]{1,4}:){1,2}(:[0-9a-fA-F]{1,4}){1,5}|[0-9a-fA-F]{1,4}:((:[0-9a-fA-F]{1,4}){1,6})|:((:[0-9a-fA-F]{1,4}){1,7}|:)|fe80:(:[0-9a-fA-F]{0,4}){0,4}%[0-9a-zA-Z]+|::(ffff(:0{1,4})?:)?((25[0-5]|(2[0-4]|1?[0-9])?[0-9])\.){3}(25[0-5]|(2[0-4]|1?[0-9])?[0-9])|([0-9a-fA-F]{1,4}:){1,4}:((25[0-5]|(2[0-4]|1?[0-9])?[0-9])\.){3}(25[0-5]|(2[0-4]|1?[0-9])?[0-9]))/,
'string.is.ip.v6': /(([0-9a-fA-F]{1,4}:){7}[0-9a-fA-F]{1,4}|([0-9a-fA-F]{1,4}:){1,7}:|([0-9a-fA-F]{1,4}:){1,6}:[0-9a-fA-F]{1,4}|([0-9a-fA-F]{1,4}:){1,5}(:[0-9a-fA-F]{1,4}){1,2}|([0-9a-fA-F]{1,4}:){1,4}(:[0-9a-fA-F]{1,4}){1,3}|([0-9a-fA-F]{1,4}:){1,3}(:[0-9a-fA-F]{1,4}){1,4}|([0-9a-fA-F]{1,4}:){1,2}(:[0-9a-fA-F]{1,4}){1,5}|[0-9a-fA-F]{1,4}:((:[0-9a-fA-F]{1,4}){1,6})|:((:[0-9a-fA-F]{1,4}){1,7}|:)|fe80:(:[0-9a-fA-F]{0,4}){0,4}%[0-9a-zA-Z]+|::(ffff(:0{1,4})?:)?((25[0-5]|(2[0-4]|1?[0-9])?[0-9])\.){3}(25[0-5]|(2[0-4]|1?[0-9])?[0-9])|([0-9a-fA-F]{1,4}:){1,4}:((25[0-5]|(2[0-4]|1?[0-9])?[0-9])\.){3}(25[0-5]|(2[0-4]|1?[0-9])?[0-9]))/, 'string.is.mime': /^(?=[-a-z]{1,127}\/[-.a-z0-9]{1,127}$)[a-z]+(-[a-z]+)*\/[a-z0-9]+([-.][a-z0-9]+)*$/,
'string.is.mime': /^(?=[-a-z]{1,127}\/[-.a-z0-9]{1,127}$)[a-z]+(-[a-z]+)*\/[a-z0-9]+([-.][a-z0-9]+)*$/, 'string.is.url': /((([A-Za-z]{3,9}:(?:\/\/)?)(?:[-;:&=+$,\w]+@)?[A-Za-z0-9.-]+|(?:www\.|[-;:&=+$,\w]+@)[A-Za-z0-9.-]+)((?:\/[+~%/.\w\-_]*)?\??(?:[-+=&;%@.\w_]*)#?(?:[.!/\\\w]*))?)/,
'string.is.url': /((([A-Za-z]{3,9}:(?:\/\/)?)(?:[\-;:&=+$,\w]+@)?[A-Za-z0-9.\-]+|(?:www\.|[\-;:&=+$,\w]+@)[A-Za-z0-9.\-]+)((?:\/[+~%\/.\w\-_]*)?\??(?:[\-+=&;%@.\w_]*)#?(?:[.!\/\\\w]*))?)/, 'string.is.uuid': /^[0-9a-fA-F]{8}\b-[0-9a-fA-F]{4}\b-[0-9a-fA-F]{4}\b-[0-9a-fA-F]{4}\b-[0-9a-fA-F]{12}$/,
'string.is.uuid': /^[0-9a-fA-F]{8}\b-[0-9a-fA-F]{4}\b-[0-9a-fA-F]{4}\b-[0-9a-fA-F]{4}\b-[0-9a-fA-F]{12}$/, }
}
function validateRex(key: string, inputValue: any, message: string): ValidationResult {
if ( regexes[key].test(inputValue) ) {
return { valid: true }
}
return { function validateRex(key: string, inputValue: unknown, message: string): ValidationResult {
valid: false, if ( regexes[key].test(String(inputValue)) ) {
message return { valid: true }
}
} }
/** Requires the input value to be alphabetical characters only. */ return {
export function alpha(fieldName: string, inputValue: any): ValidationResult { valid: false,
return validateRex('string.is.alpha', inputValue, 'must be alphabetical only') message,
} }
}
/** Requires the input value to be alphanumeric characters only. */ /** Requires the input value to be alphabetical characters only. */
export function alphaNum(fieldName: string, inputValue: any): ValidationResult { function alpha(fieldName: string, inputValue: unknown): ValidationResult {
return validateRex('string.is.alpha_num', inputValue, 'must be alphanumeric only') return validateRex('string.is.alpha', inputValue, 'must be alphabetical only')
} }
/** Requires the input value to be alphabetical characters or the "-" character only. */ /** Requires the input value to be alphanumeric characters only. */
export function alphaDash(fieldName: string, inputValue: any): ValidationResult { function alphaNum(fieldName: string, inputValue: unknown): ValidationResult {
return validateRex('string.is.alpha_dash', inputValue, 'must be alphabetical and dashes only') return validateRex('string.is.alpha_num', inputValue, 'must be alphanumeric only')
} }
/** Requires the input value to be alphabetical characters or the "_" character only. */ /** Requires the input value to be alphabetical characters or the "-" character only. */
export function alphaScore(fieldName: string, inputValue: any): ValidationResult { function alphaDash(fieldName: string, inputValue: unknown): ValidationResult {
return validateRex('string.is.alpha_score', inputValue, 'must be alphabetical and underscores only') return validateRex('string.is.alpha_dash', inputValue, 'must be alphabetical and dashes only')
} }
/** Requires the input value to be alphabetical characters, numeric characters, "-", or "_" only. */ /** Requires the input value to be alphabetical characters or the "_" character only. */
export function alphaNumDashScore(fieldName: string, inputValue: any): ValidationResult { function alphaScore(fieldName: string, inputValue: unknown): ValidationResult {
return validateRex('string.is.alpha_num_dash_score', inputValue, 'must be alphanumeric, dashes, and underscores only') return validateRex('string.is.alpha_score', inputValue, 'must be alphabetical and underscores only')
} }
/** Requires the input value to be a valid RFC email address format. */ /** Requires the input value to be alphabetical characters, numeric characters, "-", or "_" only. */
export function email(fieldName: string, inputValue: any): ValidationResult { function alphaNumDashScore(fieldName: string, inputValue: unknown): ValidationResult {
return validateRex('string.is.email', inputValue, 'must be an email address') return validateRex('string.is.alpha_num_dash_score', inputValue, 'must be alphanumeric, dashes, and underscores only')
} }
/** Requires the input value to be a valid IPv4 or IPv6 address. */ /** Requires the input value to be a valid RFC email address format. */
export function ip(fieldName: string, inputValue: any): ValidationResult { function email(fieldName: string, inputValue: unknown): ValidationResult {
return validateRex('string.is.ip', inputValue, 'must be a valid IP address') return validateRex('string.is.email', inputValue, 'must be an email address')
} }
/** Requires the input value to be a valid IPv4 address. */ /** Requires the input value to be a valid IPv4 or IPv6 address. */
export function ipv4(fieldName: string, inputValue: any): ValidationResult { function ip(fieldName: string, inputValue: unknown): ValidationResult {
return validateRex('string.is.ip.v4', inputValue, 'must be a valid IP version 4 address') return validateRex('string.is.ip', inputValue, 'must be a valid IP address')
} }
/** Requires the input value to be a valid IPv6 address. */ /** Requires the input value to be a valid IPv4 address. */
export function ipv6(fieldName: string, inputValue: any): ValidationResult { function ipv4(fieldName: string, inputValue: unknown): ValidationResult {
return validateRex('string.is.ip.v6', inputValue, 'must be a valid IP version 6 address') return validateRex('string.is.ip.v4', inputValue, 'must be a valid IP version 4 address')
} }
/** Requires the input value to be a valid file MIME type. */ /** Requires the input value to be a valid IPv6 address. */
export function mime(fieldName: string, inputValue: any): ValidationResult { function ipv6(fieldName: string, inputValue: unknown): ValidationResult {
return validateRex('string.is.mime', inputValue, 'must be a valid MIME-type') return validateRex('string.is.ip.v6', inputValue, 'must be a valid IP version 6 address')
} }
/** Requires the input value to be a valid RFC URL format. */ /** Requires the input value to be a valid file MIME type. */
export function url(fieldName: string, inputValue: any): ValidationResult { function mime(fieldName: string, inputValue: unknown): ValidationResult {
return validateRex('string.is.url', inputValue, 'must be a valid URL') return validateRex('string.is.mime', inputValue, 'must be a valid MIME-type')
} }
/** Requires the input value to be a valid RFC UUID format. */ /** Requires the input value to be a valid RFC URL format. */
export function uuid(fieldName: string, inputValue: any): ValidationResult { function url(fieldName: string, inputValue: unknown): ValidationResult {
return validateRex('string.is.uuid', inputValue, 'must be a valid UUID') return validateRex('string.is.url', inputValue, 'must be a valid URL')
} }
/** /** Requires the input value to be a valid RFC UUID format. */
* Builds a validation function that requires the input value to match the given regex. function uuid(fieldName: string, inputValue: unknown): ValidationResult {
* @param rex return validateRex('string.is.uuid', inputValue, 'must be a valid UUID')
*/ }
export function regex(rex: RegExp): ValidatorFunction {
return function regex(fieldName: string, inputValue: any): ValidationResult { /**
if ( rex.test(inputValue) ) { * Builds a validation function that requires the input value to match the given regex.
return { valid: true } * @param rex
} */
function regex(rex: RegExp): ValidatorFunction {
return { return (fieldName: string, inputValue: unknown): ValidationResult => {
valid: false, if ( rex.test(String(inputValue)) ) {
message: 'is not valid' return { valid: true }
}
} }
}
/** return {
* Builds a validation function that requires the input to NOT match the given regex. valid: false,
* @param rex message: 'is not valid',
*/
export function notRegex(rex: RegExp): ValidatorFunction {
return function notRegex(fieldName: string, inputValue: any): ValidationResult {
if ( !rex.test(inputValue) ) {
return { valid: true }
}
return {
valid: false,
message: 'is not valid'
}
} }
} }
}
/** /**
* Builds a validation function that requires the given input to end with the substring. * Builds a validation function that requires the input to NOT match the given regex.
* @param substr * @param rex
*/ */
export function ends(substr: string): ValidatorFunction { function notRegex(rex: RegExp): ValidatorFunction {
return function ends(fieldName: string, inputValue: any): ValidationResult { return (fieldName: string, inputValue: unknown): ValidationResult => {
if ( String(inputValue).endsWith(substr) ) { if ( !rex.test(String(inputValue)) ) {
return { valid: true } return { valid: true }
} }
return { return {
valid: false, valid: false,
message: `must end with "${substr}"` message: 'is not valid',
}
} }
} }
}
/** /**
* Builds a validation function that requires the given input to begin with the substring. * Builds a validation function that requires the given input to end with the substring.
* @param substr * @param substr
*/ */
export function begins(substr: string): ValidatorFunction { function ends(substr: string): ValidatorFunction {
return function begins(fieldName: string, inputValue: any): ValidationResult { return (fieldName: string, inputValue: unknown): ValidationResult => {
if ( String(inputValue).startsWith(substr) ) { if ( String(inputValue).endsWith(substr) ) {
return { valid: true } return { valid: true }
} }
return { return {
valid: false, valid: false,
message: `must begin with "${substr}"` message: `must end with "${substr}"`,
}
} }
} }
}
/** Requires the input value to be a valid JSON string. */ /**
export function json(fieldName: string, inputValue: any): ValidationResult { * Builds a validation function that requires the given input to begin with the substring.
if ( isJSON(inputValue) ) { * @param substr
*/
function begins(substr: string): ValidatorFunction {
return (fieldName: string, inputValue: unknown): ValidationResult => {
if ( String(inputValue).startsWith(substr) ) {
return { valid: true } return { valid: true }
} }
return { return {
valid: false, valid: false,
message: 'must be valid JSON' message: `must begin with "${substr}"`,
} }
} }
}
/** Requires the input value to be a valid JSON string. */
function json(fieldName: string, inputValue: unknown): ValidationResult {
if ( isJSON(String(inputValue)) ) {
return { valid: true }
}
return {
valid: false,
message: 'must be valid JSON',
}
}
/**
* Builds a validator function that requires the input value to have exactly len many characters.
* @param len
*/
function length(len: number): ValidatorFunction {
return (fieldName: string, inputValue: unknown): ValidationResult => {
if ( String(inputValue).length === len ) {
return { valid: true }
}
/** return {
* Builds a validator function that requires the input value to have exactly len many characters. valid: false,
* @param len message: `must be exactly of length ${len}`,
*/
export function length(len: number): ValidatorFunction {
return function length(fieldName: string, inputValue: any): ValidationResult {
if ( inputValue.length === len ) {
return { valid: true }
}
return {
valid: false,
message: `must be exactly of length ${len}`
}
} }
} }
}
/** /**
* Builds a validator function that requires the input value to have at least len many characters. * Builds a validator function that requires the input value to have at least len many characters.
* @param len * @param len
*/ */
export function lengthMin(len: number): ValidatorFunction { function lengthMin(len: number): ValidatorFunction {
return function lengthMin(fieldName: string, inputValue: any): ValidationResult { return (fieldName: string, inputValue: unknown): ValidationResult => {
if ( inputValue.length >= len ) { if ( String(inputValue).length >= len ) {
return { valid: true } return { valid: true }
} }
return { return {
valid: false, valid: false,
message: `must be at least length ${len}` message: `must be at least length ${len}`,
}
} }
} }
}
/** /**
* Builds a validator function that requires the input value to have at most len many characters. * Builds a validator function that requires the input value to have at most len many characters.
* @param len * @param len
*/ */
export function lengthMax(len: number): ValidatorFunction { function lengthMax(len: number): ValidatorFunction {
return function lengthMax(fieldName: string, inputValue: any): ValidationResult { return (fieldName: string, inputValue: unknown): ValidationResult => {
if ( inputValue.length <= len ) { if ( String(inputValue).length <= len ) {
return { valid: true } return { valid: true }
} }
return { return {
valid: false, valid: false,
message: `must be at most length ${len}` message: `must be at most length ${len}`,
}
} }
} }
} }
export const Str = {
alpha,
alphaNum,
alphaDash,
alphaScore,
alphaNumDashScore,
email,
ip,
ipv4,
ipv6,
mime,
url,
uuid,
regex,
notRegex,
ends,
begins,
json,
length,
lengthMin,
lengthMax,
}

@ -1,14 +1,12 @@
import {UniversalPath} from '../../util'
import {Template} from '../../cli' import {Template} from '../../cli'
const form_template: Template = { const templateForm: Template = {
name: 'form', name: 'form',
fileSuffix: '.form.ts', fileSuffix: '.form.ts',
description: 'Create a new form request validator', description: 'Create a new form request validator',
baseAppPath: ['http', 'forms'], baseAppPath: ['http', 'forms'],
render(name: string, fullCanonicalName: string, targetFilePath: UniversalPath) { render(name: string) {
return `import {FormRequest, ValidationRules, Rule} from '@extollo/forms' return `import {Injectable, FormRequest, ValidationRules, Rule} from '@extollo/lib'
import {Injectable} from '@extollo/di'
/** /**
* ${name} object * ${name} object
@ -40,7 +38,7 @@ export class ${name}FormRequest extends FormRequest<${name}Form> {
} }
} }
` `
} },
} }
export { form_template } export { templateForm }

@ -1,8 +1,8 @@
import {Singleton, Inject} from '../../di' import {Singleton, Inject} from '../../di'
import {CommandLine} from '../../cli' import {CommandLine} from '../../cli'
import {form_template} from '../templates/form' import {templateForm} from '../templates/form'
import {Unit} from "../../lifecycle/Unit"; import {Unit} from '../../lifecycle/Unit'
import {Logging} from "../../service/Logging"; import {Logging} from '../../service/Logging'
@Singleton() @Singleton()
export class Forms extends Unit { export class Forms extends Unit {
@ -13,6 +13,6 @@ export class Forms extends Unit {
protected readonly logging!: Logging protected readonly logging!: Logging
public async up(): Promise<void> { public async up(): Promise<void> {
this.cli.registerTemplate(form_template) this.cli.registerTemplate(templateForm)
} }
} }

@ -1,5 +1,6 @@
import {AppClass} from "../lifecycle/AppClass"; import {AppClass} from '../lifecycle/AppClass'
import {Request} from "./lifecycle/Request"; import {Request} from './lifecycle/Request'
import {Container} from '../di'
/** /**
* Base class for controllers that define methods that * Base class for controllers that define methods that
@ -7,10 +8,12 @@ import {Request} from "./lifecycle/Request";
*/ */
export class Controller extends AppClass { export class Controller extends AppClass {
constructor( constructor(
protected readonly request: Request protected readonly request: Request,
) { super() } ) {
super()
}
protected container() { protected container(): Container {
return this.request return this.request
} }
} }

@ -1,4 +1,4 @@
import {ErrorWithContext, HTTPStatus, HTTPMessage} from "../util" import {ErrorWithContext, HTTPStatus, HTTPMessage} from '../util'
/** /**
* An error class that has an associated HTTP status. * An error class that has an associated HTTP status.
@ -9,7 +9,7 @@ import {ErrorWithContext, HTTPStatus, HTTPMessage} from "../util"
export class HTTPError extends ErrorWithContext { export class HTTPError extends ErrorWithContext {
constructor( constructor(
public readonly status: HTTPStatus = 500, public readonly status: HTTPStatus = 500,
public readonly message: string = '' public readonly message: string = '',
) { ) {
super('HTTP ERROR') super('HTTP ERROR')
this.message = message || HTTPMessage[status] this.message = message || HTTPMessage[status]

@ -1,5 +1,5 @@
import {Request} from "../lifecycle/Request"; import {Request} from '../lifecycle/Request'
import {uninfer, infer, uuid_v4} from "../../util"; import {uninfer, infer, uuid4} from '../../util'
/** /**
* Base type representing a parsed cookie. * Base type representing a parsed cookie.
@ -61,7 +61,7 @@ export class HTTPCookieJar {
* @param value * @param value
* @param options * @param options
*/ */
set(name: string, value: any, options?: HTTPCookieOptions) { set(name: string, value: unknown, options?: HTTPCookieOptions): this {
this.parsed[name] = { this.parsed[name] = {
key: name, key: name,
value, value,
@ -69,14 +69,16 @@ export class HTTPCookieJar {
exists: false, exists: false,
options, options,
} }
return this
} }
/** /**
* Returns true if a cookie exists with the given name. * Returns true if a cookie exists with the given name.
* @param name * @param name
*/ */
has(name: string) { has(name: string): boolean {
return !!this.parsed[name] return Boolean(this.parsed[name])
} }
/** /**
@ -88,17 +90,21 @@ export class HTTPCookieJar {
* @param name * @param name
* @param options * @param options
*/ */
clear(name: string, options?: HTTPCookieOptions) { clear(name: string, options?: HTTPCookieOptions): this {
if ( !options ) options = {} if ( !options ) {
options = {}
}
options.expires = new Date(0) options.expires = new Date(0)
this.parsed[name] = { this.parsed[name] = {
key: name, key: name,
value: undefined, value: undefined,
originalValue: uuid_v4(), originalValue: uuid4(),
exists: false, exists: false,
options, options,
} }
return this
} }
/** /**
@ -108,10 +114,14 @@ export class HTTPCookieJar {
const headers: string[] = [] const headers: string[] = []
for ( const key in this.parsed ) { for ( const key in this.parsed ) {
if ( !this.parsed.hasOwnProperty(key) ) continue if ( !Object.prototype.hasOwnProperty.call(this.parsed, key) ) {
continue
}
const cookie = this.parsed[key] const cookie = this.parsed[key]
if ( cookie.exists ) continue if ( cookie.exists ) {
continue
}
const parts = [] const parts = []
parts.push(`${key}=${encodeURIComponent(cookie.originalValue)}`) parts.push(`${key}=${encodeURIComponent(cookie.originalValue)}`)
@ -144,7 +154,7 @@ export class HTTPCookieJar {
const map = { const map = {
strict: 'Strict', strict: 'Strict',
lax: 'Lax', lax: 'Lax',
'none-secure': 'None; Secure' 'none-secure': 'None; Secure',
} }
parts.push(map[cookie.options.sameSite]) parts.push(map[cookie.options.sameSite])
@ -163,7 +173,9 @@ export class HTTPCookieJar {
const parts = cookie.split('=') const parts = cookie.split('=')
const key = parts.shift()?.trim() const key = parts.shift()?.trim()
if ( !key ) return; if ( !key ) {
return
}
const value = decodeURI(parts.join('=')) const value = decodeURI(parts.join('='))

@ -1,10 +1,10 @@
import {Inject, Instantiable, Singleton} from "../../di" import {Inject, Instantiable, Singleton} from '../../di'
import {Collection, HTTPStatus} from "../../util" import {Collection, HTTPStatus} from '../../util'
import {HTTPKernelModule} from "./HTTPKernelModule"; import {HTTPKernelModule} from './HTTPKernelModule'
import {Logging} from "../../service/Logging"; import {Logging} from '../../service/Logging'
import {AppClass} from "../../lifecycle/AppClass"; import {AppClass} from '../../lifecycle/AppClass'
import {Request} from "../lifecycle/Request"; import {Request} from '../lifecycle/Request'
import {error} from "../response/ErrorResponseFactory"; import {error} from '../response/ErrorResponseFactory'
/** /**
* Interface for fluently registering kernel modules into the kernel. * Interface for fluently registering kernel modules into the kernel.
@ -105,7 +105,8 @@ export class HTTPKernel extends AppClass {
} }
} catch (e: any) { } catch (e: any) {
this.logging.error(e) this.logging.error(e)
await error(e).status(HTTPStatus.INTERNAL_SERVER_ERROR).write(request) await error(e).status(HTTPStatus.INTERNAL_SERVER_ERROR)
.write(request)
} }
this.logging.verbose('Finished kernel lifecycle') this.logging.verbose('Finished kernel lifecycle')
@ -127,16 +128,16 @@ export class HTTPKernel extends AppClass {
return this return this
} }
let found_index = this.preflight.find((mod: HTTPKernelModule) => mod instanceof other) let foundIdx = this.preflight.find((mod: HTTPKernelModule) => mod instanceof other)
if ( typeof found_index !== 'undefined' ) { if ( typeof foundIdx !== 'undefined' ) {
this.preflight = this.preflight.put(found_index, this.app().make(module)) this.preflight = this.preflight.put(foundIdx, this.app().make(module))
return this return this
} else { } else {
found_index = this.postflight.find((mod: HTTPKernelModule) => mod instanceof other) foundIdx = this.postflight.find((mod: HTTPKernelModule) => mod instanceof other)
} }
if ( typeof found_index !== 'undefined' ) { if ( typeof foundIdx !== 'undefined' ) {
this.postflight = this.postflight.put(found_index, this.app().make(module)) this.postflight = this.postflight.put(foundIdx, this.app().make(module))
} else { } else {
throw new KernelModuleNotFoundError(other.name) throw new KernelModuleNotFoundError(other.name)
} }
@ -149,16 +150,16 @@ export class HTTPKernel extends AppClass {
return this return this
} }
let found_index = this.preflight.find((mod: HTTPKernelModule) => mod instanceof other) let foundIdx = this.preflight.find((mod: HTTPKernelModule) => mod instanceof other)
if ( typeof found_index !== 'undefined' ) { if ( typeof foundIdx !== 'undefined' ) {
this.preflight = this.preflight.put(found_index + 1, this.app().make(module)) this.preflight = this.preflight.put(foundIdx + 1, this.app().make(module))
return this return this
} else { } else {
found_index = this.postflight.find((mod: HTTPKernelModule) => mod instanceof other) foundIdx = this.postflight.find((mod: HTTPKernelModule) => mod instanceof other)
} }
if ( typeof found_index !== 'undefined' ) { if ( typeof foundIdx !== 'undefined' ) {
this.postflight = this.postflight.put(found_index + 1, this.app().make(module)) this.postflight = this.postflight.put(foundIdx + 1, this.app().make(module))
} else { } else {
throw new KernelModuleNotFoundError(other.name) throw new KernelModuleNotFoundError(other.name)
} }

@ -1,7 +1,7 @@
import {Injectable} from "../../di"; import {Injectable} from '../../di'
import {AppClass} from "../../lifecycle/AppClass"; import {AppClass} from '../../lifecycle/AppClass'
import {HTTPKernel} from "./HTTPKernel"; import {HTTPKernel} from './HTTPKernel'
import {Request} from "../lifecycle/Request"; import {Request} from '../lifecycle/Request'
/** /**
* Base class for modules that define logic that is applied to requests * Base class for modules that define logic that is applied to requests
@ -23,7 +23,7 @@ export class HTTPKernelModule extends AppClass {
* @param {Request} request * @param {Request} request
* @return Promise<boolean> * @return Promise<boolean>
*/ */
public async match(request: Request): Promise<boolean> { public async match(request: Request): Promise<boolean> { // eslint-disable-line @typescript-eslint/no-unused-vars
return true return true
} }
@ -40,7 +40,7 @@ export class HTTPKernelModule extends AppClass {
* Register this module with the given HTTP kernel. * Register this module with the given HTTP kernel.
* @param {HTTPKernel} kernel * @param {HTTPKernel} kernel
*/ */
public static register(kernel: HTTPKernel) { public static register(kernel: HTTPKernel): void {
kernel.register(this).before() kernel.register(this).before()
} }
} }

@ -1,9 +1,9 @@
import {HTTPKernelModule} from "../HTTPKernelModule"; import {HTTPKernelModule} from '../HTTPKernelModule'
import {ResponseObject} from "../../routing/Route"; import {ResponseObject} from '../../routing/Route'
import {Request} from "../../lifecycle/Request"; import {Request} from '../../lifecycle/Request'
import {plaintext} from "../../response/StringResponseFactory"; import {plaintext} from '../../response/StringResponseFactory'
import {ResponseFactory} from "../../response/ResponseFactory"; import {ResponseFactory} from '../../response/ResponseFactory'
import {json} from "../../response/JSONResponseFactory"; import {json} from '../../response/JSONResponseFactory'
/** /**
* Base class for HTTP kernel modules that apply some response from a route handler to the request. * Base class for HTTP kernel modules that apply some response from a route handler to the request.
@ -15,7 +15,7 @@ export abstract class AbstractResolvedRouteHandlerHTTPModule extends HTTPKernelM
* @param request * @param request
* @protected * @protected
*/ */
protected async applyResponseObject(object: ResponseObject, request: Request) { protected async applyResponseObject(object: ResponseObject, request: Request): Promise<void> {
if ( (typeof object === 'string') || (typeof object === 'number') ) { if ( (typeof object === 'string') || (typeof object === 'number') ) {
object = plaintext(String(object)) object = plaintext(String(object))
} }

@ -1,10 +1,10 @@
import {HTTPKernel} from "../HTTPKernel"; import {HTTPKernel} from '../HTTPKernel'
import {Request} from "../../lifecycle/Request"; import {Request} from '../../lifecycle/Request'
import {ActivatedRoute} from "../../routing/ActivatedRoute"; import {ActivatedRoute} from '../../routing/ActivatedRoute'
import {ResponseObject} from "../../routing/Route"; import {ResponseObject} from '../../routing/Route'
import {http} from "../../response/HTTPErrorResponseFactory"; import {http} from '../../response/HTTPErrorResponseFactory'
import {HTTPStatus} from "../../../util"; import {HTTPStatus} from '../../../util'
import {AbstractResolvedRouteHandlerHTTPModule} from "./AbstractResolvedRouteHandlerHTTPModule"; import {AbstractResolvedRouteHandlerHTTPModule} from './AbstractResolvedRouteHandlerHTTPModule'
/** /**
* HTTP kernel module that runs the handler for the request's route. * HTTP kernel module that runs the handler for the request's route.
@ -12,14 +12,14 @@ import {AbstractResolvedRouteHandlerHTTPModule} from "./AbstractResolvedRouteHan
* In most cases, this is the controller method defined by the route. * In most cases, this is the controller method defined by the route.
*/ */
export class ExecuteResolvedRouteHandlerHTTPModule extends AbstractResolvedRouteHandlerHTTPModule { export class ExecuteResolvedRouteHandlerHTTPModule extends AbstractResolvedRouteHandlerHTTPModule {
public static register(kernel: HTTPKernel) { public static register(kernel: HTTPKernel): void {
kernel.register(this).core() kernel.register(this).core()
} }
public async apply(request: Request) { public async apply(request: Request): Promise<Request> {
if ( request.hasInstance(ActivatedRoute) ) { if ( request.hasInstance(ActivatedRoute) ) {
const route = <ActivatedRoute> request.make(ActivatedRoute) const route = <ActivatedRoute> request.make(ActivatedRoute)
let object: ResponseObject = await route.handler(request) const object: ResponseObject = await route.handler(request)
await this.applyResponseObject(object, request) await this.applyResponseObject(object, request)
} else { } else {

@ -1,9 +1,9 @@
import {HTTPKernel} from "../HTTPKernel"; import {HTTPKernel} from '../HTTPKernel'
import {Request} from "../../lifecycle/Request"; import {Request} from '../../lifecycle/Request'
import {ActivatedRoute} from "../../routing/ActivatedRoute"; import {ActivatedRoute} from '../../routing/ActivatedRoute'
import {ResponseObject} from "../../routing/Route"; import {ResponseObject} from '../../routing/Route'
import {AbstractResolvedRouteHandlerHTTPModule} from "./AbstractResolvedRouteHandlerHTTPModule"; import {AbstractResolvedRouteHandlerHTTPModule} from './AbstractResolvedRouteHandlerHTTPModule'
import {PersistSessionHTTPModule} from "./PersistSessionHTTPModule"; import {PersistSessionHTTPModule} from './PersistSessionHTTPModule'
/** /**
* HTTP kernel module that executes the postflight handlers for the route. * HTTP kernel module that executes the postflight handlers for the route.
@ -11,18 +11,18 @@ import {PersistSessionHTTPModule} from "./PersistSessionHTTPModule";
* Usually, this is post middleware. * Usually, this is post middleware.
*/ */
export class ExecuteResolvedRoutePostflightHTTPModule extends AbstractResolvedRouteHandlerHTTPModule { export class ExecuteResolvedRoutePostflightHTTPModule extends AbstractResolvedRouteHandlerHTTPModule {
public static register(kernel: HTTPKernel) { public static register(kernel: HTTPKernel): void {
kernel.register(this).before(PersistSessionHTTPModule) kernel.register(this).before(PersistSessionHTTPModule)
} }
public async apply(request: Request) { public async apply(request: Request): Promise<Request> {
if ( request.hasInstance(ActivatedRoute) ) { if ( request.hasInstance(ActivatedRoute) ) {
const route = <ActivatedRoute> request.make(ActivatedRoute) const route = <ActivatedRoute> request.make(ActivatedRoute)
const postflight = route.postflight const postflight = route.postflight
for ( const handler of postflight ) { for ( const handler of postflight ) {
const result: ResponseObject = await handler(request) const result: ResponseObject = await handler(request)
if ( typeof result !== "undefined" ) { if ( typeof result !== 'undefined' ) {
await this.applyResponseObject(result, request) await this.applyResponseObject(result, request)
request.response.blockingWriteback(true) request.response.blockingWriteback(true)
} }

@ -1,9 +1,9 @@
import {HTTPKernel} from "../HTTPKernel"; import {HTTPKernel} from '../HTTPKernel'
import {MountActivatedRouteHTTPModule} from "./MountActivatedRouteHTTPModule"; import {MountActivatedRouteHTTPModule} from './MountActivatedRouteHTTPModule'
import {Request} from "../../lifecycle/Request"; import {Request} from '../../lifecycle/Request'
import {ActivatedRoute} from "../../routing/ActivatedRoute"; import {ActivatedRoute} from '../../routing/ActivatedRoute'
import {ResponseObject} from "../../routing/Route"; import {ResponseObject} from '../../routing/Route'
import {AbstractResolvedRouteHandlerHTTPModule} from "./AbstractResolvedRouteHandlerHTTPModule"; import {AbstractResolvedRouteHandlerHTTPModule} from './AbstractResolvedRouteHandlerHTTPModule'
/** /**
* HTTP Kernel module that executes the preflight handlers for the route. * HTTP Kernel module that executes the preflight handlers for the route.
@ -11,18 +11,18 @@ import {AbstractResolvedRouteHandlerHTTPModule} from "./AbstractResolvedRouteHan
* Usually, this is the pre middleware. * Usually, this is the pre middleware.
*/ */
export class ExecuteResolvedRoutePreflightHTTPModule extends AbstractResolvedRouteHandlerHTTPModule { export class ExecuteResolvedRoutePreflightHTTPModule extends AbstractResolvedRouteHandlerHTTPModule {
public static register(kernel: HTTPKernel) { public static register(kernel: HTTPKernel): void {
kernel.register(this).after(MountActivatedRouteHTTPModule) kernel.register(this).after(MountActivatedRouteHTTPModule)
} }
public async apply(request: Request) { public async apply(request: Request): Promise<Request> {
if ( request.hasInstance(ActivatedRoute) ) { if ( request.hasInstance(ActivatedRoute) ) {
const route = <ActivatedRoute> request.make(ActivatedRoute) const route = <ActivatedRoute> request.make(ActivatedRoute)
const preflight = route.preflight const preflight = route.preflight
for ( const handler of preflight ) { for ( const handler of preflight ) {
const result: ResponseObject = await handler(request) const result: ResponseObject = await handler(request)
if ( typeof result !== "undefined" ) { if ( typeof result !== 'undefined' ) {
await this.applyResponseObject(result, request) await this.applyResponseObject(result, request)
request.response.blockingWriteback(true) request.response.blockingWriteback(true)
} }

@ -1,11 +1,11 @@
import {HTTPKernelModule} from "../HTTPKernelModule"; import {HTTPKernelModule} from '../HTTPKernelModule'
import {Injectable} from "../../../di" import {Injectable} from '../../../di'
import {ErrorWithContext} from "../../../util" import {ErrorWithContext} from '../../../util'
import {HTTPKernel} from "../HTTPKernel"; import {HTTPKernel} from '../HTTPKernel'
import {Request} from "../../lifecycle/Request"; import {Request} from '../../lifecycle/Request'
import {SetSessionCookieHTTPModule} from "./SetSessionCookieHTTPModule"; import {SetSessionCookieHTTPModule} from './SetSessionCookieHTTPModule'
import {SessionFactory} from "../../session/SessionFactory"; import {SessionFactory} from '../../session/SessionFactory'
import {Session} from "../../session/Session"; import {Session} from '../../session/Session'
/** /**
* HTTP kernel middleware that creates the session using the configured driver * HTTP kernel middleware that creates the session using the configured driver
@ -15,11 +15,11 @@ import {Session} from "../../session/Session";
export class InjectSessionHTTPModule extends HTTPKernelModule { export class InjectSessionHTTPModule extends HTTPKernelModule {
public readonly executeWithBlockingWriteback = true public readonly executeWithBlockingWriteback = true
public static register(kernel: HTTPKernel) { public static register(kernel: HTTPKernel): void {
kernel.register(this).after(SetSessionCookieHTTPModule) kernel.register(this).after(SetSessionCookieHTTPModule)
} }
public async apply(request: Request) { public async apply(request: Request): Promise<Request> {
request.registerFactory(new SessionFactory()) request.registerFactory(new SessionFactory())
const session = <Session> request.make(Session) const session = <Session> request.make(Session)

@ -1,10 +1,10 @@
import {Injectable, Inject} from "../../../di" import {Injectable, Inject} from '../../../di'
import {HTTPKernelModule} from "../HTTPKernelModule"; import {HTTPKernelModule} from '../HTTPKernelModule'
import {HTTPKernel} from "../HTTPKernel"; import {HTTPKernel} from '../HTTPKernel'
import {Request} from "../../lifecycle/Request"; import {Request} from '../../lifecycle/Request'
import {Routing} from "../../../service/Routing"; import {Routing} from '../../../service/Routing'
import {ActivatedRoute} from "../../routing/ActivatedRoute"; import {ActivatedRoute} from '../../routing/ActivatedRoute'
import {Logging} from "../../../service/Logging"; import {Logging} from '../../../service/Logging'
/** /**
* HTTP kernel middleware that tries to find a registered route matching the request's * HTTP kernel middleware that tries to find a registered route matching the request's
@ -20,7 +20,7 @@ export class MountActivatedRouteHTTPModule extends HTTPKernelModule {
@Inject() @Inject()
protected readonly logging!: Logging protected readonly logging!: Logging
public static register(kernel: HTTPKernel) { public static register(kernel: HTTPKernel): void {
kernel.register(this).before() kernel.register(this).before()
} }

@ -1,16 +1,16 @@
import {HTTPKernelModule} from "../HTTPKernelModule" import {HTTPKernelModule} from '../HTTPKernelModule'
import {HTTPKernel} from "../HTTPKernel" import {HTTPKernel} from '../HTTPKernel'
import * as Busboy from "busboy" import * as Busboy from 'busboy'
import {Request} from "../../lifecycle/Request" import {Request} from '../../lifecycle/Request'
import {infer, uuid_v4} from "../../../util" import {infer, uuid4} from '../../../util'
import {Files} from "../../../service/Files" import {Files} from '../../../service/Files'
import {Config} from "../../../service/Config" import {Config} from '../../../service/Config'
import {Logging} from "../../../service/Logging" import {Logging} from '../../../service/Logging'
import {Injectable, Inject, Container} from "../../../di" import {Injectable, Inject, Container} from '../../../di'
@Injectable() @Injectable()
export class ParseIncomingBodyHTTPModule extends HTTPKernelModule { export class ParseIncomingBodyHTTPModule extends HTTPKernelModule {
static register(kernel: HTTPKernel) { static register(kernel: HTTPKernel): void {
const files = <Files> Container.getContainer().make(Files) const files = <Files> Container.getContainer().make(Files)
const logging = <Logging> Container.getContainer().make(Logging) const logging = <Logging> Container.getContainer().make(Logging)
if ( !files.hasFilesystem() ) { if ( !files.hasFilesystem() ) {
@ -32,8 +32,11 @@ export class ParseIncomingBodyHTTPModule extends HTTPKernelModule {
public async apply(request: Request): Promise<Request> { public async apply(request: Request): Promise<Request> {
const contentType = request.getHeader('content-type') const contentType = request.getHeader('content-type')
const contentTypes = (Array.isArray(contentType) ? contentType : [contentType]) const contentTypes = (Array.isArray(contentType) ? contentType : [contentType])
.filter(Boolean).map(x => x!.toLowerCase().split(';')[0]) .filter(Boolean).map(x => String(x).toLowerCase()
if ( !contentType ) return request .split(';')[0])
if ( !contentType ) {
return request
}
if ( if (
contentTypes.includes('multipart/form-data') contentTypes.includes('multipart/form-data')
@ -65,7 +68,10 @@ export class ParseIncomingBodyHTTPModule extends HTTPKernelModule {
try { try {
const body = JSON.parse(data) const body = JSON.parse(data)
for ( const key in body ) { for ( const key in body ) {
if ( !body.hasOwnProperty(key) ) continue if ( !Object.prototype.hasOwnProperty.call(body, key) ) {
continue
}
request.parsedInput[key] = body[key] request.parsedInput[key] = body[key]
} }
res() res()
@ -94,8 +100,10 @@ export class ParseIncomingBodyHTTPModule extends HTTPKernelModule {
request.parsedInput[field] = infer(val) request.parsedInput[field] = infer(val)
}) })
busboy.on('file', async (field, file, filename, encoding, mimetype) => { busboy.on('file', async (field, file, filename, encoding, mimetype) => { // eslint-disable-line max-params
if ( !this.files.hasFilesystem() ) return if ( !this.files.hasFilesystem() ) {
return
}
if ( !config?.enable ) { if ( !config?.enable ) {
this.logging.warn(`Skipping uploaded file '${filename}' because uploading is disabled. Set the server.uploads.enable config to allow uploads.`) this.logging.warn(`Skipping uploaded file '${filename}' because uploading is disabled. Set the server.uploads.enable config to allow uploads.`)
@ -122,7 +130,7 @@ export class ParseIncomingBodyHTTPModule extends HTTPKernelModule {
} }
const fs = this.files.getFilesystem() const fs = this.files.getFilesystem()
const storePath = `${config.filesystemPrefix ? config.filesystemPrefix : ''}${(config.filesystemPrefix && !config.filesystemPrefix.endsWith('/')) ? '/' : ''}${field}-${uuid_v4()}` const storePath = `${config.filesystemPrefix ? config.filesystemPrefix : ''}${(config.filesystemPrefix && !config.filesystemPrefix.endsWith('/')) ? '/' : ''}${field}-${uuid4()}`
this.logging.verbose(`Uploading file in field ${field} to ${fs.getPrefix()}${storePath}`) this.logging.verbose(`Uploading file in field ${field} to ${fs.getPrefix()}${storePath}`)
file.pipe(await fs.putStoreFileAsStream({ storePath })) // FIXME might need to revisit this to ensure we don't res() before pipe finishes file.pipe(await fs.putStoreFileAsStream({ storePath })) // FIXME might need to revisit this to ensure we don't res() before pipe finishes

@ -1,8 +1,8 @@
import {HTTPKernelModule} from "../HTTPKernelModule"; import {HTTPKernelModule} from '../HTTPKernelModule'
import {Injectable} from "../../../di" import {Injectable} from '../../../di'
import {HTTPKernel} from "../HTTPKernel"; import {HTTPKernel} from '../HTTPKernel'
import {Request} from "../../lifecycle/Request"; import {Request} from '../../lifecycle/Request'
import {Session} from "../../session/Session"; import {Session} from '../../session/Session'
/** /**
* HTTP kernel module that runs after the main logic in the request to persist * HTTP kernel module that runs after the main logic in the request to persist
@ -12,7 +12,7 @@ import {Session} from "../../session/Session";
export class PersistSessionHTTPModule extends HTTPKernelModule { export class PersistSessionHTTPModule extends HTTPKernelModule {
public readonly executeWithBlockingWriteback = true public readonly executeWithBlockingWriteback = true
public static register(kernel: HTTPKernel) { public static register(kernel: HTTPKernel): void {
kernel.register(this).last() kernel.register(this).last()
} }

@ -1,8 +1,8 @@
import {HTTPKernelModule} from "../HTTPKernelModule"; import {HTTPKernelModule} from '../HTTPKernelModule'
import {Request} from "../../lifecycle/Request"; import {Request} from '../../lifecycle/Request'
import {Injectable, Inject} from "../../../di" import {Injectable, Inject} from '../../../di'
import {HTTPKernel} from "../HTTPKernel"; import {HTTPKernel} from '../HTTPKernel'
import {Config} from "../../../service/Config"; import {Config} from '../../../service/Config'
/** /**
* HTTP kernel middleware that sets the `X-Powered-By` header. * HTTP kernel middleware that sets the `X-Powered-By` header.
@ -14,11 +14,11 @@ export class PoweredByHeaderInjectionHTTPModule extends HTTPKernelModule {
@Inject() @Inject()
protected readonly config!: Config; protected readonly config!: Config;
public static register(kernel: HTTPKernel) { public static register(kernel: HTTPKernel): void {
kernel.register(this).after() kernel.register(this).after()
} }
public async apply(request: Request) { public async apply(request: Request): Promise<Request> {
if ( !this.config.get('server.poweredBy.hide', false) ) { if ( !this.config.get('server.poweredBy.hide', false) ) {
request.response.setHeader('X-Powered-By', this.config.get('server.poweredBy.header', 'Extollo')) request.response.setHeader('X-Powered-By', this.config.get('server.poweredBy.header', 'Extollo'))
} }

@ -1,9 +1,9 @@
import {HTTPKernelModule} from "../HTTPKernelModule"; import {HTTPKernelModule} from '../HTTPKernelModule'
import {Injectable, Inject} from "../../../di"; import {Injectable, Inject} from '../../../di'
import {uuid_v4} from "../../../util"; import {uuid4} from '../../../util'
import {HTTPKernel} from "../HTTPKernel"; import {HTTPKernel} from '../HTTPKernel'
import {Request} from "../../lifecycle/Request"; import {Request} from '../../lifecycle/Request'
import {Logging} from "../../../service/Logging"; import {Logging} from '../../../service/Logging'
/** /**
* HTTP kernel middleware that tries to look up the session ID from the request. * HTTP kernel middleware that tries to look up the session ID from the request.
@ -16,13 +16,13 @@ export class SetSessionCookieHTTPModule extends HTTPKernelModule {
@Inject() @Inject()
protected readonly logging!: Logging protected readonly logging!: Logging
public static register(kernel: HTTPKernel) { public static register(kernel: HTTPKernel): void {
kernel.register(this).first() kernel.register(this).first()
} }
public async apply(request: Request) { public async apply(request: Request): Promise<Request> {
if ( !request.cookies.has('extollo.session') ) { if ( !request.cookies.has('extollo.session') ) {
const session = `${uuid_v4()}-${uuid_v4()}` const session = `${uuid4()}-${uuid4()}`
this.logging.verbose(`Starting session: ${session}`) this.logging.verbose(`Starting session: ${session}`)
request.cookies.set('extollo.session', session) request.cookies.set('extollo.session', session)

@ -1,11 +1,11 @@
import {Injectable, ScopedContainer, Container} from "../../di" import {Injectable, ScopedContainer, Container} from '../../di'
import {infer, UniversalPath} from "../../util" import {infer, UniversalPath} from '../../util'
import {IncomingMessage, ServerResponse} from "http" import {IncomingMessage, ServerResponse} from 'http'
import {HTTPCookieJar} from "../kernel/HTTPCookieJar"; import {HTTPCookieJar} from '../kernel/HTTPCookieJar'
import {TLSSocket} from "tls"; import {TLSSocket} from 'tls'
import * as url from "url"; import * as url from 'url'
import {Response} from "./Response"; import {Response} from './Response'
import * as Negotiator from "negotiator"; import * as Negotiator from 'negotiator'
/** /**
* Enumeration of different HTTP verbs. * Enumeration of different HTTP verbs.
@ -17,8 +17,8 @@ export type HTTPMethod = 'post' | 'get' | 'patch' | 'put' | 'delete' | 'unknown'
* Returns true if the given item is a valid HTTP verb. * Returns true if the given item is a valid HTTP verb.
* @param what * @param what
*/ */
export function isHTTPMethod(what: any): what is HTTPMethod { export function isHTTPMethod(what: unknown): what is HTTPMethod {
return ['post', 'get', 'patch', 'put', 'delete'].includes(what) return ['post', 'get', 'patch', 'put', 'delete'].includes(String(what))
} }
/** /**
@ -98,7 +98,7 @@ export class Request extends ScopedContainer implements DataContainer {
public readonly uploadedFiles: {[key: string]: UniversalPath} = {} public readonly uploadedFiles: {[key: string]: UniversalPath} = {}
/** If true, the response lifecycle will not time out and send errors. */ /** If true, the response lifecycle will not time out and send errors. */
public bypassTimeout: boolean = false public bypassTimeout = false
constructor( constructor(
/** The native Node.js request. */ /** The native Node.js request. */
@ -109,7 +109,7 @@ export class Request extends ScopedContainer implements DataContainer {
) { ) {
super(Container.getContainer()) super(Container.getContainer())
this.secure = !!(clientRequest.connection as TLSSocket).encrypted this.secure = Boolean((clientRequest.connection as TLSSocket).encrypted)
this.cookies = new HTTPCookieJar(this) this.cookies = new HTTPCookieJar(this)
this.url = String(clientRequest.url) this.url = String(clientRequest.url)
@ -137,6 +137,10 @@ export class Request extends ScopedContainer implements DataContainer {
const query: {[key: string]: any} = {} const query: {[key: string]: any} = {}
for ( const key in this.rawQueryData ) { for ( const key in this.rawQueryData ) {
if ( !Object.prototype.hasOwnProperty.call(this.rawQueryData, key) ) {
continue
}
const value = this.rawQueryData[key] const value = this.rawQueryData[key]
if ( Array.isArray(value) ) { if ( Array.isArray(value) ) {
@ -151,12 +155,11 @@ export class Request extends ScopedContainer implements DataContainer {
this.query = query this.query = query
this.isXHR = String(this.clientRequest.headers['x-requested-with']).toLowerCase() === 'xmlhttprequest' this.isXHR = String(this.clientRequest.headers['x-requested-with']).toLowerCase() === 'xmlhttprequest'
// @ts-ignore const {address = '0.0.0.0', family = 'IPv4', port = 0} = this.clientRequest.connection.address() as any
const {address = '0.0.0.0', family = 'IPv4', port = 0} = this.clientRequest.connection.address()
this.address = { this.address = {
address, address,
family, family,
port port,
} }
this.mediaTypes = (new Negotiator(clientRequest)).mediaTypes() this.mediaTypes = (new Negotiator(clientRequest)).mediaTypes()
@ -164,12 +167,12 @@ export class Request extends ScopedContainer implements DataContainer {
} }
/** Get the value of a header, if it exists. */ /** Get the value of a header, if it exists. */
public getHeader(name: string) { public getHeader(name: string): string | string[] | undefined {
return this.clientRequest.headers[name.toLowerCase()] return this.clientRequest.headers[name.toLowerCase()]
} }
/** Get the native Node.js IncomingMessage object. */ /** Get the native Node.js IncomingMessage object. */
public toNative() { public toNative(): IncomingMessage {
return this.clientRequest return this.clientRequest
} }
@ -177,7 +180,7 @@ export class Request extends ScopedContainer implements DataContainer {
* Get the value of an input field on the request. Spans multiple input sources. * Get the value of an input field on the request. Spans multiple input sources.
* @param key * @param key
*/ */
public input(key?: string) { public input(key?: string): unknown {
if ( !key ) { if ( !key ) {
return { return {
...this.parsedInput, ...this.parsedInput,
@ -206,17 +209,21 @@ export class Request extends ScopedContainer implements DataContainer {
* Returns true if the request accepts the given media type. * Returns true if the request accepts the given media type.
* @param type - a mimetype, or the short forms json, xml, or html * @param type - a mimetype, or the short forms json, xml, or html
*/ */
accepts(type: string) { accepts(type: string): boolean {
if ( type === 'json' ) type = 'application/json' if ( type === 'json' ) {
else if ( type === 'xml' ) type = 'application/xml' type = 'application/json'
else if ( type === 'html' ) type = 'text/html' } else if ( type === 'xml' ) {
type = 'application/xml'
} else if ( type === 'html' ) {
type = 'text/html'
}
type = type.toLowerCase() type = type.toLowerCase()
const possible = [ const possible = [
type, type,
type.split('/')[0] + '/*', type.split('/')[0] + '/*',
'*/*' '*/*',
] ]
return this.mediaTypes.some(media => possible.includes(media.toLowerCase())) return this.mediaTypes.some(media => possible.includes(media.toLowerCase()))
@ -230,9 +237,15 @@ export class Request extends ScopedContainer implements DataContainer {
const xmlIdx = this.mediaTypes.indexOf('application/xml') ?? this.mediaTypes.indexOf('application/*') ?? this.mediaTypes.indexOf('*/*') const xmlIdx = this.mediaTypes.indexOf('application/xml') ?? this.mediaTypes.indexOf('application/*') ?? this.mediaTypes.indexOf('*/*')
const htmlIdx = this.mediaTypes.indexOf('text/html') ?? this.mediaTypes.indexOf('text/*') ?? this.mediaTypes.indexOf('*/*') const htmlIdx = this.mediaTypes.indexOf('text/html') ?? this.mediaTypes.indexOf('text/*') ?? this.mediaTypes.indexOf('*/*')
if ( htmlIdx >= 0 && htmlIdx <= jsonIdx && htmlIdx <= xmlIdx ) return 'html' if ( htmlIdx >= 0 && htmlIdx <= jsonIdx && htmlIdx <= xmlIdx ) {
if ( jsonIdx >= 0 && jsonIdx <= htmlIdx && jsonIdx <= xmlIdx ) return 'json' return 'html'
if ( xmlIdx >= 0 && xmlIdx <= jsonIdx && xmlIdx <= htmlIdx ) return 'xml' }
if ( jsonIdx >= 0 && jsonIdx <= htmlIdx && jsonIdx <= xmlIdx ) {
return 'json'
}
if ( xmlIdx >= 0 && xmlIdx <= jsonIdx && xmlIdx <= htmlIdx ) {
return 'xml'
}
return 'unknown' return 'unknown'
} }

@ -1,14 +1,14 @@
import {Request} from "./Request"; import {Request} from './Request'
import {ErrorWithContext, HTTPStatus, BehaviorSubject} from "../../util" import {ErrorWithContext, HTTPStatus, BehaviorSubject} from '../../util'
import {ServerResponse} from "http" import {ServerResponse} from 'http'
import {HTTPCookieJar} from "../kernel/HTTPCookieJar"; import {HTTPCookieJar} from '../kernel/HTTPCookieJar'
/** /**
* Error thrown when the server tries to re-send headers after they have been sent once. * Error thrown when the server tries to re-send headers after they have been sent once.
*/ */
export class HeadersAlreadySentError extends ErrorWithContext { export class HeadersAlreadySentError extends ErrorWithContext {
constructor(response: Response, headerName?: string) { constructor(response: Response, headerName?: string) {
super(`Cannot modify or re-send headers for this request as they have already been sent.`); super(`Cannot modify or re-send headers for this request as they have already been sent.`)
this.context = { headerName } this.context = { headerName }
} }
} }
@ -17,8 +17,8 @@ export class HeadersAlreadySentError extends ErrorWithContext {
* Error thrown when the server tries to re-send a response that has already been sent. * Error thrown when the server tries to re-send a response that has already been sent.
*/ */
export class ResponseAlreadySentError extends ErrorWithContext { export class ResponseAlreadySentError extends ErrorWithContext {
constructor(response: Response) { constructor(public readonly response: Response) {
super(`Cannot modify or re-send response as it has already ended.`); super(`Cannot modify or re-send response as it has already ended.`)
} }
} }
@ -30,13 +30,13 @@ export class Response {
private headers: {[key: string]: string | string[]} = {} private headers: {[key: string]: string | string[]} = {}
/** True if the headers have been sent. */ /** True if the headers have been sent. */
private _sentHeaders: boolean = false private sentHeaders = false
/** True if the response has been sent and closed. */ /** True if the response has been sent and closed. */
private _responseEnded: boolean = false private responseEnded = false
/** The HTTP status code that should be sent to the client. */ /** The HTTP status code that should be sent to the client. */
private _status: HTTPStatus = HTTPStatus.OK private status: HTTPStatus = HTTPStatus.OK
/** /**
* If this is true, then some module in the kernel has flagged the response * If this is true, then some module in the kernel has flagged the response
@ -44,10 +44,10 @@ export class Response {
* the response. * the response.
* @private * @private
*/ */
private _blockingWriteback: boolean = false private isBlockingWriteback = false
/** The body contents that should be written to the response. */ /** The body contents that should be written to the response. */
public body: string = '' public body = ''
/** /**
* Behavior subject fired right before the response content is written. * Behavior subject fired right before the response content is written.
@ -68,14 +68,18 @@ export class Response {
) { } ) { }
/** Get the currently set response status. */ /** Get the currently set response status. */
public getStatus() { public getStatus(): HTTPStatus {
return this._status return this.status
} }
/** Set a new response status. */ /** Set a new response status. */
public setStatus(status: HTTPStatus) { public setStatus(status: HTTPStatus): this {
if ( this._sentHeaders ) throw new HeadersAlreadySentError(this, 'status') if ( this.sentHeaders ) {
this._status = status throw new HeadersAlreadySentError(this, 'status')
}
this.status = status
return this
} }
/** Get the HTTPCookieJar for the client. */ /** Get the HTTPCookieJar for the client. */
@ -89,8 +93,11 @@ export class Response {
} }
/** Set the value of the response header. */ /** Set the value of the response header. */
public setHeader(name: string, value: string | string[]) { public setHeader(name: string, value: string | string[]): this {
if ( this._sentHeaders ) throw new HeadersAlreadySentError(this, name) if ( this.sentHeaders ) {
throw new HeadersAlreadySentError(this, name)
}
this.headers[name] = value this.headers[name] = value
return this return this
} }
@ -99,9 +106,13 @@ export class Response {
* Bulk set the specified headers in the response. * Bulk set the specified headers in the response.
* @param data * @param data
*/ */
public setHeaders(data: {[name: string]: string | string[]}) { public setHeaders(data: {[name: string]: string | string[]}): this {
if ( this._sentHeaders ) throw new HeadersAlreadySentError(this) if ( this.sentHeaders ) {
this.headers = {...this.headers, ...data} throw new HeadersAlreadySentError(this)
}
this.headers = {...this.headers,
...data}
return this return this
} }
@ -110,67 +121,88 @@ export class Response {
* @param name * @param name
* @param value * @param value
*/ */
public appendHeader(name: string, value: string | string[]) { public appendHeader(name: string, value: string | string[]): this {
if ( this._sentHeaders ) throw new HeadersAlreadySentError(this, name) if ( this.sentHeaders ) {
if ( !Array.isArray(value) ) value = [value] throw new HeadersAlreadySentError(this, name)
}
if ( !Array.isArray(value) ) {
value = [value]
}
let existing = this.headers[name] ?? [] let existing = this.headers[name] ?? []
if ( !Array.isArray(existing) ) existing = [existing] if ( !Array.isArray(existing) ) {
existing = [existing]
}
existing = [...existing, ...value] existing = [...existing, ...value]
if ( existing.length === 1 ) existing = existing[0] if ( existing.length === 1 ) {
existing = existing[0]
}
this.headers[name] = existing this.headers[name] = existing
return this
} }
/** /**
* Write the headers to the client. * Write the headers to the client.
*/ */
public sendHeaders() { public sendHeaders(): this {
const headers = {} as any const headers = {} as any
const setCookieHeaders = this.cookies.getSetCookieHeaders() const setCookieHeaders = this.cookies.getSetCookieHeaders()
if ( setCookieHeaders.length ) headers['Set-Cookie'] = setCookieHeaders if ( setCookieHeaders.length ) {
headers['Set-Cookie'] = setCookieHeaders
}
for ( const key in this.headers ) { for ( const key in this.headers ) {
if ( !this.headers.hasOwnProperty(key) ) continue if ( !Object.prototype.hasOwnProperty.call(this.headers, key) ) {
continue
}
headers[key] = this.headers[key] headers[key] = this.headers[key]
} }
this.serverResponse.writeHead(this._status, headers) this.serverResponse.writeHead(this.status, headers)
this._sentHeaders = true this.sentHeaders = true
return this
} }
/** Returns true if the headers have been sent. */ /** Returns true if the headers have been sent. */
public hasSentHeaders() { public hasSentHeaders(): boolean {
return this._sentHeaders return this.sentHeaders
} }
/** Returns true if a body has been set in the response. */ /** Returns true if a body has been set in the response. */
public hasBody() { public hasBody(): boolean {
return !!this.body return Boolean(this.body)
} }
/** /**
* Get or set the flag for whether the writeback should be blocked. * Get or set the flag for whether the writeback should be blocked.
* @param set - if this is specified, the value will be set. * @param set - if this is specified, the value will be set.
*/ */
public blockingWriteback(set?: boolean) { public blockingWriteback(set?: boolean): boolean {
if ( typeof set !== 'undefined' ) { if ( typeof set !== 'undefined' ) {
this._blockingWriteback = set this.isBlockingWriteback = set
} }
return this._blockingWriteback return this.isBlockingWriteback
} }
/** /**
* Write the headers and specified data to the client. * Write the headers and specified data to the client.
* @param data * @param data
*/ */
public async write(data: any) { public async write(data: unknown): Promise<void> {
return new Promise<void>((res, rej) => { return new Promise<void>((res, rej) => {
if ( !this._sentHeaders ) this.sendHeaders() if ( !this.sentHeaders ) {
this.sendHeaders()
}
this.serverResponse.write(data, error => { this.serverResponse.write(data, error => {
if ( error ) rej(error) if ( error ) {
else res() rej(error)
} else {
res()
}
}) })
}) })
} }
@ -178,7 +210,7 @@ export class Response {
/** /**
* Send the response to the client, writing the headers and configured body. * Send the response to the client, writing the headers and configured body.
*/ */
public async send() { public async send(): Promise<void> {
await this.sending$.next(this) await this.sending$.next(this)
this.setHeader('Content-Length', String(this.body?.length ?? 0)) this.setHeader('Content-Length', String(this.body?.length ?? 0))
await this.write(this.body ?? '') await this.write(this.body ?? '')
@ -189,10 +221,14 @@ export class Response {
/** /**
* Mark the response as ended and close the socket. * Mark the response as ended and close the socket.
*/ */
public end() { public end(): this {
if ( this._responseEnded ) throw new ResponseAlreadySentError(this) if ( this.responseEnded ) {
this._sentHeaders = true throw new ResponseAlreadySentError(this)
}
this.sentHeaders = true
this.serverResponse.end() this.serverResponse.end()
return this
} }
// location? // location?

@ -1,6 +1,6 @@
import {ResponseFactory} from "./ResponseFactory" import {ResponseFactory} from './ResponseFactory'
import {Rehydratable} from "../../util" import {Rehydratable} from '../../util'
import {Request} from "../lifecycle/Request"; import {Request} from '../lifecycle/Request'
/** /**
* Helper function that creates a DehydratedStateResponseFactory. * Helper function that creates a DehydratedStateResponseFactory.
@ -15,10 +15,12 @@ export function dehydrate(value: Rehydratable): DehydratedStateResponseFactory {
*/ */
export class DehydratedStateResponseFactory extends ResponseFactory { export class DehydratedStateResponseFactory extends ResponseFactory {
constructor( constructor(
public readonly rehydratable: Rehydratable public readonly rehydratable: Rehydratable,
) { super() } ) {
super()
}
public async write(request: Request) { public async write(request: Request): Promise<Request> {
request = await super.write(request) request = await super.write(request)
request.response.body = JSON.stringify(this.rehydratable.dehydrate()) request.response.body = JSON.stringify(this.rehydratable.dehydrate())
request.response.setHeader('Content-Type', 'application/json') request.response.setHeader('Content-Type', 'application/json')

@ -1,21 +1,23 @@
import {ResponseFactory} from "./ResponseFactory" import {ResponseFactory} from './ResponseFactory'
import {ErrorWithContext, HTTPStatus} from "../../util" import {ErrorWithContext, HTTPStatus} from '../../util'
import {Request} from "../lifecycle/Request"; import {Request} from '../lifecycle/Request'
import * as api from "./api" import * as api from './api'
/** /**
* Helper to create a new ErrorResponseFactory, with the given HTTP status and output format. * Helper to create a new ErrorResponseFactory, with the given HTTP status and output format.
* @param error * @param thrownError
* @param status * @param status
* @param output * @param output
*/ */
export function error( export function error(
error: Error | string, thrownError: Error | string,
status: HTTPStatus = HTTPStatus.INTERNAL_SERVER_ERROR, status: HTTPStatus = HTTPStatus.INTERNAL_SERVER_ERROR,
output: 'json' | 'html' | 'auto' = 'auto' output: 'json' | 'html' | 'auto' = 'auto',
): ErrorResponseFactory { ): ErrorResponseFactory {
if ( typeof error === 'string' ) error = new Error(error) if ( typeof thrownError === 'string' ) {
return new ErrorResponseFactory(error, status, output) thrownError = new Error(thrownError)
}
return new ErrorResponseFactory(thrownError, status, output)
} }
/** /**
@ -25,9 +27,9 @@ export class ErrorResponseFactory extends ResponseFactory {
protected targetMode: 'json' | 'html' | 'auto' = 'auto' protected targetMode: 'json' | 'html' | 'auto' = 'auto'
constructor( constructor(
public readonly error: Error, public readonly thrownError: Error,
status: HTTPStatus, status: HTTPStatus,
output: 'json' | 'html' | 'auto' = 'auto' output: 'json' | 'html' | 'auto' = 'auto',
) { ) {
super() super()
this.status(status) this.status(status)
@ -39,16 +41,16 @@ export class ErrorResponseFactory extends ResponseFactory {
return this return this
} }
public async write(request: Request) { public async write(request: Request): Promise<Request> {
request = await super.write(request) request = await super.write(request)
const wants = request.wants() const wants = request.wants()
if ( this.targetMode === 'json' || (this.targetMode === 'auto' && wants === 'json') ) { if ( this.targetMode === 'json' || (this.targetMode === 'auto' && wants === 'json') ) {
request.response.setHeader('Content-Type', 'application/json') request.response.setHeader('Content-Type', 'application/json')
request.response.body = this.buildJSON(this.error) request.response.body = this.buildJSON(this.thrownError)
} else if ( this.targetMode === 'html' || (this.targetMode === 'auto' && (wants === 'html' || wants === 'unknown')) ) { } else if ( this.targetMode === 'html' || (this.targetMode === 'auto' && (wants === 'html' || wants === 'unknown')) ) {
request.response.setHeader('Content-Type', 'text/html') request.response.setHeader('Content-Type', 'text/html')
request.response.body = this.buildHTML(this.error) request.response.body = this.buildHTML(this.thrownError)
} }
// FIXME XML support // FIXME XML support
@ -61,12 +63,12 @@ export class ErrorResponseFactory extends ResponseFactory {
* @param {Error} error * @param {Error} error
* @return string * @return string
*/ */
protected buildHTML(error: Error) { protected buildHTML(thrownError: Error): string {
let context: any let context: any
if ( error instanceof ErrorWithContext ) { if ( thrownError instanceof ErrorWithContext ) {
context = error.context context = thrownError.context
if ( error.originalError ) { if ( thrownError.originalError ) {
error = error.originalError thrownError = thrownError.originalError
} }
} }
@ -74,10 +76,11 @@ export class ErrorResponseFactory extends ResponseFactory {
<b>Sorry, an unexpected error occurred while processing your request.</b> <b>Sorry, an unexpected error occurred while processing your request.</b>
<br> <br>
<pre><code> <pre><code>
Name: ${error.name} Name: ${thrownError.name}
Message: ${error.message} Message: ${thrownError.message}
Stack trace: Stack trace:
- ${error.stack ? error.stack.split(/\s+at\s+/).slice(1).join('<br> - ') : 'none'} - ${thrownError.stack ? thrownError.stack.split(/\s+at\s+/).slice(1)
.join('<br> - ') : 'none'}
</code></pre> </code></pre>
` `
@ -85,7 +88,8 @@ Stack trace:
str += ` str += `
<pre><code> <pre><code>
Context: Context:
${Object.keys(context).map(key => ` - ${key} : ${context[key]}`).join('\n')} ${Object.keys(context).map(key => ` - ${key} : ${context[key]}`)
.join('\n')}
</code></pre> </code></pre>
` `
} }
@ -93,7 +97,7 @@ ${Object.keys(context).map(key => ` - ${key} : ${context[key]}`).join('\n')}
return str return str
} }
protected buildJSON(error: Error) { protected buildJSON(thrownError: Error): string {
return JSON.stringify(api.error(error)) return JSON.stringify(api.error(thrownError))
} }
} }

@ -1,5 +1,5 @@
import {ResponseFactory} from "./ResponseFactory"; import {ResponseFactory} from './ResponseFactory'
import {Request} from "../lifecycle/Request"; import {Request} from '../lifecycle/Request'
/** /**
* Helper function that creates a new HTMLResponseFactory. * Helper function that creates a new HTMLResponseFactory.
@ -15,9 +15,11 @@ export function html(value: string): HTMLResponseFactory {
export class HTMLResponseFactory extends ResponseFactory { export class HTMLResponseFactory extends ResponseFactory {
constructor( constructor(
public readonly value: string, public readonly value: string,
) { super() } ) {
super()
}
public async write(request: Request) { public async write(request: Request): Promise<Request> {
request = await super.write(request) request = await super.write(request)
request.response.setHeader('Content-Type', 'text/html; charset=utf-8') request.response.setHeader('Content-Type', 'text/html; charset=utf-8')
request.response.body = this.value request.response.body = this.value

@ -1,6 +1,6 @@
import {ErrorResponseFactory} from "./ErrorResponseFactory"; import {ErrorResponseFactory} from './ErrorResponseFactory'
import {HTTPError} from "../HTTPError"; import {HTTPError} from '../HTTPError'
import {HTTPStatus} from "../../util" import {HTTPStatus} from '../../util'
/** /**
* Helper that generates a new HTTPErrorResponseFactory given the HTTP status and message. * Helper that generates a new HTTPErrorResponseFactory given the HTTP status and message.

@ -1,11 +1,11 @@
import {ResponseFactory} from "./ResponseFactory"; import {ResponseFactory} from './ResponseFactory'
import {Request} from "../lifecycle/Request"; import {Request} from '../lifecycle/Request'
/** /**
* Helper function to create a new JSONResponseFactory of the given value. * Helper function to create a new JSONResponseFactory of the given value.
* @param value * @param value
*/ */
export function json(value: any): JSONResponseFactory { export function json(value: unknown): JSONResponseFactory {
return new JSONResponseFactory(value) return new JSONResponseFactory(value)
} }
@ -14,10 +14,12 @@ export function json(value: any): JSONResponseFactory {
*/ */
export class JSONResponseFactory extends ResponseFactory { export class JSONResponseFactory extends ResponseFactory {
constructor( constructor(
public readonly value: any public readonly value: unknown,
) { super() } ) {
super()
}
public async write(request: Request) { public async write(request: Request): Promise<Request> {
request = await super.write(request) request = await super.write(request)
request.response.setHeader('Content-Type', 'application/json') request.response.setHeader('Content-Type', 'application/json')
request.response.body = JSON.stringify(this.value) request.response.body = JSON.stringify(this.value)

@ -1,5 +1,5 @@
import {HTTPStatus} from "../../util" import {HTTPStatus} from '../../util'
import {Request} from "../lifecycle/Request" import {Request} from '../lifecycle/Request'
/** /**
* Abstract class that defines "factory" that knows how to write a particular * Abstract class that defines "factory" that knows how to write a particular
@ -19,7 +19,7 @@ export abstract class ResponseFactory {
} }
/** Set the target status of this factory. */ /** Set the target status of this factory. */
public status(status: HTTPStatus) { public status(status: HTTPStatus): this {
this.targetStatus = status this.targetStatus = status
return this return this
} }

@ -1,5 +1,5 @@
import {ResponseFactory} from "./ResponseFactory"; import {ResponseFactory} from './ResponseFactory'
import {Request} from "../lifecycle/Request"; import {Request} from '../lifecycle/Request'
/** /**
* Helper function that creates a new StringResponseFactory for the given string value. * Helper function that creates a new StringResponseFactory for the given string value.
@ -16,9 +16,11 @@ export class StringResponseFactory extends ResponseFactory {
constructor( constructor(
/** The string to write as the body. */ /** The string to write as the body. */
public readonly value: string, public readonly value: string,
) { super() } ) {
super()
}
public async write(request: Request) { public async write(request: Request): Promise<Request> {
request = await super.write(request) request = await super.write(request)
request.response.setHeader('Content-Type', 'text/plain') request.response.setHeader('Content-Type', 'text/plain')
request.response.body = this.value request.response.body = this.value

@ -1,6 +1,6 @@
import {ResponseFactory} from "./ResponseFactory"; import {ResponseFactory} from './ResponseFactory'
import {HTTPStatus} from "../../util"; import {HTTPStatus} from '../../util'
import {Request} from "../lifecycle/Request"; import {Request} from '../lifecycle/Request'
/** /**
* Helper function to create a new TemporaryRedirectResponseFactory to the given destination. * Helper function to create a new TemporaryRedirectResponseFactory to the given destination.
@ -18,10 +18,12 @@ export class TemporaryRedirectResponseFactory extends ResponseFactory {
constructor( constructor(
/** THe URL where the client should redirect to. */ /** THe URL where the client should redirect to. */
public readonly destination: string public readonly destination: string,
) { super() } ) {
super()
}
public async write(request: Request) { public async write(request: Request): Promise<Request> {
request = await super.write(request) request = await super.write(request)
request.response.setHeader('Location', this.destination) request.response.setHeader('Location', this.destination)
return request return request

@ -1,7 +1,7 @@
import {Container} from "../../di"; import {Container} from '../../di'
import {ResponseFactory} from "./ResponseFactory"; import {ResponseFactory} from './ResponseFactory'
import {Request} from "../lifecycle/Request"; import {Request} from '../lifecycle/Request'
import {ViewEngine} from "../../views/ViewEngine"; import {ViewEngine} from '../../views/ViewEngine'
/** /**
* Helper function that creates a new ViewResponseFactory to render the given view * Helper function that creates a new ViewResponseFactory to render the given view
@ -22,10 +22,12 @@ export class ViewResponseFactory extends ResponseFactory {
/** The name of the view to render. */ /** The name of the view to render. */
public readonly viewName: string, public readonly viewName: string,
/** Optional data that should be passed to the view engine as params. */ /** Optional data that should be passed to the view engine as params. */
public readonly data?: {[key: string]: any} public readonly data?: {[key: string]: any},
) { super() } ) {
super()
}
public async write(request: Request) { public async write(request: Request): Promise<Request> {
const viewEngine = <ViewEngine> Container.getContainer().make(ViewEngine) const viewEngine = <ViewEngine> Container.getContainer().make(ViewEngine)
request.response.body = await viewEngine.renderByName(this.viewName, this.data || {}) request.response.body = await viewEngine.renderByName(this.viewName, this.data || {})
request.response.setHeader('Content-Type', 'text/html; charset=utf-8') request.response.setHeader('Content-Type', 'text/html; charset=utf-8')

@ -14,13 +14,13 @@ export interface APIResponse {
/** /**
* Formats a mesage as a successful API response. * Formats a mesage as a successful API response.
* @param {string} message * @param {string} displayMessage
* @return APIResponse * @return APIResponse
*/ */
export function message(message: string): APIResponse { export function message(displayMessage: string): APIResponse {
return { return {
success: true, success: true,
message, message: displayMessage,
} }
} }
@ -29,7 +29,7 @@ export function message(message: string): APIResponse {
* @param record * @param record
* @return APIResponse * @return APIResponse
*/ */
export function one(record: any): APIResponse { export function one(record: unknown): APIResponse {
return { return {
success: true, success: true,
data: record, data: record,
@ -53,23 +53,23 @@ export function many(records: any[]): APIResponse {
/** /**
* Formats an error message or Error instance as an API response. * Formats an error message or Error instance as an API response.
* @param {string|Error} error
* @return APIResponse * @return APIResponse
* @param thrownError
*/ */
export function error(error: string | Error): APIResponse { export function error(thrownError: string | Error): APIResponse {
if ( typeof error === 'string' ) { if ( typeof thrownError === 'string' ) {
return { return {
success: false, success: false,
message: error, message: thrownError,
} }
} else { } else {
return { return {
success: false, success: false,
message: error.message, message: thrownError.message,
error: { error: {
name: error.name, name: thrownError.name,
message: error.message, message: thrownError.message,
stack: error.stack ? error.stack.split(/\s+at\s+/).slice(1) : [], stack: thrownError.stack ? thrownError.stack.split(/\s+at\s+/).slice(1) : [],
}, },
} }
} }

@ -1,5 +1,5 @@
import {ErrorWithContext} from "../../util"; import {ErrorWithContext} from '../../util'
import {ResolvedRouteHandler, Route} from "./Route"; import {ResolvedRouteHandler, Route} from './Route'
/** /**
* Class representing a resolved route that a request is mounted to. * Class representing a resolved route that a request is mounted to.
@ -42,7 +42,7 @@ export class ActivatedRoute {
public readonly route: Route, public readonly route: Route,
/** The request path that activated that route. */ /** The request path that activated that route. */
public readonly path: string public readonly path: string,
) { ) {
const params = route.extract(path) const params = route.extract(path)
if ( !params ) { if ( !params ) {

@ -1,6 +1,7 @@
import {AppClass} from "../../lifecycle/AppClass" import {AppClass} from '../../lifecycle/AppClass'
import {Request} from "../lifecycle/Request" import {Request} from '../lifecycle/Request'
import {ResponseObject} from "./Route" import {ResponseObject} from './Route'
import {Container} from '../../di'
/** /**
* Base class representing a middleware handler that can be applied to routes. * Base class representing a middleware handler that can be applied to routes.
@ -8,10 +9,12 @@ import {ResponseObject} from "./Route"
export abstract class Middleware extends AppClass { export abstract class Middleware extends AppClass {
constructor( constructor(
/** The request that will be handled by this middleware. */ /** The request that will be handled by this middleware. */
protected readonly request: Request protected readonly request: Request,
) { super() } ) {
super()
}
protected container() { protected container(): Container {
return this.request return this.request
} }

@ -1,16 +1,16 @@
import {AppClass} from "../../lifecycle/AppClass"; import {AppClass} from '../../lifecycle/AppClass'
import {HTTPMethod, Request} from "../lifecycle/Request"; import {HTTPMethod, Request} from '../lifecycle/Request'
import {Application} from "../../lifecycle/Application"; import {Application} from '../../lifecycle/Application'
import {RouteGroup} from "./RouteGroup"; import {RouteGroup} from './RouteGroup'
import {ResponseFactory} from "../response/ResponseFactory"; import {ResponseFactory} from '../response/ResponseFactory'
import {Response} from "../lifecycle/Response"; import {Response} from '../lifecycle/Response'
import {Controllers} from "../../service/Controllers"; import {Controllers} from '../../service/Controllers'
import {ErrorWithContext, Collection} from "../../util"; import {ErrorWithContext, Collection} from '../../util'
import {Container} from "../../di"; import {Container} from '../../di'
import {Controller} from "../Controller"; import {Controller} from '../Controller'
import {Middlewares} from "../../service/Middlewares"; import {Middlewares} from '../../service/Middlewares'
import {Middleware} from "./Middleware"; import {Middleware} from './Middleware'
import {Config} from "../../service/Config"; import {Config} from '../../service/Config'
/** /**
* Type alias for an item that is a valid response object, or lack thereof. * Type alias for an item that is a valid response object, or lack thereof.
@ -61,7 +61,7 @@ export class Route extends AppClass {
private static compiledGroupStack: RouteGroup[] = [] private static compiledGroupStack: RouteGroup[] = []
/** Register a route group handler. */ /** Register a route group handler. */
public static registerGroup(group: RouteGroup) { public static registerGroup(group: RouteGroup): void {
this.registeredGroups.push(group) this.registeredGroups.push(group)
} }
@ -152,7 +152,7 @@ export class Route extends AppClass {
* @param definition * @param definition
* @param handler * @param handler
*/ */
public static endpoint(method: HTTPMethod | HTTPMethod[], definition: string, handler: RouteHandler) { public static endpoint(method: HTTPMethod | HTTPMethod[], definition: string, handler: RouteHandler): Route {
const route = new Route(method, handler, definition) const route = new Route(method, handler, definition)
this.registeredRoutes.push(route) this.registeredRoutes.push(route)
return route return route
@ -163,53 +163,53 @@ export class Route extends AppClass {
* @param definition * @param definition
* @param handler * @param handler
*/ */
public static get(definition: string, handler: RouteHandler) { public static get(definition: string, handler: RouteHandler): Route {
return this.endpoint('get', definition, handler) return this.endpoint('get', definition, handler)
} }
/** Create a new POST route on the given endpoint. */ /** Create a new POST route on the given endpoint. */
public static post(definition: string, handler: RouteHandler) { public static post(definition: string, handler: RouteHandler): Route {
return this.endpoint('post', definition, handler) return this.endpoint('post', definition, handler)
} }
/** Create a new PUT route on the given endpoint. */ /** Create a new PUT route on the given endpoint. */
public static put(definition: string, handler: RouteHandler) { public static put(definition: string, handler: RouteHandler): Route {
return this.endpoint('put', definition, handler) return this.endpoint('put', definition, handler)
} }
/** Create a new PATCH route on the given endpoint. */ /** Create a new PATCH route on the given endpoint. */
public static patch(definition: string, handler: RouteHandler) { public static patch(definition: string, handler: RouteHandler): Route {
return this.endpoint('patch', definition, handler) return this.endpoint('patch', definition, handler)
} }
/** Create a new DELETE route on the given endpoint. */ /** Create a new DELETE route on the given endpoint. */
public static delete(definition: string, handler: RouteHandler) { public static delete(definition: string, handler: RouteHandler): Route {
return this.endpoint('delete', definition, handler) return this.endpoint('delete', definition, handler)
} }
/** Create a new route on all HTTP verbs, on the given endpoint. */ /** Create a new route on all HTTP verbs, on the given endpoint. */
public static any(definition: string, handler: RouteHandler) { public static any(definition: string, handler: RouteHandler): Route {
return this.endpoint(['get', 'put', 'patch', 'post', 'delete'], definition, handler) return this.endpoint(['get', 'put', 'patch', 'post', 'delete'], definition, handler)
} }
/** Create a new route group with the given prefix. */ /** Create a new route group with the given prefix. */
public static group(prefix: string, group: () => void | Promise<void>) { public static group(prefix: string, group: () => void | Promise<void>): RouteGroup {
const grp = <RouteGroup> Application.getApplication().make(RouteGroup, group, prefix) const grp = <RouteGroup> Application.getApplication().make(RouteGroup, group, prefix)
this.registeredGroups.push(grp) this.registeredGroups.push(grp)
return grp return grp
} }
/** Middlewares that should be applied to this route. */ /** Middlewares that should be applied to this route. */
protected middlewares: Collection<{ stage: 'pre' | 'post', handler: RouteHandler }> = new Collection<{stage: "pre" | "post"; handler: RouteHandler}>() protected middlewares: Collection<{ stage: 'pre' | 'post', handler: RouteHandler }> = new Collection<{stage: 'pre' | 'post'; handler: RouteHandler}>()
/** Pre-compiled route handlers for the pre-middleware for this route. */ /** Pre-compiled route handlers for the pre-middleware for this route. */
protected _compiledPreflight?: ResolvedRouteHandler[] protected compiledPreflight?: ResolvedRouteHandler[]
/** Pre-compiled route handlers for the post-middleware for this route. */ /** Pre-compiled route handlers for the post-middleware for this route. */
protected _compiledHandler?: ResolvedRouteHandler protected compiledHandler?: ResolvedRouteHandler
/** Pre-compiled route handler for the main route handler for this route. */ /** Pre-compiled route handler for the main route handler for this route. */
protected _compiledPostflight?: ResolvedRouteHandler[] protected compiledPostflight?: ResolvedRouteHandler[]
constructor( constructor(
/** The HTTP method(s) that this route listens on. */ /** The HTTP method(s) that this route listens on. */
@ -219,8 +219,10 @@ export class Route extends AppClass {
protected readonly handler: RouteHandler, protected readonly handler: RouteHandler,
/** The route path this route listens on. */ /** The route path this route listens on. */
protected route: string protected route: string,
) { super() } ) {
super()
}
/** /**
* Returns true if this route matches the given HTTP verb and request path. * Returns true if this route matches the given HTTP verb and request path.
@ -228,10 +230,13 @@ export class Route extends AppClass {
* @param potential * @param potential
*/ */
public match(method: HTTPMethod, potential: string): boolean { public match(method: HTTPMethod, potential: string): boolean {
if ( Array.isArray(this.method) && !this.method.includes(method) ) return false if ( Array.isArray(this.method) && !this.method.includes(method) ) {
else if ( !Array.isArray(this.method) && this.method !== method ) return false return false
} else if ( !Array.isArray(this.method) && this.method !== method ) {
return false
}
return !!this.extract(potential) return Boolean(this.extract(potential))
} }
/** /**
@ -279,7 +284,9 @@ export class Route extends AppClass {
// If we got here, we didn't find a ** // If we got here, we didn't find a **
// So, if the lengths are different, fail // So, if the lengths are different, fail
if ( routeParts.length !== potentialParts.length ) return if ( routeParts.length !== potentialParts.length ) {
return
}
return params return params
} }
@ -287,47 +294,47 @@ export class Route extends AppClass {
* Try to pre-compile and return the preflight handlers for this route. * Try to pre-compile and return the preflight handlers for this route.
*/ */
public resolvePreflight(): ResolvedRouteHandler[] { public resolvePreflight(): ResolvedRouteHandler[] {
if ( !this._compiledPreflight ) { if ( !this.compiledPreflight ) {
this._compiledPreflight = this.resolveMiddlewareHandlersForStage('pre') this.compiledPreflight = this.resolveMiddlewareHandlersForStage('pre')
} }
return this._compiledPreflight return this.compiledPreflight
} }
/** /**
* Try to pre-compile and return the postflight handlers for this route. * Try to pre-compile and return the postflight handlers for this route.
*/ */
public resolvePostflight(): ResolvedRouteHandler[] { public resolvePostflight(): ResolvedRouteHandler[] {
if ( !this._compiledPostflight ) { if ( !this.compiledPostflight ) {
this._compiledPostflight = this.resolveMiddlewareHandlersForStage('post') this.compiledPostflight = this.resolveMiddlewareHandlersForStage('post')
} }
return this._compiledPostflight return this.compiledPostflight
} }
/** /**
* Try to pre-compile and return the main handler for this route. * Try to pre-compile and return the main handler for this route.
*/ */
public resolveHandler(): ResolvedRouteHandler { public resolveHandler(): ResolvedRouteHandler {
if ( !this._compiledHandler ) { if ( !this.compiledHandler ) {
this._compiledHandler = this._resolveHandler() this.compiledHandler = this.compileResolvedHandler()
} }
return this._compiledHandler return this.compiledHandler
} }
/** Register the given middleware as a preflight handler for this route. */ /** Register the given middleware as a preflight handler for this route. */
pre(middleware: RouteHandler) { pre(middleware: RouteHandler): this {
this.middlewares.push({ this.middlewares.push({
stage: 'pre', stage: 'pre',
handler: middleware handler: middleware,
}) })
return this return this
} }
/** Register the given middleware as a postflight handler for this route. */ /** Register the given middleware as a postflight handler for this route. */
post(middleware: RouteHandler) { post(middleware: RouteHandler): this {
this.middlewares.push({ this.middlewares.push({
stage: 'post', stage: 'post',
handler: middleware, handler: middleware,
@ -337,19 +344,24 @@ export class Route extends AppClass {
} }
/** Prefix the route's path with the given prefix, normalizing `/` characters. */ /** Prefix the route's path with the given prefix, normalizing `/` characters. */
private prepend(prefix: string) { private prepend(prefix: string): this {
if ( !prefix.endsWith('/') ) prefix = `${prefix}/` if ( !prefix.endsWith('/') ) {
if ( this.route.startsWith('/') ) this.route = this.route.substring(1) prefix = `${prefix}/`
}
if ( this.route.startsWith('/') ) {
this.route = this.route.substring(1)
}
this.route = `${prefix}${this.route}` this.route = `${prefix}${this.route}`
return this
} }
/** Add the given middleware item to the beginning of the preflight handlers. */ /** Add the given middleware item to the beginning of the preflight handlers. */
private prependMiddleware(def: { stage: 'pre' | 'post', handler: RouteHandler }) { private prependMiddleware(def: { stage: 'pre' | 'post', handler: RouteHandler }): void {
this.middlewares.prepend(def) this.middlewares.prepend(def)
} }
/** Add the given middleware item to the end of the postflight handlers. */ /** Add the given middleware item to the end of the postflight handlers. */
private appendMiddleware(def: { stage: 'pre' | 'post', handler: RouteHandler }) { private appendMiddleware(def: { stage: 'pre' | 'post', handler: RouteHandler }): void {
this.middlewares.push(def) this.middlewares.push(def)
} }
@ -357,18 +369,18 @@ export class Route extends AppClass {
* Resolve and return the route handler for this route. * Resolve and return the route handler for this route.
* @private * @private
*/ */
private _resolveHandler(): ResolvedRouteHandler { private compileResolvedHandler(): ResolvedRouteHandler {
if ( typeof this.handler !== 'string' ) { const handler = this.handler
if ( typeof handler !== 'string' ) {
return (request: Request) => { return (request: Request) => {
// @ts-ignore return handler(request, request.response)
return this.handler(request, request.response)
} }
} else { } else {
const parts = this.handler.split('.') const parts = handler.split('.')
if ( parts.length < 2 ) { if ( parts.length < 2 ) {
const e = new ErrorWithContext('Route handler does not specify a method name.') const e = new ErrorWithContext('Route handler does not specify a method name.')
e.context = { e.context = {
handler: this.handler handler,
} }
throw e throw e
} }
@ -380,7 +392,7 @@ export class Route extends AppClass {
if ( !controllerClass ) { if ( !controllerClass ) {
const e = new ErrorWithContext('Controller not found for route handler.') const e = new ErrorWithContext('Controller not found for route handler.')
e.context = { e.context = {
handler: this.handler, handler,
controllerName, controllerName,
methodName, methodName,
} }
@ -406,13 +418,13 @@ export class Route extends AppClass {
private resolveMiddlewareHandlersForStage(stage: 'pre' | 'post'): ResolvedRouteHandler[] { private resolveMiddlewareHandlersForStage(stage: 'pre' | 'post'): ResolvedRouteHandler[] {
return this.middlewares.where('stage', '=', stage) return this.middlewares.where('stage', '=', stage)
.map<ResolvedRouteHandler>(def => { .map<ResolvedRouteHandler>(def => {
if ( typeof def.handler !== 'string' ) { const handler = def.handler
if ( typeof handler !== 'string' ) {
return (request: Request) => { return (request: Request) => {
// @ts-ignore return handler(request, request.response)
return def.handler(request, request.response)
} }
} else { } else {
const parts = def.handler.split('.') const parts = handler.split('.')
if ( parts.length < 2 ) { if ( parts.length < 2 ) {
parts.push('apply') // default middleware method name, if none provided parts.push('apply') // default middleware method name, if none provided
} }
@ -424,7 +436,7 @@ export class Route extends AppClass {
if ( !middlewareClass ) { if ( !middlewareClass ) {
const e = new ErrorWithContext('Middleware not found for route handler.') const e = new ErrorWithContext('Middleware not found for route handler.')
e.context = { e.context = {
handler: def.handler, handler,
middlewareName, middlewareName,
methodName, methodName,
} }
@ -445,7 +457,7 @@ export class Route extends AppClass {
} }
/** Cast the route to an intelligible string. */ /** Cast the route to an intelligible string. */
toString() { toString(): string {
const method = Array.isArray(this.method) ? this.method : [this.method] const method = Array.isArray(this.method) ? this.method : [this.method]
return `${method.join('|')} -> ${this.route}` return `${method.join('|')} -> ${this.route}`
} }

@ -1,8 +1,8 @@
import {Collection, ErrorWithContext} from "../../util" import {Collection, ErrorWithContext} from '../../util'
import {AppClass} from "../../lifecycle/AppClass" import {AppClass} from '../../lifecycle/AppClass'
import {RouteHandler} from "./Route" import {RouteHandler} from './Route'
import {Container} from "../../di" import {Container} from '../../di'
import {Logging} from "../../service/Logging"; import {Logging} from '../../service/Logging'
/** /**
* Class that defines a group of Routes in the application, with a prefix. * Class that defines a group of Routes in the application, with a prefix.
@ -24,7 +24,7 @@ export class RouteGroup extends AppClass {
* Array of middlewares that should apply to all routes in this group. * Array of middlewares that should apply to all routes in this group.
* @protected * @protected
*/ */
protected middlewares: Collection<{ stage: 'pre' | 'post', handler: RouteHandler }> = new Collection<{stage: "pre" | "post"; handler: RouteHandler}>() protected middlewares: Collection<{ stage: 'pre' | 'post', handler: RouteHandler }> = new Collection<{stage: 'pre' | 'post'; handler: RouteHandler}>()
/** /**
* Get the current group nesting. * Get the current group nesting.
@ -48,7 +48,7 @@ export class RouteGroup extends AppClass {
* @param name * @param name
* @param define * @param define
*/ */
public static named(name: string, define: () => void) { public static named(name: string, define: () => void): void {
if ( this.namedGroups[name] ) { if ( this.namedGroups[name] ) {
Container.getContainer() Container.getContainer()
.make<Logging>(Logging) .make<Logging>(Logging)
@ -69,7 +69,7 @@ export class RouteGroup extends AppClass {
* *
* @param name * @param name
*/ */
public static include(name: string) { public static include(name: string): void {
if (!this.namedGroups[name]) { if (!this.namedGroups[name]) {
throw new ErrorWithContext(`No route group exists with name: ${name}`, {name}) throw new ErrorWithContext(`No route group exists with name: ${name}`, {name})
} }
@ -83,21 +83,23 @@ export class RouteGroup extends AppClass {
public readonly group: () => void | Promise<void>, public readonly group: () => void | Promise<void>,
/** The route prefix of this group. */ /** The route prefix of this group. */
public readonly prefix: string public readonly prefix: string,
) { super() } ) {
super()
}
/** Register the given middleware to be applied before all routes in this group. */ /** Register the given middleware to be applied before all routes in this group. */
pre(middleware: RouteHandler) { pre(middleware: RouteHandler): this {
this.middlewares.push({ this.middlewares.push({
stage: 'pre', stage: 'pre',
handler: middleware handler: middleware,
}) })
return this return this
} }
/** Register the given middleware to be applied after all routes in this group. */ /** Register the given middleware to be applied after all routes in this group. */
post(middleware: RouteHandler) { post(middleware: RouteHandler): this {
this.middlewares.push({ this.middlewares.push({
stage: 'post', stage: 'post',
handler: middleware, handler: middleware,
@ -107,7 +109,7 @@ export class RouteGroup extends AppClass {
} }
/** Return the middlewares that apply to this group. */ /** Return the middlewares that apply to this group. */
getGroupMiddlewareDefinitions() { getGroupMiddlewareDefinitions(): Collection<{ stage: 'pre' | 'post', handler: RouteHandler }> {
return this.middlewares return this.middlewares
} }
} }

@ -1,5 +1,5 @@
import {NoSessionKeyError, Session, SessionData, SessionNotLoadedError} from "./Session"; import {NoSessionKeyError, Session, SessionData, SessionNotLoadedError} from './Session'
import {Injectable} from "../../di"; import {Injectable} from '../../di'
/** /**
* Implementation of the session driver that stores session data in memory. * Implementation of the session driver that stores session data in memory.
@ -31,44 +31,66 @@ export class MemorySession extends Session {
/** The associated data for this session. */ /** The associated data for this session. */
protected data?: SessionData protected data?: SessionData
constructor() { super() } constructor() {
super()
}
public getKey(): string { public getKey(): string {
if ( !this.sessionID ) throw new NoSessionKeyError() if ( !this.sessionID ) {
throw new NoSessionKeyError()
}
return this.sessionID return this.sessionID
} }
public setKey(key: string) { public setKey(key: string): void {
this.sessionID = key this.sessionID = key
} }
public load() { public load(): void {
if ( !this.sessionID ) throw new NoSessionKeyError() if ( !this.sessionID ) {
throw new NoSessionKeyError()
}
this.data = MemorySession.getSession(this.sessionID) this.data = MemorySession.getSession(this.sessionID)
} }
public persist() { public persist(): void {
if ( !this.sessionID ) throw new NoSessionKeyError() if ( !this.sessionID ) {
if ( !this.data ) throw new SessionNotLoadedError() throw new NoSessionKeyError()
}
if ( !this.data ) {
throw new SessionNotLoadedError()
}
MemorySession.setSession(this.sessionID, this.data) MemorySession.setSession(this.sessionID, this.data)
} }
public getData(): SessionData { public getData(): SessionData {
if ( !this.data ) throw new SessionNotLoadedError() if ( !this.data ) {
throw new SessionNotLoadedError()
}
return this.data return this.data
} }
public setData(data: SessionData) { public setData(data: SessionData): void {
this.data = data this.data = data
} }
public get(key: string, fallback?: any): any { public get(key: string, fallback?: unknown): any {
if ( !this.data ) throw new SessionNotLoadedError() if ( !this.data ) {
throw new SessionNotLoadedError()
}
return this.data?.[key] ?? fallback return this.data?.[key] ?? fallback
} }
public set(key: string, value: any) { public set(key: string, value: unknown): void {
if ( !this.data ) throw new SessionNotLoadedError() if ( !this.data ) {
throw new SessionNotLoadedError()
}
this.data[key] = value this.data[key] = value
} }
} }

@ -1,6 +1,6 @@
import {Injectable, Inject} from "../../di" import {Injectable, Inject} from '../../di'
import {ErrorWithContext} from "../../util" import {ErrorWithContext} from '../../util'
import {Request} from "../lifecycle/Request" import {Request} from '../lifecycle/Request'
/** /**
* Type alias describing some inflated session data. * Type alias describing some inflated session data.
@ -53,8 +53,8 @@ export abstract class Session {
public abstract setData(data: SessionData): void public abstract setData(data: SessionData): void
/** Get a value from the session by key. */ /** Get a value from the session by key. */
public abstract get(key: string, fallback?: any): any public abstract get(key: string, fallback?: unknown): any
/** Set a value in the session by key. */ /** Set a value in the session by key. */
public abstract set(key: string, value: any): void public abstract set(key: string, value: unknown): void
} }

@ -5,20 +5,21 @@ import {
PropertyDependency, PropertyDependency,
isInstantiable, isInstantiable,
DEPENDENCY_KEYS_METADATA_KEY, DEPENDENCY_KEYS_METADATA_KEY,
DEPENDENCY_KEYS_PROPERTY_METADATA_KEY DEPENDENCY_KEYS_PROPERTY_METADATA_KEY, Instantiable,
} from "../../di" } from '../../di'
import {Collection, ErrorWithContext} from "../../util" import {Collection, ErrorWithContext} from '../../util'
import {MemorySession} from "./MemorySession"; import {MemorySession} from './MemorySession'
import {Session} from "./Session"; import {Session} from './Session'
import {Logging} from "../../service/Logging"; import {Logging} from '../../service/Logging'
import {Config} from "../../service/Config"; import {Config} from '../../service/Config'
/** /**
* A dependency injection factory that matches the abstract Session class * A dependency injection factory that matches the abstract Session class
* and produces an instance of the configured session driver implementation. * and produces an instance of the configured session driver implementation.
*/ */
export class SessionFactory extends AbstractFactory { export class SessionFactory extends AbstractFactory<Session> {
protected readonly logging: Logging protected readonly logging: Logging
protected readonly config: Config protected readonly config: Config
/** True if we have printed the memory session warning at least once. */ /** True if we have printed the memory session warning at least once. */
@ -30,17 +31,19 @@ export class SessionFactory extends AbstractFactory {
this.config = Container.getContainer().make<Config>(Config) this.config = Container.getContainer().make<Config>(Config)
} }
produce(dependencies: any[], parameters: any[]): Session { produce(): Session {
return new (this.getSessionClass()) return new (this.getSessionClass())()
} }
match(something: any) { match(something: unknown): boolean {
return something === Session return something === Session
} }
getDependencyKeys(): Collection<DependencyRequirement> { getDependencyKeys(): Collection<DependencyRequirement> {
const meta = Reflect.getMetadata(DEPENDENCY_KEYS_METADATA_KEY, this.getSessionClass()) const meta = Reflect.getMetadata(DEPENDENCY_KEYS_METADATA_KEY, this.getSessionClass())
if ( meta ) return meta if ( meta ) {
return meta
}
return new Collection<DependencyRequirement>() return new Collection<DependencyRequirement>()
} }
@ -50,7 +53,9 @@ export class SessionFactory extends AbstractFactory {
do { do {
const loadedMeta = Reflect.getMetadata(DEPENDENCY_KEYS_PROPERTY_METADATA_KEY, currentToken) const loadedMeta = Reflect.getMetadata(DEPENDENCY_KEYS_PROPERTY_METADATA_KEY, currentToken)
if ( loadedMeta ) meta.concat(loadedMeta) if ( loadedMeta ) {
meta.concat(loadedMeta)
}
currentToken = Object.getPrototypeOf(currentToken) currentToken = Object.getPrototypeOf(currentToken)
} while (Object.getPrototypeOf(currentToken) !== Function.prototype && Object.getPrototypeOf(currentToken) !== Object.prototype) } while (Object.getPrototypeOf(currentToken) !== Function.prototype && Object.getPrototypeOf(currentToken) !== Object.prototype)
@ -62,7 +67,7 @@ export class SessionFactory extends AbstractFactory {
* @protected * @protected
* @return Instantiable<Session> * @return Instantiable<Session>
*/ */
protected getSessionClass() { protected getSessionClass(): Instantiable<Session> {
const SessionClass = this.config.get('server.session.driver', MemorySession) const SessionClass = this.config.get('server.session.driver', MemorySession)
if ( SessionClass === MemorySession && !SessionFactory.loggedMemorySessionWarningOnce ) { if ( SessionClass === MemorySession && !SessionFactory.loggedMemorySessionWarningOnce ) {
this.logging.warn(`You are using the default memory-based session driver. It is recommended you configure a persistent session driver instead.`) this.logging.warn(`You are using the default memory-based session driver. It is recommended you configure a persistent session driver instead.`)
@ -70,9 +75,9 @@ export class SessionFactory extends AbstractFactory {
} }
if ( !isInstantiable(SessionClass) || !(SessionClass.prototype instanceof Session) ) { if ( !isInstantiable(SessionClass) || !(SessionClass.prototype instanceof Session) ) {
const e = new ErrorWithContext('Provided session class does not extend from @extollo/lib.Session'); const e = new ErrorWithContext('Provided session class does not extend from @extollo/lib.Session')
e.context = { e.context = {
config_key: 'server.session.driver', configKey: 'server.session.driver',
class: SessionClass.toString(), class: SessionClass.toString(),
} }
} }

@ -1,10 +1,10 @@
import {Request} from "../../http/lifecycle/Request"; import {Request} from '../../http/lifecycle/Request'
import {Injectable} from "../../di" import {Injectable} from '../../di'
import {Locale} from "../service/Locale"; import {Locale} from '../service/Locale'
import {HTTPKernelModule} from "../../http/kernel/HTTPKernelModule"; import {HTTPKernelModule} from '../../http/kernel/HTTPKernelModule'
import {HTTPKernel} from "../../http/kernel/HTTPKernel"; import {HTTPKernel} from '../../http/kernel/HTTPKernel'
import {InjectSessionHTTPModule} from "../../http/kernel/module/InjectSessionHTTPModule"; import {InjectSessionHTTPModule} from '../../http/kernel/module/InjectSessionHTTPModule'
import {Session} from "../../http/session/Session"; import {Session} from '../../http/session/Session'
/** /**
* An HTTP kernel module that adds the Locale service to the request container. * An HTTP kernel module that adds the Locale service to the request container.
@ -14,7 +14,7 @@ export class InjectRequestLocale extends HTTPKernelModule {
public executeWithBlockingWriteback = true public executeWithBlockingWriteback = true
/** Register this kernel module to the given kernel. */ /** Register this kernel module to the given kernel. */
public static register(kernel: HTTPKernel) { public static register(kernel: HTTPKernel): void {
kernel.register(this).after(InjectSessionHTTPModule) kernel.register(this).after(InjectSessionHTTPModule)
} }
@ -23,7 +23,7 @@ export class InjectRequestLocale extends HTTPKernelModule {
* service into the Request container based on said locale. * service into the Request container based on said locale.
* @param request * @param request
*/ */
public async apply(request: Request) { public async apply(request: Request): Promise<Request> {
const session = <Session> request.make(Session) const session = <Session> request.make(Session)
const locale = <Locale> request.make(Locale) const locale = <Locale> request.make(Locale)

@ -1,11 +1,11 @@
import {Singleton, Inject} from "../../di" import {Singleton, Inject} from '../../di'
import {CommandLine} from "../../cli" import {CommandLine} from '../../cli'
import {InjectRequestLocale} from "../modules/InjectRequestLocale" import {InjectRequestLocale} from '../modules/InjectRequestLocale'
import {locale_template} from "../template/locale" import {templateLocale} from '../template/locale'
import {Unit} from "../../lifecycle/Unit"; import {Unit} from '../../lifecycle/Unit'
import {HTTPKernel} from "../../http/kernel/HTTPKernel"; import {HTTPKernel} from '../../http/kernel/HTTPKernel'
import {Config} from "../../service/Config"; import {Config} from '../../service/Config'
import {Logging} from "../../service/Logging"; import {Logging} from '../../service/Logging'
/** /**
* Application unit to register @extollo/i18n resources. * Application unit to register @extollo/i18n resources.
@ -30,9 +30,9 @@ export class Internationalization extends Unit {
* You can set the "locale.enable" config property to `false` to disable * You can set the "locale.enable" config property to `false` to disable
* the InjectRequestLocale HTTP kernel module. * the InjectRequestLocale HTTP kernel module.
*/ */
up() { up(): void {
this.logging.debug(`Registering locale template with CLI...`) this.logging.debug(`Registering locale template with CLI...`)
this.cli.registerTemplate(locale_template) this.cli.registerTemplate(templateLocale)
if ( this.config.get('locale.enable', true) ) { if ( this.config.get('locale.enable', true) ) {
this.kernel.register(InjectRequestLocale).before() this.kernel.register(InjectRequestLocale).before()

@ -1,8 +1,8 @@
import {Injectable} from "../../di" import {Injectable} from '../../di'
import {ErrorWithContext} from "../../util" import {ErrorWithContext} from '../../util'
import * as pluralize from "pluralize" import * as pluralize from 'pluralize'
import {AppClass} from "../../lifecycle/AppClass"; import {AppClass} from '../../lifecycle/AppClass'
import {Config} from "../../service/Config"; import {Config} from '../../service/Config'
/** /**
* Type name for the standalone localization helper function that can be passed around * Type name for the standalone localization helper function that can be passed around
@ -15,7 +15,7 @@ export type LocaleHelper = (phrase: string, { plural, fallback, interp }: {plura
*/ */
@Injectable() @Injectable()
export class Locale extends AppClass { export class Locale extends AppClass {
protected get config() { protected get config(): Config {
// For some reason, was having issues with this not injecting properly. // For some reason, was having issues with this not injecting properly.
// TODO convert this back to @Inject() and solve that bug // TODO convert this back to @Inject() and solve that bug
return this.app().make<Config>(Config) return this.app().make<Config>(Config)
@ -27,7 +27,7 @@ export class Locale extends AppClass {
* @example en_US means "lang:en_US" config scope * @example en_US means "lang:en_US" config scope
* @example es_MX means "lang:es_MX" config scope * @example es_MX means "lang:es_MX" config scope
*/ */
protected locale?: string protected locale?: string,
) { ) {
super() super()
if ( !this.locale ) { if ( !this.locale ) {
@ -39,7 +39,7 @@ export class Locale extends AppClass {
* Get the default locale that should be assigned if none is specified in the session. * Get the default locale that should be assigned if none is specified in the session.
* @return string * @return string
*/ */
getDefaultLocale() { getDefaultLocale(): string {
return this.config.get('locale.default', 'en_US') return this.config.get('locale.default', 'en_US')
} }
@ -47,7 +47,7 @@ export class Locale extends AppClass {
* Set the preferred locale for lookups by this service. * Set the preferred locale for lookups by this service.
* @param locale * @param locale
*/ */
setLocale(locale: string) { setLocale(locale: string): void {
this.locale = locale this.locale = locale
} }
@ -56,7 +56,9 @@ export class Locale extends AppClass {
*/ */
helper(): LocaleHelper { helper(): LocaleHelper {
return (phrase: string, { plural, fallback, interp }: {plural?: number, fallback?: string, interp?: {[key: string]: any}} = {}) => { return (phrase: string, { plural, fallback, interp }: {plural?: number, fallback?: string, interp?: {[key: string]: any}} = {}) => {
return this.get(phrase, {plural, fallback, interp}) return this.get(phrase, {plural,
fallback,
interp})
} }
} }
@ -131,11 +133,14 @@ export class Locale extends AppClass {
* @param interp * @param interp
*/ */
get(phrase: string, { plural, fallback, interp }: {plural?: number, fallback?: string, interp?: {[key: string]: any}} = {}): string { get(phrase: string, { plural, fallback, interp }: {plural?: number, fallback?: string, interp?: {[key: string]: any}} = {}): string {
const scope = phrase.split(':').reverse().slice(1).reverse().join(':') const scope = phrase.split(':').reverse()
.slice(1)
.reverse()
.join(':')
const specific = phrase.split(':').reverse()[0] const specific = phrase.split(':').reverse()[0]
const load = `${this.locale}${scope ? ':' + scope : ''}.${specific}` const load = `${this.locale}${scope ? ':' + scope : ''}.${specific}`
const translated = this.load(load) const translated = this.load(load)
const is_plural = plural && plural !== 1 const isPlural = plural && plural !== 1
if ( !translated ) { if ( !translated ) {
return fallback ?? specific return fallback ?? specific
@ -144,13 +149,13 @@ export class Locale extends AppClass {
let ret = '' let ret = ''
if ( typeof translated === 'object' ) { if ( typeof translated === 'object' ) {
if ( is_plural && translated.many ) { if ( isPlural && translated.many ) {
ret = translated.many ret = translated.many
} else if ( is_plural && translated.one ) { } else if ( isPlural && translated.one ) {
ret = pluralize(translated.one, plural) ret = pluralize(translated.one, plural)
} else if ( !is_plural && translated.one ) { } else if ( !isPlural && translated.one ) {
ret = translated.one ret = translated.one
} else if ( !is_plural && translated.many ) { } else if ( !isPlural && translated.many ) {
ret = pluralize(translated.many, 1) ret = pluralize(translated.many, 1)
} else { } else {
throw new ErrorWithContext(`Invalid translation config for ${phrase}. Must provide 'one' or 'many' keys.`, { throw new ErrorWithContext(`Invalid translation config for ${phrase}. Must provide 'one' or 'many' keys.`, {
@ -162,7 +167,7 @@ export class Locale extends AppClass {
}) })
} }
} else if ( typeof translated === 'string' ) { } else if ( typeof translated === 'string' ) {
ret = pluralize(translated, is_plural ? 5 : 1) ret = pluralize(translated, isPlural ? 5 : 1)
} else { } else {
throw new ErrorWithContext(`Invalid translation object for ${phrase}.`, { throw new ErrorWithContext(`Invalid translation object for ${phrase}.`, {
locale: this.locale, locale: this.locale,
@ -175,6 +180,10 @@ export class Locale extends AppClass {
if ( interp ) { if ( interp ) {
for ( const key in interp ) { for ( const key in interp ) {
if ( !Object.prototype.hasOwnProperty.call(interp, key) ) {
continue
}
const rex = new RegExp(`:${key}:`, 'g') const rex = new RegExp(`:${key}:`, 'g')
ret = ret.replace(rex, interp[key]) ret = ret.replace(rex, interp[key])
} }
@ -188,19 +197,32 @@ export class Locale extends AppClass {
* @param locale * @param locale
* @protected * @protected
*/ */
protected load(locale: string) { protected load(locale: string): {[key: string]: string} | string {
const subloc = locale.split(':').slice(1).join(':') const subloc = locale.split(':').slice(1)
const specific_loc = locale.split(':').reverse()[0].split('.').slice(1).join('.') .join(':')
const specificLocale = locale.split(':').reverse()[0].split('.').slice(1)
.join('.')
let common: any = this.config.get(`lang:common${subloc ? ':' + subloc : ''}${specific_loc ? '.' + specific_loc : ''}`, undefined) let common: any = this.config.get(`lang:common${subloc ? ':' + subloc : ''}${specificLocale ? '.' + specificLocale : ''}`, undefined)
let specific: any = this.config.get(`lang:${locale}`, undefined) let specific: any = this.config.get(`lang:${locale}`, undefined)
if ( typeof specific === 'string' ) return specific if ( typeof specific === 'string' ) {
if ( typeof common === 'string' && typeof specific === 'undefined' ) return common return specific
}
if ( typeof common === 'string' && typeof specific === 'undefined' ) {
return common
}
if ( !common ) {
common = {}
}
if ( !common ) common = {} if ( !specific ) {
if ( !specific ) specific = {} specific = {}
}
return {...common, ...specific} return {...common,
...specific}
} }
} }

@ -1,21 +1,21 @@
import {Template} from "../../cli" import {Template} from '../../cli'
import {UniversalPath} from "../../util" import {Container} from '../../di'
import {Container} from "../../di" import {Config} from '../../service/Config'
import {Config} from "../../service/Config";
/** /**
* CLI template that generates a new locale file. * CLI template that generates a new locale file.
* Automatically adds placeholder entries for phrases that exist in the * Automatically adds placeholder entries for phrases that exist in the
* associated common locale file. * associated common locale file.
*/ */
const locale_template: Template = { const templateLocale: Template = {
name: 'locale', name: 'locale',
fileSuffix: '.config.ts', fileSuffix: '.config.ts',
description: 'Create a new config file that specifies translations for a locale.', description: 'Create a new config file that specifies translations for a locale.',
baseAppPath: ['configs', 'lang'], baseAppPath: ['configs', 'lang'],
render: (name: string, fullCanonicalName: string, targetFilePath: UniversalPath) => { render: (name: string, fullCanonicalName: string) => {
const config = <Config> Container.getContainer().make(Config) const config = <Config> Container.getContainer().make(Config)
const subloc = fullCanonicalName.split(':').slice(1).join(':') const subloc = fullCanonicalName.split(':').slice(1)
.join(':')
const common: any = config.get(`lang:common${subloc ? ':' + subloc : ''}`, {}) const common: any = config.get(`lang:common${subloc ? ':' + subloc : ''}`, {})
return `import {env} from '@extollo/lib' return `import {env} from '@extollo/lib'
@ -27,4 +27,4 @@ ${Object.keys(common).map(key => ' ' + key + ': \'\',\n')}
}, },
} }
export { locale_template } export { templateLocale }

@ -1,5 +1,5 @@
import {Application} from './Application'; import {Application} from './Application'
import {Container, DependencyKey} from "../di"; import {Container, DependencyKey} from '../di'
/** /**
* Base type for a class that supports binding methods by string. * Base type for a class that supports binding methods by string.
@ -13,12 +13,12 @@ export interface Bindable {
* @param what * @param what
* @return boolean * @return boolean
*/ */
export function isBindable(what: any): what is Bindable { export function isBindable(what: unknown): what is Bindable {
return ( return (
what Boolean(what)
&& typeof what.getBoundMethod === 'function' && typeof (what as any).getBoundMethod === 'function'
&& what.getBoundMethod.length === 1 && (what as any).getBoundMethod.length === 1
&& typeof what.getBoundMethod('getBoundMethod') === 'function' && typeof (what as any).getBoundMethod('getBoundMethod') === 'function'
) )
} }
@ -30,17 +30,17 @@ export class AppClass {
private readonly appClassApplication!: Application; private readonly appClassApplication!: Application;
constructor() { constructor() {
this.appClassApplication = Application.getApplication(); this.appClassApplication = Application.getApplication()
} }
/** Get the global Application. */ /** Get the global Application. */
protected app(): Application { protected app(): Application {
return this.appClassApplication; return this.appClassApplication
} }
/** Get the global Container. */ /** Get the global Container. */
protected container(): Container { protected container(): Container {
return this.appClassApplication; return this.appClassApplication
} }
/** Call the `make()` method on the global container. */ /** Call the `make()` method on the global container. */
@ -54,14 +54,12 @@ export class AppClass {
* @return function * @return function
*/ */
public getBoundMethod(methodName: string): (...args: any[]) => any { public getBoundMethod(methodName: string): (...args: any[]) => any {
// @ts-ignore if ( typeof (this as any)[methodName] !== 'function' ) {
if ( typeof this[methodName] !== 'function' ) {
throw new TypeError(`Attempt to get bound method for non-function type: ${methodName}`) throw new TypeError(`Attempt to get bound method for non-function type: ${methodName}`)
} }
return (...args: any[]): any => { return (...args: any[]): any => {
// @ts-ignore return (this as any)[methodName](...args)
return this[methodName](...args)
} }
} }
} }

@ -1,4 +1,4 @@
import {Container} from '../di'; import {Container} from '../di'
import { import {
ErrorWithContext, ErrorWithContext,
globalRegistry, globalRegistry,
@ -7,14 +7,14 @@ import {
PathLike, PathLike,
StandardLogger, StandardLogger,
universalPath, universalPath,
UniversalPath UniversalPath,
} from '../util'; } from '../util'
import {Logging} from '../service/Logging'; import {Logging} from '../service/Logging'
import {RunLevelErrorHandler} from "./RunLevelErrorHandler"; import {RunLevelErrorHandler} from './RunLevelErrorHandler'
import {Unit, UnitStatus} from "./Unit"; import {Unit, UnitStatus} from './Unit'
import * as dotenv from 'dotenv'; import * as dotenv from 'dotenv'
import {CacheFactory} from "../support/cache/CacheFactory"; import {CacheFactory} from '../support/cache/CacheFactory'
/** /**
* Helper function that resolves and infers environment variable values. * Helper function that resolves and infers environment variable values.
@ -24,7 +24,7 @@ import {CacheFactory} from "../support/cache/CacheFactory";
* @param key * @param key
* @param defaultValue * @param defaultValue
*/ */
export function env(key: string, defaultValue?: any): any { export function env(key: string, defaultValue?: unknown): any {
return Application.getApplication().env(key, defaultValue) return Application.getApplication().env(key, defaultValue)
} }
@ -107,7 +107,7 @@ export class Application extends Container {
* If true, the "Starting Extollo..." messages will always * If true, the "Starting Extollo..." messages will always
* be logged. * be logged.
*/ */
public forceStartupMessage: boolean = true public forceStartupMessage = true
constructor() { constructor() {
super() super()
@ -129,21 +129,21 @@ export class Application extends Container {
* Returns true if the given unit class is registered with the application. * Returns true if the given unit class is registered with the application.
* @param unitClass * @param unitClass
*/ */
public hasUnit(unitClass: typeof Unit) { public hasUnit(unitClass: typeof Unit): boolean {
return this.applicationUnits.includes(unitClass) return this.applicationUnits.includes(unitClass)
} }
/** /**
* Return a UniversalPath to the root of the application. * Return a UniversalPath to the root of the application.
*/ */
get root() { get root(): UniversalPath {
return this.basePath.concat() return this.basePath.concat()
} }
/** /**
* Returns a UniversalPath to the `app/` directory in the application. * Returns a UniversalPath to the `app/` directory in the application.
*/ */
get appRoot() { get appRoot(): UniversalPath {
return this.basePath.concat('app') return this.basePath.concat('app')
} }
@ -151,7 +151,7 @@ export class Application extends Container {
* Resolve a path relative to the root of the application. * Resolve a path relative to the root of the application.
* @param parts * @param parts
*/ */
path(...parts: PathLike[]) { path(...parts: PathLike[]): UniversalPath {
return this.basePath.concat(...parts) return this.basePath.concat(...parts)
} }
@ -159,14 +159,14 @@ export class Application extends Container {
* Resolve a path relative to the `app/` directory in the application. * Resolve a path relative to the `app/` directory in the application.
* @param parts * @param parts
*/ */
appPath(...parts: PathLike[]) { appPath(...parts: PathLike[]): UniversalPath {
return this.basePath.concat('app', ...parts) return this.basePath.concat('app', ...parts)
} }
/** /**
* Get an instance of the RunLevelErrorHandler. * Get an instance of the RunLevelErrorHandler.
*/ */
get errorHandler() { get errorHandler(): (e: Error) => void {
const rleh: RunLevelErrorHandler = this.make<RunLevelErrorHandler>(RunLevelErrorHandler) const rleh: RunLevelErrorHandler = this.make<RunLevelErrorHandler>(RunLevelErrorHandler)
return rleh.handle return rleh.handle
} }
@ -186,7 +186,7 @@ export class Application extends Container {
* @param absolutePathToApplicationRoot * @param absolutePathToApplicationRoot
* @param applicationUnits * @param applicationUnits
*/ */
scaffold(absolutePathToApplicationRoot: string, applicationUnits: (typeof Unit)[]) { scaffold(absolutePathToApplicationRoot: string, applicationUnits: (typeof Unit)[]): void {
this.baseDir = absolutePathToApplicationRoot this.baseDir = absolutePathToApplicationRoot
this.basePath = universalPath(absolutePathToApplicationRoot) this.basePath = universalPath(absolutePathToApplicationRoot)
this.applicationUnits = applicationUnits this.applicationUnits = applicationUnits
@ -203,32 +203,30 @@ export class Application extends Container {
* Initialize the logger and load the logging level from the environment. * Initialize the logger and load the logging level from the environment.
* @protected * @protected
*/ */
protected setupLogging() { protected setupLogging(): void {
const standard: StandardLogger = this.make<StandardLogger>(StandardLogger) const standard: StandardLogger = this.make<StandardLogger>(StandardLogger)
const logging: Logging = this.make<Logging>(Logging) const logging: Logging = this.make<Logging>(Logging)
logging.registerLogger(standard) logging.registerLogger(standard)
logging.verbose('Attempting to load logging level from the environment...')
try { const envLevel = this.env('EXTOLLO_LOGGING_LEVEL')
logging.verbose('Attempting to load logging level from the environment...') logging.verbose(`Read logging level: ${envLevel}`)
const envLevel = this.env('EXTOLLO_LOGGING_LEVEL')
logging.verbose(`Read logging level: ${envLevel}`) if ( isLoggingLevel(envLevel) ) {
logging.verbose('Logging level is valid.')
if ( isLoggingLevel(envLevel) ) { logging.level = envLevel
logging.verbose('Logging level is valid.') logging.debug(`Set logging level from environment: ${envLevel}`)
logging.level = envLevel }
logging.debug(`Set logging level from environment: ${envLevel}`)
}
} catch(e) {}
} }
/** /**
* Initialize the environment variable library and read from the `.env` file. * Initialize the environment variable library and read from the `.env` file.
* @protected * @protected
*/ */
protected bootstrapEnvironment() { protected bootstrapEnvironment(): void {
dotenv.config({ dotenv.config({
path: this.basePath.concat('.env').toLocal path: this.basePath.concat('.env').toLocal,
}) })
} }
@ -238,14 +236,14 @@ export class Application extends Container {
* @param key * @param key
* @param defaultValue * @param defaultValue
*/ */
public env(key: string, defaultValue?: any): any { public env(key: string, defaultValue?: unknown): any {
return infer(process.env[key] ?? '') ?? defaultValue return infer(process.env[key] ?? '') ?? defaultValue
} }
/** /**
* Run the application by starting all units in order, then stopping them in reverse order. * Run the application by starting all units in order, then stopping them in reverse order.
*/ */
async run() { async run(): Promise<void> {
try { try {
await this.up() await this.up()
await this.down() await this.down()
@ -257,7 +255,7 @@ export class Application extends Container {
/** /**
* Start all units in the application, one at a time, in order. * Start all units in the application, one at a time, in order.
*/ */
async up() { async up(): Promise<void> {
const logging: Logging = this.make<Logging>(Logging) const logging: Logging = this.make<Logging>(Logging)
logging.info('Starting Extollo...', this.forceStartupMessage) logging.info('Starting Extollo...', this.forceStartupMessage)
@ -271,12 +269,14 @@ export class Application extends Container {
/** /**
* Stop all units in the application, one at a time, in reverse order. * Stop all units in the application, one at a time, in reverse order.
*/ */
async down() { async down(): Promise<void> {
const logging: Logging = this.make<Logging>(Logging) const logging: Logging = this.make<Logging>(Logging)
logging.info('Stopping Extollo...', this.forceStartupMessage) logging.info('Stopping Extollo...', this.forceStartupMessage)
for ( const unit of [...this.instantiatedUnits].reverse() ) { for ( const unit of [...this.instantiatedUnits].reverse() ) {
if ( !unit ) continue if ( !unit ) {
continue
}
await this.stopUnit(unit) await this.stopUnit(unit)
} }
} }
@ -285,7 +285,7 @@ export class Application extends Container {
* Start a single unit, setting its status. * Start a single unit, setting its status.
* @param unit * @param unit
*/ */
public async startUnit(unit: Unit) { public async startUnit(unit: Unit): Promise<void> {
const logging: Logging = this.make<Logging>(Logging) const logging: Logging = this.make<Logging>(Logging)
try { try {
@ -296,8 +296,7 @@ export class Application extends Container {
logging.info(`Started ${unit.constructor.name}.`) logging.info(`Started ${unit.constructor.name}.`)
} catch (e) { } catch (e) {
unit.status = UnitStatus.Error unit.status = UnitStatus.Error
console.log(e) throw this.errorWrapContext(e, {unitName: unit.constructor.name})
throw this.errorWrapContext(e, {unit_name: unit.constructor.name})
} }
} }
@ -305,7 +304,7 @@ export class Application extends Container {
* Stop a single unit, setting its status. * Stop a single unit, setting its status.
* @param unit * @param unit
*/ */
public async stopUnit(unit: Unit) { public async stopUnit(unit: Unit): Promise<void> {
const logging: Logging = this.make<Logging>(Logging) const logging: Logging = this.make<Logging>(Logging)
try { try {
@ -316,7 +315,7 @@ export class Application extends Container {
logging.info(`Stopped ${unit.constructor.name}.`) logging.info(`Stopped ${unit.constructor.name}.`)
} catch (e) { } catch (e) {
unit.status = UnitStatus.Error unit.status = UnitStatus.Error
throw this.errorWrapContext(e, {unit_name: unit.constructor.name}) throw this.errorWrapContext(e, {unitName: unit.constructor.name})
} }
} }
} }

@ -1,7 +1,7 @@
import * as color from 'colors/safe' import * as color from 'colors/safe'
import {Logging} from "../service/Logging"; import {Logging} from '../service/Logging'
import {Inject} from "../di"; import {Inject} from '../di'
import {ErrorWithContext} from "../util"; import {ErrorWithContext} from '../util'
/** /**
* Class with logic for handling errors that are thrown at the run-level of the application. * Class with logic for handling errors that are thrown at the run-level of the application.
@ -30,7 +30,8 @@ export class RunLevelErrorHandler {
*/ */
wrapContext(e: Error, context: {[key: string]: any}): ErrorWithContext { wrapContext(e: Error, context: {[key: string]: any}): ErrorWithContext {
if ( e instanceof ErrorWithContext ) { if ( e instanceof ErrorWithContext ) {
e.context = {...e.context, ...context} e.context = {...e.context,
...context}
return e return e
} }
@ -45,15 +46,18 @@ export class RunLevelErrorHandler {
* Log the error to the logger. * Log the error to the logger.
* @param {Error} e * @param {Error} e
*/ */
display(e: Error) { display(e: Error): void {
let operativeError = e let operativeError = e
let context: {[key: string]: string} = {} let context: {[key: string]: string} = {}
if ( e instanceof ErrorWithContext ) { if ( e instanceof ErrorWithContext ) {
if ( e.originalError ) operativeError = e.originalError if ( e.originalError ) {
operativeError = e.originalError
}
context = e.context context = e.context
} }
const contextDisplay = Object.keys(context).map(key => ` - ${key}: ${context[key]}`).join('\n') const contextDisplay = Object.keys(context).map(key => ` - ${key}: ${context[key]}`)
.join('\n')
try { try {
let errorString = `RunLevelErrorHandler invoked: let errorString = `RunLevelErrorHandler invoked:
@ -73,12 +77,12 @@ With the following context:
${contextDisplay} ${contextDisplay}
` `
} }
this.logging.error(errorString, true) this.logging.error(errorString, true)
} catch (display_e) { } catch (displayError) {
// The error display encountered an error... // The error display encountered an error...
// just throw the original so it makes it out // just throw the original so it makes it out
console.error('RunLevelErrorHandler encountered an error:', display_e.message) console.error('RunLevelErrorHandler encountered an error:', displayError.message) // eslint-disable-line no-console
throw operativeError throw operativeError
} }
} }

@ -1,4 +1,4 @@
import {AppClass} from './AppClass'; import {AppClass} from './AppClass'
/** /**
* The various statuses of a Unit. * The various statuses of a Unit.
@ -23,7 +23,7 @@ export abstract class Unit extends AppClass {
* This method is called to start the unit when the application is booting. * This method is called to start the unit when the application is booting.
* Here, you should do any setup required to get the package up and running. * Here, you should do any setup required to get the package up and running.
*/ */
public up(): Promise<void> | void {} public up(): Promise<void> | void {} // eslint-disable-line @typescript-eslint/no-empty-function
/** /**
* This method is called to stop the unit when the application is shutting down. * This method is called to stop the unit when the application is shutting down.
@ -32,5 +32,5 @@ export abstract class Unit extends AppClass {
* IN PARTICULAR take care to free blocking resources that could prevent the * IN PARTICULAR take care to free blocking resources that could prevent the
* process from exiting without a kill. * process from exiting without a kill.
*/ */
public down(): Promise<void> | void {} public down(): Promise<void> | void {} // eslint-disable-line @typescript-eslint/no-empty-function
} }

@ -1,8 +1,8 @@
import {Connection} from "./connection/Connection"; import {Connection} from './connection/Connection'
import {Inject, Singleton} from "../di"; import {Inject, Singleton} from '../di'
import {ErrorWithContext, uuid_v4} from "../util"; import {ErrorWithContext, uuid4} from '../util'
import {AppClass} from "../lifecycle/AppClass"; import {AppClass} from '../lifecycle/AppClass'
import {Logging} from "../service/Logging"; import {Logging} from '../service/Logging'
/** /**
* A singleton, non-unit service that stores and retrieves database connections by name. * A singleton, non-unit service that stores and retrieves database connections by name.
@ -20,20 +20,21 @@ export class DatabaseService extends AppClass {
* @param name * @param name
* @param connection * @param connection
*/ */
register(name: string, connection: Connection) { register(name: string, connection: Connection): this {
if ( this.connections[name] ) { if ( this.connections[name] ) {
this.logging.warn(`Overriding duplicate connection: ${name}`) this.logging.warn(`Overriding duplicate connection: ${name}`)
} }
this.connections[name] = connection this.connections[name] = connection
return this
} }
/** /**
* Returns true if a connection is registered with the given name. * Returns true if a connection is registered with the given name.
* @param name * @param name
*/ */
has(name: string) { has(name: string): boolean {
return !!this.connections[name] return Boolean(this.connections[name])
} }
/** /**
@ -57,10 +58,10 @@ export class DatabaseService extends AppClass {
/** Get a guaranteed-unique connection name. */ /** Get a guaranteed-unique connection name. */
uniqueName(): string { uniqueName(): string {
let name: string; let name: string
do { do {
name = uuid_v4() name = uuid4()
} while (this.has(name)) } while (this.has(name))
return name return name

@ -1,19 +1,19 @@
import {Inject} from "../../di"; import {Inject} from '../../di'
import {DatabaseService} from "../DatabaseService"; import {DatabaseService} from '../DatabaseService'
import { import {
Constraint, ConstraintConnectionOperator, Constraint, ConstraintConnectionOperator,
ConstraintOperator, ConstraintOperator,
OrderDirection, OrderDirection,
OrderStatement, QueryResult, OrderStatement, QueryResult,
QuerySource, QuerySource,
SpecifiedField SpecifiedField,
} from "../types"; } from '../types'
import {Connection} from "../connection/Connection"; import {Connection} from '../connection/Connection'
import {deepCopy, ErrorWithContext} from "../../util"; import {deepCopy, ErrorWithContext} from '../../util'
import {EscapeValue, QuerySafeValue, raw} from "../dialect/SQLDialect"; import {EscapeValue, QuerySafeValue, raw} from '../dialect/SQLDialect'
import {ResultCollection} from "./result/ResultCollection"; import {ResultCollection} from './result/ResultCollection'
import {AbstractResultIterable} from "./result/AbstractResultIterable"; import {AbstractResultIterable} from './result/AbstractResultIterable'
import {AppClass} from "../../lifecycle/AppClass"; import {AppClass} from '../../lifecycle/AppClass'
/** /**
* Type alias for a function that applies some constraints to a builder group. * Type alias for a function that applies some constraints to a builder group.
@ -35,25 +35,25 @@ export abstract class AbstractBuilder<T> extends AppClass {
protected source?: QuerySource protected source?: QuerySource
/** The fields to query from the table. */ /** The fields to query from the table. */
protected _fields: SpecifiedField[] = [] protected registeredFields: SpecifiedField[] = []
/** The number of records to skip before the result set. */ /** The number of records to skip before the result set. */
protected _skip?: number protected registeredSkip?: number
/** The max number of records to include in the result set. */ /** The max number of records to include in the result set. */
protected _take?: number protected registeredTake?: number
/** If true, the query should refer to distinct records. */ /** If true, the query should refer to distinct records. */
protected _distinct: boolean = false protected registeredDistinct = false
/** Array of SQL group-by clauses. */ /** Array of SQL group-by clauses. */
protected _groupings: string[] = [] protected registeredGroupings: string[] = []
/** Array of SQL order-by clauses. */ /** Array of SQL order-by clauses. */
protected _orders: OrderStatement[] = [] protected registeredOrders: OrderStatement[] = []
/** The connection on which the query should be executed. */ /** The connection on which the query should be executed. */
protected _connection?: Connection protected registeredConnection?: Connection
/** /**
* Create a new, empty, instance of the current builder. * Create a new, empty, instance of the current builder.
@ -73,50 +73,53 @@ export abstract class AbstractBuilder<T> extends AppClass {
bldr.constraints = deepCopy(this.constraints) bldr.constraints = deepCopy(this.constraints)
bldr.source = deepCopy(this.source) bldr.source = deepCopy(this.source)
bldr._fields = deepCopy(this._fields) bldr.registeredFields = deepCopy(this.registeredFields)
bldr._skip = deepCopy(this._skip) bldr.registeredSkip = deepCopy(this.registeredSkip)
bldr._take = deepCopy(this._take) bldr.registeredTake = deepCopy(this.registeredTake)
bldr._distinct = deepCopy(this._distinct) bldr.registeredDistinct = deepCopy(this.registeredDistinct)
bldr._groupings = deepCopy(this._groupings) bldr.registeredGroupings = deepCopy(this.registeredGroupings)
bldr._orders = deepCopy(this._orders) bldr.registeredOrders = deepCopy(this.registeredOrders)
bldr._connection = this._connection bldr.registeredConnection = this.registeredConnection
return bldr return bldr
} }
/** Get the constraints applied to this query. */ /** Get the constraints applied to this query. */
public get appliedConstraints() { public get appliedConstraints(): Constraint[] {
return deepCopy(this.constraints) return deepCopy(this.constraints)
} }
/** Get the fields that should be included in this query. */ /** Get the fields that should be included in this query. */
public get appliedFields() { public get appliedFields(): SpecifiedField[] {
return deepCopy(this._fields) return deepCopy(this.registeredFields)
} }
/** Get the skip/take values of this query. */ /** Get the skip/take values of this query. */
public get appliedPagination() { public get appliedPagination(): { skip: number | undefined, take: number | undefined} {
return { skip: this._skip, take: this._take } return { skip: this.registeredSkip,
take: this.registeredTake }
} }
/** True if the query should be DISTINCT */ /** True if the query should be DISTINCT */
public get appliedDistinction() { public get appliedDistinction(): boolean {
return this._distinct return this.registeredDistinct
} }
/** Get the SQL group-by clauses applied to this query. */ /** Get the SQL group-by clauses applied to this query. */
public get appliedGroupings() { public get appliedGroupings(): string[] {
return deepCopy(this._groupings) return deepCopy(this.registeredGroupings)
} }
/** Get the SQL order-by clauses applied to this query. */ /** Get the SQL order-by clauses applied to this query. */
public get appliedOrder() { public get appliedOrder(): OrderStatement[] {
return deepCopy(this._orders) return deepCopy(this.registeredOrders)
} }
/** Get the source table for this query. */ /** Get the source table for this query. */
public get querySource() { public get querySource(): QuerySource | undefined {
if ( this.source ) return deepCopy(this.source) if ( this.source ) {
return deepCopy(this.source)
}
} }
/** /**
@ -124,9 +127,10 @@ export abstract class AbstractBuilder<T> extends AppClass {
* @param table * @param table
* @param alias * @param alias
*/ */
from(table: string, alias?: string) { from(table: string, alias?: string): this {
if ( alias ) { if ( alias ) {
this.source = { table, alias } this.source = { table,
alias }
} else { } else {
this.source = table this.source = table
} }
@ -138,7 +142,7 @@ export abstract class AbstractBuilder<T> extends AppClass {
* @param table * @param table
* @param alias * @param alias
*/ */
table(table: string, alias?: string) { table(table: string, alias?: string): this {
return this.from(table, alias) return this.from(table, alias)
} }
@ -147,11 +151,12 @@ export abstract class AbstractBuilder<T> extends AppClass {
* @param field * @param field
* @param alias * @param alias
*/ */
field(field: string | QuerySafeValue, alias?: string) { field(field: string | QuerySafeValue, alias?: string): this {
if ( alias ) { if ( alias ) {
this._fields.push({ field, alias }) this.registeredFields.push({ field,
alias })
} else { } else {
this._fields.push(field) this.registeredFields.push(field)
} }
return this return this
} }
@ -161,7 +166,7 @@ export abstract class AbstractBuilder<T> extends AppClass {
* @param fields * @param fields
*/ */
fields(...fields: SpecifiedField[]): this { fields(...fields: SpecifiedField[]): this {
this._fields = [...this._fields, ...fields] this.registeredFields = [...this.registeredFields, ...fields]
return this return this
} }
@ -184,8 +189,8 @@ export abstract class AbstractBuilder<T> extends AppClass {
/** /**
* Remove all selected fields from this query. * Remove all selected fields from this query.
*/ */
clearFields() { clearFields(): this {
this._fields = [] this.registeredFields = []
return this return this
} }
@ -195,7 +200,7 @@ export abstract class AbstractBuilder<T> extends AppClass {
* @param operator * @param operator
* @param operand * @param operand
*/ */
where(field: string | ConstraintGroupClosure<T>, operator?: ConstraintOperator, operand?: EscapeValue) { where(field: string | ConstraintGroupClosure<T>, operator?: ConstraintOperator, operand?: EscapeValue): this {
this.createConstraint('AND', field, operator, operand) this.createConstraint('AND', field, operator, operand)
return this return this
} }
@ -206,7 +211,7 @@ export abstract class AbstractBuilder<T> extends AppClass {
* @param operator * @param operator
* @param operand * @param operand
*/ */
whereRaw(field: string, operator: ConstraintOperator, operand: string) { whereRaw(field: string, operator: ConstraintOperator, operand: string): this {
this.createConstraint('AND', field, operator, raw(operand)) this.createConstraint('AND', field, operator, raw(operand))
return this return this
} }
@ -217,7 +222,7 @@ export abstract class AbstractBuilder<T> extends AppClass {
* @param operator * @param operator
* @param operand * @param operand
*/ */
whereNot(field: string | ConstraintGroupClosure<T>, operator?: ConstraintOperator, operand?: EscapeValue) { whereNot(field: string | ConstraintGroupClosure<T>, operator?: ConstraintOperator, operand?: EscapeValue): this {
this.createConstraint('AND NOT', field, operator, operand) this.createConstraint('AND NOT', field, operator, operand)
return this return this
} }
@ -228,7 +233,7 @@ export abstract class AbstractBuilder<T> extends AppClass {
* @param operator * @param operator
* @param operand * @param operand
*/ */
orWhere(field: string | ConstraintGroupClosure<T>, operator?: ConstraintOperator, operand?: EscapeValue) { orWhere(field: string | ConstraintGroupClosure<T>, operator?: ConstraintOperator, operand?: EscapeValue): this {
this.createConstraint('OR', field, operator, operand) this.createConstraint('OR', field, operator, operand)
return this return this
} }
@ -239,7 +244,7 @@ export abstract class AbstractBuilder<T> extends AppClass {
* @param operator * @param operator
* @param operand * @param operand
*/ */
orWhereNot(field: string | ConstraintGroupClosure<T>, operator?: ConstraintOperator, operand?: EscapeValue) { orWhereNot(field: string | ConstraintGroupClosure<T>, operator?: ConstraintOperator, operand?: EscapeValue): this {
this.createConstraint('OR NOT', field, operator, operand) this.createConstraint('OR NOT', field, operator, operand)
return this return this
} }
@ -250,7 +255,7 @@ export abstract class AbstractBuilder<T> extends AppClass {
* @param operator * @param operator
* @param operand * @param operand
*/ */
orWhereRaw(field: string, operator: ConstraintOperator, operand: string) { orWhereRaw(field: string, operator: ConstraintOperator, operand: string): this {
this.createConstraint('OR', field, operator, raw(operand)) this.createConstraint('OR', field, operator, raw(operand))
return this return this
} }
@ -260,7 +265,7 @@ export abstract class AbstractBuilder<T> extends AppClass {
* @param field * @param field
* @param values * @param values
*/ */
whereIn(field: string, values: EscapeValue) { whereIn(field: string, values: EscapeValue): this {
this.constraints.push({ this.constraints.push({
field, field,
operator: 'IN', operator: 'IN',
@ -275,7 +280,7 @@ export abstract class AbstractBuilder<T> extends AppClass {
* @param field * @param field
* @param values * @param values
*/ */
whereNotIn(field: string, values: EscapeValue) { whereNotIn(field: string, values: EscapeValue): this {
this.constraints.push({ this.constraints.push({
field, field,
operator: 'NOT IN', operator: 'NOT IN',
@ -290,12 +295,12 @@ export abstract class AbstractBuilder<T> extends AppClass {
* @param field * @param field
* @param values * @param values
*/ */
orWhereIn(field: string, values: EscapeValue) { orWhereIn(field: string, values: EscapeValue): this {
this.constraints.push({ this.constraints.push({
field, field,
operator: 'IN', operator: 'IN',
operand: values, operand: values,
preop: 'OR' preop: 'OR',
}) })
return this return this
} }
@ -305,12 +310,12 @@ export abstract class AbstractBuilder<T> extends AppClass {
* @param field * @param field
* @param values * @param values
*/ */
orWhereNotIn(field: string, values: EscapeValue) { orWhereNotIn(field: string, values: EscapeValue): this {
this.constraints.push({ this.constraints.push({
field, field,
operator: 'NOT IN', operator: 'NOT IN',
operand: values, operand: values,
preop: 'OR' preop: 'OR',
}) })
return this return this
} }
@ -319,8 +324,8 @@ export abstract class AbstractBuilder<T> extends AppClass {
* Limit the query to a maximum number of rows. * Limit the query to a maximum number of rows.
* @param rows * @param rows
*/ */
limit(rows: number) { limit(rows: number): this {
this._take = rows this.registeredTake = rows
return this return this
} }
@ -328,7 +333,7 @@ export abstract class AbstractBuilder<T> extends AppClass {
* Alias of `limit()`. * Alias of `limit()`.
* @param rows * @param rows
*/ */
take(rows: number) { take(rows: number): this {
return this.limit(rows) return this.limit(rows)
} }
@ -336,8 +341,8 @@ export abstract class AbstractBuilder<T> extends AppClass {
* Skip the first `rows` many rows in the result set. * Skip the first `rows` many rows in the result set.
* @param rows * @param rows
*/ */
skip(rows: number) { skip(rows: number): this {
this._skip = rows this.registeredSkip = rows
return this return this
} }
@ -345,23 +350,23 @@ export abstract class AbstractBuilder<T> extends AppClass {
* Alias of `skip()`. * Alias of `skip()`.
* @param rows * @param rows
*/ */
offset(rows: number) { offset(rows: number): this {
return this.skip(rows) return this.skip(rows)
} }
/** /**
* Make the query return only distinct rows. * Make the query return only distinct rows.
*/ */
distinct() { distinct(): this {
this._distinct = true this.registeredDistinct = true
return this return this
} }
/** /**
* Allow the query to return non-distinct rows. (Undoes `distinct()`.) * Allow the query to return non-distinct rows. (Undoes `distinct()`.)
*/ */
notDistinct() { notDistinct(): this {
this._distinct = false this.registeredDistinct = false
return this return this
} }
@ -371,7 +376,7 @@ export abstract class AbstractBuilder<T> extends AppClass {
* @param pageNum * @param pageNum
* @param pageSize * @param pageSize
*/ */
page(pageNum: number = 1, pageSize: number = 20) { page(pageNum = 1, pageSize = 20): this {
this.skip(pageSize * (pageNum - 1)) this.skip(pageSize * (pageNum - 1))
this.take(pageSize) this.take(pageSize)
return this return this
@ -381,8 +386,8 @@ export abstract class AbstractBuilder<T> extends AppClass {
* Apply one or more GROUP-BY clauses to the query. * Apply one or more GROUP-BY clauses to the query.
* @param groupings * @param groupings
*/ */
groupBy(...groupings: string[]) { groupBy(...groupings: string[]): this {
this._groupings = groupings this.registeredGroupings = groupings
return this return this
} }
@ -391,8 +396,9 @@ export abstract class AbstractBuilder<T> extends AppClass {
* @param field * @param field
* @param direction * @param direction
*/ */
orderBy(field: string, direction: OrderDirection = 'ASC') { orderBy(field: string, direction: OrderDirection = 'ASC'): this {
this._orders.push({ field, direction }) this.registeredOrders.push({ field,
direction })
return this return this
} }
@ -400,7 +406,7 @@ export abstract class AbstractBuilder<T> extends AppClass {
* Order the query by the given field, ascending. * Order the query by the given field, ascending.
* @param field * @param field
*/ */
orderByAscending(field: string) { orderByAscending(field: string): this {
return this.orderBy(field, 'ASC') return this.orderBy(field, 'ASC')
} }
@ -408,7 +414,7 @@ export abstract class AbstractBuilder<T> extends AppClass {
* Order the query by the given field, descending. * Order the query by the given field, descending.
* @param field * @param field
*/ */
orderByDescending(field: string) { orderByDescending(field: string): this {
return this.orderBy(field, 'DESC') return this.orderBy(field, 'DESC')
} }
@ -416,11 +422,11 @@ export abstract class AbstractBuilder<T> extends AppClass {
* Specify the connection name or instance to execute the query on. * Specify the connection name or instance to execute the query on.
* @param nameOrInstance * @param nameOrInstance
*/ */
connection(nameOrInstance: string | Connection) { connection(nameOrInstance: string | Connection): this {
if ( nameOrInstance instanceof Connection ) { if ( nameOrInstance instanceof Connection ) {
this._connection = nameOrInstance this.registeredConnection = nameOrInstance
} else { } else {
this._connection = this.databaseService.get(nameOrInstance) this.registeredConnection = this.databaseService.get(nameOrInstance)
} }
return this return this
@ -430,11 +436,11 @@ export abstract class AbstractBuilder<T> extends AppClass {
* Get a result iterable for the rows of this query. * Get a result iterable for the rows of this query.
*/ */
iterator(): AbstractResultIterable<T> { iterator(): AbstractResultIterable<T> {
if ( !this._connection ) { if ( !this.registeredConnection ) {
throw new ErrorWithContext(`No connection specified to fetch iterator for query.`) throw new ErrorWithContext(`No connection specified to fetch iterator for query.`)
} }
return this.getResultIterable(); return this.getResultIterable()
} }
/** /**
@ -469,12 +475,12 @@ export abstract class AbstractBuilder<T> extends AppClass {
* @param data * @param data
*/ */
async update(data: {[key: string]: EscapeValue}): Promise<QueryResult> { async update(data: {[key: string]: EscapeValue}): Promise<QueryResult> {
if ( !this._connection ) { if ( !this.registeredConnection ) {
throw new ErrorWithContext(`No connection specified to execute update query.`) throw new ErrorWithContext(`No connection specified to execute update query.`)
} }
const query = this._connection.dialect().renderUpdate(this, data) const query = this.registeredConnection.dialect().renderUpdate(this, data)
return this._connection.query(query) return this.registeredConnection.query(query)
} }
/** /**
@ -495,12 +501,12 @@ export abstract class AbstractBuilder<T> extends AppClass {
* *
*/ */
async delete(): Promise<QueryResult> { async delete(): Promise<QueryResult> {
if ( !this._connection ) { if ( !this.registeredConnection ) {
throw new ErrorWithContext(`No connection specified to execute update query.`) throw new ErrorWithContext(`No connection specified to execute update query.`)
} }
const query = this._connection.dialect().renderDelete(this) const query = this.registeredConnection.dialect().renderDelete(this)
return this._connection.query(query) return this.registeredConnection.query(query)
} }
/** /**
@ -527,26 +533,26 @@ export abstract class AbstractBuilder<T> extends AppClass {
* *
* @param rowOrRows * @param rowOrRows
*/ */
async insert(rowOrRows: {[key: string]: EscapeValue}|{[key: string]: EscapeValue}[]) { async insert(rowOrRows: {[key: string]: EscapeValue}|{[key: string]: EscapeValue}[]): Promise<QueryResult> {
if ( !this._connection ) { if ( !this.registeredConnection ) {
throw new ErrorWithContext(`No connection specified to execute update query.`) throw new ErrorWithContext(`No connection specified to execute update query.`)
} }
const query = this._connection.dialect().renderInsert(this, rowOrRows) const query = this.registeredConnection.dialect().renderInsert(this, rowOrRows)
return this._connection.query(query) return this.registeredConnection.query(query)
} }
/** /**
* Returns true if at least one row matches the current query. * Returns true if at least one row matches the current query.
*/ */
async exists() { async exists(): Promise<boolean> {
if ( !this._connection ) { if ( !this.registeredConnection ) {
throw new ErrorWithContext(`No connection specified to execute update query.`) throw new ErrorWithContext(`No connection specified to execute update query.`)
} }
const query = this._connection.dialect().renderExistential(this) const query = this.registeredConnection.dialect().renderExistential(this)
const result = await this._connection.query(query) const result = await this.registeredConnection.query(query)
return !!result.rows.first() return Boolean(result.rows.first())
} }
/** /**
@ -557,17 +563,20 @@ export abstract class AbstractBuilder<T> extends AppClass {
* @param operand * @param operand
* @private * @private
*/ */
private createConstraint(preop: ConstraintConnectionOperator, field: string | ConstraintGroupClosure<T>, operator?: ConstraintOperator, operand?: any) { private createConstraint(preop: ConstraintConnectionOperator, field: string | ConstraintGroupClosure<T>, operator?: ConstraintOperator, operand?: any): void {
if ( typeof field === 'function' ) { if ( typeof field === 'function' ) {
const builder = this.getNewInstance() const builder = this.getNewInstance()
field(builder) field(builder)
this.constraints.push({ this.constraints.push({
preop, preop,
items: builder.appliedConstraints items: builder.appliedConstraints,
}) })
} else if ( field && operator && typeof operand !== 'undefined' ) { } else if ( field && operator && typeof operand !== 'undefined' ) {
this.constraints.push({ this.constraints.push({
field, operator, operand, preop, // FIXME escape operand field,
operator,
operand,
preop, // FIXME escape operand
}) })
} }
} }

@ -1,23 +1,23 @@
import {ErrorWithContext} from "../../util"; import {ErrorWithContext} from '../../util'
import {Container} from "../../di"; import {Container} from '../../di'
import {ResultIterable} from "./result/ResultIterable"; import {ResultIterable} from './result/ResultIterable'
import {QueryRow} from "../types"; import {QueryRow} from '../types'
import {AbstractBuilder} from "./AbstractBuilder"; import {AbstractBuilder} from './AbstractBuilder'
import {AbstractResultIterable} from "./result/AbstractResultIterable"; import {AbstractResultIterable} from './result/AbstractResultIterable'
/** /**
* Implementation of the abstract builder class that returns simple QueryRow objects. * Implementation of the abstract builder class that returns simple QueryRow objects.
*/ */
export class Builder extends AbstractBuilder<QueryRow> { export class Builder extends AbstractBuilder<QueryRow> {
public getNewInstance(): AbstractBuilder<QueryRow> { public getNewInstance(): AbstractBuilder<QueryRow> {
return Container.getContainer().make<Builder>(Builder); return Container.getContainer().make<Builder>(Builder)
} }
public getResultIterable(): AbstractResultIterable<QueryRow> { public getResultIterable(): AbstractResultIterable<QueryRow> {
if ( !this._connection ) { if ( !this.registeredConnection ) {
throw new ErrorWithContext(`No connection specified to fetch iterator for query.`) throw new ErrorWithContext(`No connection specified to fetch iterator for query.`)
} }
return Container.getContainer().make<ResultIterable>(ResultIterable, this, this._connection) return Container.getContainer().make<ResultIterable>(ResultIterable, this, this.registeredConnection)
} }
} }

@ -1,6 +1,6 @@
import {Collection, Iterable} from "../../../util" import {Collection, Iterable} from '../../../util'
import {Connection} from "../../connection/Connection"; import {Connection} from '../../connection/Connection'
import {AbstractBuilder} from "../AbstractBuilder"; import {AbstractBuilder} from '../AbstractBuilder'
/** /**
* Base Iterable class that generates the results of a Builder query. * Base Iterable class that generates the results of a Builder query.
@ -12,7 +12,9 @@ export abstract class AbstractResultIterable<T> extends Iterable<T> {
/** The connection on which to execute the builder. */ /** The connection on which to execute the builder. */
public readonly connection: Connection, public readonly connection: Connection,
) { super() } ) {
super()
}
/** /**
* Get the SQL string for the SELECT query for this iterable. * Get the SQL string for the SELECT query for this iterable.

@ -1,5 +1,5 @@
import {AsyncCollection} from "../../../util"; import {AsyncCollection} from '../../../util'
import {AbstractResultIterable} from "./AbstractResultIterable"; import {AbstractResultIterable} from './AbstractResultIterable'
/** /**
* Async collection class that iterates AbstractResultIterables in chunks. * Async collection class that iterates AbstractResultIterables in chunks.
@ -10,7 +10,7 @@ export class ResultCollection<T> extends AsyncCollection<T> {
iterator: AbstractResultIterable<T>, iterator: AbstractResultIterable<T>,
/** The max number of records to request per-query, by default. */ /** The max number of records to request per-query, by default. */
chunkSize: number = 500 chunkSize = 500,
) { ) {
super(iterator, chunkSize) super(iterator, chunkSize)
} }

@ -1,8 +1,8 @@
import {QueryRow} from "../../types"; import {QueryRow} from '../../types'
import {Builder} from "../Builder"; import {Builder} from '../Builder'
import {Connection} from "../../connection/Connection"; import {Connection} from '../../connection/Connection'
import {AbstractResultIterable} from "./AbstractResultIterable"; import {AbstractResultIterable} from './AbstractResultIterable'
import {Collection} from "../../../util"; import {Collection} from '../../../util'
/** /**
* Implementation of AbstractResultIterable that yields simple QueryRow instances (objects). * Implementation of AbstractResultIterable that yields simple QueryRow instances (objects).
@ -11,9 +11,11 @@ export class ResultIterable extends AbstractResultIterable<QueryRow> {
constructor( constructor(
public readonly builder: Builder, public readonly builder: Builder,
public readonly connection: Connection, public readonly connection: Connection,
) { super(builder, connection) } ) {
super(builder, connection)
}
public get selectSQL() { public get selectSQL(): string {
return this.connection.dialect().renderSelect(this.builder) return this.connection.dialect().renderSelect(this.builder)
} }
@ -27,7 +29,7 @@ export class ResultIterable extends AbstractResultIterable<QueryRow> {
return (await this.connection.query(query)).rows return (await this.connection.query(query)).rows
} }
async count() { async count(): Promise<number> {
const query = this.connection.dialect().renderCount(this.selectSQL) const query = this.connection.dialect().renderCount(this.selectSQL)
const result = (await this.connection.query(query)).rows.first() const result = (await this.connection.query(query)).rows.first()
return result?.extollo_render_count ?? 0 return result?.extollo_render_count ?? 0
@ -38,7 +40,7 @@ export class ResultIterable extends AbstractResultIterable<QueryRow> {
return result.rows return result.rows
} }
clone() { clone(): ResultIterable {
return new ResultIterable(this.builder, this.connection) return new ResultIterable(this.builder, this.connection)
} }
} }

@ -1,7 +1,7 @@
import {Collection, ErrorWithContext} from "../../util"; import {ErrorWithContext} from '../../util'
import {QueryResult} from "../types"; import {QueryResult} from '../types'
import {SQLDialect} from "../dialect/SQLDialect"; import {SQLDialect} from '../dialect/SQLDialect'
import {AppClass} from "../../lifecycle/AppClass"; import {AppClass} from '../../lifecycle/AppClass'
/** /**
* Error thrown when a connection is used before it is ready. * Error thrown when a connection is used before it is ready.
@ -30,7 +30,9 @@ export abstract class Connection extends AppClass {
* This connection's config object * This connection's config object
*/ */
public readonly config: any = {}, public readonly config: any = {},
) { super() } ) {
super()
}
public abstract dialect(): SQLDialect public abstract dialect(): SQLDialect

@ -1,11 +1,11 @@
import {Connection, ConnectionNotReadyError} from "./Connection"; import {Connection, ConnectionNotReadyError} from './Connection'
import {Client} from "pg"; import {Client} from 'pg'
import {Inject} from "../../di"; import {Inject} from '../../di'
import {QueryResult} from "../types"; import {QueryResult} from '../types'
import {collect} from "../../util"; import {collect} from '../../util'
import {SQLDialect} from "../dialect/SQLDialect"; import {SQLDialect} from '../dialect/SQLDialect'
import {PostgreSQLDialect} from "../dialect/PostgreSQLDialect"; import {PostgreSQLDialect} from '../dialect/PostgreSQLDialect'
import {Logging} from "../../service/Logging"; import {Logging} from '../../service/Logging'
/** /**
* Type interface representing the config for a PostgreSQL connection. * Type interface representing the config for a PostgreSQL connection.
@ -32,13 +32,13 @@ export class PostgresConnection extends Connection {
return <PostgreSQLDialect> this.app().make(PostgreSQLDialect) return <PostgreSQLDialect> this.app().make(PostgreSQLDialect)
} }
public async init() { public async init(): Promise<void> {
this.logging.debug(`Initializing PostgreSQL connection ${this.name}...`) this.logging.debug(`Initializing PostgreSQL connection ${this.name}...`)
this.client = new Client(this.config) this.client = new Client(this.config)
await this.client.connect() await this.client.connect()
} }
public async close() { public async close(): Promise<void> {
this.logging.debug(`Closing PostgreSQL connection ${this.name}...`) this.logging.debug(`Closing PostgreSQL connection ${this.name}...`)
if ( this.client ) { if ( this.client ) {
await this.client.end() await this.client.end()
@ -46,8 +46,11 @@ export class PostgresConnection extends Connection {
} }
public async query(query: string): Promise<QueryResult> { public async query(query: string): Promise<QueryResult> {
if ( !this.client ) throw new ConnectionNotReadyError(this.name, { config: JSON.stringify(this.config) }) if ( !this.client ) {
this.logging.verbose(`Executing query in connection ${this.name}: \n${query.split('\n').map(x => ' ' + x).join('\n')}`) throw new ConnectionNotReadyError(this.name, { config: JSON.stringify(this.config) })
}
this.logging.verbose(`Executing query in connection ${this.name}: \n${query.split('\n').map(x => ' ' + x)
.join('\n')}`)
try { try {
const result = await this.client.query(query) const result = await this.client.query(query)

@ -1,6 +1,6 @@
import {EscapeValue, QuerySafeValue, raw, SQLDialect} from './SQLDialect'; import {EscapeValue, QuerySafeValue, raw, SQLDialect} from './SQLDialect'
import {Constraint, isConstraintGroup, isConstraintItem, SpecifiedField} from "../types"; import {Constraint, isConstraintGroup, isConstraintItem, SpecifiedField} from '../types'
import {AbstractBuilder} from "../builder/AbstractBuilder"; import {AbstractBuilder} from '../builder/AbstractBuilder'
/** /**
* An implementation of the SQLDialect specific to PostgreSQL. * An implementation of the SQLDialect specific to PostgreSQL.
@ -8,8 +8,9 @@ import {AbstractBuilder} from "../builder/AbstractBuilder";
export class PostgreSQLDialect extends SQLDialect { export class PostgreSQLDialect extends SQLDialect {
public escape(value: EscapeValue): QuerySafeValue { public escape(value: EscapeValue): QuerySafeValue {
if ( value instanceof QuerySafeValue ) return value if ( value instanceof QuerySafeValue ) {
else if ( Array.isArray(value) ) { return value
} else if ( Array.isArray(value) ) {
return new QuerySafeValue(value, `(${value.map(v => this.escape(v)).join(',')})`) return new QuerySafeValue(value, `(${value.map(v => this.escape(v)).join(',')})`)
} else if ( String(value).toLowerCase() === 'true' || value === true ) { } else if ( String(value).toLowerCase() === 'true' || value === true ) {
return new QuerySafeValue(value, 'TRUE') return new QuerySafeValue(value, 'TRUE')
@ -34,7 +35,7 @@ export class PostgreSQLDialect extends SQLDialect {
} else if ( value === null || typeof value === 'undefined' ) { } else if ( value === null || typeof value === 'undefined' ) {
return new QuerySafeValue(value, 'NULL') return new QuerySafeValue(value, 'NULL')
} else { } else {
const escaped = value.replace(/'/g, '\\\'') //.replace(/"/g, '\\"').replace(/`/g, '\\`') const escaped = value.replace(/'/g, '\\\'') // .replace(/"/g, '\\"').replace(/`/g, '\\`')
return new QuerySafeValue(value, `'${escaped}'`) return new QuerySafeValue(value, `'${escaped}'`)
} }
} }
@ -44,7 +45,7 @@ export class PostgreSQLDialect extends SQLDialect {
'SELECT COUNT(*) AS "extollo_render_count"', 'SELECT COUNT(*) AS "extollo_render_count"',
'FROM (', 'FROM (',
...query.split('\n').map(x => ` ${x}`), ...query.split('\n').map(x => ` ${x}`),
') AS extollo_target_query' ') AS extollo_target_query',
].join('\n') ].join('\n')
} }
@ -54,35 +55,46 @@ export class PostgreSQLDialect extends SQLDialect {
'FROM (', 'FROM (',
...query.split('\n').map(x => ` ${x}`), ...query.split('\n').map(x => ` ${x}`),
') AS extollo_target_query', ') AS extollo_target_query',
`OFFSET ${start} LIMIT ${(end - start) + 1}` `OFFSET ${start} LIMIT ${(end - start) + 1}`,
].join('\n') ].join('\n')
} }
/** Render the fields from the builder class to PostgreSQL syntax. */ /** Render the fields from the builder class to PostgreSQL syntax. */
protected renderFields(builder: AbstractBuilder<any>) { protected renderFields(builder: AbstractBuilder<any>): string[] {
return builder.appliedFields.map((field: SpecifiedField) => { return builder.appliedFields.map((field: SpecifiedField) => {
let columnString: string let columnString: string
if ( typeof field === 'string' ) columnString = field.split('.').map(x => `"${x}"`).join('.') if ( typeof field === 'string' ) {
else if ( field instanceof QuerySafeValue ) columnString = field.toString() columnString = field.split('.').map(x => `"${x}"`)
else if ( typeof field.field === 'string' ) columnString = field.field.split('.').map(x => `"${x}"`).join('.') .join('.')
else columnString = field.field.toString() } else if ( field instanceof QuerySafeValue ) {
columnString = field.toString()
} else if ( typeof field.field === 'string' ) {
columnString = field.field.split('.').map(x => `"${x}"`)
.join('.')
} else {
columnString = field.field.toString()
}
let aliasString = '' let aliasString = ''
if ( typeof field !== 'string' && !(field instanceof QuerySafeValue) ) aliasString = ` AS "${field.alias}"` if ( typeof field !== 'string' && !(field instanceof QuerySafeValue) ) {
aliasString = ` AS "${field.alias}"`
}
return `${columnString}${aliasString}` return `${columnString}${aliasString}`
}) })
} }
public renderSelect(builder: AbstractBuilder<any>): string { public renderSelect(builder: AbstractBuilder<any>): string {
const indent = (item: string, level = 1) => Array(level + 1).fill('').join(' ') + item const indent = (item: string, level = 1) => Array(level + 1).fill('')
.join(' ') + item
const queryLines = [ const queryLines = [
`SELECT${builder.appliedDistinction ? ' DISTINCT' : ''}` `SELECT${builder.appliedDistinction ? ' DISTINCT' : ''}`,
] ]
// Add fields // Add fields
// FIXME error if no fields // FIXME error if no fields
const fields = this.renderFields(builder).map(x => indent(x)).join(',\n') const fields = this.renderFields(builder).map(x => indent(x))
.join(',\n')
queryLines.push(fields) queryLines.push(fields)
@ -91,7 +103,8 @@ export class PostgreSQLDialect extends SQLDialect {
const source = builder.querySource const source = builder.querySource
if ( source ) { if ( source ) {
const tableString = typeof source === 'string' ? source : source.table const tableString = typeof source === 'string' ? source : source.table
const table: string = tableString.split('.').map(x => `"${x}"`).join('.') const table: string = tableString.split('.').map(x => `"${x}"`)
.join('.')
queryLines.push('FROM ' + (typeof source === 'string' ? table : `${table} "${source.alias}"`)) queryLines.push('FROM ' + (typeof source === 'string' ? table : `${table} "${source.alias}"`))
} }
@ -105,7 +118,8 @@ export class PostgreSQLDialect extends SQLDialect {
// Add group by // Add group by
if ( builder.appliedGroupings?.length ) { if ( builder.appliedGroupings?.length ) {
const grouping = builder.appliedGroupings.map(group => { const grouping = builder.appliedGroupings.map(group => {
return indent(group.split('.').map(x => `"${x}"`).join('.')) return indent(group.split('.').map(x => `"${x}"`)
.join('.'))
}).join(',\n') }).join(',\n')
queryLines.push('GROUP BY') queryLines.push('GROUP BY')
@ -114,7 +128,8 @@ export class PostgreSQLDialect extends SQLDialect {
// Add order by // Add order by
if ( builder.appliedOrder?.length ) { if ( builder.appliedOrder?.length ) {
const ordering = builder.appliedOrder.map(x => indent(`${x.field.split('.').map(x => '"' + x + '"').join('.')} ${x.direction}`)).join(',\n') const ordering = builder.appliedOrder.map(x => indent(`${x.field.split('.').map(y => '"' + y + '"')
.join('.')} ${x.direction}`)).join(',\n')
queryLines.push('ORDER BY') queryLines.push('ORDER BY')
queryLines.push(ordering) queryLines.push(ordering)
} }
@ -132,14 +147,14 @@ export class PostgreSQLDialect extends SQLDialect {
// TODO support FROM, RETURNING // TODO support FROM, RETURNING
public renderUpdate(builder: AbstractBuilder<any>, data: {[key: string]: EscapeValue}): string { public renderUpdate(builder: AbstractBuilder<any>, data: {[key: string]: EscapeValue}): string {
const indent = (item: string, level = 1) => Array(level + 1).fill('').join(' ') + item
const queryLines: string[] = [] const queryLines: string[] = []
// Add table source // Add table source
const source = builder.querySource const source = builder.querySource
if ( source ) { if ( source ) {
const tableString = typeof source === 'string' ? source : source.table const tableString = typeof source === 'string' ? source : source.table
const table: string = tableString.split('.').map(x => `"${x}"`).join('.') const table: string = tableString.split('.').map(x => `"${x}"`)
.join('.')
queryLines.push('UPDATE ' + (typeof source === 'string' ? table : `${table} "${source.alias}"`)) queryLines.push('UPDATE ' + (typeof source === 'string' ? table : `${table} "${source.alias}"`))
} }
@ -166,17 +181,21 @@ export class PostgreSQLDialect extends SQLDialect {
// FIXME: subquery support here and with select // FIXME: subquery support here and with select
public renderInsert(builder: AbstractBuilder<any>, data: {[key: string]: EscapeValue}|{[key: string]: EscapeValue}[] = []): string { public renderInsert(builder: AbstractBuilder<any>, data: {[key: string]: EscapeValue}|{[key: string]: EscapeValue}[] = []): string {
const indent = (item: string, level = 1) => Array(level + 1).fill('').join(' ') + item const indent = (item: string, level = 1) => Array(level + 1).fill('')
.join(' ') + item
const queryLines: string[] = [] const queryLines: string[] = []
if ( !Array.isArray(data) ) data = [data] if ( !Array.isArray(data) ) {
data = [data]
}
const columns = Object.keys(data[0]) const columns = Object.keys(data[0])
// Add table source // Add table source
const source = builder.querySource const source = builder.querySource
if ( source ) { if ( source ) {
const tableString = typeof source === 'string' ? source : source.table const tableString = typeof source === 'string' ? source : source.table
const table: string = tableString.split('.').map(x => `"${x}"`).join('.') const table: string = tableString.split('.').map(x => `"${x}"`)
.join('.')
queryLines.push('INSERT INTO ' + (typeof source === 'string' ? table : `${table} AS "${source.alias}"`) queryLines.push('INSERT INTO ' + (typeof source === 'string' ? table : `${table} AS "${source.alias}"`)
+ (columns.length ? ` (${columns.join(', ')})` : '')) + (columns.length ? ` (${columns.join(', ')})` : ''))
} }
@ -187,9 +206,9 @@ export class PostgreSQLDialect extends SQLDialect {
queryLines.push('VALUES') queryLines.push('VALUES')
const valueString = data.map(row => { const valueString = data.map(row => {
const values = columns.map(x => this.escape(row[x])) const values = columns.map(x => this.escape(row[x]))
return indent(`(${values.join(', ')})`) return indent(`(${values.join(', ')})`)
}) })
.join(',\n') .join(',\n')
queryLines.push(valueString) queryLines.push(valueString)
@ -198,7 +217,8 @@ export class PostgreSQLDialect extends SQLDialect {
// Add return fields // Add return fields
if ( builder.appliedFields?.length ) { if ( builder.appliedFields?.length ) {
queryLines.push('RETURNING') queryLines.push('RETURNING')
const fields = this.renderFields(builder).map(x => indent(x)).join(',\n') const fields = this.renderFields(builder).map(x => indent(x))
.join(',\n')
queryLines.push(fields) queryLines.push(fields)
} }
@ -207,14 +227,16 @@ export class PostgreSQLDialect extends SQLDialect {
} }
public renderDelete(builder: AbstractBuilder<any>): string { public renderDelete(builder: AbstractBuilder<any>): string {
const indent = (item: string, level = 1) => Array(level + 1).fill('').join(' ') + item const indent = (item: string, level = 1) => Array(level + 1).fill('')
.join(' ') + item
const queryLines: string[] = [] const queryLines: string[] = []
// Add table source // Add table source
const source = builder.querySource const source = builder.querySource
if ( source ) { if ( source ) {
const tableString = typeof source === 'string' ? source : source.table const tableString = typeof source === 'string' ? source : source.table
const table: string = tableString.split('.').map(x => `"${x}"`).join('.') const table: string = tableString.split('.').map(x => `"${x}"`)
.join('.')
queryLines.push('DELETE FROM ' + (typeof source === 'string' ? table : `${table} "${source.alias}"`)) queryLines.push('DELETE FROM ' + (typeof source === 'string' ? table : `${table} "${source.alias}"`))
} }
@ -229,7 +251,8 @@ export class PostgreSQLDialect extends SQLDialect {
if ( builder.appliedFields?.length ) { if ( builder.appliedFields?.length ) {
queryLines.push('RETURNING') queryLines.push('RETURNING')
const fields = this.renderFields(builder).map(x => indent(x)).join(',\n') const fields = this.renderFields(builder).map(x => indent(x))
.join(',\n')
queryLines.push(fields) queryLines.push(fields)
} }
@ -237,16 +260,18 @@ export class PostgreSQLDialect extends SQLDialect {
return queryLines.join('\n') return queryLines.join('\n')
} }
public renderConstraints(constraints: Constraint[]): string { public renderConstraints(allConstraints: Constraint[]): string {
const constraintsToSql = (constraints: Constraint[], level = 1): string => { const constraintsToSql = (constraints: Constraint[], level = 1): string => {
const indent = Array(level * 2).fill(' ').join('') const indent = Array(level * 2).fill(' ')
let statements = [] .join('')
const statements = []
for ( const constraint of constraints ) { for ( const constraint of constraints ) {
if ( isConstraintGroup(constraint) ) { if ( isConstraintGroup(constraint) ) {
statements.push(`${indent}${statements.length < 1 ? '' : constraint.preop + ' '}(\n${constraintsToSql(constraint.items, level + 1)}\n${indent})`) statements.push(`${indent}${statements.length < 1 ? '' : constraint.preop + ' '}(\n${constraintsToSql(constraint.items, level + 1)}\n${indent})`)
} else if ( isConstraintItem(constraint) ) { } else if ( isConstraintItem(constraint) ) {
const field: string = constraint.field.split('.').map(x => `"${x}"`).join('.') const field: string = constraint.field.split('.').map(x => `"${x}"`)
.join('.')
statements.push(`${indent}${statements.length < 1 ? '' : constraint.preop + ' '}${field} ${constraint.operator} ${this.escape(constraint.operand).value}`) statements.push(`${indent}${statements.length < 1 ? '' : constraint.preop + ' '}${field} ${constraint.operator} ${this.escape(constraint.operand).value}`)
} }
} }
@ -254,13 +279,15 @@ export class PostgreSQLDialect extends SQLDialect {
return statements.filter(Boolean).join('\n') return statements.filter(Boolean).join('\n')
} }
return constraintsToSql(constraints) return constraintsToSql(allConstraints)
} }
public renderUpdateSet(data: {[key: string]: EscapeValue}) { public renderUpdateSet(data: {[key: string]: EscapeValue}): string {
const sets = [] const sets = []
for ( const key in data ) { for ( const key in data ) {
if ( !data.hasOwnProperty(key) ) continue if ( !Object.prototype.hasOwnProperty.call(data, key) ) {
continue
}
sets.push(` "${key}" = ${this.escape(data[key])}`) sets.push(` "${key}" = ${this.escape(data[key])}`)
} }

@ -1,6 +1,6 @@
import {Constraint} from "../types"; import {Constraint} from '../types'
import {AbstractBuilder} from "../builder/AbstractBuilder"; import {AbstractBuilder} from '../builder/AbstractBuilder'
import {AppClass} from "../../lifecycle/AppClass"; import {AppClass} from '../../lifecycle/AppClass'
/** /**
* A value which can be escaped to be interpolated into an SQL query. * A value which can be escaped to be interpolated into an SQL query.
@ -18,15 +18,15 @@ export type EscapeValueObject = { [field: string]: EscapeValue }
export class QuerySafeValue { export class QuerySafeValue {
constructor( constructor(
/** The unescaped value. */ /** The unescaped value. */
public readonly originalValue: any, public readonly originalValue: unknown,
/** The query-safe sanitized value. */ /** The query-safe sanitized value. */
public readonly value: any, public readonly value: unknown,
) { } ) { }
/** Cast the value to a query-safe string. */ /** Cast the value to a query-safe string. */
toString() { toString(): string {
return this.value return String(this.value)
} }
} }
@ -35,7 +35,7 @@ export class QuerySafeValue {
* This is dangerous and should NEVER be used to wrap user input. * This is dangerous and should NEVER be used to wrap user input.
* @param value * @param value
*/ */
export function raw(value: any) { export function raw(value: unknown): QuerySafeValue {
return new QuerySafeValue(value, value) return new QuerySafeValue(value, value)
} }

@ -1,5 +1,5 @@
import {Collection} from "../../util"; import {Collection} from '../../util'
import {FieldType} from "../types"; import {FieldType} from '../types'
/** The reflection metadata key containing information about the model's fields. */ /** The reflection metadata key containing information about the model's fields. */
export const EXTOLLO_ORM_MODEL_FIELDS_METADATA_KEY = 'extollo:orm:Field.ts' export const EXTOLLO_ORM_MODEL_FIELDS_METADATA_KEY = 'extollo:orm:Field.ts'
@ -17,8 +17,8 @@ export interface ModelField {
* Retrieve a collection of ModelField metadata from the given model. * Retrieve a collection of ModelField metadata from the given model.
* @param model * @param model
*/ */
export function getFieldsMeta(model: any): Collection<ModelField> { export function getFieldsMeta(model: unknown): Collection<ModelField> {
const fields = Reflect.getMetadata(EXTOLLO_ORM_MODEL_FIELDS_METADATA_KEY, model.constructor) const fields = Reflect.getMetadata(EXTOLLO_ORM_MODEL_FIELDS_METADATA_KEY, (model as any).constructor)
if ( !(fields instanceof Collection) ) { if ( !(fields instanceof Collection) ) {
return new Collection<ModelField>() return new Collection<ModelField>()
} }
@ -31,8 +31,8 @@ export function getFieldsMeta(model: any): Collection<ModelField> {
* @param model * @param model
* @param fields * @param fields
*/ */
export function setFieldsMeta(model: any, fields: Collection<ModelField>) { export function setFieldsMeta(model: unknown, fields: Collection<ModelField>): void {
Reflect.defineMetadata(EXTOLLO_ORM_MODEL_FIELDS_METADATA_KEY, fields, model.constructor) Reflect.defineMetadata(EXTOLLO_ORM_MODEL_FIELDS_METADATA_KEY, fields, (model as any).constructor)
} }
/** /**
@ -57,7 +57,9 @@ export function setFieldsMeta(model: any, fields: Collection<ModelField>) {
*/ */
export function Field(type: FieldType, databaseKey?: string): PropertyDecorator { export function Field(type: FieldType, databaseKey?: string): PropertyDecorator {
return (target, modelKey) => { return (target, modelKey) => {
if ( !databaseKey ) databaseKey = String(modelKey) if ( !databaseKey ) {
databaseKey = String(modelKey)
}
const fields = getFieldsMeta(target) const fields = getFieldsMeta(target)
const existingField = fields.firstWhere('modelKey', '=', modelKey) const existingField = fields.firstWhere('modelKey', '=', modelKey)

@ -1,12 +1,13 @@
import {ModelKey, QueryRow, QuerySource} from "../types"; import {ModelKey, QueryRow, QuerySource} from '../types'
import {Container, Inject} from "../../di"; import {Container, Inject} from '../../di'
import {DatabaseService} from "../DatabaseService"; import {DatabaseService} from '../DatabaseService'
import {ModelBuilder} from "./ModelBuilder"; import {ModelBuilder} from './ModelBuilder'
import {getFieldsMeta, ModelField} from "./Field"; import {getFieldsMeta, ModelField} from './Field'
import {deepCopy, BehaviorSubject, Pipe, Collection} from "../../util"; import {deepCopy, BehaviorSubject, Pipe, Collection} from '../../util'
import {EscapeValueObject} from "../dialect/SQLDialect"; import {EscapeValueObject} from '../dialect/SQLDialect'
import {AppClass} from "../../lifecycle/AppClass"; import {AppClass} from '../../lifecycle/AppClass'
import {Logging} from "../../service/Logging"; import {Logging} from '../../service/Logging'
import {Connection} from '../connection/Connection'
/** /**
* Base for classes that are mapped to tables in a database. * Base for classes that are mapped to tables in a database.
@ -19,7 +20,7 @@ export abstract class Model<T extends Model<T>> extends AppClass {
* The name of the connection this model should run through. * The name of the connection this model should run through.
* @type string * @type string
*/ */
protected static connection: string = 'default' protected static connection = 'default'
/** /**
* The name of the table this model is stored in. * The name of the table this model is stored in.
@ -36,7 +37,7 @@ export abstract class Model<T extends Model<T>> extends AppClass {
/** /**
* If false (default), the primary key will be excluded from INSERTs. * If false (default), the primary key will be excluded from INSERTs.
*/ */
protected static populateKeyOnInsert: boolean = false protected static populateKeyOnInsert = false
/** /**
* Optionally, the timestamp field set on creation. * Optionally, the timestamp field set on creation.
@ -74,7 +75,7 @@ export abstract class Model<T extends Model<T>> extends AppClass {
* The original row fetched from the database. * The original row fetched from the database.
* @protected * @protected
*/ */
protected _original?: QueryRow protected originalSourceRow?: QueryRow
/** /**
* Behavior subject that fires after the model is populated. * Behavior subject that fires after the model is populated.
@ -124,7 +125,7 @@ export abstract class Model<T extends Model<T>> extends AppClass {
/** /**
* Get the table name for this model. * Get the table name for this model.
*/ */
public static tableName() { public static tableName(): string {
return this.table return this.table
} }
@ -144,15 +145,16 @@ export abstract class Model<T extends Model<T>> extends AppClass {
/** /**
* Get the name of the connection where this model's table is found. * Get the name of the connection where this model's table is found.
*/ */
public static connectionName() { public static connectionName(): string {
return this.connection return this.connection
} }
/** /**
* Get the database connection instance for this model's connection. * Get the database connection instance for this model's connection.
*/ */
public static getConnection() { public static getConnection(): Connection {
return Container.getContainer().make<DatabaseService>(DatabaseService).get(this.connectionName()); return Container.getContainer().make<DatabaseService>(DatabaseService)
.get(this.connectionName())
} }
/** /**
@ -164,14 +166,17 @@ export abstract class Model<T extends Model<T>> extends AppClass {
* const user = await UserModel.query<UserModel>().where('name', 'LIKE', 'John Doe').first() * const user = await UserModel.query<UserModel>().where('name', 'LIKE', 'John Doe').first()
* ``` * ```
*/ */
public static query<T2 extends Model<T2>>() { public static query<T2 extends Model<T2>>(): ModelBuilder<T2> {
const builder = <ModelBuilder<T2>> Container.getContainer().make<ModelBuilder<T2>>(ModelBuilder, this) const builder = <ModelBuilder<T2>> Container.getContainer().make<ModelBuilder<T2>>(ModelBuilder, this)
const source: QuerySource = this.querySource() const source: QuerySource = this.querySource()
builder.connection(this.getConnection()) builder.connection(this.getConnection())
if ( typeof source === 'string' ) builder.from(source) if ( typeof source === 'string' ) {
else builder.from(source.table, source.alias) builder.from(source)
} else {
builder.from(source.table, source.alias)
}
getFieldsMeta(this.prototype).each(field => { getFieldsMeta(this.prototype).each(field => {
builder.field(field.databaseKey) builder.field(field.databaseKey)
@ -185,7 +190,7 @@ export abstract class Model<T extends Model<T>> extends AppClass {
* Pre-fill the model's properties from the given values. * Pre-fill the model's properties from the given values.
* Calls `boot()` under the hood. * Calls `boot()` under the hood.
*/ */
values?: {[key: string]: any} values?: {[key: string]: any},
) { ) {
super() super()
this.boot(values) this.boot(values)
@ -199,7 +204,7 @@ export abstract class Model<T extends Model<T>> extends AppClass {
* *
* @param values * @param values
*/ */
public boot(values?: any) { public boot(values?: {[key: string]: unknown}): void {
if ( values ) { if ( values ) {
getFieldsMeta(this).each(field => { getFieldsMeta(this).each(field => {
this.setFieldFromObject(field.modelKey, String(field.modelKey), values) this.setFieldFromObject(field.modelKey, String(field.modelKey), values)
@ -216,8 +221,8 @@ export abstract class Model<T extends Model<T>> extends AppClass {
* *
* @param row * @param row
*/ */
public async assumeFromSource(row: QueryRow) { public async assumeFromSource(row: QueryRow): Promise<this> {
this._original = row this.originalSourceRow = row
getFieldsMeta(this).each(field => { getFieldsMeta(this).each(field => {
this.setFieldFromObject(field.modelKey, field.databaseKey, row) this.setFieldFromObject(field.modelKey, field.databaseKey, row)
@ -236,7 +241,7 @@ export abstract class Model<T extends Model<T>> extends AppClass {
* *
* @param object * @param object
*/ */
public async assume(object: { [key: string]: any }) { public async assume(object: { [key: string]: any }): Promise<this> {
getFieldsMeta(this).each(field => { getFieldsMeta(this).each(field => {
if ( field.modelKey in object ) { if ( field.modelKey in object ) {
this.setFieldFromObject(field.modelKey, String(field.modelKey), object) this.setFieldFromObject(field.modelKey, String(field.modelKey), object)
@ -249,26 +254,24 @@ export abstract class Model<T extends Model<T>> extends AppClass {
/** /**
* Get the value of the primary key of this model, if it exists. * Get the value of the primary key of this model, if it exists.
*/ */
public key() { public key(): string {
const ctor = this.constructor as typeof Model const ctor = this.constructor as typeof Model
const field = getFieldsMeta(this) const field = getFieldsMeta(this)
.firstWhere('databaseKey', '=', ctor.key) .firstWhere('databaseKey', '=', ctor.key)
if ( field ) { if ( field ) {
// @ts-ignore return (this as any)[field.modelKey]
return this[field.modelKey]
} }
// @ts-ignore return (this as any)[ctor.key]
return this[ctor.key]
} }
/** /**
* Returns true if this instance's record has been persisted into the database. * Returns true if this instance's record has been persisted into the database.
*/ */
public exists() { public exists(): boolean {
return !!this._original && !!this.key() return Boolean(this.originalSourceRow) && Boolean(this.key())
} }
/** /**
@ -284,11 +287,13 @@ export abstract class Model<T extends Model<T>> extends AppClass {
const timestamps: { updated?: Date, created?: Date } = {} const timestamps: { updated?: Date, created?: Date } = {}
if ( ctor.timestamps ) { if ( ctor.timestamps ) {
// @ts-ignore if ( ctor.CREATED_AT ) {
if ( ctor.CREATED_AT ) timestamps.created = this[ctor.CREATED_AT] timestamps.created = (this as any)[ctor.CREATED_AT]
}
// @ts-ignore if ( ctor.UPDATED_AT ) {
if ( ctor.UPDATED_AT ) timestamps.updated = this[ctor.UPDATED_AT] timestamps.updated = (this as any)[ctor.UPDATED_AT]
}
} }
return timestamps return timestamps
@ -312,8 +317,11 @@ export abstract class Model<T extends Model<T>> extends AppClass {
builder.connection(ModelClass.getConnection()) builder.connection(ModelClass.getConnection())
if ( typeof source === 'string' ) builder.from(source) if ( typeof source === 'string' ) {
else builder.from(source.table, source.alias) builder.from(source)
} else {
builder.from(source.table, source.alias)
}
getFieldsMeta(this).each(field => { getFieldsMeta(this).each(field => {
builder.field(field.databaseKey) builder.field(field.databaseKey)
@ -343,15 +351,17 @@ export abstract class Model<T extends Model<T>> extends AppClass {
/** /**
* Get an array of all instances of this model. * Get an array of all instances of this model.
*/ */
public async all() { public async all(): Promise<T[]> {
return this.query().get().all() return this.query().get()
.all()
} }
/** /**
* Count all instances of this model in the database. * Count all instances of this model in the database.
*/ */
public async count(): Promise<number> { public async count(): Promise<number> {
return this.query().get().count() return this.query().get()
.count()
} }
/** /**
@ -365,7 +375,7 @@ export abstract class Model<T extends Model<T>> extends AppClass {
* *
* @param column * @param column
*/ */
public qualify(column: string) { public qualify(column: string): string {
const ctor = this.constructor as typeof Model const ctor = this.constructor as typeof Model
return `${ctor.tableName()}.${column}` return `${ctor.tableName()}.${column}`
} }
@ -384,7 +394,7 @@ export abstract class Model<T extends Model<T>> extends AppClass {
* a.qualifyKey() // => 'table_a.a_id' * a.qualifyKey() // => 'table_a.a_id'
* ``` * ```
*/ */
public qualifyKey() { public qualifyKey(): string {
const ctor = this.constructor as typeof Model const ctor = this.constructor as typeof Model
return this.qualify(ctor.key) return this.qualify(ctor.key)
} }
@ -400,7 +410,7 @@ export abstract class Model<T extends Model<T>> extends AppClass {
* *
* @param column * @param column
*/ */
public static qualify(column: string) { public static qualify(column: string): string {
return `${this.tableName()}.${column}` return `${this.tableName()}.${column}`
} }
@ -417,7 +427,7 @@ export abstract class Model<T extends Model<T>> extends AppClass {
* A.qualifyKey() // => 'table_a.a_id' * A.qualifyKey() // => 'table_a.a_id'
* ``` * ```
*/ */
public static qualifyKey() { public static qualifyKey(): string {
return this.qualify(this.key) return this.qualify(this.key)
} }
@ -426,7 +436,7 @@ export abstract class Model<T extends Model<T>> extends AppClass {
* return the unqualified name of the database column it corresponds to. * return the unqualified name of the database column it corresponds to.
* @param modelKey * @param modelKey
*/ */
public static propertyToColumn(modelKey: string) { public static propertyToColumn(modelKey: string): string {
return getFieldsMeta(this) return getFieldsMeta(this)
.firstWhere('modelKey', '=', modelKey)?.databaseKey || modelKey .firstWhere('modelKey', '=', modelKey)?.databaseKey || modelKey
} }
@ -434,7 +444,7 @@ export abstract class Model<T extends Model<T>> extends AppClass {
/** /**
* Get the unqualified name of the column corresponding to the primary key of this model. * Get the unqualified name of the column corresponding to the primary key of this model.
*/ */
public keyName() { public keyName(): string {
const ctor = this.constructor as typeof Model const ctor = this.constructor as typeof Model
return ctor.key return ctor.key
} }
@ -446,11 +456,10 @@ export abstract class Model<T extends Model<T>> extends AppClass {
* Only fields with `@Field()` annotations will be included. * Only fields with `@Field()` annotations will be included.
*/ */
public toQueryRow(): QueryRow { public toQueryRow(): QueryRow {
const row = {} const row: QueryRow = {}
getFieldsMeta(this).each(field => { getFieldsMeta(this).each(field => {
// @ts-ignore row[field.databaseKey] = (this as any)[field.modelKey]
row[field.databaseKey] = this[field.modelKey]
}) })
return row return row
@ -462,13 +471,12 @@ export abstract class Model<T extends Model<T>> extends AppClass {
* the record was fetched from the database or created. * the record was fetched from the database or created.
*/ */
public dirtyToQueryRow(): QueryRow { public dirtyToQueryRow(): QueryRow {
const row = {} const row: QueryRow = {}
getFieldsMeta(this) getFieldsMeta(this)
.filter(this._isDirty) .filter(this.isDirtyCheck)
.each(field => { .each(field => {
// @ts-ignore row[field.databaseKey] = (this as any)[field.modelKey]
row[field.databaseKey] = this[field.modelKey]
}) })
return row return row
@ -478,13 +486,13 @@ export abstract class Model<T extends Model<T>> extends AppClass {
* Get an object of the database field => value mapping that was originally * Get an object of the database field => value mapping that was originally
* fetched from the database. Excludes changes to model properties. * fetched from the database. Excludes changes to model properties.
*/ */
public getOriginalValues() { public getOriginalValues(): QueryRow | undefined {
return deepCopy(this._original) return deepCopy(this.originalSourceRow)
} }
/** /**
* Return an object of only the given properties on this model. * Return an object of only the given properties on this model.
* *
* @example * @example
* Assume `a` is an instance of some model `A` with the given fields. * Assume `a` is an instance of some model `A` with the given fields.
* ```typescript * ```typescript
@ -492,15 +500,14 @@ export abstract class Model<T extends Model<T>> extends AppClass {
* *
* a.only('field1', 'id) // => {field1: 'field1 value', id: 123} * a.only('field1', 'id) // => {field1: 'field1 value', id: 123}
* ``` * ```
* *
* @param fields * @param fields
*/ */
public only(...fields: string[]) { public only(...fields: string[]): QueryRow {
const row = {} const row: QueryRow = {}
for ( const field of fields ) { for ( const field of fields ) {
// @ts-ignore row[field] = (this as any)[field]
row[field] = this[field]
} }
return row return row
@ -512,8 +519,8 @@ export abstract class Model<T extends Model<T>> extends AppClass {
* *
* Only fields with `@Field()` annotations are checked. * Only fields with `@Field()` annotations are checked.
*/ */
public isDirty() { public isDirty(): boolean {
return getFieldsMeta(this).some(this._isDirty) return getFieldsMeta(this).some(this.isDirtyCheck)
} }
@ -523,7 +530,7 @@ export abstract class Model<T extends Model<T>> extends AppClass {
* *
* Only fields with `@Field()` annotations are checked. * Only fields with `@Field()` annotations are checked.
*/ */
public isClean() { public isClean(): boolean {
return !this.isDirty() return !this.isDirty()
} }
@ -532,18 +539,25 @@ export abstract class Model<T extends Model<T>> extends AppClass {
* the database, or if the given field never existed in the database. * the database, or if the given field never existed in the database.
* @param field * @param field
*/ */
public wasChanged(field: string) { public wasChanged(field: string): boolean {
// @ts-ignore return (
return getFieldsMeta(this).pluck('modelKey').includes(field) && this[field] !== this._original[field] getFieldsMeta(this)
.pluck('modelKey')
.includes(field)
&& (
!this.originalSourceRow
|| (this as any)[field] !== this.originalSourceRow[field]
)
)
} }
/** /**
* Returns an array of MODEL fields that have been modified since this record * Returns an array of MODEL fields that have been modified since this record
* was fetched from the database or created. * was fetched from the database or created.
*/ */
public getDirtyFields() { public getDirtyFields(): string[] {
return getFieldsMeta(this) return getFieldsMeta(this)
.filter(this._isDirty) .filter(this.isDirtyCheck)
.pluck('modelKey') .pluck('modelKey')
.toArray() .toArray()
} }
@ -554,17 +568,15 @@ export abstract class Model<T extends Model<T>> extends AppClass {
* If the model doesn't yet exist, set the CREATED_AT date. Always * If the model doesn't yet exist, set the CREATED_AT date. Always
* sets the UPDATED_AT date. * sets the UPDATED_AT date.
*/ */
public touch() { public touch(): this {
const constructor = (this.constructor as typeof Model) const constructor = (this.constructor as typeof Model)
if ( constructor.timestamps ) { if ( constructor.timestamps ) {
if ( constructor.UPDATED_AT ) { if ( constructor.UPDATED_AT ) {
// @ts-ignore (this as any)[constructor.UPDATED_AT] = new Date()
this[constructor.UPDATED_AT] = new Date()
} }
if ( !this.exists() && constructor.CREATED_AT ) { if ( !this.exists() && constructor.CREATED_AT ) {
// @ts-ignore (this as any)[constructor.CREATED_AT] = new Date()
this[constructor.CREATED_AT] = new Date()
} }
} }
return this return this
@ -587,8 +599,7 @@ export abstract class Model<T extends Model<T>> extends AppClass {
await this.updating$.next(this) await this.updating$.next(this)
if ( !withoutTimestamps && ctor.timestamps && ctor.UPDATED_AT ) { if ( !withoutTimestamps && ctor.timestamps && ctor.UPDATED_AT ) {
// @ts-ignore (this as any)[ctor.UPDATED_AT] = new Date()
this[ctor.UPDATED_AT] = new Date()
} }
const result = await this.query() const result = await this.query()
@ -602,7 +613,9 @@ export abstract class Model<T extends Model<T>> extends AppClass {
} }
const data = result.rows.firstWhere(this.keyName(), '=', this.key()) const data = result.rows.firstWhere(this.keyName(), '=', this.key())
if ( data ) await this.assumeFromSource(data) if ( data ) {
await this.assumeFromSource(data)
}
await this.updated$.next(this) await this.updated$.next(this)
} else if ( !this.exists() ) { } else if ( !this.exists() ) {
@ -610,17 +623,15 @@ export abstract class Model<T extends Model<T>> extends AppClass {
if ( !withoutTimestamps ) { if ( !withoutTimestamps ) {
if ( ctor.timestamps && ctor.CREATED_AT ) { if ( ctor.timestamps && ctor.CREATED_AT ) {
// @ts-ignore (this as any)[ctor.CREATED_AT] = new Date()
this[ctor.CREATED_AT] = new Date()
} }
if ( ctor.timestamps && ctor.UPDATED_AT ) { if ( ctor.timestamps && ctor.UPDATED_AT ) {
// @ts-ignore (this as any)[ctor.UPDATED_AT] = new Date()
this[ctor.UPDATED_AT] = new Date()
} }
} }
const row = this._buildInsertFieldObject() const row = this.buildInsertFieldObject()
const returnable = new Collection<string>([this.keyName(), ...Object.keys(row)]) const returnable = new Collection<string>([this.keyName(), ...Object.keys(row)])
const result = await this.query() const result = await this.query()
@ -633,7 +644,9 @@ export abstract class Model<T extends Model<T>> extends AppClass {
} }
const data = result.rows.first() const data = result.rows.first()
if ( data ) await this.assumeFromSource(result) if ( data ) {
await this.assumeFromSource(result)
}
await this.created$.next(this) await this.created$.next(this)
} }
@ -646,22 +659,19 @@ export abstract class Model<T extends Model<T>> extends AppClass {
* *
* Only fields with `@Field()` annotations are included. * Only fields with `@Field()` annotations are included.
*/ */
public toObject(): { [key: string]: any } { public toObject(): QueryRow {
const ctor = this.constructor as typeof Model const ctor = this.constructor as typeof Model
const obj = {} const obj: QueryRow = {}
getFieldsMeta(this).each(field => { getFieldsMeta(this).each(field => {
// @ts-ignore obj[String(field.modelKey)] = (this as any)[field.modelKey]
obj[field.modelKey] = this[field.modelKey]
}) })
ctor.appends.forEach(field => { ctor.appends.forEach(field => {
// @ts-ignore obj[field] = (this as any)[field]
obj[field] = this[field]
}) })
ctor.masks.forEach(field => { ctor.masks.forEach(field => {
// @ts-ignore
delete obj[field] delete obj[field]
}) })
@ -673,8 +683,8 @@ export abstract class Model<T extends Model<T>> extends AppClass {
* *
* Only fields with `@Field()` annotations are included. * Only fields with `@Field()` annotations are included.
*/ */
public toJSON(): string { public toJSON(): QueryRow {
return JSON.stringify(this.toObject()) return this.toObject()
} }
/** /**
@ -696,7 +706,7 @@ export abstract class Model<T extends Model<T>> extends AppClass {
* *
* Overwrites any un-persisted changes in the current instance. * Overwrites any un-persisted changes in the current instance.
*/ */
public async refresh() { public async refresh(): Promise<void> {
const results = this.query() const results = this.query()
.clearFields() .clearFields()
.fields(...this.getLoadedDatabaseFields()) .fields(...this.getLoadedDatabaseFields())
@ -705,7 +715,9 @@ export abstract class Model<T extends Model<T>> extends AppClass {
.get() .get()
const row = await results.first() const row = await results.first()
if ( row ) await this.assumeFromSource(row) if ( row ) {
await this.assumeFromSource(row)
}
} }
/** /**
@ -766,10 +778,9 @@ export abstract class Model<T extends Model<T>> extends AppClass {
* *
* @protected * @protected
*/ */
protected get _isDirty() { protected get isDirtyCheck(): (field: ModelField) => boolean {
return (field: ModelField) => { return (field: ModelField) => {
// @ts-ignore return !this.originalSourceRow || (this as any)[field.modelKey] !== this.originalSourceRow[field.databaseKey]
return this[field.modelKey] !== this._original[field.databaseKey]
} }
} }
@ -778,15 +789,18 @@ export abstract class Model<T extends Model<T>> extends AppClass {
* @protected * @protected
*/ */
protected getLoadedDatabaseFields(): string[] { protected getLoadedDatabaseFields(): string[] {
if ( !this._original ) return [] if ( !this.originalSourceRow ) {
return Object.keys(this._original).map(String) return []
}
return Object.keys(this.originalSourceRow).map(String)
} }
/** /**
* Build an object mapping database fields to the values that should be inserted for them. * Build an object mapping database fields to the values that should be inserted for them.
* @private * @private
*/ */
private _buildInsertFieldObject(): EscapeValueObject { private buildInsertFieldObject(): EscapeValueObject {
const ctor = this.constructor as typeof Model const ctor = this.constructor as typeof Model
return getFieldsMeta(this) return getFieldsMeta(this)
@ -795,19 +809,17 @@ export abstract class Model<T extends Model<T>> extends AppClass {
return fields.where('modelKey', '!=', this.keyName()) return fields.where('modelKey', '!=', this.keyName())
}) })
.get() .get()
// @ts-ignore .keyMap('databaseKey', inst => (this as any)[inst.modelKey])
.keyMap('databaseKey', inst => this[inst.modelKey])
} }
/** /**
* Sets a property on `this` to the value of a given property in `object`. * Sets a property on `this` to the value of a given property in `object`.
* @param this_field_name * @param thisFieldName
* @param object_field_name * @param objectFieldName
* @param object * @param object
* @protected * @protected
*/ */
protected setFieldFromObject(this_field_name: string | symbol, object_field_name: string, object: { [key: string]: any }) { protected setFieldFromObject(thisFieldName: string | symbol, objectFieldName: string, object: QueryRow): void {
// @ts-ignore (this as any)[thisFieldName] = object[objectFieldName]
this[this_field_name] = object[object_field_name]
} }
} }

@ -1,8 +1,8 @@
import {Model} from "./Model"; import {Model} from './Model'
import {AbstractBuilder} from "../builder/AbstractBuilder"; import {AbstractBuilder} from '../builder/AbstractBuilder'
import {AbstractResultIterable} from "../builder/result/AbstractResultIterable"; import {AbstractResultIterable} from '../builder/result/AbstractResultIterable'
import {Instantiable} from "../../di"; import {Instantiable} from '../../di'
import {ModelResultIterable} from "./ModelResultIterable"; import {ModelResultIterable} from './ModelResultIterable'
/** /**
* Implementation of the abstract builder whose results yield instances of a given Model, `T`. * Implementation of the abstract builder whose results yield instances of a given Model, `T`.
@ -10,16 +10,16 @@ import {ModelResultIterable} from "./ModelResultIterable";
export class ModelBuilder<T extends Model<T>> extends AbstractBuilder<T> { export class ModelBuilder<T extends Model<T>> extends AbstractBuilder<T> {
constructor( constructor(
/** The model class that is created for results of this query. */ /** The model class that is created for results of this query. */
protected readonly ModelClass: Instantiable<T> protected readonly ModelClass: Instantiable<T>,
) { ) {
super() super()
} }
public getNewInstance(): AbstractBuilder<T> { public getNewInstance(): AbstractBuilder<T> {
return this.app().make<ModelBuilder<T>>(ModelBuilder) return this.app().make<ModelBuilder<T>>(ModelBuilder)
} }
public getResultIterable(): AbstractResultIterable<T> { public getResultIterable(): AbstractResultIterable<T> {
return this.app().make<ModelResultIterable<T>>(ModelResultIterable, this, this._connection, this.ModelClass) return this.app().make<ModelResultIterable<T>>(ModelResultIterable, this, this.registeredConnection, this.ModelClass)
} }
} }

@ -1,10 +1,10 @@
import {Model} from "./Model"; import {Model} from './Model'
import {AbstractResultIterable} from "../builder/result/AbstractResultIterable"; import {AbstractResultIterable} from '../builder/result/AbstractResultIterable'
import {Connection} from "../connection/Connection"; import {Connection} from '../connection/Connection'
import {ModelBuilder} from "./ModelBuilder"; import {ModelBuilder} from './ModelBuilder'
import {Container, Instantiable} from "../../di"; import {Container, Instantiable} from '../../di'
import {QueryRow} from "../types"; import {QueryRow} from '../types'
import {Collection} from "../../util"; import {Collection} from '../../util'
/** /**
* Implementation of the result iterable that returns query results as instances of the defined model. * Implementation of the result iterable that returns query results as instances of the defined model.
@ -14,14 +14,16 @@ export class ModelResultIterable<T extends Model<T>> extends AbstractResultItera
public readonly builder: ModelBuilder<T>, public readonly builder: ModelBuilder<T>,
public readonly connection: Connection, public readonly connection: Connection,
/** The model that should be instantiated for each row. */ /** The model that should be instantiated for each row. */
protected readonly ModelClass: Instantiable<T> protected readonly ModelClass: Instantiable<T>,
) { super(builder, connection) } ) {
super(builder, connection)
}
public get selectSQL() { public get selectSQL(): string {
return this.connection.dialect().renderSelect(this.builder) return this.connection.dialect().renderSelect(this.builder)
} }
async at(i: number) { async at(i: number): Promise<T | undefined> {
const query = this.connection.dialect().renderRangedSelect(this.selectSQL, i, i + 1) const query = this.connection.dialect().renderRangedSelect(this.selectSQL, i, i + 1)
const row = (await this.connection.query(query)).rows.first() const row = (await this.connection.query(query)).rows.first()
@ -35,7 +37,7 @@ export class ModelResultIterable<T extends Model<T>> extends AbstractResultItera
return (await this.connection.query(query)).rows.promiseMap<T>(row => this.inflateRow(row)) return (await this.connection.query(query)).rows.promiseMap<T>(row => this.inflateRow(row))
} }
async count() { async count(): Promise<number> {
const query = this.connection.dialect().renderCount(this.selectSQL) const query = this.connection.dialect().renderCount(this.selectSQL)
const result = (await this.connection.query(query)).rows.first() const result = (await this.connection.query(query)).rows.first()
return result?.extollo_render_count ?? 0 return result?.extollo_render_count ?? 0
@ -52,10 +54,11 @@ export class ModelResultIterable<T extends Model<T>> extends AbstractResultItera
* @protected * @protected
*/ */
protected async inflateRow(row: QueryRow): Promise<T> { protected async inflateRow(row: QueryRow): Promise<T> {
return Container.getContainer().make<T>(this.ModelClass).assumeFromSource(row) return Container.getContainer().make<T>(this.ModelClass)
.assumeFromSource(row)
} }
clone() { clone(): ModelResultIterable<T> {
return new ModelResultIterable(this.builder, this.connection, this.ModelClass) return new ModelResultIterable(this.builder, this.connection, this.ModelClass)
} }
} }

@ -1,10 +1,10 @@
import {Inject, Singleton} from "../../di"; import {Inject, Singleton} from '../../di'
import {DatabaseService} from "../DatabaseService"; import {DatabaseService} from '../DatabaseService'
import {PostgresConnection} from "../connection/PostgresConnection"; import {PostgresConnection} from '../connection/PostgresConnection'
import {ErrorWithContext} from "../../util"; import {ErrorWithContext} from '../../util'
import {Unit} from "../../lifecycle/Unit"; import {Unit} from '../../lifecycle/Unit'
import {Config} from "../../service/Config"; import {Config} from '../../service/Config'
import {Logging} from "../../service/Logging"; import {Logging} from '../../service/Logging'
/** /**
* Application unit responsible for loading and creating database connections from config. * Application unit responsible for loading and creating database connections from config.
@ -24,12 +24,15 @@ export class Database extends Unit {
* Load the `database.connections` config and register Connection instances for each config. * Load the `database.connections` config and register Connection instances for each config.
* Automatically initializes the connections. * Automatically initializes the connections.
*/ */
public async up() { public async up(): Promise<void> {
const connections = this.config.get('database.connections') const connections = this.config.get('database.connections')
const promises = [] const promises = []
for ( const key in connections ) { for ( const key in connections ) {
if ( !connections.hasOwnProperty(key) ) continue if ( !Object.prototype.hasOwnProperty.call(connections, key) ) {
continue
}
const config = connections[key] const config = connections[key]
this.logging.info(`Initializing database connection: ${key}`) this.logging.info(`Initializing database connection: ${key}`)
@ -55,7 +58,7 @@ export class Database extends Unit {
/** /**
* Close the configured connections cleanly before exit. * Close the configured connections cleanly before exit.
*/ */
public async down() { public async down(): Promise<void> {
await Promise.all(this.dbService.names() await Promise.all(this.dbService.names()
.map(name => this.dbService.get(name).close())) .map(name => this.dbService.get(name).close()))
} }

@ -1,9 +1,9 @@
import {Model} from "../model/Model"; import {Model} from '../model/Model'
import {Instantiable, Singleton, Inject} from "../../di"; import {Instantiable, Singleton, Inject} from '../../di'
import {CommandLine} from "../../cli"; import {CommandLine} from '../../cli'
import {model_template} from "../template/model"; import {templateModel} from '../template/model'
import {CanonicalStatic} from "../../service/CanonicalStatic"; import {CanonicalStatic} from '../../service/CanonicalStatic'
import {CanonicalDefinition} from "../../service/Canonical"; import {CanonicalDefinition} from '../../service/Canonical'
/** /**
* Canonical unit responsible for loading the model classes defined by the application. * Canonical unit responsible for loading the model classes defined by the application.
@ -14,12 +14,14 @@ export class Models extends CanonicalStatic<Model<any>, Instantiable<Model<any>>
protected readonly cli!: CommandLine protected readonly cli!: CommandLine
protected appPath = ['models'] protected appPath = ['models']
protected canonicalItem = 'model' protected canonicalItem = 'model'
protected suffix = '.model.js' protected suffix = '.model.js'
public async up() { public async up(): Promise<void> {
await super.up() await super.up()
this.cli.registerTemplate(model_template) this.cli.registerTemplate(templateModel)
} }
public async initCanonicalItem(definition: CanonicalDefinition): Promise<Instantiable<Model<any>>> { public async initCanonicalItem(definition: CanonicalDefinition): Promise<Instantiable<Model<any>>> {

Some files were not shown because too many files have changed in this diff Show More

Loading…
Cancel
Save