Merge branch 'main' into #1-account-management
# Conflicts: # src/data-source.ts
This commit is contained in:
commit
273745f830
66 changed files with 3721 additions and 10 deletions
1
.gitignore
vendored
1
.gitignore
vendored
|
@ -130,3 +130,4 @@ dist
|
|||
.yarn/install-state.gz
|
||||
.pnp.*
|
||||
|
||||
export
|
896
package-lock.json
generated
896
package-lock.json
generated
File diff suppressed because it is too large
Load diff
|
@ -1,6 +1,6 @@
|
|||
{
|
||||
"name": "member-administration-server",
|
||||
"version": "0.0.2",
|
||||
"version": "0.0.4",
|
||||
"description": "Feuerwehr/Verein Mitgliederverwaltung Server",
|
||||
"main": "dist/index.js",
|
||||
"scripts": {
|
||||
|
@ -27,11 +27,14 @@
|
|||
"cors": "^2.8.5",
|
||||
"dotenv": "^16.4.5",
|
||||
"express": "^5.0.0-beta.3",
|
||||
"ics": "^3.8.1",
|
||||
"jsonwebtoken": "^9.0.2",
|
||||
"moment": "^2.30.1",
|
||||
"ms": "^2.1.3",
|
||||
"mysql": "^2.18.1",
|
||||
"node-schedule": "^2.1.1",
|
||||
"nodemailer": "^6.9.14",
|
||||
"pdf-creator-node": "^2.3.5",
|
||||
"qrcode": "^1.5.4",
|
||||
"reflect-metadata": "^0.2.2",
|
||||
"socket.io": "^4.7.5",
|
||||
|
|
24
src/command/calendarCommand.ts
Normal file
24
src/command/calendarCommand.ts
Normal file
|
@ -0,0 +1,24 @@
|
|||
export interface CreateCalendarCommand {
|
||||
starttime: Date;
|
||||
endtime: Date;
|
||||
title: string;
|
||||
content: string;
|
||||
location: string;
|
||||
allDay: boolean;
|
||||
typeId: number;
|
||||
}
|
||||
|
||||
export interface UpdateCalendarCommand {
|
||||
id: string;
|
||||
starttime: Date;
|
||||
endtime: Date;
|
||||
title: string;
|
||||
content: string;
|
||||
location: string;
|
||||
allDay: boolean;
|
||||
typeId: number;
|
||||
}
|
||||
|
||||
export interface DeleteCalendarCommand {
|
||||
id: string;
|
||||
}
|
96
src/command/calendarCommandHandler.ts
Normal file
96
src/command/calendarCommandHandler.ts
Normal file
|
@ -0,0 +1,96 @@
|
|||
import { dataSource } from "../data-source";
|
||||
import { calendar } from "../entity/calendar";
|
||||
import { calendarType } from "../entity/calendarType";
|
||||
import InternalException from "../exceptions/internalException";
|
||||
import { CreateCalendarCommand, DeleteCalendarCommand, UpdateCalendarCommand } from "./calendarCommand";
|
||||
|
||||
export default abstract class CalendarCommandHandler {
|
||||
/**
|
||||
* @description create calendar
|
||||
* @param CreateCalendarCommand
|
||||
* @returns {Promise<number>}
|
||||
*/
|
||||
static async create(createCalendar: CreateCalendarCommand): Promise<number> {
|
||||
return await dataSource
|
||||
.createQueryBuilder()
|
||||
.insert()
|
||||
.into(calendar)
|
||||
.values({
|
||||
starttime: createCalendar.starttime,
|
||||
endtime: createCalendar.endtime,
|
||||
title: createCalendar.title,
|
||||
content: createCalendar.content,
|
||||
location: createCalendar.location,
|
||||
allDay: createCalendar.allDay,
|
||||
type: await dataSource
|
||||
.getRepository(calendarType)
|
||||
.createQueryBuilder("type")
|
||||
.where("id = :id", { id: createCalendar.typeId })
|
||||
.getOneOrFail(),
|
||||
})
|
||||
.execute()
|
||||
.then((result) => {
|
||||
return result.identifiers[0].id;
|
||||
})
|
||||
.catch((err) => {
|
||||
throw new InternalException("Failed creating calendar", err);
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* @description update calendar
|
||||
* @param UpdateCalendarCommand
|
||||
* @returns {Promise<void>}
|
||||
*/
|
||||
static async update(updateCalendar: UpdateCalendarCommand): Promise<void> {
|
||||
let sequence = await dataSource
|
||||
.getRepository(calendar)
|
||||
.createQueryBuilder("calendar")
|
||||
.where("id = :id", { id: updateCalendar.id })
|
||||
.getOneOrFail()
|
||||
.then((res) => {
|
||||
return res.sequence;
|
||||
});
|
||||
return await dataSource
|
||||
.createQueryBuilder()
|
||||
.update(calendar)
|
||||
.set({
|
||||
starttime: updateCalendar.starttime,
|
||||
endtime: updateCalendar.endtime,
|
||||
title: updateCalendar.title,
|
||||
content: updateCalendar.content,
|
||||
location: updateCalendar.location,
|
||||
allDay: updateCalendar.allDay,
|
||||
type: await dataSource
|
||||
.getRepository(calendarType)
|
||||
.createQueryBuilder("type")
|
||||
.where("id = :id", { id: updateCalendar.typeId })
|
||||
.getOneOrFail(),
|
||||
sequence: sequence + 1,
|
||||
})
|
||||
.where("id = :id", { id: updateCalendar.id })
|
||||
.execute()
|
||||
.then(() => {})
|
||||
.catch((err) => {
|
||||
throw new InternalException("Failed updating award", err);
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* @description delete calendar
|
||||
* @param DeleteCalendarCommand
|
||||
* @returns {Promise<void>}
|
||||
*/
|
||||
static async delete(deleteCalendar: DeleteCalendarCommand): Promise<void> {
|
||||
return await dataSource
|
||||
.createQueryBuilder()
|
||||
.delete()
|
||||
.from(calendar)
|
||||
.where("id = :id", { id: deleteCalendar.id })
|
||||
.execute()
|
||||
.then(() => {})
|
||||
.catch((err) => {
|
||||
throw new InternalException("Failed deleting calendar", err);
|
||||
});
|
||||
}
|
||||
}
|
16
src/command/calendarTypeCommand.ts
Normal file
16
src/command/calendarTypeCommand.ts
Normal file
|
@ -0,0 +1,16 @@
|
|||
export interface CreateCalendarTypeCommand {
|
||||
type: string;
|
||||
nscdr: boolean;
|
||||
color: string;
|
||||
}
|
||||
|
||||
export interface UpdateCalendarTypeCommand {
|
||||
id: number;
|
||||
type: string;
|
||||
nscdr: boolean;
|
||||
color: string;
|
||||
}
|
||||
|
||||
export interface DeleteCalendarTypeCommand {
|
||||
id: number;
|
||||
}
|
70
src/command/calendarTypeCommandHandler.ts
Normal file
70
src/command/calendarTypeCommandHandler.ts
Normal file
|
@ -0,0 +1,70 @@
|
|||
import { dataSource } from "../data-source";
|
||||
import { calendarType } from "../entity/calendarType";
|
||||
import InternalException from "../exceptions/internalException";
|
||||
import { CreateCalendarTypeCommand, DeleteCalendarTypeCommand, UpdateCalendarTypeCommand } from "./calendarTypeCommand";
|
||||
|
||||
export default abstract class CalendarTypeCommandHandler {
|
||||
/**
|
||||
* @description create calendarType
|
||||
* @param CreateCalendarTypeCommand
|
||||
* @returns {Promise<number>}
|
||||
*/
|
||||
static async create(createCalendarType: CreateCalendarTypeCommand): Promise<number> {
|
||||
return await dataSource
|
||||
.createQueryBuilder()
|
||||
.insert()
|
||||
.into(calendarType)
|
||||
.values({
|
||||
type: createCalendarType.type,
|
||||
nscdr: createCalendarType.nscdr,
|
||||
color: createCalendarType.color,
|
||||
})
|
||||
.execute()
|
||||
.then((result) => {
|
||||
return result.identifiers[0].id;
|
||||
})
|
||||
.catch((err) => {
|
||||
throw new InternalException("Failed creating calendarType", err);
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* @description update calendarType
|
||||
* @param UpdateCalendarTypeCommand
|
||||
* @returns {Promise<void>}
|
||||
*/
|
||||
static async update(updateCalendarType: UpdateCalendarTypeCommand): Promise<void> {
|
||||
return await dataSource
|
||||
.createQueryBuilder()
|
||||
.update(calendarType)
|
||||
.set({
|
||||
type: updateCalendarType.type,
|
||||
nscdr: updateCalendarType.nscdr,
|
||||
color: updateCalendarType.color,
|
||||
})
|
||||
.where("id = :id", { id: updateCalendarType.id })
|
||||
.execute()
|
||||
.then(() => {})
|
||||
.catch((err) => {
|
||||
throw new InternalException("Failed updating award", err);
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* @description delete calendarType
|
||||
* @param DeleteCalendarTypeCommand
|
||||
* @returns {Promise<void>}
|
||||
*/
|
||||
static async delete(deleteCalendarType: DeleteCalendarTypeCommand): Promise<void> {
|
||||
return await dataSource
|
||||
.createQueryBuilder()
|
||||
.delete()
|
||||
.from(calendarType)
|
||||
.where("id = :id", { id: deleteCalendarType.id })
|
||||
.execute()
|
||||
.then(() => {})
|
||||
.catch((err) => {
|
||||
throw new InternalException("Failed deleting calendarType", err);
|
||||
});
|
||||
}
|
||||
}
|
6
src/command/protocolAgendaCommand.ts
Normal file
6
src/command/protocolAgendaCommand.ts
Normal file
|
@ -0,0 +1,6 @@
|
|||
export interface SynchronizeProtocolAgendaCommand {
|
||||
id?: number;
|
||||
topic: string;
|
||||
context: string;
|
||||
protocolId: number;
|
||||
}
|
49
src/command/protocolAgendaCommandHandler.ts
Normal file
49
src/command/protocolAgendaCommandHandler.ts
Normal file
|
@ -0,0 +1,49 @@
|
|||
import { dataSource } from "../data-source";
|
||||
import { protocolAgenda } from "../entity/protocolAgenda";
|
||||
import InternalException from "../exceptions/internalException";
|
||||
import { SynchronizeProtocolAgendaCommand } from "./protocolAgendaCommand";
|
||||
|
||||
export default abstract class ProtocolAgendaCommandHandler {
|
||||
/**
|
||||
* @description create protocolAgenda
|
||||
* @param {number}
|
||||
* @returns {Promise<number>}
|
||||
*/
|
||||
static async create(protocolId: number): Promise<number> {
|
||||
return await dataSource
|
||||
.createQueryBuilder()
|
||||
.insert()
|
||||
.into(protocolAgenda)
|
||||
.values({
|
||||
topic: "",
|
||||
context: "",
|
||||
protocolId,
|
||||
})
|
||||
.execute()
|
||||
.then((result) => {
|
||||
return result.identifiers[0].id;
|
||||
})
|
||||
.catch((err) => {
|
||||
throw new InternalException("Failed creating protocol", err);
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* @description sync protocolAgenda
|
||||
* @param {Array<SynchronizeProtocolAgendaCommand>}
|
||||
* @returns {Promise<void>}
|
||||
*/
|
||||
static async sync(syncProtocolAgenda: Array<SynchronizeProtocolAgendaCommand>): Promise<void> {
|
||||
return await dataSource
|
||||
.createQueryBuilder()
|
||||
.insert()
|
||||
.into(protocolAgenda)
|
||||
.values(syncProtocolAgenda)
|
||||
.orUpdate(["topic", "context"], ["id"])
|
||||
.execute()
|
||||
.then(() => {})
|
||||
.catch((err) => {
|
||||
throw new InternalException("Failed creating protocol", err);
|
||||
});
|
||||
}
|
||||
}
|
13
src/command/protocolCommand.ts
Normal file
13
src/command/protocolCommand.ts
Normal file
|
@ -0,0 +1,13 @@
|
|||
export interface CreateProtocolCommand {
|
||||
title: string;
|
||||
date: Date;
|
||||
}
|
||||
|
||||
export interface SynchronizeProtocolCommand {
|
||||
id: number;
|
||||
title: string;
|
||||
date: Date;
|
||||
starttime: Date;
|
||||
endtime: Date;
|
||||
summary: string;
|
||||
}
|
53
src/command/protocolCommandHandler.ts
Normal file
53
src/command/protocolCommandHandler.ts
Normal file
|
@ -0,0 +1,53 @@
|
|||
import { dataSource } from "../data-source";
|
||||
import { protocol } from "../entity/protocol";
|
||||
import InternalException from "../exceptions/internalException";
|
||||
import { CreateProtocolCommand, SynchronizeProtocolCommand } from "./protocolCommand";
|
||||
|
||||
export default abstract class ProtocolCommandHandler {
|
||||
/**
|
||||
* @description create protocol
|
||||
* @param CreateProtocolCommand
|
||||
* @returns {Promise<number>}
|
||||
*/
|
||||
static async create(createProtocol: CreateProtocolCommand): Promise<number> {
|
||||
return await dataSource
|
||||
.createQueryBuilder()
|
||||
.insert()
|
||||
.into(protocol)
|
||||
.values({
|
||||
title: createProtocol.title,
|
||||
date: createProtocol.date,
|
||||
})
|
||||
.execute()
|
||||
.then((result) => {
|
||||
return result.identifiers[0].id;
|
||||
})
|
||||
.catch((err) => {
|
||||
throw new InternalException("Failed creating protocol", err);
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* @description sync protocol
|
||||
* @param SynchronizeProtocolCommand
|
||||
* @returns {Promise<void>}
|
||||
*/
|
||||
static async sync(syncProtocol: SynchronizeProtocolCommand): Promise<void> {
|
||||
return await dataSource
|
||||
.createQueryBuilder()
|
||||
.update(protocol)
|
||||
.set({
|
||||
title: syncProtocol.title,
|
||||
date: syncProtocol.date,
|
||||
starttime: syncProtocol.starttime,
|
||||
endtime: syncProtocol.endtime,
|
||||
summary: syncProtocol.summary,
|
||||
})
|
||||
.where("id = :id", { id: syncProtocol.id })
|
||||
.execute()
|
||||
.then(() => {})
|
||||
.catch((err) => {
|
||||
throw new InternalException("Failed creating protocol", err);
|
||||
});
|
||||
}
|
||||
}
|
6
src/command/protocolDecisionCommand.ts
Normal file
6
src/command/protocolDecisionCommand.ts
Normal file
|
@ -0,0 +1,6 @@
|
|||
export interface SynchronizeProtocolDecisionCommand {
|
||||
id?: number;
|
||||
topic: string;
|
||||
context: string;
|
||||
protocolId: number;
|
||||
}
|
48
src/command/protocolDecisionCommandHandler.ts
Normal file
48
src/command/protocolDecisionCommandHandler.ts
Normal file
|
@ -0,0 +1,48 @@
|
|||
import { dataSource } from "../data-source";
|
||||
import { protocolDecision } from "../entity/protocolDecision";
|
||||
import InternalException from "../exceptions/internalException";
|
||||
import { SynchronizeProtocolDecisionCommand } from "./protocolDecisionCommand";
|
||||
|
||||
export default abstract class ProtocolDecisionCommandHandler {
|
||||
/**
|
||||
* @description create protocolDecision
|
||||
* @param {number}
|
||||
* @returns {Promise<number>}
|
||||
*/
|
||||
static async create(protocolId: number): Promise<number> {
|
||||
return await dataSource
|
||||
.createQueryBuilder()
|
||||
.insert()
|
||||
.into(protocolDecision)
|
||||
.values({
|
||||
topic: "",
|
||||
context: "",
|
||||
protocolId,
|
||||
})
|
||||
.execute()
|
||||
.then((result) => {
|
||||
return result.identifiers[0].id;
|
||||
})
|
||||
.catch((err) => {
|
||||
throw new InternalException("Failed creating protocol", err);
|
||||
});
|
||||
}
|
||||
/**
|
||||
* @description sync protocolDecision
|
||||
* @param {Array<SynchronizeProtocolDecisionCommand>}
|
||||
* @returns {Promise<void>}
|
||||
*/
|
||||
static async sync(syncProtocolDecisions: Array<SynchronizeProtocolDecisionCommand>): Promise<void> {
|
||||
return await dataSource
|
||||
.createQueryBuilder()
|
||||
.insert()
|
||||
.into(protocolDecision)
|
||||
.values(syncProtocolDecisions)
|
||||
.orUpdate(["topic", "context"], ["id"])
|
||||
.execute()
|
||||
.then(() => {})
|
||||
.catch((err) => {
|
||||
throw new InternalException("Failed creating protocol", err);
|
||||
});
|
||||
}
|
||||
}
|
4
src/command/protocolPresenceCommand.ts
Normal file
4
src/command/protocolPresenceCommand.ts
Normal file
|
@ -0,0 +1,4 @@
|
|||
export interface SynchronizeProtocolPresenceCommand {
|
||||
memberIds: Array<number>;
|
||||
protocolId: number;
|
||||
}
|
69
src/command/protocolPresenceCommandHandler.ts
Normal file
69
src/command/protocolPresenceCommandHandler.ts
Normal file
|
@ -0,0 +1,69 @@
|
|||
import { DeleteResult, EntityManager, InsertResult } from "typeorm";
|
||||
import { dataSource } from "../data-source";
|
||||
import { protocolPresence } from "../entity/protocolPresence";
|
||||
import InternalException from "../exceptions/internalException";
|
||||
import ProtocolPresenceService from "../service/protocolPrecenseService";
|
||||
import { SynchronizeProtocolPresenceCommand } from "./protocolPresenceCommand";
|
||||
|
||||
export default abstract class ProtocolPresenceCommandHandler {
|
||||
/**
|
||||
* @description sync protocolPresence
|
||||
* @param {SynchronizeProtocolPresenceCommand}
|
||||
* @returns {Promise<void>}
|
||||
*/
|
||||
static async sync(syncProtocolPresences: SynchronizeProtocolPresenceCommand): Promise<void> {
|
||||
let currentPresence = (await ProtocolPresenceService.getAll(syncProtocolPresences.protocolId)).map(
|
||||
(r) => r.memberId
|
||||
);
|
||||
|
||||
return await dataSource.manager
|
||||
.transaction(async (manager) => {
|
||||
let newMembers = syncProtocolPresences.memberIds.filter((r) => !currentPresence.includes(r));
|
||||
let removeMembers = currentPresence.filter((r) => !syncProtocolPresences.memberIds.includes(r));
|
||||
|
||||
if (newMembers.length != 0) {
|
||||
await this.syncPresenceAdd(manager, syncProtocolPresences.protocolId, newMembers);
|
||||
}
|
||||
|
||||
if (removeMembers.length != 0) {
|
||||
await this.syncPresenceRemove(manager, syncProtocolPresences.protocolId, removeMembers);
|
||||
}
|
||||
})
|
||||
.then(() => {})
|
||||
.catch((err) => {
|
||||
throw new InternalException("Failed saving protocol presence", err);
|
||||
});
|
||||
}
|
||||
|
||||
private static async syncPresenceAdd(
|
||||
manager: EntityManager,
|
||||
protocolId: number,
|
||||
memberIds: Array<number>
|
||||
): Promise<InsertResult> {
|
||||
return await manager
|
||||
.createQueryBuilder()
|
||||
.insert()
|
||||
.into(protocolPresence)
|
||||
.values(
|
||||
memberIds.map((m) => ({
|
||||
protocolId,
|
||||
memberId: m,
|
||||
}))
|
||||
)
|
||||
.execute();
|
||||
}
|
||||
|
||||
private static async syncPresenceRemove(
|
||||
manager: EntityManager,
|
||||
protocolId: number,
|
||||
memberIds: Array<number>
|
||||
): Promise<DeleteResult> {
|
||||
return await manager
|
||||
.createQueryBuilder()
|
||||
.delete()
|
||||
.from(protocolPresence)
|
||||
.where("memberId IN (:...ids)", { ids: memberIds })
|
||||
.andWhere("protocolId = :protocolId", { protocolId })
|
||||
.execute();
|
||||
}
|
||||
}
|
6
src/command/protocolPrintoutCommand.ts
Normal file
6
src/command/protocolPrintoutCommand.ts
Normal file
|
@ -0,0 +1,6 @@
|
|||
export interface CreateProtocolPrintoutCommand {
|
||||
title: string;
|
||||
iteration: number;
|
||||
filename: string;
|
||||
protocolId: number;
|
||||
}
|
31
src/command/protocolPrintoutCommandHandler.ts
Normal file
31
src/command/protocolPrintoutCommandHandler.ts
Normal file
|
@ -0,0 +1,31 @@
|
|||
import { dataSource } from "../data-source";
|
||||
import { protocolPrintout } from "../entity/protocolPrintout";
|
||||
import InternalException from "../exceptions/internalException";
|
||||
import { CreateProtocolPrintoutCommand } from "./protocolPrintoutCommand";
|
||||
|
||||
export default abstract class ProtocolPrintoutCommandHandler {
|
||||
/**
|
||||
* @description create protocolPrintout
|
||||
* @param {number}
|
||||
* @returns {Promise<number>}
|
||||
*/
|
||||
static async create(printout: CreateProtocolPrintoutCommand): Promise<number> {
|
||||
return await dataSource
|
||||
.createQueryBuilder()
|
||||
.insert()
|
||||
.into(protocolPrintout)
|
||||
.values({
|
||||
title: printout.title,
|
||||
iteration: printout.iteration,
|
||||
filename: printout.filename,
|
||||
protocolId: printout.protocolId,
|
||||
})
|
||||
.execute()
|
||||
.then((result) => {
|
||||
return result.identifiers[0].id;
|
||||
})
|
||||
.catch((err) => {
|
||||
throw new InternalException("Failed creating protocol", err);
|
||||
});
|
||||
}
|
||||
}
|
9
src/command/protocolVotingCommand.ts
Normal file
9
src/command/protocolVotingCommand.ts
Normal file
|
@ -0,0 +1,9 @@
|
|||
export interface SynchronizeProtocolVotingCommand {
|
||||
id: number;
|
||||
topic: string;
|
||||
context: string;
|
||||
favour: number;
|
||||
abstain: number;
|
||||
against: number;
|
||||
protocolId: number;
|
||||
}
|
48
src/command/protocolVotingCommandHandler.ts
Normal file
48
src/command/protocolVotingCommandHandler.ts
Normal file
|
@ -0,0 +1,48 @@
|
|||
import { dataSource } from "../data-source";
|
||||
import { protocolVoting } from "../entity/protocolVoting";
|
||||
import InternalException from "../exceptions/internalException";
|
||||
import { SynchronizeProtocolVotingCommand } from "./protocolVotingCommand";
|
||||
|
||||
export default abstract class ProtocolVotingCommandHandler {
|
||||
/**
|
||||
* @description create protocolVoting
|
||||
* @param {number}
|
||||
* @returns {Promise<number>}
|
||||
*/
|
||||
static async create(protocolId: number): Promise<number> {
|
||||
return await dataSource
|
||||
.createQueryBuilder()
|
||||
.insert()
|
||||
.into(protocolVoting)
|
||||
.values({
|
||||
topic: "",
|
||||
context: "",
|
||||
protocolId,
|
||||
})
|
||||
.execute()
|
||||
.then((result) => {
|
||||
return result.identifiers[0].id;
|
||||
})
|
||||
.catch((err) => {
|
||||
throw new InternalException("Failed creating protocol", err);
|
||||
});
|
||||
}
|
||||
/**
|
||||
* @description sync protocolVoting
|
||||
* @param {Array<SynchronizeProtocolVotingCommand>}
|
||||
* @returns {Promise<void>}
|
||||
*/
|
||||
static async sync(syncProtocolVotings: Array<SynchronizeProtocolVotingCommand>): Promise<void> {
|
||||
return await dataSource
|
||||
.createQueryBuilder()
|
||||
.insert()
|
||||
.into(protocolVoting)
|
||||
.values(syncProtocolVotings)
|
||||
.orUpdate(["topic", "context", "favour", "abstain", "against"], ["id"])
|
||||
.execute()
|
||||
.then(() => {})
|
||||
.catch((err) => {
|
||||
throw new InternalException("Failed creating protocol", err);
|
||||
});
|
||||
}
|
||||
}
|
201
src/controller/admin/calendarController.ts
Normal file
201
src/controller/admin/calendarController.ts
Normal file
|
@ -0,0 +1,201 @@
|
|||
import { Request, Response } from "express";
|
||||
import CalendarService from "../../service/calendarService";
|
||||
import CalendarFactory from "../../factory/admin/calendar";
|
||||
import CalendarTypeService from "../../service/calendarTypeService";
|
||||
import CalendarTypeFactory from "../../factory/admin/calendarType";
|
||||
import { CreateCalendarCommand, DeleteCalendarCommand, UpdateCalendarCommand } from "../../command/calendarCommand";
|
||||
import CalendarCommandHandler from "../../command/calendarCommandHandler";
|
||||
import {
|
||||
CreateCalendarTypeCommand,
|
||||
DeleteCalendarTypeCommand,
|
||||
UpdateCalendarTypeCommand,
|
||||
} from "../../command/calendarTypeCommand";
|
||||
import CalendarTypeCommandHandler from "../../command/calendarTypeCommandHandler";
|
||||
|
||||
/**
|
||||
* @description get all calendar items
|
||||
* @param req {Request} Express req object
|
||||
* @param res {Response} Express res object
|
||||
* @returns {Promise<*>}
|
||||
*/
|
||||
export async function getAllCalendarItems(req: Request, res: Response): Promise<any> {
|
||||
let items = await CalendarService.getAll();
|
||||
|
||||
res.json(CalendarFactory.mapToBase(items));
|
||||
}
|
||||
|
||||
/**
|
||||
* @description get calendar item by id
|
||||
* @param req {Request} Express req object
|
||||
* @param res {Response} Express res object
|
||||
* @returns {Promise<*>}
|
||||
*/
|
||||
export async function getCalendarItemById(req: Request, res: Response): Promise<any> {
|
||||
const id = req.params.id;
|
||||
let item = await CalendarService.getById(id);
|
||||
|
||||
res.json(CalendarFactory.mapToSingle(item));
|
||||
}
|
||||
|
||||
/**
|
||||
* @description get all calendar types
|
||||
* @param req {Request} Express req object
|
||||
* @param res {Response} Express res object
|
||||
* @returns {Promise<*>}
|
||||
*/
|
||||
export async function getAllCalendarTypes(req: Request, res: Response): Promise<any> {
|
||||
let types = await CalendarTypeService.getAll();
|
||||
|
||||
res.json(CalendarTypeFactory.mapToBase(types));
|
||||
}
|
||||
|
||||
/**
|
||||
* @description get calendar type by id
|
||||
* @param req {Request} Express req object
|
||||
* @param res {Response} Express res object
|
||||
* @returns {Promise<*>}
|
||||
*/
|
||||
export async function getCalendarTypeById(req: Request, res: Response): Promise<any> {
|
||||
const id = parseInt(req.params.id);
|
||||
let type = await CalendarTypeService.getById(id);
|
||||
|
||||
res.json(CalendarTypeFactory.mapToSingle(type));
|
||||
}
|
||||
|
||||
/**
|
||||
* @description create calendar item
|
||||
* @param req {Request} Express req object
|
||||
* @param res {Response} Express res object
|
||||
* @returns {Promise<*>}
|
||||
*/
|
||||
export async function createCalendarItem(req: Request, res: Response): Promise<any> {
|
||||
const starttime = req.body.starttime;
|
||||
const endtime = req.body.endtime;
|
||||
const title = req.body.title;
|
||||
const content = req.body.content;
|
||||
const location = req.body.location;
|
||||
const allDay = req.body.allDay;
|
||||
const typeId = req.body.typeId;
|
||||
|
||||
let createItem: CreateCalendarCommand = {
|
||||
starttime,
|
||||
endtime,
|
||||
title,
|
||||
content,
|
||||
location,
|
||||
allDay,
|
||||
typeId,
|
||||
};
|
||||
let id = await CalendarCommandHandler.create(createItem);
|
||||
|
||||
res.send(id);
|
||||
}
|
||||
|
||||
/**
|
||||
* @description create calendar type
|
||||
* @param req {Request} Express req object
|
||||
* @param res {Response} Express res object
|
||||
* @returns {Promise<*>}
|
||||
*/
|
||||
export async function createCalendarType(req: Request, res: Response): Promise<any> {
|
||||
const type = req.body.type;
|
||||
const nscdr = req.body.nscdr;
|
||||
const color = req.body.color;
|
||||
|
||||
let createType: CreateCalendarTypeCommand = {
|
||||
type,
|
||||
nscdr,
|
||||
color,
|
||||
};
|
||||
let id = await CalendarTypeCommandHandler.create(createType);
|
||||
|
||||
res.send(id);
|
||||
}
|
||||
|
||||
/**
|
||||
* @description update calendar item
|
||||
* @param req {Request} Express req object
|
||||
* @param res {Response} Express res object
|
||||
* @returns {Promise<*>}
|
||||
*/
|
||||
export async function updateCalendarItem(req: Request, res: Response): Promise<any> {
|
||||
const id = req.params.id;
|
||||
const starttime = req.body.starttime;
|
||||
const endtime = req.body.endtime;
|
||||
const title = req.body.title;
|
||||
const content = req.body.content;
|
||||
const location = req.body.location;
|
||||
const allDay = req.body.allDay;
|
||||
const typeId = req.body.typeId;
|
||||
|
||||
let updateItem: UpdateCalendarCommand = {
|
||||
id,
|
||||
starttime,
|
||||
endtime,
|
||||
title,
|
||||
content,
|
||||
location,
|
||||
allDay,
|
||||
typeId,
|
||||
};
|
||||
await CalendarCommandHandler.update(updateItem);
|
||||
|
||||
res.sendStatus(204);
|
||||
}
|
||||
|
||||
/**
|
||||
* @description update calendar type
|
||||
* @param req {Request} Express req object
|
||||
* @param res {Response} Express res object
|
||||
* @returns {Promise<*>}
|
||||
*/
|
||||
export async function updateCalendarType(req: Request, res: Response): Promise<any> {
|
||||
const id = parseInt(req.params.id);
|
||||
const type = req.body.type;
|
||||
const nscdr = req.body.nscdr;
|
||||
const color = req.body.color;
|
||||
|
||||
let updateType: UpdateCalendarTypeCommand = {
|
||||
id,
|
||||
type,
|
||||
nscdr,
|
||||
color,
|
||||
};
|
||||
await CalendarTypeCommandHandler.update(updateType);
|
||||
|
||||
res.sendStatus(204);
|
||||
}
|
||||
|
||||
/**
|
||||
* @description delete calendar item
|
||||
* @param req {Request} Express req object
|
||||
* @param res {Response} Express res object
|
||||
* @returns {Promise<*>}
|
||||
*/
|
||||
export async function deleteCalendarItem(req: Request, res: Response): Promise<any> {
|
||||
const id = req.params.id;
|
||||
|
||||
let deleteItem: DeleteCalendarCommand = {
|
||||
id,
|
||||
};
|
||||
await CalendarCommandHandler.delete(deleteItem);
|
||||
|
||||
res.sendStatus(204);
|
||||
}
|
||||
|
||||
/**
|
||||
* @description delete calendar type
|
||||
* @param req {Request} Express req object
|
||||
* @param res {Response} Express res object
|
||||
* @returns {Promise<*>}
|
||||
*/
|
||||
export async function deleteCalendarType(req: Request, res: Response): Promise<any> {
|
||||
const id = parseInt(req.params.id);
|
||||
|
||||
let deleteType: DeleteCalendarTypeCommand = {
|
||||
id,
|
||||
};
|
||||
await CalendarTypeCommandHandler.delete(deleteType);
|
||||
|
||||
res.sendStatus(204);
|
||||
}
|
386
src/controller/admin/protocolController.ts
Normal file
386
src/controller/admin/protocolController.ts
Normal file
|
@ -0,0 +1,386 @@
|
|||
import { Request, Response } from "express";
|
||||
import ProtocolService from "../../service/protocolService";
|
||||
import ProtocolFactory from "../../factory/admin/protocol";
|
||||
import ProtocolAgendaService from "../../service/protocolAgendaService";
|
||||
import ProtocolAgendaFactory from "../../factory/admin/protocolAgenda";
|
||||
import ProtocolDecisionService from "../../service/protocolDecisionService";
|
||||
import ProtocolDecisionFactory from "../../factory/admin/protocolDecision";
|
||||
import ProtocolPresenceService from "../../service/protocolPrecenseService";
|
||||
import ProtocolPresenceFactory from "../../factory/admin/protocolPresence";
|
||||
import ProtocolVotingService from "../../service/protocolVotingService";
|
||||
import ProtocolVotingFactory from "../../factory/admin/protocolVoting";
|
||||
import { CreateProtocolCommand, SynchronizeProtocolCommand } from "../../command/protocolCommand";
|
||||
import ProtocolCommandHandler from "../../command/protocolCommandHandler";
|
||||
import { SynchronizeProtocolAgendaCommand } from "../../command/protocolAgendaCommand";
|
||||
import ProtocolAgendaCommandHandler from "../../command/protocolAgendaCommandHandler";
|
||||
import { ProtocolAgendaViewModel } from "../../viewmodel/admin/protocolAgenda.models";
|
||||
import ProtocolDecisionCommandHandler from "../../command/protocolDecisionCommandHandler";
|
||||
import { ProtocolDecisionViewModel } from "../../viewmodel/admin/protocolDecision.models";
|
||||
import ProtocolPresenceCommandHandler from "../../command/protocolPresenceCommandHandler";
|
||||
import { SynchronizeProtocolPresenceCommand } from "../../command/protocolPresenceCommand";
|
||||
import { SynchronizeProtocolDecisionCommand } from "../../command/protocolDecisionCommand";
|
||||
import { SynchronizeProtocolVotingCommand } from "../../command/protocolVotingCommand";
|
||||
import { ProtocolVotingViewModel } from "../../viewmodel/admin/protocolVoting.models";
|
||||
import ProtocolVotingCommandHandler from "../../command/protocolVotingCommandHandler";
|
||||
import { PdfExport } from "../../helpers/pdfExport";
|
||||
import ProtocolPrintoutService from "../../service/protocolPrintoutService";
|
||||
import ProtocolPrintoutFactory from "../../factory/admin/protocolPrintout";
|
||||
import { CreateProtocolPrintoutCommand } from "../../command/protocolPrintoutCommand";
|
||||
import ProtocolPrintoutCommandHandler from "../../command/protocolPrintoutCommandHandler";
|
||||
|
||||
/**
|
||||
* @description get all protocols
|
||||
* @param req {Request} Express req object
|
||||
* @param res {Response} Express res object
|
||||
* @returns {Promise<*>}
|
||||
*/
|
||||
export async function getAllProtocols(req: Request, res: Response): Promise<any> {
|
||||
let offset = parseInt((req.query.offset as string) ?? "0");
|
||||
let count = parseInt((req.query.count as string) ?? "25");
|
||||
let [protocols, total] = await ProtocolService.getAll(offset, count);
|
||||
|
||||
res.json({
|
||||
protocols: ProtocolFactory.mapToBase(protocols),
|
||||
total: total,
|
||||
offset: offset,
|
||||
count: count,
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* @description get protocol by id
|
||||
* @param req {Request} Express req object
|
||||
* @param res {Response} Express res object
|
||||
* @returns {Promise<*>}
|
||||
*/
|
||||
export async function getProtocolById(req: Request, res: Response): Promise<any> {
|
||||
let id = parseInt(req.params.id);
|
||||
let protocol = await ProtocolService.getById(id);
|
||||
|
||||
res.json(ProtocolFactory.mapToSingle(protocol));
|
||||
}
|
||||
|
||||
/**
|
||||
* @description get protocol agenda by id
|
||||
* @param req {Request} Express req object
|
||||
* @param res {Response} Express res object
|
||||
* @returns {Promise<*>}
|
||||
*/
|
||||
export async function getProtocolAgendaById(req: Request, res: Response): Promise<any> {
|
||||
let protocolId = parseInt(req.params.protocolId);
|
||||
|
||||
let agenda = await ProtocolAgendaService.getAll(protocolId);
|
||||
|
||||
res.json(ProtocolAgendaFactory.mapToBase(agenda));
|
||||
}
|
||||
|
||||
/**
|
||||
* @description get protocol decisions by id
|
||||
* @param req {Request} Express req object
|
||||
* @param res {Response} Express res object
|
||||
* @returns {Promise<*>}
|
||||
*/
|
||||
export async function getProtocolDecisonsById(req: Request, res: Response): Promise<any> {
|
||||
let protocolId = parseInt(req.params.protocolId);
|
||||
|
||||
let decisions = await ProtocolDecisionService.getAll(protocolId);
|
||||
|
||||
res.json(ProtocolDecisionFactory.mapToBase(decisions));
|
||||
}
|
||||
|
||||
/**
|
||||
* @description get protocol precense by id
|
||||
* @param req {Request} Express req object
|
||||
* @param res {Response} Express res object
|
||||
* @returns {Promise<*>}
|
||||
*/
|
||||
export async function getProtocolPrecenseById(req: Request, res: Response): Promise<any> {
|
||||
let protocolId = parseInt(req.params.protocolId);
|
||||
|
||||
let presence = await ProtocolPresenceService.getAll(protocolId);
|
||||
|
||||
res.json(ProtocolPresenceFactory.mapToBase(presence));
|
||||
}
|
||||
|
||||
/**
|
||||
* @description get protocol votings by id
|
||||
* @param req {Request} Express req object
|
||||
* @param res {Response} Express res object
|
||||
* @returns {Promise<*>}
|
||||
*/
|
||||
export async function getProtocolVotingsById(req: Request, res: Response): Promise<any> {
|
||||
let protocolId = parseInt(req.params.protocolId);
|
||||
|
||||
let votings = await ProtocolVotingService.getAll(protocolId);
|
||||
|
||||
res.json(ProtocolVotingFactory.mapToBase(votings));
|
||||
}
|
||||
|
||||
/**
|
||||
* @description get protocol printouts by id
|
||||
* @param req {Request} Express req object
|
||||
* @param res {Response} Express res object
|
||||
* @returns {Promise<*>}
|
||||
*/
|
||||
export async function getProtocolPrintoutsById(req: Request, res: Response): Promise<any> {
|
||||
let protocolId = parseInt(req.params.protocolId);
|
||||
|
||||
let printouts = await ProtocolPrintoutService.getAll(protocolId);
|
||||
|
||||
res.json(ProtocolPrintoutFactory.mapToBase(printouts));
|
||||
}
|
||||
|
||||
/**
|
||||
* @description get protocol printout by id and print
|
||||
* @param req {Request} Express req object
|
||||
* @param res {Response} Express res object
|
||||
* @returns {Promise<*>}
|
||||
*/
|
||||
export async function getProtocolPrintoutByIdAndPrint(req: Request, res: Response): Promise<any> {
|
||||
let protocolId = parseInt(req.params.protocolId);
|
||||
let printoutId = parseInt(req.params.printoutId);
|
||||
|
||||
let printout = await ProtocolPrintoutService.getById(printoutId, protocolId);
|
||||
|
||||
res.sendFile(process.cwd() + `/export/${printout.filename}.pdf`, {
|
||||
headers: {
|
||||
"Content-Type": "application/pdf",
|
||||
},
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* @description create protocol
|
||||
* @param req {Request} Express req object
|
||||
* @param res {Response} Express res object
|
||||
* @returns {Promise<*>}
|
||||
*/
|
||||
export async function createProtocol(req: Request, res: Response): Promise<any> {
|
||||
let title = req.body.title;
|
||||
let date = req.body.date;
|
||||
|
||||
let createProtocol: CreateProtocolCommand = {
|
||||
title,
|
||||
date,
|
||||
};
|
||||
let id = await ProtocolCommandHandler.create(createProtocol);
|
||||
|
||||
res.send(id);
|
||||
}
|
||||
|
||||
/**
|
||||
* @description create protocol agenda by id
|
||||
* @param req {Request} Express req object
|
||||
* @param res {Response} Express res object
|
||||
* @returns {Promise<*>}
|
||||
*/
|
||||
export async function createProtocolAgendaById(req: Request, res: Response): Promise<any> {
|
||||
let protocolId = parseInt(req.params.protocolId);
|
||||
|
||||
let agenda = await ProtocolAgendaCommandHandler.create(protocolId);
|
||||
|
||||
res.send(agenda);
|
||||
}
|
||||
|
||||
/**
|
||||
* @description create protocol decisions by id
|
||||
* @param req {Request} Express req object
|
||||
* @param res {Response} Express res object
|
||||
* @returns {Promise<*>}
|
||||
*/
|
||||
export async function createProtocolDecisonsById(req: Request, res: Response): Promise<any> {
|
||||
let protocolId = parseInt(req.params.protocolId);
|
||||
|
||||
let decision = await ProtocolDecisionCommandHandler.create(protocolId);
|
||||
|
||||
res.send(decision);
|
||||
}
|
||||
|
||||
/**
|
||||
* @description create protocol votings by id
|
||||
* @param req {Request} Express req object
|
||||
* @param res {Response} Express res object
|
||||
* @returns {Promise<*>}
|
||||
*/
|
||||
export async function createProtocolVotingsById(req: Request, res: Response): Promise<any> {
|
||||
let protocolId = parseInt(req.params.protocolId);
|
||||
|
||||
let voting = await ProtocolVotingCommandHandler.create(protocolId);
|
||||
|
||||
res.send(voting);
|
||||
}
|
||||
|
||||
/**
|
||||
* @description create protocol printout by id
|
||||
* @param req {Request} Express req object
|
||||
* @param res {Response} Express res object
|
||||
* @returns {Promise<*>}
|
||||
*/
|
||||
export async function createProtocolPrintoutById(req: Request, res: Response): Promise<any> {
|
||||
let protocolId = parseInt(req.params.protocolId);
|
||||
let protocol = await ProtocolService.getById(protocolId);
|
||||
let agenda = await ProtocolAgendaService.getAll(protocolId);
|
||||
let decisions = await ProtocolDecisionService.getAll(protocolId);
|
||||
let presence = await ProtocolPresenceService.getAll(protocolId);
|
||||
let votings = await ProtocolVotingService.getAll(protocolId);
|
||||
let iteration = await ProtocolPrintoutService.getCount(protocolId);
|
||||
|
||||
let title = `Sitzungsprotokoll - ${new Date(protocol.date).toLocaleDateString("de-DE", {
|
||||
day: "2-digit",
|
||||
month: "long",
|
||||
year: "numeric",
|
||||
})}`;
|
||||
|
||||
let filename = `P_${protocol.title.replace(/[^a-zA-Z0-9]/g, "")}_${iteration + 1}_${new Date().toLocaleDateString()}`;
|
||||
|
||||
await PdfExport.renderFile({
|
||||
template: "protocol.template.html",
|
||||
title,
|
||||
filename,
|
||||
data: {
|
||||
title: protocol.title,
|
||||
summary: protocol.summary,
|
||||
iteration: iteration + 1,
|
||||
date: new Date(protocol.date).toLocaleDateString("de-DE", {
|
||||
weekday: "long",
|
||||
day: "2-digit",
|
||||
month: "2-digit",
|
||||
year: "numeric",
|
||||
}),
|
||||
start: protocol.starttime,
|
||||
end: protocol.endtime,
|
||||
agenda,
|
||||
decisions,
|
||||
presence: presence.map((p) => p.member),
|
||||
votings,
|
||||
},
|
||||
});
|
||||
|
||||
let printout: CreateProtocolPrintoutCommand = {
|
||||
title,
|
||||
iteration: iteration + 1,
|
||||
filename,
|
||||
protocolId,
|
||||
};
|
||||
await ProtocolPrintoutCommandHandler.create(printout);
|
||||
|
||||
res.sendStatus(204);
|
||||
}
|
||||
|
||||
/**
|
||||
* @description synchronize protocol by id
|
||||
* @param req {Request} Express req object
|
||||
* @param res {Response} Express res object
|
||||
* @returns {Promise<*>}
|
||||
*/
|
||||
export async function synchronizeProtocolById(req: Request, res: Response): Promise<any> {
|
||||
let id = parseInt(req.params.id);
|
||||
let title = req.body.title;
|
||||
let date = req.body.date;
|
||||
let starttime = req.body.starttime;
|
||||
let endtime = req.body.endtime;
|
||||
let summary = req.body.summary;
|
||||
|
||||
let syncProtocol: SynchronizeProtocolCommand = {
|
||||
id,
|
||||
title,
|
||||
date,
|
||||
starttime,
|
||||
endtime,
|
||||
summary,
|
||||
};
|
||||
await ProtocolCommandHandler.sync(syncProtocol);
|
||||
|
||||
res.sendStatus(204);
|
||||
}
|
||||
|
||||
/**
|
||||
* @description synchronize protocol agenda by id
|
||||
* @param req {Request} Express req object
|
||||
* @param res {Response} Express res object
|
||||
* @returns {Promise<*>}
|
||||
*/
|
||||
export async function synchronizeProtocolAgendaById(req: Request, res: Response): Promise<any> {
|
||||
let protocolId = parseInt(req.params.protocolId);
|
||||
let agenda = req.body.agenda as Array<ProtocolAgendaViewModel>;
|
||||
|
||||
let syncAgenda: Array<SynchronizeProtocolAgendaCommand> = agenda.map(
|
||||
(a: ProtocolAgendaViewModel): SynchronizeProtocolAgendaCommand => ({
|
||||
id: a.id ?? null,
|
||||
topic: a.topic,
|
||||
context: a.context,
|
||||
protocolId,
|
||||
})
|
||||
);
|
||||
await ProtocolAgendaCommandHandler.sync(syncAgenda);
|
||||
|
||||
res.sendStatus(204);
|
||||
}
|
||||
|
||||
/**
|
||||
* @description synchronize protocol decisions by id
|
||||
* @param req {Request} Express req object
|
||||
* @param res {Response} Express res object
|
||||
* @returns {Promise<*>}
|
||||
*/
|
||||
export async function synchronizeProtocolDecisonsById(req: Request, res: Response): Promise<any> {
|
||||
let protocolId = parseInt(req.params.protocolId);
|
||||
let decisions = req.body.decisions as Array<ProtocolDecisionViewModel>;
|
||||
|
||||
let syncDecision: Array<SynchronizeProtocolDecisionCommand> = decisions.map(
|
||||
(d: ProtocolDecisionViewModel): SynchronizeProtocolDecisionCommand => ({
|
||||
id: d.id ?? null,
|
||||
topic: d.topic,
|
||||
context: d.context,
|
||||
protocolId,
|
||||
})
|
||||
);
|
||||
await ProtocolDecisionCommandHandler.sync(syncDecision);
|
||||
|
||||
res.sendStatus(204);
|
||||
}
|
||||
|
||||
/**
|
||||
* @description synchronize protocol votings by id
|
||||
* @param req {Request} Express req object
|
||||
* @param res {Response} Express res object
|
||||
* @returns {Promise<*>}
|
||||
*/
|
||||
export async function synchronizeProtocolVotingsById(req: Request, res: Response): Promise<any> {
|
||||
let protocolId = parseInt(req.params.protocolId);
|
||||
let votings = req.body.votings as Array<ProtocolVotingViewModel>;
|
||||
|
||||
let syncVoting: Array<SynchronizeProtocolVotingCommand> = votings.map(
|
||||
(d: ProtocolVotingViewModel): SynchronizeProtocolVotingCommand => ({
|
||||
id: d.id ?? null,
|
||||
topic: d.topic,
|
||||
context: d.context,
|
||||
favour: d.favour,
|
||||
abstain: d.abstain,
|
||||
against: d.abstain,
|
||||
protocolId,
|
||||
})
|
||||
);
|
||||
await ProtocolVotingCommandHandler.sync(syncVoting);
|
||||
|
||||
res.sendStatus(204);
|
||||
}
|
||||
|
||||
/**
|
||||
* @description synchronize protocol precense by id
|
||||
* @param req {Request} Express req object
|
||||
* @param res {Response} Express res object
|
||||
* @returns {Promise<*>}
|
||||
*/
|
||||
export async function synchronizeProtocolPrecenseById(req: Request, res: Response): Promise<any> {
|
||||
let protocolId = parseInt(req.params.protocolId);
|
||||
let presence = req.body.presence as Array<number>;
|
||||
|
||||
let syncPresence: SynchronizeProtocolPresenceCommand = {
|
||||
memberIds: presence,
|
||||
protocolId,
|
||||
};
|
||||
await ProtocolPresenceCommandHandler.sync(syncPresence);
|
||||
|
||||
res.sendStatus(204);
|
||||
}
|
66
src/controller/publicController.ts
Normal file
66
src/controller/publicController.ts
Normal file
|
@ -0,0 +1,66 @@
|
|||
import { Request, Response } from "express";
|
||||
import CalendarService from "../service/calendarService";
|
||||
import CalendarTypeService from "../service/calendarTypeService";
|
||||
import { calendar } from "../entity/calendar";
|
||||
import { createEvents } from "ics";
|
||||
import moment from "moment";
|
||||
|
||||
/**
|
||||
* @description get all calendar items by types or nscdr
|
||||
* @param req {Request} Express req object
|
||||
* @param res {Response} Express res object
|
||||
* @returns {Promise<*>}
|
||||
*/
|
||||
export async function getCalendarItemsByTypes(req: Request, res: Response): Promise<any> {
|
||||
let types = Array.isArray(req.query.types) ? req.query.types : [req.query.types];
|
||||
|
||||
let items: Array<calendar> = [];
|
||||
if (types.length == 0) {
|
||||
let typeIds = await CalendarTypeService.getByTypes(types as Array<string>);
|
||||
items = await CalendarService.getByTypes(typeIds.map((t) => t.id));
|
||||
} else {
|
||||
items = await CalendarService.getByTypeNSCDR();
|
||||
}
|
||||
|
||||
let events = createEvents(
|
||||
items.map((i) => ({
|
||||
calName: process.env.CLUB_NAME,
|
||||
uid: i.id,
|
||||
sequence: 1,
|
||||
start: moment(i.starttime)
|
||||
.format("YYYY-M-D-H-m")
|
||||
.split("-")
|
||||
.map((a) => parseInt(a)) as [number, number, number, number, number],
|
||||
end: moment(i.endtime)
|
||||
.format("YYYY-M-D-H-m")
|
||||
.split("-")
|
||||
.map((a) => parseInt(a)) as [number, number, number, number, number],
|
||||
title: i.title,
|
||||
description: i.content,
|
||||
location: i.location,
|
||||
categories: [i.type.type],
|
||||
created: moment(i.createdAt)
|
||||
.format("YYYY-M-D-H-m")
|
||||
.split("-")
|
||||
.map((a) => parseInt(a)) as [number, number, number, number, number],
|
||||
lastModified: moment(i.updatedAt)
|
||||
.format("YYYY-M-D-H-m")
|
||||
.split("-")
|
||||
.map((a) => parseInt(a)) as [number, number, number, number, number],
|
||||
transp: "OPAQUE" as "OPAQUE",
|
||||
url: "https://www.ff-merching.de",
|
||||
alarms: [
|
||||
{
|
||||
action: "display",
|
||||
description: "Erinnerung",
|
||||
trigger: {
|
||||
minutes: 30,
|
||||
before: true,
|
||||
},
|
||||
},
|
||||
],
|
||||
}))
|
||||
);
|
||||
|
||||
res.type("ics").send(events.value);
|
||||
}
|
|
@ -30,6 +30,16 @@ import { membership } from "./entity/membership";
|
|||
import { Memberdata1726301836849 } from "./migrations/1726301836849-memberdata";
|
||||
import { CommunicationFields1727439800630 } from "./migrations/1727439800630-communicationFields";
|
||||
import { Ownership1728313041449 } from "./migrations/1728313041449-ownership";
|
||||
import { protocol } from "./entity/protocol";
|
||||
import { protocolAgenda } from "./entity/protocolAgenda";
|
||||
import { protocolDecision } from "./entity/protocolDecision";
|
||||
import { protocolPresence } from "./entity/protocolPresence";
|
||||
import { protocolVoting } from "./entity/protocolVoting";
|
||||
import { protocolPrintout } from "./entity/protocolPrintout";
|
||||
import { Protocol1729347911107 } from "./migrations/1729347911107-protocol";
|
||||
import { calendar } from "./entity/calendar";
|
||||
import { calendarType } from "./entity/calendarType";
|
||||
import { Calendar1729947763295 } from "./migrations/1729947763295-calendar";
|
||||
|
||||
const dataSource = new DataSource({
|
||||
type: DB_TYPE as any,
|
||||
|
@ -59,6 +69,14 @@ const dataSource = new DataSource({
|
|||
memberExecutivePositions,
|
||||
memberQualifications,
|
||||
membership,
|
||||
protocol,
|
||||
protocolAgenda,
|
||||
protocolDecision,
|
||||
protocolPresence,
|
||||
protocolVoting,
|
||||
protocolPrintout,
|
||||
calendar,
|
||||
calendarType,
|
||||
],
|
||||
migrations: [
|
||||
Initial1724317398939,
|
||||
|
@ -70,6 +88,8 @@ const dataSource = new DataSource({
|
|||
Memberdata1726301836849,
|
||||
CommunicationFields1727439800630,
|
||||
Ownership1728313041449,
|
||||
Protocol1729347911107,
|
||||
Calendar1729947763295,
|
||||
],
|
||||
migrationsRun: true,
|
||||
migrationsTransactionMode: "each",
|
||||
|
|
52
src/entity/calendar.ts
Normal file
52
src/entity/calendar.ts
Normal file
|
@ -0,0 +1,52 @@
|
|||
import {
|
||||
Column,
|
||||
Entity,
|
||||
ManyToOne,
|
||||
PrimaryColumn,
|
||||
PrimaryGeneratedColumn,
|
||||
CreateDateColumn,
|
||||
UpdateDateColumn,
|
||||
AfterUpdate,
|
||||
BeforeUpdate,
|
||||
} from "typeorm";
|
||||
import { calendarType } from "./calendarType";
|
||||
|
||||
@Entity()
|
||||
export class calendar {
|
||||
@PrimaryGeneratedColumn("uuid")
|
||||
id: string;
|
||||
|
||||
@Column({ type: "datetime", nullable: false })
|
||||
starttime: Date;
|
||||
|
||||
@Column({ type: "datetime", nullable: false })
|
||||
endtime: Date;
|
||||
|
||||
@Column({ type: "varchar", length: 255, nullable: false })
|
||||
title: string;
|
||||
|
||||
@Column({ type: "text", nullable: true })
|
||||
content: string;
|
||||
|
||||
@Column({ type: "text", nullable: true })
|
||||
location: string;
|
||||
|
||||
@Column({ type: "boolean", default: false })
|
||||
allDay: boolean;
|
||||
|
||||
@Column({ type: "int", default: 1 })
|
||||
sequence: number;
|
||||
|
||||
@CreateDateColumn()
|
||||
createdAt: Date;
|
||||
|
||||
@UpdateDateColumn()
|
||||
updatedAt: Date;
|
||||
|
||||
@ManyToOne(() => calendarType, (t) => t.calendar, {
|
||||
nullable: false,
|
||||
onDelete: "RESTRICT",
|
||||
onUpdate: "RESTRICT",
|
||||
})
|
||||
type: calendarType;
|
||||
}
|
24
src/entity/calendarType.ts
Normal file
24
src/entity/calendarType.ts
Normal file
|
@ -0,0 +1,24 @@
|
|||
import { Column, Entity, OneToMany, PrimaryColumn, PrimaryGeneratedColumn } from "typeorm";
|
||||
import { calendar } from "./calendar";
|
||||
|
||||
@Entity()
|
||||
export class calendarType {
|
||||
@PrimaryColumn({ generated: "increment", type: "int" })
|
||||
id: number;
|
||||
|
||||
@Column({ type: "varchar", length: 255 })
|
||||
type: string;
|
||||
|
||||
@Column({ type: "boolean" }) // none specified cal dav request
|
||||
nscdr: boolean;
|
||||
|
||||
@Column({ type: "varchar", length: 255 })
|
||||
color: string;
|
||||
|
||||
@OneToMany(() => calendar, (c) => c.type, {
|
||||
nullable: false,
|
||||
onDelete: "RESTRICT",
|
||||
onUpdate: "RESTRICT",
|
||||
})
|
||||
calendar: calendar[];
|
||||
}
|
22
src/entity/protocol.ts
Normal file
22
src/entity/protocol.ts
Normal file
|
@ -0,0 +1,22 @@
|
|||
import { Column, Entity, PrimaryColumn } from "typeorm";
|
||||
|
||||
@Entity()
|
||||
export class protocol {
|
||||
@PrimaryColumn({ generated: "increment", type: "int" })
|
||||
id: number;
|
||||
|
||||
@Column({ type: "varchar", length: 255 })
|
||||
title: string;
|
||||
|
||||
@Column({ type: "date" })
|
||||
date: Date;
|
||||
|
||||
@Column({ type: "time", nullable: true })
|
||||
starttime: Date;
|
||||
|
||||
@Column({ type: "time", nullable: true })
|
||||
endtime: Date;
|
||||
|
||||
@Column({ type: "text", nullable: true })
|
||||
summary: string;
|
||||
}
|
24
src/entity/protocolAgenda.ts
Normal file
24
src/entity/protocolAgenda.ts
Normal file
|
@ -0,0 +1,24 @@
|
|||
import { Column, Entity, ManyToOne, PrimaryGeneratedColumn } from "typeorm";
|
||||
import { protocol } from "./protocol";
|
||||
|
||||
@Entity()
|
||||
export class protocolAgenda {
|
||||
@PrimaryGeneratedColumn("increment")
|
||||
id: number;
|
||||
|
||||
@Column({ type: "varchar", length: 255 })
|
||||
topic: string;
|
||||
|
||||
@Column({ type: "text", default: "" })
|
||||
context: string;
|
||||
|
||||
@Column()
|
||||
protocolId: number;
|
||||
|
||||
@ManyToOne(() => protocol, {
|
||||
nullable: false,
|
||||
onDelete: "CASCADE",
|
||||
onUpdate: "RESTRICT",
|
||||
})
|
||||
protocol: protocol;
|
||||
}
|
24
src/entity/protocolDecision.ts
Normal file
24
src/entity/protocolDecision.ts
Normal file
|
@ -0,0 +1,24 @@
|
|||
import { Column, Entity, ManyToOne, PrimaryGeneratedColumn } from "typeorm";
|
||||
import { protocol } from "./protocol";
|
||||
|
||||
@Entity()
|
||||
export class protocolDecision {
|
||||
@PrimaryGeneratedColumn("increment")
|
||||
id: number;
|
||||
|
||||
@Column({ type: "varchar", length: 255 })
|
||||
topic: string;
|
||||
|
||||
@Column({ type: "text", default: "" })
|
||||
context: string;
|
||||
|
||||
@Column()
|
||||
protocolId: number;
|
||||
|
||||
@ManyToOne(() => protocol, {
|
||||
nullable: false,
|
||||
onDelete: "CASCADE",
|
||||
onUpdate: "RESTRICT",
|
||||
})
|
||||
protocol: protocol;
|
||||
}
|
26
src/entity/protocolPresence.ts
Normal file
26
src/entity/protocolPresence.ts
Normal file
|
@ -0,0 +1,26 @@
|
|||
import { Column, Entity, ManyToOne, PrimaryColumn } from "typeorm";
|
||||
import { protocol } from "./protocol";
|
||||
import { member } from "./member";
|
||||
|
||||
@Entity()
|
||||
export class protocolPresence {
|
||||
@PrimaryColumn()
|
||||
memberId: number;
|
||||
|
||||
@PrimaryColumn()
|
||||
protocolId: number;
|
||||
|
||||
@ManyToOne(() => member, {
|
||||
nullable: false,
|
||||
onDelete: "CASCADE",
|
||||
onUpdate: "RESTRICT",
|
||||
})
|
||||
member: member;
|
||||
|
||||
@ManyToOne(() => protocol, {
|
||||
nullable: false,
|
||||
onDelete: "CASCADE",
|
||||
onUpdate: "RESTRICT",
|
||||
})
|
||||
protocol: protocol;
|
||||
}
|
30
src/entity/protocolPrintout.ts
Normal file
30
src/entity/protocolPrintout.ts
Normal file
|
@ -0,0 +1,30 @@
|
|||
import { Column, CreateDateColumn, Entity, ManyToOne, PrimaryGeneratedColumn } from "typeorm";
|
||||
import { protocol } from "./protocol";
|
||||
|
||||
@Entity()
|
||||
export class protocolPrintout {
|
||||
@PrimaryGeneratedColumn("increment")
|
||||
id: number;
|
||||
|
||||
@Column({ type: "varchar", length: 255 })
|
||||
title: string;
|
||||
|
||||
@Column({ type: "int" })
|
||||
iteration: number;
|
||||
|
||||
@Column({ type: "varchar", length: 255 })
|
||||
filename: string;
|
||||
|
||||
@CreateDateColumn()
|
||||
createdAt: Date;
|
||||
|
||||
@Column()
|
||||
protocolId: number;
|
||||
|
||||
@ManyToOne(() => protocol, {
|
||||
nullable: false,
|
||||
onDelete: "CASCADE",
|
||||
onUpdate: "RESTRICT",
|
||||
})
|
||||
protocol: protocol;
|
||||
}
|
33
src/entity/protocolVoting.ts
Normal file
33
src/entity/protocolVoting.ts
Normal file
|
@ -0,0 +1,33 @@
|
|||
import { Column, Entity, ManyToOne, PrimaryGeneratedColumn } from "typeorm";
|
||||
import { protocol } from "./protocol";
|
||||
|
||||
@Entity()
|
||||
export class protocolVoting {
|
||||
@PrimaryGeneratedColumn("increment")
|
||||
id: number;
|
||||
|
||||
@Column({ type: "varchar", length: 255 })
|
||||
topic: string;
|
||||
|
||||
@Column({ type: "text", default: "" })
|
||||
context: string;
|
||||
|
||||
@Column({ type: "int", default: 0 })
|
||||
favour: number;
|
||||
|
||||
@Column({ type: "int", default: 0 })
|
||||
abstain: number;
|
||||
|
||||
@Column({ type: "int", default: 0 })
|
||||
against: number;
|
||||
|
||||
@Column()
|
||||
protocolId: number;
|
||||
|
||||
@ManyToOne(() => protocol, {
|
||||
nullable: false,
|
||||
onDelete: "CASCADE",
|
||||
onUpdate: "RESTRICT",
|
||||
})
|
||||
protocol: protocol;
|
||||
}
|
34
src/factory/admin/calendar.ts
Normal file
34
src/factory/admin/calendar.ts
Normal file
|
@ -0,0 +1,34 @@
|
|||
import { calendar } from "../../entity/calendar";
|
||||
import { CalendarViewModel } from "../../viewmodel/admin/calendar.models";
|
||||
import CalendarTypeFactory from "./calendarType";
|
||||
|
||||
export default abstract class CalendarFactory {
|
||||
/**
|
||||
* @description map record to calendar
|
||||
* @param {calendar} record
|
||||
* @returns {CalendarViewModel}
|
||||
*/
|
||||
public static mapToSingle(record: calendar): CalendarViewModel {
|
||||
return {
|
||||
id: record.id,
|
||||
starttime: record.starttime,
|
||||
endtime: record.endtime,
|
||||
title: record.title,
|
||||
content: record.content,
|
||||
location: record.location,
|
||||
allDay: record.allDay,
|
||||
createdAt: record.createdAt,
|
||||
updatedAt: record.updatedAt,
|
||||
type: CalendarTypeFactory.mapToSingle(record.type),
|
||||
};
|
||||
}
|
||||
|
||||
/**
|
||||
* @description map records to calendar
|
||||
* @param {Array<calendar>} records
|
||||
* @returns {Array<CalendarViewModel>}
|
||||
*/
|
||||
public static mapToBase(records: Array<calendar>): Array<CalendarViewModel> {
|
||||
return records.map((r) => this.mapToSingle(r));
|
||||
}
|
||||
}
|
27
src/factory/admin/calendarType.ts
Normal file
27
src/factory/admin/calendarType.ts
Normal file
|
@ -0,0 +1,27 @@
|
|||
import { calendarType } from "../../entity/calendarType";
|
||||
import { CalendarTypeViewModel } from "../../viewmodel/admin/calendarType.models";
|
||||
|
||||
export default abstract class CalendarTypeFactory {
|
||||
/**
|
||||
* @description map record to calendarType
|
||||
* @param {calendarType} record
|
||||
* @returns {CalendarTypeViewModel}
|
||||
*/
|
||||
public static mapToSingle(record: calendarType): CalendarTypeViewModel {
|
||||
return {
|
||||
id: record.id,
|
||||
type: record.type,
|
||||
nscdr: record.nscdr,
|
||||
color: record.color,
|
||||
};
|
||||
}
|
||||
|
||||
/**
|
||||
* @description map records to calendarType
|
||||
* @param {Array<calendarType>} records
|
||||
* @returns {Array<CalendarTypeViewModel>}
|
||||
*/
|
||||
public static mapToBase(records: Array<calendarType>): Array<CalendarTypeViewModel> {
|
||||
return records.map((r) => this.mapToSingle(r));
|
||||
}
|
||||
}
|
29
src/factory/admin/protocol.ts
Normal file
29
src/factory/admin/protocol.ts
Normal file
|
@ -0,0 +1,29 @@
|
|||
import { protocol } from "../../entity/protocol";
|
||||
import { ProtocolViewModel } from "../../viewmodel/admin/protocol.models";
|
||||
|
||||
export default abstract class ProtocolFactory {
|
||||
/**
|
||||
* @description map record to protocol
|
||||
* @param {protocol} record
|
||||
* @returns {ProtocolViewModel}
|
||||
*/
|
||||
public static mapToSingle(record: protocol): ProtocolViewModel {
|
||||
return {
|
||||
id: record.id,
|
||||
title: record.title,
|
||||
date: record.date,
|
||||
starttime: record.starttime,
|
||||
endtime: record.endtime,
|
||||
summary: record.summary,
|
||||
};
|
||||
}
|
||||
|
||||
/**
|
||||
* @description map records to protocol
|
||||
* @param {Array<protocol>} records
|
||||
* @returns {Array<ProtocolViewModel>}
|
||||
*/
|
||||
public static mapToBase(records: Array<protocol>): Array<ProtocolViewModel> {
|
||||
return records.map((r) => this.mapToSingle(r));
|
||||
}
|
||||
}
|
27
src/factory/admin/protocolAgenda.ts
Normal file
27
src/factory/admin/protocolAgenda.ts
Normal file
|
@ -0,0 +1,27 @@
|
|||
import { protocolAgenda } from "../../entity/protocolAgenda";
|
||||
import { ProtocolAgendaViewModel } from "../../viewmodel/admin/protocolAgenda.models";
|
||||
|
||||
export default abstract class ProtocolAgendaFactory {
|
||||
/**
|
||||
* @description map record to protocolAgenda
|
||||
* @param {protocol} record
|
||||
* @returns {ProtocolAgendaViewModel}
|
||||
*/
|
||||
public static mapToSingle(record: protocolAgenda): ProtocolAgendaViewModel {
|
||||
return {
|
||||
id: record.id,
|
||||
topic: record.topic,
|
||||
context: record.context,
|
||||
protocolId: record.protocolId,
|
||||
};
|
||||
}
|
||||
|
||||
/**
|
||||
* @description map records to protocolAgenda
|
||||
* @param {Array<protocol>} records
|
||||
* @returns {Array<ProtocolAgendaViewModel>}
|
||||
*/
|
||||
public static mapToBase(records: Array<protocolAgenda>): Array<ProtocolAgendaViewModel> {
|
||||
return records.map((r) => this.mapToSingle(r));
|
||||
}
|
||||
}
|
27
src/factory/admin/protocolDecision.ts
Normal file
27
src/factory/admin/protocolDecision.ts
Normal file
|
@ -0,0 +1,27 @@
|
|||
import { protocolDecision } from "../../entity/protocolDecision";
|
||||
import { ProtocolDecisionViewModel } from "../../viewmodel/admin/protocolDecision.models";
|
||||
|
||||
export default abstract class ProtocolDecisionFactory {
|
||||
/**
|
||||
* @description map record to protocolDecision
|
||||
* @param {protocol} record
|
||||
* @returns {ProtocolDecisionViewModel}
|
||||
*/
|
||||
public static mapToSingle(record: protocolDecision): ProtocolDecisionViewModel {
|
||||
return {
|
||||
id: record.id,
|
||||
topic: record.topic,
|
||||
context: record.context,
|
||||
protocolId: record.protocolId,
|
||||
};
|
||||
}
|
||||
|
||||
/**
|
||||
* @description map records to protocolDecision
|
||||
* @param {Array<protocol>} records
|
||||
* @returns {Array<ProtocolDecisionViewModel>}
|
||||
*/
|
||||
public static mapToBase(records: Array<protocolDecision>): Array<ProtocolDecisionViewModel> {
|
||||
return records.map((r) => this.mapToSingle(r));
|
||||
}
|
||||
}
|
27
src/factory/admin/protocolPresence.ts
Normal file
27
src/factory/admin/protocolPresence.ts
Normal file
|
@ -0,0 +1,27 @@
|
|||
import { protocolPresence } from "../../entity/protocolPresence";
|
||||
import { ProtocolPresenceViewModel } from "../../viewmodel/admin/protocolPresence.models";
|
||||
import MemberFactory from "./member";
|
||||
|
||||
export default abstract class ProtocolPresenceFactory {
|
||||
/**
|
||||
* @description map record to protocolPresence
|
||||
* @param {protocol} record
|
||||
* @returns {ProtocolPresenceViewModel}
|
||||
*/
|
||||
public static mapToSingle(record: protocolPresence): ProtocolPresenceViewModel {
|
||||
return {
|
||||
memberId: record.member.id,
|
||||
member: MemberFactory.mapToSingle(record.member),
|
||||
protocolId: record.protocolId,
|
||||
};
|
||||
}
|
||||
|
||||
/**
|
||||
* @description map records to protocolPresence
|
||||
* @param {Array<protocol>} records
|
||||
* @returns {Array<ProtocolPresenceViewModel>}
|
||||
*/
|
||||
public static mapToBase(records: Array<protocolPresence>): Array<ProtocolPresenceViewModel> {
|
||||
return records.map((r) => this.mapToSingle(r));
|
||||
}
|
||||
}
|
28
src/factory/admin/protocolPrintout.ts
Normal file
28
src/factory/admin/protocolPrintout.ts
Normal file
|
@ -0,0 +1,28 @@
|
|||
import { protocolPrintout } from "../../entity/protocolPrintout";
|
||||
import { ProtocolPrintoutViewModel } from "../../viewmodel/admin/protocolPrintout.models";
|
||||
|
||||
export default abstract class ProtocolPrintoutFactory {
|
||||
/**
|
||||
* @description map record to protocolPrintout
|
||||
* @param {protocol} record
|
||||
* @returns {ProtocolPrintoutViewModel}
|
||||
*/
|
||||
public static mapToSingle(record: protocolPrintout): ProtocolPrintoutViewModel {
|
||||
return {
|
||||
id: record.id,
|
||||
title: record.title,
|
||||
iteration: record.iteration,
|
||||
createdAt: record.createdAt,
|
||||
protocolId: record.protocolId,
|
||||
};
|
||||
}
|
||||
|
||||
/**
|
||||
* @description map records to protocolPrintout
|
||||
* @param {Array<protocol>} records
|
||||
* @returns {Array<ProtocolPrintoutViewModel>}
|
||||
*/
|
||||
public static mapToBase(records: Array<protocolPrintout>): Array<ProtocolPrintoutViewModel> {
|
||||
return records.map((r) => this.mapToSingle(r));
|
||||
}
|
||||
}
|
30
src/factory/admin/protocolVoting.ts
Normal file
30
src/factory/admin/protocolVoting.ts
Normal file
|
@ -0,0 +1,30 @@
|
|||
import { protocolVoting } from "../../entity/protocolVoting";
|
||||
import { ProtocolVotingViewModel } from "../../viewmodel/admin/protocolVoting.models";
|
||||
|
||||
export default abstract class ProtocolVotingFactory {
|
||||
/**
|
||||
* @description map record to protocolVoting
|
||||
* @param {protocol} record
|
||||
* @returns {ProtocolVotingViewModel}
|
||||
*/
|
||||
public static mapToSingle(record: protocolVoting): ProtocolVotingViewModel {
|
||||
return {
|
||||
id: record.id,
|
||||
topic: record.topic,
|
||||
context: record.context,
|
||||
favour: record.favour,
|
||||
abstain: record.abstain,
|
||||
against: record.against,
|
||||
protocolId: record.protocolId,
|
||||
};
|
||||
}
|
||||
|
||||
/**
|
||||
* @description map records to protocolVoting
|
||||
* @param {Array<protocol>} records
|
||||
* @returns {Array<ProtocolVotingViewModel>}
|
||||
*/
|
||||
public static mapToBase(records: Array<protocolVoting>): Array<ProtocolVotingViewModel> {
|
||||
return records.map((r) => this.mapToSingle(r));
|
||||
}
|
||||
}
|
44
src/helpers/pdfExport.ts
Normal file
44
src/helpers/pdfExport.ts
Normal file
|
@ -0,0 +1,44 @@
|
|||
import { readFileSync } from "fs";
|
||||
import pdf, { Options } from "pdf-creator-node";
|
||||
|
||||
var options = (title: string = "pdf-export Mitgliederverwaltung"): Options => ({
|
||||
format: "A4",
|
||||
orientation: "portrait",
|
||||
border: "10mm",
|
||||
header: {
|
||||
height: "10mm",
|
||||
contents: `<h1 style="text-align: center;">${title}</h1>`,
|
||||
},
|
||||
footer: {
|
||||
height: "5mm",
|
||||
contents: {
|
||||
default: '<span style="color: #444;">{{page}}</span>/<span>{{pages}}</span>',
|
||||
},
|
||||
},
|
||||
});
|
||||
|
||||
export abstract class PdfExport {
|
||||
static getTemplate(template: string) {
|
||||
return readFileSync(process.cwd() + "/src/templates/" + template, "utf8");
|
||||
}
|
||||
|
||||
static async renderFile({
|
||||
template,
|
||||
title,
|
||||
filename,
|
||||
data,
|
||||
}: {
|
||||
template: string;
|
||||
title: string;
|
||||
filename: string;
|
||||
data: any;
|
||||
}) {
|
||||
let document = {
|
||||
html: this.getTemplate(template),
|
||||
data,
|
||||
path: process.cwd() + `/export/${filename}.pdf`,
|
||||
};
|
||||
|
||||
await pdf.create(document, options(title));
|
||||
}
|
||||
}
|
203
src/migrations/1729347911107-protocol.ts
Normal file
203
src/migrations/1729347911107-protocol.ts
Normal file
|
@ -0,0 +1,203 @@
|
|||
import { MigrationInterface, QueryRunner, Table, TableForeignKey } from "typeorm";
|
||||
import { DB_TYPE } from "../env.defaults";
|
||||
|
||||
export class Protocol1729347911107 implements MigrationInterface {
|
||||
name = "Protocol1729347911107";
|
||||
|
||||
public async up(queryRunner: QueryRunner): Promise<void> {
|
||||
const variableType_int = DB_TYPE == "mysql" ? "int" : "integer";
|
||||
|
||||
await queryRunner.createTable(
|
||||
new Table({
|
||||
name: "protocol",
|
||||
columns: [
|
||||
{ name: "id", type: variableType_int, isPrimary: true, isGenerated: true, generationStrategy: "increment" },
|
||||
{ name: "title", type: "varchar", length: "255", isNullable: false },
|
||||
{ name: "date", type: "date", isNullable: false },
|
||||
{ name: "starttime", type: "time", isNullable: true },
|
||||
{ name: "endtime", type: "time", isNullable: true },
|
||||
{ name: "summary", type: "text", isNullable: true },
|
||||
],
|
||||
}),
|
||||
true
|
||||
);
|
||||
|
||||
await queryRunner.createTable(
|
||||
new Table({
|
||||
name: "protocol_agenda",
|
||||
columns: [
|
||||
{ name: "id", type: variableType_int, isPrimary: true, isGenerated: true, generationStrategy: "increment" },
|
||||
{ name: "topic", type: "varchar", length: "255", isNullable: false },
|
||||
{ name: "context", type: "text", default: "''", isNullable: false },
|
||||
{ name: "protocolId", type: variableType_int, isNullable: false },
|
||||
],
|
||||
}),
|
||||
true
|
||||
);
|
||||
|
||||
await queryRunner.createTable(
|
||||
new Table({
|
||||
name: "protocol_decision",
|
||||
columns: [
|
||||
{ name: "id", type: variableType_int, isPrimary: true, isGenerated: true, generationStrategy: "increment" },
|
||||
{ name: "topic", type: "varchar", length: "255", isNullable: false },
|
||||
{ name: "context", type: "text", default: "''", isNullable: false },
|
||||
{ name: "protocolId", type: variableType_int, isNullable: false },
|
||||
],
|
||||
}),
|
||||
true
|
||||
);
|
||||
|
||||
await queryRunner.createTable(
|
||||
new Table({
|
||||
name: "protocol_presence",
|
||||
columns: [
|
||||
{ name: "memberId", type: variableType_int, isPrimary: true, isNullable: false },
|
||||
{ name: "protocolId", type: variableType_int, isPrimary: true, isNullable: false },
|
||||
],
|
||||
}),
|
||||
true
|
||||
);
|
||||
|
||||
await queryRunner.createTable(
|
||||
new Table({
|
||||
name: "protocol_voting",
|
||||
columns: [
|
||||
{ name: "id", type: variableType_int, isPrimary: true, isGenerated: true, generationStrategy: "increment" },
|
||||
{ name: "topic", type: "varchar", length: "255", isNullable: false },
|
||||
{ name: "context", type: "text", default: "''", isNullable: false },
|
||||
{ name: "favour", type: variableType_int, default: 0, isNullable: false },
|
||||
{ name: "abstain", type: variableType_int, default: 0, isNullable: false },
|
||||
{ name: "against", type: variableType_int, default: 0, isNullable: false },
|
||||
{ name: "protocolId", type: variableType_int, isNullable: false },
|
||||
],
|
||||
}),
|
||||
true
|
||||
);
|
||||
|
||||
await queryRunner.createTable(
|
||||
new Table({
|
||||
name: "protocol_printout",
|
||||
columns: [
|
||||
{ name: "id", type: variableType_int, isPrimary: true, isGenerated: true, generationStrategy: "increment" },
|
||||
{ name: "title", type: "varchar", length: "255", isNullable: false },
|
||||
{ name: "iteration", type: variableType_int, default: 1, isNullable: false },
|
||||
{ name: "filename", type: "varchar", length: "255", isNullable: false },
|
||||
{ name: "createdAt", type: "datetime(6)", isNullable: false, default: "CURRENT_TIMESTAMP(6)" },
|
||||
{ name: "protocolId", type: variableType_int, isNullable: false },
|
||||
],
|
||||
}),
|
||||
true
|
||||
);
|
||||
|
||||
await queryRunner.createForeignKey(
|
||||
"protocol_agenda",
|
||||
new TableForeignKey({
|
||||
columnNames: ["protocolId"],
|
||||
referencedColumnNames: ["id"],
|
||||
referencedTableName: "protocol",
|
||||
onDelete: "CASCADE",
|
||||
onUpdate: "RESTRICT",
|
||||
})
|
||||
);
|
||||
|
||||
await queryRunner.createForeignKey(
|
||||
"protocol_decision",
|
||||
new TableForeignKey({
|
||||
columnNames: ["protocolId"],
|
||||
referencedColumnNames: ["id"],
|
||||
referencedTableName: "protocol",
|
||||
onDelete: "CASCADE",
|
||||
onUpdate: "RESTRICT",
|
||||
})
|
||||
);
|
||||
|
||||
await queryRunner.createForeignKey(
|
||||
"protocol_voting",
|
||||
new TableForeignKey({
|
||||
columnNames: ["protocolId"],
|
||||
referencedColumnNames: ["id"],
|
||||
referencedTableName: "protocol",
|
||||
onDelete: "CASCADE",
|
||||
onUpdate: "RESTRICT",
|
||||
})
|
||||
);
|
||||
|
||||
await queryRunner.createForeignKey(
|
||||
"protocol_presence",
|
||||
new TableForeignKey({
|
||||
columnNames: ["protocolId"],
|
||||
referencedColumnNames: ["id"],
|
||||
referencedTableName: "protocol",
|
||||
onDelete: "CASCADE",
|
||||
onUpdate: "RESTRICT",
|
||||
})
|
||||
);
|
||||
await queryRunner.createForeignKey(
|
||||
"protocol_presence",
|
||||
new TableForeignKey({
|
||||
columnNames: ["memberId"],
|
||||
referencedColumnNames: ["id"],
|
||||
referencedTableName: "member",
|
||||
onDelete: "CASCADE",
|
||||
onUpdate: "RESTRICT",
|
||||
})
|
||||
);
|
||||
|
||||
await queryRunner.createForeignKey(
|
||||
"protocol_printout",
|
||||
new TableForeignKey({
|
||||
columnNames: ["protocolId"],
|
||||
referencedColumnNames: ["id"],
|
||||
referencedTableName: "protocol",
|
||||
onDelete: "CASCADE",
|
||||
onUpdate: "RESTRICT",
|
||||
})
|
||||
);
|
||||
}
|
||||
|
||||
public async down(queryRunner: QueryRunner): Promise<void> {
|
||||
const tableProtocolVotings = await queryRunner.getTable("protocol_voting");
|
||||
const foreignKeyProtocolVotings = tableProtocolVotings.foreignKeys.find(
|
||||
(fk) => fk.columnNames.indexOf("protocolId") !== -1
|
||||
);
|
||||
await queryRunner.dropForeignKey("protocol_voting", foreignKeyProtocolVotings);
|
||||
|
||||
const tableProtocolDecisions = await queryRunner.getTable("protocol_decision");
|
||||
const foreignKeyProtocolDecisions = tableProtocolDecisions.foreignKeys.find(
|
||||
(fk) => fk.columnNames.indexOf("protocolId") !== -1
|
||||
);
|
||||
await queryRunner.dropForeignKey("protocol_decision", foreignKeyProtocolDecisions);
|
||||
|
||||
const tableProtocolAgenda = await queryRunner.getTable("protocol_agenda");
|
||||
const foreignKeyProtocolAgenda = tableProtocolAgenda.foreignKeys.find(
|
||||
(fk) => fk.columnNames.indexOf("protocolId") !== -1
|
||||
);
|
||||
await queryRunner.dropForeignKey("protocol_agenda", foreignKeyProtocolAgenda);
|
||||
|
||||
const tableProtocolPresence_protcol = await queryRunner.getTable("protocol_presence");
|
||||
const foreignKeyProtocolPresence_protcol = tableProtocolPresence_protcol.foreignKeys.find(
|
||||
(fk) => fk.columnNames.indexOf("protocolId") !== -1
|
||||
);
|
||||
await queryRunner.dropForeignKey("protocol_presence", foreignKeyProtocolPresence_protcol);
|
||||
|
||||
const tableProtocolPresence_member = await queryRunner.getTable("protocol_presence");
|
||||
const foreignKeyProtocolPresence_member = tableProtocolPresence_member.foreignKeys.find(
|
||||
(fk) => fk.columnNames.indexOf("memberId") !== -1
|
||||
);
|
||||
await queryRunner.dropForeignKey("protocol_presence", foreignKeyProtocolPresence_member);
|
||||
|
||||
const tableProtocolPrintout = await queryRunner.getTable("protocol_printout");
|
||||
const foreignKeyProtocolPrintout = tableProtocolPrintout.foreignKeys.find(
|
||||
(fk) => fk.columnNames.indexOf("protocolId") !== -1
|
||||
);
|
||||
await queryRunner.dropForeignKey("protocol_printout", foreignKeyProtocolPrintout);
|
||||
|
||||
await queryRunner.dropTable("protocol_printout");
|
||||
await queryRunner.dropTable("protocol_voting");
|
||||
await queryRunner.dropTable("protocol_presence");
|
||||
await queryRunner.dropTable("protocol_decision");
|
||||
await queryRunner.dropTable("protocol_agenda");
|
||||
await queryRunner.dropTable("protocol");
|
||||
}
|
||||
}
|
68
src/migrations/1729947763295-calendar.ts
Normal file
68
src/migrations/1729947763295-calendar.ts
Normal file
|
@ -0,0 +1,68 @@
|
|||
import { MigrationInterface, QueryRunner, Table, TableForeignKey } from "typeorm";
|
||||
import { DB_TYPE } from "../env.defaults";
|
||||
|
||||
export class Calendar1729947763295 implements MigrationInterface {
|
||||
name = "Calendar1729947763295";
|
||||
|
||||
public async up(queryRunner: QueryRunner): Promise<void> {
|
||||
const variableType_int = DB_TYPE == "mysql" ? "int" : "integer";
|
||||
|
||||
await queryRunner.createTable(
|
||||
new Table({
|
||||
name: "calendar_type",
|
||||
columns: [
|
||||
{ name: "id", type: variableType_int, isPrimary: true, isGenerated: true, generationStrategy: "increment" },
|
||||
{ name: "type", type: "varchar", length: "255", isNullable: false },
|
||||
{ name: "nscdr", type: "tinyint", isNullable: false },
|
||||
{ name: "color", type: "varchar", length: "255", isNullable: false },
|
||||
],
|
||||
})
|
||||
);
|
||||
|
||||
await queryRunner.createTable(
|
||||
new Table({
|
||||
name: "calendar",
|
||||
columns: [
|
||||
{ name: "id", type: "varchar", length: "36", isPrimary: true, isGenerated: true, generationStrategy: "uuid" },
|
||||
{ name: "starttime", type: "datetime", isNullable: false },
|
||||
{ name: "endtime", type: "datetime", isNullable: false },
|
||||
{ name: "title", type: "varchar", length: "255", isNullable: false },
|
||||
{ name: "content", type: "text", isNullable: true },
|
||||
{ name: "allDay", type: "tinyint", isNullable: false, default: 0 },
|
||||
{ name: "location", type: "text", isNullable: true },
|
||||
{ name: "sequence", type: variableType_int, default: 1 },
|
||||
{ name: "createdAt", type: "datetime", precision: 6, isNullable: false, default: "CURRENT_TIMESTAMP(6)" },
|
||||
{
|
||||
name: "updatedAt",
|
||||
type: "datetime",
|
||||
precision: 6,
|
||||
isNullable: false,
|
||||
default: "CURRENT_TIMESTAMP(6)",
|
||||
onUpdate: "CURRENT_TIMESTAMP(6)",
|
||||
},
|
||||
{ name: "typeId", type: variableType_int, isNullable: false },
|
||||
],
|
||||
})
|
||||
);
|
||||
|
||||
await queryRunner.createForeignKey(
|
||||
"calendar",
|
||||
new TableForeignKey({
|
||||
columnNames: ["typeId"],
|
||||
referencedColumnNames: ["id"],
|
||||
referencedTableName: "calendar_type",
|
||||
onDelete: "RESTRICT",
|
||||
onUpdate: "RESTRICT",
|
||||
})
|
||||
);
|
||||
}
|
||||
|
||||
public async down(queryRunner: QueryRunner): Promise<void> {
|
||||
const table = await queryRunner.getTable("calendar");
|
||||
const foreignKey = table.foreignKeys.find((fk) => fk.columnNames.indexOf("typeId") !== -1);
|
||||
await queryRunner.dropForeignKey("calendar", foreignKey);
|
||||
|
||||
await queryRunner.dropTable("calendar");
|
||||
await queryRunner.dropTable("calendar_type");
|
||||
}
|
||||
}
|
98
src/routes/admin/calendar.ts
Normal file
98
src/routes/admin/calendar.ts
Normal file
|
@ -0,0 +1,98 @@
|
|||
import express, { Request, Response } from "express";
|
||||
import {
|
||||
getCalendarItemById,
|
||||
getAllCalendarItems,
|
||||
getAllCalendarTypes,
|
||||
getCalendarTypeById,
|
||||
createCalendarItem,
|
||||
createCalendarType,
|
||||
updateCalendarItem,
|
||||
updateCalendarType,
|
||||
deleteCalendarItem,
|
||||
deleteCalendarType,
|
||||
} from "../../controller/admin/calendarController";
|
||||
import PermissionHelper from "../../helpers/permissionHelper";
|
||||
|
||||
var router = express.Router({ mergeParams: true });
|
||||
|
||||
router.get(
|
||||
"/items",
|
||||
PermissionHelper.passCheckMiddleware("read", "club", "calendar"),
|
||||
async (req: Request, res: Response) => {
|
||||
await getAllCalendarItems(req, res);
|
||||
}
|
||||
);
|
||||
|
||||
router.get(
|
||||
"/item/:id",
|
||||
PermissionHelper.passCheckMiddleware("read", "club", "calendar"),
|
||||
async (req: Request, res: Response) => {
|
||||
await getCalendarItemById(req, res);
|
||||
}
|
||||
);
|
||||
|
||||
router.get(
|
||||
"/types",
|
||||
PermissionHelper.passCheckMiddleware("read", "settings", "calendar_type"),
|
||||
async (req: Request, res: Response) => {
|
||||
await getAllCalendarTypes(req, res);
|
||||
}
|
||||
);
|
||||
|
||||
router.get(
|
||||
"/type/:id",
|
||||
PermissionHelper.passCheckMiddleware("read", "settings", "calendar_type"),
|
||||
async (req: Request, res: Response) => {
|
||||
await getCalendarTypeById(req, res);
|
||||
}
|
||||
);
|
||||
|
||||
router.post(
|
||||
"/item",
|
||||
PermissionHelper.passCheckMiddleware("create", "club", "calendar"),
|
||||
async (req: Request, res: Response) => {
|
||||
await createCalendarItem(req, res);
|
||||
}
|
||||
);
|
||||
|
||||
router.post(
|
||||
"/type",
|
||||
PermissionHelper.passCheckMiddleware("create", "settings", "calendar_type"),
|
||||
async (req: Request, res: Response) => {
|
||||
await createCalendarType(req, res);
|
||||
}
|
||||
);
|
||||
|
||||
router.patch(
|
||||
"/item/:id",
|
||||
PermissionHelper.passCheckMiddleware("update", "club", "calendar"),
|
||||
async (req: Request, res: Response) => {
|
||||
await updateCalendarItem(req, res);
|
||||
}
|
||||
);
|
||||
|
||||
router.patch(
|
||||
"/type/:id",
|
||||
PermissionHelper.passCheckMiddleware("update", "settings", "calendar_type"),
|
||||
async (req: Request, res: Response) => {
|
||||
await updateCalendarType(req, res);
|
||||
}
|
||||
);
|
||||
|
||||
router.delete(
|
||||
"/item/:id",
|
||||
PermissionHelper.passCheckMiddleware("delete", "club", "calendar"),
|
||||
async (req: Request, res: Response) => {
|
||||
await deleteCalendarItem(req, res);
|
||||
}
|
||||
);
|
||||
|
||||
router.delete(
|
||||
"/type/:id",
|
||||
PermissionHelper.passCheckMiddleware("delete", "settings", "calendar_type"),
|
||||
async (req: Request, res: Response) => {
|
||||
await deleteCalendarType(req, res);
|
||||
}
|
||||
);
|
||||
|
||||
export default router;
|
|
@ -8,6 +8,9 @@ import membershipStatus from "./membershipStatus";
|
|||
import qualification from "./qualification";
|
||||
|
||||
import member from "./member";
|
||||
import protocol from "./protocol";
|
||||
|
||||
import calendar from "./calendar";
|
||||
|
||||
import role from "./role";
|
||||
import user from "./user";
|
||||
|
@ -34,6 +37,9 @@ router.use("/qualification", PermissionHelper.passCheckMiddleware("read", "setti
|
|||
|
||||
router.use("/member", PermissionHelper.passCheckMiddleware("read", "club", "member"), member);
|
||||
|
||||
router.use("/protocol", PermissionHelper.passCheckMiddleware("read", "club", "protocol"), protocol);
|
||||
router.use("/calendar", PermissionHelper.passCheckMiddleware("read", "club", "calendar"), calendar);
|
||||
|
||||
router.use("/role", PermissionHelper.passCheckMiddleware("read", "user", "role"), role);
|
||||
router.use("/user", PermissionHelper.passCheckMiddleware("read", "user", "user"), user);
|
||||
|
||||
|
|
138
src/routes/admin/protocol.ts
Normal file
138
src/routes/admin/protocol.ts
Normal file
|
@ -0,0 +1,138 @@
|
|||
import express, { Request, Response } from "express";
|
||||
import {
|
||||
createProtocol,
|
||||
createProtocolAgendaById,
|
||||
createProtocolDecisonsById,
|
||||
createProtocolPrintoutById,
|
||||
createProtocolVotingsById,
|
||||
getAllProtocols,
|
||||
getProtocolAgendaById,
|
||||
getProtocolById,
|
||||
getProtocolDecisonsById,
|
||||
getProtocolPrecenseById,
|
||||
getProtocolPrintoutByIdAndPrint,
|
||||
getProtocolPrintoutsById,
|
||||
getProtocolVotingsById,
|
||||
synchronizeProtocolAgendaById,
|
||||
synchronizeProtocolById,
|
||||
synchronizeProtocolDecisonsById,
|
||||
synchronizeProtocolPrecenseById,
|
||||
synchronizeProtocolVotingsById,
|
||||
} from "../../controller/admin/protocolController";
|
||||
import PermissionHelper from "../../helpers/permissionHelper";
|
||||
|
||||
var router = express.Router({ mergeParams: true });
|
||||
|
||||
router.get("/", async (req: Request, res: Response) => {
|
||||
await getAllProtocols(req, res);
|
||||
});
|
||||
|
||||
router.get("/:id", async (req: Request, res: Response) => {
|
||||
await getProtocolById(req, res);
|
||||
});
|
||||
|
||||
router.get("/:protocolId/agenda", async (req: Request, res: Response) => {
|
||||
await getProtocolAgendaById(req, res);
|
||||
});
|
||||
|
||||
router.get("/:protocolId/decisions", async (req: Request, res: Response) => {
|
||||
await getProtocolDecisonsById(req, res);
|
||||
});
|
||||
|
||||
router.get("/:protocolId/presence", async (req: Request, res: Response) => {
|
||||
await getProtocolPrecenseById(req, res);
|
||||
});
|
||||
|
||||
router.get("/:protocolId/votings", async (req: Request, res: Response) => {
|
||||
await getProtocolVotingsById(req, res);
|
||||
});
|
||||
|
||||
router.get("/:protocolId/printouts", async (req: Request, res: Response) => {
|
||||
await getProtocolPrintoutsById(req, res);
|
||||
});
|
||||
|
||||
router.get("/:protocolId/printout/:printoutId", async (req: Request, res: Response) => {
|
||||
await getProtocolPrintoutByIdAndPrint(req, res);
|
||||
});
|
||||
|
||||
router.post(
|
||||
"/",
|
||||
PermissionHelper.passCheckMiddleware("create", "club", "protocol"),
|
||||
async (req: Request, res: Response) => {
|
||||
await createProtocol(req, res);
|
||||
}
|
||||
);
|
||||
|
||||
router.post(
|
||||
"/:protocolId/agenda",
|
||||
PermissionHelper.passCheckMiddleware("create", "club", "protocol"),
|
||||
async (req: Request, res: Response) => {
|
||||
await createProtocolAgendaById(req, res);
|
||||
}
|
||||
);
|
||||
|
||||
router.post(
|
||||
"/:protocolId/decision",
|
||||
PermissionHelper.passCheckMiddleware("create", "club", "protocol"),
|
||||
async (req: Request, res: Response) => {
|
||||
await createProtocolDecisonsById(req, res);
|
||||
}
|
||||
);
|
||||
|
||||
router.post(
|
||||
"/:protocolId/voting",
|
||||
PermissionHelper.passCheckMiddleware("create", "club", "protocol"),
|
||||
async (req: Request, res: Response) => {
|
||||
await createProtocolVotingsById(req, res);
|
||||
}
|
||||
);
|
||||
|
||||
router.post(
|
||||
"/:protocolId/printout",
|
||||
PermissionHelper.passCheckMiddleware("create", "club", "protocol"),
|
||||
async (req: Request, res: Response) => {
|
||||
await createProtocolPrintoutById(req, res);
|
||||
}
|
||||
);
|
||||
|
||||
router.patch(
|
||||
"/:id/synchronize",
|
||||
PermissionHelper.passCheckMiddleware("update", "club", "protocol"),
|
||||
async (req: Request, res: Response) => {
|
||||
await synchronizeProtocolById(req, res);
|
||||
}
|
||||
);
|
||||
|
||||
router.patch(
|
||||
"/:protocolId/synchronize/agenda",
|
||||
PermissionHelper.passCheckMiddleware("update", "club", "protocol"),
|
||||
async (req: Request, res: Response) => {
|
||||
await synchronizeProtocolAgendaById(req, res);
|
||||
}
|
||||
);
|
||||
|
||||
router.patch(
|
||||
"/:protocolId/synchronize/decisions",
|
||||
PermissionHelper.passCheckMiddleware("update", "club", "protocol"),
|
||||
async (req: Request, res: Response) => {
|
||||
await synchronizeProtocolDecisonsById(req, res);
|
||||
}
|
||||
);
|
||||
|
||||
router.patch(
|
||||
"/:protocolId/synchronize/votings",
|
||||
PermissionHelper.passCheckMiddleware("update", "club", "protocol"),
|
||||
async (req: Request, res: Response) => {
|
||||
await synchronizeProtocolVotingsById(req, res);
|
||||
}
|
||||
);
|
||||
|
||||
router.put(
|
||||
"/:protocolId/synchronize/presence",
|
||||
PermissionHelper.passCheckMiddleware("update", "club", "protocol"),
|
||||
async (req: Request, res: Response) => {
|
||||
await synchronizeProtocolPrecenseById(req, res);
|
||||
}
|
||||
);
|
||||
|
||||
export default router;
|
|
@ -6,6 +6,7 @@ import allowSetup from "../middleware/allowSetup";
|
|||
import authenticate from "../middleware/authenticate";
|
||||
import errorHandler from "../middleware/errorHandler";
|
||||
|
||||
import publicAvailable from "./public";
|
||||
import setup from "./setup";
|
||||
import auth from "./auth";
|
||||
import admin from "./admin/index";
|
||||
|
@ -22,6 +23,7 @@ export default (app: Express) => {
|
|||
app.use(cors());
|
||||
app.options("*", cors());
|
||||
|
||||
app.use("/public", publicAvailable);
|
||||
app.use("/setup", allowSetup, setup);
|
||||
app.use("/auth", auth);
|
||||
app.use(authenticate);
|
||||
|
|
10
src/routes/public.ts
Normal file
10
src/routes/public.ts
Normal file
|
@ -0,0 +1,10 @@
|
|||
import express from "express";
|
||||
import { getCalendarItemsByTypes } from "../controller/publicController";
|
||||
|
||||
var router = express.Router({ mergeParams: true });
|
||||
|
||||
router.get("/calendar", async (req, res) => {
|
||||
await getCalendarItemsByTypes(req, res);
|
||||
});
|
||||
|
||||
export default router;
|
80
src/service/calendarService.ts
Normal file
80
src/service/calendarService.ts
Normal file
|
@ -0,0 +1,80 @@
|
|||
import { dataSource } from "../data-source";
|
||||
import { calendar } from "../entity/calendar";
|
||||
import InternalException from "../exceptions/internalException";
|
||||
|
||||
export default abstract class CalendarService {
|
||||
/**
|
||||
* @description get all calendars
|
||||
* @returns {Promise<Array<calendar>>}
|
||||
*/
|
||||
static async getAll(): Promise<Array<calendar>> {
|
||||
return await dataSource
|
||||
.getRepository(calendar)
|
||||
.createQueryBuilder("calendar")
|
||||
.leftJoinAndSelect("calendar.type", "type")
|
||||
.getMany()
|
||||
.then((res) => {
|
||||
return res;
|
||||
})
|
||||
.catch((err) => {
|
||||
throw new InternalException("calendars not found", err);
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* @description get calendar by id
|
||||
* @returns {Promise<calendar>}
|
||||
*/
|
||||
static async getById(id: string): Promise<calendar> {
|
||||
return await dataSource
|
||||
.getRepository(calendar)
|
||||
.createQueryBuilder("calendar")
|
||||
.leftJoinAndSelect("calendar.type", "type")
|
||||
.where("calendar.id = :id", { id: id })
|
||||
.getOneOrFail()
|
||||
.then((res) => {
|
||||
return res;
|
||||
})
|
||||
.catch((err) => {
|
||||
throw new InternalException("calendar not found by id", err);
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* @description get calendar by types
|
||||
* @returns {Promise<Array<calendar>>}
|
||||
*/
|
||||
static async getByTypes(types: Array<number>): Promise<Array<calendar>> {
|
||||
return await dataSource
|
||||
.getRepository(calendar)
|
||||
.createQueryBuilder("calendar")
|
||||
.leftJoinAndSelect("calendar.type", "type")
|
||||
.where("type.id IN (:...types)", { types: types })
|
||||
.getMany()
|
||||
.then((res) => {
|
||||
return res;
|
||||
})
|
||||
.catch((err) => {
|
||||
throw new InternalException("calendars not found by types", err);
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* @description get calendar by types nscdr
|
||||
* @returns {Promise<Array<calendar>>}
|
||||
*/
|
||||
static async getByTypeNSCDR(): Promise<Array<calendar>> {
|
||||
return await dataSource
|
||||
.getRepository(calendar)
|
||||
.createQueryBuilder("calendar")
|
||||
.leftJoinAndSelect("calendar.type", "type")
|
||||
.where("type.nscdr = :nscdr", { nscdr: true })
|
||||
.getMany()
|
||||
.then((res) => {
|
||||
return res;
|
||||
})
|
||||
.catch((err) => {
|
||||
throw new InternalException("calendars not found by type nscdr", err);
|
||||
});
|
||||
}
|
||||
}
|
58
src/service/calendarTypeService.ts
Normal file
58
src/service/calendarTypeService.ts
Normal file
|
@ -0,0 +1,58 @@
|
|||
import { dataSource } from "../data-source";
|
||||
import { calendarType } from "../entity/calendarType";
|
||||
import InternalException from "../exceptions/internalException";
|
||||
|
||||
export default abstract class CalendarTypeService {
|
||||
/**
|
||||
* @description get all calendar types
|
||||
* @returns {Promise<Array<calendarType>>}
|
||||
*/
|
||||
static async getAll(): Promise<Array<calendarType>> {
|
||||
return await dataSource
|
||||
.getRepository(calendarType)
|
||||
.createQueryBuilder("calendarType")
|
||||
.getMany()
|
||||
.then((res) => {
|
||||
return res;
|
||||
})
|
||||
.catch((err) => {
|
||||
throw new InternalException("calendarTypes not found", err);
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* @description get calendar type by id
|
||||
* @returns {Promise<calendarType>}
|
||||
*/
|
||||
static async getById(id: number): Promise<calendarType> {
|
||||
return await dataSource
|
||||
.getRepository(calendarType)
|
||||
.createQueryBuilder("calendarType")
|
||||
.where("calendarType.id = :id", { id: id })
|
||||
.getOneOrFail()
|
||||
.then((res) => {
|
||||
return res;
|
||||
})
|
||||
.catch((err) => {
|
||||
throw new InternalException("calendarType not found by id", err);
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* @description get calendar by names
|
||||
* @returns {Promise<Array<calendarType>>}
|
||||
*/
|
||||
static async getByTypes(names: Array<string>): Promise<Array<calendarType>> {
|
||||
return await dataSource
|
||||
.getRepository(calendarType)
|
||||
.createQueryBuilder("calendarType")
|
||||
.where("calendarType.type IN (:...names)", { names: names })
|
||||
.getMany()
|
||||
.then((res) => {
|
||||
return res;
|
||||
})
|
||||
.catch((err) => {
|
||||
throw new InternalException("calendarTypes not found by names", err);
|
||||
});
|
||||
}
|
||||
}
|
41
src/service/protocolAgendaService.ts
Normal file
41
src/service/protocolAgendaService.ts
Normal file
|
@ -0,0 +1,41 @@
|
|||
import { dataSource } from "../data-source";
|
||||
import { protocolAgenda } from "../entity/protocolAgenda";
|
||||
import InternalException from "../exceptions/internalException";
|
||||
|
||||
export default abstract class ProtocolAgendaService {
|
||||
/**
|
||||
* @description get all protocolAgendas
|
||||
* @returns {Promise<Array<protocolAgenda>>}
|
||||
*/
|
||||
static async getAll(protocolId: number): Promise<Array<protocolAgenda>> {
|
||||
return await dataSource
|
||||
.getRepository(protocolAgenda)
|
||||
.createQueryBuilder("protocolAgenda")
|
||||
.where("protocolAgenda.protocolId = :protocolId", { protocolId })
|
||||
.getMany()
|
||||
.then((res) => {
|
||||
return res;
|
||||
})
|
||||
.catch((err) => {
|
||||
throw new InternalException("protocolAgendas not found", err);
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* @description get protocolAgenda by id
|
||||
* @returns {Promise<protocolAgenda>}
|
||||
*/
|
||||
static async getById(id: number): Promise<protocolAgenda> {
|
||||
return await dataSource
|
||||
.getRepository(protocolAgenda)
|
||||
.createQueryBuilder("protocolAgenda")
|
||||
.where("protocolAgenda.id = :id", { id: id })
|
||||
.getOneOrFail()
|
||||
.then((res) => {
|
||||
return res;
|
||||
})
|
||||
.catch((err) => {
|
||||
throw new InternalException("protocolAgenda not found by id", err);
|
||||
});
|
||||
}
|
||||
}
|
41
src/service/protocolDecisionService.ts
Normal file
41
src/service/protocolDecisionService.ts
Normal file
|
@ -0,0 +1,41 @@
|
|||
import { dataSource } from "../data-source";
|
||||
import { protocolDecision } from "../entity/protocolDecision";
|
||||
import InternalException from "../exceptions/internalException";
|
||||
|
||||
export default abstract class ProtocolDecisionService {
|
||||
/**
|
||||
* @description get all protocolDecisionss
|
||||
* @returns {Promise<Array<protocolDecision>>}
|
||||
*/
|
||||
static async getAll(protocolId: number): Promise<Array<protocolDecision>> {
|
||||
return await dataSource
|
||||
.getRepository(protocolDecision)
|
||||
.createQueryBuilder("protocolDecisions")
|
||||
.where("protocolDecisions.protocolId = :protocolId", { protocolId })
|
||||
.getMany()
|
||||
.then((res) => {
|
||||
return res;
|
||||
})
|
||||
.catch((err) => {
|
||||
throw new InternalException("protocolDecisions not found", err);
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* @description get protocolDecision by id
|
||||
* @returns {Promise<protocolDecision>}
|
||||
*/
|
||||
static async getById(id: number): Promise<protocolDecision> {
|
||||
return await dataSource
|
||||
.getRepository(protocolDecision)
|
||||
.createQueryBuilder("protocolDecisions")
|
||||
.where("protocolDecisions.id = :id", { id: id })
|
||||
.getOneOrFail()
|
||||
.then((res) => {
|
||||
return res;
|
||||
})
|
||||
.catch((err) => {
|
||||
throw new InternalException("protocolDecision not found by id", err);
|
||||
});
|
||||
}
|
||||
}
|
43
src/service/protocolPrecenseService.ts
Normal file
43
src/service/protocolPrecenseService.ts
Normal file
|
@ -0,0 +1,43 @@
|
|||
import { dataSource } from "../data-source";
|
||||
import { protocolPresence } from "../entity/protocolPresence";
|
||||
import InternalException from "../exceptions/internalException";
|
||||
|
||||
export default abstract class ProtocolPresenceService {
|
||||
/**
|
||||
* @description get all protocolPresences
|
||||
* @returns {Promise<Array<protocolPresence>>}
|
||||
*/
|
||||
static async getAll(protocolId: number): Promise<Array<protocolPresence>> {
|
||||
return await dataSource
|
||||
.getRepository(protocolPresence)
|
||||
.createQueryBuilder("protocolPresence")
|
||||
.leftJoinAndSelect("protocolPresence.member", "member")
|
||||
.where("protocolPresence.protocolId = :protocolId", { protocolId })
|
||||
.getMany()
|
||||
.then((res) => {
|
||||
return res;
|
||||
})
|
||||
.catch((err) => {
|
||||
throw new InternalException("protocolPresence not found", err);
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* @description get protocolDecision by id
|
||||
* @returns {Promise<protocolPresence>}
|
||||
*/
|
||||
static async getById(id: number): Promise<protocolPresence> {
|
||||
return await dataSource
|
||||
.getRepository(protocolPresence)
|
||||
.createQueryBuilder("protocolPresence")
|
||||
.leftJoinAndSelect("protocolPresence.member", "member")
|
||||
.where("protocolPresence.id = :id", { id: id })
|
||||
.getOneOrFail()
|
||||
.then((res) => {
|
||||
return res;
|
||||
})
|
||||
.catch((err) => {
|
||||
throw new InternalException("protocolDecision not found by id", err);
|
||||
});
|
||||
}
|
||||
}
|
60
src/service/protocolPrintoutService.ts
Normal file
60
src/service/protocolPrintoutService.ts
Normal file
|
@ -0,0 +1,60 @@
|
|||
import { dataSource } from "../data-source";
|
||||
import { protocolPrintout } from "../entity/protocolPrintout";
|
||||
import InternalException from "../exceptions/internalException";
|
||||
|
||||
export default abstract class ProtocolPrintoutService {
|
||||
/**
|
||||
* @description get all protocolPrintouts
|
||||
* @returns {Promise<Array<protocolPrintout>>}
|
||||
*/
|
||||
static async getAll(protocolId: number): Promise<Array<protocolPrintout>> {
|
||||
return await dataSource
|
||||
.getRepository(protocolPrintout)
|
||||
.createQueryBuilder("protocolPrintout")
|
||||
.where("protocolPrintout.protocolId = :protocolId", { protocolId })
|
||||
.getMany()
|
||||
.then((res) => {
|
||||
return res;
|
||||
})
|
||||
.catch((err) => {
|
||||
throw new InternalException("protocolPrintouts not found", err);
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* @description get protocolPrintout by id
|
||||
* @returns {Promise<protocolPrintout>}
|
||||
*/
|
||||
static async getById(id: number, protocolId: number): Promise<protocolPrintout> {
|
||||
return await dataSource
|
||||
.getRepository(protocolPrintout)
|
||||
.createQueryBuilder("protocolPrintout")
|
||||
.where("protocolPrintout.protocolId = :protocolId", { protocolId })
|
||||
.andWhere("protocolPrintout.id = :id", { id: id })
|
||||
.getOneOrFail()
|
||||
.then((res) => {
|
||||
return res;
|
||||
})
|
||||
.catch((err) => {
|
||||
throw new InternalException("protocolPrintout not found by id", err);
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* @description get count of printouts by id
|
||||
* @returns {Promise<number>}
|
||||
*/
|
||||
static async getCount(protocolId: number): Promise<number> {
|
||||
return await dataSource
|
||||
.getRepository(protocolPrintout)
|
||||
.createQueryBuilder("protocolPrintout")
|
||||
.where("protocolPrintout.protocolId = :protocolId", { protocolId })
|
||||
.getCount()
|
||||
.then((res) => {
|
||||
return res;
|
||||
})
|
||||
.catch((err) => {
|
||||
throw new InternalException("protocolPrintout not found by id", err);
|
||||
});
|
||||
}
|
||||
}
|
43
src/service/protocolService.ts
Normal file
43
src/service/protocolService.ts
Normal file
|
@ -0,0 +1,43 @@
|
|||
import { dataSource } from "../data-source";
|
||||
import { protocol } from "../entity/protocol";
|
||||
import InternalException from "../exceptions/internalException";
|
||||
|
||||
export default abstract class ProtocolService {
|
||||
/**
|
||||
* @description get all protocols
|
||||
* @returns {Promise<[Array<protocol>, number]>}
|
||||
*/
|
||||
static async getAll(offset: number = 0, count: number = 25): Promise<[Array<protocol>, number]> {
|
||||
return await dataSource
|
||||
.getRepository(protocol)
|
||||
.createQueryBuilder("protocol")
|
||||
.offset(offset)
|
||||
.limit(count)
|
||||
.orderBy("date", "DESC")
|
||||
.getManyAndCount()
|
||||
.then((res) => {
|
||||
return res;
|
||||
})
|
||||
.catch((err) => {
|
||||
throw new InternalException("protocols not found", err);
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* @description get protocol by id
|
||||
* @returns {Promise<protocol>}
|
||||
*/
|
||||
static async getById(id: number): Promise<protocol> {
|
||||
return await dataSource
|
||||
.getRepository(protocol)
|
||||
.createQueryBuilder("protocol")
|
||||
.where("protocol.id = :id", { id: id })
|
||||
.getOneOrFail()
|
||||
.then((res) => {
|
||||
return res;
|
||||
})
|
||||
.catch((err) => {
|
||||
throw new InternalException("protocol not found by id", err);
|
||||
});
|
||||
}
|
||||
}
|
41
src/service/protocolVotingService.ts
Normal file
41
src/service/protocolVotingService.ts
Normal file
|
@ -0,0 +1,41 @@
|
|||
import { dataSource } from "../data-source";
|
||||
import { protocolVoting } from "../entity/protocolVoting";
|
||||
import InternalException from "../exceptions/internalException";
|
||||
|
||||
export default abstract class ProtocolVotingService {
|
||||
/**
|
||||
* @description get all protocolVotingss
|
||||
* @returns {Promise<Array<protocolVoting>>}
|
||||
*/
|
||||
static async getAll(protocolId: number): Promise<Array<protocolVoting>> {
|
||||
return await dataSource
|
||||
.getRepository(protocolVoting)
|
||||
.createQueryBuilder("protocolVotings")
|
||||
.where("protocolVotings.protocolId = :protocolId", { protocolId })
|
||||
.getMany()
|
||||
.then((res) => {
|
||||
return res;
|
||||
})
|
||||
.catch((err) => {
|
||||
throw new InternalException("protocolVotings not found", err);
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* @description get protocolVoting by id
|
||||
* @returns {Promise<protocolVoting>}
|
||||
*/
|
||||
static async getById(id: number): Promise<protocolVoting> {
|
||||
return await dataSource
|
||||
.getRepository(protocolVoting)
|
||||
.createQueryBuilder("protocolVotings")
|
||||
.where("protocolVotings.id = :id", { id: id })
|
||||
.getOneOrFail()
|
||||
.then((res) => {
|
||||
return res;
|
||||
})
|
||||
.catch((err) => {
|
||||
throw new InternalException("protocolVoting not found by id", err);
|
||||
});
|
||||
}
|
||||
}
|
68
src/templates/protocol.template.html
Normal file
68
src/templates/protocol.template.html
Normal file
|
@ -0,0 +1,68 @@
|
|||
<!DOCTYPE html>
|
||||
<html>
|
||||
<head>
|
||||
<meta charset="utf-8" />
|
||||
<title>Protokoll</title>
|
||||
</head>
|
||||
<body>
|
||||
<h1>{{title}}</h1>
|
||||
<p>Am {{date}} von {{start}} Uhr bis {{end}} Uhr</p>
|
||||
<p>Ausdruck Nr {{iteration}}</p>
|
||||
<br />
|
||||
<p><b>Zusammenfassung:</b></p>
|
||||
<p>{{{summary}}}</p>
|
||||
<br />
|
||||
<br />
|
||||
<h2>Anwesenheit ({{presence.length}})</h2>
|
||||
<ul>
|
||||
{{#each presence}}
|
||||
<li>{{this.firstname}} {{this.lastname}}</li>
|
||||
{{/each}}
|
||||
</ul>
|
||||
<br />
|
||||
<h2>Agenda</h2>
|
||||
{{#each agenda}}
|
||||
<div>
|
||||
<h3>{{this.topic}}</h3>
|
||||
<span>{{{this.context}}}</span>
|
||||
</div>
|
||||
{{/each}}
|
||||
<br />
|
||||
<h2>Entscheidungen</h2>
|
||||
{{#each decisions}}
|
||||
<div>
|
||||
<h3>{{this.topic}}</h3>
|
||||
<span>{{{this.context}}}</span>
|
||||
</div>
|
||||
{{/each}}
|
||||
<br />
|
||||
<h2>Abstimmungen</h2>
|
||||
{{#each votings}}
|
||||
<div>
|
||||
<h3>{{this.topic}}</h3>
|
||||
<p><b>Ergebnis:</b> dafür: {{this.favour}} | enthalten: {{this.abstain}} | dagegen: {{this.against}}</p>
|
||||
<span>{{{this.context}}}</span>
|
||||
</div>
|
||||
{{/each}}
|
||||
</body>
|
||||
<style>
|
||||
h2,
|
||||
h3,
|
||||
p,
|
||||
span,
|
||||
ul,
|
||||
li {
|
||||
padding: 0;
|
||||
margin: 0;
|
||||
}
|
||||
|
||||
h1,
|
||||
h2 {
|
||||
color: #990b00;
|
||||
}
|
||||
|
||||
h2 {
|
||||
margin-bottom: 5px;
|
||||
}
|
||||
</style>
|
||||
</html>
|
|
@ -4,12 +4,13 @@ export type PermissionModule =
|
|||
| "member"
|
||||
| "calendar"
|
||||
| "newsletter"
|
||||
| "protocoll"
|
||||
| "protocol"
|
||||
| "qualification"
|
||||
| "award"
|
||||
| "executive_position"
|
||||
| "communication"
|
||||
| "membership_status"
|
||||
| "calendar_type"
|
||||
| "user"
|
||||
| "role";
|
||||
|
||||
|
@ -39,18 +40,19 @@ export const permissionModules: Array<PermissionModule> = [
|
|||
"member",
|
||||
"calendar",
|
||||
"newsletter",
|
||||
"protocoll",
|
||||
"protocol",
|
||||
"qualification",
|
||||
"award",
|
||||
"executive_position",
|
||||
"communication",
|
||||
"membership_status",
|
||||
"calendar_type",
|
||||
"user",
|
||||
"role",
|
||||
];
|
||||
export const permissionTypes: Array<PermissionType> = ["read", "create", "update", "delete"];
|
||||
export const sectionsAndModules: SectionsAndModulesObject = {
|
||||
club: ["member", "calendar", "newsletter", "protocoll"],
|
||||
settings: ["qualification", "award", "executive_position", "communication", "membership_status"],
|
||||
club: ["member", "calendar", "newsletter", "protocol"],
|
||||
settings: ["qualification", "award", "executive_position", "communication", "membership_status", "calendar_type"],
|
||||
user: ["user", "role"],
|
||||
};
|
||||
|
|
27
src/types/pdf-creator-node.d.ts
vendored
Normal file
27
src/types/pdf-creator-node.d.ts
vendored
Normal file
|
@ -0,0 +1,27 @@
|
|||
// types/pdf-creator-node.d.ts
|
||||
declare module "pdf-creator-node" {
|
||||
interface Document {
|
||||
html: string;
|
||||
data: any;
|
||||
path: string;
|
||||
type?: string;
|
||||
}
|
||||
|
||||
interface Options {
|
||||
format: string;
|
||||
orientation: string;
|
||||
border: string;
|
||||
header?: {
|
||||
height: string;
|
||||
contents: string;
|
||||
};
|
||||
footer?: {
|
||||
height: string;
|
||||
contents: string | { [key: string]: string | number };
|
||||
};
|
||||
}
|
||||
|
||||
function create(document: Document, options: Options): Promise<any>;
|
||||
|
||||
export { create, Document, Options };
|
||||
}
|
14
src/viewmodel/admin/calendar.models.ts
Normal file
14
src/viewmodel/admin/calendar.models.ts
Normal file
|
@ -0,0 +1,14 @@
|
|||
import { CalendarTypeViewModel } from "./calendarType.models";
|
||||
|
||||
export interface CalendarViewModel {
|
||||
id: string;
|
||||
starttime: Date;
|
||||
endtime: Date;
|
||||
title: string;
|
||||
content: string;
|
||||
location: string;
|
||||
allDay: boolean;
|
||||
createdAt: Date;
|
||||
updatedAt: Date;
|
||||
type: CalendarTypeViewModel;
|
||||
}
|
6
src/viewmodel/admin/calendarType.models.ts
Normal file
6
src/viewmodel/admin/calendarType.models.ts
Normal file
|
@ -0,0 +1,6 @@
|
|||
export interface CalendarTypeViewModel {
|
||||
id: number;
|
||||
type: string;
|
||||
nscdr: boolean;
|
||||
color: string;
|
||||
}
|
8
src/viewmodel/admin/protocol.models.ts
Normal file
8
src/viewmodel/admin/protocol.models.ts
Normal file
|
@ -0,0 +1,8 @@
|
|||
export interface ProtocolViewModel {
|
||||
id: number;
|
||||
title: string;
|
||||
date: Date;
|
||||
starttime: Date;
|
||||
endtime: Date;
|
||||
summary: string;
|
||||
}
|
6
src/viewmodel/admin/protocolAgenda.models.ts
Normal file
6
src/viewmodel/admin/protocolAgenda.models.ts
Normal file
|
@ -0,0 +1,6 @@
|
|||
export interface ProtocolAgendaViewModel {
|
||||
id: number;
|
||||
topic: string;
|
||||
context: string;
|
||||
protocolId: number;
|
||||
}
|
6
src/viewmodel/admin/protocolDecision.models.ts
Normal file
6
src/viewmodel/admin/protocolDecision.models.ts
Normal file
|
@ -0,0 +1,6 @@
|
|||
export interface ProtocolDecisionViewModel {
|
||||
id: number;
|
||||
topic: string;
|
||||
context: string;
|
||||
protocolId: number;
|
||||
}
|
7
src/viewmodel/admin/protocolPresence.models.ts
Normal file
7
src/viewmodel/admin/protocolPresence.models.ts
Normal file
|
@ -0,0 +1,7 @@
|
|||
import { MemberViewModel } from "./member.models";
|
||||
|
||||
export interface ProtocolPresenceViewModel {
|
||||
memberId: number;
|
||||
member: MemberViewModel;
|
||||
protocolId: number;
|
||||
}
|
7
src/viewmodel/admin/protocolPrintout.models.ts
Normal file
7
src/viewmodel/admin/protocolPrintout.models.ts
Normal file
|
@ -0,0 +1,7 @@
|
|||
export interface ProtocolPrintoutViewModel {
|
||||
id: number;
|
||||
title: string;
|
||||
iteration: number;
|
||||
createdAt: Date;
|
||||
protocolId: number;
|
||||
}
|
9
src/viewmodel/admin/protocolVoting.models.ts
Normal file
9
src/viewmodel/admin/protocolVoting.models.ts
Normal file
|
@ -0,0 +1,9 @@
|
|||
export interface ProtocolVotingViewModel {
|
||||
id: number;
|
||||
topic: string;
|
||||
context: string;
|
||||
favour: number;
|
||||
abstain: number;
|
||||
against: number;
|
||||
protocolId: number;
|
||||
}
|
Loading…
Reference in a new issue