Compare commits
52 Commits
v1.0.0-alp
...
main
Author | SHA1 | Date |
---|---|---|
|
6737bd5b45 | |
|
aa3c172160 | |
|
923f5ec27c | |
|
084ad8f945 | |
|
7b1e37b3a7 | |
|
9a648e8443 | |
|
38480a1eec | |
|
f0e07138b1 | |
|
ba7013ac67 | |
|
252072df57 | |
|
c5012c8431 | |
|
40148ba10f | |
|
3fbbacabca | |
|
6f6fca84ed | |
|
b5d43bb1de | |
|
7ea5a8fac3 | |
|
67d844d6e6 | |
|
93f88792d0 | |
|
6ad340fe7c | |
|
c767d92442 | |
|
8cd9182a8b | |
|
46939d4b64 | |
|
ae275aeabb | |
|
c721f25104 | |
|
26235fef49 | |
|
b33d30fe40 | |
|
28223d12b6 | |
|
0f0e6702e2 | |
|
b4c3cfa365 | |
|
941841b1bb | |
|
31c6410eba | |
|
144bc1d58e | |
|
a88e3a0160 | |
|
2ddb89f89c | |
|
3ba7e5d366 | |
|
e1ad8f0f11 | |
|
eb0e54714b | |
|
994f65c38b | |
|
b7741cfa37 | |
|
9359db3881 | |
|
f54911ed48 | |
|
7923f4889c | |
|
75fa825962 | |
|
166073fb55 | |
|
0f65ae53af | |
|
2ef9fd023a | |
|
a09ce26474 | |
|
5a52c364e4 | |
|
72cb163a00 | |
|
62599898d0 | |
|
90219c5ddd | |
|
c2e0e55a19 |
|
@ -6,4 +6,8 @@ yarn.lock
|
|||
|
||||
# Backend
|
||||
*.egg-info
|
||||
__pycache__
|
||||
__pycache__
|
||||
|
||||
# IDE
|
||||
.idea
|
||||
*.swp
|
||||
|
|
|
@ -2,6 +2,7 @@
|
|||
|
||||
Provides duty schedule / duty roster functions
|
||||
"""
|
||||
import pkg_resources
|
||||
from flask import Blueprint, current_app
|
||||
from werkzeug.local import LocalProxy
|
||||
|
||||
|
@ -9,15 +10,28 @@ from flaschengeist.plugins import Plugin
|
|||
from . import permissions, models
|
||||
|
||||
|
||||
__version__ = pkg_resources.get_distribution("flaschengeist_events").version
|
||||
|
||||
|
||||
class EventPlugin(Plugin):
|
||||
name = "events"
|
||||
id = "dev.flaschengeist.plugins.events"
|
||||
plugin = LocalProxy(lambda: current_app.config["FG_PLUGINS"][EventPlugin.name])
|
||||
permissions = permissions.permissions
|
||||
blueprint = Blueprint(name, __name__)
|
||||
# id = "dev.flaschengeist.events"
|
||||
# provided resources
|
||||
# permissions = permissions.permissions
|
||||
models = models
|
||||
|
||||
def __init__(self, cfg):
|
||||
super(EventPlugin, self).__init__(cfg)
|
||||
from . import routes
|
||||
from .event_controller import clear_services
|
||||
# def __init__(self, cfg):
|
||||
# super(EventPlugin, self).__init__(cfg)
|
||||
# from . import routes
|
||||
# from .event_controller import clear_services
|
||||
|
||||
def load(self):
|
||||
from .routes import blueprint
|
||||
|
||||
self.blueprint = blueprint
|
||||
|
||||
def install(self):
|
||||
self.install_permissions(permissions.permissions)
|
||||
|
||||
@staticmethod
|
||||
def getPlugin() -> LocalProxy["EventPlugin"]:
|
||||
return LocalProxy(lambda: current_app.config["FG_PLUGINS"]["events"])
|
||||
|
|
|
@ -1,7 +1,9 @@
|
|||
from datetime import datetime, timedelta, timezone
|
||||
from enum import IntEnum
|
||||
from typing import Optional, Tuple
|
||||
from flaschengeist.models import UtcDateTime
|
||||
from typing import Optional, Tuple, Union
|
||||
from flaschengeist.controller import userController
|
||||
from flaschengeist.models import Notification, UtcDateTime
|
||||
from flaschengeist.models.user import User
|
||||
|
||||
from werkzeug.exceptions import BadRequest, Conflict, NotFound
|
||||
from sqlalchemy.exc import IntegrityError
|
||||
|
@ -15,6 +17,7 @@ from flaschengeist.plugins.scheduler import scheduled
|
|||
from . import EventPlugin
|
||||
from .models import EventType, Event, Invitation, Job, JobType, Service
|
||||
|
||||
|
||||
# STUB
|
||||
def _(x):
|
||||
return x
|
||||
|
@ -25,8 +28,11 @@ class NotifyType(IntEnum):
|
|||
INVITE = 0x01
|
||||
TRANSFER = 0x02
|
||||
# Invitation responsed 0x10..0x1F
|
||||
INVITATION_ACCEPTED = 0x10
|
||||
INVITATION_REJECTED = 0x11
|
||||
INVITATION_ACCEPTED = 0x11
|
||||
INVITATION_REJECTED = 0x12
|
||||
# Information responses 0x20..0x2F
|
||||
INFO_ACCEPTED = 0x21
|
||||
INFO_REJECTED = 0x22
|
||||
|
||||
|
||||
@before_delete_user
|
||||
|
@ -42,8 +48,8 @@ def clear_services(user):
|
|||
db.session.commit()
|
||||
|
||||
|
||||
def update():
|
||||
db.session.commit()
|
||||
# def update():
|
||||
# db.session.commit()
|
||||
|
||||
|
||||
def get_event_types():
|
||||
|
@ -99,7 +105,6 @@ def get_job_types():
|
|||
|
||||
def get_job_type(type_id):
|
||||
job_type = JobType.query.get(type_id)
|
||||
print(job_type)
|
||||
if not job_type:
|
||||
raise NotFound
|
||||
return job_type
|
||||
|
@ -192,9 +197,9 @@ def get_events(
|
|||
if not with_backup:
|
||||
for event in events:
|
||||
clear_backup(event)
|
||||
logger.debug(end)
|
||||
for event in events:
|
||||
logger.debug(f"{event.start} < {end} = {event.start < end}")
|
||||
# logger.debug(end)
|
||||
# for event in events:
|
||||
# logger.debug(f"{event.start} < {end} = {event.start < end}")
|
||||
return count, events
|
||||
|
||||
|
||||
|
@ -234,10 +239,10 @@ def create_event(event_type, start, end=None, jobs=[], is_template=None, name=No
|
|||
|
||||
|
||||
def get_job(job_id, event_id=None) -> Job:
|
||||
query = Job.query.filter(Job.id == job_id)
|
||||
query = db.select(Job).where(Job.id == job_id)
|
||||
if event_id is not None:
|
||||
query = query.filter(Job.event_id_ == event_id)
|
||||
job = query.one_or_none()
|
||||
query = query.where(Job.event_id_ == event_id)
|
||||
job = db.session.execute(query).scalar_one_or_none()
|
||||
if job is None:
|
||||
raise NotFound
|
||||
return job
|
||||
|
@ -250,9 +255,9 @@ def get_jobs(user, start=None, end=None, limit=None, offset=None, descending=Non
|
|||
if end is not None:
|
||||
query = query.filter(end >= Job.start)
|
||||
if descending is not None:
|
||||
query = query.order_by(Job.start.desc(), Job.type_id_)
|
||||
query = query.order_by(Job.start.desc(), Job.type)
|
||||
else:
|
||||
query = query.order_by(Job.start, Job.type_id_)
|
||||
query = query.order_by(Job.start, Job.type)
|
||||
count = query.count()
|
||||
if limit is not None:
|
||||
query = query.limit(limit)
|
||||
|
@ -264,7 +269,7 @@ def get_jobs(user, start=None, end=None, limit=None, offset=None, descending=Non
|
|||
def add_job(event, job_type, required_services, start, end=None, comment=None):
|
||||
job = Job(
|
||||
required_services=required_services,
|
||||
type=job_type,
|
||||
type_=job_type,
|
||||
start=start,
|
||||
end=end,
|
||||
comment=comment,
|
||||
|
@ -294,7 +299,7 @@ def delete_job(job: Job):
|
|||
db.session.commit()
|
||||
|
||||
|
||||
def assign_job(job: Job, user, value, is_backup=False):
|
||||
def assign_job(job: Job, user, value, is_backup=False, notify=False):
|
||||
assert value > 0
|
||||
service = Service.query.get((job.id, user.id_))
|
||||
if service:
|
||||
|
@ -302,10 +307,17 @@ def assign_job(job: Job, user, value, is_backup=False):
|
|||
service.is_backup = is_backup
|
||||
else:
|
||||
job.services.append(Service(user_=user, value=value, is_backup=is_backup, job_=job))
|
||||
if notify:
|
||||
EventPlugin.getPlugin().notify(
|
||||
user,
|
||||
f"You were assigned to a job\n{job.start.strftime('%d.%m.%Y')}",
|
||||
{"type": NotifyType.INFO_ACCEPTED, "event_id": job.event_id_},
|
||||
)
|
||||
db.session.commit()
|
||||
|
||||
|
||||
def unassign_job(job: Job = None, user=None, service=None, notify=False):
|
||||
_date = job.start.strftime("%d.%m.%Y")
|
||||
if service is None:
|
||||
assert job is not None and user is not None
|
||||
service = Service.query.get((job.id, user.id_))
|
||||
|
@ -319,17 +331,24 @@ def unassign_job(job: Job = None, user=None, service=None, notify=False):
|
|||
db.session.delete(service)
|
||||
db.session.commit()
|
||||
if notify:
|
||||
EventPlugin.plugin.notify(user, "Your assignmet was cancelled", {"event_id": event_id})
|
||||
EventPlugin.getPlugin().notify(
|
||||
user, f"Your assignmet was cancelled\n{_date}", {"type": NotifyType.INFO_REJECTED, "event_id": event_id}
|
||||
)
|
||||
|
||||
|
||||
def invite(job: Job, invitee, inviter, transferee=None):
|
||||
inv = Invitation(job_=job, inviter_=inviter, invitee_=invitee, transferee_=transferee)
|
||||
db.session.add(inv)
|
||||
update()
|
||||
_date = job.start.strftime("%d.%m.%Y")
|
||||
if transferee is None:
|
||||
EventPlugin.plugin.notify(invitee, _("Job invitation"), {"type": NotifyType.INVITE, "invitation": inv.id})
|
||||
EventPlugin.getPlugin().notify(
|
||||
invitee, _(f"Job invitation\n{_date}"), {"type": NotifyType.INVITE, "invitation": inv.id}
|
||||
)
|
||||
else:
|
||||
EventPlugin.plugin.notify(invitee, _("Job transfer"), {"type": NotifyType.TRANSFER, "invitation": inv.id})
|
||||
EventPlugin.getPlugin().notify(
|
||||
invitee, _(f"Job transfer\n{_date}"), {"type": NotifyType.TRANSFER, "invitation": inv.id}
|
||||
)
|
||||
return inv
|
||||
|
||||
|
||||
|
@ -340,9 +359,27 @@ def get_invitation(id: int):
|
|||
return inv
|
||||
|
||||
|
||||
def get_invitations(user: User):
|
||||
return Invitation.query.filter(
|
||||
(Invitation.invitee_ == user) | (Invitation.inviter_ == user) | (Invitation.transferee_ == user)
|
||||
).all()
|
||||
|
||||
|
||||
def cleanup_notifications(inv: Invitation):
|
||||
notifications = tuple(
|
||||
filter(
|
||||
lambda notification: notification.data.get("invitation") == inv.id, EventPlugin.getPlugin().notifications
|
||||
)
|
||||
)
|
||||
for notification in notifications:
|
||||
db.session.delete(notification)
|
||||
db.session.commit()
|
||||
|
||||
|
||||
def cancel_invitation(inv: Invitation):
|
||||
db.session.delete(inv)
|
||||
db.session.commit()
|
||||
cleanup_notifications(inv)
|
||||
|
||||
|
||||
def respond_invitation(invite: Invitation, accepted=True):
|
||||
|
@ -355,7 +392,7 @@ def respond_invitation(invite: Invitation, accepted=True):
|
|||
raise Conflict
|
||||
|
||||
if not accepted:
|
||||
EventPlugin.plugin.notify(
|
||||
EventPlugin.getPlugin().notify(
|
||||
inviter,
|
||||
_("Invitation rejected"),
|
||||
{
|
||||
|
@ -369,12 +406,12 @@ def respond_invitation(invite: Invitation, accepted=True):
|
|||
if invite.transferee_id is None:
|
||||
assign_job(job, invite.invitee_, 1)
|
||||
else:
|
||||
service = filter(lambda s: s.userid == invite.transferee_id, job.services)
|
||||
service = tuple(filter(lambda s: s.userid == invite.transferee_id, job.services))
|
||||
if not service:
|
||||
raise Conflict
|
||||
unassign_job(job, invite.transferee_, service[0], True)
|
||||
assign_job(job, invite.invitee_, service[0].value)
|
||||
EventPlugin.plugin.notify(
|
||||
EventPlugin.getPlugin().notify(
|
||||
inviter,
|
||||
_("Invitation accepted"),
|
||||
{
|
||||
|
@ -386,7 +423,7 @@ def respond_invitation(invite: Invitation, accepted=True):
|
|||
)
|
||||
|
||||
|
||||
@scheduled(id='dev.flaschengeist.events.assign_backups', minutes=30)
|
||||
@scheduled(id="dev.flaschengeist.events.assign_backups", minutes=30)
|
||||
def assign_backups():
|
||||
now = datetime.now(tz=timezone.utc)
|
||||
# now + backup_time + next cron tick
|
||||
|
@ -395,7 +432,7 @@ def assign_backups():
|
|||
services = Service.query.filter(Service.is_backup == True).join(Job).filter(Job.start <= start).all()
|
||||
for service in services:
|
||||
if service.job_.start <= now or service.job_.is_full():
|
||||
EventPlugin.plugin.notify(
|
||||
EventPlugin.getPlugin().notify(
|
||||
service.user_,
|
||||
"Your backup assignment was cancelled.",
|
||||
{"event_id": service.job_.event_id_},
|
||||
|
@ -405,7 +442,7 @@ def assign_backups():
|
|||
else:
|
||||
service.is_backup = False
|
||||
logger.debug(f"Service not full, assigning backup. {service.serialize()}")
|
||||
EventPlugin.plugin.notify(
|
||||
EventPlugin.getPlugin().notify(
|
||||
service.user_,
|
||||
"Your backup assignment was accepted.",
|
||||
{"event_id": service.job_.event_id_},
|
||||
|
|
|
@ -0,0 +1,105 @@
|
|||
"""init events
|
||||
|
||||
Revision ID: e70508bd8cb4
|
||||
Revises: 20482a003db8
|
||||
Create Date: 2023-04-10 14:21:47.007251
|
||||
|
||||
"""
|
||||
from alembic import op
|
||||
import sqlalchemy as sa
|
||||
import flaschengeist
|
||||
|
||||
|
||||
# revision identifiers, used by Alembic.
|
||||
revision = "e70508bd8cb4"
|
||||
down_revision = None
|
||||
branch_labels = ("events",)
|
||||
depends_on = "flaschengeist"
|
||||
|
||||
|
||||
def upgrade():
|
||||
# ### commands auto generated by Alembic - please adjust! ###
|
||||
op.create_table(
|
||||
"events_event_type",
|
||||
sa.Column("id", flaschengeist.database.types.Serial(), nullable=False),
|
||||
sa.Column("name", sa.String(length=30), nullable=False),
|
||||
sa.PrimaryKeyConstraint("id", name=op.f("pk_events_event_type")),
|
||||
sa.UniqueConstraint("name", name=op.f("uq_events_event_type_name")),
|
||||
)
|
||||
op.create_table(
|
||||
"events_job_type",
|
||||
sa.Column("id", flaschengeist.database.types.Serial(), nullable=False),
|
||||
sa.Column("name", sa.String(length=30), nullable=False),
|
||||
sa.PrimaryKeyConstraint("id", name=op.f("pk_events_job_type")),
|
||||
sa.UniqueConstraint("name", name=op.f("uq_events_job_type_name")),
|
||||
)
|
||||
op.create_table(
|
||||
"events_event",
|
||||
sa.Column("id", flaschengeist.database.types.Serial(), nullable=False),
|
||||
sa.Column("start", flaschengeist.database.types.UtcDateTime(), nullable=False),
|
||||
sa.Column("end", flaschengeist.database.types.UtcDateTime(), nullable=True),
|
||||
sa.Column("name", sa.String(length=255), nullable=True),
|
||||
sa.Column("description", sa.String(length=512), nullable=True),
|
||||
sa.Column("is_template", sa.Boolean(), nullable=True),
|
||||
sa.Column("type_id", flaschengeist.database.types.Serial(), nullable=False),
|
||||
sa.ForeignKeyConstraint(
|
||||
["type_id"],
|
||||
["events_event_type.id"],
|
||||
name=op.f("fk_events_event_type_id_events_event_type"),
|
||||
ondelete="CASCADE",
|
||||
),
|
||||
sa.PrimaryKeyConstraint("id", name=op.f("pk_events_event")),
|
||||
)
|
||||
op.create_table(
|
||||
"events_job",
|
||||
sa.Column("id", flaschengeist.database.types.Serial(), nullable=False),
|
||||
sa.Column("start", flaschengeist.database.types.UtcDateTime(), nullable=False),
|
||||
sa.Column("end", flaschengeist.database.types.UtcDateTime(), nullable=True),
|
||||
sa.Column("comment", sa.String(length=256), nullable=True),
|
||||
sa.Column("type_id", flaschengeist.database.types.Serial(), nullable=False),
|
||||
sa.Column("locked", sa.Boolean(), nullable=False),
|
||||
sa.Column("required_services", sa.Numeric(precision=4, scale=2, asdecimal=False), nullable=False),
|
||||
sa.Column("event_id", flaschengeist.database.types.Serial(), nullable=False),
|
||||
sa.ForeignKeyConstraint(["event_id"], ["events_event.id"], name=op.f("fk_events_job_event_id_events_event")),
|
||||
sa.ForeignKeyConstraint(
|
||||
["type_id"], ["events_job_type.id"], name=op.f("fk_events_job_type_id_events_job_type")
|
||||
),
|
||||
sa.PrimaryKeyConstraint("id", name=op.f("pk_events_job")),
|
||||
sa.UniqueConstraint("type_id", "start", "event_id", name="_type_start_uc"),
|
||||
)
|
||||
op.create_table(
|
||||
"events_invitation",
|
||||
sa.Column("id", flaschengeist.database.types.Serial(), nullable=False),
|
||||
sa.Column("time", flaschengeist.database.types.UtcDateTime(), nullable=False),
|
||||
sa.Column("job_id", flaschengeist.database.types.Serial(), nullable=False),
|
||||
sa.Column("invitee_id", flaschengeist.database.types.Serial(), nullable=False),
|
||||
sa.Column("inviter_id", flaschengeist.database.types.Serial(), nullable=False),
|
||||
sa.Column("transferee_id", flaschengeist.database.types.Serial(), nullable=True),
|
||||
sa.ForeignKeyConstraint(["invitee_id"], ["user.id"], name=op.f("fk_events_invitation_invitee_id_user")),
|
||||
sa.ForeignKeyConstraint(["inviter_id"], ["user.id"], name=op.f("fk_events_invitation_inviter_id_user")),
|
||||
sa.ForeignKeyConstraint(["job_id"], ["events_job.id"], name=op.f("fk_events_invitation_job_id_events_job")),
|
||||
sa.ForeignKeyConstraint(["transferee_id"], ["user.id"], name=op.f("fk_events_invitation_transferee_id_user")),
|
||||
sa.PrimaryKeyConstraint("id", name=op.f("pk_events_invitation")),
|
||||
)
|
||||
op.create_table(
|
||||
"events_service",
|
||||
sa.Column("is_backup", sa.Boolean(), nullable=True),
|
||||
sa.Column("value", sa.Numeric(precision=3, scale=2, asdecimal=False), nullable=False),
|
||||
sa.Column("job_id", flaschengeist.database.types.Serial(), nullable=False),
|
||||
sa.Column("user_id", flaschengeist.database.types.Serial(), nullable=False),
|
||||
sa.ForeignKeyConstraint(["job_id"], ["events_job.id"], name=op.f("fk_events_service_job_id_events_job")),
|
||||
sa.ForeignKeyConstraint(["user_id"], ["user.id"], name=op.f("fk_events_service_user_id_user")),
|
||||
sa.PrimaryKeyConstraint("job_id", "user_id", name=op.f("pk_events_service")),
|
||||
)
|
||||
# ### end Alembic commands ###
|
||||
|
||||
|
||||
def downgrade():
|
||||
# ### commands auto generated by Alembic - please adjust! ###
|
||||
op.drop_table("events_service")
|
||||
op.drop_table("events_invitation")
|
||||
op.drop_table("events_job")
|
||||
op.drop_table("events_event")
|
||||
op.drop_table("events_job_type")
|
||||
op.drop_table("events_event_type")
|
||||
# ### end Alembic commands ###
|
|
@ -1,7 +1,7 @@
|
|||
from __future__ import annotations # TODO: Remove if python requirement is >= 3.10
|
||||
|
||||
from datetime import datetime
|
||||
from typing import Optional, Union
|
||||
from typing import Optional, Union, List
|
||||
|
||||
from sqlalchemy import UniqueConstraint
|
||||
|
||||
|
@ -17,6 +17,7 @@ _table_prefix_ = "events_"
|
|||
|
||||
|
||||
class EventType(db.Model, ModelSerializeMixin):
|
||||
__allow_unmapped__ = True
|
||||
__tablename__ = _table_prefix_ + "event_type"
|
||||
id: int = db.Column(Serial, primary_key=True)
|
||||
name: str = db.Column(db.String(30), nullable=False, unique=True)
|
||||
|
@ -34,6 +35,7 @@ class JobType(db.Model, ModelSerializeMixin):
|
|||
|
||||
|
||||
class Service(db.Model, ModelSerializeMixin):
|
||||
__allow_unmapped__ = True
|
||||
__tablename__ = _table_prefix_ + "service"
|
||||
userid: str = ""
|
||||
is_backup: bool = db.Column(db.Boolean, default=False)
|
||||
|
@ -57,22 +59,23 @@ class Service(db.Model, ModelSerializeMixin):
|
|||
|
||||
|
||||
class Job(db.Model, ModelSerializeMixin):
|
||||
__allow_unmapped__ = True
|
||||
__tablename__ = _table_prefix_ + "job"
|
||||
|
||||
id: int = db.Column(Serial, primary_key=True)
|
||||
start: datetime = db.Column(UtcDateTime, nullable=False)
|
||||
end: Optional[datetime] = db.Column(UtcDateTime)
|
||||
type: Union[JobType, int] = db.relationship("JobType")
|
||||
comment: Optional[str] = db.Column(db.String(256))
|
||||
type: int = db.Column("type_id", Serial, db.ForeignKey(f"{_table_prefix_}job_type.id"), nullable=False)
|
||||
locked: bool = db.Column(db.Boolean(), default=False, nullable=False)
|
||||
services: list[Service] = db.relationship(
|
||||
services: List[Service] = db.relationship(
|
||||
"Service", back_populates="job_", cascade="save-update, merge, delete, delete-orphan"
|
||||
)
|
||||
required_services: float = db.Column(db.Numeric(precision=4, scale=2, asdecimal=False), nullable=False)
|
||||
|
||||
type_: JobType = db.relationship("JobType")
|
||||
event_ = db.relationship("Event", back_populates="jobs")
|
||||
event_id_ = db.Column("event_id", Serial, db.ForeignKey(f"{_table_prefix_}event.id"), nullable=False)
|
||||
type_id_ = db.Column("type_id", Serial, db.ForeignKey(f"{_table_prefix_}job_type.id"), nullable=False)
|
||||
|
||||
invitations_ = db.relationship("Invitation", cascade="all,delete,delete-orphan", back_populates="job_")
|
||||
|
||||
|
@ -85,6 +88,7 @@ class Job(db.Model, ModelSerializeMixin):
|
|||
class Event(db.Model, ModelSerializeMixin):
|
||||
"""Model for an Event"""
|
||||
|
||||
__allow_unmapped__ = True
|
||||
__tablename__ = _table_prefix_ + "event"
|
||||
id: int = db.Column(Serial, primary_key=True)
|
||||
start: datetime = db.Column(UtcDateTime, nullable=False)
|
||||
|
@ -93,7 +97,7 @@ class Event(db.Model, ModelSerializeMixin):
|
|||
description: Optional[str] = db.Column(db.String(512))
|
||||
type: Union[EventType, int] = db.relationship("EventType")
|
||||
is_template: bool = db.Column(db.Boolean, default=False)
|
||||
jobs: list[Job] = db.relationship(
|
||||
jobs: List[Job] = db.relationship(
|
||||
"Job",
|
||||
back_populates="event_",
|
||||
cascade="all,delete,delete-orphan",
|
||||
|
@ -109,9 +113,11 @@ class Event(db.Model, ModelSerializeMixin):
|
|||
|
||||
|
||||
class Invitation(db.Model, ModelSerializeMixin):
|
||||
__allow_unmapped__ = True
|
||||
__tablename__ = _table_prefix_ + "invitation"
|
||||
|
||||
id: int = db.Column(Serial, primary_key=True)
|
||||
time: datetime = db.Column(UtcDateTime, nullable=False, default=UtcDateTime.current_utc)
|
||||
job_id: int = db.Column(Serial, db.ForeignKey(_table_prefix_ + "job.id"), nullable=False)
|
||||
# Dummy properties for API export
|
||||
invitee_id: str = None # User who was invited to take over
|
||||
|
|
|
@ -1,5 +1,5 @@
|
|||
from http.client import NO_CONTENT
|
||||
from flask import request, jsonify
|
||||
from flask import request, jsonify, Blueprint
|
||||
from werkzeug.exceptions import BadRequest, NotFound, Forbidden
|
||||
|
||||
from flaschengeist.models.session import Session
|
||||
|
@ -7,10 +7,14 @@ from flaschengeist.controller import userController
|
|||
from flaschengeist.utils.decorators import login_required
|
||||
from flaschengeist.utils.datetime import from_iso_format
|
||||
from flaschengeist.utils.HTTP import get_filter_args, no_content
|
||||
from flaschengeist import logger
|
||||
|
||||
from . import event_controller, permissions, EventPlugin
|
||||
|
||||
|
||||
blueprint = Blueprint("events", __name__)
|
||||
|
||||
|
||||
def dict_get(self, key, default=None, type=None):
|
||||
"""Same as .get from MultiDict"""
|
||||
try:
|
||||
|
@ -20,19 +24,20 @@ def dict_get(self, key, default=None, type=None):
|
|||
if type is not None:
|
||||
try:
|
||||
rv = type(rv)
|
||||
except ValueError:
|
||||
except (ValueError, TypeError):
|
||||
rv = default
|
||||
|
||||
return rv
|
||||
|
||||
|
||||
@EventPlugin.blueprint.route("/events/templates", methods=["GET"])
|
||||
@blueprint.route("/events/templates", methods=["GET"])
|
||||
@login_required()
|
||||
def get_templates(current_session):
|
||||
return jsonify(event_controller.get_templates())
|
||||
|
||||
|
||||
@EventPlugin.blueprint.route("/events/event-types", methods=["GET"])
|
||||
@EventPlugin.blueprint.route("/events/event-types/<int:identifier>", methods=["GET"])
|
||||
@blueprint.route("/events/event-types", methods=["GET"])
|
||||
@blueprint.route("/events/event-types/<int:identifier>", methods=["GET"])
|
||||
@login_required()
|
||||
def get_event_types(current_session, identifier=None):
|
||||
"""Get EventType(s)
|
||||
|
@ -54,7 +59,7 @@ def get_event_types(current_session, identifier=None):
|
|||
return jsonify(result)
|
||||
|
||||
|
||||
@EventPlugin.blueprint.route("/events/event-types", methods=["POST"])
|
||||
@blueprint.route("/events/event-types", methods=["POST"])
|
||||
@login_required(permission=permissions.EVENT_TYPE)
|
||||
def new_event_type(current_session):
|
||||
"""Create a new EventType
|
||||
|
@ -76,7 +81,7 @@ def new_event_type(current_session):
|
|||
return jsonify(event_type)
|
||||
|
||||
|
||||
@EventPlugin.blueprint.route("/events/event-types/<int:identifier>", methods=["PUT", "DELETE"])
|
||||
@blueprint.route("/events/event-types/<int:identifier>", methods=["PUT", "DELETE"])
|
||||
@login_required(permission=permissions.EVENT_TYPE)
|
||||
def modify_event_type(identifier, current_session):
|
||||
"""Rename or delete an event type
|
||||
|
@ -102,7 +107,7 @@ def modify_event_type(identifier, current_session):
|
|||
return "", NO_CONTENT
|
||||
|
||||
|
||||
@EventPlugin.blueprint.route("/events/job-types", methods=["GET"])
|
||||
@blueprint.route("/events/job-types", methods=["GET"])
|
||||
@login_required()
|
||||
def get_job_types(current_session):
|
||||
"""Get all JobTypes
|
||||
|
@ -119,7 +124,7 @@ def get_job_types(current_session):
|
|||
return jsonify(types)
|
||||
|
||||
|
||||
@EventPlugin.blueprint.route("/events/job-types", methods=["POST"])
|
||||
@blueprint.route("/events/job-types", methods=["POST"])
|
||||
@login_required(permission=permissions.JOB_TYPE)
|
||||
def new_job_type(current_session):
|
||||
"""Create a new JobType
|
||||
|
@ -141,7 +146,7 @@ def new_job_type(current_session):
|
|||
return jsonify(jt)
|
||||
|
||||
|
||||
@EventPlugin.blueprint.route("/events/job-types/<int:type_id>", methods=["PUT", "DELETE"])
|
||||
@blueprint.route("/events/job-types/<int:type_id>", methods=["PUT", "DELETE"])
|
||||
@login_required(permission=permissions.JOB_TYPE)
|
||||
def modify_job_type(type_id, current_session):
|
||||
"""Rename or delete a JobType
|
||||
|
@ -167,7 +172,7 @@ def modify_job_type(type_id, current_session):
|
|||
return "", NO_CONTENT
|
||||
|
||||
|
||||
@EventPlugin.blueprint.route("/events/<int:event_id>", methods=["GET"])
|
||||
@blueprint.route("/events/<int:event_id>", methods=["GET"])
|
||||
@login_required()
|
||||
def get_event(event_id, current_session):
|
||||
"""Get event by id
|
||||
|
@ -188,7 +193,7 @@ def get_event(event_id, current_session):
|
|||
return jsonify(event)
|
||||
|
||||
|
||||
@EventPlugin.blueprint.route("/events", methods=["GET"])
|
||||
@blueprint.route("/events", methods=["GET"])
|
||||
@login_required()
|
||||
def get_events(current_session):
|
||||
count, result = event_controller.get_events(
|
||||
|
@ -203,24 +208,40 @@ def _add_job(event, data):
|
|||
start = from_iso_format(data["start"])
|
||||
end = dict_get(data, "end", None, type=from_iso_format)
|
||||
required_services = data["required_services"]
|
||||
job_type = data["type"]
|
||||
if isinstance(job_type, dict):
|
||||
job_type = data["type"]["id"]
|
||||
job_type = int(data["type"])
|
||||
|
||||
job_type = event_controller.get_job_type(job_type)
|
||||
job_id = dict_get(data, "id", None, int)
|
||||
if job_id:
|
||||
job = next(job for job in event.jobs if job.id == job_id)
|
||||
job.event = event
|
||||
job.job_type = job_type
|
||||
job.start = start
|
||||
job.end = end
|
||||
job.required_services = required_services
|
||||
else:
|
||||
event_controller.add_job(
|
||||
event,
|
||||
job_type,
|
||||
required_services,
|
||||
start,
|
||||
end,
|
||||
comment=dict_get(data, "comment", None, str),
|
||||
)
|
||||
except (KeyError, ValueError):
|
||||
raise BadRequest("Missing or invalid POST parameter")
|
||||
|
||||
job_type = event_controller.get_job_type(job_type)
|
||||
event_controller.add_job(
|
||||
event,
|
||||
job_type,
|
||||
required_services,
|
||||
start,
|
||||
end,
|
||||
comment=dict_get(data, "comment", None, str),
|
||||
)
|
||||
except StopIteration:
|
||||
raise BadRequest("Job not in event")
|
||||
|
||||
|
||||
@EventPlugin.blueprint.route("/events", methods=["POST"])
|
||||
def _delete_jobs_from_event(event, data):
|
||||
job_ids = [x["id"] for x in data if "id" in x]
|
||||
for job in event.jobs:
|
||||
if job.id not in job_ids:
|
||||
event.jobs.remove(job)
|
||||
|
||||
|
||||
@blueprint.route("/events", methods=["POST"])
|
||||
@login_required(permission=permissions.CREATE)
|
||||
def create_event(current_session):
|
||||
"""Create an new event
|
||||
|
@ -239,31 +260,29 @@ def create_event(current_session):
|
|||
try:
|
||||
start = from_iso_format(data["start"])
|
||||
end = dict_get(data, "end", None, type=from_iso_format)
|
||||
data_type = data["type"]
|
||||
if isinstance(data_type, dict):
|
||||
data_type = data["type"]["id"]
|
||||
event_type = event_controller.get_event_type(data_type)
|
||||
event_type = event_controller.get_event_type(int(data["type"]))
|
||||
|
||||
event = event_controller.create_event(
|
||||
start=start,
|
||||
end=end,
|
||||
name=dict_get(data, "name", None, type=str),
|
||||
is_template=dict_get(data, "is_template", None, type=bool),
|
||||
event_type=event_type,
|
||||
description=dict_get(data, "description", None, type=str),
|
||||
)
|
||||
if "jobs" in data:
|
||||
for job in data["jobs"]:
|
||||
_add_job(event, job)
|
||||
|
||||
return jsonify(event)
|
||||
|
||||
except KeyError:
|
||||
raise BadRequest("Missing POST parameter")
|
||||
except (NotFound, ValueError):
|
||||
raise BadRequest("Invalid parameter")
|
||||
|
||||
event = event_controller.create_event(
|
||||
start=start,
|
||||
end=end,
|
||||
name=dict_get(data, "name", None),
|
||||
is_template=dict_get(data, "is_template", None),
|
||||
event_type=event_type,
|
||||
description=dict_get(data, "description", None),
|
||||
)
|
||||
if "jobs" in data:
|
||||
for job in data["jobs"]:
|
||||
_add_job(event, job)
|
||||
|
||||
return jsonify(event)
|
||||
|
||||
|
||||
@EventPlugin.blueprint.route("/events/<int:event_id>", methods=["PUT"])
|
||||
@blueprint.route("/events/<int:event_id>", methods=["PUT"])
|
||||
@login_required(permission=permissions.EDIT)
|
||||
def modify_event(event_id, current_session):
|
||||
"""Modify an event
|
||||
|
@ -281,6 +300,7 @@ def modify_event(event_id, current_session):
|
|||
"""
|
||||
event = event_controller.get_event(event_id)
|
||||
data = request.get_json()
|
||||
logger.debug("PUT data: %s", data)
|
||||
event.start = dict_get(data, "start", event.start, type=from_iso_format)
|
||||
event.end = dict_get(data, "end", event.end, type=from_iso_format)
|
||||
event.name = dict_get(data, "name", event.name, type=str)
|
||||
|
@ -288,12 +308,15 @@ def modify_event(event_id, current_session):
|
|||
if "type" in data:
|
||||
event_type = event_controller.get_event_type(data["type"])
|
||||
event.type = event_type
|
||||
|
||||
if "jobs" in data:
|
||||
_delete_jobs_from_event(event, data["jobs"])
|
||||
for job in data["jobs"]:
|
||||
_add_job(event, job)
|
||||
event_controller.update()
|
||||
return jsonify(event)
|
||||
|
||||
|
||||
@EventPlugin.blueprint.route("/events/<int:event_id>", methods=["DELETE"])
|
||||
@blueprint.route("/events/<int:event_id>", methods=["DELETE"])
|
||||
@login_required(permission=permissions.DELETE)
|
||||
def delete_event(event_id, current_session):
|
||||
"""Delete an event
|
||||
|
@ -311,7 +334,7 @@ def delete_event(event_id, current_session):
|
|||
return "", NO_CONTENT
|
||||
|
||||
|
||||
@EventPlugin.blueprint.route("/events/<int:event_id>/jobs", methods=["POST"])
|
||||
@blueprint.route("/events/<int:event_id>/jobs", methods=["POST"])
|
||||
@login_required(permission=permissions.EDIT)
|
||||
def add_job(event_id, current_session):
|
||||
"""Add an new Job to an Event / EventSlot
|
||||
|
@ -332,7 +355,7 @@ def add_job(event_id, current_session):
|
|||
return jsonify(event)
|
||||
|
||||
|
||||
@EventPlugin.blueprint.route("/events/<int:event_id>/jobs/<int:job_id>", methods=["DELETE"])
|
||||
@blueprint.route("/events/<int:event_id>/jobs/<int:job_id>", methods=["DELETE"])
|
||||
@login_required(permission=permissions.DELETE)
|
||||
def delete_job(event_id, job_id, current_session):
|
||||
"""Delete a Job
|
||||
|
@ -352,7 +375,7 @@ def delete_job(event_id, job_id, current_session):
|
|||
return no_content()
|
||||
|
||||
|
||||
@EventPlugin.blueprint.route("/events/<int:event_id>/jobs/<int:job_id>", methods=["PUT"])
|
||||
@blueprint.route("/events/<int:event_id>/jobs/<int:job_id>", methods=["PUT"])
|
||||
@login_required()
|
||||
def update_job(event_id, job_id, current_session: Session):
|
||||
"""Edit Job
|
||||
|
@ -378,8 +401,8 @@ def update_job(event_id, job_id, current_session: Session):
|
|||
|
||||
job = event_controller.get_job(job_id, event_id)
|
||||
try:
|
||||
if "type" in data:
|
||||
job.type = event_controller.get_job_type(data["type"])
|
||||
if "type" in data or "type_id" in data:
|
||||
job.type_ = event_controller.get_job_type(data.get("type", None) or data["type_id"])
|
||||
job.start = from_iso_format(data.get("start", job.start))
|
||||
job.end = from_iso_format(data.get("end", job.end))
|
||||
job.comment = str(data.get("comment", job.comment))
|
||||
|
@ -394,14 +417,20 @@ def update_job(event_id, job_id, current_session: Session):
|
|||
return jsonify(job)
|
||||
|
||||
|
||||
@EventPlugin.blueprint.route("/events/jobs", methods=["GET"])
|
||||
@blueprint.route("/events/jobs", methods=["GET"])
|
||||
@login_required()
|
||||
def get_jobs(current_session: Session):
|
||||
count, result = event_controller.get_jobs(current_session.user_, *get_filter_args())
|
||||
return jsonify({"count": count, "result": result})
|
||||
|
||||
|
||||
@EventPlugin.blueprint.route("/events/jobs/<int:job_id>/assign", methods=["POST"])
|
||||
@blueprint.route("/events/jobs/<int:job_id>", methods=["GET"])
|
||||
@login_required()
|
||||
def get_job(job_id, current_session: Session):
|
||||
return jsonify(event_controller.get_job(job_id))
|
||||
|
||||
|
||||
@blueprint.route("/events/jobs/<int:job_id>/assign", methods=["POST"])
|
||||
@login_required()
|
||||
def assign_job(job_id, current_session: Session):
|
||||
"""Assign / unassign user to the Job
|
||||
|
@ -429,7 +458,9 @@ def assign_job(job_id, current_session: Session):
|
|||
):
|
||||
raise Forbidden
|
||||
if value > 0:
|
||||
event_controller.assign_job(job, user, value, data.get("is_backup", False))
|
||||
event_controller.assign_job(
|
||||
job, user, value, data.get("is_backup", False), notify=user != current_session.user_
|
||||
)
|
||||
else:
|
||||
event_controller.unassign_job(job, user, notify=user != current_session.user_)
|
||||
except (TypeError, KeyError, ValueError):
|
||||
|
@ -437,7 +468,7 @@ def assign_job(job_id, current_session: Session):
|
|||
return jsonify(job)
|
||||
|
||||
|
||||
@EventPlugin.blueprint.route("/events/jobs/<int:job_id>/lock", methods=["POST"])
|
||||
@blueprint.route("/events/jobs/<int:job_id>/lock", methods=["POST"])
|
||||
@login_required(permissions.LOCK_JOBS)
|
||||
def lock_job(job_id, current_session: Session):
|
||||
"""Lock / unlock the Job
|
||||
|
@ -464,14 +495,14 @@ def lock_job(job_id, current_session: Session):
|
|||
return no_content()
|
||||
|
||||
|
||||
@EventPlugin.blueprint.route("/events/invitations", methods=["POST"])
|
||||
@blueprint.route("/events/invitations", methods=["POST"])
|
||||
@login_required()
|
||||
def invite(current_session: Session):
|
||||
"""Invite an user to a job or transfer job
|
||||
|
||||
Route: ``/events/invites`` | Method: ``POST``
|
||||
|
||||
POST-data: ``{job: number, invitees: string[], is_transfer?: boolean}``
|
||||
POST-data: ``{job: number, invitees: string[], transferee?: string}``
|
||||
|
||||
Args:
|
||||
current_session: Session sent with Authorization Header
|
||||
|
@ -481,10 +512,8 @@ def invite(current_session: Session):
|
|||
"""
|
||||
data = request.get_json()
|
||||
transferee = data.get("transferee", None)
|
||||
if (
|
||||
transferee is not None
|
||||
and transferee != current_session.userid
|
||||
and not current_session.user_.has_permission(permissions.ASSIGN_OTHER)
|
||||
if transferee is not None and (
|
||||
transferee != current_session.userid or not current_session.user_.has_permission(permissions.ASSIGN_OTHER)
|
||||
):
|
||||
raise Forbidden
|
||||
|
||||
|
@ -494,24 +523,32 @@ def invite(current_session: Session):
|
|||
raise BadRequest
|
||||
return jsonify(
|
||||
[
|
||||
event_controller.invite(job, invitee, current_session.user_, transferee)
|
||||
event_controller.invite(
|
||||
job, invitee, current_session.user_, userController.get_user(transferee) if transferee else None
|
||||
)
|
||||
for invitee in [userController.get_user(uid) for uid in data["invitees"]]
|
||||
]
|
||||
)
|
||||
except (TypeError, KeyError, ValueError):
|
||||
except (TypeError, KeyError, ValueError, NotFound):
|
||||
raise BadRequest
|
||||
|
||||
|
||||
@EventPlugin.blueprint.route("/events/invitations/<int:invitation_id>", methods=["GET"])
|
||||
@blueprint.route("/events/invitations", methods=["GET"])
|
||||
@login_required()
|
||||
def get_invitations(current_session: Session):
|
||||
return jsonify(event_controller.get_invitations(current_session.user_))
|
||||
|
||||
|
||||
@blueprint.route("/events/invitations/<int:invitation_id>", methods=["GET"])
|
||||
@login_required()
|
||||
def get_invitation(invitation_id: int, current_session: Session):
|
||||
inv = event_controller.get_invitation(invitation_id)
|
||||
if current_session.userid not in [inv.invitee_id, inv.inviter_id, inv.transferee_id]:
|
||||
raise Forbidden
|
||||
raise NotFound
|
||||
return jsonify(inv)
|
||||
|
||||
|
||||
@EventPlugin.blueprint.route("/events/invitations/<int:invitation_id>", methods=["DELETE", "PUT"])
|
||||
@blueprint.route("/events/invitations/<int:invitation_id>", methods=["DELETE", "PUT"])
|
||||
@login_required()
|
||||
def respond_invitation(invitation_id: int, current_session: Session):
|
||||
inv = event_controller.get_invitation(invitation_id)
|
||||
|
|
|
@ -1,6 +1,6 @@
|
|||
[metadata]
|
||||
license = MIT
|
||||
version = 0.0.1-dev.1
|
||||
version = 1.0.0
|
||||
name = flaschengeist-events
|
||||
description = Events plugin for Flaschengeist
|
||||
url = https://flaschengeist.dev/Flaschengeist/flaschengeist-schedule
|
||||
|
@ -20,10 +20,14 @@ classifiers =
|
|||
universal = True
|
||||
|
||||
[options]
|
||||
python_requires = >=3.8
|
||||
packages =
|
||||
flaschengeist_events
|
||||
install_requires =
|
||||
flaschengeist == 2.0.*
|
||||
flaschengeist >= 2.0.0
|
||||
|
||||
[options.package_data]
|
||||
* = *.toml, script.py.mako, *.ini, migrations/*.py
|
||||
|
||||
[options.entry_points]
|
||||
flaschengeist.plugins =
|
||||
|
|
24
package.json
24
package.json
|
@ -1,6 +1,6 @@
|
|||
{
|
||||
"license": "MIT",
|
||||
"version": "1.0.0-alpha.6",
|
||||
"version": "1.1.0",
|
||||
"name": "@flaschengeist/schedule",
|
||||
"author": "Ferdinand Thiessen <rpm@fthiessen.de>",
|
||||
"homepage": "https://flaschengeist.dev/Flaschengeist",
|
||||
|
@ -22,24 +22,24 @@
|
|||
"@quasar/quasar-ui-qcalendar": "^4.0.0-beta.11"
|
||||
},
|
||||
"devDependencies": {
|
||||
"@flaschengeist/api": "^1.0.0-alpha.7",
|
||||
"@flaschengeist/types": "^1.0.0-alpha.10",
|
||||
"@quasar/app": "^3.2.5",
|
||||
"@typescript-eslint/eslint-plugin": "^5.6.0",
|
||||
"@typescript-eslint/parser": "^5.6.0",
|
||||
"@flaschengeist/api": "^1.0.0",
|
||||
"@flaschengeist/types": "^1.0.0",
|
||||
"@quasar/app-webpack": "^3.7.2",
|
||||
"@typescript-eslint/eslint-plugin": "^5.8.0",
|
||||
"@typescript-eslint/parser": "^5.8.0",
|
||||
"axios": "^0.24.0",
|
||||
"eslint": "^8.4.1",
|
||||
"eslint": "^8.5.0",
|
||||
"eslint-config-prettier": "^8.3.0",
|
||||
"eslint-plugin-prettier": "^4.0.0",
|
||||
"eslint-plugin-vue": "^8.2.0",
|
||||
"pinia": "^2.0.6",
|
||||
"pinia": "^2.0.8",
|
||||
"prettier": "^2.5.1",
|
||||
"quasar": "^2.3.4",
|
||||
"typescript": "^4.5.2"
|
||||
"quasar": "^2.11.10",
|
||||
"typescript": "^4.5.4"
|
||||
},
|
||||
"peerDependencies": {
|
||||
"@flaschengeist/api": "^1.0.0-alpha.7",
|
||||
"@flaschengeist/users": "^1.0.0-alpha.3"
|
||||
"@flaschengeist/api": "^1.0.0",
|
||||
"@flaschengeist/users": "^1.0.0"
|
||||
},
|
||||
"prettier": {
|
||||
"singleQuote": true,
|
||||
|
|
|
@ -15,11 +15,11 @@ declare namespace FG {
|
|||
}
|
||||
interface Invitation {
|
||||
id: number;
|
||||
time: Date;
|
||||
job_id: number;
|
||||
invitee_id: string;
|
||||
inviter_id: string;
|
||||
transferee_id?: string;
|
||||
transferee: User;
|
||||
}
|
||||
interface Job {
|
||||
id: number;
|
||||
|
|
|
@ -52,6 +52,7 @@
|
|||
class="col-xs-12 col-sm-6 q-pa-sm"
|
||||
label="Veranstaltungsende"
|
||||
:rules="[afterStart]"
|
||||
:key="update_time"
|
||||
/>
|
||||
<q-input
|
||||
v-model="event.description"
|
||||
|
@ -61,7 +62,7 @@
|
|||
filled
|
||||
/>
|
||||
</q-card-section>
|
||||
<q-card-section v-if="event.is_template !== true && modelValue === undefined">
|
||||
<q-card-section v-if="modelValue === undefined">
|
||||
<q-btn-toggle
|
||||
v-model="recurrent"
|
||||
spread
|
||||
|
@ -81,14 +82,14 @@
|
|||
<q-btn color="primary" label="Schicht hinzufügen" @click="addJob()" />
|
||||
</div>
|
||||
</div>
|
||||
<template v-for="(job, index) in event.jobs" :key="index">
|
||||
<template v-for="(job, index) in event.jobs" :key="index + update_time">
|
||||
<edit-job-slot
|
||||
:ref="active === index ? 'activeJob' : undefined"
|
||||
ref="activeJob"
|
||||
v-model="event.jobs[index]"
|
||||
:active="index === active"
|
||||
class="q-mb-md"
|
||||
@activate="activate(index)"
|
||||
@remove-job="removeJob(index)"
|
||||
@activate="activate(index)"
|
||||
/>
|
||||
</template>
|
||||
</q-card-section>
|
||||
|
@ -111,9 +112,9 @@ import { notEmpty } from '@flaschengeist/api';
|
|||
import { IsoDateInput } from '@flaschengeist/api/components';
|
||||
|
||||
import { useEventStore } from '../../store';
|
||||
import { emptyEvent, emptyJob, EditableEvent } from '../../store/models';
|
||||
import { emptyEvent, Job, EditableEvent } from '../../store/models';
|
||||
|
||||
import { date, ModifyDateOptions } from 'quasar';
|
||||
import { date, DateOptions } from 'quasar';
|
||||
import { computed, defineComponent, PropType, ref, onBeforeMount, watch } from 'vue';
|
||||
|
||||
import EditJobSlot from './EditJobSlot.vue';
|
||||
|
@ -137,12 +138,13 @@ export default defineComponent({
|
|||
},
|
||||
emits: {
|
||||
done: (val: boolean) => typeof val === 'boolean',
|
||||
'update:modelValue': (val?: FG.Event) => typeof val === 'object',
|
||||
},
|
||||
setup(props, { emit }) {
|
||||
const store = useEventStore();
|
||||
|
||||
const active = ref(0);
|
||||
const activeJob = ref<{ validate: () => Promise<boolean> }>();
|
||||
const activeJob = ref<{ validate: () => Promise<boolean> }[]>([]);
|
||||
const templates = computed(() => store.templates);
|
||||
const template = ref<FG.Event>();
|
||||
const event = ref<EditableEvent>(props.modelValue || emptyEvent());
|
||||
|
@ -164,11 +166,12 @@ export default defineComponent({
|
|||
);
|
||||
|
||||
function addJob() {
|
||||
if (!activeJob.value) event.value.jobs.push(emptyJob());
|
||||
else
|
||||
void activeJob.value.validate().then((success) => {
|
||||
if (!activeJob.value[active.value]) {
|
||||
event.value.jobs.push(new Job());
|
||||
} else
|
||||
void activeJob.value[active.value].validate().then((success) => {
|
||||
if (success) {
|
||||
event.value.jobs.push(emptyJob());
|
||||
event.value.jobs.push(new Job());
|
||||
active.value = event.value.jobs.length - 1;
|
||||
}
|
||||
});
|
||||
|
@ -180,7 +183,7 @@ export default defineComponent({
|
|||
}
|
||||
|
||||
function fromTemplate(tpl: FG.Event) {
|
||||
const today = new Date();
|
||||
const today = props.modelValue?.start || new Date();
|
||||
template.value = tpl;
|
||||
|
||||
event.value = Object.assign({}, tpl, { id: undefined });
|
||||
|
@ -194,23 +197,31 @@ export default defineComponent({
|
|||
const diff = event.value.start.getTime() - tpl.start.getTime();
|
||||
// Adjust end of event and all jobs
|
||||
if (event.value.end) event.value.end.setTime(event.value.end.getTime() + diff);
|
||||
event.value.jobs.forEach((job) => {
|
||||
job.start.setTime(job.start.getTime() + diff);
|
||||
if (job.end) job.end.setTime(job.end.getTime() + diff);
|
||||
event.value.jobs = [];
|
||||
tpl.jobs.forEach((job) => {
|
||||
const copied_job: FG.Job = Object.assign({}, job, {
|
||||
id: NaN,
|
||||
start: new Date(),
|
||||
end: undefined,
|
||||
});
|
||||
copied_job.start.setTime(job.start.getTime() + diff);
|
||||
if (job.end) {
|
||||
copied_job.end = new Date();
|
||||
copied_job.end.setTime(job.end.getTime() + diff);
|
||||
}
|
||||
event.value.jobs.push(<Job>copied_job);
|
||||
});
|
||||
}
|
||||
|
||||
async function save(template = false) {
|
||||
event.value.is_template = template;
|
||||
async function save(is_template = false) {
|
||||
event.value.is_template = is_template;
|
||||
try {
|
||||
if (event.value?.id !== undefined) {
|
||||
//fix
|
||||
}
|
||||
await store.addEvent(event.value);
|
||||
const _event = await store.addEvent(event.value);
|
||||
emit('update:modelValue', _event);
|
||||
|
||||
if (props.modelValue === undefined && recurrent.value && !event.value.is_template) {
|
||||
let count = 0;
|
||||
const options: ModifyDateOptions = {};
|
||||
const options: DateOptions = {};
|
||||
switch (recurrenceRule.value.frequency) {
|
||||
case 'daily':
|
||||
options['days'] = 1 * recurrenceRule.value.interval;
|
||||
|
@ -263,12 +274,60 @@ export default defineComponent({
|
|||
!d || event.value.start <= d || 'Das Veranstaltungsende muss vor dem Beginn liegen';
|
||||
|
||||
function activate(idx: number) {
|
||||
void activeJob.value?.validate().then((s) => {
|
||||
void activeJob.value[active.value]?.validate().then((s) => {
|
||||
if (s) active.value = idx;
|
||||
});
|
||||
}
|
||||
|
||||
const computed_start = computed({
|
||||
get: () => event.value?.start,
|
||||
set: (value) => {
|
||||
event.value.start = value;
|
||||
},
|
||||
});
|
||||
const computed_end = computed({
|
||||
get: () => event.value?.end,
|
||||
set: (value) => {
|
||||
event.value.end = value;
|
||||
},
|
||||
});
|
||||
|
||||
const update_time = ref(false);
|
||||
|
||||
watch(computed_start, (newValue, oldValue) => {
|
||||
update_time.value = true;
|
||||
const diff = newValue.getTime() - oldValue.getTime();
|
||||
event.value?.jobs.forEach((job) => {
|
||||
job.start.setTime(job.start.getTime() + diff);
|
||||
job.end?.setTime(job.end.getTime() + diff);
|
||||
});
|
||||
computed_end.value?.setTime(computed_end.value?.getTime() + diff);
|
||||
setTimeout(() => {
|
||||
update_time.value = false;
|
||||
}, 0);
|
||||
});
|
||||
|
||||
watch(computed_end, (newValue, oldValue) => {
|
||||
if (newValue && oldValue) {
|
||||
update_time.value = true;
|
||||
if (!newValue || !oldValue) return;
|
||||
const diff = newValue.getTime() - oldValue.getTime();
|
||||
event.value?.jobs.forEach((job) => {
|
||||
if (job.end) job.end.setTime(job.end.getTime() + diff);
|
||||
else job.end = new Date(newValue.getTime());
|
||||
});
|
||||
} else if (newValue && !oldValue) {
|
||||
event.value?.jobs.forEach((job) => {
|
||||
if (!job.end) job.end = new Date(newValue.getTime());
|
||||
});
|
||||
}
|
||||
setTimeout(() => {
|
||||
update_time.value = false;
|
||||
}, 0);
|
||||
});
|
||||
|
||||
return {
|
||||
update_time,
|
||||
activate,
|
||||
active,
|
||||
addJob,
|
||||
|
|
|
@ -33,19 +33,19 @@
|
|||
input-debounce="0"
|
||||
class="col-xs-12 col-sm-6 q-pa-sm"
|
||||
:options="jobtypes"
|
||||
option-label="name"
|
||||
:option-label="(jobtype) => (typeof jobtype === 'number' ? '' : jobtype.name)"
|
||||
option-value="id"
|
||||
map-options
|
||||
clearable
|
||||
:rules="[notEmpty]"
|
||||
/>
|
||||
<q-input
|
||||
v-model="job.required_services"
|
||||
v-model.number="job.required_services"
|
||||
filled
|
||||
class="col-xs-12 col-sm-6 q-pa-sm"
|
||||
label="Dienstanzahl"
|
||||
type="number"
|
||||
:rules="[notEmpty]"
|
||||
:rules="[minOneService, notEmpty]"
|
||||
/>
|
||||
<q-input
|
||||
v-model="job.comment"
|
||||
|
@ -134,6 +134,10 @@ export default defineComponent({
|
|||
validate: () => form.value?.validate() || Promise.resolve(true),
|
||||
});
|
||||
|
||||
function minOneService(val: number) {
|
||||
return parseInt(val) > 0 || 'Mindestens ein Dienst nötig';
|
||||
}
|
||||
|
||||
return {
|
||||
form,
|
||||
formatStartEnd,
|
||||
|
@ -141,6 +145,7 @@ export default defineComponent({
|
|||
job,
|
||||
jobtypes,
|
||||
notEmpty,
|
||||
minOneService,
|
||||
typeName,
|
||||
};
|
||||
},
|
||||
|
|
|
@ -28,31 +28,28 @@
|
|||
</q-card>
|
||||
</q-dialog>
|
||||
|
||||
<q-card>
|
||||
<q-card-section>
|
||||
<q-table :title="title" :rows="rows" row-key="id" :columns="columns">
|
||||
<template #top-right>
|
||||
<q-input
|
||||
ref="input"
|
||||
v-model="actualType.name"
|
||||
:rules="rules"
|
||||
dense
|
||||
placeholder="Neuer Typ"
|
||||
>
|
||||
<slot name="after"
|
||||
><q-btn color="primary" icon="mdi-plus" title="Hinzufügen" @click="addType"
|
||||
/></slot>
|
||||
</q-input>
|
||||
</template>
|
||||
<template #body-cell-actions="props">
|
||||
<q-td :props="props" align="right" :auto-width="true">
|
||||
<q-btn round icon="mdi-pencil" @click="editType(props.row.id)" />
|
||||
<q-btn round icon="mdi-delete" @click="deleteType(props.row.id)" />
|
||||
</q-td>
|
||||
</template>
|
||||
</q-table>
|
||||
</q-card-section>
|
||||
</q-card>
|
||||
<q-table :title="title" :rows="rows" row-key="id" :columns="columns">
|
||||
<template #top-right>
|
||||
<q-input
|
||||
ref="input"
|
||||
v-model="actualType.name"
|
||||
:rules="rules"
|
||||
dense
|
||||
filled
|
||||
placeholder="Neuer Typ"
|
||||
>
|
||||
<template #after
|
||||
><q-btn color="primary" icon="mdi-plus" title="Hinzufügen" round @click="addType"
|
||||
/></template>
|
||||
</q-input>
|
||||
</template>
|
||||
<template #body-cell-actions="props">
|
||||
<q-td :props="props" align="right" :auto-width="true">
|
||||
<q-btn round icon="mdi-pencil" @click="editType(props.row.id)" />
|
||||
<q-btn round icon="mdi-delete" @click="deleteType(props.row.id)" />
|
||||
</q-td>
|
||||
</template>
|
||||
</q-table>
|
||||
</div>
|
||||
</template>
|
||||
|
||||
|
|
|
@ -88,9 +88,10 @@
|
|||
</template>
|
||||
|
||||
<script lang="ts">
|
||||
import { ComponentPublicInstance, computed, defineComponent, onBeforeMount, ref } from 'vue';
|
||||
import { ComponentPublicInstance, computed, defineComponent, onBeforeMount, ref, watch } from 'vue';
|
||||
import { QCalendarAgenda } from '@quasar/quasar-ui-qcalendar';
|
||||
import { date, QDate, QPopupProxy, useQuasar } from 'quasar';
|
||||
import { useRoute, useRouter } from 'vue-router';
|
||||
import { EditableEvent, emptyEvent } from '../../store/models';
|
||||
import { startOfWeek } from '@flaschengeist/api';
|
||||
import { useEventStore } from '../../store';
|
||||
|
@ -105,6 +106,8 @@ export default defineComponent({
|
|||
setup() {
|
||||
const store = useEventStore();
|
||||
const quasar = useQuasar();
|
||||
const route = useRoute();
|
||||
const router = useRouter();
|
||||
|
||||
const datepicker = ref<QDate>();
|
||||
const proxy = ref<QPopupProxy>();
|
||||
|
@ -141,6 +144,19 @@ export default defineComponent({
|
|||
}
|
||||
|
||||
onBeforeMount(async () => {
|
||||
await router.replace({ query: { ...route.query, q_tab: 'agendaView' } });
|
||||
if (!Object.keys(route.query).includes('q_date')) {
|
||||
const q_date = date.formatDate(selectedDate.value, 'YYYY-MM-DD');
|
||||
await router.replace({ query: { ...route.query, q_date } });
|
||||
} else {
|
||||
selectedDate.value = date.extractDate(route.query.q_date as string, 'YYYY-MM-DD');
|
||||
}
|
||||
if (!Object.keys(route.query).includes('q_view')) {
|
||||
const q_view = calendarView.value;
|
||||
await router.replace({ query: { ...route.query, q_view } });
|
||||
} else {
|
||||
calendarView.value = route.query.q_view as string;
|
||||
}
|
||||
await loadAgendas();
|
||||
});
|
||||
|
||||
|
@ -171,7 +187,11 @@ export default defineComponent({
|
|||
}
|
||||
}
|
||||
|
||||
const loading = ref(false);
|
||||
|
||||
async function loadAgendas() {
|
||||
if (loading.value) return;
|
||||
loading.value = true;
|
||||
const from =
|
||||
calendarView.value === 'day' ? selectedDate.value : startOfWeek(selectedDate.value);
|
||||
const to = date.addToDate(from, { days: calendarView.value === 'day' ? 1 : 7 });
|
||||
|
@ -184,8 +204,11 @@ export default defineComponent({
|
|||
if (!events.value[day]) {
|
||||
events.value[day] = [];
|
||||
}
|
||||
events.value[day].push(event);
|
||||
const idx = events.value[day].findIndex((e) => e.id === event.id);
|
||||
if (idx === -1) events.value[day].push(event);
|
||||
else events.value[day][idx] = event;
|
||||
});
|
||||
loading.value = false;
|
||||
}
|
||||
|
||||
function addDays(reverse: boolean) {
|
||||
|
@ -212,12 +235,24 @@ export default defineComponent({
|
|||
'November',
|
||||
'Dezember',
|
||||
'-',
|
||||
][value?.getMonth() || 12];
|
||||
][value?.getMonth() === 0 ? 0 : value?.getMonth() || 12];
|
||||
}
|
||||
function asYear(value?: Date) {
|
||||
return value?.getFullYear() || '-';
|
||||
}
|
||||
|
||||
watch(selectedDate, async (newValue) => {
|
||||
const q_date = date.formatDate(newValue, 'YYYY-MM-DD');
|
||||
await router.replace({ query: { ...route.query, q_date } });
|
||||
await loadAgendas();
|
||||
});
|
||||
|
||||
watch(calendarView, async (newValue) => {
|
||||
const q_view = newValue;
|
||||
await router.replace({ query: { ...route.query, q_view } });
|
||||
await loadAgendas();
|
||||
});
|
||||
|
||||
return {
|
||||
asYear,
|
||||
asMonth,
|
||||
|
|
|
@ -16,31 +16,31 @@
|
|||
</div>
|
||||
</q-card>
|
||||
</q-dialog>
|
||||
<div class="q-pa-md">
|
||||
<q-card style="height: 70vh; max-width: 1800px" class="q-pa-md">
|
||||
<div ref="scrollDiv" class="scroll" style="height: 100%">
|
||||
<q-infinite-scroll :offset="250" @load="load">
|
||||
<q-list>
|
||||
<q-item id="bbb">
|
||||
<q-btn label="Ältere Veranstaltungen laden" @click="load(-1)" />
|
||||
</q-item>
|
||||
<template v-for="(events, index) in agendas" :key="index">
|
||||
<q-separator />
|
||||
<q-item-label overline>{{ index }}</q-item-label>
|
||||
<q-item v-for="(event, idx) in events" :key="idx"
|
||||
><event-slot :model-value="event" />{{ idx }}</q-item
|
||||
>
|
||||
</template>
|
||||
</q-list>
|
||||
<template #loading>
|
||||
<div class="row justify-center q-my-md">
|
||||
<q-spinner-dots color="primary" size="40px" />
|
||||
</div>
|
||||
</template>
|
||||
</q-infinite-scroll>
|
||||
</div>
|
||||
</q-card>
|
||||
<!-- <div class="q-pa-md"> -->
|
||||
<!-- <q-card style="height: 70vh; max-width: 1800px" class="q-pa-md"> -->
|
||||
<div ref="scrollDiv" class="scroll" style="height: 100%">
|
||||
<q-infinite-scroll :offset="250" @load="load">
|
||||
<q-list>
|
||||
<q-item id="bbb">
|
||||
<q-btn label="Ältere Veranstaltungen laden" @click="load(-1)" />
|
||||
</q-item>
|
||||
<template v-for="(events, index) in agendas" :key="index">
|
||||
<q-separator />
|
||||
<q-item-label header>{{ asDate(index) }}</q-item-label>
|
||||
<q-item v-for="(event, idx) in events" :key="idx">
|
||||
<event-slot v-model="events[idx]" @edit-event="edit" @remove-event="remove" />
|
||||
</q-item>
|
||||
</template>
|
||||
</q-list>
|
||||
<template #loading>
|
||||
<div class="row justify-center q-my-md">
|
||||
<q-spinner-dots color="primary" size="40px" />
|
||||
</div>
|
||||
</template>
|
||||
</q-infinite-scroll>
|
||||
</div>
|
||||
<!-- </q-card> -->
|
||||
<!-- </div> -->
|
||||
</template>
|
||||
|
||||
<script lang="ts">
|
||||
|
@ -88,6 +88,10 @@ export default defineComponent({
|
|||
|
||||
function editDone(changed: boolean) {
|
||||
//if (changed) void loadAgendas();
|
||||
const idx = events.value.findIndex((event) => event.id === editor.value?.id);
|
||||
if (idx >= 0) {
|
||||
events.value[idx] = editor.value as FG.Event;
|
||||
}
|
||||
editor.value = undefined;
|
||||
}
|
||||
|
||||
|
@ -95,7 +99,12 @@ export default defineComponent({
|
|||
const start = new Date();
|
||||
if (index < 0) {
|
||||
const { result } = await store.getEvents({ to: start, limit: 5, descending: true });
|
||||
events.value.unshift(...result);
|
||||
//events.value.unshift(...result);
|
||||
for (const event of result) {
|
||||
const idx = events.value.findIndex((e) => e.id === event.id);
|
||||
if (idx === -1) events.value.unshift(event);
|
||||
else events.value[idx] = event;
|
||||
}
|
||||
if (done) done(false);
|
||||
} else {
|
||||
const len = events.value.length;
|
||||
|
@ -104,7 +113,12 @@ export default defineComponent({
|
|||
offset: (index - 1) * 10,
|
||||
limit: 10,
|
||||
});
|
||||
if (len == events.value.push(...result)) {
|
||||
for (const event of result) {
|
||||
const idx = events.value.findIndex((e) => e.id === event.id);
|
||||
if (idx === -1) events.value.unshift(event);
|
||||
else events.value[idx] = event;
|
||||
}
|
||||
if (len == events.value.length) {
|
||||
if (done) return done(true);
|
||||
} else if (done) done(false);
|
||||
}
|
||||
|
@ -117,16 +131,10 @@ export default defineComponent({
|
|||
|
||||
async function remove(id: number) {
|
||||
if (await store.removeEvent(id)) {
|
||||
// Successfull removed
|
||||
for (const idx in agendas.value) {
|
||||
const i = agendas.value[idx].findIndex((event) => event.id === id);
|
||||
if (i !== -1) {
|
||||
agendas.value[idx].splice(i, 1);
|
||||
break;
|
||||
}
|
||||
const idx = events.value.findIndex((event) => event.id === id);
|
||||
if (idx !== -1) {
|
||||
events.value.splice(idx, 1);
|
||||
}
|
||||
} else {
|
||||
// Not found, this means our eventa are outdated
|
||||
}
|
||||
}
|
||||
|
||||
|
@ -157,6 +165,15 @@ export default defineComponent({
|
|||
}
|
||||
}
|
||||
|
||||
function asDate(value: string) {
|
||||
if (value) {
|
||||
const year = parseInt(value.substring(0, 4));
|
||||
const month = parseInt(value.substring(4, 6)) - 1;
|
||||
const day = parseInt(value.substring(6, 8));
|
||||
return date.formatDate(new Date(year, month, day), 'DD.MM.YYYY');
|
||||
}
|
||||
}
|
||||
|
||||
return {
|
||||
agendas,
|
||||
asYear,
|
||||
|
@ -167,6 +184,7 @@ export default defineComponent({
|
|||
editDone,
|
||||
load,
|
||||
remove,
|
||||
asDate,
|
||||
};
|
||||
},
|
||||
});
|
||||
|
|
|
@ -54,7 +54,7 @@
|
|||
</q-select>
|
||||
<div class="row col-12 justify-end">
|
||||
<q-btn
|
||||
v-if="!modelValue.locked && !isEnrolled && !isFull"
|
||||
v-if="!modelValue.locked && !isEnrolled && !isFull && canAssign"
|
||||
flat
|
||||
color="primary"
|
||||
label="Eintragen"
|
||||
|
@ -101,6 +101,7 @@ import { PERMISSIONS } from '../../../permissions';
|
|||
import TransferInviteDialog from './TransferInviteDialog.vue';
|
||||
import ServiceUserChip from './ServiceUserChip.vue';
|
||||
import { UserAvatar } from '@flaschengeist/api/components';
|
||||
import { DisplayNameMode } from '@flaschengeist/users';
|
||||
|
||||
export default defineComponent({
|
||||
name: 'JobSlot',
|
||||
|
@ -123,11 +124,34 @@ export default defineComponent({
|
|||
const quasar = useQuasar();
|
||||
|
||||
// Make sure users are loaded if we can assign them
|
||||
onBeforeMount(() => void userStore.getUsers());
|
||||
onBeforeMount(() => {
|
||||
void userStore.getUsers();
|
||||
void userStore.getDisplayNameModeSetting(true);
|
||||
});
|
||||
|
||||
/* Stuff used for general display */
|
||||
// Get displayname of user
|
||||
function userDisplay(id: string) {
|
||||
switch (userStore.userSettings.display_name) {
|
||||
case DisplayNameMode.FIRSTNAME:
|
||||
return userStore.findUser(id)?.firstname || id;
|
||||
case DisplayNameMode.LASTNAME:
|
||||
return userStore.findUser(id)?.lastname || id;
|
||||
case DisplayNameMode.DISPLAYNAME:
|
||||
return userStore.findUser(id)?.display_name || id;
|
||||
case DisplayNameMode.FIRSTNAME_LASTNAME:
|
||||
return (
|
||||
`${<string>userStore.findUser(id)?.firstname} ${<string>(
|
||||
userStore.findUser(id)?.lastname
|
||||
)}` || id
|
||||
);
|
||||
case DisplayNameMode.LASTNAME_FIRSTNAME:
|
||||
return (
|
||||
`${<string>userStore.findUser(id)?.lastname}, ${<string>(
|
||||
userStore.findUser(id)?.firstname
|
||||
)}` || id
|
||||
);
|
||||
}
|
||||
return userStore.findUser(id)?.display_name || id;
|
||||
}
|
||||
|
||||
|
@ -205,6 +229,8 @@ export default defineComponent({
|
|||
// Current user can assign other users
|
||||
const canAssignOther = computed(() => hasPermission(PERMISSIONS.ASSIGN_OTHER));
|
||||
|
||||
const canAssign = computed(() => hasPermission(PERMISSIONS.ASSIGN));
|
||||
|
||||
// options shown in the select
|
||||
const options = ref([] as FG.Service[]);
|
||||
|
||||
|
@ -257,6 +283,7 @@ export default defineComponent({
|
|||
unassign: (s?: FG.Service) => assign(Object.assign({}, s || service.value, { value: -1 })),
|
||||
backup: (is_backup: boolean) => assign(Object.assign({}, service.value, { is_backup })),
|
||||
canAssignOther,
|
||||
canAssign,
|
||||
canInvite,
|
||||
filterUsers,
|
||||
isBackup,
|
||||
|
|
14
src/index.ts
14
src/index.ts
|
@ -10,8 +10,11 @@ const EventTypes = {
|
|||
invite: 0x01,
|
||||
transfer: 0x02,
|
||||
invitation_response: 0x10,
|
||||
invitation_accepted: 0x10,
|
||||
invitation_rejected: 0x11,
|
||||
invitation_accepted: 0x11,
|
||||
invitation_rejected: 0x12,
|
||||
info: 0x20,
|
||||
info_accepted: 0x21,
|
||||
info_rejected: 0x22,
|
||||
};
|
||||
|
||||
function transpile(msg: FG_Plugin.Notification) {
|
||||
|
@ -29,7 +32,10 @@ function transpile(msg: FG_Plugin.Notification) {
|
|||
};
|
||||
|
||||
message.link = { name: 'events-requests' };
|
||||
} else if ((message.data.type & EventTypes._mask_) === EventTypes.invitation_response) {
|
||||
} else if (
|
||||
(message.data.type & EventTypes._mask_) === EventTypes.invitation_response ||
|
||||
(message.data.type & EventTypes._mask_) === EventTypes.info
|
||||
) {
|
||||
message.link = {
|
||||
name: 'events-single-view',
|
||||
params: { id: (<InvitationResponseData>message.data).event },
|
||||
|
@ -39,7 +45,7 @@ function transpile(msg: FG_Plugin.Notification) {
|
|||
}
|
||||
|
||||
const plugin: FG_Plugin.Plugin = {
|
||||
id: 'dev.flaschengeist.events',
|
||||
id: 'events',
|
||||
name: 'Event schedule',
|
||||
innerRoutes,
|
||||
internalRoutes: privateRoutes,
|
||||
|
|
|
@ -44,7 +44,8 @@
|
|||
</template>
|
||||
|
||||
<script lang="ts">
|
||||
import { computed, defineComponent, ref } from 'vue';
|
||||
import { computed, defineComponent, ref, onBeforeMount, watch } from 'vue';
|
||||
import { useRoute, useRouter } from 'vue-router';
|
||||
import ManageTypes from '../components/management/ManageTypes.vue';
|
||||
import EditEvent from '../components/management/EditEvent.vue';
|
||||
import { hasPermission } from '@flaschengeist/api';
|
||||
|
@ -70,6 +71,21 @@ export default defineComponent({
|
|||
: []),
|
||||
]);
|
||||
|
||||
const route = useRoute();
|
||||
const router = useRouter();
|
||||
|
||||
onBeforeMount(async () => {
|
||||
if (
|
||||
(route.query.q_tab && route.query.q_tab === 'create') ||
|
||||
route.query.q_tab === 'jobtypes' ||
|
||||
route.query.q_tab === 'eventtypes'
|
||||
) {
|
||||
tab.value = route.query.q_tab;
|
||||
} else {
|
||||
await router.replace({ query: { q_tab: tab.value } });
|
||||
}
|
||||
});
|
||||
|
||||
const drawer = ref<boolean>(false);
|
||||
const tab = ref<string>('create');
|
||||
|
||||
|
@ -82,6 +98,10 @@ export default defineComponent({
|
|||
},
|
||||
});
|
||||
|
||||
watch(tab, async (val) => {
|
||||
await router.replace({ query: { q_tab: val } });
|
||||
});
|
||||
|
||||
return {
|
||||
showDrawer,
|
||||
tab,
|
||||
|
|
|
@ -43,15 +43,33 @@
|
|||
</template>
|
||||
|
||||
<script lang="ts">
|
||||
import { computed, defineComponent, ref } from 'vue';
|
||||
import { computed, defineComponent, ref, onBeforeMount, watch } from 'vue';
|
||||
import { useRoute, useRouter } from 'vue-router';
|
||||
import { useQuasar } from 'quasar';
|
||||
import AgendaView from '../components/overview/AgendaView.vue';
|
||||
import ListView from '../components/overview/ListView.vue';
|
||||
|
||||
import { useEventStore } from '../store';
|
||||
|
||||
export default defineComponent({
|
||||
name: 'EventOverview',
|
||||
components: { AgendaView, ListView },
|
||||
setup() {
|
||||
const store = useEventStore();
|
||||
const route = useRoute();
|
||||
const router = useRouter();
|
||||
const tab = ref<string>('agendaView');
|
||||
onBeforeMount(async () => {
|
||||
void store.getJobTypes();
|
||||
if (
|
||||
Object.keys(route.query).includes('q_tab') &&
|
||||
(route.query.q_tab === 'listView' || route.query.q_tab === 'agendaView')
|
||||
) {
|
||||
tab.value = route.query.q_tab as string;
|
||||
} else {
|
||||
await router.replace({ query: { ...route.query, q_tab: tab.value } });
|
||||
}
|
||||
});
|
||||
const quasar = useQuasar();
|
||||
|
||||
const tabs = computed(() => [
|
||||
|
@ -68,7 +86,10 @@ export default defineComponent({
|
|||
},
|
||||
});
|
||||
|
||||
const tab = ref<string>('agendaView');
|
||||
watch(tab, async (val) => {
|
||||
console.log(val);
|
||||
await router.replace({ query: { ...route.query, q_tab: val } });
|
||||
});
|
||||
|
||||
return {
|
||||
showDrawer,
|
||||
|
|
|
@ -1,8 +1,320 @@
|
|||
<template>
|
||||
<q-page padding>
|
||||
<q-card>
|
||||
<q-card-section class="row"> </q-card-section>
|
||||
<q-card-section> </q-card-section>
|
||||
</q-card>
|
||||
<q-table
|
||||
v-model:pagination="pagination"
|
||||
title="Dienstanfragen"
|
||||
:rows="rows"
|
||||
:columns="columns"
|
||||
row-key="id"
|
||||
:loading="loading"
|
||||
binary-state-sort
|
||||
@request="onRequest"
|
||||
>
|
||||
<template #top-right>
|
||||
<q-toggle v-model="showSent" dense label="Gesendete anzeigen" />
|
||||
</template>
|
||||
<template #body-cell-inviter="props">
|
||||
<q-td :props="props">
|
||||
<div>
|
||||
{{ props.value.with
|
||||
}}<q-icon v-if="props.value.sender" name="mdi-account-alert">
|
||||
<q-tooltip>Gesendet von {{ props.value.sender }}</q-tooltip>
|
||||
</q-icon>
|
||||
</div>
|
||||
</q-td>
|
||||
</template>
|
||||
<template #body-cell-type="props">
|
||||
<q-td :props="props">
|
||||
<q-icon size="sm" :name="types[props.value].icon">
|
||||
<q-tooltip>{{ types[props.value].tooltip }}</q-tooltip>
|
||||
</q-icon>
|
||||
</q-td>
|
||||
</template>
|
||||
<template #body-cell-actions="props">
|
||||
<q-td :props="props">
|
||||
<!-- <q-btn v-for="action in props.value" :key="action.icon" :icon="action.icon" dense /> -->
|
||||
<div class="row justify-end">
|
||||
<div v-for="action in props.value" :key="action.icon">
|
||||
<q-btn
|
||||
class="q-mx-xs"
|
||||
:icon="action.icon"
|
||||
dense
|
||||
@click="action.onClick"
|
||||
round
|
||||
:color="action.color"
|
||||
>
|
||||
<q-tooltip>{{ action.tooltip }}</q-tooltip>
|
||||
</q-btn>
|
||||
</div>
|
||||
</div>
|
||||
</q-td>
|
||||
</template>
|
||||
</q-table>
|
||||
</q-page>
|
||||
</template>
|
||||
|
||||
<script lang="ts">
|
||||
import { formatStartEnd, useMainStore, useUserStore } from '@flaschengeist/api';
|
||||
import { computed, defineComponent, ref, onBeforeMount, watch } from 'vue';
|
||||
import { useRoute, useRouter } from 'vue-router';
|
||||
import { QTableProps } from 'quasar';
|
||||
import { Job } from '../store/models';
|
||||
import { useEventStore } from '../store';
|
||||
import { EventNotification, InvitationData, InvitationResponseData } from '../events';
|
||||
|
||||
export default defineComponent({
|
||||
name: 'PageEventRequests',
|
||||
setup() {
|
||||
const store = useEventStore();
|
||||
const userStore = useUserStore();
|
||||
const mainStore = useMainStore();
|
||||
const router = useRouter();
|
||||
const route = useRoute();
|
||||
|
||||
interface RowData extends FG.Invitation {
|
||||
inviter: FG.User;
|
||||
invitee: FG.User;
|
||||
transferee?: FG.User;
|
||||
job: Job;
|
||||
}
|
||||
|
||||
// Generated data used for the table
|
||||
const rows = ref([] as RowData[]);
|
||||
// Loading state for data generation (getting Job information)
|
||||
const loading = ref(false);
|
||||
// Which "page" of invitations to show (we load all, but do not fetch all jobs)
|
||||
const pagination = ref({
|
||||
sortBy: 'desc',
|
||||
descending: false,
|
||||
page: 1,
|
||||
rowsPerPage: 3,
|
||||
rowsNumber: 4,
|
||||
});
|
||||
// Real invitations
|
||||
const invitations = computed(() =>
|
||||
showSent.value
|
||||
? store.invitations
|
||||
: store.invitations.filter((i) => i.inviter_id !== mainStore.currentUser.userid)
|
||||
);
|
||||
const all_notifications = computed<EventNotification[]>(() => {
|
||||
return mainStore.notifications.filter((n) => n.plugin === 'events') as EventNotification[];
|
||||
});
|
||||
const showSent = ref(false);
|
||||
|
||||
async function fillRows(data: FG.Invitation[]) {
|
||||
const res = [] as RowData[];
|
||||
for (let i = 0; i < data.length; ++i) {
|
||||
res.push(
|
||||
Object.assign({}, data[i], {
|
||||
inviter: <FG.User>await userStore.getUser(data[i].inviter_id),
|
||||
invitee: <FG.User>await userStore.getUser(data[i].invitee_id),
|
||||
transferee: data[i].transferee_id
|
||||
? await userStore.getUser(<string>data[i].transferee_id)
|
||||
: undefined,
|
||||
job: new Job(await store.getJob(data[i].job_id)),
|
||||
})
|
||||
);
|
||||
}
|
||||
rows.value = res;
|
||||
}
|
||||
type onRequestType = QTableProps['onRequest'];
|
||||
|
||||
const onRequest: onRequestType = (requestProp) => {
|
||||
const { page, rowsPerPage, sortBy, descending } = requestProp.pagination;
|
||||
loading.value = true;
|
||||
|
||||
// Number of total invitations
|
||||
pagination.value.rowsNumber = invitations.value.length;
|
||||
// calculate starting row of data
|
||||
const startRow = (page - 1) * rowsPerPage;
|
||||
// get all rows if "All" (0) is selected
|
||||
const fetchCount =
|
||||
rowsPerPage === 0
|
||||
? pagination.value.rowsNumber
|
||||
: Math.min(pagination.value.rowsNumber - startRow, rowsPerPage);
|
||||
// copy array, as sort is in-place
|
||||
function sorting<T = any>(key: string | keyof T, descending = true) {
|
||||
return (a: T, b: T) => {
|
||||
const v1 = a[key as keyof T];
|
||||
if (v1 === undefined) return descending ? -1 : 1;
|
||||
const v2 = b[key as keyof T];
|
||||
if (v2 === undefined) return descending ? 1 : -1;
|
||||
return (v1 < v2 ? -1 : 1) * (descending ? -1 : 1);
|
||||
};
|
||||
}
|
||||
|
||||
// Set table data
|
||||
fillRows(
|
||||
[...invitations.value]
|
||||
.sort(sorting(sortBy, descending))
|
||||
.slice(startRow, startRow + fetchCount)
|
||||
)
|
||||
.then(() => {
|
||||
pagination.value.page = page;
|
||||
pagination.value.rowsPerPage = rowsPerPage;
|
||||
pagination.value.sortBy = sortBy;
|
||||
pagination.value.descending = descending;
|
||||
})
|
||||
.finally(() => (loading.value = false));
|
||||
};
|
||||
|
||||
onBeforeMount(async () => {
|
||||
if (route.query.sent === 'true') {
|
||||
showSent.value = true;
|
||||
}
|
||||
|
||||
void Promise.allSettled([
|
||||
userStore.getUsers(),
|
||||
store.getInvitations(),
|
||||
store.getJobTypes(),
|
||||
]).then(() =>
|
||||
onRequest({ pagination: pagination.value, filter: () => [], getCellValue: () => [] })
|
||||
);
|
||||
});
|
||||
|
||||
watch(showSent, async () => {
|
||||
onRequest({ pagination: pagination.value, filter: () => [], getCellValue: () => [] });
|
||||
await router.replace({ query: { sent: showSent.value ? 'true' : 'false' } });
|
||||
});
|
||||
|
||||
function getType(row: RowData) {
|
||||
var idx = row.transferee === undefined ? 0 : 1;
|
||||
if (row.inviter.userid === mainStore.currentUser.userid) idx += 2;
|
||||
return idx;
|
||||
}
|
||||
|
||||
const dimmed = (row: RowData) => (getType(row) >= types.length / 2 ? 'dimmed' : undefined);
|
||||
const columns = [
|
||||
{
|
||||
label: 'Type',
|
||||
name: 'type',
|
||||
align: 'left',
|
||||
field: getType,
|
||||
sortable: true,
|
||||
classes: dimmed,
|
||||
},
|
||||
{
|
||||
label: 'Dienstart',
|
||||
align: 'left',
|
||||
name: 'job_type',
|
||||
sortable: true,
|
||||
classes: dimmed,
|
||||
field: (row: RowData) =>
|
||||
store.jobTypes.find((t) => t.id == row.job.type)?.name || 'Unbekannt',
|
||||
},
|
||||
{
|
||||
label: 'Wann',
|
||||
align: 'center',
|
||||
sortable: true,
|
||||
name: 'job_start',
|
||||
classes: dimmed,
|
||||
field: (row: RowData) => formatStartEnd(row.job.start, row.job.end) + ' Uhr',
|
||||
},
|
||||
{
|
||||
label: 'Von / Mit',
|
||||
name: 'inviter',
|
||||
align: 'center',
|
||||
classes: dimmed,
|
||||
field: (row: RowData) => {
|
||||
const sender =
|
||||
row.transferee_id && row.transferee_id !== row.inviter_id
|
||||
? row.inviter.display_name
|
||||
: undefined;
|
||||
|
||||
if (row.invitee_id === mainStore.currentUser.userid) {
|
||||
return {
|
||||
with: row.transferee ? row.transferee.display_name : row.inviter.display_name,
|
||||
sender,
|
||||
};
|
||||
}
|
||||
if (row.transferee_id === mainStore.currentUser.userid) {
|
||||
return {
|
||||
with: row.invitee.display_name,
|
||||
sender,
|
||||
};
|
||||
}
|
||||
return {
|
||||
with: !row.transferee
|
||||
? row.invitee.display_name
|
||||
: `${row.transferee.display_name} <-> ${row.invitee.display_name}`,
|
||||
};
|
||||
},
|
||||
},
|
||||
{
|
||||
label: 'Aktionen',
|
||||
align: 'right',
|
||||
name: 'actions',
|
||||
classes: dimmed,
|
||||
field: (row: RowData) => {
|
||||
const sender = row.inviter_id === mainStore.currentUser.userid;
|
||||
let actions = [];
|
||||
const reject = {
|
||||
icon: 'mdi-delete',
|
||||
tooltip: 'Einladung löschen',
|
||||
color: 'negative',
|
||||
onClick: () => {
|
||||
void store.rejectInvitation(row.id).then(() => {
|
||||
onRequest({
|
||||
pagination: pagination.value,
|
||||
filter: () => [],
|
||||
getCellValue: () => [],
|
||||
});
|
||||
const notification = all_notifications.value.find(
|
||||
(n) => (<InvitationData>n.data).invitation === row.id
|
||||
);
|
||||
if (notification !== undefined) {
|
||||
void mainStore.removeNotification(notification.id);
|
||||
}
|
||||
});
|
||||
},
|
||||
};
|
||||
const accept = {
|
||||
icon: 'mdi-check',
|
||||
tooltip: 'Einladung annehmen',
|
||||
color: 'primary',
|
||||
onClick: () => {
|
||||
void store.acceptInvitation(row.id).then(() => {
|
||||
onRequest({
|
||||
pagination: pagination.value,
|
||||
filter: () => [],
|
||||
getCellValue: () => [],
|
||||
});
|
||||
const notification = all_notifications.value.find(
|
||||
(n) => (<InvitationData>n.data).invitation === row.id
|
||||
);
|
||||
if (notification !== undefined) {
|
||||
void mainStore.removeNotification(notification.id);
|
||||
}
|
||||
});
|
||||
},
|
||||
};
|
||||
if (sender) {
|
||||
actions.push(reject);
|
||||
} else if (row.invitee_id === mainStore.currentUser.userid) {
|
||||
actions.push(accept);
|
||||
actions.push({ ...reject, icon: 'mdi-close' });
|
||||
}
|
||||
return actions;
|
||||
},
|
||||
},
|
||||
];
|
||||
|
||||
const types = [
|
||||
{ icon: 'mdi-calendar', tooltip: 'Einladung' },
|
||||
{ icon: 'mdi-calendar-sync', tooltip: 'Tauschanfrage' },
|
||||
{ icon: 'mdi-calendar-outline', tooltip: 'Einladung (von dir)' },
|
||||
{ icon: 'mdi-calendar-sync-outline', tooltip: 'Tauschanfrage (von dir)' },
|
||||
];
|
||||
|
||||
return {
|
||||
columns,
|
||||
loading,
|
||||
onRequest,
|
||||
pagination,
|
||||
rows,
|
||||
showSent,
|
||||
types,
|
||||
};
|
||||
},
|
||||
});
|
||||
</script>
|
||||
|
|
|
@ -22,6 +22,16 @@ export const innerRoutes: FG_Plugin.MenuRoute[] = [
|
|||
component: () => import('../pages/EventOverview.vue'),
|
||||
},
|
||||
},
|
||||
{
|
||||
title: 'Dienstanfragen',
|
||||
icon: 'mdi-account-switch',
|
||||
shortcut: false,
|
||||
route: {
|
||||
path: 'events-requests',
|
||||
name: 'events-requests',
|
||||
component: () => import('../pages/EventRequests.vue'),
|
||||
},
|
||||
},
|
||||
{
|
||||
title: 'Dienstverwaltung',
|
||||
icon: 'mdi-account-details',
|
||||
|
@ -34,16 +44,6 @@ export const innerRoutes: FG_Plugin.MenuRoute[] = [
|
|||
props: (route) => ({ date: route.query.date }),
|
||||
},
|
||||
},
|
||||
{
|
||||
title: 'Dienstanfragen',
|
||||
icon: 'mdi-account-switch',
|
||||
shortcut: false,
|
||||
route: {
|
||||
path: 'events-requests',
|
||||
name: 'events-requests',
|
||||
component: () => import('../pages/EventRequests.vue'),
|
||||
},
|
||||
},
|
||||
],
|
||||
},
|
||||
];
|
||||
|
|
|
@ -1,6 +1,7 @@
|
|||
import { api, isAxiosError } from '@flaschengeist/api';
|
||||
import { defineStore } from 'pinia';
|
||||
import { EditableEvent } from './models';
|
||||
import { Notify } from 'quasar';
|
||||
|
||||
/**
|
||||
* Convert JSON decoded Job to real job (fix Date object)
|
||||
|
@ -28,6 +29,7 @@ export const useEventStore = defineStore({
|
|||
jobTypes: [] as FG.JobType[],
|
||||
eventTypes: [] as FG.EventType[],
|
||||
templates: [] as FG.Event[],
|
||||
invitations: [] as FG.Invitation[],
|
||||
}),
|
||||
|
||||
getters: {},
|
||||
|
@ -145,19 +147,16 @@ export const useEventStore = defineStore({
|
|||
},
|
||||
|
||||
async addEvent(event: EditableEvent) {
|
||||
console.log('addEvent', event);
|
||||
if (event?.id === undefined) {
|
||||
const { data } = await api.post<FG.Event>('/events', event);
|
||||
if (data.is_template) this.templates.push(data);
|
||||
fixEvent(data);
|
||||
return data;
|
||||
} else {
|
||||
if (typeof event.type === 'object') event.type = event.type.id;
|
||||
|
||||
const { data } = await api.put<FG.Event>(
|
||||
`/events/${event.id}`,
|
||||
Object.assign(event, { jobs: undefined })
|
||||
);
|
||||
const { data } = await api.put<FG.Event>(`/events/${event.id}`, event);
|
||||
if (data.is_template) this.templates.push(data);
|
||||
fixEvent(data);
|
||||
return data;
|
||||
}
|
||||
},
|
||||
|
@ -168,6 +167,10 @@ export const useEventStore = defineStore({
|
|||
.then(({ data }) => fixJob(data));
|
||||
},
|
||||
|
||||
async getJob(id: number) {
|
||||
return api.get<FG.Job>(`/events/jobs/${id}`).then(({ data }) => fixJob(data));
|
||||
},
|
||||
|
||||
async getJobs(filter?: FG.PaginationFilter) {
|
||||
return api
|
||||
.get<FG.PaginationResponse<FG.Job>>('/events/jobs', { params: <unknown>filter })
|
||||
|
@ -187,18 +190,60 @@ export const useEventStore = defineStore({
|
|||
return api.post<FG.Invitation[]>('/events/invitations', {
|
||||
job: job.id,
|
||||
invitees: invitees.map((v) => v.userid),
|
||||
transferee: transferee,
|
||||
transferee: transferee?.userid,
|
||||
});
|
||||
},
|
||||
|
||||
async getInvitations(force = false) {
|
||||
if (this.invitations.length == 0 || force) {
|
||||
const { data } = await api.get<FG.Invitation[]>('/events/invitations');
|
||||
this.invitations = data;
|
||||
}
|
||||
return this.invitations;
|
||||
},
|
||||
|
||||
async rejectInvitation(invite: FG.Invitation | number) {
|
||||
return api.delete(`/events/invitations/${typeof invite === 'number' ? invite : invite.id}`);
|
||||
try {
|
||||
await api.delete(`/events/invitations/${typeof invite === 'number' ? invite : invite.id}`);
|
||||
const idx = this.invitations.findIndex((v) => v.id === (invite.id || invite));
|
||||
if (idx >= 0) this.invitations.splice(idx, 1);
|
||||
notify_success('Einladung für erfolgreich abgelehnt');
|
||||
} catch (e) {
|
||||
notify_failure();
|
||||
}
|
||||
},
|
||||
|
||||
async acceptInvitation(invite: FG.Invitation | number) {
|
||||
return api.put(`/events/invitations/${typeof invite === 'number' ? invite : invite.id}`, {
|
||||
accept: true,
|
||||
});
|
||||
try {
|
||||
await api.put(`/events/invitations/${typeof invite === 'number' ? invite : invite.id}`, {
|
||||
accept: true,
|
||||
});
|
||||
const idx = this.invitations.findIndex((v) => v.id === (invite.id || invite));
|
||||
if (idx >= 0) this.invitations.splice(idx, 1);
|
||||
notify_success('Einladung für erfolgreich angenommen');
|
||||
} catch (e) {
|
||||
notify_failure();
|
||||
}
|
||||
},
|
||||
},
|
||||
});
|
||||
|
||||
function notify_failure() {
|
||||
Notify.create({
|
||||
message: 'Es ist ein Fehler aufgetreten.',
|
||||
color: 'negative',
|
||||
group: false,
|
||||
timeout: 10000,
|
||||
actions: [{ icon: 'mdi-close', color: 'white' }],
|
||||
});
|
||||
}
|
||||
|
||||
function notify_success(msg: string) {
|
||||
Notify.create({
|
||||
message: msg,
|
||||
color: 'positive',
|
||||
group: false,
|
||||
timeout: 5000,
|
||||
actions: [{ icon: 'mdi-close', color: 'white' }],
|
||||
});
|
||||
}
|
||||
|
|
|
@ -4,32 +4,76 @@ import { date } from 'quasar';
|
|||
export type EditableEvent = Omit<Omit<Omit<FG.Event, 'jobs'>, 'type'>, 'id'> & {
|
||||
type?: FG.EventType | number;
|
||||
id?: number;
|
||||
jobs: EditableJob[];
|
||||
jobs: Job[];
|
||||
};
|
||||
|
||||
/** A new job does not have an id or type assigned */
|
||||
export type EditableJob = Omit<Omit<FG.Job, 'type'>, 'id'> & {
|
||||
type?: FG.EventType | number;
|
||||
id?: number;
|
||||
};
|
||||
export class Job implements FG.Job {
|
||||
id = NaN;
|
||||
start: Date;
|
||||
end?: Date = undefined;
|
||||
type: FG.JobType | number = NaN;
|
||||
comment?: string = undefined;
|
||||
locked = false;
|
||||
services = [] as FG.Service[];
|
||||
required_services = 0;
|
||||
|
||||
export function emptyJob(startDate = new Date()): EditableJob {
|
||||
const start = date.adjustDate(startDate, {
|
||||
hours: new Date().getHours(),
|
||||
});
|
||||
return {
|
||||
start: start,
|
||||
end: date.addToDate(start, { hours: 1 }),
|
||||
services: [],
|
||||
locked: false,
|
||||
required_services: 2,
|
||||
};
|
||||
/**
|
||||
* Build Job from API Job interface
|
||||
* @param iJob Object following the API Job interface
|
||||
*/
|
||||
constructor(iJob?: Partial<FG.Job>) {
|
||||
if (!iJob || iJob.start === undefined)
|
||||
this.start = date.buildDate({
|
||||
hours: new Date().getHours(),
|
||||
minutes: 0,
|
||||
seconds: 0,
|
||||
milliseconds: 0,
|
||||
});
|
||||
else this.start = new Date(); // <-- make TS happy "no initalizer"
|
||||
if (!iJob || iJob.end === undefined) {
|
||||
this.end = date.buildDate({
|
||||
hours: new Date().getHours() + 4,
|
||||
minutes: 0,
|
||||
seconds: 0,
|
||||
milliseconds: 0,
|
||||
});
|
||||
}
|
||||
if (iJob !== undefined) Object.assign(this, iJob);
|
||||
}
|
||||
|
||||
/**
|
||||
* Create Job from start Date
|
||||
* @param start when does the event start?
|
||||
* @param adjustTime Set hours to current value, zero minutes and seconds
|
||||
* @param duration How long should the job go? Value in hours or undefined
|
||||
* @returns new Job event
|
||||
*/
|
||||
static fromDate(start: Date, adjustTime = true, duration?: number) {
|
||||
if (adjustTime)
|
||||
start = date.adjustDate(start, {
|
||||
hours: new Date().getHours(),
|
||||
minutes: 0,
|
||||
seconds: 0,
|
||||
milliseconds: 0,
|
||||
});
|
||||
return new Job({
|
||||
start: start,
|
||||
end: duration === undefined ? undefined : date.addToDate(start, { hours: duration }),
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* Check if this instance was loaded from API
|
||||
*/
|
||||
isPersistent() {
|
||||
return !isNaN(this.id);
|
||||
}
|
||||
}
|
||||
|
||||
export function emptyEvent(startDate: Date = new Date()): EditableEvent {
|
||||
return {
|
||||
start: date.adjustDate(startDate, { hours: 0, minutes: 0, seconds: 0, milliseconds: 0 }),
|
||||
jobs: [emptyJob(startDate)],
|
||||
jobs: [Job.fromDate(startDate, true, 4)],
|
||||
is_template: false,
|
||||
};
|
||||
}
|
||||
|
|
|
@ -1,5 +1,5 @@
|
|||
{
|
||||
"extends": "@quasar/app/tsconfig-preset",
|
||||
"extends": "@quasar/app-webpack/tsconfig-preset",
|
||||
"target": "esnext",
|
||||
"compilerOptions": {
|
||||
"baseUrl": "./src/",
|
||||
|
|
Loading…
Reference in New Issue