Compare commits

...

23 Commits

Author SHA1 Message Date
8292ec3a1e Merge branch 'dev' into feature/14-user-controllers 2020-12-03 20:33:39 +01:00
32edc3c68f Merge branch 'dev' into feature/13-runner_controllers 2020-12-03 20:28:28 +01:00
a8956223c2 Emergency fix: Switched to table inheritances
ref #11 #13
2020-12-03 20:28:07 +01:00
e3133e0d5e Added missing import 2020-12-03 20:24:43 +01:00
5bbf522362 Fixed missing child declaration 2020-12-03 20:23:56 +01:00
32c4270dff Attention: Broken 2020-12-03 20:19:58 +01:00
ec2ff981b2 Now creating runner orgs again
ref #13
2020-12-03 19:25:02 +01:00
af75d6cfec Formatting 2020-12-03 19:22:32 +01:00
a35e6d0a9f Added basics for runnerorg controller
ref #13
2020-12-03 19:20:53 +01:00
0d5a2109d5 Merge branch 'dev' into feature/13-runner_controllers 2020-12-03 18:50:11 +01:00
084691c294 Now returning the saved runner
ref #13
2020-12-03 18:46:53 +01:00
098699e09a 🐞 CreateRunner - optional orgId & teamId 2020-12-03 18:07:49 +01:00
9e3ee433d2 Moved Create Runner to it's own file 2020-12-03 18:03:43 +01:00
6d81fc1309 Added Comments.
ref #11 #13
2020-12-03 17:46:32 +01:00
da4597fa62 Moded track controller related models to a new file 2020-12-03 17:43:24 +01:00
a86465c554 Merge branch 'dev' into feature/13-runner_controllers 2020-12-02 19:46:05 +01:00
3ade01def9 temp commit: added first part of create runner
ref #13
2020-12-02 19:41:47 +01:00
cb5d5e546d Added more runner errors
ref #13
2020-12-02 19:41:03 +01:00
52e9d3a908 Merge branch 'dev' into feature/13-runner_controllers 2020-12-02 19:14:58 +01:00
7bbf769bdd Added basic creation class 2020-12-02 19:05:58 +01:00
980ac64688 Added basic runner related errors 2020-12-02 18:50:49 +01:00
18fdd367ac Merge branch 'dev' into feature/13-runner_controllers 2020-12-02 18:48:53 +01:00
701207e100 Created basic runner controller
ref #13
2020-12-02 18:46:40 +01:00
19 changed files with 405 additions and 52 deletions

View File

@ -0,0 +1,89 @@
import { JsonController, Param, Body, Get, Post, Put, Delete, OnUndefined } from 'routing-controllers';
import { getConnectionManager, Repository } from 'typeorm';
import { EntityFromBody } from 'typeorm-routing-controllers-extensions';
import { OpenAPI, ResponseSchema } from 'routing-controllers-openapi';
import { Runner } from '../models/Runner';
import { RunnerGroupNeededError, RunnerGroupNotFoundError, RunnerIdsNotMatchingError, RunnerNotFoundError, RunnerOnlyOneGroupAllowedError } from '../errors/RunnerErrors';
import { CreateRunner } from '../models/CreateRunner';
@JsonController('/runners')
//@Authorized('RUNNERS:read')
export class RunnerController {
private runnerRepository: Repository<Runner>;
/**
* Gets the repository of this controller's model/entity.
*/
constructor() {
this.runnerRepository = getConnectionManager().get().getRepository(Runner);
}
@Get()
@ResponseSchema(Runner, { isArray: true })
@OpenAPI({ description: 'Lists all runners.' })
getAll() {
return this.runnerRepository.find();
}
@Get('/:id')
@ResponseSchema(Runner)
@ResponseSchema(RunnerNotFoundError, { statusCode: 404 })
@OnUndefined(RunnerNotFoundError)
@OpenAPI({ description: 'Returns a runner of a specified id (if it exists)' })
getOne(@Param('id') id: number) {
return this.runnerRepository.findOne({ id: id });
}
@Post()
@ResponseSchema(Runner)
@ResponseSchema(RunnerOnlyOneGroupAllowedError)
@ResponseSchema(RunnerGroupNeededError)
@ResponseSchema(RunnerGroupNotFoundError)
@OpenAPI({ description: 'Create a new runner object (id will be generated automagicly).' })
async post(@Body({ validate: true }) createRunner: CreateRunner) {
let runner;
try {
runner = await createRunner.toRunner();
} catch (error) {
return error;
}
return this.runnerRepository.save(runner);
}
@Put('/:id')
@ResponseSchema(Runner)
@ResponseSchema(RunnerNotFoundError, { statusCode: 404 })
@ResponseSchema(RunnerIdsNotMatchingError, { statusCode: 406 })
@OpenAPI({ description: "Update a runner object (id can't be changed)." })
async put(@Param('id') id: number, @EntityFromBody() runner: Runner) {
let oldRunner = await this.runnerRepository.findOne({ id: id });
if (!oldRunner) {
throw new RunnerNotFoundError();
}
if (oldRunner.id != runner.id) {
throw new RunnerIdsNotMatchingError();
}
await this.runnerRepository.update(oldRunner, runner);
return runner;
}
@Delete('/:id')
@ResponseSchema(Runner)
@ResponseSchema(RunnerNotFoundError, { statusCode: 404 })
@OpenAPI({ description: 'Delete a specified runner (if it exists).' })
async remove(@Param('id') id: number) {
let runner = await this.runnerRepository.findOne({ id: id });
if (!runner) {
throw new RunnerNotFoundError();
}
await this.runnerRepository.delete(runner);
return runner;
}
}

View File

@ -0,0 +1,87 @@
import { JsonController, Param, Body, Get, Post, Put, Delete, OnUndefined } from 'routing-controllers';
import { getConnectionManager, Repository } from 'typeorm';
import { EntityFromBody } from 'typeorm-routing-controllers-extensions';
import { OpenAPI, ResponseSchema } from 'routing-controllers-openapi';
import { RunnerOrganisation } from '../models/RunnerOrganisation';
import { RunnerOrganisationIdsNotMatchingError, RunnerOrganisationNotFoundError } from '../errors/RunnerOrganisationErrors';
import { CreateRunnerOrganisation } from '../models/CreateRunnerOrganisation';
import { RunnerGroup } from '../models/RunnerGroup';
@JsonController('/organisations')
//@Authorized('RUNNERS:read')
export class RunnerOrganisationController {
private runnerOrganisationRepository: Repository<RunnerOrganisation>;
/**
* Gets the repository of this controller's model/entity.
*/
constructor() {
this.runnerOrganisationRepository = getConnectionManager().get().getRepository(RunnerOrganisation);
}
@Get()
@ResponseSchema(RunnerOrganisation, { isArray: true })
@OpenAPI({ description: 'Lists all runnerOrganisations.' })
getAll() {
return this.runnerOrganisationRepository.find();
}
@Get('/:id')
@ResponseSchema(RunnerOrganisation)
@ResponseSchema(RunnerOrganisationNotFoundError, { statusCode: 404 })
@OnUndefined(RunnerOrganisationNotFoundError)
@OpenAPI({ description: 'Returns a runnerOrganisation of a specified id (if it exists)' })
getOne(@Param('id') id: number) {
return this.runnerOrganisationRepository.findOne({ id: id });
}
@Post()
@ResponseSchema(RunnerOrganisation)
@OpenAPI({ description: 'Create a new runnerOrganisation object (id will be generated automagicly).' })
async post(@Body({ validate: true }) createRunnerOrganisation: CreateRunnerOrganisation) {
let runnerOrganisation;
try {
runnerOrganisation = await createRunnerOrganisation.toRunnerOrganisation();
} catch (error) {
return error;
}
return this.runnerOrganisationRepository.save(runnerOrganisation);
}
@Put('/:id')
@ResponseSchema(RunnerOrganisation)
@ResponseSchema(RunnerOrganisationNotFoundError, { statusCode: 404 })
@ResponseSchema(RunnerOrganisationIdsNotMatchingError, { statusCode: 406 })
@OpenAPI({ description: "Update a runnerOrganisation object (id can't be changed)." })
async put(@Param('id') id: number, @EntityFromBody() runnerOrganisation: RunnerOrganisation) {
let oldRunnerOrganisation = await this.runnerOrganisationRepository.findOne({ id: id });
if (!oldRunnerOrganisation) {
throw new RunnerOrganisationNotFoundError();
}
if (oldRunnerOrganisation.id != runnerOrganisation.id) {
throw new RunnerOrganisationIdsNotMatchingError();
}
await this.runnerOrganisationRepository.update(oldRunnerOrganisation, runnerOrganisation);
return runnerOrganisation;
}
@Delete('/:id')
@ResponseSchema(RunnerOrganisation)
@ResponseSchema(RunnerOrganisationNotFoundError, { statusCode: 404 })
@OpenAPI({ description: 'Delete a specified runnerOrganisation (if it exists).' })
async remove(@Param('id') id: number) {
let runnerOrganisation = await this.runnerOrganisationRepository.findOne({ id: id });
if (!runnerOrganisation) {
throw new RunnerOrganisationNotFoundError();
}
await this.runnerOrganisationRepository.delete(runnerOrganisation);
return runnerOrganisation;
}
}

View File

@ -4,20 +4,11 @@ import { EntityFromBody } from 'typeorm-routing-controllers-extensions';
import { OpenAPI, ResponseSchema } from 'routing-controllers-openapi';
import { Track } from '../models/Track';
import { IsInt, IsNotEmpty, IsPositive, IsString } from 'class-validator';
import {TrackIdsNotMatchingError, TrackNotFoundError} from "../errors/TrackErrors";
class CreateTrack {
@IsString()
@IsNotEmpty()
name: string;
@IsInt()
@IsPositive()
length: number;
}
import { TrackIdsNotMatchingError, TrackNotFoundError } from "../errors/TrackErrors";
import { CreateTrack } from '../models/CreateTrack';
@JsonController('/tracks')
@Authorized("TRACKS:read")
//@Authorized("TRACKS:read")
export class TrackController {
private trackRepository: Repository<Track>;
@ -37,7 +28,7 @@ export class TrackController {
@Get('/:id')
@ResponseSchema(Track)
@ResponseSchema(TrackNotFoundError, {statusCode: 404})
@ResponseSchema(TrackNotFoundError, { statusCode: 404 })
@OnUndefined(TrackNotFoundError)
@OpenAPI({ description: "Returns a track of a specified id (if it exists)" })
getOne(@Param('id') id: number) {
@ -51,14 +42,14 @@ export class TrackController {
@Body({ validate: true })
track: CreateTrack
) {
return this.trackRepository.save(track);
return this.trackRepository.save(track.toTrack());
}
@Put('/:id')
@ResponseSchema(Track)
@ResponseSchema(TrackNotFoundError, {statusCode: 404})
@ResponseSchema(TrackIdsNotMatchingError, {statusCode: 406})
@OpenAPI({description: "Update a track object (id can't be changed)."})
@ResponseSchema(TrackNotFoundError, { statusCode: 404 })
@ResponseSchema(TrackIdsNotMatchingError, { statusCode: 406 })
@OpenAPI({ description: "Update a track object (id can't be changed)." })
async put(@Param('id') id: number, @EntityFromBody() track: Track) {
let oldTrack = await this.trackRepository.findOne({ id: id });
@ -66,7 +57,7 @@ export class TrackController {
throw new TrackNotFoundError();
}
if(oldTrack.id != track.id){
if (oldTrack.id != track.id) {
throw new TrackIdsNotMatchingError();
}
@ -76,8 +67,8 @@ export class TrackController {
@Delete('/:id')
@ResponseSchema(Track)
@ResponseSchema(TrackNotFoundError, {statusCode: 404})
@OpenAPI({description: "Delete a specified track (if it exists)."})
@ResponseSchema(TrackNotFoundError, { statusCode: 404 })
@OpenAPI({ description: "Delete a specified track (if it exists)." })
async remove(@Param('id') id: number) {
let track = await this.trackRepository.findOne({ id: id });

View File

@ -0,0 +1,52 @@
import { JsonController, Param, Body, Get, Post, Put, Delete, NotFoundError, OnUndefined, NotAcceptableError } from 'routing-controllers';
import { IsInt, IsNotEmpty, IsPositive, IsString } from 'class-validator';
/**
* Error to throw when a runner couldn't be found.
* Implemented this ways to work with the json-schema conversion for openapi.
*/
export class RunnerNotFoundError extends NotFoundError {
@IsString()
name = "RunnerNotFoundError"
@IsString()
message = "Runner not found!"
}
/**
* Error to throw when two runners' ids don't match.
* Usually occurs when a user tries to change a runner's id.
* Implemented this ways to work with the json-schema conversion for openapi.
*/
export class RunnerIdsNotMatchingError extends NotAcceptableError {
@IsString()
name = "RunnerIdsNotMatchingError"
@IsString()
message = "The id's don't match!! \n And if you wanted to change a runner's id: This isn't allowed"
}
export class RunnerOnlyOneGroupAllowedError extends NotAcceptableError {
@IsString()
name = "RunnerOnlyOneGroupAllowedError"
@IsString()
message = "Runner's can only be part of one group (team or organisiation)! \n You provided an id for both."
}
export class RunnerGroupNeededError extends NotAcceptableError {
@IsString()
name = "RunnerGroupNeededError"
@IsString()
message = "Runner's need to be part of one group (team or organisiation)! \n You provided neither."
}
export class RunnerGroupNotFoundError extends NotFoundError {
@IsString()
name = "RunnerGroupNotFoundError"
@IsString()
message = "The group you provided couldn't be located in the system. \n Please check your request."
}

View File

@ -0,0 +1,27 @@
import { JsonController, Param, Body, Get, Post, Put, Delete, NotFoundError, OnUndefined, NotAcceptableError } from 'routing-controllers';
import { IsInt, IsNotEmpty, IsPositive, IsString } from 'class-validator';
/**
* Error to throw when a runner couldn't be found.
* Implemented this ways to work with the json-schema conversion for openapi.
*/
export class RunnerOrganisationNotFoundError extends NotFoundError {
@IsString()
name = "RunnerOrganisationNotFoundError"
@IsString()
message = "RunnerOrganisation not found!"
}
/**
* Error to throw when two runners' ids don't match.
* Usually occurs when a user tries to change a runner's id.
* Implemented this ways to work with the json-schema conversion for openapi.
*/
export class RunnerOrganisationIdsNotMatchingError extends NotAcceptableError {
@IsString()
name = "RunnerOrganisationIdsNotMatchingError"
@IsString()
message = "The id's don't match!! \n And if you wanted to change a runner's id: This isn't allowed"
}

View File

@ -0,0 +1,58 @@
import { IsEmail, IsInt, IsNotEmpty, IsOptional, IsPhoneNumber, IsPositive, IsString } from 'class-validator';
import { Runner } from '../models/Runner';
import { getConnectionManager, Repository } from 'typeorm';
import { group } from 'console';
import { RunnerOnlyOneGroupAllowedError, RunnerGroupNeededError, RunnerGroupNotFoundError } from '../errors/RunnerErrors';
import { RunnerOrganisation } from './RunnerOrganisation';
import { RunnerTeam } from './RunnerTeam';
import { RunnerGroup } from './RunnerGroup';
import { Address } from 'cluster';
export class CreateRunner {
@IsString()
firstname: string;
@IsString()
middlename?: string;
@IsString()
lastname: string;
@IsString()
phone?: string;
@IsString()
email?: string;
@IsInt()
@IsOptional()
teamId?: number
@IsInt()
@IsOptional()
orgId?: number
public async toRunner(): Promise<Runner> {
let newRunner: Runner = new Runner();
if (this.teamId !== undefined && this.orgId !== undefined) {
throw new RunnerOnlyOneGroupAllowedError();
}
if (this.teamId === undefined && this.orgId === undefined) {
throw new RunnerGroupNeededError();
}
if (this.teamId) {
newRunner.group = await getConnectionManager().get().getRepository(RunnerTeam).findOne({ id: this.teamId });
}
if (this.orgId) {
newRunner.group = await getConnectionManager().get().getRepository(RunnerOrganisation).findOne({ id: this.orgId });
}
if (!newRunner.group) {
throw new RunnerGroupNotFoundError();
}
newRunner.firstname = this.firstname;
newRunner.middlename = this.middlename;
newRunner.lastname = this.lastname;
newRunner.phone = this.phone;
newRunner.email = this.email;
console.log(newRunner)
return newRunner;
}
}

View File

@ -0,0 +1,15 @@
import { IsString } from 'class-validator';
import { RunnerOrganisation } from './RunnerOrganisation';
export class CreateRunnerOrganisation {
@IsString()
name: string;
public async toRunnerOrganisation(): Promise<RunnerOrganisation> {
let newRunnerOrganisation: RunnerOrganisation = new RunnerOrganisation();
newRunnerOrganisation.name = this.name;
return newRunnerOrganisation;
}
}

30
src/models/CreateTrack.ts Normal file
View File

@ -0,0 +1,30 @@
import { IsInt, IsNotEmpty, IsPositive, IsString } from 'class-validator';
import { Track } from './Track';
export class CreateTrack {
/**
* The track's name.
*/
@IsString()
@IsNotEmpty()
name: string;
/**
* The track's distance in meters (must be greater 0).
*/
@IsInt()
@IsPositive()
distance: number;
/**
* Converts a Track object based on this.
*/
public toTrack(): Track {
let newTrack: Track = new Track();
newTrack.name = this.name;
newTrack.distance = this.distance;
return newTrack;
}
}

View File

@ -1,5 +1,5 @@
import { Entity, Column, ManyToOne } from "typeorm";
import { IsInt, IsNotEmpty, IsPositive,} from "class-validator";
import { Entity, Column, ManyToOne, ChildEntity } from "typeorm";
import { IsInt, IsNotEmpty, IsPositive, } from "class-validator";
import { Donation } from "./Donation";
import { Runner } from "./Runner";
@ -7,7 +7,7 @@ import { Runner } from "./Runner";
* Defines a distance based donation.
* Here people donate a certain amout per kilometer
*/
@Entity()
@ChildEntity()
export class DistanceDonation extends Donation {
/**
* The runner associated.

View File

@ -1,4 +1,4 @@
import { PrimaryGeneratedColumn, Column, ManyToOne, Entity } from "typeorm";
import { PrimaryGeneratedColumn, Column, ManyToOne, Entity, TableInheritance } from "typeorm";
import {
IsInt,
IsNotEmpty,
@ -11,6 +11,7 @@ import { Participant } from "./Participant";
* Defines the donation interface.
*/
@Entity()
@TableInheritance({ column: { name: "type", type: "varchar" } })
export abstract class Donation {
/**
* Autogenerated unique id (primary key).

View File

@ -1,11 +1,11 @@
import { Entity, Column } from "typeorm";
import { Entity, Column, ChildEntity } from "typeorm";
import { IsBoolean } from "class-validator";
import { Participant } from "./Participant";
/**
* Defines a donor.
*/
@Entity()
@ChildEntity()
export class Donor extends Participant {
/**
* Does this donor need a receipt?.

View File

@ -1,11 +1,11 @@
import { Entity, Column } from "typeorm";
import { IsInt, IsPositive,} from "class-validator";
import { Entity, Column, ChildEntity } from "typeorm";
import { IsInt, IsPositive, } from "class-validator";
import { Donation } from "./Donation";
/**
* Defines a fixed donation.
*/
@Entity()
@ChildEntity()
export class FixedDonation extends Donation {
/**

View File

@ -1,4 +1,4 @@
import { PrimaryGeneratedColumn, Column, OneToMany, ManyToOne, Entity } from "typeorm";
import { PrimaryGeneratedColumn, Column, OneToMany, ManyToOne, Entity, TableInheritance } from "typeorm";
import {
IsEmail,
IsInt,
@ -15,6 +15,7 @@ import { Donation } from "./Donation";
* Defines the participant interface.
*/
@Entity()
@TableInheritance({ column: { name: "type", type: "varchar" } })
export abstract class Participant {
/**
* Autogenerated unique id (primary key).
@ -36,7 +37,7 @@ export abstract class Participant {
* The participant's middle name.
* Optional
*/
@Column({nullable: true})
@Column({ nullable: true })
@IsOptional()
@IsString()
middlename?: string;
@ -60,7 +61,7 @@ export abstract class Participant {
* The participant's phone number.
* Optional
*/
@Column({nullable: true})
@Column({ nullable: true })
@IsOptional()
@IsPhoneNumber("DE")
phone?: string;
@ -69,7 +70,7 @@ export abstract class Participant {
* The participant's email address.
* Optional
*/
@Column({nullable: true})
@Column({ nullable: true })
@IsOptional()
@IsEmail()
email?: string;

View File

@ -1,5 +1,5 @@
import { Entity, Column, OneToMany, ManyToOne } from "typeorm";
import { IsInt, IsNotEmpty,} from "class-validator";
import { Entity, Column, OneToMany, ManyToOne, ChildEntity } from "typeorm";
import { IsInt, IsNotEmpty, } from "class-validator";
import { Participant } from "./Participant";
import { RunnerGroup } from "./RunnerGroup";
import { DistanceDonation } from "./DistanceDonation";
@ -9,7 +9,7 @@ import { Scan } from "./Scan";
/**
* Defines a runner.
*/
@Entity()
@ChildEntity()
export class Runner extends Participant {
/**
* The runner's associated group.
@ -17,7 +17,7 @@ export class Runner extends Participant {
@IsNotEmpty()
@ManyToOne(() => RunnerGroup, group => group.runners, { nullable: true })
group: RunnerGroup;
/**
* Used to link runners to donations.
*/
@ -36,9 +36,9 @@ export class Runner extends Participant {
@OneToMany(() => Scan, scan => scan.runner, { nullable: true })
scans: Scan[];
@IsInt()
public get distance() : number {
@IsInt()
public get distance(): number {
return this.scans.filter(scan => scan.valid === true).reduce((sum, current) => sum + current.distance, 0);
}
}

View File

@ -1,4 +1,4 @@
import { PrimaryGeneratedColumn, Column, OneToMany, ManyToOne, Entity } from "typeorm";
import { PrimaryGeneratedColumn, Column, OneToMany, ManyToOne, Entity, TableInheritance } from "typeorm";
import {
IsInt,
IsNotEmpty,
@ -13,6 +13,7 @@ import { RunnerTeam } from "./RunnerTeam";
* Defines the runnerGroup interface.
*/
@Entity()
@TableInheritance({ column: { name: "type", type: "varchar" } })
export abstract class RunnerGroup {
/**
* Autogenerated unique id (primary key).

View File

@ -1,5 +1,5 @@
import { Entity, Column, ManyToOne, OneToMany } from "typeorm";
import { IsOptional,} from "class-validator";
import { Entity, Column, ManyToOne, OneToMany, ChildEntity } from "typeorm";
import { IsOptional, } from "class-validator";
import { RunnerGroup } from "./RunnerGroup";
import { Address } from "./Address";
import { RunnerTeam } from "./RunnerTeam";
@ -7,7 +7,7 @@ import { RunnerTeam } from "./RunnerTeam";
/**
* Defines a runner organisation (business or school for example).
*/
@Entity()
@ChildEntity()
export class RunnerOrganisation extends RunnerGroup {
/**
@ -18,9 +18,9 @@ export class RunnerOrganisation extends RunnerGroup {
@ManyToOne(() => Address, address => address.groups, { nullable: true })
address?: Address;
/**
* Used to link teams to runner groups.
*/
/**
* Used to link teams to runner groups.
*/
@OneToMany(() => RunnerTeam, team => team.parentGroup, { nullable: true })
teams: RunnerTeam[];
}

View File

@ -1,4 +1,4 @@
import { Entity, Column, ManyToOne } from "typeorm";
import { Entity, Column, ManyToOne, ChildEntity } from "typeorm";
import { IsNotEmpty } from "class-validator";
import { RunnerGroup } from "./RunnerGroup";
import { RunnerOrganisation } from "./RunnerOrganisation";
@ -6,7 +6,7 @@ import { RunnerOrganisation } from "./RunnerOrganisation";
/**
* Defines a runner team (class or deparment for example).
*/
@Entity()
@ChildEntity()
export class RunnerTeam extends RunnerGroup {
/**

View File

@ -1,4 +1,4 @@
import { PrimaryGeneratedColumn, Column, ManyToOne, Entity } from "typeorm";
import { PrimaryGeneratedColumn, Column, ManyToOne, Entity, TableInheritance } from "typeorm";
import {
IsBoolean,
IsInt,
@ -12,6 +12,7 @@ import { Runner } from "./Runner";
* Defines the scan interface.
*/
@Entity()
@TableInheritance({ column: { name: "type", type: "varchar" } })
export abstract class Scan {
/**
* Autogenerated unique id (primary key).

View File

@ -1,4 +1,4 @@
import { PrimaryGeneratedColumn, Column, ManyToOne, Entity } from "typeorm";
import { PrimaryGeneratedColumn, Column, ManyToOne, Entity, ChildEntity } from "typeorm";
import {
IsBoolean,
IsDateString,
@ -16,7 +16,7 @@ import { ScanStation } from "./ScanStation";
/**
* Defines the scan interface.
*/
@Entity()
@ChildEntity()
export class TrackScan extends Scan {
/**
* The associated track.