77 lines
2.3 KiB
TypeScript
77 lines
2.3 KiB
TypeScript
import { IsBoolean, IsInt, IsOptional, IsPositive } from 'class-validator';
|
|
import { getConnection } from 'typeorm';
|
|
import { RunnerNotFoundError } from '../../../errors/RunnerErrors';
|
|
import { ScanStationNotFoundError } from '../../../errors/ScanStationErrors';
|
|
import { Runner } from '../../entities/Runner';
|
|
import { ScanStation } from '../../entities/ScanStation';
|
|
import { TrackScan } from '../../entities/TrackScan';
|
|
|
|
/**
|
|
* This class is used to update a TrackScan entity (via put request)
|
|
*/
|
|
export abstract class UpdateTrackScan {
|
|
/**
|
|
* The updated scan's id.
|
|
* This shouldn't have changed but it is here in case anyone ever wants to enable id changes (whyever they would want to).
|
|
*/
|
|
@IsInt()
|
|
id: number;
|
|
|
|
/**
|
|
* The updated scan's associated runner's id.
|
|
* This is important to link ran distances to runners.
|
|
*/
|
|
@IsInt()
|
|
@IsPositive()
|
|
runner: number;
|
|
|
|
/**
|
|
* Is the updated scan valid (for fraud reasons).
|
|
*/
|
|
@IsBoolean()
|
|
@IsOptional()
|
|
valid?: boolean = true;
|
|
|
|
/**
|
|
* The updated scan's associated station's id.
|
|
* This is important to link ran distances to runners.
|
|
*/
|
|
@IsInt()
|
|
@IsPositive()
|
|
public station: number;
|
|
|
|
/**
|
|
* Update a TrackScan entity based on this.
|
|
* @param scan The scan that shall be updated.
|
|
*/
|
|
public async update(scan: TrackScan): Promise<TrackScan> {
|
|
scan.valid = this.valid;
|
|
scan.runner = await this.getRunner();
|
|
scan.station = await this.getStation();
|
|
scan.track = scan.station.track;
|
|
|
|
return scan;
|
|
}
|
|
|
|
/**
|
|
* Gets a runner based on the runner id provided via this.runner.
|
|
*/
|
|
public async getRunner(): Promise<Runner> {
|
|
const runner = await getConnection().getRepository(Runner).findOne({ id: this.runner });
|
|
if (!runner) {
|
|
throw new RunnerNotFoundError();
|
|
}
|
|
return runner;
|
|
}
|
|
|
|
/**
|
|
* Gets a runner based on the runner id provided via this.runner.
|
|
*/
|
|
public async getStation(): Promise<ScanStation> {
|
|
const station = await getConnection().getRepository(ScanStation).findOne({ id: this.station }, { relations: ['track'] });
|
|
if (!station) {
|
|
throw new ScanStationNotFoundError();
|
|
}
|
|
return station;
|
|
}
|
|
} |