I've managed to get it work in Loopback 4 with Angular 9.
After an angular app ng build
the contents of the dist/\<app-name\>
folder should be placed inside the loopback public
folder.
Then, in order for the angular router to work properly, all the HTML errors ( Specifically 404 Not found errors) should be redirected to the angular index.html
.
To do that we must bind RestBindings.SequenceActions.REJECT
to a custom provider.
In application.ts
just include the new binding
this.bind(RestBindings.SequenceActions.REJECT).toInjectable(AngularRejectProvider);
The AngularRejectProvider
could be taken from the default reject provider in @loopback/rest/src/providers/reject.provider.ts
:
// Copyright IBM Corp. 2018,2020. All Rights Reserved.
// Node module: @loopback/rest
// This file is licensed under the MIT License.
// License text available at https://opensource.org/licenses/MIT
import {BindingScope, inject, injectable} from '@loopback/core';
import {HttpError} from 'http-errors';
import {ErrorWriterOptions, writeErrorToResponse} from 'strong-error-handler';
import {RestBindings} from '@loopback/rest';
import {HandlerContext, LogError, Reject} from '@loopback/rest';
// @ts-ignore
var accepts = require('accepts')
import path from 'path';
// TODO(bajtos) Make this mapping configurable at RestServer level,
// allow apps and extensions to contribute additional mappings.
const codeToStatusCodeMap: {[key: string]: number} = {
ENTITY_NOT_FOUND: 404,
};
@injectable({scope: BindingScope.SINGLETON})
export class AngularRejectProvider {
static value(
@inject(RestBindings.SequenceActions.LOG_ERROR)
logError: LogError,
@inject(RestBindings.ERROR_WRITER_OPTIONS, {optional: true})
errorWriterOptions?: ErrorWriterOptions,
): Reject {
const reject: Reject = ({request, response}: HandlerContext, error) => {
// ADD THIS
const resolvedContentType = accepts(request).types([
'text/html', 'html',
]);
switch(resolvedContentType) {
case 'text/html':
case 'html':
return response.sendFile(path.join(__dirname, '../../public/index.html'));;
}
// END ADD THIS
const err = <HttpError>error;
if (!err.status && !err.statusCode && err.code) {
const customStatus = codeToStatusCodeMap[err.code];
if (customStatus) {
err.statusCode = customStatus;
}
}
const statusCode = err.statusCode || err.status || 500;
writeErrorToResponse(err, request, response, errorWriterOptions);
logError(error, statusCode, request);
};
return reject;
}
}
The new part is the following which basically redirects all HTML errors to angular:
const resolvedContentType = accepts(request).types([
'text/html', 'html',
]);
switch(resolvedContentType) {
case 'text/html':
case 'html':
return response.sendFile(path.join(__dirname, '../../public/index.html'));;
}