first commit
This commit is contained in:
commit
6bd6284f49
4
.gitignore
vendored
Normal file
4
.gitignore
vendored
Normal file
@ -0,0 +1,4 @@
|
|||||||
|
__pycache__
|
||||||
|
data/
|
||||||
|
instance/
|
||||||
|
venv/
|
13
Dockerfile
Normal file
13
Dockerfile
Normal file
@ -0,0 +1,13 @@
|
|||||||
|
FROM python:3.13-slim
|
||||||
|
WORKDIR /app
|
||||||
|
|
||||||
|
COPY requirements.txt requirements.txt
|
||||||
|
RUN apt-get update && apt-get install -y build-essential && \
|
||||||
|
pip install --upgrade pip && pip install -r requirements.txt
|
||||||
|
|
||||||
|
COPY . .
|
||||||
|
RUN mkdir -p /app/instance
|
||||||
|
|
||||||
|
EXPOSE 8080
|
||||||
|
|
||||||
|
CMD ["python", "run_waitress.py"]
|
268
app.py
Normal file
268
app.py
Normal file
@ -0,0 +1,268 @@
|
|||||||
|
from flask import Flask, render_template, request, redirect, url_for, flash
|
||||||
|
from flask_sqlalchemy import SQLAlchemy
|
||||||
|
from flask_login import LoginManager, login_user, login_required, logout_user, current_user, UserMixin
|
||||||
|
from werkzeug.security import generate_password_hash, check_password_hash
|
||||||
|
from datetime import datetime
|
||||||
|
from markupsafe import Markup
|
||||||
|
import markdown as md
|
||||||
|
from flask import abort
|
||||||
|
|
||||||
|
app = Flask(__name__)
|
||||||
|
app.config['SQLALCHEMY_DATABASE_URI'] = 'sqlite:///baza.db'
|
||||||
|
|
||||||
|
app.config['SECRET_KEY'] = 'tajny_klucz'
|
||||||
|
|
||||||
|
# Konfiguracja rejestracji i admina
|
||||||
|
app.config['ALLOW_REGISTRATION'] = False
|
||||||
|
app.config['MAIN_ADMIN_USERNAME'] = 'admin'
|
||||||
|
app.config['MAIN_ADMIN_PASSWORD'] = 'admin'
|
||||||
|
|
||||||
|
db = SQLAlchemy(app)
|
||||||
|
login_manager = LoginManager(app)
|
||||||
|
login_manager.login_view = 'login'
|
||||||
|
|
||||||
|
# MODELE
|
||||||
|
|
||||||
|
class User(UserMixin, db.Model):
|
||||||
|
id = db.Column(db.Integer, primary_key=True)
|
||||||
|
username = db.Column(db.String(80), unique=True, nullable=False)
|
||||||
|
password_hash = db.Column(db.String(128), nullable=False)
|
||||||
|
is_admin = db.Column(db.Boolean, default=False) # Flaga głównego administratora
|
||||||
|
|
||||||
|
def set_password(self, password):
|
||||||
|
self.password_hash = generate_password_hash(password)
|
||||||
|
|
||||||
|
def check_password(self, password):
|
||||||
|
return check_password_hash(self.password_hash, password)
|
||||||
|
|
||||||
|
class Zbiorka(db.Model):
|
||||||
|
id = db.Column(db.Integer, primary_key=True)
|
||||||
|
nazwa = db.Column(db.String(100), nullable=False)
|
||||||
|
opis = db.Column(db.Text, nullable=False)
|
||||||
|
numer_konta = db.Column(db.String(50), nullable=False)
|
||||||
|
numer_telefonu_blik = db.Column(db.String(50), nullable=False)
|
||||||
|
cel = db.Column(db.Float, nullable=False, default=0.0)
|
||||||
|
stan = db.Column(db.Float, default=0.0)
|
||||||
|
ukryta = db.Column(db.Boolean, default=False)
|
||||||
|
ukryj_kwote = db.Column(db.Boolean, default=False)
|
||||||
|
wplaty = db.relationship('Wplata', backref='zbiorka', lazy=True)
|
||||||
|
|
||||||
|
class Wplata(db.Model):
|
||||||
|
id = db.Column(db.Integer, primary_key=True)
|
||||||
|
zbiorka_id = db.Column(db.Integer, db.ForeignKey('zbiorka.id'), nullable=False)
|
||||||
|
kwota = db.Column(db.Float, nullable=False)
|
||||||
|
data = db.Column(db.DateTime, default=datetime.utcnow)
|
||||||
|
opis = db.Column(db.Text, nullable=True) # Opis wpłaty
|
||||||
|
|
||||||
|
@login_manager.user_loader
|
||||||
|
def load_user(user_id):
|
||||||
|
return User.query.get(int(user_id))
|
||||||
|
|
||||||
|
# Dodaj filtr Markdown – pozwala na zagnieżdżanie linków i obrazków w opisie
|
||||||
|
@app.template_filter('markdown')
|
||||||
|
def markdown_filter(text):
|
||||||
|
return Markup(md.markdown(text))
|
||||||
|
|
||||||
|
# TRASY PUBLICZNE
|
||||||
|
|
||||||
|
@app.route('/')
|
||||||
|
def index():
|
||||||
|
zbiorki = Zbiorka.query.filter_by(ukryta=False).all()
|
||||||
|
return render_template('index.html', zbiorki=zbiorki)
|
||||||
|
|
||||||
|
@app.errorhandler(404)
|
||||||
|
def page_not_found(e):
|
||||||
|
return redirect(url_for('index'))
|
||||||
|
|
||||||
|
@app.route('/zbiorka/<int:zbiorka_id>')
|
||||||
|
def zbiorka(zbiorka_id):
|
||||||
|
zb = Zbiorka.query.get_or_404(zbiorka_id)
|
||||||
|
# Jeżeli zbiórka jest ukryta i użytkownik nie jest administratorem, zwróć 404
|
||||||
|
if zb.ukryta and (not current_user.is_authenticated or not current_user.is_admin):
|
||||||
|
abort(404)
|
||||||
|
return render_template('zbiorka.html', zbiorka=zb)
|
||||||
|
|
||||||
|
# TRASY LOGOWANIA I REJESTRACJI
|
||||||
|
|
||||||
|
@app.route('/login', methods=['GET', 'POST'])
|
||||||
|
def login():
|
||||||
|
if request.method == 'POST':
|
||||||
|
username = request.form['username']
|
||||||
|
password = request.form['password']
|
||||||
|
user = User.query.filter_by(username=username).first()
|
||||||
|
if user and user.check_password(password):
|
||||||
|
login_user(user)
|
||||||
|
flash('Zalogowano pomyślnie', 'success')
|
||||||
|
next_page = request.args.get('next')
|
||||||
|
return redirect(next_page) if next_page else redirect(url_for('admin_dashboard'))
|
||||||
|
else:
|
||||||
|
flash('Nieprawidłowe dane logowania', 'danger')
|
||||||
|
return render_template('login.html')
|
||||||
|
|
||||||
|
@app.route('/logout')
|
||||||
|
@login_required
|
||||||
|
def logout():
|
||||||
|
logout_user()
|
||||||
|
flash('Wylogowano', 'success')
|
||||||
|
return redirect(url_for('login'))
|
||||||
|
|
||||||
|
@app.route('/register', methods=['GET', 'POST'])
|
||||||
|
def register():
|
||||||
|
if not app.config.get('ALLOW_REGISTRATION', False):
|
||||||
|
flash('Rejestracja została wyłączona przez administratora', 'danger')
|
||||||
|
return redirect(url_for('login'))
|
||||||
|
if request.method == 'POST':
|
||||||
|
username = request.form['username']
|
||||||
|
password = request.form['password']
|
||||||
|
if User.query.filter_by(username=username).first():
|
||||||
|
flash('Użytkownik już istnieje', 'danger')
|
||||||
|
return redirect(url_for('register'))
|
||||||
|
new_user = User(username=username)
|
||||||
|
new_user.set_password(password)
|
||||||
|
db.session.add(new_user)
|
||||||
|
db.session.commit()
|
||||||
|
flash('Konto utworzone, możesz się zalogować', 'success')
|
||||||
|
return redirect(url_for('login'))
|
||||||
|
return render_template('register.html')
|
||||||
|
|
||||||
|
# PANEL ADMINISTRACYJNY
|
||||||
|
|
||||||
|
@app.route('/admin')
|
||||||
|
@login_required
|
||||||
|
def admin_dashboard():
|
||||||
|
# Tylko użytkownik z flagą is_admin ma dostęp do pełnych funkcji panelu
|
||||||
|
if not current_user.is_admin:
|
||||||
|
flash('Brak uprawnień do panelu administracyjnego', 'danger')
|
||||||
|
return redirect(url_for('index'))
|
||||||
|
zbiorki = Zbiorka.query.all()
|
||||||
|
return render_template('admin/dashboard.html', zbiorki=zbiorki)
|
||||||
|
|
||||||
|
@app.route('/admin/zbiorka/dodaj', methods=['GET', 'POST'])
|
||||||
|
@login_required
|
||||||
|
def dodaj_zbiorka():
|
||||||
|
if not current_user.is_admin:
|
||||||
|
flash('Brak uprawnień', 'danger')
|
||||||
|
return redirect(url_for('index'))
|
||||||
|
if request.method == 'POST':
|
||||||
|
nazwa = request.form['nazwa']
|
||||||
|
opis = request.form['opis']
|
||||||
|
numer_konta = request.form['numer_konta']
|
||||||
|
numer_telefonu_blik = request.form['numer_telefonu_blik']
|
||||||
|
cel = float(request.form['cel'])
|
||||||
|
# Jeśli checkbox jest zaznaczony, wartość będzie obecna w formularzu
|
||||||
|
ukryj_kwote = 'ukryj_kwote' in request.form
|
||||||
|
nowa_zbiorka = Zbiorka(
|
||||||
|
nazwa=nazwa,
|
||||||
|
opis=opis,
|
||||||
|
numer_konta=numer_konta,
|
||||||
|
numer_telefonu_blik=numer_telefonu_blik,
|
||||||
|
cel=cel,
|
||||||
|
ukryj_kwote=ukryj_kwote
|
||||||
|
)
|
||||||
|
db.session.add(nowa_zbiorka)
|
||||||
|
db.session.commit()
|
||||||
|
flash('Zbiórka została dodana', 'success')
|
||||||
|
return redirect(url_for('admin_dashboard'))
|
||||||
|
|
||||||
|
# Zwracamy szablon dla żądania GET
|
||||||
|
return render_template('admin/add_zbiorka.html')
|
||||||
|
|
||||||
|
@app.route('/admin/zbiorka/edytuj/<int:zbiorka_id>', methods=['GET', 'POST'])
|
||||||
|
@login_required
|
||||||
|
def edytuj_zbiorka(zbiorka_id):
|
||||||
|
if not current_user.is_admin:
|
||||||
|
flash('Brak uprawnień', 'danger')
|
||||||
|
return redirect(url_for('index'))
|
||||||
|
zb = Zbiorka.query.get_or_404(zbiorka_id)
|
||||||
|
if request.method == 'POST':
|
||||||
|
zb.nazwa = request.form['nazwa']
|
||||||
|
zb.opis = request.form['opis']
|
||||||
|
zb.numer_konta = request.form['numer_konta']
|
||||||
|
zb.numer_telefonu_blik = request.form['numer_telefonu_blik']
|
||||||
|
try:
|
||||||
|
zb.cel = float(request.form['cel'])
|
||||||
|
except ValueError:
|
||||||
|
flash('Podano nieprawidłową wartość dla celu zbiórki', 'danger')
|
||||||
|
return render_template('admin/edit_zbiorka.html', zbiorka=zb)
|
||||||
|
# Ustawienie opcji ukrywania kwot, jeśli checkbox jest zaznaczony
|
||||||
|
zb.ukryj_kwote = 'ukryj_kwote' in request.form
|
||||||
|
db.session.commit()
|
||||||
|
flash('Zbiórka została zaktualizowana', 'success')
|
||||||
|
return redirect(url_for('admin_dashboard'))
|
||||||
|
# Dla żądania GET zwracamy formularz edycji
|
||||||
|
return render_template('admin/edit_zbiorka.html', zbiorka=zb)
|
||||||
|
|
||||||
|
# TRASA DODAWANIA WPŁATY Z OPISEM
|
||||||
|
# TRASA DODAWANIA WPŁATY W PANELU ADMINA
|
||||||
|
@app.route('/admin/zbiorka/<int:zbiorka_id>/wplata/dodaj', methods=['GET', 'POST'])
|
||||||
|
@login_required
|
||||||
|
def admin_dodaj_wplate(zbiorka_id):
|
||||||
|
if not current_user.is_admin:
|
||||||
|
flash('Brak uprawnień', 'danger')
|
||||||
|
return redirect(url_for('index'))
|
||||||
|
zb = Zbiorka.query.get_or_404(zbiorka_id)
|
||||||
|
if request.method == 'POST':
|
||||||
|
kwota = float(request.form['kwota'])
|
||||||
|
opis = request.form.get('opis', '')
|
||||||
|
nowa_wplata = Wplata(zbiorka_id=zb.id, kwota=kwota, opis=opis)
|
||||||
|
zb.stan += kwota # Aktualizacja stanu zbiórki
|
||||||
|
db.session.add(nowa_wplata)
|
||||||
|
db.session.commit()
|
||||||
|
flash('Wpłata została dodana', 'success')
|
||||||
|
return redirect(url_for('admin_dashboard'))
|
||||||
|
return render_template('admin/add_wplata.html', zbiorka=zb)
|
||||||
|
|
||||||
|
@app.route('/admin/zbiorka/usun/<int:zbiorka_id>', methods=['POST'])
|
||||||
|
@login_required
|
||||||
|
def usun_zbiorka(zbiorka_id):
|
||||||
|
if not current_user.is_admin:
|
||||||
|
flash('Brak uprawnień', 'danger')
|
||||||
|
return redirect(url_for('index'))
|
||||||
|
zb = Zbiorka.query.get_or_404(zbiorka_id)
|
||||||
|
db.session.delete(zb)
|
||||||
|
db.session.commit()
|
||||||
|
flash('Zbiórka została usunięta', 'success')
|
||||||
|
return redirect(url_for('admin_dashboard'))
|
||||||
|
|
||||||
|
@app.route('/admin/zbiorka/edytuj_stan/<int:zbiorka_id>', methods=['GET', 'POST'])
|
||||||
|
@login_required
|
||||||
|
def edytuj_stan(zbiorka_id):
|
||||||
|
if not current_user.is_admin:
|
||||||
|
flash('Brak uprawnień', 'danger')
|
||||||
|
return redirect(url_for('index'))
|
||||||
|
zb = Zbiorka.query.get_or_404(zbiorka_id)
|
||||||
|
if request.method == 'POST':
|
||||||
|
try:
|
||||||
|
nowy_stan = float(request.form['stan'])
|
||||||
|
except ValueError:
|
||||||
|
flash('Nieprawidłowa wartość kwoty', 'danger')
|
||||||
|
return redirect(url_for('edytuj_stan', zbiorka_id=zbiorka_id))
|
||||||
|
zb.stan = nowy_stan
|
||||||
|
db.session.commit()
|
||||||
|
flash('Stan zbiórki został zaktualizowany', 'success')
|
||||||
|
return redirect(url_for('admin_dashboard'))
|
||||||
|
return render_template('admin/edytuj_stan.html', zbiorka=zb)
|
||||||
|
|
||||||
|
@app.route('/admin/zbiorka/toggle_visibility/<int:zbiorka_id>', methods=['POST'])
|
||||||
|
@login_required
|
||||||
|
def toggle_visibility(zbiorka_id):
|
||||||
|
if not current_user.is_admin:
|
||||||
|
flash('Brak uprawnień', 'danger')
|
||||||
|
return redirect(url_for('index'))
|
||||||
|
zb = Zbiorka.query.get_or_404(zbiorka_id)
|
||||||
|
zb.ukryta = not zb.ukryta
|
||||||
|
db.session.commit()
|
||||||
|
flash('Zbiórka została ' + ('ukryta' if zb.ukryta else 'przywrócona'), 'success')
|
||||||
|
return redirect(url_for('admin_dashboard'))
|
||||||
|
|
||||||
|
|
||||||
|
if __name__ == '__main__':
|
||||||
|
with app.app_context():
|
||||||
|
db.create_all()
|
||||||
|
# Tworzenie konta głównego admina, jeśli nie istnieje
|
||||||
|
if not User.query.filter_by(is_admin=True).first():
|
||||||
|
main_admin = User(username=app.config['MAIN_ADMIN_USERNAME'], is_admin=True)
|
||||||
|
main_admin.set_password(app.config['MAIN_ADMIN_PASSWORD'])
|
||||||
|
db.session.add(main_admin)
|
||||||
|
db.session.commit()
|
||||||
|
app.run(debug=True)
|
12
docker-compose.yml
Normal file
12
docker-compose.yml
Normal file
@ -0,0 +1,12 @@
|
|||||||
|
version: '3.8'
|
||||||
|
|
||||||
|
services:
|
||||||
|
app:
|
||||||
|
build:
|
||||||
|
context: .
|
||||||
|
dockerfile: Dockerfile
|
||||||
|
ports:
|
||||||
|
- "8080:8080"
|
||||||
|
volumes:
|
||||||
|
- ./instance:/app/instance
|
||||||
|
restart: unless-stopped
|
6
requirements.txt
Normal file
6
requirements.txt
Normal file
@ -0,0 +1,6 @@
|
|||||||
|
Flask
|
||||||
|
Flask-SQLAlchemy
|
||||||
|
Flask-Login
|
||||||
|
Werkzeug
|
||||||
|
waitress
|
||||||
|
markdown
|
7
run_waitress.py
Normal file
7
run_waitress.py
Normal file
@ -0,0 +1,7 @@
|
|||||||
|
from app import app, db
|
||||||
|
from waitress import serve
|
||||||
|
|
||||||
|
if __name__ == '__main__':
|
||||||
|
with app.app_context():
|
||||||
|
db.create_all()
|
||||||
|
serve(app, host='0.0.0.0', port=8080)
|
31
static/css/custom.css
Normal file
31
static/css/custom.css
Normal file
@ -0,0 +1,31 @@
|
|||||||
|
/* custom.css */
|
||||||
|
|
||||||
|
/* Dodatkowy odstęp od góry strony */
|
||||||
|
body {
|
||||||
|
padding-top: 60px;
|
||||||
|
}
|
||||||
|
|
||||||
|
/* Zwiększona wysokość progress baru */
|
||||||
|
.progress {
|
||||||
|
height: 35px;
|
||||||
|
font-size: 1.2rem;
|
||||||
|
}
|
||||||
|
|
||||||
|
/* Ujednolicenie wyglądu kart */
|
||||||
|
.card {
|
||||||
|
margin-bottom: 20px;
|
||||||
|
}
|
||||||
|
|
||||||
|
/* Drobne poprawki przycisków */
|
||||||
|
.btn {
|
||||||
|
text-transform: uppercase;
|
||||||
|
font-weight: bold;
|
||||||
|
}
|
||||||
|
|
||||||
|
/* Ewentualne zmiany przy linkach */
|
||||||
|
a {
|
||||||
|
color: #ffc107;
|
||||||
|
}
|
||||||
|
a:hover {
|
||||||
|
color: #ffeb3b;
|
||||||
|
}
|
16
templates/admin/add_wplata.html
Normal file
16
templates/admin/add_wplata.html
Normal file
@ -0,0 +1,16 @@
|
|||||||
|
{% extends 'base.html' %}
|
||||||
|
{% block title %}Dodaj wpłatę{% endblock %}
|
||||||
|
{% block content %}
|
||||||
|
<h1>Dodaj wpłatę do zbiórki: {{ zbiorka.nazwa }}</h1>
|
||||||
|
<form method="post">
|
||||||
|
<div class="mb-3">
|
||||||
|
<label for="kwota" class="form-label">Kwota wpłaty (PLN)</label>
|
||||||
|
<input type="number" step="0.01" class="form-control" id="kwota" name="kwota" required>
|
||||||
|
</div>
|
||||||
|
<div class="mb-3">
|
||||||
|
<label for="opis" class="form-label">Opis wpłaty (opcjonalnie)</label>
|
||||||
|
<textarea class="form-control" id="opis" name="opis" rows="3"></textarea>
|
||||||
|
</div>
|
||||||
|
<button type="submit" class="btn btn-success">Dodaj wpłatę</button>
|
||||||
|
</form>
|
||||||
|
{% endblock %}
|
43
templates/admin/add_zbiorka.html
Normal file
43
templates/admin/add_zbiorka.html
Normal file
@ -0,0 +1,43 @@
|
|||||||
|
{% extends 'base.html' %}
|
||||||
|
{% block title %}Dodaj zbiórkę{% endblock %}
|
||||||
|
{% block content %}
|
||||||
|
<h1>Dodaj nową zbiórkę</h1>
|
||||||
|
<form method="post">
|
||||||
|
<!-- Pozostałe pola formularza -->
|
||||||
|
<div class="mb-3">
|
||||||
|
<label for="nazwa" class="form-label">Nazwa zbiórki</label>
|
||||||
|
<input type="text" class="form-control" id="nazwa" name="nazwa" required>
|
||||||
|
</div>
|
||||||
|
<div class="mb-3">
|
||||||
|
<label for="opis" class="form-label">Opis</label>
|
||||||
|
<textarea class="form-control" id="opis" name="opis" rows="6" required></textarea>
|
||||||
|
</div>
|
||||||
|
<div class="mb-3">
|
||||||
|
<label for="numer_konta" class="form-label">Numer konta</label>
|
||||||
|
<input type="text" class="form-control" id="numer_konta" name="numer_konta" required>
|
||||||
|
</div>
|
||||||
|
<div class="mb-3">
|
||||||
|
<label for="numer_telefonu_blik" class="form-label">Numer telefonu BLIK</label>
|
||||||
|
<input type="text" class="form-control" id="numer_telefonu_blik" name="numer_telefonu_blik" required>
|
||||||
|
</div>
|
||||||
|
<div class="mb-3">
|
||||||
|
<label for="cel" class="form-label">Cel zbiórki (PLN)</label>
|
||||||
|
<input type="number" step="0.01" class="form-control" id="cel" name="cel" required>
|
||||||
|
</div>
|
||||||
|
<div class="form-check mb-3">
|
||||||
|
<input type="checkbox" class="form-check-input" id="ukryj_kwote" name="ukryj_kwote">
|
||||||
|
<label class="form-check-label" for="ukryj_kwote">Ukryj kwoty (cel i stan)</label>
|
||||||
|
</div>
|
||||||
|
<button type="submit" class="btn btn-success">Dodaj zbiórkę</button>
|
||||||
|
</form>
|
||||||
|
|
||||||
|
<!-- Inicjalizacja edytora Markdown (SimpleMDE) -->
|
||||||
|
<link rel="stylesheet" href="https://cdn.jsdelivr.net/simplemde/latest/simplemde.min.css">
|
||||||
|
<script src="https://cdn.jsdelivr.net/simplemde/latest/simplemde.min.js"></script>
|
||||||
|
<script>
|
||||||
|
var simplemde = new SimpleMDE({
|
||||||
|
element: document.getElementById("opis"),
|
||||||
|
forceSync: true
|
||||||
|
});
|
||||||
|
</script>
|
||||||
|
{% endblock %}
|
50
templates/admin/dashboard.html
Normal file
50
templates/admin/dashboard.html
Normal file
@ -0,0 +1,50 @@
|
|||||||
|
{% extends 'base.html' %}
|
||||||
|
{% block title %}Panel Admina{% endblock %}
|
||||||
|
{% block content %}
|
||||||
|
<h1>Panel Admina</h1>
|
||||||
|
<div class="mb-3">
|
||||||
|
<a href="{{ url_for('dodaj_zbiorka') }}" class="btn btn-success">Dodaj zbiórkę</a>
|
||||||
|
</div>
|
||||||
|
<table class="table table-dark table-striped">
|
||||||
|
<thead>
|
||||||
|
<tr>
|
||||||
|
<th>ID</th>
|
||||||
|
<th>Nazwa</th>
|
||||||
|
<th>Widoczność</th>
|
||||||
|
<th>Opcje</th>
|
||||||
|
</tr>
|
||||||
|
</thead>
|
||||||
|
<tbody>
|
||||||
|
{% for z in zbiorki %}
|
||||||
|
<tr>
|
||||||
|
<td>{{ z.id }}</td>
|
||||||
|
<td>{{ z.nazwa }}</td>
|
||||||
|
<td>
|
||||||
|
{% if z.ukryta %}
|
||||||
|
<span class="badge bg-secondary">Ukryta</span>
|
||||||
|
{% else %}
|
||||||
|
<span class="badge bg-success">Widoczna</span>
|
||||||
|
{% endif %}
|
||||||
|
</td>
|
||||||
|
<td>
|
||||||
|
<a href="{{ url_for('edytuj_zbiorka', zbiorka_id=z.id) }}" class="btn btn-primary btn-sm">Edytuj</a>
|
||||||
|
<a href="{{ url_for('admin_dodaj_wplate', zbiorka_id=z.id) }}" class="btn btn-warning btn-sm">Dodaj wpłatę</a>
|
||||||
|
<a href="{{ url_for('edytuj_stan', zbiorka_id=z.id) }}" class="btn btn-info btn-sm">Edytuj stan</a>
|
||||||
|
<form action="{{ url_for('toggle_visibility', zbiorka_id=z.id) }}" method="post" style="display: inline;">
|
||||||
|
<button type="submit" class="btn btn-secondary btn-sm">
|
||||||
|
{% if z.ukryta %} Pokaż {% else %} Ukryj {% endif %}
|
||||||
|
</button>
|
||||||
|
</form>
|
||||||
|
<form action="{{ url_for('usun_zbiorka', zbiorka_id=z.id) }}" method="post" style="display: inline;">
|
||||||
|
<button type="submit" class="btn btn-danger btn-sm" onclick="return confirm('Czy na pewno chcesz usunąć tę zbiórkę?');">Usuń</button>
|
||||||
|
</form>
|
||||||
|
</td>
|
||||||
|
</tr>
|
||||||
|
{% else %}
|
||||||
|
<tr>
|
||||||
|
<td colspan="4">Brak zbiórek</td>
|
||||||
|
</tr>
|
||||||
|
{% endfor %}
|
||||||
|
</tbody>
|
||||||
|
</table>
|
||||||
|
{% endblock %}
|
43
templates/admin/edit_zbiorka.html
Normal file
43
templates/admin/edit_zbiorka.html
Normal file
@ -0,0 +1,43 @@
|
|||||||
|
{% extends 'base.html' %}
|
||||||
|
{% block title %}Edytuj zbiórkę{% endblock %}
|
||||||
|
{% block content %}
|
||||||
|
<h1>Edytuj zbiórkę</h1>
|
||||||
|
<form method="post">
|
||||||
|
<!-- Pozostałe pola formularza -->
|
||||||
|
<div class="mb-3">
|
||||||
|
<label for="nazwa" class="form-label">Nazwa zbiórki</label>
|
||||||
|
<input type="text" class="form-control" id="nazwa" name="nazwa" value="{{ zbiorka.nazwa }}" required>
|
||||||
|
</div>
|
||||||
|
<div class="mb-3">
|
||||||
|
<label for="opis" class="form-label">Opis</label>
|
||||||
|
<textarea class="form-control" id="opis" name="opis" rows="6" required>{{ zbiorka.opis }}</textarea>
|
||||||
|
</div>
|
||||||
|
<div class="mb-3">
|
||||||
|
<label for="numer_konta" class="form-label">Numer konta</label>
|
||||||
|
<input type="text" class="form-control" id="numer_konta" name="numer_konta" value="{{ zbiorka.numer_konta }}" required>
|
||||||
|
</div>
|
||||||
|
<div class="mb-3">
|
||||||
|
<label for="numer_telefonu_blik" class="form-label">Numer telefonu BLIK</label>
|
||||||
|
<input type="text" class="form-control" id="numer_telefonu_blik" name="numer_telefonu_blik" value="{{ zbiorka.numer_telefonu_blik }}" required>
|
||||||
|
</div>
|
||||||
|
<div class="mb-3">
|
||||||
|
<label for="cel" class="form-label">Cel zbiórki (PLN)</label>
|
||||||
|
<input type="number" step="0.01" class="form-control" id="cel" name="cel" value="{{ zbiorka.cel }}" required>
|
||||||
|
</div>
|
||||||
|
<div class="form-check mb-3">
|
||||||
|
<input type="checkbox" class="form-check-input" id="ukryj_kwote" name="ukryj_kwote" {% if zbiorka.ukryj_kwote %}checked{% endif %}>
|
||||||
|
<label class="form-check-label" for="ukryj_kwote">Ukryj kwoty (cel i stan)</label>
|
||||||
|
</div>
|
||||||
|
<button type="submit" class="btn btn-primary">Zaktualizuj zbiórkę</button>
|
||||||
|
</form>
|
||||||
|
|
||||||
|
<!-- Inicjalizacja edytora Markdown (SimpleMDE) -->
|
||||||
|
<link rel="stylesheet" href="https://cdn.jsdelivr.net/simplemde/latest/simplemde.min.css">
|
||||||
|
<script src="https://cdn.jsdelivr.net/simplemde/latest/simplemde.min.js"></script>
|
||||||
|
<script>
|
||||||
|
var simplemde = new SimpleMDE({
|
||||||
|
element: document.getElementById("opis"),
|
||||||
|
forceSync: true
|
||||||
|
});
|
||||||
|
</script>
|
||||||
|
{% endblock %}
|
13
templates/admin/edytuj_stan.html
Normal file
13
templates/admin/edytuj_stan.html
Normal file
@ -0,0 +1,13 @@
|
|||||||
|
{% extends 'base.html' %}
|
||||||
|
{% block title %}Edytuj stan zbiórki{% endblock %}
|
||||||
|
{% block content %}
|
||||||
|
<h1>Edytuj stan zbiórki: {{ zbiorka.nazwa }}</h1>
|
||||||
|
<form method="post">
|
||||||
|
<div class="mb-3">
|
||||||
|
<label for="stan" class="form-label">Nowy stan zbiórki (PLN)</label>
|
||||||
|
<input type="number" step="0.01" class="form-control" id="stan" name="stan" value="{{ zbiorka.stan }}" required>
|
||||||
|
</div>
|
||||||
|
<button type="submit" class="btn btn-primary">Aktualizuj stan</button>
|
||||||
|
<a href="{{ url_for('admin_dashboard') }}" class="btn btn-secondary">Powrót</a>
|
||||||
|
</form>
|
||||||
|
{% endblock %}
|
39
templates/base.html
Normal file
39
templates/base.html
Normal file
@ -0,0 +1,39 @@
|
|||||||
|
<!DOCTYPE html>
|
||||||
|
<html lang="pl">
|
||||||
|
<head>
|
||||||
|
<meta charset="UTF-8">
|
||||||
|
<title>{% block title %}Aplikacja Zbiórek{% endblock %}</title>
|
||||||
|
<!-- Bootswatch Darkly - atrakcyjny ciemny motyw -->
|
||||||
|
<link rel="stylesheet" href="https://cdn.jsdelivr.net/npm/bootswatch@5.3.0/dist/darkly/bootstrap.min.css">
|
||||||
|
<!-- Opcjonalny plik custom.css dla drobnych modyfikacji -->
|
||||||
|
<link rel="stylesheet" href="{{ url_for('static', filename='css/custom.css') }}">
|
||||||
|
</head>
|
||||||
|
<body class="bg-dark text-light">
|
||||||
|
<nav class="navbar navbar-expand-lg navbar-dark bg-secondary">
|
||||||
|
<div class="container">
|
||||||
|
<a class="navbar-brand" href="{{ url_for('index') }}">Zbiórki unitraklub.pl</a>
|
||||||
|
<div class="collapse navbar-collapse">
|
||||||
|
<ul class="navbar-nav ms-auto">
|
||||||
|
{% if current_user.is_authenticated %}
|
||||||
|
<li class="nav-item"><a class="nav-link" href="{{ url_for('admin_dashboard') }}">Panel Admina</a></li>
|
||||||
|
<li class="nav-item"><a class="nav-link" href="{{ url_for('logout') }}">Wyloguj</a></li>
|
||||||
|
{% else %}
|
||||||
|
<li class="nav-item"><a class="nav-link" href="{{ url_for('login') }}">Zaloguj</a></li>
|
||||||
|
{% endif %}
|
||||||
|
</ul>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</nav>
|
||||||
|
<div class="container mt-4">
|
||||||
|
{% with messages = get_flashed_messages(with_categories=true) %}
|
||||||
|
{% if messages %}
|
||||||
|
{% for category, message in messages %}
|
||||||
|
<div class="alert alert-{{ category }}">{{ message }}</div>
|
||||||
|
{% endfor %}
|
||||||
|
{% endif %}
|
||||||
|
{% endwith %}
|
||||||
|
{% block content %}{% endblock %}
|
||||||
|
</div>
|
||||||
|
<script src="https://cdn.jsdelivr.net/npm/bootstrap@5.3.0/dist/js/bootstrap.bundle.min.js"></script>
|
||||||
|
</body>
|
||||||
|
</html>
|
14
templates/index.html
Normal file
14
templates/index.html
Normal file
@ -0,0 +1,14 @@
|
|||||||
|
{% extends 'base.html' %}
|
||||||
|
{% block title %}Lista Zbiórek{% endblock %}
|
||||||
|
{% block content %}
|
||||||
|
<h1>Lista Zbiórek</h1>
|
||||||
|
<div class="list-group">
|
||||||
|
{% for z in zbiorki %}
|
||||||
|
<a href="{{ url_for('zbiorka', zbiorka_id=z.id) }}" class="list-group-item list-group-item-action bg-secondary text-light">
|
||||||
|
{{ z.nazwa }}
|
||||||
|
</a>
|
||||||
|
{% else %}
|
||||||
|
<p>Brak zbiórek</p>
|
||||||
|
{% endfor %}
|
||||||
|
</div>
|
||||||
|
{% endblock %}
|
17
templates/login.html
Normal file
17
templates/login.html
Normal file
@ -0,0 +1,17 @@
|
|||||||
|
{% extends 'base.html' %}
|
||||||
|
{% block title %}Logowanie{% endblock %}
|
||||||
|
{% block content %}
|
||||||
|
<h1>Logowanie</h1>
|
||||||
|
<form method="post">
|
||||||
|
<div class="mb-3">
|
||||||
|
<label for="username" class="form-label">Nazwa użytkownika</label>
|
||||||
|
<input type="text" class="form-control" id="username" name="username" required>
|
||||||
|
</div>
|
||||||
|
<div class="mb-3">
|
||||||
|
<label for="password" class="form-label">Hasło</label>
|
||||||
|
<input type="password" class="form-control" id="password" name="password" required>
|
||||||
|
</div>
|
||||||
|
<button type="submit" class="btn btn-primary">Zaloguj</button>
|
||||||
|
</form>
|
||||||
|
<p class="mt-3">Nie masz konta? <a href="{{ url_for('register') }}">Zarejestruj się</a></p>
|
||||||
|
{% endblock %}
|
16
templates/register.html
Normal file
16
templates/register.html
Normal file
@ -0,0 +1,16 @@
|
|||||||
|
{% extends 'base.html' %}
|
||||||
|
{% block title %}Rejestracja{% endblock %}
|
||||||
|
{% block content %}
|
||||||
|
<h1>Rejestracja</h1>
|
||||||
|
<form method="post">
|
||||||
|
<div class="mb-3">
|
||||||
|
<label for="username" class="form-label">Nazwa użytkownika</label>
|
||||||
|
<input type="text" class="form-control" id="username" name="username" required>
|
||||||
|
</div>
|
||||||
|
<div class="mb-3">
|
||||||
|
<label for="password" class="form-label">Hasło</label>
|
||||||
|
<input type="password" class="form-control" id="password" name="password" required>
|
||||||
|
</div>
|
||||||
|
<button type="submit" class="btn btn-primary">Zarejestruj się</button>
|
||||||
|
</form>
|
||||||
|
{% endblock %}
|
60
templates/zbiorka.html
Normal file
60
templates/zbiorka.html
Normal file
@ -0,0 +1,60 @@
|
|||||||
|
{% extends 'base.html' %}
|
||||||
|
{% block title %}{{ zbiorka.nazwa }}{% endblock %}
|
||||||
|
{% block content %}
|
||||||
|
<div class="container my-4">
|
||||||
|
<div class="card mb-4">
|
||||||
|
<div class="card-header">
|
||||||
|
<h1 class="card-title">{{ zbiorka.nazwa }}</h1>
|
||||||
|
</div>
|
||||||
|
<div class="card-body">
|
||||||
|
<!-- Opis zbiórki renderowany przy użyciu Markdown -->
|
||||||
|
<div class="mb-3">
|
||||||
|
{{ zbiorka.opis | markdown }}
|
||||||
|
</div>
|
||||||
|
<ul class="list-group list-group-flush mb-3">
|
||||||
|
<li class="list-group-item"><strong>Numer konta:</strong> {{ zbiorka.numer_konta }}</li>
|
||||||
|
<li class="list-group-item"><strong>Numer telefonu BLIK:</strong> {{ zbiorka.numer_telefonu_blik }}</li>
|
||||||
|
{% if not zbiorka.ukryj_kwote %}
|
||||||
|
<li class="list-group-item"><strong>Cel zbiórki:</strong> {{ zbiorka.cel }} PLN</li>
|
||||||
|
<li class="list-group-item"><strong>Stan zbiórki:</strong> {{ zbiorka.stan }} PLN</li>
|
||||||
|
{% endif %}
|
||||||
|
</ul>
|
||||||
|
{% set progress = (zbiorka.stan / zbiorka.cel * 100) if zbiorka.cel > 0 else 0 %}
|
||||||
|
<h5>Postęp zbiórki</h5>
|
||||||
|
<div class="progress mb-3" style="height: 40px;">
|
||||||
|
<div class="progress-bar progress-bar-striped progress-bar-animated" role="progressbar"
|
||||||
|
style="width: {{ progress if progress < 100 else 100 }}%;"
|
||||||
|
aria-valuenow="{{ progress }}" aria-valuemin="0" aria-valuemax="100">
|
||||||
|
{{ progress|round(2) }}%
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div class="d-flex justify-content-between">
|
||||||
|
{% if current_user.is_authenticated and current_user.is_admin %}
|
||||||
|
<a href="{{ url_for('admin_dodaj_wplate', zbiorka_id=zbiorka.id) }}" class="btn btn-primary">Dodaj wpłatę</a>
|
||||||
|
{% endif %}
|
||||||
|
<a href="{{ url_for('index') }}" class="btn btn-secondary">Powrót do listy zbiórek</a>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="card">
|
||||||
|
<div class="card-header">
|
||||||
|
<h2 class="card-title">Wpłaty</h2>
|
||||||
|
</div>
|
||||||
|
<div class="card-body">
|
||||||
|
{% if zbiorka.wplaty|length > 0 %}
|
||||||
|
<ul class="list-group">
|
||||||
|
{% for w in zbiorka.wplaty %}
|
||||||
|
<li class="list-group-item">
|
||||||
|
<strong>{{ w.data.strftime('%Y-%m-%d %H:%M:%S') }}:</strong> {{ w.kwota }} PLN
|
||||||
|
{% if w.opis %} – {{ w.opis }}{% endif %}
|
||||||
|
</li>
|
||||||
|
{% endfor %}
|
||||||
|
</ul>
|
||||||
|
{% else %}
|
||||||
|
<p>Brak wpłat</p>
|
||||||
|
{% endif %}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
{% endblock %}
|
Loading…
x
Reference in New Issue
Block a user