Releases: FoalTS/foal
v0.8.1
Fixes v0.8.0.
[Config] v0.8.0 didn't look at the configuration files in the right order.
February Release
Features
- [@foal/mongoose] Add support for Mongoose (MongoDB) (issue: #277) (PR: #342).
- [@foal/cli] Add CLI commands to quickly connect a Vue/React/Angular frontend to the backend (dev & prod) (issue: #279) (PR: #348).
- Add a type to
Context.request
(issue: #318) (PR: #337). - Automatically parse cookies (issue: #333) (PR: #334).
- Let the JWT hooks retrieve the token from a cookie (issue: #335) (PR: #336).
- Let the developer generate a script from anywhere in the project (terminal) (issue: #340) (PR: #349).
- Simplify the Config system and support YAML (issue: #338) (PR: #351).
- Remove legacy deprecated components (PR: #353).
How to migrate
npm install -g @foal/cli
npm install @foal/core@0.8 # and @foal/jwt@0.8, @foal/jwt@0.8, etc if relevant.
The new configuration system should be the only breaking change in the February release. Feel free to submit an issue if you are having trouble migrating.
-
New versions of Foal uses by default the port 3001 to not conflict with a running React server. You can still keep the port 3000 if you want.
-
Update all the
Config.get
calls in your code:
// Before
Config.get('mongodb', 'uri');
Config.get('settings', 'staticUrl', 'public/') as string;
// After
Config.get('mongodb.uri');
Config.get<string>('settings.staticUrl', 'public/');
- Merge all your config files as follows:
Before:
- mongodb.e2e.json
- mongodb.development.json
- settings.development.json
- settings.json
After:
- e2e.json
- development.json
- default.json
// ***********
// Before
// ***********
// mongodb.development.json
{
"uri": "my_uri"
}
// settings.development.json
{
"debug": true
}
// ***********
// After
// ***********
// development.json
{
"mongodb": {
"uri": "my_uri"
},
"settings": {
"debug": false
}
}
- If you're using the
@foal/jwt
package, replace the env variablesJWT_WHATEVER
withSETTINGS_JWT_WHATEVER
and update your config files as follows:
// incorrect
{
"jwt": {
"secret": "xxx"
},
"settings": {
...
}
}
// correct
{
"settings": {
"jwt": {
"secret": "xxx"
},
...
}
}
The settings
section now encompasses all the configuration of the official Foal packages.
- If you customized the AJV instance (validation & sanitization), replace the env variables
AJV_WHATEVER
withSETTINGS_AJV_WHATEVER
and update your config files as follows:
// incorrect
{
"ajv": {
"coerceTypes": true
},
"settings": {
...
}
}
// correct
{
"settings": {
"ajv": {
"coerceTypes": true
},
...
}
}
The settings
section now encompasses all the configuration of the official Foal packages.
- Divide the session keys into nested objects:
// Before
{
"sessionResave": false,
"sessionSaveUninitialized": false,
"sessionSecret": "my-secret",
"sessionCookieHttpOnly": true,
"sessionCookieMaxAge": 1000,
"sessionCookieSameSite": "lax",
"sessionCookieSecure": true,
"sessionName": "id"
}
// After
{
"settings": {
"session": {
"resave": false,
"saveUninitialized": false,
"secret": "my-secret",
"cookie": {
"httpOnly": true,
"maxAge": 3600000,
"sameSite": "lax",
"secure": true
},
"name": "id"
}
}
}
Here's are examples of config files using the new system:
You'll find more information here on how the new configuration system works.
v0.7.7
v0.7.6
v0.7.5
v0.7.3
Features
- [@foal/cli] Validate arguments for
createapp
command (issue: #310) (PR: 309). - [@foal/cli] Validates random commands and shows up help if none supplied (issue: #308) (PR: #307).
- [@foal/cli] Add
foal run
as alias offoal run-script
(PR: #316). - [@foal/cli] Make new applications have an architecture example closest to SPA (PR: #315)
- [@foal/cli]
foal createapp
: prettify the outputs and auto initialize git repo (issue: #314) (PR #317).
Contributors
v0.7.2
v0.7.0
How to migrate from v0.6
- Install the last version of the CLI:
npm install -g @foal/cli
. - Update the dependencies in your package.json:
{
...
"dependencies": {
"@foal/core": "~0.7.0",
"@foal/ejs": "~0.7.0",
"@foal/typeorm": "~0.7.0",
...
}
}
- Replace
parsePassword
withencryptPassword(password, { legacy: true })
- Remove the hook
AuthenticateWithSessionAndCookie
(you might need to use theLoginOptional
hook in some situations) - Import
fetchUser
from@foal/typeorm
and replace@LoginRequired()
by@LoginRequired({ user: fetchUser(User) )}
- Rename
AbstractUser
toUserWithPermissions
and import it from@foal/typeorm
- Import
EntityResourceCollection
,EmailAuthenticator
,emailSchema
,middleware
,Group
,Permission
andPermissionRequired
from@foal/typeorm
instead of@foal/core
.
General Notes
The purpose of this release is to make the code of FoalTS less complex, more readable and modular and to add the support of recent technologies (JWT). It introduces some changes and improvements listed below.
The AuthenticationWithSessionAndCookie
and LoginRequired
hooks have been merged
In previous versions of FoalTS, AuthenticationWithSessionAndCookie
and LoginRequired
were both required to authenticate and restrict access to authenticated users. They have been merged into one hook LoginRequired
for simplicity (and consistency with the JWTRequired
hook presented below). A new hook LoginOptional
has also been added in this version.
Old code:
import { AuthenticationWithSessionAndCookie, LoginRequired, Get } from '@foal/core';
...
@AuthenticationWithSessionAndCookie(User)
export class AppController {
@Get('/')
index(ctx) {
const name = ctx.user ? ctx.user.name : 'you';
return new HttpResponseOK(`Hello ${name}!`);
}
@Get('/home')
@LoginRequired({ redirect: '/' })
home(ctx) {
return new HttpResponseOK(`Hello ${ctx.user.name}!`);
}
}
New code:
import { LoginOptional, LoginRequired, Get } from '@foal/core';
import { fetchUser } from '@foal/typeorm';
...
export class AppController {
@Get('/')
@LoginOptional({ user: fetchUser(User) })
index(ctx) {
const name = ctx.user ? ctx.user.name : 'you';
return new HttpResponseOK(`Hello ${name}!`);
}
@Get('/home')
@LoginRequired({ redirect: '/', user: fetchUser(User) })
home(ctx) {
return new HttpResponseOK(`Hello ${ctx.user.name}!`);
}
}
Support of JWT with JWTRequired
and JWTOptional
This release adds the support of JWT for authentication. The two new hooks JWTRequired
and JWTOptional
are similar to LoginRequired
and LoginOptional
.
Example:
import { Get, isInFile } from '@foal/core';
import { JWTRequired } from '@foal/jwt';
import { fetchUser } from '@foal/typeorm';
export class AppController {
@Get('/home')
@JWTRequired()
home(ctx) {
return new HttpResponseOK(`Hello ${ctx.user.name}!`);
}
}
export class AppController2 {
@Get('/home')
// With some options
@JWTRequired({ user: fetchUser(User), blackList: isInFile('./blacklist') }, { audience: 'foobar' })
home(ctx) {
return new HttpResponseOK(`Hello ${ctx.user.name}!`);
}
}
Password Management with encryptPassword
and verifyPassword
You can now manage password encryption directly with the encryptPassword
and verifyPassword
functions.
Note: The parsePassword(password)
util has been removed. Use its equivalent with encryptPassword
: encryptPassword(password, { legacy: true })
.
The controller routes are now registered after the sub-controllers routes
In the previous versions of FoalTS, the sub-controllers' routes were registered after the controller routes. Then it was hard to display a custom 404 page when a route did not exist. In the example below, requesting /home
was returning a 404
instead of 200 - 'You are on the home page!'
export class ViewController {
@Get('/')
index() {
return new HttpResponseOK('Hello world');
}
@Get('/home')
home() {
return new HttpResponseOK('You are on the home page!');
}
}
export class AppController {
subControllers = [ ViewController ];
@Get('*')
notFound() {
return new HttpResponseNotFound('The page your are looking for does not exist');
}
}
This is now changed and this example returns a success on GET /home
.
TypeORM-dependent components moved in a separate package @foal/typeorm
All TypeORM-dependent components have been moved to a separate package @foal/typeorm
.
These components are:
EmailUser
andEmailAuthenticator
(deprecated)emailSchema
(deprecated)Middleware
,RelationLoader
,middleware
,EntityResourceCollection
(deprecated)Group
,Permission
,UserWithPermissions
PermissionRequired
fetchUserWithPermissions
,fetchUser
This way developers can use another ORM/ODM if they want (Mongoose, Sequelize, etc)
The User
class and the UserWithPermissions
entity (previously named AbstractUser
)
The abstract class AbstractUser
has been renamed into UserWithPermissions
.
Because not all applications require permissions and groups, and a different ORM can be used instead of TypeORM, the User
class no longer needs to extend the class UserWithPermissions
.
The type of Context['user']
is now any
. You can force this type with a generic parameter: Context<User>
.
The deprecated components
Due to their unnecessary complexity, some components have been deprecated and will be removed in further versions:
IAuthenticator
Strategy
,strategy
,LoginController
IResourceCollection
,CollectionParams
RestController
EmailUser
andEmailAuthenticator
emailSchema
Middleware
,RelationLoader
,middleware
,EntityResourceCollection
Here are some alternatives that you might consider:
encryptPassword
andverifyPassword
foal generate rest-api <name>
(coming in a next release in January 2019)
Features
- Fix the error
ctx.request.csrfToken is not a function
when the CSRF protection is disabled (issue: #283) (PR: #284). - Add support for JWT (issue: #254) (PR: #272).
- Merge
AuthenticationWithSessionAndCookie
andLoginRequired
intoLoginRequired
andLoginOptional
(issue: #286) (PR: #287) - Provide two util functions
encryptPassword
andverifyPassword
to manage password encryption(issue: #288) (PR: #300). - Register the controller routes after its sub-controllers (issue #289) (PR: #292).
- Move
EmailAuthenticator
,EmailSchema
,LoginController
,PermissionRequired
,AbstractUser
,Group
,Permission
,fetchUser
,fetchUserWithPermissions
,EntityResourceCollection
to the new package@foal/typeorm
(issue: #290) (PR: #293 ). - Rename
AbstractUser
toUserWithPermissions
and simplify the definition ofContext
(issue: #291) (PR: #293) - Mark as deprecated
EmailUser
,EmailAuthenticator
,emailSchema
,Middleware
,RelationLoader
,middleware
,EntityResourceCollection
,IAuthenticator
,Strategy
,strategy
,LoginController
,IResourceCollection
,CollectionParams
andRestController
(issue: #288) (PR: #293, #295). - [Docs] Add API reference for each package.
- Ignore WebStorm and VSCode config directories in Git (#297).
- Change the output directory name (lib/ -> build/) (issue: #296) (PR: #301)