Compare commits
1 Commits
master
...
e404b8112d
| Author | SHA1 | Date | |
|---|---|---|---|
|
|
e404b8112d |
1
.gitignore
vendored
1
.gitignore
vendored
@@ -1,3 +1,2 @@
|
|||||||
node_modules
|
node_modules
|
||||||
types/gen
|
types/gen
|
||||||
**.DS_Store
|
|
||||||
111
CLAUDE.md
111
CLAUDE.md
@@ -1,111 +0,0 @@
|
|||||||
# CLAUDE.md
|
|
||||||
|
|
||||||
This file provides guidance to Claude Code (claude.ai/code) when working with code in this repository.
|
|
||||||
|
|
||||||
## Project Overview
|
|
||||||
|
|
||||||
Luncher is a lunch management app for teams — daily restaurant menus, food ordering, pizza day events, and payment QR codes. Czech-language UI. Full-stack TypeScript monorepo.
|
|
||||||
|
|
||||||
## Monorepo Structure
|
|
||||||
|
|
||||||
```
|
|
||||||
types/ → Shared OpenAPI-generated TypeScript types (source of truth: types/api.yml)
|
|
||||||
server/ → Express 5 backend (Node.js 22, ts-node)
|
|
||||||
client/ → React 19 frontend (Vite 7, React Bootstrap)
|
|
||||||
```
|
|
||||||
|
|
||||||
Each directory has its own `package.json` and `tsconfig.json`. Package manager: **Yarn Classic**.
|
|
||||||
|
|
||||||
## Development Commands
|
|
||||||
|
|
||||||
### Initial setup
|
|
||||||
```bash
|
|
||||||
cd types && yarn install && yarn openapi-ts # Generate API types first
|
|
||||||
cd ../server && yarn install
|
|
||||||
cd ../client && yarn install
|
|
||||||
```
|
|
||||||
|
|
||||||
### Running dev environment
|
|
||||||
```bash
|
|
||||||
# All-in-one (tmux):
|
|
||||||
./run_dev.sh
|
|
||||||
|
|
||||||
# Or manually in separate terminals:
|
|
||||||
cd server && NODE_ENV=development yarn startReload # Port 3001, nodemon watch
|
|
||||||
cd client && yarn start # Port 3000, proxies /api → 3001
|
|
||||||
```
|
|
||||||
|
|
||||||
### Building
|
|
||||||
```bash
|
|
||||||
cd types && yarn openapi-ts # Regenerate types from api.yml
|
|
||||||
cd server && yarn build # tsc → server/dist
|
|
||||||
cd client && yarn build # tsc --noEmit + vite build → client/dist
|
|
||||||
```
|
|
||||||
|
|
||||||
### Tests
|
|
||||||
```bash
|
|
||||||
cd server && yarn test # Jest (tests in server/src/tests/)
|
|
||||||
```
|
|
||||||
|
|
||||||
### Formatting
|
|
||||||
```bash
|
|
||||||
# Prettier available in client (no config file — uses defaults)
|
|
||||||
```
|
|
||||||
|
|
||||||
## Architecture
|
|
||||||
|
|
||||||
### API Types (types/)
|
|
||||||
- OpenAPI 3.0 spec in `types/api.yml` — all API endpoints and DTOs defined here
|
|
||||||
- `yarn openapi-ts` generates `types/gen/` (client.gen.ts, sdk.gen.ts, types.gen.ts)
|
|
||||||
- Both server and client import from these generated types
|
|
||||||
- **When changing API contracts: update api.yml first, then regenerate**
|
|
||||||
|
|
||||||
### Server (server/src/)
|
|
||||||
- **Entry:** `index.ts` — Express app + Socket.io setup
|
|
||||||
- **Routes:** `routes/` — modular Express route handlers (food, pizzaDay, voting, notifications, qr, stats, easterEgg, dev)
|
|
||||||
- **Services:** domain logic files at root level (`service.ts`, `pizza.ts`, `restaurants.ts`, `chefie.ts`, `voting.ts`, `stats.ts`, `qr.ts`, `notifikace.ts`)
|
|
||||||
- **Auth:** `auth.ts` — JWT + optional trusted-header authentication
|
|
||||||
- **Storage:** `storage/StorageInterface.ts` defines the interface; implementations in `storage/json.ts` (file-based, dev) and `storage/redis.ts` (production). Data keyed by date (YYYY-MM-DD).
|
|
||||||
- **Restaurant scrapers:** Cheerio-based HTML parsing for daily menus from multiple restaurants
|
|
||||||
- **WebSocket:** `websocket.ts` — Socket.io for real-time client updates
|
|
||||||
- **Mock mode:** `MOCK_DATA=true` env var returns fake menus (useful for weekend/holiday dev)
|
|
||||||
- **Config:** `.env.development` / `.env.production` (see `.env.template` for all options)
|
|
||||||
|
|
||||||
### Client (client/src/)
|
|
||||||
- **Entry:** `index.tsx` → `App.tsx` → `AppRoutes.tsx`
|
|
||||||
- **Pages:** `pages/` (StatsPage)
|
|
||||||
- **Components:** `components/` (Header, Footer, Loader, modals/, PizzaOrderList, PizzaOrderRow)
|
|
||||||
- **Context providers:** `context/` — AuthContext, SettingsContext, SocketContext, EasterEggContext
|
|
||||||
- **Styling:** Bootstrap 5 + React Bootstrap + custom SCSS files (co-located with components)
|
|
||||||
- **API calls:** use OpenAPI-generated SDK from `types/gen/`
|
|
||||||
- **Routing:** React Router DOM v7
|
|
||||||
|
|
||||||
### Data Flow
|
|
||||||
1. Client calls API via generated SDK → Express routes
|
|
||||||
2. Server scrapes restaurant websites or returns cached data
|
|
||||||
3. Storage: Redis (production) or JSON file (development)
|
|
||||||
4. Socket.io broadcasts changes to all connected clients
|
|
||||||
|
|
||||||
## Environment
|
|
||||||
|
|
||||||
- **Server env files:** `server/.env.development`, `server/.env.production` (see `server/.env.template`)
|
|
||||||
- Key vars: `JWT_SECRET`, `STORAGE` (json/redis), `MOCK_DATA`, `REDIS_HOST`, `REDIS_PORT`
|
|
||||||
- **Docker:** multi-stage Dockerfile, `compose.yml` for app + Redis. Timezone: Europe/Prague.
|
|
||||||
|
|
||||||
## Conventions
|
|
||||||
|
|
||||||
- Czech naming for domain variables and UI strings; English for infrastructure code
|
|
||||||
- TypeScript strict mode in both client and server
|
|
||||||
- Server module resolution: Node16; Client: ESNext/bundler
|
|
||||||
|
|
||||||
## Code Search Strategy
|
|
||||||
When searching through the project for information, use the Task tool to spawn
|
|
||||||
subagents. Each subagent should read the relevant files and return a brief
|
|
||||||
summary of what it found (not the full file contents). This keeps the main
|
|
||||||
context window small and saves tokens. Only pull in full file contents once
|
|
||||||
you've identified the specific files that matter.
|
|
||||||
When using subagents to search, each subagent should return:
|
|
||||||
- File path
|
|
||||||
- Whether it's relevant (yes/no)
|
|
||||||
- 1-3 sentence summary of what's in the file
|
|
||||||
Do NOT return full file contents in subagent responses.
|
|
||||||
@@ -82,11 +82,8 @@ COPY --from=builder /build/client/dist ./public
|
|||||||
# Zkopírování produkčních .env serveru
|
# Zkopírování produkčních .env serveru
|
||||||
COPY /server/.env.production ./server
|
COPY /server/.env.production ./server
|
||||||
|
|
||||||
# Zkopírování changelogů (seznamu novinek)
|
# Zkopírování konfigurace easter eggů
|
||||||
COPY /server/changelogs ./server/changelogs
|
RUN if [ -f /server/.easter-eggs.json ]; then cp /server/.easter-eggs.json ./server/; fi
|
||||||
|
|
||||||
# Zkopírování konfigurace easter eggů a changelogů
|
|
||||||
RUN if [ -f ./server/.easter-eggs.json ]; then cp ./server/.easter-eggs.json ./server/; fi
|
|
||||||
|
|
||||||
# Export /data/db.json do složky /data
|
# Export /data/db.json do složky /data
|
||||||
VOLUME ["/data"]
|
VOLUME ["/data"]
|
||||||
|
|||||||
@@ -18,12 +18,8 @@ COPY ./server/dist ./
|
|||||||
# Vykopírování sestaveného klienta
|
# Vykopírování sestaveného klienta
|
||||||
COPY ./client/dist ./public
|
COPY ./client/dist ./public
|
||||||
|
|
||||||
# Zkopírování changelogů (seznamu novinek)
|
# Zkopírování konfigurace easter eggů
|
||||||
COPY ./server/changelogs ./server/changelogs
|
RUN if [ -f ./server/.easter-eggs.json ]; then cp ./server/.easter-eggs.json ./server/; fi
|
||||||
|
|
||||||
# Zkopírování konfigurace easter eggů a changelogů
|
|
||||||
RUN if [ -f ./server/.easter-eggs.json ]; then cp ./server/.easter-eggs.json ./server/; fi \
|
|
||||||
&& if [ -d ./server/changelogs ]; then cp -r ./server/changelogs ./server/changelogs; fi
|
|
||||||
|
|
||||||
EXPOSE 3000
|
EXPOSE 3000
|
||||||
|
|
||||||
|
|||||||
@@ -1,46 +0,0 @@
|
|||||||
// Service Worker pro Web Push notifikace (připomínka výběru oběda)
|
|
||||||
|
|
||||||
self.addEventListener('push', (event) => {
|
|
||||||
const data = event.data?.json() ?? { title: 'Luncher', body: 'Ještě nemáte zvolený oběd!' };
|
|
||||||
event.waitUntil(
|
|
||||||
self.registration.showNotification(data.title, {
|
|
||||||
body: data.body,
|
|
||||||
icon: '/favicon.ico',
|
|
||||||
tag: 'lunch-reminder',
|
|
||||||
actions: [
|
|
||||||
{ action: 'neobedvam', title: 'Mám vlastní/neobědvám' },
|
|
||||||
],
|
|
||||||
})
|
|
||||||
);
|
|
||||||
});
|
|
||||||
|
|
||||||
self.addEventListener('notificationclick', (event) => {
|
|
||||||
event.notification.close();
|
|
||||||
|
|
||||||
if (event.action === 'neobedvam') {
|
|
||||||
event.waitUntil(
|
|
||||||
self.registration.pushManager.getSubscription().then((subscription) => {
|
|
||||||
if (!subscription) return;
|
|
||||||
return fetch('/api/notifications/push/quickChoice', {
|
|
||||||
method: 'POST',
|
|
||||||
headers: { 'Content-Type': 'application/json' },
|
|
||||||
body: JSON.stringify({ endpoint: subscription.endpoint }),
|
|
||||||
});
|
|
||||||
})
|
|
||||||
);
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
event.waitUntil(
|
|
||||||
self.clients.matchAll({ type: 'window' }).then((clientList) => {
|
|
||||||
// Pokud je již otevřené okno, zaostříme na něj
|
|
||||||
for (const client of clientList) {
|
|
||||||
if (client.url.includes(self.location.origin) && 'focus' in client) {
|
|
||||||
return client.focus();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
// Jinak otevřeme nové
|
|
||||||
return self.clients.openWindow('/');
|
|
||||||
})
|
|
||||||
);
|
|
||||||
});
|
|
||||||
@@ -315,20 +315,11 @@ body {
|
|||||||
border-bottom: none;
|
border-bottom: none;
|
||||||
cursor: pointer;
|
cursor: pointer;
|
||||||
transition: var(--luncher-transition);
|
transition: var(--luncher-transition);
|
||||||
display: flex;
|
|
||||||
align-items: center;
|
|
||||||
gap: 8px;
|
|
||||||
|
|
||||||
&:hover {
|
&:hover {
|
||||||
background: var(--luncher-primary-hover);
|
background: var(--luncher-primary-hover);
|
||||||
}
|
}
|
||||||
|
|
||||||
.restaurant-header-content {
|
|
||||||
display: flex;
|
|
||||||
flex-direction: column;
|
|
||||||
flex: 1;
|
|
||||||
}
|
|
||||||
|
|
||||||
h3 {
|
h3 {
|
||||||
margin: 0;
|
margin: 0;
|
||||||
font-size: 1.1rem;
|
font-size: 1.1rem;
|
||||||
@@ -343,12 +334,6 @@ body {
|
|||||||
color: rgba(255, 255, 255, 0.7);
|
color: rgba(255, 255, 255, 0.7);
|
||||||
font-size: 0.75rem;
|
font-size: 0.75rem;
|
||||||
}
|
}
|
||||||
|
|
||||||
.restaurant-warning {
|
|
||||||
color: #f59e0b;
|
|
||||||
cursor: help;
|
|
||||||
font-size: 1rem;
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
.restaurant-closed {
|
.restaurant-closed {
|
||||||
|
|||||||
@@ -13,12 +13,12 @@ import './App.scss';
|
|||||||
import { faCircleCheck, faNoteSticky, faTrashCan, faComment } from '@fortawesome/free-regular-svg-icons';
|
import { faCircleCheck, faNoteSticky, faTrashCan, faComment } from '@fortawesome/free-regular-svg-icons';
|
||||||
import { useSettings } from './context/settings';
|
import { useSettings } from './context/settings';
|
||||||
import Footer from './components/Footer';
|
import Footer from './components/Footer';
|
||||||
import { faBasketShopping, faChainBroken, faChevronLeft, faChevronRight, faGear, faSatelliteDish, faSearch, faTriangleExclamation } from '@fortawesome/free-solid-svg-icons';
|
import { faBasketShopping, faChainBroken, faChevronLeft, faChevronRight, faGear, faSatelliteDish, faSearch } from '@fortawesome/free-solid-svg-icons';
|
||||||
import Loader from './components/Loader';
|
import Loader from './components/Loader';
|
||||||
import { getHumanDateTime, isInTheFuture, formatDateString } from './Utils';
|
import { getHumanDateTime, isInTheFuture } from './Utils';
|
||||||
import NoteModal from './components/modals/NoteModal';
|
import NoteModal from './components/modals/NoteModal';
|
||||||
import { useEasterEgg } from './context/eggs';
|
import { useEasterEgg } from './context/eggs';
|
||||||
import { ClientData, Food, PizzaOrder, DepartureTime, PizzaDayState, Restaurant, RestaurantDayMenu, RestaurantDayMenuMap, LunchChoice, UserLunchChoice, PizzaVariant, getData, getEasterEggImage, addPizza, removePizza, updatePizzaDayNote, createPizzaDay, deletePizzaDay, lockPizzaDay, unlockPizzaDay, finishOrder, finishDelivery, addChoice, jdemeObed, removeChoices, removeChoice, updateNote, changeDepartureTime, setBuyer, dismissQr } from '../../types';
|
import { ClientData, Food, PizzaOrder, DepartureTime, PizzaDayState, Restaurant, RestaurantDayMenu, RestaurantDayMenuMap, LunchChoice, UserLunchChoice, PizzaVariant, getData, getEasterEggImage, addPizza, removePizza, updatePizzaDayNote, createPizzaDay, deletePizzaDay, lockPizzaDay, unlockPizzaDay, finishOrder, finishDelivery, addChoice, jdemeObed, removeChoices, removeChoice, updateNote, changeDepartureTime, setBuyer } from '../../types';
|
||||||
import { getLunchChoiceName } from './enums';
|
import { getLunchChoiceName } from './enums';
|
||||||
// import FallingLeaves, { LEAF_PRESETS, LEAF_COLOR_THEMES } from './FallingLeaves';
|
// import FallingLeaves, { LEAF_PRESETS, LEAF_COLOR_THEMES } from './FallingLeaves';
|
||||||
// import './FallingLeaves.scss';
|
// import './FallingLeaves.scss';
|
||||||
@@ -138,33 +138,9 @@ function App() {
|
|||||||
}, [socket]);
|
}, [socket]);
|
||||||
|
|
||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
if (!auth?.login || !data?.choices) {
|
if (!auth?.login) {
|
||||||
return
|
return
|
||||||
}
|
}
|
||||||
// Pre-fill form refs from existing choices
|
|
||||||
let foundKey: LunchChoice | undefined;
|
|
||||||
let foundChoice: UserLunchChoice | undefined;
|
|
||||||
for (const key of Object.keys(data.choices)) {
|
|
||||||
const locationKey = key as LunchChoice;
|
|
||||||
const locationChoices = data.choices[locationKey];
|
|
||||||
if (locationChoices && auth.login in locationChoices) {
|
|
||||||
foundKey = locationKey;
|
|
||||||
foundChoice = locationChoices[auth.login];
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
if (foundKey && choiceRef.current) {
|
|
||||||
choiceRef.current.value = foundKey;
|
|
||||||
const restaurantKey = Object.keys(Restaurant).indexOf(foundKey);
|
|
||||||
if (restaurantKey > -1 && food) {
|
|
||||||
const restaurant = Object.keys(Restaurant)[restaurantKey] as Restaurant;
|
|
||||||
setFoodChoiceList(food[restaurant]?.food);
|
|
||||||
setClosed(food[restaurant]?.closed ?? false);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
if (foundChoice?.departureTime && departureChoiceRef.current) {
|
|
||||||
departureChoiceRef.current.value = foundChoice.departureTime;
|
|
||||||
}
|
|
||||||
}, [auth, auth?.login, data?.choices])
|
}, [auth, auth?.login, data?.choices])
|
||||||
|
|
||||||
// Reference na mojí objednávku
|
// Reference na mojí objednávku
|
||||||
@@ -175,11 +151,6 @@ function App() {
|
|||||||
}
|
}
|
||||||
}, [auth?.login, data?.pizzaDay?.orders])
|
}, [auth?.login, data?.pizzaDay?.orders])
|
||||||
|
|
||||||
// Kontrola, zda má uživatel vybranou volbu PIZZA
|
|
||||||
const userHasPizzaChoice = useMemo(() => {
|
|
||||||
return auth?.login ? data?.choices?.PIZZA?.[auth.login] != null : false;
|
|
||||||
}, [data?.choices?.PIZZA, auth?.login]);
|
|
||||||
|
|
||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
if (choiceRef?.current?.value && choiceRef.current.value !== "") {
|
if (choiceRef?.current?.value && choiceRef.current.value !== "") {
|
||||||
const locationKey = choiceRef.current.value as LunchChoice;
|
const locationKey = choiceRef.current.value as LunchChoice;
|
||||||
@@ -231,66 +202,10 @@ function App() {
|
|||||||
}
|
}
|
||||||
}, [auth?.login, easterEgg?.duration, easterEgg?.url, eggImage]);
|
}, [auth?.login, easterEgg?.duration, easterEgg?.url, eggImage]);
|
||||||
|
|
||||||
// Pomocná funkce pro kontrolu a potvrzení změny volby při existujícím Pizza day
|
|
||||||
const checkPizzaDayBeforeChange = async (newLocationKey: LunchChoice): Promise<boolean> => {
|
|
||||||
if (!auth?.login || !data) return false;
|
|
||||||
|
|
||||||
// Kontrola, zda uživatel má vybranou PIZZA a mění na něco jiného
|
|
||||||
const hasPizzaChoice = data.choices?.PIZZA?.[auth.login] != null;
|
|
||||||
const isCreator = data.pizzaDay?.creator === auth.login;
|
|
||||||
const isPizzaDayCreated = data.pizzaDay?.state === PizzaDayState.CREATED;
|
|
||||||
|
|
||||||
// Pokud není vybraná PIZZA nebo přepínáme na PIZZA, není potřeba kontrolovat
|
|
||||||
if (!hasPizzaChoice || newLocationKey === LunchChoice.PIZZA) {
|
|
||||||
return true;
|
|
||||||
}
|
|
||||||
|
|
||||||
// Pokud uživatel není zakladatel Pizza day, není potřeba dialogu
|
|
||||||
if (!isCreator || !data?.pizzaDay) {
|
|
||||||
return true;
|
|
||||||
}
|
|
||||||
|
|
||||||
// Uživatel je zakladatel Pizza day a mění volbu z PIZZA
|
|
||||||
if (!isPizzaDayCreated) {
|
|
||||||
// Pizza day není ve stavu CREATED, nelze změnit volbu
|
|
||||||
alert(`Nelze změnit volbu. Pizza day je ve stavu "${data.pizzaDay.state}" a musí být nejprve dokončen.`);
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
|
|
||||||
// Pizza day je CREATED, zobrazit potvrzovací dialog
|
|
||||||
const confirmed = window.confirm(
|
|
||||||
'Jsi zakladatel aktivního Pizza day. Změna volby smaže celý Pizza day včetně všech objednávek. Pokračovat?'
|
|
||||||
);
|
|
||||||
|
|
||||||
if (!confirmed) {
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
|
|
||||||
// Uživatel potvrdil, smazat Pizza day
|
|
||||||
try {
|
|
||||||
await deletePizzaDay();
|
|
||||||
return true;
|
|
||||||
} catch (error: any) {
|
|
||||||
alert(`Chyba při mazání Pizza day: ${error.message || error}`);
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
};
|
|
||||||
|
|
||||||
const doAddClickFoodChoice = async (location: LunchChoice, foodIndex?: number) => {
|
const doAddClickFoodChoice = async (location: LunchChoice, foodIndex?: number) => {
|
||||||
if (document.getSelection()?.type !== 'Range') { // pouze pokud se nejedná o výběr textu
|
if (document.getSelection()?.type !== 'Range') { // pouze pokud se nejedná o výběr textu
|
||||||
if (canChangeChoice && auth?.login) {
|
if (canChangeChoice && auth?.login) {
|
||||||
// Kontrola Pizza day před změnou volby
|
|
||||||
const canProceed = await checkPizzaDayBeforeChange(location);
|
|
||||||
if (!canProceed) {
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
try {
|
|
||||||
await addChoice({ body: { locationKey: location, foodIndex, dayIndex } });
|
await addChoice({ body: { locationKey: location, foodIndex, dayIndex } });
|
||||||
await tryAutoSelectDepartureTime();
|
|
||||||
} catch (error: any) {
|
|
||||||
alert(`Chyba při změně volby: ${error.message || error}`);
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@@ -298,36 +213,11 @@ function App() {
|
|||||||
const doAddChoice = async (event: React.ChangeEvent<HTMLSelectElement>) => {
|
const doAddChoice = async (event: React.ChangeEvent<HTMLSelectElement>) => {
|
||||||
const locationKey = event.target.value as LunchChoice;
|
const locationKey = event.target.value as LunchChoice;
|
||||||
if (canChangeChoice && auth?.login) {
|
if (canChangeChoice && auth?.login) {
|
||||||
// Kontrola Pizza day před změnou volby
|
|
||||||
const canProceed = await checkPizzaDayBeforeChange(locationKey);
|
|
||||||
if (!canProceed) {
|
|
||||||
// Uživatel zrušil akci nebo došlo k chybě, reset výběru zpět na PIZZA
|
|
||||||
if (choiceRef.current) {
|
|
||||||
choiceRef.current.value = LunchChoice.PIZZA;
|
|
||||||
}
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
try {
|
|
||||||
await addChoice({ body: { locationKey, dayIndex } });
|
await addChoice({ body: { locationKey, dayIndex } });
|
||||||
if (foodChoiceRef.current?.value) {
|
if (foodChoiceRef.current?.value) {
|
||||||
foodChoiceRef.current.value = "";
|
foodChoiceRef.current.value = "";
|
||||||
}
|
}
|
||||||
choiceRef.current?.blur();
|
choiceRef.current?.blur();
|
||||||
// Automatický výběr času odchodu pouze pro restaurace s menu
|
|
||||||
if (Object.keys(Restaurant).includes(locationKey)) {
|
|
||||||
await tryAutoSelectDepartureTime();
|
|
||||||
}
|
|
||||||
} catch (error: any) {
|
|
||||||
alert(`Chyba při změně volby: ${error.message || error}`);
|
|
||||||
// Reset výběru zpět
|
|
||||||
const hasPizzaChoice = data?.choices?.PIZZA?.[auth.login] != null;
|
|
||||||
if (choiceRef.current && hasPizzaChoice) {
|
|
||||||
choiceRef.current.value = LunchChoice.PIZZA;
|
|
||||||
} else if (choiceRef.current) {
|
|
||||||
choiceRef.current.value = "";
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -342,7 +232,6 @@ function App() {
|
|||||||
const locationKey = choiceRef.current.value as LunchChoice;
|
const locationKey = choiceRef.current.value as LunchChoice;
|
||||||
if (auth?.login) {
|
if (auth?.login) {
|
||||||
await addChoice({ body: { locationKey, foodIndex: Number(event.target.value), dayIndex } });
|
await addChoice({ body: { locationKey, foodIndex: Number(event.target.value), dayIndex } });
|
||||||
await tryAutoSelectDepartureTime();
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@@ -391,42 +280,6 @@ function App() {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
const handleCreatePizzaDay = async () => {
|
|
||||||
if (!window.confirm('Opravdu chcete založit Pizza day?')) return;
|
|
||||||
setLoadingPizzaDay(true);
|
|
||||||
await createPizzaDay().then(() => setLoadingPizzaDay(false));
|
|
||||||
}
|
|
||||||
|
|
||||||
const handleDeletePizzaDay = async () => {
|
|
||||||
if (!window.confirm('Opravdu chcete smazat Pizza day? Budou smazány i všechny dosud zadané objednávky.')) return;
|
|
||||||
await deletePizzaDay();
|
|
||||||
}
|
|
||||||
|
|
||||||
const handleLockPizzaDay = async () => {
|
|
||||||
if (!window.confirm('Opravdu chcete uzamknout objednávky? Po uzamčení nebude možné přidávat ani odebírat objednávky.')) return;
|
|
||||||
await lockPizzaDay();
|
|
||||||
}
|
|
||||||
|
|
||||||
const handleUnlockPizzaDay = async () => {
|
|
||||||
if (!window.confirm('Opravdu chcete odemknout objednávky? Uživatelé budou moci opět upravovat své objednávky.')) return;
|
|
||||||
await unlockPizzaDay();
|
|
||||||
}
|
|
||||||
|
|
||||||
const handleFinishOrder = async () => {
|
|
||||||
if (!window.confirm('Opravdu chcete označit objednávky jako objednané? Objednávky zůstanou zamčeny.')) return;
|
|
||||||
await finishOrder();
|
|
||||||
}
|
|
||||||
|
|
||||||
const handleReturnToLocked = async () => {
|
|
||||||
if (!window.confirm('Opravdu chcete vrátit stav zpět do "uzamčeno" (před objednáním)?')) return;
|
|
||||||
await lockPizzaDay();
|
|
||||||
}
|
|
||||||
|
|
||||||
const handleFinishDelivery = async () => {
|
|
||||||
if (!window.confirm(`Opravdu chcete označit pizzy jako doručené?${settings?.bankAccount && settings?.holderName ? ' Uživatelům bude vygenerován QR kód pro platbu.' : ''}`)) return;
|
|
||||||
await finishDelivery({ body: { bankAccount: settings?.bankAccount, bankAccountHolder: settings?.holderName } });
|
|
||||||
}
|
|
||||||
|
|
||||||
const pizzaSuggestions = useMemo(() => {
|
const pizzaSuggestions = useMemo(() => {
|
||||||
if (!data?.pizzaList) {
|
if (!data?.pizzaList) {
|
||||||
return [];
|
return [];
|
||||||
@@ -474,16 +327,6 @@ function App() {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
// Automaticky nastaví preferovaný čas odchodu 10:45, pokud tento čas ještě nenastal (nebo jde o budoucí den)
|
|
||||||
const tryAutoSelectDepartureTime = async () => {
|
|
||||||
const preferredTime = "10:45" as DepartureTime;
|
|
||||||
const isToday = dayIndex === data?.todayDayIndex;
|
|
||||||
if ((!isToday || isInTheFuture(preferredTime)) && departureChoiceRef.current) {
|
|
||||||
departureChoiceRef.current.value = preferredTime;
|
|
||||||
await changeDepartureTime({ body: { time: preferredTime, dayIndex } });
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
const handleDayChange = async (dayIndex: number) => {
|
const handleDayChange = async (dayIndex: number) => {
|
||||||
setDayIndex(dayIndex);
|
setDayIndex(dayIndex);
|
||||||
dayIndexRef.current = dayIndex;
|
dayIndexRef.current = dayIndex;
|
||||||
@@ -541,18 +384,11 @@ function App() {
|
|||||||
return <Col md={6} lg={3} className='mt-3'>
|
return <Col md={6} lg={3} className='mt-3'>
|
||||||
<div className="restaurant-card">
|
<div className="restaurant-card">
|
||||||
<div className="restaurant-header" style={{ cursor: canChangeChoice ? 'pointer' : 'default' }} onClick={() => doAddClickFoodChoice(location)}>
|
<div className="restaurant-header" style={{ cursor: canChangeChoice ? 'pointer' : 'default' }} onClick={() => doAddClickFoodChoice(location)}>
|
||||||
<div className="restaurant-header-content">
|
|
||||||
<h3>
|
<h3>
|
||||||
{getLunchChoiceName(location)}
|
{getLunchChoiceName(location)}
|
||||||
</h3>
|
</h3>
|
||||||
{menu?.lastUpdate && <small>Aktualizace: {getHumanDateTime(new Date(menu.lastUpdate))}</small>}
|
{menu?.lastUpdate && <small>Aktualizace: {getHumanDateTime(new Date(menu.lastUpdate))}</small>}
|
||||||
</div>
|
</div>
|
||||||
{menu?.warnings && menu.warnings.length > 0 && (
|
|
||||||
<span className="restaurant-warning" title={menu.warnings.join('\n')}>
|
|
||||||
<FontAwesomeIcon icon={faTriangleExclamation} />
|
|
||||||
</span>
|
|
||||||
)}
|
|
||||||
</div>
|
|
||||||
{content}
|
{content}
|
||||||
</div>
|
</div>
|
||||||
</Col>
|
</Col>
|
||||||
@@ -594,14 +430,9 @@ function App() {
|
|||||||
return (
|
return (
|
||||||
<div className="app-container">
|
<div className="app-container">
|
||||||
{easterEgg && eggImage && <img ref={eggRef} alt='' src={URL.createObjectURL(eggImage)} style={{ position: 'absolute', ...EASTER_EGG_STYLE, ...style, animationDuration: `${duration ?? EASTER_EGG_DEFAULT_DURATION}s` }} />}
|
{easterEgg && eggImage && <img ref={eggRef} alt='' src={URL.createObjectURL(eggImage)} style={{ position: 'absolute', ...EASTER_EGG_STYLE, ...style, animationDuration: `${duration ?? EASTER_EGG_DEFAULT_DURATION}s` }} />}
|
||||||
<Header choices={data?.choices} dayIndex={dayIndex} />
|
<Header />
|
||||||
<div className='wrapper'>
|
<div className='wrapper'>
|
||||||
{data.todayDayIndex != null && data.todayDayIndex > 4 &&
|
{data.isWeekend ? <h4>Užívejte víkend :)</h4> : <>
|
||||||
<Alert variant="info" className="mb-3">
|
|
||||||
Zobrazujete uplynulý týden
|
|
||||||
</Alert>
|
|
||||||
}
|
|
||||||
<>
|
|
||||||
{dayIndex != null &&
|
{dayIndex != null &&
|
||||||
<div className='day-navigator'>
|
<div className='day-navigator'>
|
||||||
<span title='Předchozí den'>
|
<span title='Předchozí den'>
|
||||||
@@ -634,7 +465,7 @@ function App() {
|
|||||||
</Form.Select>
|
</Form.Select>
|
||||||
<small>Je možné vybrat jen jednu možnost. Výběr jiné odstraní předchozí.</small>
|
<small>Je možné vybrat jen jednu možnost. Výběr jiné odstraní předchozí.</small>
|
||||||
{foodChoiceList && !closed && <>
|
{foodChoiceList && !closed && <>
|
||||||
<p className="mt-3">Na co dobrého?</p>
|
<p className="mt-3">Na co dobrého? <small style={{ color: 'var(--luncher-text-muted)' }}>(nepovinné)</small></p>
|
||||||
<Form.Select ref={foodChoiceRef} onChange={doAddFoodChoice}>
|
<Form.Select ref={foodChoiceRef} onChange={doAddFoodChoice}>
|
||||||
<option value="">Vyber jídlo...</option>
|
<option value="">Vyber jídlo...</option>
|
||||||
{foodChoiceList.map((food, index) => <option key={food.name} value={index}>{food.name}</option>)}
|
{foodChoiceList.map((food, index) => <option key={food.name} value={index}>{food.name}</option>)}
|
||||||
@@ -645,7 +476,7 @@ function App() {
|
|||||||
<Form.Select ref={departureChoiceRef} onChange={handleChangeDepartureTime}>
|
<Form.Select ref={departureChoiceRef} onChange={handleChangeDepartureTime}>
|
||||||
<option value="">Vyber čas...</option>
|
<option value="">Vyber čas...</option>
|
||||||
{Object.values(DepartureTime)
|
{Object.values(DepartureTime)
|
||||||
.filter(time => dayIndex !== data.todayDayIndex || isInTheFuture(time))
|
.filter(time => isInTheFuture(time))
|
||||||
.map(time => <option key={time} value={time}>{time}</option>)}
|
.map(time => <option key={time} value={time}>{time}</option>)}
|
||||||
</Form.Select>
|
</Form.Select>
|
||||||
</>}
|
</>}
|
||||||
@@ -748,7 +579,7 @@ function App() {
|
|||||||
: <div className='no-votes mt-4'>Zatím nikdo nehlasoval...</div>
|
: <div className='no-votes mt-4'>Zatím nikdo nehlasoval...</div>
|
||||||
}
|
}
|
||||||
</div>
|
</div>
|
||||||
{dayIndex === data.todayDayIndex && userHasPizzaChoice &&
|
{dayIndex === data.todayDayIndex &&
|
||||||
<div className='pizza-section fade-in'>
|
<div className='pizza-section fade-in'>
|
||||||
{!data.pizzaDay &&
|
{!data.pizzaDay &&
|
||||||
<>
|
<>
|
||||||
@@ -760,7 +591,10 @@ function App() {
|
|||||||
</span>
|
</span>
|
||||||
:
|
:
|
||||||
<div>
|
<div>
|
||||||
<Button onClick={handleCreatePizzaDay}>Založit Pizza day</Button>
|
<Button onClick={async () => {
|
||||||
|
setLoadingPizzaDay(true);
|
||||||
|
await createPizzaDay().then(() => setLoadingPizzaDay(false));
|
||||||
|
}}>Založit Pizza day</Button>
|
||||||
<Button variant="outline-primary" onClick={doJdemeObed}>Jdeme na oběd!</Button>
|
<Button variant="outline-primary" onClick={doJdemeObed}>Jdeme na oběd!</Button>
|
||||||
</div>
|
</div>
|
||||||
}
|
}
|
||||||
@@ -779,8 +613,12 @@ function App() {
|
|||||||
{
|
{
|
||||||
data.pizzaDay.creator === auth.login &&
|
data.pizzaDay.creator === auth.login &&
|
||||||
<div className="mb-4">
|
<div className="mb-4">
|
||||||
<Button variant="danger" title="Smaže kompletně pizza day, včetně dosud zadaných objednávek." onClick={handleDeletePizzaDay}>Smazat Pizza day</Button>
|
<Button variant="danger" title="Smaže kompletně pizza day, včetně dosud zadaných objednávek." onClick={async () => {
|
||||||
<Button title={noOrders ? "Nelze uzamknout - neexistuje žádná objednávka" : "Zamezí přidávat/odebírat objednávky. Použij před samotným objednáním, aby již nemohlo docházet ke změnám."} disabled={noOrders} onClick={handleLockPizzaDay}>Uzamknout</Button>
|
await deletePizzaDay();
|
||||||
|
}}>Smazat Pizza day</Button>
|
||||||
|
<Button title={noOrders ? "Nelze uzamknout - neexistuje žádná objednávka" : "Zamezí přidávat/odebírat objednávky. Použij před samotným objednáním, aby již nemohlo docházet ke změnám."} disabled={noOrders} onClick={async () => {
|
||||||
|
await lockPizzaDay();
|
||||||
|
}}>Uzamknout</Button>
|
||||||
</div>
|
</div>
|
||||||
}
|
}
|
||||||
</>
|
</>
|
||||||
@@ -791,8 +629,12 @@ function App() {
|
|||||||
<p>Objednávky jsou uzamčeny uživatelem <strong>{data.pizzaDay.creator}</strong></p>
|
<p>Objednávky jsou uzamčeny uživatelem <strong>{data.pizzaDay.creator}</strong></p>
|
||||||
{data.pizzaDay.creator === auth.login &&
|
{data.pizzaDay.creator === auth.login &&
|
||||||
<div className="mb-4">
|
<div className="mb-4">
|
||||||
<Button variant="secondary" title="Umožní znovu editovat objednávky." onClick={handleUnlockPizzaDay}>Odemknout</Button>
|
<Button variant="secondary" title="Umožní znovu editovat objednávky." onClick={async () => {
|
||||||
<Button title={noOrders ? "Nelze objednat - neexistuje žádná objednávka" : "Použij po objednání. Objednávky zůstanou zamčeny."} disabled={noOrders} onClick={handleFinishOrder}>Objednáno</Button>
|
await unlockPizzaDay();
|
||||||
|
}}>Odemknout</Button>
|
||||||
|
<Button title={noOrders ? "Nelze objednat - neexistuje žádná objednávka" : "Použij po objednání. Objednávky zůstanou zamčeny."} disabled={noOrders} onClick={async () => {
|
||||||
|
await finishOrder();
|
||||||
|
}}>Objednáno</Button>
|
||||||
</div>
|
</div>
|
||||||
}
|
}
|
||||||
</>
|
</>
|
||||||
@@ -803,8 +645,12 @@ function App() {
|
|||||||
<p>Pizzy byly objednány uživatelem <strong>{data.pizzaDay.creator}</strong></p>
|
<p>Pizzy byly objednány uživatelem <strong>{data.pizzaDay.creator}</strong></p>
|
||||||
{data.pizzaDay.creator === auth.login &&
|
{data.pizzaDay.creator === auth.login &&
|
||||||
<div className="mb-4">
|
<div className="mb-4">
|
||||||
<Button variant="secondary" title="Vrátí stav do předchozího kroku (před objednáním)." onClick={handleReturnToLocked}>Vrátit do "uzamčeno"</Button>
|
<Button variant="secondary" title="Vrátí stav do předchozího kroku (před objednáním)." onClick={async () => {
|
||||||
<Button title="Nastaví stav na 'Doručeno' - koncový stav." onClick={handleFinishDelivery}>Doručeno</Button>
|
await lockPizzaDay();
|
||||||
|
}}>Vrátit do "uzamčeno"</Button>
|
||||||
|
<Button title="Nastaví stav na 'Doručeno' - koncový stav." onClick={async () => {
|
||||||
|
await finishDelivery({ body: { bankAccount: settings?.bankAccount, bankAccountHolder: settings?.holderName } });
|
||||||
|
}}>Doručeno</Button>
|
||||||
</div>
|
</div>
|
||||||
}
|
}
|
||||||
</>
|
</>
|
||||||
@@ -855,34 +701,7 @@ function App() {
|
|||||||
</div>
|
</div>
|
||||||
}
|
}
|
||||||
</div>
|
</div>
|
||||||
{data.pendingQrs && data.pendingQrs.length > 0 &&
|
</> || "Jejda, něco se nám nepovedlo :("}
|
||||||
<div className='pizza-section fade-in mt-4'>
|
|
||||||
<h3>Nevyřízené platby</h3>
|
|
||||||
<p>Máte neuhrazené platby z předchozích dní.</p>
|
|
||||||
{data.pendingQrs.map(qr => (
|
|
||||||
<div key={qr.date} className='qr-code mb-3'>
|
|
||||||
<p>
|
|
||||||
<strong>{formatDateString(qr.date)}</strong> — {qr.creator} ({qr.totalPrice} Kč)
|
|
||||||
{qr.purpose && <><br /><span className="text-muted">{qr.purpose}</span></>}
|
|
||||||
</p>
|
|
||||||
<img src={`/api/qr?login=${auth.login}`} alt='QR kód' />
|
|
||||||
<div className='mt-2'>
|
|
||||||
<Button variant="success" onClick={async () => {
|
|
||||||
await dismissQr({ body: { date: qr.date } });
|
|
||||||
// Přenačteme data pro aktualizaci
|
|
||||||
const response = await getData({ query: { dayIndex } });
|
|
||||||
if (response.data) {
|
|
||||||
setData(response.data);
|
|
||||||
}
|
|
||||||
}}>
|
|
||||||
Zaplatil jsem
|
|
||||||
</Button>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
))}
|
|
||||||
</div>
|
|
||||||
}
|
|
||||||
</>
|
|
||||||
</div>
|
</div>
|
||||||
{/* <FallingLeaves
|
{/* <FallingLeaves
|
||||||
numLeaves={LEAF_PRESETS.NORMAL}
|
numLeaves={LEAF_PRESETS.NORMAL}
|
||||||
|
|||||||
@@ -104,9 +104,3 @@ export function getHumanDate(date: Date) {
|
|||||||
let currentYear = date.getFullYear();
|
let currentYear = date.getFullYear();
|
||||||
return `${currentDay}.${currentMonth}.${currentYear}`;
|
return `${currentDay}.${currentMonth}.${currentYear}`;
|
||||||
}
|
}
|
||||||
|
|
||||||
/** Převede datum ve formátu YYYY-MM-DD na DD.MM.YYYY */
|
|
||||||
export function formatDateString(dateString: string): string {
|
|
||||||
const [year, month, day] = dateString.split('-');
|
|
||||||
return `${day}.${month}.${year}`;
|
|
||||||
}
|
|
||||||
@@ -6,26 +6,19 @@ import { useSettings, ThemePreference } from "../context/settings";
|
|||||||
import FeaturesVotingModal from "./modals/FeaturesVotingModal";
|
import FeaturesVotingModal from "./modals/FeaturesVotingModal";
|
||||||
import PizzaCalculatorModal from "./modals/PizzaCalculatorModal";
|
import PizzaCalculatorModal from "./modals/PizzaCalculatorModal";
|
||||||
import RefreshMenuModal from "./modals/RefreshMenuModal";
|
import RefreshMenuModal from "./modals/RefreshMenuModal";
|
||||||
import GenerateQrModal from "./modals/GenerateQrModal";
|
|
||||||
import GenerateMockDataModal from "./modals/GenerateMockDataModal";
|
|
||||||
import ClearMockDataModal from "./modals/ClearMockDataModal";
|
|
||||||
import { useNavigate } from "react-router";
|
import { useNavigate } from "react-router";
|
||||||
import { STATS_URL } from "../AppRoutes";
|
import { STATS_URL } from "../AppRoutes";
|
||||||
import { FeatureRequest, getVotes, updateVote, LunchChoices, getChangelogs } from "../../../types";
|
import { FeatureRequest, getVotes, updateVote } from "../../../types";
|
||||||
import { FontAwesomeIcon } from "@fortawesome/react-fontawesome";
|
import { FontAwesomeIcon } from "@fortawesome/react-fontawesome";
|
||||||
import { faSun, faMoon } from "@fortawesome/free-solid-svg-icons";
|
import { faSun, faMoon } from "@fortawesome/free-solid-svg-icons";
|
||||||
import { formatDateString } from "../Utils";
|
|
||||||
|
|
||||||
const LAST_SEEN_CHANGELOG_KEY = "lastChangelogDate";
|
const CHANGELOG = [
|
||||||
|
"Nový moderní design aplikace",
|
||||||
|
"Oprava parsování Sladovnické a TechTower",
|
||||||
|
"Možnost označit se jako objednávající u volby \"budu objednávat\"",
|
||||||
|
];
|
||||||
|
|
||||||
const IS_DEV = process.env.NODE_ENV === 'development';
|
export default function Header() {
|
||||||
|
|
||||||
type Props = {
|
|
||||||
choices?: LunchChoices;
|
|
||||||
dayIndex?: number;
|
|
||||||
};
|
|
||||||
|
|
||||||
export default function Header({ choices, dayIndex }: Props) {
|
|
||||||
const auth = useAuth();
|
const auth = useAuth();
|
||||||
const settings = useSettings();
|
const settings = useSettings();
|
||||||
const navigate = useNavigate();
|
const navigate = useNavigate();
|
||||||
@@ -34,10 +27,6 @@ export default function Header({ choices, dayIndex }: Props) {
|
|||||||
const [pizzaModalOpen, setPizzaModalOpen] = useState<boolean>(false);
|
const [pizzaModalOpen, setPizzaModalOpen] = useState<boolean>(false);
|
||||||
const [refreshMenuModalOpen, setRefreshMenuModalOpen] = useState<boolean>(false);
|
const [refreshMenuModalOpen, setRefreshMenuModalOpen] = useState<boolean>(false);
|
||||||
const [changelogModalOpen, setChangelogModalOpen] = useState<boolean>(false);
|
const [changelogModalOpen, setChangelogModalOpen] = useState<boolean>(false);
|
||||||
const [changelogEntries, setChangelogEntries] = useState<Record<string, string[]>>({});
|
|
||||||
const [qrModalOpen, setQrModalOpen] = useState<boolean>(false);
|
|
||||||
const [generateMockModalOpen, setGenerateMockModalOpen] = useState<boolean>(false);
|
|
||||||
const [clearMockModalOpen, setClearMockModalOpen] = useState<boolean>(false);
|
|
||||||
const [featureVotes, setFeatureVotes] = useState<FeatureRequest[] | undefined>([]);
|
const [featureVotes, setFeatureVotes] = useState<FeatureRequest[] | undefined>([]);
|
||||||
|
|
||||||
// Zjistíme aktuální efektivní téma (pro zobrazení správné ikony)
|
// Zjistíme aktuální efektivní téma (pro zobrazení správné ikony)
|
||||||
@@ -68,19 +57,6 @@ export default function Header({ choices, dayIndex }: Props) {
|
|||||||
}
|
}
|
||||||
}, [auth?.login]);
|
}, [auth?.login]);
|
||||||
|
|
||||||
useEffect(() => {
|
|
||||||
if (!auth?.login) return;
|
|
||||||
const lastSeen = localStorage.getItem(LAST_SEEN_CHANGELOG_KEY) ?? undefined;
|
|
||||||
getChangelogs({ query: lastSeen ? { since: lastSeen } : {} }).then(response => {
|
|
||||||
const entries = response.data;
|
|
||||||
if (!entries || Object.keys(entries).length === 0) return;
|
|
||||||
setChangelogEntries(entries);
|
|
||||||
setChangelogModalOpen(true);
|
|
||||||
const newestDate = Object.keys(entries).sort((a, b) => b.localeCompare(a))[0];
|
|
||||||
localStorage.setItem(LAST_SEEN_CHANGELOG_KEY, newestDate);
|
|
||||||
});
|
|
||||||
}, [auth?.login]);
|
|
||||||
|
|
||||||
const closeSettingsModal = () => {
|
const closeSettingsModal = () => {
|
||||||
setSettingsModalOpen(false);
|
setSettingsModalOpen(false);
|
||||||
}
|
}
|
||||||
@@ -97,18 +73,6 @@ export default function Header({ choices, dayIndex }: Props) {
|
|||||||
setRefreshMenuModalOpen(false);
|
setRefreshMenuModalOpen(false);
|
||||||
}
|
}
|
||||||
|
|
||||||
const closeQrModal = () => {
|
|
||||||
setQrModalOpen(false);
|
|
||||||
}
|
|
||||||
|
|
||||||
const handleQrMenuClick = () => {
|
|
||||||
if (!settings?.bankAccount || !settings?.holderName) {
|
|
||||||
alert('Pro generování QR kódů je nutné mít v nastavení vyplněné číslo účtu a jméno držitele účtu.');
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
setQrModalOpen(true);
|
|
||||||
}
|
|
||||||
|
|
||||||
const toggleTheme = () => {
|
const toggleTheme = () => {
|
||||||
// Přepínáme mezi light a dark (ignorujeme system pro jednoduchost)
|
// Přepínáme mezi light a dark (ignorujeme system pro jednoduchost)
|
||||||
const newTheme: ThemePreference = effectiveTheme === 'dark' ? 'light' : 'dark';
|
const newTheme: ThemePreference = effectiveTheme === 'dark' ? 'light' : 'dark';
|
||||||
@@ -205,26 +169,8 @@ export default function Header({ choices, dayIndex }: Props) {
|
|||||||
<NavDropdown.Item onClick={() => setRefreshMenuModalOpen(true)}>Přenačtení menu</NavDropdown.Item>
|
<NavDropdown.Item onClick={() => setRefreshMenuModalOpen(true)}>Přenačtení menu</NavDropdown.Item>
|
||||||
<NavDropdown.Item onClick={() => setVotingModalOpen(true)}>Hlasovat o nových funkcích</NavDropdown.Item>
|
<NavDropdown.Item onClick={() => setVotingModalOpen(true)}>Hlasovat o nových funkcích</NavDropdown.Item>
|
||||||
<NavDropdown.Item onClick={() => setPizzaModalOpen(true)}>Pizza kalkulačka</NavDropdown.Item>
|
<NavDropdown.Item onClick={() => setPizzaModalOpen(true)}>Pizza kalkulačka</NavDropdown.Item>
|
||||||
<NavDropdown.Item onClick={handleQrMenuClick}>Generování QR kódů</NavDropdown.Item>
|
|
||||||
<NavDropdown.Item onClick={() => navigate(STATS_URL)}>Statistiky</NavDropdown.Item>
|
<NavDropdown.Item onClick={() => navigate(STATS_URL)}>Statistiky</NavDropdown.Item>
|
||||||
<NavDropdown.Item onClick={() => {
|
<NavDropdown.Item onClick={() => setChangelogModalOpen(true)}>Novinky</NavDropdown.Item>
|
||||||
getChangelogs().then(response => {
|
|
||||||
const entries = response.data ?? {};
|
|
||||||
setChangelogEntries(entries);
|
|
||||||
setChangelogModalOpen(true);
|
|
||||||
const dates = Object.keys(entries).sort((a, b) => b.localeCompare(a));
|
|
||||||
if (dates.length > 0) {
|
|
||||||
localStorage.setItem(LAST_SEEN_CHANGELOG_KEY, dates[0]);
|
|
||||||
}
|
|
||||||
});
|
|
||||||
}}>Novinky</NavDropdown.Item>
|
|
||||||
{IS_DEV && (
|
|
||||||
<>
|
|
||||||
<NavDropdown.Divider />
|
|
||||||
<NavDropdown.Item onClick={() => setGenerateMockModalOpen(true)}>🔧 Generovat mock data</NavDropdown.Item>
|
|
||||||
<NavDropdown.Item onClick={() => setClearMockModalOpen(true)}>🔧 Smazat data dne</NavDropdown.Item>
|
|
||||||
</>
|
|
||||||
)}
|
|
||||||
<NavDropdown.Divider />
|
<NavDropdown.Divider />
|
||||||
<NavDropdown.Item onClick={auth?.logout}>Odhlásit se</NavDropdown.Item>
|
<NavDropdown.Item onClick={auth?.logout}>Odhlásit se</NavDropdown.Item>
|
||||||
</NavDropdown>
|
</NavDropdown>
|
||||||
@@ -234,47 +180,16 @@ export default function Header({ choices, dayIndex }: Props) {
|
|||||||
<RefreshMenuModal isOpen={refreshMenuModalOpen} onClose={closeRefreshMenuModal} />
|
<RefreshMenuModal isOpen={refreshMenuModalOpen} onClose={closeRefreshMenuModal} />
|
||||||
<FeaturesVotingModal isOpen={votingModalOpen} onClose={closeVotingModal} onChange={saveFeatureVote} initialValues={featureVotes} />
|
<FeaturesVotingModal isOpen={votingModalOpen} onClose={closeVotingModal} onChange={saveFeatureVote} initialValues={featureVotes} />
|
||||||
<PizzaCalculatorModal isOpen={pizzaModalOpen} onClose={closePizzaModal} />
|
<PizzaCalculatorModal isOpen={pizzaModalOpen} onClose={closePizzaModal} />
|
||||||
{choices && settings?.bankAccount && settings?.holderName && (
|
<Modal show={changelogModalOpen} onHide={() => setChangelogModalOpen(false)}>
|
||||||
<GenerateQrModal
|
|
||||||
isOpen={qrModalOpen}
|
|
||||||
onClose={closeQrModal}
|
|
||||||
choices={choices}
|
|
||||||
bankAccount={settings.bankAccount}
|
|
||||||
bankAccountHolder={settings.holderName}
|
|
||||||
/>
|
|
||||||
)}
|
|
||||||
{IS_DEV && (
|
|
||||||
<>
|
|
||||||
<GenerateMockDataModal
|
|
||||||
isOpen={generateMockModalOpen}
|
|
||||||
onClose={() => setGenerateMockModalOpen(false)}
|
|
||||||
currentDayIndex={dayIndex}
|
|
||||||
/>
|
|
||||||
<ClearMockDataModal
|
|
||||||
isOpen={clearMockModalOpen}
|
|
||||||
onClose={() => setClearMockModalOpen(false)}
|
|
||||||
currentDayIndex={dayIndex}
|
|
||||||
/>
|
|
||||||
</>
|
|
||||||
)}
|
|
||||||
<Modal show={changelogModalOpen} onHide={() => setChangelogModalOpen(false)} size="lg">
|
|
||||||
<Modal.Header closeButton>
|
<Modal.Header closeButton>
|
||||||
<Modal.Title><h2>Novinky</h2></Modal.Title>
|
<Modal.Title><h2>Novinky</h2></Modal.Title>
|
||||||
</Modal.Header>
|
</Modal.Header>
|
||||||
<Modal.Body>
|
<Modal.Body>
|
||||||
{Object.keys(changelogEntries).sort((a, b) => b.localeCompare(a)).map(date => (
|
|
||||||
<div key={date}>
|
|
||||||
<strong>{formatDateString(date)}</strong>
|
|
||||||
<ul>
|
<ul>
|
||||||
{changelogEntries[date].map((item, index) => (
|
{CHANGELOG.map((item, index) => (
|
||||||
<li key={index}>{item}</li>
|
<li key={index}>{item}</li>
|
||||||
))}
|
))}
|
||||||
</ul>
|
</ul>
|
||||||
</div>
|
|
||||||
))}
|
|
||||||
{Object.keys(changelogEntries).length === 0 && (
|
|
||||||
<p>Žádné novinky.</p>
|
|
||||||
)}
|
|
||||||
</Modal.Body>
|
</Modal.Body>
|
||||||
<Modal.Footer>
|
<Modal.Footer>
|
||||||
<Button variant="secondary" onClick={() => setChangelogModalOpen(false)}>
|
<Button variant="secondary" onClick={() => setChangelogModalOpen(false)}>
|
||||||
|
|||||||
@@ -1,104 +0,0 @@
|
|||||||
import { useState } from "react";
|
|
||||||
import { Modal, Button, Alert } from "react-bootstrap";
|
|
||||||
import { clearMockData, DayIndex } from "../../../../types";
|
|
||||||
|
|
||||||
type Props = {
|
|
||||||
isOpen: boolean;
|
|
||||||
onClose: () => void;
|
|
||||||
currentDayIndex?: number;
|
|
||||||
};
|
|
||||||
|
|
||||||
const DAY_NAMES = ['Pondělí', 'Úterý', 'Středa', 'Čtvrtek', 'Pátek'];
|
|
||||||
|
|
||||||
/** Modální dialog pro smazání mock dat (pouze DEV). */
|
|
||||||
export default function ClearMockDataModal({ isOpen, onClose, currentDayIndex }: Readonly<Props>) {
|
|
||||||
const [loading, setLoading] = useState(false);
|
|
||||||
const [error, setError] = useState<string | null>(null);
|
|
||||||
const [success, setSuccess] = useState(false);
|
|
||||||
|
|
||||||
const handleClear = async () => {
|
|
||||||
setError(null);
|
|
||||||
setLoading(true);
|
|
||||||
|
|
||||||
try {
|
|
||||||
const body: any = {};
|
|
||||||
if (currentDayIndex !== undefined) {
|
|
||||||
body.dayIndex = currentDayIndex as DayIndex;
|
|
||||||
}
|
|
||||||
|
|
||||||
const response = await clearMockData({ body });
|
|
||||||
if (response.error) {
|
|
||||||
setError((response.error as any).error || 'Nastala chyba při mazání dat');
|
|
||||||
} else {
|
|
||||||
setSuccess(true);
|
|
||||||
setTimeout(() => {
|
|
||||||
onClose();
|
|
||||||
setSuccess(false);
|
|
||||||
}, 1500);
|
|
||||||
}
|
|
||||||
} catch (e: any) {
|
|
||||||
setError(e.message || 'Nastala chyba při mazání dat');
|
|
||||||
} finally {
|
|
||||||
setLoading(false);
|
|
||||||
}
|
|
||||||
};
|
|
||||||
|
|
||||||
const handleClose = () => {
|
|
||||||
setError(null);
|
|
||||||
setSuccess(false);
|
|
||||||
onClose();
|
|
||||||
};
|
|
||||||
|
|
||||||
const dayName = currentDayIndex !== undefined ? DAY_NAMES[currentDayIndex] : 'aktuální den';
|
|
||||||
|
|
||||||
return (
|
|
||||||
<Modal show={isOpen} onHide={handleClose}>
|
|
||||||
<Modal.Header closeButton>
|
|
||||||
<Modal.Title><h2>Smazat data</h2></Modal.Title>
|
|
||||||
</Modal.Header>
|
|
||||||
<Modal.Body>
|
|
||||||
{success ? (
|
|
||||||
<Alert variant="success">
|
|
||||||
Data byla úspěšně smazána!
|
|
||||||
</Alert>
|
|
||||||
) : (
|
|
||||||
<>
|
|
||||||
<Alert variant="warning">
|
|
||||||
<strong>DEV režim</strong> - Tato funkce je dostupná pouze ve vývojovém prostředí.
|
|
||||||
</Alert>
|
|
||||||
|
|
||||||
{error && (
|
|
||||||
<Alert variant="danger" onClose={() => setError(null)} dismissible>
|
|
||||||
{error}
|
|
||||||
</Alert>
|
|
||||||
)}
|
|
||||||
|
|
||||||
<p>
|
|
||||||
Opravdu chcete smazat všechny volby stravování pro <strong>{dayName}</strong>?
|
|
||||||
</p>
|
|
||||||
<p className="text-muted">
|
|
||||||
Tato akce je nevratná.
|
|
||||||
</p>
|
|
||||||
</>
|
|
||||||
)}
|
|
||||||
</Modal.Body>
|
|
||||||
<Modal.Footer>
|
|
||||||
{!success && (
|
|
||||||
<>
|
|
||||||
<Button variant="secondary" onClick={handleClose} disabled={loading}>
|
|
||||||
Ne, zrušit
|
|
||||||
</Button>
|
|
||||||
<Button variant="danger" onClick={handleClear} disabled={loading}>
|
|
||||||
{loading ? 'Mažu...' : 'Ano, smazat'}
|
|
||||||
</Button>
|
|
||||||
</>
|
|
||||||
)}
|
|
||||||
{success && (
|
|
||||||
<Button variant="secondary" onClick={handleClose}>
|
|
||||||
Zavřít
|
|
||||||
</Button>
|
|
||||||
)}
|
|
||||||
</Modal.Footer>
|
|
||||||
</Modal>
|
|
||||||
);
|
|
||||||
}
|
|
||||||
@@ -1,140 +0,0 @@
|
|||||||
import { useState } from "react";
|
|
||||||
import { Modal, Button, Form, Alert } from "react-bootstrap";
|
|
||||||
import { generateMockData, DayIndex } from "../../../../types";
|
|
||||||
|
|
||||||
type Props = {
|
|
||||||
isOpen: boolean;
|
|
||||||
onClose: () => void;
|
|
||||||
currentDayIndex?: number;
|
|
||||||
};
|
|
||||||
|
|
||||||
const DAY_NAMES = ['Pondělí', 'Úterý', 'Středa', 'Čtvrtek', 'Pátek'];
|
|
||||||
|
|
||||||
/** Modální dialog pro generování mock dat (pouze DEV). */
|
|
||||||
export default function GenerateMockDataModal({ isOpen, onClose, currentDayIndex }: Readonly<Props>) {
|
|
||||||
const [dayIndex, setDayIndex] = useState<number | undefined>(currentDayIndex);
|
|
||||||
const [count, setCount] = useState<string>('');
|
|
||||||
const [loading, setLoading] = useState(false);
|
|
||||||
const [error, setError] = useState<string | null>(null);
|
|
||||||
const [success, setSuccess] = useState(false);
|
|
||||||
|
|
||||||
const handleGenerate = async () => {
|
|
||||||
setError(null);
|
|
||||||
setLoading(true);
|
|
||||||
|
|
||||||
try {
|
|
||||||
const body: any = {};
|
|
||||||
if (dayIndex !== undefined) {
|
|
||||||
body.dayIndex = dayIndex as DayIndex;
|
|
||||||
}
|
|
||||||
if (count && count.trim() !== '') {
|
|
||||||
const countNum = parseInt(count, 10);
|
|
||||||
if (isNaN(countNum) || countNum < 1 || countNum > 100) {
|
|
||||||
setError('Počet musí být číslo mezi 1 a 100');
|
|
||||||
setLoading(false);
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
body.count = countNum;
|
|
||||||
}
|
|
||||||
|
|
||||||
const response = await generateMockData({ body });
|
|
||||||
if (response.error) {
|
|
||||||
setError((response.error as any).error || 'Nastala chyba při generování dat');
|
|
||||||
} else {
|
|
||||||
setSuccess(true);
|
|
||||||
setTimeout(() => {
|
|
||||||
onClose();
|
|
||||||
setSuccess(false);
|
|
||||||
setCount('');
|
|
||||||
}, 1500);
|
|
||||||
}
|
|
||||||
} catch (e: any) {
|
|
||||||
setError(e.message || 'Nastala chyba při generování dat');
|
|
||||||
} finally {
|
|
||||||
setLoading(false);
|
|
||||||
}
|
|
||||||
};
|
|
||||||
|
|
||||||
const handleClose = () => {
|
|
||||||
setError(null);
|
|
||||||
setSuccess(false);
|
|
||||||
setCount('');
|
|
||||||
onClose();
|
|
||||||
};
|
|
||||||
|
|
||||||
return (
|
|
||||||
<Modal show={isOpen} onHide={handleClose}>
|
|
||||||
<Modal.Header closeButton>
|
|
||||||
<Modal.Title><h2>Generovat mock data</h2></Modal.Title>
|
|
||||||
</Modal.Header>
|
|
||||||
<Modal.Body>
|
|
||||||
{success ? (
|
|
||||||
<Alert variant="success">
|
|
||||||
Mock data byla úspěšně vygenerována!
|
|
||||||
</Alert>
|
|
||||||
) : (
|
|
||||||
<>
|
|
||||||
<Alert variant="warning">
|
|
||||||
<strong>DEV režim</strong> - Tato funkce je dostupná pouze ve vývojovém prostředí.
|
|
||||||
</Alert>
|
|
||||||
|
|
||||||
{error && (
|
|
||||||
<Alert variant="danger" onClose={() => setError(null)} dismissible>
|
|
||||||
{error}
|
|
||||||
</Alert>
|
|
||||||
)}
|
|
||||||
|
|
||||||
<Form.Group className="mb-3">
|
|
||||||
<Form.Label>Den</Form.Label>
|
|
||||||
<Form.Select
|
|
||||||
value={dayIndex ?? ''}
|
|
||||||
onChange={e => setDayIndex(e.target.value === '' ? undefined : parseInt(e.target.value, 10))}
|
|
||||||
>
|
|
||||||
<option value="">Aktuální den</option>
|
|
||||||
{DAY_NAMES.map((name, index) => (
|
|
||||||
<option key={index} value={index}>{name}</option>
|
|
||||||
))}
|
|
||||||
</Form.Select>
|
|
||||||
<Form.Text className="text-muted">
|
|
||||||
Pokud není vybráno, použije se aktuální den.
|
|
||||||
</Form.Text>
|
|
||||||
</Form.Group>
|
|
||||||
|
|
||||||
<Form.Group className="mb-3">
|
|
||||||
<Form.Label>Počet záznamů</Form.Label>
|
|
||||||
<Form.Control
|
|
||||||
type="number"
|
|
||||||
placeholder="Náhodný (5-20)"
|
|
||||||
value={count}
|
|
||||||
onChange={e => setCount(e.target.value)}
|
|
||||||
min={1}
|
|
||||||
max={100}
|
|
||||||
onKeyDown={e => e.stopPropagation()}
|
|
||||||
/>
|
|
||||||
<Form.Text className="text-muted">
|
|
||||||
Pokud není zadáno, vybere se náhodný počet 5-20.
|
|
||||||
</Form.Text>
|
|
||||||
</Form.Group>
|
|
||||||
</>
|
|
||||||
)}
|
|
||||||
</Modal.Body>
|
|
||||||
<Modal.Footer>
|
|
||||||
{!success && (
|
|
||||||
<>
|
|
||||||
<Button variant="secondary" onClick={handleClose} disabled={loading}>
|
|
||||||
Storno
|
|
||||||
</Button>
|
|
||||||
<Button variant="primary" onClick={handleGenerate} disabled={loading}>
|
|
||||||
{loading ? 'Generuji...' : 'Generovat'}
|
|
||||||
</Button>
|
|
||||||
</>
|
|
||||||
)}
|
|
||||||
{success && (
|
|
||||||
<Button variant="secondary" onClick={handleClose}>
|
|
||||||
Zavřít
|
|
||||||
</Button>
|
|
||||||
)}
|
|
||||||
</Modal.Footer>
|
|
||||||
</Modal>
|
|
||||||
);
|
|
||||||
}
|
|
||||||
@@ -1,255 +0,0 @@
|
|||||||
import { useState, useEffect, useCallback } from "react";
|
|
||||||
import { Modal, Button, Form, Table, Alert } from "react-bootstrap";
|
|
||||||
import { generateQr, LunchChoices, QrRecipient } from "../../../../types";
|
|
||||||
|
|
||||||
type UserEntry = {
|
|
||||||
login: string;
|
|
||||||
selected: boolean;
|
|
||||||
purpose: string;
|
|
||||||
amount: string;
|
|
||||||
};
|
|
||||||
|
|
||||||
type Props = {
|
|
||||||
isOpen: boolean;
|
|
||||||
onClose: () => void;
|
|
||||||
choices: LunchChoices;
|
|
||||||
bankAccount: string;
|
|
||||||
bankAccountHolder: string;
|
|
||||||
};
|
|
||||||
|
|
||||||
/** Modální dialog pro generování QR kódů pro platbu. */
|
|
||||||
export default function GenerateQrModal({ isOpen, onClose, choices, bankAccount, bankAccountHolder }: Readonly<Props>) {
|
|
||||||
const [users, setUsers] = useState<UserEntry[]>([]);
|
|
||||||
const [error, setError] = useState<string | null>(null);
|
|
||||||
const [loading, setLoading] = useState(false);
|
|
||||||
const [success, setSuccess] = useState(false);
|
|
||||||
|
|
||||||
// Při otevření modálu načteme seznam uživatelů z choices
|
|
||||||
useEffect(() => {
|
|
||||||
if (isOpen && choices) {
|
|
||||||
const userLogins = new Set<string>();
|
|
||||||
// Projdeme všechny lokace a získáme unikátní loginy
|
|
||||||
Object.values(choices).forEach(locationChoices => {
|
|
||||||
if (locationChoices) {
|
|
||||||
Object.keys(locationChoices).forEach(login => {
|
|
||||||
userLogins.add(login);
|
|
||||||
});
|
|
||||||
}
|
|
||||||
});
|
|
||||||
// Vytvoříme seznam uživatelů
|
|
||||||
const userList: UserEntry[] = Array.from(userLogins)
|
|
||||||
.sort((a, b) => a.localeCompare(b, 'cs'))
|
|
||||||
.map(login => ({
|
|
||||||
login,
|
|
||||||
selected: false,
|
|
||||||
purpose: '',
|
|
||||||
amount: '',
|
|
||||||
}));
|
|
||||||
setUsers(userList);
|
|
||||||
setError(null);
|
|
||||||
setSuccess(false);
|
|
||||||
}
|
|
||||||
}, [isOpen, choices]);
|
|
||||||
|
|
||||||
const handleCheckboxChange = useCallback((login: string, checked: boolean) => {
|
|
||||||
setUsers(prev => prev.map(u =>
|
|
||||||
u.login === login ? { ...u, selected: checked } : u
|
|
||||||
));
|
|
||||||
}, []);
|
|
||||||
|
|
||||||
const handlePurposeChange = useCallback((login: string, value: string) => {
|
|
||||||
setUsers(prev => prev.map(u =>
|
|
||||||
u.login === login ? { ...u, purpose: value } : u
|
|
||||||
));
|
|
||||||
}, []);
|
|
||||||
|
|
||||||
const handleAmountChange = useCallback((login: string, value: string) => {
|
|
||||||
// Povolíme pouze čísla, tečku a čárku
|
|
||||||
const sanitized = value.replace(/[^0-9.,]/g, '').replace(',', '.');
|
|
||||||
setUsers(prev => prev.map(u =>
|
|
||||||
u.login === login ? { ...u, amount: sanitized } : u
|
|
||||||
));
|
|
||||||
}, []);
|
|
||||||
|
|
||||||
const validateAmount = (amountStr: string): number | null => {
|
|
||||||
if (!amountStr || amountStr.trim().length === 0) {
|
|
||||||
return null;
|
|
||||||
}
|
|
||||||
const amount = parseFloat(amountStr);
|
|
||||||
if (isNaN(amount) || amount <= 0) {
|
|
||||||
return null;
|
|
||||||
}
|
|
||||||
// Max 2 desetinná místa
|
|
||||||
const parts = amountStr.split('.');
|
|
||||||
if (parts.length === 2 && parts[1].length > 2) {
|
|
||||||
return null;
|
|
||||||
}
|
|
||||||
return Math.round(amount * 100) / 100; // Zaokrouhlíme na 2 desetinná místa
|
|
||||||
};
|
|
||||||
|
|
||||||
const handleGenerate = async () => {
|
|
||||||
setError(null);
|
|
||||||
const selectedUsers = users.filter(u => u.selected);
|
|
||||||
|
|
||||||
if (selectedUsers.length === 0) {
|
|
||||||
setError("Nebyl vybrán žádný uživatel");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
// Validace
|
|
||||||
const recipients: QrRecipient[] = [];
|
|
||||||
for (const user of selectedUsers) {
|
|
||||||
if (!user.purpose || user.purpose.trim().length === 0) {
|
|
||||||
setError(`Uživatel ${user.login} nemá vyplněný účel platby`);
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
const amount = validateAmount(user.amount);
|
|
||||||
if (amount === null) {
|
|
||||||
setError(`Uživatel ${user.login} má neplatnou částku (musí být kladné číslo s max. 2 desetinnými místy)`);
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
recipients.push({
|
|
||||||
login: user.login,
|
|
||||||
purpose: user.purpose.trim(),
|
|
||||||
amount,
|
|
||||||
});
|
|
||||||
}
|
|
||||||
|
|
||||||
setLoading(true);
|
|
||||||
try {
|
|
||||||
const response = await generateQr({
|
|
||||||
body: {
|
|
||||||
recipients,
|
|
||||||
bankAccount,
|
|
||||||
bankAccountHolder,
|
|
||||||
}
|
|
||||||
});
|
|
||||||
if (response.error) {
|
|
||||||
setError((response.error as any).error || 'Nastala chyba při generování QR kódů');
|
|
||||||
} else {
|
|
||||||
setSuccess(true);
|
|
||||||
// Po 2 sekundách zavřeme modal
|
|
||||||
setTimeout(() => {
|
|
||||||
onClose();
|
|
||||||
}, 2000);
|
|
||||||
}
|
|
||||||
} catch (e: any) {
|
|
||||||
setError(e.message || 'Nastala chyba při generování QR kódů');
|
|
||||||
} finally {
|
|
||||||
setLoading(false);
|
|
||||||
}
|
|
||||||
};
|
|
||||||
|
|
||||||
const handleClose = () => {
|
|
||||||
setError(null);
|
|
||||||
setSuccess(false);
|
|
||||||
onClose();
|
|
||||||
};
|
|
||||||
|
|
||||||
const selectedCount = users.filter(u => u.selected).length;
|
|
||||||
|
|
||||||
return (
|
|
||||||
<Modal show={isOpen} onHide={handleClose} size="lg">
|
|
||||||
<Modal.Header closeButton>
|
|
||||||
<Modal.Title><h2>Generování QR kódů</h2></Modal.Title>
|
|
||||||
</Modal.Header>
|
|
||||||
<Modal.Body>
|
|
||||||
{success ? (
|
|
||||||
<Alert variant="success">
|
|
||||||
QR kódy byly úspěšně vygenerovány! Uživatelé je uvidí v sekci "Nevyřízené platby".
|
|
||||||
</Alert>
|
|
||||||
) : (
|
|
||||||
<>
|
|
||||||
<p>
|
|
||||||
Vyberte uživatele, kterým chcete vygenerovat QR kód pro platbu.
|
|
||||||
QR kódy se uživatelům zobrazí v sekci "Nevyřízené platby".
|
|
||||||
</p>
|
|
||||||
|
|
||||||
{error && (
|
|
||||||
<Alert variant="danger" onClose={() => setError(null)} dismissible>
|
|
||||||
{error}
|
|
||||||
</Alert>
|
|
||||||
)}
|
|
||||||
|
|
||||||
{users.length === 0 ? (
|
|
||||||
<Alert variant="info">
|
|
||||||
V tento den nemá žádný uživatel zvolenou možnost stravování.
|
|
||||||
</Alert>
|
|
||||||
) : (
|
|
||||||
<Table striped bordered hover responsive>
|
|
||||||
<thead>
|
|
||||||
<tr>
|
|
||||||
<th style={{ width: '50px' }}></th>
|
|
||||||
<th>Uživatel</th>
|
|
||||||
<th>Účel platby</th>
|
|
||||||
<th style={{ width: '120px' }}>Částka (Kč)</th>
|
|
||||||
</tr>
|
|
||||||
</thead>
|
|
||||||
<tbody>
|
|
||||||
{users.map(user => (
|
|
||||||
<tr key={user.login} className={user.selected ? '' : 'text-muted'}>
|
|
||||||
<td className="text-center">
|
|
||||||
<Form.Check
|
|
||||||
type="checkbox"
|
|
||||||
checked={user.selected}
|
|
||||||
onChange={e => handleCheckboxChange(user.login, e.target.checked)}
|
|
||||||
/>
|
|
||||||
</td>
|
|
||||||
<td>{user.login}</td>
|
|
||||||
<td>
|
|
||||||
<Form.Control
|
|
||||||
type="text"
|
|
||||||
placeholder="např. Pizza prosciutto"
|
|
||||||
value={user.purpose}
|
|
||||||
onChange={e => handlePurposeChange(user.login, e.target.value)}
|
|
||||||
disabled={!user.selected}
|
|
||||||
size="sm"
|
|
||||||
onKeyDown={e => e.stopPropagation()}
|
|
||||||
/>
|
|
||||||
</td>
|
|
||||||
<td>
|
|
||||||
<Form.Control
|
|
||||||
type="text"
|
|
||||||
placeholder="0.00"
|
|
||||||
value={user.amount}
|
|
||||||
onChange={e => handleAmountChange(user.login, e.target.value)}
|
|
||||||
disabled={!user.selected}
|
|
||||||
size="sm"
|
|
||||||
onKeyDown={e => e.stopPropagation()}
|
|
||||||
/>
|
|
||||||
</td>
|
|
||||||
</tr>
|
|
||||||
))}
|
|
||||||
</tbody>
|
|
||||||
</Table>
|
|
||||||
)}
|
|
||||||
</>
|
|
||||||
)}
|
|
||||||
</Modal.Body>
|
|
||||||
<Modal.Footer>
|
|
||||||
{!success && (
|
|
||||||
<>
|
|
||||||
<span className="me-auto text-muted">
|
|
||||||
Vybráno: {selectedCount} / {users.length}
|
|
||||||
</span>
|
|
||||||
<Button variant="secondary" onClick={handleClose} disabled={loading}>
|
|
||||||
Storno
|
|
||||||
</Button>
|
|
||||||
<Button
|
|
||||||
variant="primary"
|
|
||||||
onClick={handleGenerate}
|
|
||||||
disabled={loading || selectedCount === 0}
|
|
||||||
>
|
|
||||||
{loading ? 'Generuji...' : 'Generovat'}
|
|
||||||
</Button>
|
|
||||||
</>
|
|
||||||
)}
|
|
||||||
{success && (
|
|
||||||
<Button variant="secondary" onClick={handleClose}>
|
|
||||||
Zavřít
|
|
||||||
</Button>
|
|
||||||
)}
|
|
||||||
</Modal.Footer>
|
|
||||||
</Modal>
|
|
||||||
);
|
|
||||||
}
|
|
||||||
@@ -1,9 +1,6 @@
|
|||||||
import { useEffect, useRef, useState } from "react";
|
import { useRef } from "react";
|
||||||
import { Modal, Button, Form } from "react-bootstrap"
|
import { Modal, Button, Form } from "react-bootstrap"
|
||||||
import { useSettings, ThemePreference } from "../../context/settings";
|
import { useSettings, ThemePreference } from "../../context/settings";
|
||||||
import { NotificationSettings, UdalostEnum, getNotificationSettings, updateNotificationSettings } from "../../../../types";
|
|
||||||
import { useAuth } from "../../context/auth";
|
|
||||||
import { subscribeToPush, unsubscribeFromPush } from "../../hooks/usePushReminder";
|
|
||||||
|
|
||||||
type Props = {
|
type Props = {
|
||||||
isOpen: boolean,
|
isOpen: boolean,
|
||||||
@@ -13,68 +10,12 @@ type Props = {
|
|||||||
|
|
||||||
/** Modální dialog pro uživatelská nastavení. */
|
/** Modální dialog pro uživatelská nastavení. */
|
||||||
export default function SettingsModal({ isOpen, onClose, onSave }: Readonly<Props>) {
|
export default function SettingsModal({ isOpen, onClose, onSave }: Readonly<Props>) {
|
||||||
const auth = useAuth();
|
|
||||||
const settings = useSettings();
|
const settings = useSettings();
|
||||||
const bankAccountRef = useRef<HTMLInputElement>(null);
|
const bankAccountRef = useRef<HTMLInputElement>(null);
|
||||||
const nameRef = useRef<HTMLInputElement>(null);
|
const nameRef = useRef<HTMLInputElement>(null);
|
||||||
const hideSoupsRef = useRef<HTMLInputElement>(null);
|
const hideSoupsRef = useRef<HTMLInputElement>(null);
|
||||||
const themeRef = useRef<HTMLSelectElement>(null);
|
const themeRef = useRef<HTMLSelectElement>(null);
|
||||||
|
|
||||||
const reminderTimeRef = useRef<HTMLInputElement>(null);
|
|
||||||
const ntfyTopicRef = useRef<HTMLInputElement>(null);
|
|
||||||
const discordWebhookRef = useRef<HTMLInputElement>(null);
|
|
||||||
const teamsWebhookRef = useRef<HTMLInputElement>(null);
|
|
||||||
const [notifSettings, setNotifSettings] = useState<NotificationSettings>({});
|
|
||||||
const [enabledEvents, setEnabledEvents] = useState<UdalostEnum[]>([]);
|
|
||||||
|
|
||||||
useEffect(() => {
|
|
||||||
if (isOpen && auth?.login) {
|
|
||||||
getNotificationSettings().then(response => {
|
|
||||||
if (response.data) {
|
|
||||||
setNotifSettings(response.data);
|
|
||||||
setEnabledEvents(response.data.enabledEvents ?? []);
|
|
||||||
}
|
|
||||||
}).catch(() => {});
|
|
||||||
}
|
|
||||||
}, [isOpen, auth?.login]);
|
|
||||||
|
|
||||||
const toggleEvent = (event: UdalostEnum) => {
|
|
||||||
setEnabledEvents(prev =>
|
|
||||||
prev.includes(event) ? prev.filter(e => e !== event) : [...prev, event]
|
|
||||||
);
|
|
||||||
};
|
|
||||||
|
|
||||||
const handleSave = async () => {
|
|
||||||
const newReminderTime = reminderTimeRef.current?.value || undefined;
|
|
||||||
const oldReminderTime = notifSettings.reminderTime;
|
|
||||||
|
|
||||||
// Uložení notifikačních nastavení na server
|
|
||||||
await updateNotificationSettings({
|
|
||||||
body: {
|
|
||||||
ntfyTopic: ntfyTopicRef.current?.value || undefined,
|
|
||||||
discordWebhookUrl: discordWebhookRef.current?.value || undefined,
|
|
||||||
teamsWebhookUrl: teamsWebhookRef.current?.value || undefined,
|
|
||||||
enabledEvents,
|
|
||||||
reminderTime: newReminderTime,
|
|
||||||
}
|
|
||||||
}).catch(() => {});
|
|
||||||
|
|
||||||
// Správa push subscription pro připomínky
|
|
||||||
if (newReminderTime && newReminderTime !== oldReminderTime) {
|
|
||||||
subscribeToPush(newReminderTime);
|
|
||||||
} else if (!newReminderTime && oldReminderTime) {
|
|
||||||
unsubscribeFromPush();
|
|
||||||
}
|
|
||||||
|
|
||||||
// Uložení ostatních nastavení (localStorage)
|
|
||||||
onSave(
|
|
||||||
bankAccountRef.current?.value,
|
|
||||||
nameRef.current?.value,
|
|
||||||
hideSoupsRef.current?.checked,
|
|
||||||
themeRef.current?.value as ThemePreference,
|
|
||||||
);
|
|
||||||
};
|
|
||||||
|
|
||||||
return (
|
return (
|
||||||
<Modal show={isOpen} onHide={onClose} size="lg">
|
<Modal show={isOpen} onHide={onClose} size="lg">
|
||||||
<Modal.Header closeButton>
|
<Modal.Header closeButton>
|
||||||
@@ -110,88 +51,6 @@ export default function SettingsModal({ isOpen, onClose, onSave }: Readonly<Prop
|
|||||||
|
|
||||||
<hr />
|
<hr />
|
||||||
|
|
||||||
<h4>Notifikace</h4>
|
|
||||||
<p>
|
|
||||||
Nastavením notifikací budete dostávat upozornění o událostech (např. "Jdeme na oběd") přímo do vámi zvoleného komunikačního kanálu.
|
|
||||||
</p>
|
|
||||||
|
|
||||||
<Form.Group className="mb-3">
|
|
||||||
<Form.Label>Připomínka výběru oběda</Form.Label>
|
|
||||||
<Form.Control
|
|
||||||
ref={reminderTimeRef}
|
|
||||||
type="time"
|
|
||||||
defaultValue={notifSettings.reminderTime ?? ''}
|
|
||||||
key={notifSettings.reminderTime ?? 'reminder-empty'}
|
|
||||||
/>
|
|
||||||
<Form.Text className="text-muted">
|
|
||||||
V zadaný čas vám přijde push notifikace, pokud nemáte zvolenou možnost stravování. Nechte prázdné pro vypnutí.
|
|
||||||
</Form.Text>
|
|
||||||
</Form.Group>
|
|
||||||
|
|
||||||
<Form.Group className="mb-3">
|
|
||||||
<Form.Label>ntfy téma (topic)</Form.Label>
|
|
||||||
<Form.Control
|
|
||||||
ref={ntfyTopicRef}
|
|
||||||
type="text"
|
|
||||||
placeholder="moje-tema"
|
|
||||||
defaultValue={notifSettings.ntfyTopic}
|
|
||||||
key={notifSettings.ntfyTopic ?? 'ntfy-empty'}
|
|
||||||
onKeyDown={e => e.stopPropagation()}
|
|
||||||
/>
|
|
||||||
<Form.Text className="text-muted">
|
|
||||||
Téma pro ntfy push notifikace. Nechte prázdné pro vypnutí.
|
|
||||||
</Form.Text>
|
|
||||||
</Form.Group>
|
|
||||||
|
|
||||||
<Form.Group className="mb-3">
|
|
||||||
<Form.Label>Discord webhook URL</Form.Label>
|
|
||||||
<Form.Control
|
|
||||||
ref={discordWebhookRef}
|
|
||||||
type="text"
|
|
||||||
placeholder="https://discord.com/api/webhooks/..."
|
|
||||||
defaultValue={notifSettings.discordWebhookUrl}
|
|
||||||
key={notifSettings.discordWebhookUrl ?? 'discord-empty'}
|
|
||||||
onKeyDown={e => e.stopPropagation()}
|
|
||||||
/>
|
|
||||||
<Form.Text className="text-muted">
|
|
||||||
URL webhooku Discord kanálu. Nechte prázdné pro vypnutí.
|
|
||||||
</Form.Text>
|
|
||||||
</Form.Group>
|
|
||||||
|
|
||||||
<Form.Group className="mb-3">
|
|
||||||
<Form.Label>MS Teams webhook URL</Form.Label>
|
|
||||||
<Form.Control
|
|
||||||
ref={teamsWebhookRef}
|
|
||||||
type="text"
|
|
||||||
placeholder="https://outlook.office.com/webhook/..."
|
|
||||||
defaultValue={notifSettings.teamsWebhookUrl}
|
|
||||||
key={notifSettings.teamsWebhookUrl ?? 'teams-empty'}
|
|
||||||
onKeyDown={e => e.stopPropagation()}
|
|
||||||
/>
|
|
||||||
<Form.Text className="text-muted">
|
|
||||||
URL webhooku MS Teams kanálu. Nechte prázdné pro vypnutí.
|
|
||||||
</Form.Text>
|
|
||||||
</Form.Group>
|
|
||||||
|
|
||||||
<Form.Group className="mb-3">
|
|
||||||
<Form.Label>Události k odběru</Form.Label>
|
|
||||||
{Object.values(UdalostEnum).map(event => (
|
|
||||||
<Form.Check
|
|
||||||
key={event}
|
|
||||||
id={`notif-event-${event}`}
|
|
||||||
type="checkbox"
|
|
||||||
label={event}
|
|
||||||
checked={enabledEvents.includes(event)}
|
|
||||||
onChange={() => toggleEvent(event)}
|
|
||||||
/>
|
|
||||||
))}
|
|
||||||
<Form.Text className="text-muted">
|
|
||||||
Zvolte události, o kterých chcete být notifikováni. Notifikace jsou odesílány pouze uživatelům se stejnou zvolenou lokalitou.
|
|
||||||
</Form.Text>
|
|
||||||
</Form.Group>
|
|
||||||
|
|
||||||
<hr />
|
|
||||||
|
|
||||||
<h4>Bankovní účet</h4>
|
<h4>Bankovní účet</h4>
|
||||||
<p>
|
<p>
|
||||||
Nastavením čísla účtu umožníte automatické generování QR kódů pro úhradu za vámi provedené objednávky v rámci Pizza day.
|
Nastavením čísla účtu umožníte automatické generování QR kódů pro úhradu za vámi provedené objednávky v rámci Pizza day.
|
||||||
@@ -229,7 +88,7 @@ export default function SettingsModal({ isOpen, onClose, onSave }: Readonly<Prop
|
|||||||
<Button variant="secondary" onClick={onClose}>
|
<Button variant="secondary" onClick={onClose}>
|
||||||
Storno
|
Storno
|
||||||
</Button>
|
</Button>
|
||||||
<Button onClick={handleSave}>
|
<Button onClick={() => onSave(bankAccountRef.current?.value, nameRef.current?.value, hideSoupsRef.current?.checked, themeRef.current?.value as ThemePreference)}>
|
||||||
Uložit
|
Uložit
|
||||||
</Button>
|
</Button>
|
||||||
</Modal.Footer>
|
</Modal.Footer>
|
||||||
|
|||||||
@@ -1,108 +0,0 @@
|
|||||||
import { getToken } from '../Utils';
|
|
||||||
|
|
||||||
/** Převede base64url VAPID klíč na Uint8Array pro PushManager. */
|
|
||||||
function urlBase64ToUint8Array(base64String: string): Uint8Array {
|
|
||||||
const padding = '='.repeat((4 - (base64String.length % 4)) % 4);
|
|
||||||
const base64 = (base64String + padding).replace(/-/g, '+').replace(/_/g, '/');
|
|
||||||
const rawData = atob(base64);
|
|
||||||
const outputArray = new Uint8Array(rawData.length);
|
|
||||||
for (let i = 0; i < rawData.length; ++i) {
|
|
||||||
outputArray[i] = rawData.charCodeAt(i);
|
|
||||||
}
|
|
||||||
return outputArray;
|
|
||||||
}
|
|
||||||
|
|
||||||
/** Helper pro autorizované API volání na push endpointy. */
|
|
||||||
async function pushApiFetch(path: string, options: RequestInit = {}): Promise<Response> {
|
|
||||||
const token = getToken();
|
|
||||||
return fetch(`/api/notifications/push${path}`, {
|
|
||||||
...options,
|
|
||||||
headers: {
|
|
||||||
'Content-Type': 'application/json',
|
|
||||||
...(token ? { Authorization: `Bearer ${token}` } : {}),
|
|
||||||
...options.headers,
|
|
||||||
},
|
|
||||||
});
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Zaregistruje service worker, přihlásí se k push notifikacím
|
|
||||||
* a odešle subscription na server.
|
|
||||||
*/
|
|
||||||
export async function subscribeToPush(reminderTime: string): Promise<boolean> {
|
|
||||||
if (!('serviceWorker' in navigator) || !('PushManager' in window)) {
|
|
||||||
console.warn('Push notifikace nejsou v tomto prohlížeči podporovány');
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
|
|
||||||
try {
|
|
||||||
// Registrace service workeru
|
|
||||||
const registration = await navigator.serviceWorker.register('/sw.js');
|
|
||||||
await navigator.serviceWorker.ready;
|
|
||||||
|
|
||||||
// Vyžádání oprávnění
|
|
||||||
const permission = await Notification.requestPermission();
|
|
||||||
if (permission !== 'granted') {
|
|
||||||
console.warn('Push notifikace: oprávnění zamítnuto');
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
|
|
||||||
// Získání VAPID veřejného klíče ze serveru
|
|
||||||
const vapidResponse = await pushApiFetch('/vapidKey');
|
|
||||||
if (!vapidResponse.ok) {
|
|
||||||
console.error('Push notifikace: nepodařilo se získat VAPID klíč');
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
const { key: vapidPublicKey } = await vapidResponse.json();
|
|
||||||
|
|
||||||
// Přihlášení k push
|
|
||||||
const subscription = await registration.pushManager.subscribe({
|
|
||||||
userVisibleOnly: true,
|
|
||||||
applicationServerKey: urlBase64ToUint8Array(vapidPublicKey) as BufferSource,
|
|
||||||
});
|
|
||||||
|
|
||||||
// Odeslání subscription na server
|
|
||||||
const response = await pushApiFetch('/subscribe', {
|
|
||||||
method: 'POST',
|
|
||||||
body: JSON.stringify({
|
|
||||||
subscription: subscription.toJSON(),
|
|
||||||
reminderTime,
|
|
||||||
}),
|
|
||||||
});
|
|
||||||
|
|
||||||
if (!response.ok) {
|
|
||||||
console.error('Push notifikace: nepodařilo se odeslat subscription na server');
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
|
|
||||||
console.log('Push notifikace: úspěšně přihlášeno k připomínkám v', reminderTime);
|
|
||||||
return true;
|
|
||||||
} catch (error) {
|
|
||||||
console.error('Push notifikace: chyba při registraci', error);
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Odhlásí se z push notifikací a informuje server.
|
|
||||||
*/
|
|
||||||
export async function unsubscribeFromPush(): Promise<void> {
|
|
||||||
if (!('serviceWorker' in navigator)) {
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
try {
|
|
||||||
const registration = await navigator.serviceWorker.getRegistration('/sw.js');
|
|
||||||
if (registration) {
|
|
||||||
const subscription = await registration.pushManager.getSubscription();
|
|
||||||
if (subscription) {
|
|
||||||
await subscription.unsubscribe();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
await pushApiFetch('/unsubscribe', { method: 'POST' });
|
|
||||||
console.log('Push notifikace: úspěšně odhlášeno z připomínek');
|
|
||||||
} catch (error) {
|
|
||||||
console.error('Push notifikace: chyba při odhlášení', error);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
@@ -89,67 +89,4 @@
|
|||||||
.recharts-cartesian-grid-vertical line {
|
.recharts-cartesian-grid-vertical line {
|
||||||
stroke: var(--luncher-border);
|
stroke: var(--luncher-border);
|
||||||
}
|
}
|
||||||
|
|
||||||
.voting-stats-section {
|
|
||||||
margin-top: 48px;
|
|
||||||
width: 100%;
|
|
||||||
max-width: 800px;
|
|
||||||
|
|
||||||
h2 {
|
|
||||||
font-size: 1.5rem;
|
|
||||||
font-weight: 700;
|
|
||||||
color: var(--luncher-text);
|
|
||||||
margin-bottom: 16px;
|
|
||||||
text-align: center;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
.voting-stats-table {
|
|
||||||
width: 100%;
|
|
||||||
background: var(--luncher-bg-card);
|
|
||||||
border-radius: var(--luncher-radius-lg);
|
|
||||||
box-shadow: var(--luncher-shadow);
|
|
||||||
border: 1px solid var(--luncher-border-light);
|
|
||||||
overflow: hidden;
|
|
||||||
border-collapse: collapse;
|
|
||||||
|
|
||||||
th {
|
|
||||||
background: var(--luncher-primary);
|
|
||||||
color: #ffffff;
|
|
||||||
padding: 12px 20px;
|
|
||||||
text-align: left;
|
|
||||||
font-weight: 600;
|
|
||||||
font-size: 0.9rem;
|
|
||||||
|
|
||||||
&:last-child {
|
|
||||||
text-align: center;
|
|
||||||
width: 120px;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
td {
|
|
||||||
padding: 12px 20px;
|
|
||||||
border-bottom: 1px solid var(--luncher-border-light);
|
|
||||||
color: var(--luncher-text);
|
|
||||||
font-size: 0.9rem;
|
|
||||||
|
|
||||||
&:last-child {
|
|
||||||
text-align: center;
|
|
||||||
font-weight: 600;
|
|
||||||
color: var(--luncher-primary);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
tbody tr {
|
|
||||||
transition: var(--luncher-transition);
|
|
||||||
|
|
||||||
&:hover {
|
|
||||||
background: var(--luncher-bg-hover);
|
|
||||||
}
|
|
||||||
|
|
||||||
&:last-child td {
|
|
||||||
border-bottom: none;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,10 +1,10 @@
|
|||||||
import { useCallback, useEffect, useMemo, useState } from "react";
|
import { useCallback, useEffect, useState } from "react";
|
||||||
import Footer from "../components/Footer";
|
import Footer from "../components/Footer";
|
||||||
import Header from "../components/Header";
|
import Header from "../components/Header";
|
||||||
import { useAuth } from "../context/auth";
|
import { useAuth } from "../context/auth";
|
||||||
import Login from "../Login";
|
import Login from "../Login";
|
||||||
import { formatDate, getFirstWorkDayOfWeek, getHumanDate, getLastWorkDayOfWeek } from "../Utils";
|
import { formatDate, getFirstWorkDayOfWeek, getHumanDate, getLastWorkDayOfWeek } from "../Utils";
|
||||||
import { WeeklyStats, LunchChoice, VotingStats, FeatureRequest, getStats, getVotingStats } from "../../../types";
|
import { WeeklyStats, LunchChoice, getStats } from "../../../types";
|
||||||
import Loader from "../components/Loader";
|
import Loader from "../components/Loader";
|
||||||
import { faChevronLeft, faChevronRight, faGear } from "@fortawesome/free-solid-svg-icons";
|
import { faChevronLeft, faChevronRight, faGear } from "@fortawesome/free-solid-svg-icons";
|
||||||
import { Legend, Line, LineChart, Tooltip, XAxis, YAxis } from "recharts";
|
import { Legend, Line, LineChart, Tooltip, XAxis, YAxis } from "recharts";
|
||||||
@@ -32,7 +32,6 @@ export default function StatsPage() {
|
|||||||
const auth = useAuth();
|
const auth = useAuth();
|
||||||
const [dateRange, setDateRange] = useState<Date[]>();
|
const [dateRange, setDateRange] = useState<Date[]>();
|
||||||
const [data, setData] = useState<WeeklyStats>();
|
const [data, setData] = useState<WeeklyStats>();
|
||||||
const [votingStats, setVotingStats] = useState<VotingStats>();
|
|
||||||
|
|
||||||
// Prvotní nastavení aktuálního týdne
|
// Prvotní nastavení aktuálního týdne
|
||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
@@ -49,19 +48,6 @@ export default function StatsPage() {
|
|||||||
}
|
}
|
||||||
}, [dateRange]);
|
}, [dateRange]);
|
||||||
|
|
||||||
// Načtení statistik hlasování
|
|
||||||
useEffect(() => {
|
|
||||||
getVotingStats().then(response => {
|
|
||||||
setVotingStats(response.data);
|
|
||||||
});
|
|
||||||
}, []);
|
|
||||||
|
|
||||||
const sortedVotingStats = useMemo(() => {
|
|
||||||
if (!votingStats) return [];
|
|
||||||
return Object.entries(votingStats)
|
|
||||||
.sort((a, b) => (b[1] as number) - (a[1] as number));
|
|
||||||
}, [votingStats]);
|
|
||||||
|
|
||||||
const renderLine = (location: LunchChoice) => {
|
const renderLine = (location: LunchChoice) => {
|
||||||
const index = Object.values(LunchChoice).indexOf(location);
|
const index = Object.values(LunchChoice).indexOf(location);
|
||||||
return <Line key={location} name={getLunchChoiceName(location)} type="monotone" dataKey={data => data.locations[location] ?? 0} stroke={COLORS[index]} strokeWidth={STROKE_WIDTH} />
|
return <Line key={location} name={getLunchChoiceName(location)} type="monotone" dataKey={data => data.locations[location] ?? 0} stroke={COLORS[index]} strokeWidth={STROKE_WIDTH} />
|
||||||
@@ -87,20 +73,13 @@ export default function StatsPage() {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
const isCurrentOrFutureWeek = useMemo(() => {
|
|
||||||
if (!dateRange) return true;
|
|
||||||
const currentWeekEnd = getLastWorkDayOfWeek(new Date());
|
|
||||||
currentWeekEnd.setHours(23, 59, 59, 999);
|
|
||||||
return dateRange[1] >= currentWeekEnd;
|
|
||||||
}, [dateRange]);
|
|
||||||
|
|
||||||
const handleKeyDown = useCallback((e: any) => {
|
const handleKeyDown = useCallback((e: any) => {
|
||||||
if (e.keyCode === 37) {
|
if (e.keyCode === 37) {
|
||||||
handlePreviousWeek();
|
handlePreviousWeek();
|
||||||
} else if (e.keyCode === 39 && !isCurrentOrFutureWeek) {
|
} else if (e.keyCode === 39) {
|
||||||
handleNextWeek()
|
handleNextWeek()
|
||||||
}
|
}
|
||||||
}, [dateRange, isCurrentOrFutureWeek]);
|
}, [dateRange]);
|
||||||
|
|
||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
document.addEventListener('keydown', handleKeyDown);
|
document.addEventListener('keydown', handleKeyDown);
|
||||||
@@ -132,7 +111,7 @@ export default function StatsPage() {
|
|||||||
</span>
|
</span>
|
||||||
<h2 className="date-range">{getHumanDate(dateRange[0])} - {getHumanDate(dateRange[1])}</h2>
|
<h2 className="date-range">{getHumanDate(dateRange[0])} - {getHumanDate(dateRange[1])}</h2>
|
||||||
<span title="Následující týden">
|
<span title="Následující týden">
|
||||||
<FontAwesomeIcon icon={faChevronRight} style={{ cursor: "pointer", visibility: isCurrentOrFutureWeek ? "hidden" : "visible" }} onClick={handleNextWeek} />
|
<FontAwesomeIcon icon={faChevronRight} style={{ cursor: "pointer" }} onClick={handleNextWeek} />
|
||||||
</span>
|
</span>
|
||||||
</div>
|
</div>
|
||||||
<LineChart width={CHART_WIDTH} height={CHART_HEIGHT} data={data}>
|
<LineChart width={CHART_WIDTH} height={CHART_HEIGHT} data={data}>
|
||||||
@@ -142,27 +121,6 @@ export default function StatsPage() {
|
|||||||
<Tooltip />
|
<Tooltip />
|
||||||
<Legend />
|
<Legend />
|
||||||
</LineChart>
|
</LineChart>
|
||||||
{sortedVotingStats.length > 0 && (
|
|
||||||
<div className="voting-stats-section">
|
|
||||||
<h2>Hlasování o funkcích</h2>
|
|
||||||
<table className="voting-stats-table">
|
|
||||||
<thead>
|
|
||||||
<tr>
|
|
||||||
<th>Funkce</th>
|
|
||||||
<th>Počet hlasů</th>
|
|
||||||
</tr>
|
|
||||||
</thead>
|
|
||||||
<tbody>
|
|
||||||
{sortedVotingStats.map(([feature, count]) => (
|
|
||||||
<tr key={feature}>
|
|
||||||
<td>{FeatureRequest[feature as keyof typeof FeatureRequest] ?? feature}</td>
|
|
||||||
<td>{count as number}</td>
|
|
||||||
</tr>
|
|
||||||
))}
|
|
||||||
</tbody>
|
|
||||||
</table>
|
|
||||||
</div>
|
|
||||||
)}
|
|
||||||
</div>
|
</div>
|
||||||
<Footer />
|
<Footer />
|
||||||
</>
|
</>
|
||||||
|
|||||||
@@ -38,13 +38,3 @@
|
|||||||
|
|
||||||
# Název důvěryhodné hlavičky obsahující login uživatele. Výchozí hodnota je 'remote-user'.
|
# Název důvěryhodné hlavičky obsahující login uživatele. Výchozí hodnota je 'remote-user'.
|
||||||
# HTTP_REMOTE_USER_HEADER_NAME=remote-user
|
# HTTP_REMOTE_USER_HEADER_NAME=remote-user
|
||||||
|
|
||||||
# VAPID klíče pro Web Push notifikace (připomínka výběru oběda).
|
|
||||||
# Vygenerovat pomocí: npx web-push generate-vapid-keys
|
|
||||||
# VAPID_PUBLIC_KEY=
|
|
||||||
# VAPID_PRIVATE_KEY=
|
|
||||||
# VAPID_SUBJECT=mailto:admin@example.com
|
|
||||||
|
|
||||||
# Heslo pro bypass rate limitu na endpointu /api/food/refresh (pro skripty/admin).
|
|
||||||
# Bez hesla může refresh volat každý přihlášený uživatel (podléhá rate limitu).
|
|
||||||
# REFRESH_BYPASS_PASSWORD=
|
|
||||||
@@ -1,4 +0,0 @@
|
|||||||
[
|
|
||||||
"Zimní atmosféra",
|
|
||||||
"Skrytí podniku U Motlíků"
|
|
||||||
]
|
|
||||||
@@ -1,3 +0,0 @@
|
|||||||
[
|
|
||||||
"Přidání restaurace Zastávka u Michala"
|
|
||||||
]
|
|
||||||
@@ -1,3 +0,0 @@
|
|||||||
[
|
|
||||||
"Přidání restaurace Pivovarský šenk Šeříková"
|
|
||||||
]
|
|
||||||
@@ -1,3 +0,0 @@
|
|||||||
[
|
|
||||||
"Možnost výběru podniku/jídla kliknutím"
|
|
||||||
]
|
|
||||||
@@ -1,3 +0,0 @@
|
|||||||
[
|
|
||||||
"Stránka se statistikami nejoblíbenějších voleb"
|
|
||||||
]
|
|
||||||
@@ -1,3 +0,0 @@
|
|||||||
[
|
|
||||||
"Zobrazení počtu osob u každé volby"
|
|
||||||
]
|
|
||||||
@@ -1,3 +0,0 @@
|
|||||||
[
|
|
||||||
"Migrace na generované OpenApi"
|
|
||||||
]
|
|
||||||
@@ -1,3 +0,0 @@
|
|||||||
[
|
|
||||||
"Odebrání zimní atmosféry"
|
|
||||||
]
|
|
||||||
@@ -1,3 +0,0 @@
|
|||||||
[
|
|
||||||
"Možnost ručního přenačtení menu"
|
|
||||||
]
|
|
||||||
@@ -1,3 +0,0 @@
|
|||||||
[
|
|
||||||
"Parsování a zobrazení alergenů"
|
|
||||||
]
|
|
||||||
@@ -1,4 +0,0 @@
|
|||||||
[
|
|
||||||
"Oddělení přenačtení menu do vlastního dialogu",
|
|
||||||
"Podzimní atmosféra"
|
|
||||||
]
|
|
||||||
@@ -1,3 +0,0 @@
|
|||||||
[
|
|
||||||
"Možnost převzetí poznámky ostatních uživatelů"
|
|
||||||
]
|
|
||||||
@@ -1,3 +0,0 @@
|
|||||||
[
|
|
||||||
"Zimní atmosféra"
|
|
||||||
]
|
|
||||||
@@ -1,3 +0,0 @@
|
|||||||
[
|
|
||||||
"Možnost označit se jako objednávající u volby \"Budu objednávat\""
|
|
||||||
]
|
|
||||||
@@ -1,3 +0,0 @@
|
|||||||
[
|
|
||||||
"Podpora dark mode"
|
|
||||||
]
|
|
||||||
@@ -1,7 +0,0 @@
|
|||||||
[
|
|
||||||
"Redesign aplikace pomocí Claude Code",
|
|
||||||
"Zobrazení uplynulého týdne i o víkendu",
|
|
||||||
"Podpora Discord, ntfy a Teams notifikací (v Nastavení)",
|
|
||||||
"Trvalé zobrazení QR kódů do ručního zavření",
|
|
||||||
"Zobrazení nejvíce požadovaných funkcí (na stránce Statistiky)"
|
|
||||||
]
|
|
||||||
@@ -1,3 +0,0 @@
|
|||||||
[
|
|
||||||
"Zobrazení sekce Pizza day pouze při volbě \"Pizza day\""
|
|
||||||
]
|
|
||||||
@@ -1,3 +0,0 @@
|
|||||||
[
|
|
||||||
"Možnost generování obecných QR kódů pro platby i mimo Pizza day (v uživatelském menu)"
|
|
||||||
]
|
|
||||||
@@ -1,3 +0,0 @@
|
|||||||
[
|
|
||||||
"Podpora push notifikací pro připomenutí výběru oběda (v nastavení)"
|
|
||||||
]
|
|
||||||
@@ -1,3 +0,0 @@
|
|||||||
[
|
|
||||||
"Oprava detekce zastaralého menu"
|
|
||||||
]
|
|
||||||
@@ -1,3 +0,0 @@
|
|||||||
[
|
|
||||||
"Automatické zobrazení dialogu s dosud nezobrazenými novinkami"
|
|
||||||
]
|
|
||||||
@@ -1,3 +0,0 @@
|
|||||||
[
|
|
||||||
"Automatický výběr výchozího času preferovaného odchodu"
|
|
||||||
]
|
|
||||||
@@ -19,7 +19,6 @@
|
|||||||
"@types/jsonwebtoken": "^9.0.10",
|
"@types/jsonwebtoken": "^9.0.10",
|
||||||
"@types/node": "^24.10.0",
|
"@types/node": "^24.10.0",
|
||||||
"@types/request-promise": "^4.1.48",
|
"@types/request-promise": "^4.1.48",
|
||||||
"@types/web-push": "^3.6.4",
|
|
||||||
"babel-jest": "^30.2.0",
|
"babel-jest": "^30.2.0",
|
||||||
"jest": "^30.2.0",
|
"jest": "^30.2.0",
|
||||||
"nodemon": "^3.1.10",
|
"nodemon": "^3.1.10",
|
||||||
@@ -35,7 +34,6 @@
|
|||||||
"jsonwebtoken": "^9.0.0",
|
"jsonwebtoken": "^9.0.0",
|
||||||
"redis": "^5.9.0",
|
"redis": "^5.9.0",
|
||||||
"simple-json-db": "^2.0.0",
|
"simple-json-db": "^2.0.0",
|
||||||
"socket.io": "^4.6.1",
|
"socket.io": "^4.6.1"
|
||||||
"web-push": "^3.6.7"
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,24 +1,18 @@
|
|||||||
import express from "express";
|
import express from "express";
|
||||||
import bodyParser from "body-parser";
|
import bodyParser from "body-parser";
|
||||||
import cors from 'cors';
|
import cors from 'cors';
|
||||||
import { getData, getDateForWeekIndex, getToday } from "./service";
|
import { getData, getDateForWeekIndex } from "./service";
|
||||||
import dotenv from 'dotenv';
|
import dotenv from 'dotenv';
|
||||||
import path from 'path';
|
import path from 'path';
|
||||||
import { getQr } from "./qr";
|
import { getQr } from "./qr";
|
||||||
import { generateToken, getLogin, verify } from "./auth";
|
import { generateToken, verify } from "./auth";
|
||||||
import { getIsWeekend, InsufficientPermissions, PizzaDayConflictError, parseToken } from "./utils";
|
import { InsufficientPermissions } from "./utils";
|
||||||
import { getPendingQrs } from "./pizza";
|
|
||||||
import { initWebsocket } from "./websocket";
|
import { initWebsocket } from "./websocket";
|
||||||
import { startReminderScheduler } from "./pushReminder";
|
|
||||||
import pizzaDayRoutes from "./routes/pizzaDayRoutes";
|
import pizzaDayRoutes from "./routes/pizzaDayRoutes";
|
||||||
import foodRoutes, { refreshMetoda } from "./routes/foodRoutes";
|
import foodRoutes, { refreshMetoda } from "./routes/foodRoutes";
|
||||||
import votingRoutes from "./routes/votingRoutes";
|
import votingRoutes from "./routes/votingRoutes";
|
||||||
import easterEggRoutes from "./routes/easterEggRoutes";
|
import easterEggRoutes from "./routes/easterEggRoutes";
|
||||||
import statsRoutes from "./routes/statsRoutes";
|
import statsRoutes from "./routes/statsRoutes";
|
||||||
import notificationRoutes from "./routes/notificationRoutes";
|
|
||||||
import qrRoutes from "./routes/qrRoutes";
|
|
||||||
import devRoutes from "./routes/devRoutes";
|
|
||||||
import changelogRoutes from "./routes/changelogRoutes";
|
|
||||||
|
|
||||||
const ENVIRONMENT = process.env.NODE_ENV ?? 'production';
|
const ENVIRONMENT = process.env.NODE_ENV ?? 'production';
|
||||||
dotenv.config({ path: path.resolve(__dirname, `../.env.${ENVIRONMENT}`) });
|
dotenv.config({ path: path.resolve(__dirname, `../.env.${ENVIRONMENT}`) });
|
||||||
@@ -139,22 +133,8 @@ app.get("/api/data", async (req, res) => {
|
|||||||
if (!isNaN(index)) {
|
if (!isNaN(index)) {
|
||||||
date = getDateForWeekIndex(parseInt(req.query.dayIndex));
|
date = getDateForWeekIndex(parseInt(req.query.dayIndex));
|
||||||
}
|
}
|
||||||
} else if (getIsWeekend(getToday())) {
|
|
||||||
// Na víkendu zobrazíme pátek místo hlášky "Užívejte víkend"
|
|
||||||
date = getDateForWeekIndex(4);
|
|
||||||
}
|
}
|
||||||
const data = await getData(date);
|
res.status(200).json(await getData(date));
|
||||||
// Připojíme nevyřízené QR kódy pro přihlášeného uživatele
|
|
||||||
try {
|
|
||||||
const login = getLogin(parseToken(req));
|
|
||||||
const pendingQrs = await getPendingQrs(login);
|
|
||||||
if (pendingQrs.length > 0) {
|
|
||||||
data.pendingQrs = pendingQrs;
|
|
||||||
}
|
|
||||||
} catch {
|
|
||||||
// Token nemusí být validní, ignorujeme
|
|
||||||
}
|
|
||||||
res.status(200).json(data);
|
|
||||||
});
|
});
|
||||||
|
|
||||||
// Ostatní routes
|
// Ostatní routes
|
||||||
@@ -163,10 +143,6 @@ app.use("/api/food", foodRoutes);
|
|||||||
app.use("/api/voting", votingRoutes);
|
app.use("/api/voting", votingRoutes);
|
||||||
app.use("/api/easterEggs", easterEggRoutes);
|
app.use("/api/easterEggs", easterEggRoutes);
|
||||||
app.use("/api/stats", statsRoutes);
|
app.use("/api/stats", statsRoutes);
|
||||||
app.use("/api/notifications", notificationRoutes);
|
|
||||||
app.use("/api/qr", qrRoutes);
|
|
||||||
app.use("/api/dev", devRoutes);
|
|
||||||
app.use("/api/changelogs", changelogRoutes);
|
|
||||||
|
|
||||||
app.use('/stats', express.static('public'));
|
app.use('/stats', express.static('public'));
|
||||||
app.use(express.static('public'));
|
app.use(express.static('public'));
|
||||||
@@ -175,8 +151,6 @@ app.use(express.static('public'));
|
|||||||
app.use((err: any, req: any, res: any, next: any) => {
|
app.use((err: any, req: any, res: any, next: any) => {
|
||||||
if (err instanceof InsufficientPermissions) {
|
if (err instanceof InsufficientPermissions) {
|
||||||
res.status(403).send({ error: err.message })
|
res.status(403).send({ error: err.message })
|
||||||
} else if (err instanceof PizzaDayConflictError) {
|
|
||||||
res.status(409).send({ error: err.message })
|
|
||||||
} else {
|
} else {
|
||||||
res.status(500).send({ error: err.message })
|
res.status(500).send({ error: err.message })
|
||||||
}
|
}
|
||||||
@@ -188,7 +162,6 @@ const HOST = process.env.HOST ?? '0.0.0.0';
|
|||||||
|
|
||||||
server.listen(PORT, () => {
|
server.listen(PORT, () => {
|
||||||
console.log(`Server listening on ${HOST}, port ${PORT}`);
|
console.log(`Server listening on ${HOST}, port ${PORT}`);
|
||||||
startReminderScheduler();
|
|
||||||
});
|
});
|
||||||
|
|
||||||
// Umožníme vypnutí serveru přes SIGINT, jinak Docker čeká než ho sestřelí
|
// Umožníme vypnutí serveru přes SIGINT, jinak Docker čeká než ho sestřelí
|
||||||
|
|||||||
@@ -3,56 +3,11 @@ import dotenv from 'dotenv';
|
|||||||
import path from 'path';
|
import path from 'path';
|
||||||
import { getClientData, getToday } from "./service";
|
import { getClientData, getToday } from "./service";
|
||||||
import { getUsersByLocation, getHumanTime } from "./utils";
|
import { getUsersByLocation, getHumanTime } from "./utils";
|
||||||
import { NotifikaceData, NotifikaceInput, NotificationSettings } from '../../types';
|
import { NotifikaceData, NotifikaceInput } from '../../types';
|
||||||
import getStorage from "./storage";
|
|
||||||
|
|
||||||
const ENVIRONMENT = process.env.NODE_ENV ?? 'production';
|
const ENVIRONMENT = process.env.NODE_ENV ?? 'production';
|
||||||
dotenv.config({ path: path.resolve(__dirname, `../.env.${ENVIRONMENT}`) });
|
dotenv.config({ path: path.resolve(__dirname, `../.env.${ENVIRONMENT}`) });
|
||||||
|
|
||||||
const storage = getStorage();
|
|
||||||
const NOTIFICATION_SETTINGS_PREFIX = 'notif';
|
|
||||||
|
|
||||||
/** Vrátí klíč pro uložení notifikačních nastavení uživatele. */
|
|
||||||
function getNotificationSettingsKey(login: string): string {
|
|
||||||
return `${NOTIFICATION_SETTINGS_PREFIX}_${login}`;
|
|
||||||
}
|
|
||||||
|
|
||||||
/** Vrátí nastavení notifikací pro daného uživatele. */
|
|
||||||
export async function getNotificationSettings(login: string): Promise<NotificationSettings> {
|
|
||||||
return await storage.getData<NotificationSettings>(getNotificationSettingsKey(login)) ?? {};
|
|
||||||
}
|
|
||||||
|
|
||||||
/** Uloží nastavení notifikací pro daného uživatele. */
|
|
||||||
export async function saveNotificationSettings(login: string, settings: NotificationSettings): Promise<NotificationSettings> {
|
|
||||||
await storage.setData(getNotificationSettingsKey(login), settings);
|
|
||||||
return settings;
|
|
||||||
}
|
|
||||||
|
|
||||||
/** Odešle ntfy notifikaci na dané téma. */
|
|
||||||
async function ntfyCallToTopic(topic: string, message: string) {
|
|
||||||
const url = process.env.NTFY_HOST;
|
|
||||||
const username = process.env.NTFY_USERNAME;
|
|
||||||
const password = process.env.NTFY_PASSWD;
|
|
||||||
if (!url || !username || !password) {
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
const token = Buffer.from(`${username}:${password}`, 'utf8').toString('base64');
|
|
||||||
try {
|
|
||||||
const response = await axios({
|
|
||||||
url: `${url}/${topic}`,
|
|
||||||
method: 'POST',
|
|
||||||
data: message,
|
|
||||||
headers: {
|
|
||||||
'Authorization': `Basic ${token}`,
|
|
||||||
'Tag': 'meat_on_bone'
|
|
||||||
}
|
|
||||||
});
|
|
||||||
console.log(response.data);
|
|
||||||
} catch (error) {
|
|
||||||
console.error(`Chyba při odesílání ntfy notifikace na topic ${topic}:`, error);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
export const ntfyCall = async (data: NotifikaceInput) => {
|
export const ntfyCall = async (data: NotifikaceInput) => {
|
||||||
const url = process.env.NTFY_HOST
|
const url = process.env.NTFY_HOST
|
||||||
const username = process.env.NTFY_USERNAME;
|
const username = process.env.NTFY_USERNAME;
|
||||||
@@ -132,58 +87,10 @@ export const teamsCall = async (data: NotifikaceInput) => {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
/** Odešle Teams notifikaci na daný webhook URL. */
|
|
||||||
async function teamsCallToUrl(webhookUrl: string, data: NotifikaceInput) {
|
|
||||||
const title = data.udalost;
|
|
||||||
let time = new Date();
|
|
||||||
time.setTime(time.getTime() + 1000 * 60);
|
|
||||||
const message = 'Odcházíme v ' + getHumanTime(time) + ', ' + data.user;
|
|
||||||
const card = {
|
|
||||||
'@type': 'MessageCard',
|
|
||||||
'@context': 'http://schema.org/extensions',
|
|
||||||
'themeColor': "0072C6",
|
|
||||||
summary: 'Summary description',
|
|
||||||
sections: [
|
|
||||||
{
|
|
||||||
activityTitle: title,
|
|
||||||
text: message,
|
|
||||||
},
|
|
||||||
],
|
|
||||||
};
|
|
||||||
try {
|
|
||||||
await axios.post(webhookUrl, card, {
|
|
||||||
headers: {
|
|
||||||
'content-type': 'application/vnd.microsoft.teams.card.o365connector'
|
|
||||||
},
|
|
||||||
});
|
|
||||||
} catch (error) {
|
|
||||||
console.error(`Chyba při odesílání Teams notifikace:`, error);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/** Odešle Discord notifikaci na daný webhook URL. */
|
|
||||||
async function discordCall(webhookUrl: string, data: NotifikaceInput) {
|
|
||||||
let time = new Date();
|
|
||||||
time.setTime(time.getTime() + 1000 * 60);
|
|
||||||
const message = `🍖 **${data.udalost}** — ${data.user} (odchod v ${getHumanTime(time)})`;
|
|
||||||
try {
|
|
||||||
await axios.post(webhookUrl, {
|
|
||||||
content: message,
|
|
||||||
}, {
|
|
||||||
headers: {
|
|
||||||
'Content-Type': 'application/json',
|
|
||||||
},
|
|
||||||
});
|
|
||||||
} catch (error) {
|
|
||||||
console.error(`Chyba při odesílání Discord notifikace:`, error);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/** Zavolá notifikace na všechny konfigurované způsoby notifikace, přetížení proměných na false pro jednotlivé způsoby je vypne*/
|
/** Zavolá notifikace na všechny konfigurované způsoby notifikace, přetížení proměných na false pro jednotlivé způsoby je vypne*/
|
||||||
export const callNotifikace = async ({ input, teams = true, gotify = false, ntfy = true }: NotifikaceData) => {
|
export const callNotifikace = async ({ input, teams = true, gotify = false, ntfy = true }: NotifikaceData) => {
|
||||||
const notifications: Promise<any>[] = [];
|
const notifications = [];
|
||||||
|
|
||||||
// Globální notifikace (zpětně kompatibilní)
|
|
||||||
if (ntfy) {
|
if (ntfy) {
|
||||||
const ntfyPromises = await ntfyCall(input);
|
const ntfyPromises = await ntfyCall(input);
|
||||||
if (ntfyPromises) {
|
if (ntfyPromises) {
|
||||||
@@ -193,33 +100,20 @@ export const callNotifikace = async ({ input, teams = true, gotify = false, ntfy
|
|||||||
if (teams) {
|
if (teams) {
|
||||||
const teamsPromises = await teamsCall(input);
|
const teamsPromises = await teamsCall(input);
|
||||||
if (teamsPromises) {
|
if (teamsPromises) {
|
||||||
notifications.push(Promise.resolve(teamsPromises));
|
notifications.push(teamsPromises);
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
// Per-user notifikace: najdeme uživatele se stejnou lokací a odešleme dle jejich nastavení
|
|
||||||
const clientData = await getClientData(getToday());
|
|
||||||
const usersToNotify = getUsersByLocation(clientData.choices, input.user);
|
|
||||||
for (const user of usersToNotify) {
|
|
||||||
if (user === input.user) continue; // Neposíláme notifikaci spouštějícímu uživateli
|
|
||||||
const userSettings = await getNotificationSettings(user);
|
|
||||||
if (!userSettings.enabledEvents?.includes(input.udalost)) continue;
|
|
||||||
|
|
||||||
if (userSettings.ntfyTopic) {
|
|
||||||
notifications.push(ntfyCallToTopic(userSettings.ntfyTopic, `${input.udalost} - spustil: ${input.user}`));
|
|
||||||
}
|
|
||||||
if (userSettings.discordWebhookUrl) {
|
|
||||||
notifications.push(discordCall(userSettings.discordWebhookUrl, input));
|
|
||||||
}
|
|
||||||
if (userSettings.teamsWebhookUrl) {
|
|
||||||
notifications.push(teamsCallToUrl(userSettings.teamsWebhookUrl, input));
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
// gotify bych řekl, že už je deprecated
|
||||||
|
// if (gotify) {
|
||||||
|
// const gotifyPromises = await gotifyCall(input, gotifyData);
|
||||||
|
// notifications.push(...gotifyPromises);
|
||||||
|
// }
|
||||||
|
|
||||||
try {
|
try {
|
||||||
const results = await Promise.all(notifications);
|
const results = await Promise.all(notifications);
|
||||||
return results;
|
return results;
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
console.error("Error in callNotifikace: ", error);
|
console.error("Error in callNotifikace: ", error);
|
||||||
|
// Handle the error as needed
|
||||||
}
|
}
|
||||||
};
|
};
|
||||||
@@ -4,10 +4,9 @@ import { generateQr } from "./qr";
|
|||||||
import getStorage from "./storage";
|
import getStorage from "./storage";
|
||||||
import { downloadPizzy } from "./chefie";
|
import { downloadPizzy } from "./chefie";
|
||||||
import { getClientData, getToday, initIfNeeded } from "./service";
|
import { getClientData, getToday, initIfNeeded } from "./service";
|
||||||
import { Pizza, ClientData, PizzaDayState, PizzaSize, PizzaOrder, PizzaVariant, UdalostEnum, PendingQr } from "../../types/gen/types.gen";
|
import { Pizza, ClientData, PizzaDayState, PizzaSize, PizzaOrder, PizzaVariant, UdalostEnum } from "../../types/gen/types.gen";
|
||||||
|
|
||||||
const storage = getStorage();
|
const storage = getStorage();
|
||||||
const PENDING_QR_PREFIX = 'pending_qr';
|
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Vrátí seznam dostupných pizz pro dnešní den.
|
* Vrátí seznam dostupných pizz pro dnešní den.
|
||||||
@@ -113,36 +112,6 @@ export async function addPizzaOrder(login: string, pizza: Pizza, size: PizzaSize
|
|||||||
return clientData;
|
return clientData;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
|
||||||
* Odstraní všechny pizzy uživatele (celou jeho objednávku).
|
|
||||||
* Pokud Pizza day neexistuje nebo není ve stavu CREATED, neudělá nic.
|
|
||||||
*
|
|
||||||
* @param login login uživatele
|
|
||||||
* @param date datum, pro které se objednávka odstraňuje (výchozí je dnešek)
|
|
||||||
* @returns aktuální data pro klienta
|
|
||||||
*/
|
|
||||||
export async function removeAllUserPizzas(login: string, date?: Date) {
|
|
||||||
const usedDate = date ?? getToday();
|
|
||||||
const today = formatDate(usedDate);
|
|
||||||
const clientData = await getClientData(usedDate);
|
|
||||||
|
|
||||||
if (!clientData.pizzaDay) {
|
|
||||||
return clientData; // Pizza day neexistuje, není co mazat
|
|
||||||
}
|
|
||||||
|
|
||||||
if (clientData.pizzaDay.state !== PizzaDayState.CREATED) {
|
|
||||||
return clientData; // Pizza day není ve stavu CREATED, nelze mazat
|
|
||||||
}
|
|
||||||
|
|
||||||
const orderIndex = clientData.pizzaDay.orders!.findIndex(o => o.customer === login);
|
|
||||||
if (orderIndex >= 0) {
|
|
||||||
clientData.pizzaDay.orders!.splice(orderIndex, 1);
|
|
||||||
await storage.setData(today, clientData);
|
|
||||||
}
|
|
||||||
|
|
||||||
return clientData;
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Odstraní danou objednávku pizzy.
|
* Odstraní danou objednávku pizzy.
|
||||||
*
|
*
|
||||||
@@ -272,13 +241,6 @@ export async function finishPizzaDelivery(login: string, bankAccount?: string, b
|
|||||||
let message = order.pizzaList!.map(pizza => `Pizza ${pizza.name} (${pizza.size})`).join(', ');
|
let message = order.pizzaList!.map(pizza => `Pizza ${pizza.name} (${pizza.size})`).join(', ');
|
||||||
await generateQr(order.customer, bankAccount, bankAccountHolder, order.totalPrice, message);
|
await generateQr(order.customer, bankAccount, bankAccountHolder, order.totalPrice, message);
|
||||||
order.hasQr = true;
|
order.hasQr = true;
|
||||||
// Uložíme nevyřízený QR kód pro persistentní zobrazení
|
|
||||||
await addPendingQr(order.customer, {
|
|
||||||
date: today,
|
|
||||||
creator: login,
|
|
||||||
totalPrice: order.totalPrice,
|
|
||||||
purpose: message,
|
|
||||||
});
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@@ -346,40 +308,3 @@ export async function updatePizzaFee(login: string, targetLogin: string, text?:
|
|||||||
await storage.setData(today, clientData);
|
await storage.setData(today, clientData);
|
||||||
return clientData;
|
return clientData;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
|
||||||
* Vrátí klíč pro uložení nevyřízených QR kódů uživatele.
|
|
||||||
*/
|
|
||||||
function getPendingQrKey(login: string): string {
|
|
||||||
return `${PENDING_QR_PREFIX}_${login}`;
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Přidá nevyřízený QR kód pro uživatele.
|
|
||||||
*/
|
|
||||||
export async function addPendingQr(login: string, pendingQr: PendingQr): Promise<void> {
|
|
||||||
const key = getPendingQrKey(login);
|
|
||||||
const existing = await storage.getData<PendingQr[]>(key) ?? [];
|
|
||||||
// Nepřidáváme duplicity pro stejný den
|
|
||||||
if (!existing.some(qr => qr.date === pendingQr.date)) {
|
|
||||||
existing.push(pendingQr);
|
|
||||||
await storage.setData(key, existing);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Vrátí nevyřízené QR kódy pro uživatele.
|
|
||||||
*/
|
|
||||||
export async function getPendingQrs(login: string): Promise<PendingQr[]> {
|
|
||||||
return await storage.getData<PendingQr[]>(getPendingQrKey(login)) ?? [];
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Označí QR kód pro daný den jako uhrazený (odstraní ho ze seznamu nevyřízených).
|
|
||||||
*/
|
|
||||||
export async function dismissPendingQr(login: string, date: string): Promise<void> {
|
|
||||||
const key = getPendingQrKey(login);
|
|
||||||
const existing = await storage.getData<PendingQr[]>(key) ?? [];
|
|
||||||
const filtered = existing.filter(qr => qr.date !== date);
|
|
||||||
await storage.setData(key, filtered);
|
|
||||||
}
|
|
||||||
@@ -1,163 +0,0 @@
|
|||||||
import webpush from 'web-push';
|
|
||||||
import getStorage from './storage';
|
|
||||||
import { getClientData, getToday } from './service';
|
|
||||||
import { getIsWeekend } from './utils';
|
|
||||||
import { LunchChoices } from '../../types';
|
|
||||||
|
|
||||||
const storage = getStorage();
|
|
||||||
const REGISTRY_KEY = 'push_reminder_registry';
|
|
||||||
|
|
||||||
interface RegistryEntry {
|
|
||||||
time: string;
|
|
||||||
subscription: webpush.PushSubscription;
|
|
||||||
}
|
|
||||||
|
|
||||||
type Registry = Record<string, RegistryEntry>;
|
|
||||||
|
|
||||||
/** Mapa login → datum (YYYY-MM-DD), kdy byl uživatel naposledy upozorněn. */
|
|
||||||
const remindedToday = new Map<string, string>();
|
|
||||||
|
|
||||||
function getTodayDateString(): string {
|
|
||||||
const now = new Date();
|
|
||||||
return `${now.getFullYear()}-${String(now.getMonth() + 1).padStart(2, '0')}-${String(now.getDate()).padStart(2, '0')}`;
|
|
||||||
}
|
|
||||||
|
|
||||||
function getCurrentTimeHHMM(): string {
|
|
||||||
const now = new Date();
|
|
||||||
return `${String(now.getHours()).padStart(2, '0')}:${String(now.getMinutes()).padStart(2, '0')}`;
|
|
||||||
}
|
|
||||||
|
|
||||||
/** Zjistí, zda má uživatel zvolenou nějakou možnost stravování. */
|
|
||||||
function userHasChoice(choices: LunchChoices, login: string): boolean {
|
|
||||||
for (const locationKey of Object.keys(choices)) {
|
|
||||||
const locationChoices = choices[locationKey as keyof LunchChoices];
|
|
||||||
if (locationChoices && login in locationChoices) {
|
|
||||||
return true;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
|
|
||||||
async function getRegistry(): Promise<Registry> {
|
|
||||||
return await storage.getData<Registry>(REGISTRY_KEY) ?? {};
|
|
||||||
}
|
|
||||||
|
|
||||||
async function saveRegistry(registry: Registry): Promise<void> {
|
|
||||||
await storage.setData(REGISTRY_KEY, registry);
|
|
||||||
}
|
|
||||||
|
|
||||||
/** Přidá nebo aktualizuje push subscription pro uživatele. */
|
|
||||||
export async function subscribePush(login: string, subscription: webpush.PushSubscription, reminderTime: string): Promise<void> {
|
|
||||||
const registry = await getRegistry();
|
|
||||||
registry[login] = { time: reminderTime, subscription };
|
|
||||||
await saveRegistry(registry);
|
|
||||||
console.log(`Push reminder: uživatel ${login} přihlášen k připomínkám v ${reminderTime}`);
|
|
||||||
}
|
|
||||||
|
|
||||||
/** Odebere push subscription pro uživatele. */
|
|
||||||
export async function unsubscribePush(login: string): Promise<void> {
|
|
||||||
const registry = await getRegistry();
|
|
||||||
delete registry[login];
|
|
||||||
await saveRegistry(registry);
|
|
||||||
remindedToday.delete(login);
|
|
||||||
console.log(`Push reminder: uživatel ${login} odhlášen z připomínek`);
|
|
||||||
}
|
|
||||||
|
|
||||||
/** Vrátí veřejný VAPID klíč. */
|
|
||||||
export function getVapidPublicKey(): string | undefined {
|
|
||||||
return process.env.VAPID_PUBLIC_KEY;
|
|
||||||
}
|
|
||||||
|
|
||||||
/** Najde login uživatele podle push subscription endpointu. */
|
|
||||||
export async function findLoginByEndpoint(endpoint: string): Promise<string | undefined> {
|
|
||||||
const registry = await getRegistry();
|
|
||||||
for (const [login, entry] of Object.entries(registry)) {
|
|
||||||
if (entry.subscription.endpoint === endpoint) {
|
|
||||||
return login;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
return undefined;
|
|
||||||
}
|
|
||||||
|
|
||||||
/** Zkontroluje a odešle připomínky uživatelům, kteří si nezvolili oběd. */
|
|
||||||
async function checkAndSendReminders(): Promise<void> {
|
|
||||||
// Přeskočit víkendy
|
|
||||||
if (getIsWeekend(getToday())) {
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
const registry = await getRegistry();
|
|
||||||
const entries = Object.entries(registry);
|
|
||||||
if (entries.length === 0) {
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
const currentTime = getCurrentTimeHHMM();
|
|
||||||
const todayStr = getTodayDateString();
|
|
||||||
|
|
||||||
// Získáme data pro dnešek jednou pro všechny uživatele
|
|
||||||
let clientData;
|
|
||||||
try {
|
|
||||||
clientData = await getClientData(getToday());
|
|
||||||
} catch (e) {
|
|
||||||
console.error('Push reminder: chyba při získávání dat', e);
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
for (const [login, entry] of entries) {
|
|
||||||
// Ještě nedosáhl čas připomínky
|
|
||||||
if (currentTime < entry.time) {
|
|
||||||
continue;
|
|
||||||
}
|
|
||||||
|
|
||||||
// Už jsme dnes připomenuli
|
|
||||||
if (remindedToday.get(login) === todayStr) {
|
|
||||||
continue;
|
|
||||||
}
|
|
||||||
|
|
||||||
// Uživatel už má zvolenou možnost
|
|
||||||
if (clientData.choices && userHasChoice(clientData.choices, login)) {
|
|
||||||
continue;
|
|
||||||
}
|
|
||||||
|
|
||||||
// Odešleme push notifikaci
|
|
||||||
try {
|
|
||||||
await webpush.sendNotification(
|
|
||||||
entry.subscription,
|
|
||||||
JSON.stringify({
|
|
||||||
title: 'Luncher',
|
|
||||||
body: 'Ještě nemáte zvolený oběd!',
|
|
||||||
})
|
|
||||||
);
|
|
||||||
remindedToday.set(login, todayStr);
|
|
||||||
console.log(`Push reminder: odeslána připomínka uživateli ${login}`);
|
|
||||||
} catch (error: any) {
|
|
||||||
if (error.statusCode === 410 || error.statusCode === 404) {
|
|
||||||
// Subscription expirovala nebo je neplatná — odebereme z registry
|
|
||||||
console.log(`Push reminder: subscription uživatele ${login} expirovala, odebírám`);
|
|
||||||
delete registry[login];
|
|
||||||
await saveRegistry(registry);
|
|
||||||
} else {
|
|
||||||
console.error(`Push reminder: chyba při odesílání notifikace uživateli ${login}:`, error);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/** Spustí scheduler pro kontrolu a odesílání připomínek každou minutu. */
|
|
||||||
export function startReminderScheduler(): void {
|
|
||||||
const publicKey = process.env.VAPID_PUBLIC_KEY;
|
|
||||||
const privateKey = process.env.VAPID_PRIVATE_KEY;
|
|
||||||
const subject = process.env.VAPID_SUBJECT;
|
|
||||||
|
|
||||||
if (!publicKey || !privateKey || !subject) {
|
|
||||||
console.log('Push reminder: VAPID klíče nejsou nastaveny, scheduler nebude spuštěn');
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
webpush.setVapidDetails(subject, publicKey, privateKey);
|
|
||||||
|
|
||||||
// Spustíme kontrolu každou minutu
|
|
||||||
setInterval(checkAndSendReminders, 60_000);
|
|
||||||
console.log('Push reminder: scheduler spuštěn');
|
|
||||||
}
|
|
||||||
@@ -4,10 +4,6 @@ import { getMenuSladovnickaMock, getMenuTechTowerMock, getMenuUMotlikuMock, getM
|
|||||||
import { formatDate } from "./utils";
|
import { formatDate } from "./utils";
|
||||||
import { Food } from "../../types/gen/types.gen";
|
import { Food } from "../../types/gen/types.gen";
|
||||||
|
|
||||||
export class StaleWeekError extends Error {
|
|
||||||
constructor(public food: Food[][]) { super('Data jsou z jiného týdne'); }
|
|
||||||
}
|
|
||||||
|
|
||||||
// Fráze v názvech jídel, které naznačují že se jedná o polévku
|
// Fráze v názvech jídel, které naznačují že se jedná o polévku
|
||||||
const SOUP_NAMES = [
|
const SOUP_NAMES = [
|
||||||
'polévka',
|
'polévka',
|
||||||
@@ -303,6 +299,7 @@ export const getMenuTechTower = async (firstDayOfWeek: Date, mock: boolean = fal
|
|||||||
}
|
}
|
||||||
|
|
||||||
const result: Food[][] = [];
|
const result: Food[][] = [];
|
||||||
|
// TODO validovat, že v textu nalezeného <font> je rozsah, do kterého spadá vstupní datum
|
||||||
const siblings = secondTry ? $(font).parent().parent().parent().siblings('p') : $(font).parent().parent().siblings();
|
const siblings = secondTry ? $(font).parent().parent().parent().siblings('p') : $(font).parent().parent().siblings();
|
||||||
let parsing = false;
|
let parsing = false;
|
||||||
let currentDayIndex = 0;
|
let currentDayIndex = 0;
|
||||||
@@ -348,18 +345,6 @@ export const getMenuTechTower = async (firstDayOfWeek: Date, mock: boolean = fal
|
|||||||
})
|
})
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
// Validace, zda text hlavičky obsahuje datum odpovídající požadovanému týdnu
|
|
||||||
const headerText = $(font).text().trim();
|
|
||||||
const dateMatch = headerText.match(/(\d{1,2})\.(\d{1,2})\./);
|
|
||||||
if (dateMatch) {
|
|
||||||
const foundDay = parseInt(dateMatch[1]);
|
|
||||||
const foundMonth = parseInt(dateMatch[2]) - 1; // JS months are 0-based
|
|
||||||
if (foundDay !== firstDayOfWeek.getDate() || foundMonth !== firstDayOfWeek.getMonth()) {
|
|
||||||
throw new StaleWeekError(result);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
return result;
|
return result;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|||||||
@@ -1,50 +0,0 @@
|
|||||||
import express, { Request, Response } from "express";
|
|
||||||
import fs from "fs";
|
|
||||||
import path from "path";
|
|
||||||
|
|
||||||
const router = express.Router();
|
|
||||||
|
|
||||||
const CHANGELOGS_DIR = path.resolve(__dirname, "../../changelogs");
|
|
||||||
|
|
||||||
// In-memory cache: datum → seznam změn
|
|
||||||
const cache: Record<string, string[]> = {};
|
|
||||||
|
|
||||||
function loadAllChangelogs(): Record<string, string[]> {
|
|
||||||
let files: string[];
|
|
||||||
try {
|
|
||||||
files = fs.readdirSync(CHANGELOGS_DIR).filter(f => f.endsWith(".json"));
|
|
||||||
} catch {
|
|
||||||
return {};
|
|
||||||
}
|
|
||||||
|
|
||||||
for (const file of files) {
|
|
||||||
const date = file.replace(".json", "");
|
|
||||||
if (!cache[date]) {
|
|
||||||
const content = fs.readFileSync(path.join(CHANGELOGS_DIR, file), "utf-8");
|
|
||||||
cache[date] = JSON.parse(content);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
return cache;
|
|
||||||
}
|
|
||||||
|
|
||||||
router.get("/", (req: Request, res: Response) => {
|
|
||||||
const all = loadAllChangelogs();
|
|
||||||
const since = typeof req.query.since === "string" ? req.query.since : undefined;
|
|
||||||
|
|
||||||
// Seřazení od nejnovějšího po nejstarší
|
|
||||||
const sortedDates = Object.keys(all).sort((a, b) => b.localeCompare(a));
|
|
||||||
|
|
||||||
const filteredDates = since
|
|
||||||
? sortedDates.filter(date => date > since)
|
|
||||||
: sortedDates;
|
|
||||||
|
|
||||||
const result: Record<string, string[]> = {};
|
|
||||||
for (const date of filteredDates) {
|
|
||||||
result[date] = all[date];
|
|
||||||
}
|
|
||||||
|
|
||||||
res.status(200).json(result);
|
|
||||||
});
|
|
||||||
|
|
||||||
export default router;
|
|
||||||
@@ -1,197 +0,0 @@
|
|||||||
import express, { Request } from "express";
|
|
||||||
import { getDateForWeekIndex, getData, getRestaurantMenu, getToday, initIfNeeded } from "../service";
|
|
||||||
import { formatDate, getDayOfWeekIndex } from "../utils";
|
|
||||||
import getStorage from "../storage";
|
|
||||||
import { getWebsocket } from "../websocket";
|
|
||||||
import { getLogin } from "../auth";
|
|
||||||
import { parseToken } from "../utils";
|
|
||||||
import webpush from 'web-push';
|
|
||||||
|
|
||||||
const router = express.Router();
|
|
||||||
const storage = getStorage();
|
|
||||||
const ENVIRONMENT = process.env.NODE_ENV ?? 'production';
|
|
||||||
|
|
||||||
// Seznam náhodných jmen pro generování mock dat
|
|
||||||
const MOCK_NAMES = [
|
|
||||||
'Alice', 'Bob', 'Charlie', 'David', 'Eva', 'Filip', 'Gita', 'Honza',
|
|
||||||
'Ivana', 'Jakub', 'Kamila', 'Lukáš', 'Markéta', 'Nikola', 'Ondřej',
|
|
||||||
'Petra', 'Quido', 'Radek', 'Simona', 'Tomáš', 'Ursula', 'Viktor',
|
|
||||||
'Wanda', 'Xaver', 'Yvona', 'Zdeněk', 'Aneta', 'Boris', 'Cecílie', 'Daniel'
|
|
||||||
];
|
|
||||||
|
|
||||||
// Volby stravování pro mock data
|
|
||||||
const LUNCH_CHOICES = [
|
|
||||||
'SLADOVNICKA',
|
|
||||||
'TECHTOWER',
|
|
||||||
'ZASTAVKAUMICHALA',
|
|
||||||
'SENKSERIKOVA',
|
|
||||||
'OBJEDNAVAM',
|
|
||||||
'NEOBEDVAM',
|
|
||||||
'ROZHODUJI',
|
|
||||||
];
|
|
||||||
|
|
||||||
// Restaurace s menu
|
|
||||||
const RESTAURANTS_WITH_MENU = [
|
|
||||||
'SLADOVNICKA',
|
|
||||||
'TECHTOWER',
|
|
||||||
'ZASTAVKAUMICHALA',
|
|
||||||
'SENKSERIKOVA',
|
|
||||||
];
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Middleware pro kontrolu DEV režimu
|
|
||||||
*/
|
|
||||||
function requireDevMode(req: any, res: any, next: any) {
|
|
||||||
if (ENVIRONMENT !== 'development') {
|
|
||||||
return res.status(403).json({ error: 'Tento endpoint je dostupný pouze ve vývojovém režimu' });
|
|
||||||
}
|
|
||||||
next();
|
|
||||||
}
|
|
||||||
|
|
||||||
router.use(requireDevMode);
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Vygeneruje mock data pro testování.
|
|
||||||
*/
|
|
||||||
router.post("/generate", async (req: Request<{}, any, any>, res, next) => {
|
|
||||||
try {
|
|
||||||
const dayIndex = req.body?.dayIndex ?? getDayOfWeekIndex(getToday());
|
|
||||||
const count = req.body?.count ?? Math.floor(Math.random() * 16) + 5; // 5-20
|
|
||||||
|
|
||||||
if (dayIndex < 0 || dayIndex > 4) {
|
|
||||||
return res.status(400).json({ error: 'Neplatný index dne (0-4)' });
|
|
||||||
}
|
|
||||||
|
|
||||||
const date = getDateForWeekIndex(dayIndex);
|
|
||||||
await initIfNeeded(date);
|
|
||||||
|
|
||||||
const dateKey = formatDate(date);
|
|
||||||
const data = await storage.getData<any>(dateKey);
|
|
||||||
|
|
||||||
// Získání menu restaurací pro vybraný den
|
|
||||||
const menus: { [key: string]: any } = {};
|
|
||||||
for (const restaurant of RESTAURANTS_WITH_MENU) {
|
|
||||||
const menu = await getRestaurantMenu(restaurant as any, date);
|
|
||||||
if (menu?.food?.length) {
|
|
||||||
menus[restaurant] = menu.food;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
// Vygenerování náhodných uživatelů
|
|
||||||
const usedNames = new Set<string>();
|
|
||||||
for (let i = 0; i < count && usedNames.size < MOCK_NAMES.length; i++) {
|
|
||||||
// Vybereme náhodné jméno, které ještě nebylo použito
|
|
||||||
let name: string;
|
|
||||||
do {
|
|
||||||
name = MOCK_NAMES[Math.floor(Math.random() * MOCK_NAMES.length)];
|
|
||||||
} while (usedNames.has(name));
|
|
||||||
usedNames.add(name);
|
|
||||||
|
|
||||||
// Vybereme náhodnou volbu stravování
|
|
||||||
const choice = LUNCH_CHOICES[Math.floor(Math.random() * LUNCH_CHOICES.length)];
|
|
||||||
|
|
||||||
// Inicializace struktury pro volbu
|
|
||||||
data.choices[choice] ??= {};
|
|
||||||
|
|
||||||
const userChoice: any = {
|
|
||||||
trusted: false,
|
|
||||||
selectedFoods: [],
|
|
||||||
};
|
|
||||||
|
|
||||||
// Pokud má restaurace menu, vybereme náhodné jídlo
|
|
||||||
if (RESTAURANTS_WITH_MENU.includes(choice) && menus[choice]?.length) {
|
|
||||||
const foods = menus[choice];
|
|
||||||
// Vybereme náhodné jídlo (ne polévku)
|
|
||||||
const mainFoods = foods.filter((f: any) => !f.isSoup);
|
|
||||||
if (mainFoods.length > 0) {
|
|
||||||
const randomFoodIndex = foods.indexOf(mainFoods[Math.floor(Math.random() * mainFoods.length)]);
|
|
||||||
userChoice.selectedFoods = [randomFoodIndex];
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
data.choices[choice][name] = userChoice;
|
|
||||||
}
|
|
||||||
|
|
||||||
await storage.setData(dateKey, data);
|
|
||||||
|
|
||||||
// Odeslat aktualizovaná data přes WebSocket
|
|
||||||
const clientData = await getData(date);
|
|
||||||
getWebsocket().emit("message", clientData);
|
|
||||||
|
|
||||||
res.status(200).json({ success: true, count: usedNames.size, dayIndex });
|
|
||||||
} catch (e: any) {
|
|
||||||
next(e);
|
|
||||||
}
|
|
||||||
});
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Smaže všechny volby pro daný den.
|
|
||||||
*/
|
|
||||||
router.post("/clear", async (req: Request<{}, any, any>, res, next) => {
|
|
||||||
try {
|
|
||||||
const dayIndex = req.body?.dayIndex ?? getDayOfWeekIndex(getToday());
|
|
||||||
|
|
||||||
if (dayIndex < 0 || dayIndex > 4) {
|
|
||||||
return res.status(400).json({ error: 'Neplatný index dne (0-4)' });
|
|
||||||
}
|
|
||||||
|
|
||||||
const date = getDateForWeekIndex(dayIndex);
|
|
||||||
await initIfNeeded(date);
|
|
||||||
|
|
||||||
const dateKey = formatDate(date);
|
|
||||||
const data = await storage.getData<any>(dateKey);
|
|
||||||
|
|
||||||
// Vymažeme všechny volby
|
|
||||||
data.choices = {};
|
|
||||||
|
|
||||||
await storage.setData(dateKey, data);
|
|
||||||
|
|
||||||
// Odeslat aktualizovaná data přes WebSocket
|
|
||||||
const clientData = await getData(date);
|
|
||||||
getWebsocket().emit("message", clientData);
|
|
||||||
|
|
||||||
res.status(200).json({ success: true, dayIndex });
|
|
||||||
} catch (e: any) {
|
|
||||||
next(e);
|
|
||||||
}
|
|
||||||
});
|
|
||||||
|
|
||||||
/** Vrátí obsah push reminder registry (pro ladění). */
|
|
||||||
router.get("/pushRegistry", async (_req, res, next) => {
|
|
||||||
try {
|
|
||||||
const registry = await storage.getData<any>('push_reminder_registry') ?? {};
|
|
||||||
const sanitized = Object.fromEntries(
|
|
||||||
Object.entries(registry).map(([login, entry]: [string, any]) => [
|
|
||||||
login,
|
|
||||||
{ time: entry.time, endpoint: entry.subscription?.endpoint?.slice(0, 60) + '…' }
|
|
||||||
])
|
|
||||||
);
|
|
||||||
res.status(200).json(sanitized);
|
|
||||||
} catch (e: any) { next(e) }
|
|
||||||
});
|
|
||||||
|
|
||||||
/** Okamžitě odešle test push notifikaci přihlášenému uživateli (pro ladění). */
|
|
||||||
router.post("/testPush", async (req, res, next) => {
|
|
||||||
const login = getLogin(parseToken(req));
|
|
||||||
try {
|
|
||||||
const registry = await storage.getData<any>('push_reminder_registry') ?? {};
|
|
||||||
const entry = registry[login];
|
|
||||||
if (!entry) {
|
|
||||||
return res.status(404).json({ error: `Uživatel ${login} nemá uloženou push subscription. Nastav připomínku v nastavení.` });
|
|
||||||
}
|
|
||||||
const publicKey = process.env.VAPID_PUBLIC_KEY;
|
|
||||||
const privateKey = process.env.VAPID_PRIVATE_KEY;
|
|
||||||
const subject = process.env.VAPID_SUBJECT;
|
|
||||||
if (!publicKey || !privateKey || !subject) {
|
|
||||||
return res.status(503).json({ error: 'VAPID klíče nejsou nastaveny' });
|
|
||||||
}
|
|
||||||
webpush.setVapidDetails(subject, publicKey, privateKey);
|
|
||||||
await webpush.sendNotification(
|
|
||||||
entry.subscription,
|
|
||||||
JSON.stringify({ title: 'Luncher test', body: 'Push notifikace fungují!' })
|
|
||||||
);
|
|
||||||
res.status(200).json({ ok: true });
|
|
||||||
} catch (e: any) { next(e) }
|
|
||||||
});
|
|
||||||
|
|
||||||
export default router;
|
|
||||||
@@ -191,20 +191,13 @@ router.post("/updateBuyer", async (req, res, next) => {
|
|||||||
} catch (e: any) { next(e) }
|
} catch (e: any) { next(e) }
|
||||||
});
|
});
|
||||||
|
|
||||||
// /api/food/refresh?type=week (přihlášený uživatel, nebo ?heslo=... pro bypass rate limitu)
|
// /api/food/refresh?type=week&heslo=docasnyheslo
|
||||||
export const refreshMetoda = async (req: Request, res: Response) => {
|
export const refreshMetoda = async (req: Request, res: Response) => {
|
||||||
const { type, heslo } = req.query as { type?: string; heslo?: string };
|
const { type, heslo } = req.query as { type?: string; heslo?: string };
|
||||||
const bypassPassword = process.env.REFRESH_BYPASS_PASSWORD;
|
if (heslo !== "docasnyheslo" && heslo !== "tohleheslopavelnesmizjistit123") {
|
||||||
const isBypass = !!bypassPassword && heslo === bypassPassword;
|
return res.status(403).json({ error: "Neplatné heslo" });
|
||||||
|
|
||||||
if (!isBypass) {
|
|
||||||
try {
|
|
||||||
getLogin(parseToken(req));
|
|
||||||
} catch {
|
|
||||||
return res.status(403).json({ error: "Přihlaste se prosím" });
|
|
||||||
}
|
}
|
||||||
}
|
if (!checkRateLimit("refresh") && heslo !== "tohleheslopavelnesmizjistit123") {
|
||||||
if (!checkRateLimit("refresh") && !isBypass) {
|
|
||||||
return res.status(429).json({ error: "Refresh už se zavolal, chvíli počkej :))" });
|
return res.status(429).json({ error: "Refresh už se zavolal, chvíli počkej :))" });
|
||||||
}
|
}
|
||||||
if (type !== "week" && type !== "day") {
|
if (type !== "week" && type !== "day") {
|
||||||
|
|||||||
@@ -1,86 +0,0 @@
|
|||||||
import express, { Request } from "express";
|
|
||||||
import { getLogin } from "../auth";
|
|
||||||
import { parseToken } from "../utils";
|
|
||||||
import { getNotificationSettings, saveNotificationSettings } from "../notifikace";
|
|
||||||
import { subscribePush, unsubscribePush, getVapidPublicKey, findLoginByEndpoint } from "../pushReminder";
|
|
||||||
import { addChoice } from "../service";
|
|
||||||
import { getWebsocket } from "../websocket";
|
|
||||||
import { UpdateNotificationSettingsData } from "../../../types";
|
|
||||||
|
|
||||||
const router = express.Router();
|
|
||||||
|
|
||||||
/** Vrátí nastavení notifikací pro přihlášeného uživatele. */
|
|
||||||
router.get("/settings", async (req, res, next) => {
|
|
||||||
const login = getLogin(parseToken(req));
|
|
||||||
try {
|
|
||||||
const settings = await getNotificationSettings(login);
|
|
||||||
res.status(200).json(settings);
|
|
||||||
} catch (e: any) { next(e) }
|
|
||||||
});
|
|
||||||
|
|
||||||
/** Uloží nastavení notifikací pro přihlášeného uživatele. */
|
|
||||||
router.post("/settings", async (req: Request<{}, any, UpdateNotificationSettingsData["body"]>, res, next) => {
|
|
||||||
const login = getLogin(parseToken(req));
|
|
||||||
try {
|
|
||||||
const settings = await saveNotificationSettings(login, {
|
|
||||||
ntfyTopic: req.body.ntfyTopic,
|
|
||||||
discordWebhookUrl: req.body.discordWebhookUrl,
|
|
||||||
teamsWebhookUrl: req.body.teamsWebhookUrl,
|
|
||||||
enabledEvents: req.body.enabledEvents,
|
|
||||||
reminderTime: req.body.reminderTime,
|
|
||||||
});
|
|
||||||
res.status(200).json(settings);
|
|
||||||
} catch (e: any) { next(e) }
|
|
||||||
});
|
|
||||||
|
|
||||||
/** Vrátí veřejný VAPID klíč pro registraci push notifikací. */
|
|
||||||
router.get("/push/vapidKey", (req, res) => {
|
|
||||||
const key = getVapidPublicKey();
|
|
||||||
if (!key) {
|
|
||||||
return res.status(503).json({ error: "Push notifikace nejsou nakonfigurovány" });
|
|
||||||
}
|
|
||||||
res.status(200).json({ key });
|
|
||||||
});
|
|
||||||
|
|
||||||
/** Přihlásí uživatele k push připomínkám. */
|
|
||||||
router.post("/push/subscribe", async (req, res, next) => {
|
|
||||||
const login = getLogin(parseToken(req));
|
|
||||||
try {
|
|
||||||
if (!req.body.subscription) {
|
|
||||||
return res.status(400).json({ error: "Nebyla předána push subscription" });
|
|
||||||
}
|
|
||||||
if (!req.body.reminderTime) {
|
|
||||||
return res.status(400).json({ error: "Nebyl předán čas připomínky" });
|
|
||||||
}
|
|
||||||
await subscribePush(login, req.body.subscription, req.body.reminderTime);
|
|
||||||
res.status(200).json({});
|
|
||||||
} catch (e: any) { next(e) }
|
|
||||||
});
|
|
||||||
|
|
||||||
/** Odhlásí uživatele z push připomínek. */
|
|
||||||
router.post("/push/unsubscribe", async (req, res, next) => {
|
|
||||||
const login = getLogin(parseToken(req));
|
|
||||||
try {
|
|
||||||
await unsubscribePush(login);
|
|
||||||
res.status(200).json({});
|
|
||||||
} catch (e: any) { next(e) }
|
|
||||||
});
|
|
||||||
|
|
||||||
/** Rychlá akce z push notifikace — nastaví volbu bez JWT (identita přes subscription endpoint). */
|
|
||||||
router.post("/push/quickChoice", async (req, res, next) => {
|
|
||||||
try {
|
|
||||||
const { endpoint } = req.body;
|
|
||||||
if (!endpoint) {
|
|
||||||
return res.status(400).json({ error: "Nebyl předán endpoint" });
|
|
||||||
}
|
|
||||||
const login = await findLoginByEndpoint(endpoint);
|
|
||||||
if (!login) {
|
|
||||||
return res.status(404).json({ error: "Subscription nenalezena" });
|
|
||||||
}
|
|
||||||
const data = await addChoice(login, false, 'NEOBEDVAM', undefined, undefined);
|
|
||||||
getWebsocket().emit("message", data);
|
|
||||||
res.status(200).json({});
|
|
||||||
} catch (e: any) { next(e) }
|
|
||||||
});
|
|
||||||
|
|
||||||
export default router;
|
|
||||||
@@ -1,9 +1,9 @@
|
|||||||
import express, { Request } from "express";
|
import express, { Request } from "express";
|
||||||
import { getLogin } from "../auth";
|
import { getLogin } from "../auth";
|
||||||
import { createPizzaDay, deletePizzaDay, getPizzaList, addPizzaOrder, removePizzaOrder, lockPizzaDay, unlockPizzaDay, finishPizzaOrder, finishPizzaDelivery, updatePizzaDayNote, updatePizzaFee, dismissPendingQr } from "../pizza";
|
import { createPizzaDay, deletePizzaDay, getPizzaList, addPizzaOrder, removePizzaOrder, lockPizzaDay, unlockPizzaDay, finishPizzaOrder, finishPizzaDelivery, updatePizzaDayNote, updatePizzaFee } from "../pizza";
|
||||||
import { parseToken } from "../utils";
|
import { parseToken } from "../utils";
|
||||||
import { getWebsocket } from "../websocket";
|
import { getWebsocket } from "../websocket";
|
||||||
import { AddPizzaData, DismissQrData, FinishDeliveryData, RemovePizzaData, UpdatePizzaDayNoteData, UpdatePizzaFeeData } from "../../../types";
|
import { AddPizzaData, FinishDeliveryData, RemovePizzaData, UpdatePizzaDayNoteData, UpdatePizzaFeeData } from "../../../types";
|
||||||
|
|
||||||
const router = express.Router();
|
const router = express.Router();
|
||||||
|
|
||||||
@@ -109,16 +109,4 @@ router.post("/updatePizzaFee", async (req: Request<{}, any, UpdatePizzaFeeData["
|
|||||||
} catch (e: any) { next(e) }
|
} catch (e: any) { next(e) }
|
||||||
});
|
});
|
||||||
|
|
||||||
/** Označí QR kód jako uhrazený. */
|
|
||||||
router.post("/dismissQr", async (req: Request<{}, any, DismissQrData["body"]>, res, next) => {
|
|
||||||
const login = getLogin(parseToken(req));
|
|
||||||
if (!req.body.date) {
|
|
||||||
return res.status(400).json({ error: "Nebyl předán datum" });
|
|
||||||
}
|
|
||||||
try {
|
|
||||||
await dismissPendingQr(login, req.body.date);
|
|
||||||
res.status(200).json({});
|
|
||||||
} catch (e: any) { next(e) }
|
|
||||||
});
|
|
||||||
|
|
||||||
export default router;
|
export default router;
|
||||||
@@ -1,64 +0,0 @@
|
|||||||
import express, { Request } from "express";
|
|
||||||
import { getLogin } from "../auth";
|
|
||||||
import { parseToken, formatDate } from "../utils";
|
|
||||||
import { generateQr } from "../qr";
|
|
||||||
import { addPendingQr } from "../pizza";
|
|
||||||
import { GenerateQrData } from "../../../types";
|
|
||||||
|
|
||||||
const router = express.Router();
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Vygeneruje QR kódy pro platbu vybraným uživatelům.
|
|
||||||
*/
|
|
||||||
router.post("/generate", async (req: Request<{}, any, GenerateQrData["body"]>, res, next) => {
|
|
||||||
const login = getLogin(parseToken(req));
|
|
||||||
try {
|
|
||||||
const { recipients, bankAccount, bankAccountHolder } = req.body;
|
|
||||||
|
|
||||||
if (!recipients || !Array.isArray(recipients) || recipients.length === 0) {
|
|
||||||
return res.status(400).json({ error: "Nebyl předán seznam příjemců" });
|
|
||||||
}
|
|
||||||
if (!bankAccount) {
|
|
||||||
return res.status(400).json({ error: "Nebylo předáno číslo účtu" });
|
|
||||||
}
|
|
||||||
if (!bankAccountHolder) {
|
|
||||||
return res.status(400).json({ error: "Nebylo předáno jméno držitele účtu" });
|
|
||||||
}
|
|
||||||
|
|
||||||
const today = formatDate(new Date());
|
|
||||||
|
|
||||||
for (const recipient of recipients) {
|
|
||||||
if (!recipient.login) {
|
|
||||||
return res.status(400).json({ error: "Příjemce nemá vyplněný login" });
|
|
||||||
}
|
|
||||||
if (!recipient.purpose || recipient.purpose.trim().length === 0) {
|
|
||||||
return res.status(400).json({ error: `Příjemce ${recipient.login} nemá vyplněný účel platby` });
|
|
||||||
}
|
|
||||||
if (typeof recipient.amount !== 'number' || recipient.amount <= 0) {
|
|
||||||
return res.status(400).json({ error: `Příjemce ${recipient.login} má neplatnou částku` });
|
|
||||||
}
|
|
||||||
// Validace max 2 desetinná místa
|
|
||||||
const amountStr = recipient.amount.toString();
|
|
||||||
if (amountStr.includes('.') && amountStr.split('.')[1].length > 2) {
|
|
||||||
return res.status(400).json({ error: `Částka pro ${recipient.login} má více než 2 desetinná místa` });
|
|
||||||
}
|
|
||||||
|
|
||||||
// Vygenerovat QR kód
|
|
||||||
await generateQr(recipient.login, bankAccount, bankAccountHolder, recipient.amount, recipient.purpose);
|
|
||||||
|
|
||||||
// Uložit jako nevyřízený QR kód
|
|
||||||
await addPendingQr(recipient.login, {
|
|
||||||
date: today,
|
|
||||||
creator: login,
|
|
||||||
totalPrice: recipient.amount,
|
|
||||||
purpose: recipient.purpose,
|
|
||||||
});
|
|
||||||
}
|
|
||||||
|
|
||||||
res.status(200).json({ success: true, count: recipients.length });
|
|
||||||
} catch (e: any) {
|
|
||||||
next(e);
|
|
||||||
}
|
|
||||||
});
|
|
||||||
|
|
||||||
export default router;
|
|
||||||
@@ -1,7 +1,7 @@
|
|||||||
import express, { Request } from "express";
|
import express, { Request } from "express";
|
||||||
import { getLogin } from "../auth";
|
import { getLogin } from "../auth";
|
||||||
import { parseToken } from "../utils";
|
import { parseToken } from "../utils";
|
||||||
import { getUserVotes, updateFeatureVote, getVotingStats } from "../voting";
|
import { getUserVotes, updateFeatureVote } from "../voting";
|
||||||
import { GetVotesData, UpdateVoteData } from "../../../types";
|
import { GetVotesData, UpdateVoteData } from "../../../types";
|
||||||
|
|
||||||
const router = express.Router();
|
const router = express.Router();
|
||||||
@@ -23,11 +23,4 @@ router.post("/updateVote", async (req: Request<{}, any, UpdateVoteData["body"]>,
|
|||||||
} catch (e: any) { next(e) }
|
} catch (e: any) { next(e) }
|
||||||
});
|
});
|
||||||
|
|
||||||
router.get("/stats", async (req, res, next) => {
|
|
||||||
try {
|
|
||||||
const data = await getVotingStats();
|
|
||||||
res.status(200).json(data);
|
|
||||||
} catch (e: any) { next(e) }
|
|
||||||
});
|
|
||||||
|
|
||||||
export default router;
|
export default router;
|
||||||
@@ -1,9 +1,8 @@
|
|||||||
import { InsufficientPermissions, PizzaDayConflictError, formatDate, getDayOfWeekIndex, getFirstWorkDayOfWeek, getHumanDate, getIsWeekend, getWeekNumber } from "./utils";
|
import { InsufficientPermissions, formatDate, getDayOfWeekIndex, getFirstWorkDayOfWeek, getHumanDate, getIsWeekend, getWeekNumber } from "./utils";
|
||||||
import getStorage from "./storage";
|
import getStorage from "./storage";
|
||||||
import { getMenuSladovnicka, getMenuTechTower, getMenuZastavkaUmichala, getMenuSenkSerikova, StaleWeekError } from "./restaurants";
|
import { getMenuSladovnicka, getMenuTechTower, getMenuZastavkaUmichala, getMenuSenkSerikova } from "./restaurants";
|
||||||
import { getTodayMock } from "./mock";
|
import { getTodayMock } from "./mock";
|
||||||
import { removeAllUserPizzas } from "./pizza";
|
import { ClientData, DepartureTime, LunchChoice, Restaurant, RestaurantDayMenu, WeekMenu } from "../../types/gen/types.gen";
|
||||||
import { ClientData, DepartureTime, LunchChoice, PizzaDayState, Restaurant, RestaurantDayMenu, WeekMenu } from "../../types/gen/types.gen";
|
|
||||||
|
|
||||||
const storage = getStorage();
|
const storage = getStorage();
|
||||||
const MENU_PREFIX = 'menu';
|
const MENU_PREFIX = 'menu';
|
||||||
@@ -199,14 +198,7 @@ export async function getRestaurantMenu(restaurant: Restaurant, date?: Date, for
|
|||||||
food: [],
|
food: [],
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
const MENU_REFETCH_TTL_MS = 60 * 60 * 1000; // 1 hour
|
if (forceRefresh || (!weekMenu[dayOfWeekIndex][restaurant]?.food?.length && !weekMenu[dayOfWeekIndex][restaurant]?.closed)) {
|
||||||
const existingMenu = weekMenu[dayOfWeekIndex][restaurant];
|
|
||||||
const lastFetchExpired = !existingMenu?.lastUpdate ||
|
|
||||||
existingMenu.lastUpdate === now || // freshly initialized, never fetched
|
|
||||||
(now - existingMenu.lastUpdate) > MENU_REFETCH_TTL_MS;
|
|
||||||
const shouldFetch = forceRefresh ||
|
|
||||||
(!existingMenu?.food?.length && !existingMenu?.closed && lastFetchExpired);
|
|
||||||
if (shouldFetch) {
|
|
||||||
const firstDay = getFirstWorkDayOfWeek(usedDate);
|
const firstDay = getFirstWorkDayOfWeek(usedDate);
|
||||||
|
|
||||||
try {
|
try {
|
||||||
@@ -216,7 +208,6 @@ export async function getRestaurantMenu(restaurant: Restaurant, date?: Date, for
|
|||||||
for (let i = 0; i < restaurantWeekFood.length && i < weekMenu.length; i++) {
|
for (let i = 0; i < restaurantWeekFood.length && i < weekMenu.length; i++) {
|
||||||
weekMenu[i][restaurant]!.food = restaurantWeekFood[i];
|
weekMenu[i][restaurant]!.food = restaurantWeekFood[i];
|
||||||
weekMenu[i][restaurant]!.lastUpdate = now;
|
weekMenu[i][restaurant]!.lastUpdate = now;
|
||||||
weekMenu[i][restaurant]!.isStale = false;
|
|
||||||
|
|
||||||
// Detekce uzavření pro každou restauraci
|
// Detekce uzavření pro každou restauraci
|
||||||
switch (restaurant) {
|
switch (restaurant) {
|
||||||
@@ -246,43 +237,10 @@ export async function getRestaurantMenu(restaurant: Restaurant, date?: Date, for
|
|||||||
// Uložení do storage
|
// Uložení do storage
|
||||||
await storage.setData(getMenuKey(usedDate), weekMenu);
|
await storage.setData(getMenuKey(usedDate), weekMenu);
|
||||||
} catch (e: any) {
|
} catch (e: any) {
|
||||||
if (e instanceof StaleWeekError) {
|
|
||||||
for (let i = 0; i < e.food.length && i < weekMenu.length; i++) {
|
|
||||||
weekMenu[i][restaurant]!.food = e.food[i];
|
|
||||||
weekMenu[i][restaurant]!.lastUpdate = now;
|
|
||||||
weekMenu[i][restaurant]!.isStale = true;
|
|
||||||
}
|
|
||||||
await storage.setData(getMenuKey(usedDate), weekMenu);
|
|
||||||
} else {
|
|
||||||
console.error(`Selhalo načtení jídel pro podnik ${restaurant}`, e);
|
console.error(`Selhalo načtení jídel pro podnik ${restaurant}`, e);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
return weekMenu[dayOfWeekIndex][restaurant]!;
|
||||||
const result = weekMenu[dayOfWeekIndex][restaurant]!;
|
|
||||||
result.warnings = generateMenuWarnings(result);
|
|
||||||
return result;
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Generuje varování o kvalitě/úplnosti dat menu restaurace.
|
|
||||||
*/
|
|
||||||
function generateMenuWarnings(menu: RestaurantDayMenu): string[] {
|
|
||||||
const warnings: string[] = [];
|
|
||||||
if (!menu.food?.length || menu.closed) {
|
|
||||||
return warnings;
|
|
||||||
}
|
|
||||||
if (menu.isStale) {
|
|
||||||
warnings.push('Data jsou z minulého týdne');
|
|
||||||
}
|
|
||||||
const hasSoup = menu.food.some(f => f.isSoup);
|
|
||||||
if (!hasSoup) {
|
|
||||||
warnings.push('Chybí polévka');
|
|
||||||
}
|
|
||||||
const missingPrice = menu.food.some(f => !f.isSoup && (!f.price || f.price.trim() === ''));
|
|
||||||
if (missingPrice) {
|
|
||||||
warnings.push('U některých jídel chybí cena');
|
|
||||||
}
|
|
||||||
return warnings;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
@@ -415,35 +373,12 @@ export async function addChoice(login: string, trusted: boolean, locationKey: Lu
|
|||||||
let data = await getClientData(usedDate);
|
let data = await getClientData(usedDate);
|
||||||
validateTrusted(data, login, trusted);
|
validateTrusted(data, login, trusted);
|
||||||
await validateFoodIndex(locationKey, foodIndex, date);
|
await validateFoodIndex(locationKey, foodIndex, date);
|
||||||
|
|
||||||
// Pokud uživatel měl vybranou PIZZA a mění na něco jiného
|
|
||||||
const hadPizzaChoice = data.choices.PIZZA && login in data.choices.PIZZA;
|
|
||||||
if (hadPizzaChoice && locationKey !== LunchChoice.PIZZA && foodIndex == null) {
|
|
||||||
// Kontrola, zda existuje Pizza day a uživatel je jeho zakladatel
|
|
||||||
if (data.pizzaDay && data.pizzaDay.creator === login) {
|
|
||||||
// Pokud Pizza day není ve stavu CREATED, nelze změnit volbu
|
|
||||||
if (data.pizzaDay.state !== PizzaDayState.CREATED) {
|
|
||||||
throw new PizzaDayConflictError(
|
|
||||||
`Nelze změnit volbu. Pizza day je ve stavu "${data.pizzaDay.state}" a musí být nejprve dokončen nebo smazán.`
|
|
||||||
);
|
|
||||||
}
|
|
||||||
// Pizza day je ve stavu CREATED - bude smazán frontendem po potvrzení uživatelem
|
|
||||||
// (frontend volá nejprve deletePizzaDay, pak teprve addChoice)
|
|
||||||
}
|
|
||||||
|
|
||||||
// Smažeme pizzy uživatele (pokud Pizza day nebyl založen tímto uživatelem,
|
|
||||||
// nebo byl již smazán frontendem)
|
|
||||||
await removeAllUserPizzas(login, usedDate);
|
|
||||||
// Znovu načteme data, protože removeAllUserPizzas je upravila
|
|
||||||
data = await getClientData(usedDate);
|
|
||||||
}
|
|
||||||
|
|
||||||
// Pokud měníme pouze lokaci, mažeme případné předchozí
|
// Pokud měníme pouze lokaci, mažeme případné předchozí
|
||||||
if (foodIndex == null) {
|
if (foodIndex == null) {
|
||||||
data = await removeChoiceIfPresent(login, usedDate);
|
data = await removeChoiceIfPresent(login, usedDate);
|
||||||
} else {
|
} else {
|
||||||
// Mažeme případné ostatní volby (měla by být maximálně jedna)
|
// Mažeme případné ostatní volby (měla by být maximálně jedna)
|
||||||
data = await removeChoiceIfPresent(login, usedDate, locationKey);
|
removeChoiceIfPresent(login, usedDate, locationKey);
|
||||||
}
|
}
|
||||||
// TODO vytáhnout inicializaci "prázdné struktury" do vlastní funkce
|
// TODO vytáhnout inicializaci "prázdné struktury" do vlastní funkce
|
||||||
data.choices[locationKey] ??= {};
|
data.choices[locationKey] ??= {};
|
||||||
|
|||||||
@@ -25,12 +25,6 @@ export async function getStats(startDate: string, endDate: string): Promise<Week
|
|||||||
throw Error('Neplatný rozsah');
|
throw Error('Neplatný rozsah');
|
||||||
}
|
}
|
||||||
|
|
||||||
const today = new Date();
|
|
||||||
today.setHours(23, 59, 59, 999);
|
|
||||||
if (end > today) {
|
|
||||||
throw Error('Nelze načíst statistiky pro budoucí datum');
|
|
||||||
}
|
|
||||||
|
|
||||||
const result = [];
|
const result = [];
|
||||||
for (const date = start; date <= end; date.setDate(date.getDate() + 1)) {
|
for (const date = start; date <= end; date.setDate(date.getDate() + 1)) {
|
||||||
const locationsStats: DailyStats = {
|
const locationsStats: DailyStats = {
|
||||||
|
|||||||
@@ -114,8 +114,6 @@ export const checkBodyParams = (req: any, paramNames: string[]) => {
|
|||||||
// TODO umístit do samostatného souboru
|
// TODO umístit do samostatného souboru
|
||||||
export class InsufficientPermissions extends Error { }
|
export class InsufficientPermissions extends Error { }
|
||||||
|
|
||||||
export class PizzaDayConflictError extends Error { }
|
|
||||||
|
|
||||||
export const getUsersByLocation = (choices: LunchChoices, login?: string): string[] => {
|
export const getUsersByLocation = (choices: LunchChoices, login?: string): string[] => {
|
||||||
const result: string[] = [];
|
const result: string[] = [];
|
||||||
|
|
||||||
|
|||||||
@@ -1,14 +1,10 @@
|
|||||||
import { FeatureRequest, VotingStats } from "../../types/gen/types.gen";
|
import { FeatureRequest } from "../../types/gen/types.gen";
|
||||||
import getStorage from "./storage";
|
import getStorage from "./storage";
|
||||||
|
|
||||||
interface VotingData {
|
interface VotingData {
|
||||||
[login: string]: FeatureRequest[],
|
[login: string]: FeatureRequest[],
|
||||||
}
|
}
|
||||||
|
|
||||||
export interface VotingStatsResult {
|
|
||||||
[feature: string]: number;
|
|
||||||
}
|
|
||||||
|
|
||||||
const storage = getStorage();
|
const storage = getStorage();
|
||||||
const STORAGE_KEY = 'voting';
|
const STORAGE_KEY = 'voting';
|
||||||
|
|
||||||
@@ -56,21 +52,3 @@ export async function updateFeatureVote(login: string, option: FeatureRequest, a
|
|||||||
await storage.setData(STORAGE_KEY, data);
|
await storage.setData(STORAGE_KEY, data);
|
||||||
return data;
|
return data;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
|
||||||
* Vrátí agregované statistiky hlasování - počet hlasů pro každou funkci.
|
|
||||||
*
|
|
||||||
* @returns objekt, kde klíčem je název funkce a hodnotou počet hlasů
|
|
||||||
*/
|
|
||||||
export async function getVotingStats(): Promise<VotingStatsResult> {
|
|
||||||
const data = await storage.getData<VotingData>(STORAGE_KEY);
|
|
||||||
const stats: VotingStatsResult = {};
|
|
||||||
if (data) {
|
|
||||||
for (const votes of Object.values(data)) {
|
|
||||||
for (const feature of votes) {
|
|
||||||
stats[feature] = (stats[feature] || 0) + 1;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
return stats;
|
|
||||||
}
|
|
||||||
@@ -1732,13 +1732,6 @@
|
|||||||
resolved "https://registry.yarnpkg.com/@types/tough-cookie/-/tough-cookie-4.0.5.tgz#cb6e2a691b70cb177c6e3ae9c1d2e8b2ea8cd304"
|
resolved "https://registry.yarnpkg.com/@types/tough-cookie/-/tough-cookie-4.0.5.tgz#cb6e2a691b70cb177c6e3ae9c1d2e8b2ea8cd304"
|
||||||
integrity sha512-/Ad8+nIOV7Rl++6f1BdKxFSMgmoqEoYbHRpPcx3JEfv8VRsQe9Z4mCXeJBzxs7mbHY/XOZZuXlRNfhpVPbs6ZA==
|
integrity sha512-/Ad8+nIOV7Rl++6f1BdKxFSMgmoqEoYbHRpPcx3JEfv8VRsQe9Z4mCXeJBzxs7mbHY/XOZZuXlRNfhpVPbs6ZA==
|
||||||
|
|
||||||
"@types/web-push@^3.6.4":
|
|
||||||
version "3.6.4"
|
|
||||||
resolved "https://registry.yarnpkg.com/@types/web-push/-/web-push-3.6.4.tgz#4c6e10d3963ba51e7b4b8fff185f43612c0d1346"
|
|
||||||
integrity sha512-GnJmSr40H3RAnj0s34FNTcJi1hmWFV5KXugE0mYWnYhgTAHLJ/dJKAwDmvPJYMke0RplY2XE9LnM4hqSqKIjhQ==
|
|
||||||
dependencies:
|
|
||||||
"@types/node" "*"
|
|
||||||
|
|
||||||
"@types/yargs-parser@*":
|
"@types/yargs-parser@*":
|
||||||
version "21.0.3"
|
version "21.0.3"
|
||||||
resolved "https://registry.yarnpkg.com/@types/yargs-parser/-/yargs-parser-21.0.3.tgz#815e30b786d2e8f0dcd85fd5bcf5e1a04d008f15"
|
resolved "https://registry.yarnpkg.com/@types/yargs-parser/-/yargs-parser-21.0.3.tgz#815e30b786d2e8f0dcd85fd5bcf5e1a04d008f15"
|
||||||
@@ -1881,11 +1874,6 @@ acorn@^8.11.0, acorn@^8.4.1:
|
|||||||
resolved "https://registry.yarnpkg.com/acorn/-/acorn-8.14.0.tgz#063e2c70cac5fb4f6467f0b11152e04c682795b0"
|
resolved "https://registry.yarnpkg.com/acorn/-/acorn-8.14.0.tgz#063e2c70cac5fb4f6467f0b11152e04c682795b0"
|
||||||
integrity sha512-cl669nCJTZBsL97OF4kUQm5g5hC2uihk0NxY3WENAC0TYdILVkAyHymAntgxGkl7K+t0cXIrH5siy5S4XkFycA==
|
integrity sha512-cl669nCJTZBsL97OF4kUQm5g5hC2uihk0NxY3WENAC0TYdILVkAyHymAntgxGkl7K+t0cXIrH5siy5S4XkFycA==
|
||||||
|
|
||||||
agent-base@^7.1.2:
|
|
||||||
version "7.1.4"
|
|
||||||
resolved "https://registry.yarnpkg.com/agent-base/-/agent-base-7.1.4.tgz#e3cd76d4c548ee895d3c3fd8dc1f6c5b9032e7a8"
|
|
||||||
integrity sha512-MnA+YT8fwfJPgBx3m60MNqakm30XOkyIoH1y6huTQvC0PwZG7ki8NacLBcrPbNoo8vEZy7Jpuk7+jMO+CUovTQ==
|
|
||||||
|
|
||||||
ansi-escapes@^4.3.2:
|
ansi-escapes@^4.3.2:
|
||||||
version "4.3.2"
|
version "4.3.2"
|
||||||
resolved "https://registry.yarnpkg.com/ansi-escapes/-/ansi-escapes-4.3.2.tgz#6b2291d1db7d98b6521d5f1efa42d0f3a9feb65e"
|
resolved "https://registry.yarnpkg.com/ansi-escapes/-/ansi-escapes-4.3.2.tgz#6b2291d1db7d98b6521d5f1efa42d0f3a9feb65e"
|
||||||
@@ -1940,16 +1928,6 @@ argparse@^1.0.7:
|
|||||||
dependencies:
|
dependencies:
|
||||||
sprintf-js "~1.0.2"
|
sprintf-js "~1.0.2"
|
||||||
|
|
||||||
asn1.js@^5.3.0:
|
|
||||||
version "5.4.1"
|
|
||||||
resolved "https://registry.yarnpkg.com/asn1.js/-/asn1.js-5.4.1.tgz#11a980b84ebb91781ce35b0fdc2ee294e3783f07"
|
|
||||||
integrity sha512-+I//4cYPccV8LdmBLiX8CYvf9Sp3vQsrqu2QNXRcrbiWvcx/UdlFiqUJJzxRQxgsZmvhXhn4cSKeSmoFjVdupA==
|
|
||||||
dependencies:
|
|
||||||
bn.js "^4.0.0"
|
|
||||||
inherits "^2.0.1"
|
|
||||||
minimalistic-assert "^1.0.0"
|
|
||||||
safer-buffer "^2.1.0"
|
|
||||||
|
|
||||||
asynckit@^0.4.0:
|
asynckit@^0.4.0:
|
||||||
version "0.4.0"
|
version "0.4.0"
|
||||||
resolved "https://registry.yarnpkg.com/asynckit/-/asynckit-0.4.0.tgz#c79ed97f7f34cb8f2ba1bc9790bcc366474b4b79"
|
resolved "https://registry.yarnpkg.com/asynckit/-/asynckit-0.4.0.tgz#c79ed97f7f34cb8f2ba1bc9790bcc366474b4b79"
|
||||||
@@ -2068,11 +2046,6 @@ binary-extensions@^2.0.0:
|
|||||||
resolved "https://registry.yarnpkg.com/binary-extensions/-/binary-extensions-2.3.0.tgz#f6e14a97858d327252200242d4ccfe522c445522"
|
resolved "https://registry.yarnpkg.com/binary-extensions/-/binary-extensions-2.3.0.tgz#f6e14a97858d327252200242d4ccfe522c445522"
|
||||||
integrity sha512-Ceh+7ox5qe7LJuLHoY0feh3pHuUDHAcRUeyL2VYghZwfpkNIy/+8Ocg0a3UuSoYzavmylwuLWQOf3hl0jjMMIw==
|
integrity sha512-Ceh+7ox5qe7LJuLHoY0feh3pHuUDHAcRUeyL2VYghZwfpkNIy/+8Ocg0a3UuSoYzavmylwuLWQOf3hl0jjMMIw==
|
||||||
|
|
||||||
bn.js@^4.0.0:
|
|
||||||
version "4.12.3"
|
|
||||||
resolved "https://registry.yarnpkg.com/bn.js/-/bn.js-4.12.3.tgz#2cc2c679188eb35b006f2d0d4710bed8437a769e"
|
|
||||||
integrity sha512-fGTi3gxV/23FTYdAoUtLYp6qySe2KE3teyZitipKNRuVYcBkoP/bB3guXN/XVKUe9mxCHXnc9C4ocyz8OmgN0g==
|
|
||||||
|
|
||||||
body-parser@^2.2.1:
|
body-parser@^2.2.1:
|
||||||
version "2.2.2"
|
version "2.2.2"
|
||||||
resolved "https://registry.yarnpkg.com/body-parser/-/body-parser-2.2.2.tgz#1a32cdb966beaf68de50a9dfbe5b58f83cb8890c"
|
resolved "https://registry.yarnpkg.com/body-parser/-/body-parser-2.2.2.tgz#1a32cdb966beaf68de50a9dfbe5b58f83cb8890c"
|
||||||
@@ -2369,7 +2342,7 @@ css-what@^6.1.0:
|
|||||||
resolved "https://registry.yarnpkg.com/css-what/-/css-what-6.1.0.tgz#fb5effcf76f1ddea2c81bdfaa4de44e79bac70f4"
|
resolved "https://registry.yarnpkg.com/css-what/-/css-what-6.1.0.tgz#fb5effcf76f1ddea2c81bdfaa4de44e79bac70f4"
|
||||||
integrity sha512-HTUrgRJ7r4dsZKU6GjmpfRK1O76h97Z8MfS1G0FozR+oF2kG6Vfe8JE6zwrkbxigziPHinCJ+gCPjA9EaBDtRw==
|
integrity sha512-HTUrgRJ7r4dsZKU6GjmpfRK1O76h97Z8MfS1G0FozR+oF2kG6Vfe8JE6zwrkbxigziPHinCJ+gCPjA9EaBDtRw==
|
||||||
|
|
||||||
debug@4, debug@^4, debug@^4.1.0, debug@^4.3.1, debug@^4.4.0, debug@^4.4.1, debug@^4.4.3, debug@~4.4.1:
|
debug@^4, debug@^4.1.0, debug@^4.3.1, debug@^4.4.0, debug@^4.4.1, debug@^4.4.3, debug@~4.4.1:
|
||||||
version "4.4.3"
|
version "4.4.3"
|
||||||
resolved "https://registry.yarnpkg.com/debug/-/debug-4.4.3.tgz#c6ae432d9bd9662582fce08709b038c58e9e3d6a"
|
resolved "https://registry.yarnpkg.com/debug/-/debug-4.4.3.tgz#c6ae432d9bd9662582fce08709b038c58e9e3d6a"
|
||||||
integrity sha512-RGwwWnwQvkVfavKVt22FGLw+xYSdzARwm0ru6DhTVA3umU5hZc28V3kO4stgYryrTlLpuvgI9GiijltAjNbcqA==
|
integrity sha512-RGwwWnwQvkVfavKVt22FGLw+xYSdzARwm0ru6DhTVA3umU5hZc28V3kO4stgYryrTlLpuvgI9GiijltAjNbcqA==
|
||||||
@@ -2919,19 +2892,6 @@ http-errors@^2.0.0, http-errors@^2.0.1, http-errors@~2.0.1:
|
|||||||
statuses "~2.0.2"
|
statuses "~2.0.2"
|
||||||
toidentifier "~1.0.1"
|
toidentifier "~1.0.1"
|
||||||
|
|
||||||
http_ece@1.2.0:
|
|
||||||
version "1.2.0"
|
|
||||||
resolved "https://registry.yarnpkg.com/http_ece/-/http_ece-1.2.0.tgz#84d5885f052eae8c9b075eee4d2eb5105f114479"
|
|
||||||
integrity sha512-JrF8SSLVmcvc5NducxgyOrKXe3EsyHMgBFgSaIUGmArKe+rwr0uphRkRXvwiom3I+fpIfoItveHrfudL8/rxuA==
|
|
||||||
|
|
||||||
https-proxy-agent@^7.0.0:
|
|
||||||
version "7.0.6"
|
|
||||||
resolved "https://registry.yarnpkg.com/https-proxy-agent/-/https-proxy-agent-7.0.6.tgz#da8dfeac7da130b05c2ba4b59c9b6cd66611a6b9"
|
|
||||||
integrity sha512-vK9P5/iUfdl95AI+JVyUuIcVtd4ofvtrOr3HNtM2yxC9bnMbEdp3x01OhQNnjb8IJYi38VlTE3mBXwcfvywuSw==
|
|
||||||
dependencies:
|
|
||||||
agent-base "^7.1.2"
|
|
||||||
debug "4"
|
|
||||||
|
|
||||||
human-signals@^2.1.0:
|
human-signals@^2.1.0:
|
||||||
version "2.1.0"
|
version "2.1.0"
|
||||||
resolved "https://registry.yarnpkg.com/human-signals/-/human-signals-2.1.0.tgz#dc91fcba42e4d06e4abaed33b3e7a3c02f514ea0"
|
resolved "https://registry.yarnpkg.com/human-signals/-/human-signals-2.1.0.tgz#dc91fcba42e4d06e4abaed33b3e7a3c02f514ea0"
|
||||||
@@ -2977,7 +2937,7 @@ inflight@^1.0.4:
|
|||||||
once "^1.3.0"
|
once "^1.3.0"
|
||||||
wrappy "1"
|
wrappy "1"
|
||||||
|
|
||||||
inherits@2, inherits@^2.0.1, inherits@~2.0.4:
|
inherits@2, inherits@~2.0.4:
|
||||||
version "2.0.4"
|
version "2.0.4"
|
||||||
resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.4.tgz#0fa2c64f932917c3433a0ded55363aae37416b7c"
|
resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.4.tgz#0fa2c64f932917c3433a0ded55363aae37416b7c"
|
||||||
integrity sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==
|
integrity sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==
|
||||||
@@ -3508,7 +3468,7 @@ jwa@^2.0.1:
|
|||||||
ecdsa-sig-formatter "1.0.11"
|
ecdsa-sig-formatter "1.0.11"
|
||||||
safe-buffer "^5.0.1"
|
safe-buffer "^5.0.1"
|
||||||
|
|
||||||
jws@^4.0.0, jws@^4.0.1:
|
jws@^4.0.1:
|
||||||
version "4.0.1"
|
version "4.0.1"
|
||||||
resolved "https://registry.yarnpkg.com/jws/-/jws-4.0.1.tgz#07edc1be8fac20e677b283ece261498bd38f0690"
|
resolved "https://registry.yarnpkg.com/jws/-/jws-4.0.1.tgz#07edc1be8fac20e677b283ece261498bd38f0690"
|
||||||
integrity sha512-EKI/M/yqPncGUUh44xz0PxSidXFr/+r0pA70+gIYhjv+et7yxM+s29Y+VGDkovRofQem0fs7Uvf4+YmAdyRduA==
|
integrity sha512-EKI/M/yqPncGUUh44xz0PxSidXFr/+r0pA70+gIYhjv+et7yxM+s29Y+VGDkovRofQem0fs7Uvf4+YmAdyRduA==
|
||||||
@@ -3661,11 +3621,6 @@ mimic-fn@^2.1.0:
|
|||||||
resolved "https://registry.yarnpkg.com/mimic-fn/-/mimic-fn-2.1.0.tgz#7ed2c2ccccaf84d3ffcb7a69b57711fc2083401b"
|
resolved "https://registry.yarnpkg.com/mimic-fn/-/mimic-fn-2.1.0.tgz#7ed2c2ccccaf84d3ffcb7a69b57711fc2083401b"
|
||||||
integrity sha512-OqbOk5oEQeAZ8WXWydlu9HJjz9WVdEIvamMCcXmuqUYjTknH/sqsWvhQ3vgwKFRR1HpjvNBKQ37nbJgYzGqGcg==
|
integrity sha512-OqbOk5oEQeAZ8WXWydlu9HJjz9WVdEIvamMCcXmuqUYjTknH/sqsWvhQ3vgwKFRR1HpjvNBKQ37nbJgYzGqGcg==
|
||||||
|
|
||||||
minimalistic-assert@^1.0.0:
|
|
||||||
version "1.0.1"
|
|
||||||
resolved "https://registry.yarnpkg.com/minimalistic-assert/-/minimalistic-assert-1.0.1.tgz#2e194de044626d4a10e7f7fbc00ce73e83e4d5c7"
|
|
||||||
integrity sha512-UtJcAD4yEaGtjPezWuO9wC4nwUnVH/8/Im3yEHQP4b67cXlD/Qr9hdITCU1xDbSEXg2XKNaP8jsReV7vQd00/A==
|
|
||||||
|
|
||||||
minimatch@^3.0.4, minimatch@^3.1.1, minimatch@^3.1.2:
|
minimatch@^3.0.4, minimatch@^3.1.1, minimatch@^3.1.2:
|
||||||
version "3.1.2"
|
version "3.1.2"
|
||||||
resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-3.1.2.tgz#19cd194bfd3e428f049a70817c038d89ab4be35b"
|
resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-3.1.2.tgz#19cd194bfd3e428f049a70817c038d89ab4be35b"
|
||||||
@@ -3680,11 +3635,6 @@ minimatch@^9.0.4:
|
|||||||
dependencies:
|
dependencies:
|
||||||
brace-expansion "^2.0.1"
|
brace-expansion "^2.0.1"
|
||||||
|
|
||||||
minimist@^1.2.5:
|
|
||||||
version "1.2.8"
|
|
||||||
resolved "https://registry.yarnpkg.com/minimist/-/minimist-1.2.8.tgz#c1a464e7693302e082a075cee0c057741ac4772c"
|
|
||||||
integrity sha512-2yyAR8qBkN3YuheJanUpWC5U3bb5osDywNB8RzDVlDwDHbocAJveqqj1u8+SVD7jkWT4yvsHCpWqqWqAxb0zCA==
|
|
||||||
|
|
||||||
"minipass@^5.0.0 || ^6.0.2 || ^7.0.0", minipass@^7.1.2:
|
"minipass@^5.0.0 || ^6.0.2 || ^7.0.0", minipass@^7.1.2:
|
||||||
version "7.1.2"
|
version "7.1.2"
|
||||||
resolved "https://registry.yarnpkg.com/minipass/-/minipass-7.1.2.tgz#93a9626ce5e5e66bd4db86849e7515e92340a707"
|
resolved "https://registry.yarnpkg.com/minipass/-/minipass-7.1.2.tgz#93a9626ce5e5e66bd4db86849e7515e92340a707"
|
||||||
@@ -4081,7 +4031,7 @@ safe-buffer@^5.0.1, safe-buffer@^5.2.1:
|
|||||||
resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.2.1.tgz#1eaf9fa9bdb1fdd4ec75f58f9cdb4e6b7827eec6"
|
resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.2.1.tgz#1eaf9fa9bdb1fdd4ec75f58f9cdb4e6b7827eec6"
|
||||||
integrity sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ==
|
integrity sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ==
|
||||||
|
|
||||||
"safer-buffer@>= 2.1.2 < 3.0.0", safer-buffer@^2.1.0:
|
"safer-buffer@>= 2.1.2 < 3.0.0":
|
||||||
version "2.1.2"
|
version "2.1.2"
|
||||||
resolved "https://registry.yarnpkg.com/safer-buffer/-/safer-buffer-2.1.2.tgz#44fa161b0187b9549dd84bb91802f9bd8385cd6a"
|
resolved "https://registry.yarnpkg.com/safer-buffer/-/safer-buffer-2.1.2.tgz#44fa161b0187b9549dd84bb91802f9bd8385cd6a"
|
||||||
integrity sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg==
|
integrity sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg==
|
||||||
@@ -4553,17 +4503,6 @@ walker@^1.0.8:
|
|||||||
dependencies:
|
dependencies:
|
||||||
makeerror "1.0.12"
|
makeerror "1.0.12"
|
||||||
|
|
||||||
web-push@^3.6.7:
|
|
||||||
version "3.6.7"
|
|
||||||
resolved "https://registry.yarnpkg.com/web-push/-/web-push-3.6.7.tgz#5f5e645951153e37ef90a6ddea5c150ea0f709e1"
|
|
||||||
integrity sha512-OpiIUe8cuGjrj3mMBFWY+e4MMIkW3SVT+7vEIjvD9kejGUypv8GPDf84JdPWskK8zMRIJ6xYGm+Kxr8YkPyA0A==
|
|
||||||
dependencies:
|
|
||||||
asn1.js "^5.3.0"
|
|
||||||
http_ece "1.2.0"
|
|
||||||
https-proxy-agent "^7.0.0"
|
|
||||||
jws "^4.0.0"
|
|
||||||
minimist "^1.2.5"
|
|
||||||
|
|
||||||
whatwg-encoding@^3.1.1:
|
whatwg-encoding@^3.1.1:
|
||||||
version "3.1.1"
|
version "3.1.1"
|
||||||
resolved "https://registry.yarnpkg.com/whatwg-encoding/-/whatwg-encoding-3.1.1.tgz#d0f4ef769905d426e1688f3e34381a99b60b76e5"
|
resolved "https://registry.yarnpkg.com/whatwg-encoding/-/whatwg-encoding-3.1.1.tgz#d0f4ef769905d426e1688f3e34381a99b60b76e5"
|
||||||
|
|||||||
@@ -10,8 +10,6 @@ paths:
|
|||||||
$ref: "./paths/login.yml"
|
$ref: "./paths/login.yml"
|
||||||
/qr:
|
/qr:
|
||||||
$ref: "./paths/getPizzaQr.yml"
|
$ref: "./paths/getPizzaQr.yml"
|
||||||
/qr/generate:
|
|
||||||
$ref: "./paths/qr/generate.yml"
|
|
||||||
/data:
|
/data:
|
||||||
$ref: "./paths/getData.yml"
|
$ref: "./paths/getData.yml"
|
||||||
|
|
||||||
@@ -52,12 +50,6 @@ paths:
|
|||||||
$ref: "./paths/pizzaDay/updatePizzaDayNote.yml"
|
$ref: "./paths/pizzaDay/updatePizzaDayNote.yml"
|
||||||
/pizzaDay/updatePizzaFee:
|
/pizzaDay/updatePizzaFee:
|
||||||
$ref: "./paths/pizzaDay/updatePizzaFee.yml"
|
$ref: "./paths/pizzaDay/updatePizzaFee.yml"
|
||||||
/pizzaDay/dismissQr:
|
|
||||||
$ref: "./paths/pizzaDay/dismissQr.yml"
|
|
||||||
|
|
||||||
# Notifikace (/api/notifications)
|
|
||||||
/notifications/settings:
|
|
||||||
$ref: "./paths/notifications/settings.yml"
|
|
||||||
|
|
||||||
# Easter eggy (/api/easterEggs)
|
# Easter eggy (/api/easterEggs)
|
||||||
/easterEggs:
|
/easterEggs:
|
||||||
@@ -74,18 +66,6 @@ paths:
|
|||||||
$ref: "./paths/voting/getVotes.yml"
|
$ref: "./paths/voting/getVotes.yml"
|
||||||
/voting/updateVote:
|
/voting/updateVote:
|
||||||
$ref: "./paths/voting/updateVote.yml"
|
$ref: "./paths/voting/updateVote.yml"
|
||||||
/voting/stats:
|
|
||||||
$ref: "./paths/voting/getVotingStats.yml"
|
|
||||||
|
|
||||||
# Changelog (/api/changelogs)
|
|
||||||
/changelogs:
|
|
||||||
$ref: "./paths/changelogs/getChangelogs.yml"
|
|
||||||
|
|
||||||
# DEV endpointy (/api/dev)
|
|
||||||
/dev/generate:
|
|
||||||
$ref: "./paths/dev/generate.yml"
|
|
||||||
/dev/clear:
|
|
||||||
$ref: "./paths/dev/clear.yml"
|
|
||||||
|
|
||||||
components:
|
components:
|
||||||
schemas:
|
schemas:
|
||||||
|
|||||||
@@ -1,21 +0,0 @@
|
|||||||
get:
|
|
||||||
operationId: getChangelogs
|
|
||||||
summary: Vrátí seznam změn (changelog). Pokud není předáno datum, vrátí všechny změny. Pokud je předáno datum, vrátí pouze změny po tomto datu.
|
|
||||||
parameters:
|
|
||||||
- in: query
|
|
||||||
name: since
|
|
||||||
required: false
|
|
||||||
schema:
|
|
||||||
type: string
|
|
||||||
description: Datum (formát YYYY-MM-DD) od kterého se mají vrátit změny (exkluzivně). Pokud není předáno, vrátí se všechny změny.
|
|
||||||
responses:
|
|
||||||
"200":
|
|
||||||
description: Slovník kde klíčem je datum (YYYY-MM-DD) a hodnotou seznam změn k danému datu. Seřazeno od nejnovějšího po nejstarší.
|
|
||||||
content:
|
|
||||||
application/json:
|
|
||||||
schema:
|
|
||||||
type: object
|
|
||||||
additionalProperties:
|
|
||||||
type: array
|
|
||||||
items:
|
|
||||||
type: string
|
|
||||||
@@ -1,23 +0,0 @@
|
|||||||
post:
|
|
||||||
operationId: clearMockData
|
|
||||||
summary: Smazání všech voleb pro daný den (pouze DEV režim)
|
|
||||||
requestBody:
|
|
||||||
required: false
|
|
||||||
content:
|
|
||||||
application/json:
|
|
||||||
schema:
|
|
||||||
$ref: "../../schemas/_index.yml#/ClearMockDataRequest"
|
|
||||||
responses:
|
|
||||||
"200":
|
|
||||||
description: Data byla úspěšně smazána
|
|
||||||
content:
|
|
||||||
application/json:
|
|
||||||
schema:
|
|
||||||
type: object
|
|
||||||
properties:
|
|
||||||
success:
|
|
||||||
type: boolean
|
|
||||||
dayIndex:
|
|
||||||
type: integer
|
|
||||||
"403":
|
|
||||||
description: Endpoint není dostupný v tomto režimu
|
|
||||||
@@ -1,25 +0,0 @@
|
|||||||
post:
|
|
||||||
operationId: generateMockData
|
|
||||||
summary: Vygenerování mock dat pro testování (pouze DEV režim)
|
|
||||||
requestBody:
|
|
||||||
required: false
|
|
||||||
content:
|
|
||||||
application/json:
|
|
||||||
schema:
|
|
||||||
$ref: "../../schemas/_index.yml#/GenerateMockDataRequest"
|
|
||||||
responses:
|
|
||||||
"200":
|
|
||||||
description: Mock data byla úspěšně vygenerována
|
|
||||||
content:
|
|
||||||
application/json:
|
|
||||||
schema:
|
|
||||||
type: object
|
|
||||||
properties:
|
|
||||||
success:
|
|
||||||
type: boolean
|
|
||||||
count:
|
|
||||||
type: integer
|
|
||||||
dayIndex:
|
|
||||||
type: integer
|
|
||||||
"403":
|
|
||||||
description: Endpoint není dostupný v tomto režimu
|
|
||||||
@@ -1,26 +0,0 @@
|
|||||||
get:
|
|
||||||
operationId: getNotificationSettings
|
|
||||||
summary: Vrátí nastavení notifikací pro přihlášeného uživatele.
|
|
||||||
responses:
|
|
||||||
"200":
|
|
||||||
description: Nastavení notifikací
|
|
||||||
content:
|
|
||||||
application/json:
|
|
||||||
schema:
|
|
||||||
$ref: "../../schemas/_index.yml#/NotificationSettings"
|
|
||||||
post:
|
|
||||||
operationId: updateNotificationSettings
|
|
||||||
summary: Uloží nastavení notifikací pro přihlášeného uživatele.
|
|
||||||
requestBody:
|
|
||||||
required: true
|
|
||||||
content:
|
|
||||||
application/json:
|
|
||||||
schema:
|
|
||||||
$ref: "../../schemas/_index.yml#/NotificationSettings"
|
|
||||||
responses:
|
|
||||||
"200":
|
|
||||||
description: Nastavení notifikací bylo uloženo.
|
|
||||||
content:
|
|
||||||
application/json:
|
|
||||||
schema:
|
|
||||||
$ref: "../../schemas/_index.yml#/NotificationSettings"
|
|
||||||
@@ -1,17 +0,0 @@
|
|||||||
post:
|
|
||||||
operationId: dismissQr
|
|
||||||
summary: Označí QR kód pro daný den jako uhrazený (odstraní ho ze seznamu nevyřízených).
|
|
||||||
requestBody:
|
|
||||||
required: true
|
|
||||||
content:
|
|
||||||
application/json:
|
|
||||||
schema:
|
|
||||||
properties:
|
|
||||||
date:
|
|
||||||
description: Datum Pizza day, ke kterému se QR kód vztahuje
|
|
||||||
type: string
|
|
||||||
required:
|
|
||||||
- date
|
|
||||||
responses:
|
|
||||||
"200":
|
|
||||||
description: QR kód byl označen jako uhrazený.
|
|
||||||
@@ -1,16 +0,0 @@
|
|||||||
post:
|
|
||||||
operationId: generateQr
|
|
||||||
summary: Vygenerování QR kódů pro platbu vybraným uživatelům
|
|
||||||
requestBody:
|
|
||||||
required: true
|
|
||||||
content:
|
|
||||||
application/json:
|
|
||||||
schema:
|
|
||||||
$ref: "../../schemas/_index.yml#/GenerateQrRequest"
|
|
||||||
responses:
|
|
||||||
"200":
|
|
||||||
description: QR kódy byly úspěšně vygenerovány
|
|
||||||
"400":
|
|
||||||
description: Neplatný požadavek (chybějící nebo nevalidní data)
|
|
||||||
"401":
|
|
||||||
description: Neautentizovaný uživatel
|
|
||||||
@@ -1,9 +0,0 @@
|
|||||||
get:
|
|
||||||
operationId: getVotingStats
|
|
||||||
summary: Vrátí agregované statistiky hlasování o nových funkcích.
|
|
||||||
responses:
|
|
||||||
"200":
|
|
||||||
content:
|
|
||||||
application/json:
|
|
||||||
schema:
|
|
||||||
$ref: "../../schemas/_index.yml#/VotingStats"
|
|
||||||
@@ -53,11 +53,6 @@ ClientData:
|
|||||||
description: Datum a čas poslední aktualizace pizz
|
description: Datum a čas poslední aktualizace pizz
|
||||||
type: string
|
type: string
|
||||||
format: date-time
|
format: date-time
|
||||||
pendingQrs:
|
|
||||||
description: Nevyřízené QR kódy pro platbu z předchozích pizza day
|
|
||||||
type: array
|
|
||||||
items:
|
|
||||||
$ref: "#/PendingQr"
|
|
||||||
|
|
||||||
# --- OBĚDY ---
|
# --- OBĚDY ---
|
||||||
UserLunchChoice:
|
UserLunchChoice:
|
||||||
@@ -181,14 +176,6 @@ RestaurantDayMenu:
|
|||||||
type: array
|
type: array
|
||||||
items:
|
items:
|
||||||
$ref: "#/Food"
|
$ref: "#/Food"
|
||||||
warnings:
|
|
||||||
description: Seznam varování o kvalitě/úplnosti dat menu
|
|
||||||
type: array
|
|
||||||
items:
|
|
||||||
type: string
|
|
||||||
isStale:
|
|
||||||
description: Příznak, zda data mohou pocházet z jiného týdne
|
|
||||||
type: boolean
|
|
||||||
RestaurantDayMenuMap:
|
RestaurantDayMenuMap:
|
||||||
description: Objekt, kde klíčem je podnik ((#Restaurant)) a hodnotou denní menu daného podniku ((#RestaurantDayMenu))
|
description: Objekt, kde klíčem je podnik ((#Restaurant)) a hodnotou denní menu daného podniku ((#RestaurantDayMenu))
|
||||||
type: object
|
type: object
|
||||||
@@ -271,12 +258,6 @@ FeatureRequest:
|
|||||||
- UI
|
- UI
|
||||||
- DEVELOPMENT
|
- DEVELOPMENT
|
||||||
|
|
||||||
VotingStats:
|
|
||||||
description: Statistiky hlasování - klíčem je název funkce, hodnotou počet hlasů
|
|
||||||
type: object
|
|
||||||
additionalProperties:
|
|
||||||
type: integer
|
|
||||||
|
|
||||||
# --- EASTER EGGS ---
|
# --- EASTER EGGS ---
|
||||||
EasterEgg:
|
EasterEgg:
|
||||||
description: Data pro zobrazení easter eggů ssss
|
description: Data pro zobrazení easter eggů ssss
|
||||||
@@ -535,27 +516,6 @@ NotifikaceData:
|
|||||||
type: boolean
|
type: boolean
|
||||||
ntfy:
|
ntfy:
|
||||||
type: boolean
|
type: boolean
|
||||||
NotificationSettings:
|
|
||||||
description: Nastavení notifikací pro konkrétního uživatele
|
|
||||||
type: object
|
|
||||||
properties:
|
|
||||||
ntfyTopic:
|
|
||||||
description: Téma pro ntfy push notifikace
|
|
||||||
type: string
|
|
||||||
discordWebhookUrl:
|
|
||||||
description: URL webhooku Discord kanálu
|
|
||||||
type: string
|
|
||||||
teamsWebhookUrl:
|
|
||||||
description: URL webhooku MS Teams kanálu
|
|
||||||
type: string
|
|
||||||
enabledEvents:
|
|
||||||
description: Seznam událostí, o kterých chce být uživatel notifikován
|
|
||||||
type: array
|
|
||||||
items:
|
|
||||||
$ref: "#/UdalostEnum"
|
|
||||||
reminderTime:
|
|
||||||
description: Čas, ve který má být uživatel upozorněn na nezvolený oběd (HH:MM). Prázdné = vypnuto.
|
|
||||||
type: string
|
|
||||||
GotifyServer:
|
GotifyServer:
|
||||||
type: object
|
type: object
|
||||||
required:
|
required:
|
||||||
@@ -568,90 +528,3 @@ GotifyServer:
|
|||||||
type: array
|
type: array
|
||||||
items:
|
items:
|
||||||
type: string
|
type: string
|
||||||
|
|
||||||
# --- GENEROVÁNÍ QR KÓDŮ ---
|
|
||||||
QrRecipient:
|
|
||||||
description: Příjemce QR kódu pro platbu
|
|
||||||
type: object
|
|
||||||
additionalProperties: false
|
|
||||||
required:
|
|
||||||
- login
|
|
||||||
- purpose
|
|
||||||
- amount
|
|
||||||
properties:
|
|
||||||
login:
|
|
||||||
description: Přihlašovací jméno uživatele, kterému bude vygenerován QR kód
|
|
||||||
type: string
|
|
||||||
purpose:
|
|
||||||
description: Účel platby (např. "Pizza prosciutto")
|
|
||||||
type: string
|
|
||||||
amount:
|
|
||||||
description: Částka v Kč (kladné číslo, max 2 desetinná místa)
|
|
||||||
type: number
|
|
||||||
minimum: 0.01
|
|
||||||
GenerateQrRequest:
|
|
||||||
description: Request pro generování QR kódů
|
|
||||||
type: object
|
|
||||||
additionalProperties: false
|
|
||||||
required:
|
|
||||||
- recipients
|
|
||||||
- bankAccount
|
|
||||||
- bankAccountHolder
|
|
||||||
properties:
|
|
||||||
recipients:
|
|
||||||
description: Seznam příjemců QR kódů
|
|
||||||
type: array
|
|
||||||
items:
|
|
||||||
$ref: "#/QrRecipient"
|
|
||||||
bankAccount:
|
|
||||||
description: Číslo bankovního účtu odesílatele ve formátu BBAN
|
|
||||||
type: string
|
|
||||||
bankAccountHolder:
|
|
||||||
description: Jméno držitele bankovního účtu
|
|
||||||
type: string
|
|
||||||
|
|
||||||
# --- DEV MOCK DATA ---
|
|
||||||
GenerateMockDataRequest:
|
|
||||||
description: Request pro generování mock dat (pouze DEV režim)
|
|
||||||
type: object
|
|
||||||
additionalProperties: false
|
|
||||||
properties:
|
|
||||||
dayIndex:
|
|
||||||
description: Index dne v týdnu (0 = pondělí, 4 = pátek). Pokud není zadán, použije se aktuální den.
|
|
||||||
$ref: "#/DayIndex"
|
|
||||||
count:
|
|
||||||
description: Počet záznamů k vygenerování. Pokud není zadán, vybere se náhodný počet 5-20.
|
|
||||||
type: integer
|
|
||||||
minimum: 1
|
|
||||||
maximum: 100
|
|
||||||
ClearMockDataRequest:
|
|
||||||
description: Request pro smazání mock dat (pouze DEV režim)
|
|
||||||
type: object
|
|
||||||
additionalProperties: false
|
|
||||||
properties:
|
|
||||||
dayIndex:
|
|
||||||
description: Index dne v týdnu (0 = pondělí, 4 = pátek). Pokud není zadán, použije se aktuální den.
|
|
||||||
$ref: "#/DayIndex"
|
|
||||||
|
|
||||||
# --- NEVYŘÍZENÉ QR KÓDY ---
|
|
||||||
PendingQr:
|
|
||||||
description: Nevyřízený QR kód pro platbu z předchozího Pizza day
|
|
||||||
type: object
|
|
||||||
additionalProperties: false
|
|
||||||
required:
|
|
||||||
- date
|
|
||||||
- creator
|
|
||||||
- totalPrice
|
|
||||||
properties:
|
|
||||||
date:
|
|
||||||
description: Datum Pizza day, ke kterému se QR kód vztahuje
|
|
||||||
type: string
|
|
||||||
creator:
|
|
||||||
description: Jméno zakladatele Pizza day (objednávajícího)
|
|
||||||
type: string
|
|
||||||
totalPrice:
|
|
||||||
description: Celková cena objednávky v Kč
|
|
||||||
type: number
|
|
||||||
purpose:
|
|
||||||
description: Účel platby (např. "Pizza prosciutto")
|
|
||||||
type: string
|
|
||||||
|
|||||||
Reference in New Issue
Block a user